From 7134d5ca5f99ab564fab24428781d1a7aa5752f7 Mon Sep 17 00:00:00 2001 From: Andrew Gallant Date: Tue, 5 Sep 2023 12:26:17 -0400 Subject: [PATCH] packed: rewrite Teddy to use generic Vector interface While this does technically rewrite Teddy, we don't really do any core changes to how it previously worked. We mostly just shuffle and re-organize code so that it's written to use a generic vector type instead of explicitly specialized to __m128i and __m256i. We also use this opportunity to introduce a sprinkling of const generics, which helps reduce code duplication even more. We also switch from an enum for dispatching between Teddy variants to dynamic dispatch via a trait. Benchmarks suggest there really isn't any meaningful difference here, and I kind of prefer the dynamic dispatch route for difficult to explain reasons. But I might waffle on this. And of course, the point of the exercise, we introduce an implementation of the Vector trait for `u8x16_t` on `aarch64`. Kudos to the sse2neon[1] project for making that port much faster than it would have been. [1]: https://github.com/DLTcollab/sse2neon --- .github/workflows/ci.yml | 2 - Cargo.toml | 2 +- benchmarks/definitions/build.toml | 21 + benchmarks/definitions/curated.toml | 238 + benchmarks/definitions/random/many.toml | 12 + benchmarks/definitions/random/memchr.toml | 70 + benchmarks/definitions/random/misc.toml | 14 + benchmarks/definitions/same.toml | 77 + benchmarks/definitions/sherlock.toml | 76 + benchmarks/definitions/teddy.toml | 1017 + benchmarks/engines.toml | 115 + .../engines/rust-aho-corasick/Cargo.lock | 133 +- .../engines/rust-aho-corasick/Cargo.toml | 5 +- benchmarks/engines/rust-aho-corasick/main.rs | 4 + .../engines/rust-old-aho-corasick/.gitignore | 1 + .../engines/rust-old-aho-corasick/Cargo.lock | 64 + .../engines/rust-old-aho-corasick/Cargo.toml | 21 + .../engines/rust-old-aho-corasick/README.md | 32 + .../engines/rust-old-aho-corasick/main.rs | 222 + benchmarks/haystacks/opensubtitles/README.md | 12 + .../haystacks/opensubtitles/en-huge.txt | 22927 +++ .../haystacks/opensubtitles/en-medium.txt | 2170 + .../haystacks/opensubtitles/en-sampled.txt | 30000 ++++ .../haystacks/opensubtitles/en-small.txt | 39 + .../haystacks/opensubtitles/en-teeny.txt | 1 + .../haystacks/opensubtitles/en-tiny.txt | 2 + .../haystacks/opensubtitles/ru-huge.txt | 12685 ++ .../haystacks/opensubtitles/ru-medium.txt | 1323 + .../haystacks/opensubtitles/ru-sampled.txt | 30000 ++++ .../haystacks/opensubtitles/ru-small.txt | 18 + .../haystacks/opensubtitles/ru-teeny.txt | 1 + .../haystacks/opensubtitles/ru-tiny.txt | 2 + .../haystacks/opensubtitles/zh-huge.txt | 22000 +++ .../haystacks/opensubtitles/zh-medium.txt | 1465 + .../haystacks/opensubtitles/zh-sampled.txt | 30000 ++++ .../haystacks/opensubtitles/zh-small.txt | 28 + .../haystacks/opensubtitles/zh-teeny.txt | 1 + .../haystacks/opensubtitles/zh-tiny.txt | 3 + benchmarks/record/aarch64/2023-09-07.csv | 700 + benchmarks/record/aarch64/2023-09-16.csv | 992 + benchmarks/record/x86_64/2023-09-07.csv | 842 + benchmarks/record/x86_64/2023-09-16.csv | 992 + .../regexes/dictionary/english/length-10.txt | 43029 +++++ .../regexes/dictionary/english/length-15.txt | 2663 + .../dictionary/english/sorted-by-length.txt | 123115 +++++++++++++++ .../regexes/dictionary/english/sorted.txt | 123115 +++++++++++++++ src/packed/api.rs | 124 +- src/packed/ext.rs | 39 + src/packed/mod.rs | 12 +- src/packed/pattern.rs | 379 +- src/packed/rabinkarp.rs | 45 +- src/packed/teddy/builder.rs | 733 + src/packed/teddy/compile.rs | 502 - src/packed/teddy/generic.rs | 1378 + src/packed/teddy/mod.rs | 62 +- src/packed/teddy/runtime.rs | 1576 - src/packed/tests.rs | 96 +- src/packed/vector.rs | 1750 + src/packed/vectorold.rs | 190 - src/util/int.rs | 54 + src/util/prefilter.rs | 106 +- 61 files changed, 454720 insertions(+), 2577 deletions(-) create mode 100644 benchmarks/definitions/curated.toml create mode 100644 benchmarks/definitions/teddy.toml create mode 100644 benchmarks/engines/rust-old-aho-corasick/.gitignore create mode 100644 benchmarks/engines/rust-old-aho-corasick/Cargo.lock create mode 100644 benchmarks/engines/rust-old-aho-corasick/Cargo.toml create mode 100644 benchmarks/engines/rust-old-aho-corasick/README.md create mode 100644 benchmarks/engines/rust-old-aho-corasick/main.rs create mode 100644 benchmarks/haystacks/opensubtitles/README.md create mode 100644 benchmarks/haystacks/opensubtitles/en-huge.txt create mode 100644 benchmarks/haystacks/opensubtitles/en-medium.txt create mode 100644 benchmarks/haystacks/opensubtitles/en-sampled.txt create mode 100644 benchmarks/haystacks/opensubtitles/en-small.txt create mode 100644 benchmarks/haystacks/opensubtitles/en-teeny.txt create mode 100644 benchmarks/haystacks/opensubtitles/en-tiny.txt create mode 100644 benchmarks/haystacks/opensubtitles/ru-huge.txt create mode 100644 benchmarks/haystacks/opensubtitles/ru-medium.txt create mode 100644 benchmarks/haystacks/opensubtitles/ru-sampled.txt create mode 100644 benchmarks/haystacks/opensubtitles/ru-small.txt create mode 100644 benchmarks/haystacks/opensubtitles/ru-teeny.txt create mode 100644 benchmarks/haystacks/opensubtitles/ru-tiny.txt create mode 100644 benchmarks/haystacks/opensubtitles/zh-huge.txt create mode 100644 benchmarks/haystacks/opensubtitles/zh-medium.txt create mode 100644 benchmarks/haystacks/opensubtitles/zh-sampled.txt create mode 100644 benchmarks/haystacks/opensubtitles/zh-small.txt create mode 100644 benchmarks/haystacks/opensubtitles/zh-teeny.txt create mode 100644 benchmarks/haystacks/opensubtitles/zh-tiny.txt create mode 100644 benchmarks/record/aarch64/2023-09-07.csv create mode 100644 benchmarks/record/aarch64/2023-09-16.csv create mode 100644 benchmarks/record/x86_64/2023-09-07.csv create mode 100644 benchmarks/record/x86_64/2023-09-16.csv create mode 100644 benchmarks/regexes/dictionary/english/length-10.txt create mode 100644 benchmarks/regexes/dictionary/english/length-15.txt create mode 100644 benchmarks/regexes/dictionary/english/sorted-by-length.txt create mode 100644 benchmarks/regexes/dictionary/english/sorted.txt create mode 100644 src/packed/ext.rs create mode 100644 src/packed/teddy/builder.rs delete mode 100644 src/packed/teddy/compile.rs create mode 100644 src/packed/teddy/generic.rs delete mode 100644 src/packed/teddy/runtime.rs create mode 100644 src/packed/vector.rs delete mode 100644 src/packed/vectorold.rs diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index cc0f2d6..f1b34cf 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -131,8 +131,6 @@ jobs: - run: ${{ env.CARGO }} test --lib --verbose --no-default-features --features std,perf-literal,logging $TARGET - if: matrix.build == 'nightly' run: ${{ env.CARGO }} build --manifest-path aho-corasick-debug/Cargo.toml $TARGET - - if: matrix.build == 'nightly' - run: ${{ env.CARGO }} bench --verbose --manifest-path bench/Cargo.toml -- --test rustfmt: name: rustfmt diff --git a/Cargo.toml b/Cargo.toml index a6e57b0..e30043a 100644 --- a/Cargo.toml +++ b/Cargo.toml @@ -10,7 +10,7 @@ keywords = ["string", "search", "text", "pattern", "multi"] license = "Unlicense OR MIT" categories = ["text-processing"] autotests = false -exclude = ["/aho-corasick-debug"] +exclude = ["/aho-corasick-debug", "/benchmarks", "/tmp"] edition = "2021" rust-version = "1.60.0" diff --git a/benchmarks/definitions/build.toml b/benchmarks/definitions/build.toml index 08c18bf..cc83a78 100644 --- a/benchmarks/definitions/build.toml +++ b/benchmarks/definitions/build.toml @@ -8,6 +8,9 @@ engines = [ "rust/aho-corasick/default/standard", "rust/aho-corasick/default/leftmost-first", "rust/aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", "naive/rust/memchr/memmem", ] @@ -22,6 +25,10 @@ engines = [ "rust/aho-corasick/default/leftmost-first", "rust/aho-corasick/default/leftmost-longest", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -38,6 +45,10 @@ engines = [ "rust/aho-corasick/default/leftmost-first", "rust/aho-corasick/default/leftmost-longest", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -63,6 +74,10 @@ engines = [ "rust/aho-corasick/default/leftmost-first", "rust/aho-corasick/default/leftmost-longest", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -78,6 +93,9 @@ engines = [ "rust/aho-corasick/default/standard", "rust/aho-corasick/default/leftmost-first", "rust/aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -93,6 +111,9 @@ engines = [ "rust/aho-corasick/default/standard", "rust/aho-corasick/default/leftmost-first", "rust/aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", diff --git a/benchmarks/definitions/curated.toml b/benchmarks/definitions/curated.toml new file mode 100644 index 0000000..0b15544 --- /dev/null +++ b/benchmarks/definitions/curated.toml @@ -0,0 +1,238 @@ +analysis = ''' +These benchmarks come from [rebar's curated benchmark set]. + +We don't copy all of the benchmarks from there. Just the ones where the +`aho-corasick` crate is likely relevant. For example, for the regex +`(?i)Sherlock Holmes`, a small set of prefix literals is extracted that results +in a Teddy searcher being used. So we specifically benchmark the literals that +are extracted (at time of writing). + +[rebar's curated benchmark set]: https://github.com/BurntSushi/rebar/tree/e6100636137496c97273efcb5f5d869278e2e95d/benchmarks/definitions/curated +''' + +[[bench]] +model = "count" +name = "sherlock-en" +regex = ['Sherlock Holmes'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 513 +engines = [ + "rust/aho-corasick/default/leftmost-first", + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "daachorse/bytewise/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "sherlock-casei-en" +regex = [ + "SHER", "SHEr", "SHeR", "SHer", "ShER", "ShEr", "SheR", "Sher", + "sHER", "sHEr", "sHeR", "sHer", "shER", "shEr", "sheR", "sher", + "ſHE" , "ſHe" , "ſhE" , "ſhe" , +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 540 # original regex is 522 +engines = [ + "rust/aho-corasick/default/leftmost-first", + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "daachorse/bytewise/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "sherlock-ru" +regex = ['Шерлок Холмс'] +haystack = { path = "opensubtitles/ru-sampled.txt" } +count = 724 +engines = [ + "rust/aho-corasick/default/leftmost-first", + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "daachorse/bytewise/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "sherlock-casei-ru" +regex = [ + 'ШЕ\xd0', 'ШЕ\xd1', + 'Ше\xd0', 'Ше\xd1', + 'шЕ\xd0', 'шЕ\xd1', + 'ше\xd0', 'ше\xd1', +] +haystack = { path = "opensubtitles/ru-sampled.txt" } +count = 1608 # original regex is 746 +engines = [ + "rust/aho-corasick/default/leftmost-first", + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "daachorse/bytewise/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "sherlock-zh" +regex = ['夏洛克·福尔摩斯'] +haystack = { path = "opensubtitles/zh-sampled.txt" } +count = 30 +engines = [ + "rust/aho-corasick/default/leftmost-first", + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "daachorse/bytewise/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "alt-sherlock-en" +regex = [ + 'Sherlock Holmes', + 'John Watson', + 'Irene Adler', + 'Inspector Lestrade', + 'Professor Moriarty', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 714 +engines = [ + "rust/aho-corasick/default/leftmost-first", + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "daachorse/bytewise/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "alt-sherlock-casei-en" +regex = [ + 'SHE', 'SHe', 'ShE', 'She', 'sHE', 'sHe', 'shE', 'she', 'ſH', 'ſh', + 'JOH', 'JOh', 'JoH', 'Joh', 'jOH', 'jOh', 'joH', 'joh', + 'IRE', 'IRe', 'IrE', 'Ire', 'iRE', 'iRe', 'irE', 'ire', + 'INS', 'INs', 'IN\xc5', 'InS', 'Ins', 'In\xc5', + 'iNS', 'iNs', 'iN\xc5', 'inS', 'ins', 'in\xc5', + 'PRO', 'PRo', 'PrO', 'Pro', 'pRO', 'pRo', 'prO', 'pro', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 2456 # original regex is 725 +engines = [ + "rust/aho-corasick/default/leftmost-first", + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "daachorse/bytewise/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "alt-sherlock-ru" +regex = [ + "Шерлок Холмс", + "Джон Уотсон", + "Ирен Адлер", + "инспектор Лестрейд", + "профессор Мориарти", +] +haystack = { path = "opensubtitles/ru-sampled.txt" } +count = 899 +engines = [ + "rust/aho-corasick/default/leftmost-first", + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "daachorse/bytewise/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "alt-sherlock-casei-ru" +regex = [ + 'ШЕ', 'Ше', 'шЕ', 'ше', + 'ДЖ', 'Дж', 'дЖ', 'дж', 'ᲁ\xd0', + 'ИР', 'Ир', 'иР', 'ир', + 'ИН', 'Ин', 'иН', 'ин', + 'ПР', 'Пр', 'пР', 'пр', +] +haystack = { path = "opensubtitles/ru-sampled.txt" } +count = 11_400 # original regex is 971 +engines = [ + "rust/aho-corasick/default/leftmost-first", + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "daachorse/bytewise/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "alt-sherlock-zh" +regex = [ + "夏洛克·福尔摩斯", + "约翰华生", + "阿德勒", + "雷斯垂德", + "莫里亚蒂教授", +] +haystack = { path = "opensubtitles/zh-sampled.txt" } +count = 207 +engines = [ + "rust/aho-corasick/default/leftmost-first", + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "daachorse/bytewise/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "dictionary-15" +regex = { path = "dictionary/english/length-15.txt", per-line = "pattern" } +haystack = { path = "opensubtitles/en-medium.txt" } +count = 1 +engines = [ + "rust/aho-corasick/default/leftmost-first", + "rust/aho-corasick/nfa-contiguous/leftmost-first", + "rust/aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "daachorse/bytewise/leftmost-first", + "naive/rust/memchr/memmem", +] diff --git a/benchmarks/definitions/random/many.toml b/benchmarks/definitions/random/many.toml index 6664c3e..3008433 100644 --- a/benchmarks/definitions/random/many.toml +++ b/benchmarks/definitions/random/many.toml @@ -15,6 +15,12 @@ engines = [ "rust/aho-corasick/nfa-noncontiguous/leftmost-first", "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -34,6 +40,12 @@ engines = [ "rust/aho-corasick/nfa-noncontiguous/leftmost-first", "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", diff --git a/benchmarks/definitions/random/memchr.toml b/benchmarks/definitions/random/memchr.toml index a352f92..ee0ffde 100644 --- a/benchmarks/definitions/random/memchr.toml +++ b/benchmarks/definitions/random/memchr.toml @@ -25,6 +25,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -45,6 +52,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -65,6 +79,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -85,6 +106,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -105,6 +133,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -125,6 +160,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -145,6 +187,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -165,6 +214,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -185,6 +241,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -205,6 +268,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", diff --git a/benchmarks/definitions/random/misc.toml b/benchmarks/definitions/random/misc.toml index c38bd4a..7507223 100644 --- a/benchmarks/definitions/random/misc.toml +++ b/benchmarks/definitions/random/misc.toml @@ -19,6 +19,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -42,6 +49,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", diff --git a/benchmarks/definitions/same.toml b/benchmarks/definitions/same.toml index 1953bb7..d698a90 100644 --- a/benchmarks/definitions/same.toml +++ b/benchmarks/definitions/same.toml @@ -20,6 +20,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -40,6 +47,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -60,6 +74,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -80,6 +101,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -100,6 +128,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -120,6 +155,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -140,6 +182,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -160,6 +209,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -180,6 +236,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -200,6 +263,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -220,6 +290,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", diff --git a/benchmarks/definitions/sherlock.toml b/benchmarks/definitions/sherlock.toml index cfe3b57..fb88559 100644 --- a/benchmarks/definitions/sherlock.toml +++ b/benchmarks/definitions/sherlock.toml @@ -12,6 +12,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -32,6 +39,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -52,6 +66,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -72,6 +93,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -92,6 +120,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -112,6 +147,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -132,6 +174,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -161,6 +210,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -185,6 +241,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -210,6 +273,13 @@ engines = [ "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", @@ -232,6 +302,12 @@ engines = [ "rust/aho-corasick/nfa-noncontiguous/leftmost-first", "rust/aho-corasick/nfa-contiguous/leftmost-first", "rust/aho-corasick/dfa/leftmost-first", + "rust/old-aho-corasick/default/standard", + "rust/old-aho-corasick/default/leftmost-first", + "rust/old-aho-corasick/default/leftmost-longest", + "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first", + "rust/old-aho-corasick/nfa-contiguous/leftmost-first", + "rust/old-aho-corasick/dfa/leftmost-first", "daachorse/bytewise/leftmost-first", "daachorse/bytewise/leftmost-longest", "naive/rust/memchr/memmem", diff --git a/benchmarks/definitions/teddy.toml b/benchmarks/definitions/teddy.toml new file mode 100644 index 0000000..c484c1d --- /dev/null +++ b/benchmarks/definitions/teddy.toml @@ -0,0 +1,1017 @@ +analysis = ''' +These benchmarks are specifically designed to stress certain areas of substring +search using the Teddy vector algorithm. +''' + +[[bench]] +model = "count" +name = "teddy1-1pat-supercommon" +regex = [' '] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 139_756 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy1-1pat-common" +regex = ['a'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 47_062 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy1-1pat-uncommon" +regex = ['<'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 0 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy1-2pat-common" +regex = ['a', 'b'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 55_518 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy1-2pat-uncommon" +regex = ['<', '>'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 0 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy1-8pat-common" +regex = ['a', 'b', 't', 'e', 'i', 'o', 'c', 'g'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 309_829 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy1-8pat-uncommon" +regex = ['<', '>', '#', '&', '@', '%', '~', '`'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 217 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy1-16pat-common" +regex = [ + 'e', 'o', 't', 'a', 'n', 'i', 's', 'h', + 'r', 'l', 'u', 'd', 'y', 'm', 'g', 'w', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 555_321 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy1-16pat-uncommon" +regex = [ + '<', '>', '#', '&', '@', '%', '~', '`', + '(', ')', '*', '{', '}', '[', ']', '+', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 1_707 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy1-32pat-common" +regex = [ + 'e', 'o', 't', 'a', 'n', 'i', 's', 'h', + 'r', 'l', 'u', 'd', 'y', 'm', 'g', 'w', + 'c', 'f', 'p', 'k', 'b', 'v', 'j', 'x', + 'z', 'q', 'I', 'T', 'W', 'S', 'H', 'A', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 640_295 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy1-32pat-uncommon" +regex = [ + ':', 'q', 'V', '1', ')', '(', '2', '5', + '#', '3', '4', '8', '9', '7', 'Z', 'Q', + '6', '*', '$', 'X', '~', '}', '{', '`', + '%', '/', ';', '\', '_', '|', '@', '+', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 3146 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy1-48pat-common" +regex = [ + 'e', 'o', 't', 'a', 'n', 'i', 's', 'h', + 'r', 'l', '.', 'u', 'd', 'y', 'm', 'g', + 'w', 'c', 'f', ',', "'", 'I', 'p', 'k', + 'b', 'v', '-', '?', 'T', 'W', 'S', 'H', + 'A', 'Y', '!', 'O', 'M', 'N', 'E', 'C', + 'L', 'D', 'B', 'G', 'R', 'P', 'j', 'F', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 720_038 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy1-48pat-uncommon" +regex = [ + 'D', 'B', 'G', 'R', 'P', 'j', 'F', 'x', + '"', 'U', 'J', 'K', '0', '[', ']', 'z', + ':', 'q', 'V', '1', ')', '(', '2', '5', + '#', '3', '4', '8', '9', '7', 'Z', 'Q', + '6', '*', '$', 'X', '~', '}', '{', '`', + '%', '/', ';', '\', '_', '|', '@', '+', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 17_648 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy1-64pat-common" +regex = [ + 'e', 'o', 't', 'a', 'n', 'i', 's', 'h', + 'r', 'l', '.', 'u', 'd', 'y', 'm', 'g', + 'w', 'c', 'f', ',', "'", 'I', 'p', 'k', + 'b', 'v', '-', '?', 'T', 'W', 'S', 'H', + 'A', 'Y', '!', 'O', 'M', 'N', 'E', 'C', + 'L', 'D', 'B', 'G', 'R', 'P', 'j', 'F', + 'x', '"', 'U', 'J', 'K', '0', '[', ']', + 'z', ':', 'q', 'V', '1', ')', '(', '2', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 727_274 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy1-64pat-uncommon" +regex = [ + '\xFF', '\xFE', '\xFD', '\xFC', '\xFB', '\xFA', '\xF9', '\xF8', + '\xEF', '\xEE', '\xED', '\xEC', '\xEB', '\xEA', '\xE9', '\xE8', + '\xDF', '\xDE', '\xDD', '\xDC', '\xDB', '\xDA', '\xD9', '\xD8', + '\xCF', '\xCE', '\xCD', '\xCC', '\xCB', '\xCA', '\xC9', '\xC8', + ':', 'q', 'V', '1', ')', '(', '2', '5', + '#', '3', '4', '8', '9', '7', 'Z', 'Q', + '6', '*', '$', 'X', '~', '}', '{', '`', + '%', '/', ';', '\', '_', '|', '@', '+', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 3_151 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy2-1pat-common" +regex = [' t'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 17_907 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy2-1pat-uncommon" +regex = ['<>'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 0 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy2-2pat-common" +regex = ['at', 'be'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 9_982 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy2-2pat-uncommon" +regex = ['<>', '&&'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 0 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy2-8pat-common" +regex = ['as', 'ie', 'me', 'be', 'oo', 'th', 'if', 'my'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 31_360 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy2-8pat-uncommon" +regex = ['<>', '#&', '@%', '~`', 'ZZ', 'YY', 'WW', 'UU'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 4 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy2-16pat-common" +regex = [ + 'th', 'in', 'yo', 'at', 'to', 'me', 'er', 're', + 'an', 'st', 'is', 'on', 'll', 'he', 've', 'it', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 106_751 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy2-16pat-uncommon" +regex = [ + '-$', '~.', '}#', '||', '__', '_.', ':)', '/-', + '.~', '.-', '.,', '-?', '(?', '(.', '#[', '"]', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 21 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy2-32pat-common" +regex = [ + 'th', 'in', 'yo', 'at', 'to', 're', 'me', 'er', + 'an', 'st', 'll', 'is', 'on', 've', 'he', 'it', + 'en', 'ar', 'do', 'ou', 'of', 'be', 'wa', 'Th', + 'ha', 'es', 'ng', 'se', 'le', 'go', 'al', 'co', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 145_889 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy2-32pat-uncommon" +regex = [ + '/2', '.2', '"2', '1c', '1?', '1!', '"1', '0r', + '0o', '0K', '0f', '07', '06', '$8', '$7', '$6', + '-$', '~.', '}#', '||', '__', '_.', ':)', '/-', + '.~', '.-', '.,', '-?', '(?', '(.', '#[', '"]', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 42 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy2-48pat-common" +regex = [ + 'th', 'in', 'yo', 'at', 'to', 're', 'me', 'er', + 'an', 'st', 'll', 'is', 'on', 've', 'he', 'it', + 'en', 'ar', 'do', 'ou', 'of', 'be', 'wa', 'Th', + 'ha', 'es', 'ng', 'se', 'le', 'go', 'al', 'co', + 'ca', 'te', 'ne', 'li', 'no', 'Yo', 'ed', '..', + 'so', 'ur', 'lo', 'we', 'wh', 'fo', 'ma', 'Wh', + +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 171_422 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy2-48pat-uncommon" +regex = [ + '#4', '3r', '39', '38', '37', '34', '3\', '.3', + '+3', '#3', '2p', '2O', '2n', '2F', '27', '2)', + '/2', '.2', '"2', '1c', '1?', '1!', '"1', '0r', + '0o', '0K', '0f', '07', '06', '$8', '$7', '$6', + '-$', '~.', '}#', '||', '__', '_.', ':)', '/-', + '.~', '.-', '.,', '-?', '(?', '(.', '#[', '"]', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 64 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy2-64pat-common" +regex = [ + 'th', 'in', 'yo', 'at', 'to', 're', 'me', 'er', + 'an', 'st', 'll', 'is', 'on', 've', 'he', 'it', + 'en', 'ar', 'do', 'ou', 'of', 'be', 'wa', 'Th', + 'ha', 'es', 'ng', 'se', 'le', 'go', 'al', 'co', + 'ca', 'te', 'ne', 'li', 'no', 'Yo', 'ed', '..', + 'so', 'ur', 'lo', 'we', 'wh', 'fo', 'ma', 'Wh', + 'ke', 'de', 'nd', 'wi', 'ow', 'nt', 'hi', 'gh', + 'ck', 'ti', 'sh', 'ri', 'ea', 'di', 'e.', 'ge', + +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 194_729 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy2-64pat-uncommon" +regex = [ + '"7', '6t', '64', '62', '61', '.6', '-6', '5p', + '56', ':5', '.5', '"5', '4s', '4K', '4:', '.4', + '#4', '3r', '39', '38', '37', '34', '3\', '.3', + '+3', '#3', '2p', '2O', '2n', '2F', '27', '2)', + '/2', '.2', '"2', '1c', '1?', '1!', '"1', '0r', + '0o', '0K', '0f', '07', '06', '$8', '$7', '$6', + '-$', '~.', '}#', '||', '__', '_.', ':)', '/-', + '.~', '.-', '.,', '-?', '(?', '(.', '#[', '"]', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 83 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy3-1pat-common" +regex = ['the'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 7_256 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy3-1pat-uncommon" +regex = ['<&>'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 0 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy3-2pat-common" +regex = ['the', 'you'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 13_529 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy3-2pat-uncommon" +regex = ['<&>', 'ZQY'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 0 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy3-8pat-common" +regex = ['you', 'the', 'and', 'for', 'was', 'are', 'can', 'don'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = [ + # Applying single substring search for each leads to slightly different + # counts because of the possibility of overlapping matches. We generally + # try to avoid this, but the count discrepancy is close enough that we + # leave it alone. + { engine = '.*/memmem', count = 21_465 }, + { engine = '.*', count = 21_436 }, +] +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy3-8pat-uncommon" +regex = ['<&>', 'ZQY', 'ADA', 'QQQ', '@-@', '{;}', '*]$', 'BXU'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 1 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy3-16pat-common" +regex = [ + 'the', 'you', 'tha', 'thi', 'You', 'and', 'her', 'for', + 'The', 'ing', 'hav', 'was', 'kno', 'Wha', 'not', 'are', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 37_429 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy3-16pat-uncommon" +regex = [ + '$8,', '$75', '$65', '-$6', '$58', '$5.', '$5,', '$30', + '$3.', '$21', '$2.', '$12', '?""', '..-', '..,', '!""', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 16 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy3-32pat-common" +regex = [ + 'the', 'you', 'tha', 'thi', 'You', 'and', 'her', 'for', + 'The', 'ing', 'hav', 'was', 'kno', 'Wha', 'not', 'are', + 'wit', 'don', 'can', 'all', 'She', 'get', 'Tha', 'wha', + 'out', 'com', 'wan', '...', 'som', 'lik', 'him', 'mes', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 51_347 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy3-32pat-uncommon" +regex = [ + '0hh', '0h.', '0h,', '0,8', '0.7', '0-5', '034', '0:3', + '0,3', '0:2', '01,', '00:', '00)', '.00', ',0:', ',0)', + '$8,', '$75', '$65', '-$6', '$58', '$5.', '$5,', '$30', + '$3.', '$21', '$2.', '$12', '?""', '..-', '..,', '!""', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 35 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy3-48pat-common" +regex = [ + 'the', 'you', 'tha', 'thi', 'You', 'and', 'her', 'for', + 'The', 'ing', 'hav', 'was', 'kno', 'Wha', 'not', 'are', + 'wit', 'don', 'can', 'all', 'She', 'get', 'Tha', 'wha', + 'out', 'com', 'wan', '...', 'som', 'lik', 'him', 'mes', + 'Hol', 'one', 'got', 'abo', 'jus', 'cou', 'see', 'And', + 'eve', 'man', 'rig', 'rlo', 'it.', 'rea', 'did', 'wor', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 61_132 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy3-48pat-uncommon" +regex = [ + '11,', '108', '107', '10?', '10,', '10%', '1:0', '1..', + '{\1', '-1?', '-1,', '"1"', '0rn', '0pm', '0op', '0K,', + '0hh', '0h.', '0h,', '0,8', '0.7', '0-5', '034', '0:3', + '0,3', '0:2', '01,', '00:', '00)', '.00', ',0:', ',0)', + '$8,', '$75', '$65', '-$6', '$58', '$5.', '$5,', '$30', + '$3.', '$21', '$2.', '$12', '?""', '..-', '..,', '!""', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 53 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy3-64pat-common" +regex = [ + 'the', 'you', 'tha', 'thi', 'You', 'and', 'her', 'for', + 'The', 'ing', 'hav', 'was', 'kno', 'Wha', 'not', 'are', + 'wit', 'don', 'can', 'all', 'She', 'get', 'Tha', 'wha', + 'out', 'com', 'wan', '...', 'som', 'lik', 'him', 'mes', + 'Hol', 'one', 'got', 'abo', 'jus', 'cou', 'see', 'And', + 'eve', 'man', 'rig', 'rlo', 'it.', 'rea', 'did', 'wor', + 'ter', 'kin', 'sho', 'ple', 'any', 'wil', 'fro', 'pla', + 'but', 'whe', 'Oh,', 'But', 'me.', 'pro', 'tak', 'wer', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 68_368 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy3-64pat-uncommon" +regex = [ + '15p', '15c', '15a', '15.', '15-', '14t', '14,', '13.', + '13,', '12t', '12:', '11t', '118', '116', '110', '11.', + '11,', '108', '107', '10?', '10,', '10%', '1:0', '1..', + '{\1', '-1?', '-1,', '"1"', '0rn', '0pm', '0op', '0K,', + '0hh', '0h.', '0h,', '0,8', '0.7', '0-5', '034', '0:3', + '0,3', '0:2', '01,', '00:', '00)', '.00', ',0:', ',0)', + '$8,', '$75', '$65', '-$6', '$58', '$5.', '$5,', '$30', + '$3.', '$21', '$2.', '$12', '?""', '..-', '..,', '!""', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 73 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy4-1pat-common" +regex = ['that'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 1_771 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy4-1pat-uncommon" +regex = ['<&@>'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 0 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy4-2pat-common" +regex = ['that', 'have'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 2_843 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy4-2pat-uncommon" +regex = ['<&@>', 'WXYZ'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 0 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy4-8pat-common" +regex = ['that', 'have', 'this', 'your', 'know', 'with', 'what', 'here'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 9_270 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy4-8pat-uncommon" +regex = ['abut', 'chum', 'dink', 'flop', 'golf', 'hoax', 'isle', 'pear'] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 52 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", + "naive/rust/memchr/memmem", +] + +[[bench]] +model = "count" +name = "teddy4-16pat-common" +regex = [ + 'that', 'your', 'have', 'this', 'thin', 'What', 'know', 'with', + 'here', 'what', 'some', 'like', 'ther', 'want', 'That', 'just', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 15_295 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy4-16pat-uncommon" +regex = [ + '$8,0', '$75,', '-$67', '$650', '$58,', '$5.0', '$5,0', '$3.9', + '$2.4', '$20.', '$1,9', '$150', '$15,', '$120', '$10.', '...,', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 16 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy4-32pat-common" +regex = [ + 'that', 'your', 'have', 'this', 'thin', 'What', 'know', 'with', + 'here', 'what', 'some', 'like', 'ther', 'want', 'That', 'just', + 'abou', 'lock', 'Sher', 'Holm', 'righ', 'you.', 'will', 'they', + 'time', 'from', 'ever', 'Well', 'them', 'come', 'goin', 'Yeah', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 22_523 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy4-32pat-uncommon" +regex = [ + '0-55', '0,39', '0:30', '0:25', '0000', '000.', '000,', '00:0', + '0:00', '0.00', '0,00', '0,0:', '0,0)', '.00,', ',0:0', '0...', + '$8,0', '$75,', '-$67', '$650', '$58,', '$5.0', '$5,0', '$3.9', + '$2.4', '$20.', '$1,9', '$150', '$15,', '$120', '$10.', '...,', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 56 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy4-48pat-common" +regex = [ + 'that', 'your', 'have', 'this', 'thin', 'What', 'know', 'with', + 'here', 'what', 'some', 'like', 'ther', 'want', 'That', 'just', + 'abou', 'lock', 'Sher', 'Holm', 'righ', 'you.', 'will', 'they', + 'time', 'from', 'ever', 'Well', 'them', 'come', 'goin', 'Yeah', + 'take', 'woul', 'good', 'Come', 'were', 'look', 'This', 'They', + 'back', 'been', 'real', 'coul', 'tell', 'mean', 'gonn', 'down', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 27_293 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy4-48pat-uncommon" +regex = [ + '1034', '10-3', '10-2', '100.', '1:00', '1-0.', '1-0-', '1...', + '0)}S', '0rni', '0ops', '0)}m', '0hh,', '0)}G', '0,80', '0.77', + '0-55', '0,39', '0:30', '0:25', '0000', '000.', '000,', '00:0', + '0:00', '0.00', '0,00', '0,0:', '0,0)', '.00,', ',0:0', '0...', + '$8,0', '$75,', '-$67', '$650', '$58,', '$5.0', '$5,0', '$3.9', + '$2.4', '$20.', '$1,9', '$150', '$15,', '$120', '$10.', '...,', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 74 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy4-64pat-common" +regex = [ + 'that', 'your', 'have', 'this', 'thin', 'What', 'know', 'with', + 'here', 'what', 'some', 'like', 'ther', 'want', 'That', 'just', + 'abou', 'lock', 'Sher', 'Holm', 'righ', 'you.', 'will', 'they', + 'time', 'from', 'ever', 'Well', 'them', 'come', 'goin', 'Yeah', + 'take', 'woul', 'good', 'Come', 'were', 'look', 'This', 'They', + 'back', 'been', 'real', 'coul', 'tell', 'mean', 'gonn', 'down', + 'love', 'talk', 'Ther', 'you,', 'over', 'when', 'make', 'you?', + 'ing.', 'didn', 'need', 'neve', 'more', 'call', 'litt', 'hear', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 30_683 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy4-64pat-uncommon" +regex = [ + '154.', ':15.', '14-y', '14th', '14-2', '140.', '12th', '12:3', + '11th', '1181', '11.1', '..11', '10-y', '108.', '10-8', '10:5', + '1034', '10-3', '10-2', '100.', '1:00', '1-0.', '1-0-', '1...', + '0)}S', '0rni', '0ops', '0)}m', '0hh,', '0)}G', '0,80', '0.77', + '0-55', '0,39', '0:30', '0:25', '0000', '000.', '000,', '00:0', + '0:00', '0.00', '0,00', '0,0:', '0,0)', '.00,', ',0:0', '0...', + '$8,0', '$75,', '-$67', '$650', '$58,', '$5.0', '$5,0', '$3.9', + '$2.4', '$20.', '$1,9', '$150', '$15,', '$120', '$10.', '...,', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 90 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy4-80pat-common" +regex = [ + 'that', 'your', 'have', 'this', 'thin', 'What', 'know', 'with', + 'here', 'what', 'some', 'like', 'ther', 'want', 'That', 'just', + 'abou', 'lock', 'Sher', 'Holm', 'righ', 'you.', 'will', 'they', + 'time', 'from', 'ever', 'Well', 'them', 'come', 'goin', 'Yeah', + 'take', 'woul', 'good', 'Come', 'were', 'look', 'This', 'They', + 'back', 'been', 'real', 'coul', 'tell', 'mean', 'gonn', 'down', + 'love', 'talk', 'Ther', 'you,', 'over', 'when', 'make', 'you?', + 'ing.', 'didn', 'need', 'neve', 'more', 'call', 'litt', 'hear', + 'work', 'thou', 'than', 'very', 'unde', 'only', 'doin', 'does', + 'shou', 'Yes,', 'Wher', 'hing', 'frie', 'happ', 'give', 'nigh', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 33_670 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy4-80pat-uncommon" +regex = [ + 'gnos', 'in."', 'geon', 'Aid.', 'Kink', 'And-', 'Gupt', 'glai', + '1...', 'KNEE', 'Hiki', 'Bale', 'het.', 'Kirk', 'Hari', 'hool', + 'A*S*', 'Guad', '11th', 'EMIL', 'Goos', 'holm', 'Guit', 'itht', + 'l-fu', 'Geck', 'KENK', 'canv', 'FILT', '~BBC', 'ELSE', 'ezer', + 'gies', 'i-ce', '(gir', 'guy!', 'Clue', '"ALL', 'gros', 'II..', + 'ARIU', 'Ahh!', 'Gazz', 'Ken.', 'JUNI', 'Gira', '[bel', 'flut', + 'daft', 'Caut', 'Humi', 'Grif', 'foss', '1950', 'imou', 'Jimb', + 'BLIS', 'Bogo', 'BAST', 'Foyl', 'BLIC', 'ari.', '[Ind', 'ERSE', + '"Adm', 'Empl', '--de', 'Boil', '2.20', 'COSM', 'Eisu', 'alos', + 'LITT', 'che.', 'cow!', 'blut', 'Hats', 'atsu', 'Isle', 'hot-', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 159 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy4-96pat-common" +regex = [ + 'that', 'your', 'have', 'this', 'thin', 'What', 'know', 'with', + 'here', 'what', 'some', 'like', 'ther', 'want', 'That', 'just', + 'abou', 'lock', 'Sher', 'Holm', 'righ', 'you.', 'will', 'they', + 'time', 'from', 'ever', 'Well', 'them', 'come', 'goin', 'Yeah', + 'take', 'woul', 'good', 'Come', 'were', 'look', 'This', 'They', + 'back', 'been', 'real', 'coul', 'tell', 'mean', 'gonn', 'down', + 'love', 'talk', 'Ther', 'you,', 'over', 'when', 'make', 'you?', + 'ing.', 'didn', 'need', 'neve', 'more', 'call', 'litt', 'hear', + 'work', 'thou', 'than', 'very', 'unde', 'only', 'doin', 'does', + 'shou', 'Yes,', 'Wher', 'hing', 'frie', 'happ', 'give', 'nigh', + 'even', 'Than', 'peop', 'agai', 'tion', 'into', 'said', 'kill', + 'help', 'wher', 'feel', 'much', 'must', 'play', 'life', 'year', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 36_680 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] + +[[bench]] +model = "count" +name = "teddy4-96pat-uncommon" +regex = [ + 'Erm,', '\jus', 'herp', 'Lega', 'anea', 'Kura', 'Loop', 'Delw', + '..[K', 'lopi', 'iet,', 'Aars', 'Hauk', '"cut', 'aid.', '-fas', + 'Fakr', 'anin', 'dale', '9-1-', 'mac.', 'idem', 'kerc', 'ked?', + 'CTIV', 'baba', '(DOO', 'Coas', 'HANI', 'ctri', 'ehma', 'libu', + 'he--', 'dat?', 'ace,', 'ALL.', 'kung', 'Dyap', 'fad(', 'ISS]', + 'Kail', 'alik', 'Dens', 'Eben', 'fizz', '$58,', 'BEAN', 'arte', + 'CIA.', 'atis', 'eime', 'lman', 'ABEL', 'ix..', 'BETW', 'daft', + 'Honk', 'LOUS', '"Fun', '$5.0', 'apse', 'HS]:', 'dged', 'apme', + '[Bir', 'Jewe', 'anth', 'Jude', '[Fal', '{\1c', 'Filt', 'diya', + '35-b', 'Dost', 'Aaah', 'gler', 'Desm', 'boso', 'flap', 'koku', + 'inap', '(Cal', 'Krau', 'Babe', 'ief.', 'bulb', 'FIDD', '"Hei', + 'erey', 'euth', 'Esbr', 'doms', 'Gawd', 'Else', 'ill!', '[KIT', +] +haystack = { path = "opensubtitles/en-sampled.txt" } +count = 283 +engines = [ + "rust/aho-corasick/dfa/leftmost-first", + "rust/aho-corasick/packed/leftmost-first", + "rust/old-aho-corasick/packed/leftmost-first", +] diff --git a/benchmarks/engines.toml b/benchmarks/engines.toml index d1c15e6..9d3e677 100644 --- a/benchmarks/engines.toml +++ b/benchmarks/engines.toml @@ -113,6 +113,121 @@ bin = "cargo" args = ["clean"] +# Engines for aho-corasick, but pinned to 1.0.5. Essentially a way of +# benchmarking the older version before some internal refactoring. + +[[engine]] + name = "rust/old-aho-corasick/default/standard" + cwd = "./engines/rust-old-aho-corasick" + [engine.version] + bin = "./target/release/main" + args = ["--version"] + [engine.run] + bin = "./target/release/main" + args = ["default/standard"] + [[engine.build]] + bin = "cargo" + args = ["build", "--release"] + [[engine.clean]] + bin = "cargo" + args = ["clean"] + +[[engine]] + name = "rust/old-aho-corasick/default/leftmost-first" + cwd = "./engines/rust-old-aho-corasick" + [engine.version] + bin = "./target/release/main" + args = ["--version"] + [engine.run] + bin = "./target/release/main" + args = ["default/leftmost-first"] + [[engine.build]] + bin = "cargo" + args = ["build", "--release"] + [[engine.clean]] + bin = "cargo" + args = ["clean"] + +[[engine]] + name = "rust/old-aho-corasick/default/leftmost-longest" + cwd = "./engines/rust-old-aho-corasick" + [engine.version] + bin = "./target/release/main" + args = ["--version"] + [engine.run] + bin = "./target/release/main" + args = ["default/leftmost-longest"] + [[engine.build]] + bin = "cargo" + args = ["build", "--release"] + [[engine.clean]] + bin = "cargo" + args = ["clean"] + +[[engine]] + name = "rust/old-aho-corasick/nfa-noncontiguous/leftmost-first" + cwd = "./engines/rust-old-aho-corasick" + [engine.version] + bin = "./target/release/main" + args = ["--version"] + [engine.run] + bin = "./target/release/main" + args = ["nfa-noncontiguous/leftmost-first"] + [[engine.build]] + bin = "cargo" + args = ["build", "--release"] + [[engine.clean]] + bin = "cargo" + args = ["clean"] + +[[engine]] + name = "rust/old-aho-corasick/nfa-contiguous/leftmost-first" + cwd = "./engines/rust-old-aho-corasick" + [engine.version] + bin = "./target/release/main" + args = ["--version"] + [engine.run] + bin = "./target/release/main" + args = ["nfa-contiguous/leftmost-first"] + [[engine.build]] + bin = "cargo" + args = ["build", "--release"] + [[engine.clean]] + bin = "cargo" + args = ["clean"] + +[[engine]] + name = "rust/old-aho-corasick/dfa/leftmost-first" + cwd = "./engines/rust-old-aho-corasick" + [engine.version] + bin = "./target/release/main" + args = ["--version"] + [engine.run] + bin = "./target/release/main" + args = ["dfa/leftmost-first"] + [[engine.build]] + bin = "cargo" + args = ["build", "--release"] + [[engine.clean]] + bin = "cargo" + args = ["clean"] + +[[engine]] + name = "rust/old-aho-corasick/packed/leftmost-first" + cwd = "./engines/rust-old-aho-corasick" + [engine.version] + bin = "./target/release/main" + args = ["--version"] + [engine.run] + bin = "./target/release/main" + args = ["packed/leftmost-first"] + [[engine.build]] + bin = "cargo" + args = ["build", "--release"] + [[engine.clean]] + bin = "cargo" + args = ["clean"] + # Aho-Corasick engines from daachorse. AFAIK, this is the only Rust library # that is anywhere near competitive with the aho-corasick crate. # diff --git a/benchmarks/engines/rust-aho-corasick/Cargo.lock b/benchmarks/engines/rust-aho-corasick/Cargo.lock index 06daf55..2e9101e 100644 --- a/benchmarks/engines/rust-aho-corasick/Cargo.lock +++ b/benchmarks/engines/rust-aho-corasick/Cargo.lock @@ -5,6 +5,16 @@ version = 3 [[package]] name = "aho-corasick" version = "1.0.5" +dependencies = [ + "log", + "memchr", +] + +[[package]] +name = "aho-corasick" +version = "1.0.5" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "0c378d78423fdad8089616f827526ee33c19f2fddbd5de1629152c9593ba4783" dependencies = [ "memchr", ] @@ -15,6 +25,17 @@ version = "1.0.69" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "224afbd727c3d6e4b90103ece64b8d1b67fbb1973b1046c2281eed3f3803f800" +[[package]] +name = "atty" +version = "0.2.14" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d9b39be18770d11421cdb1b9947a45dd3f37e93092cbf377614828a319d5fee8" +dependencies = [ + "hermit-abi", + "libc", + "winapi", +] + [[package]] name = "bstr" version = "1.6.2" @@ -25,18 +46,59 @@ dependencies = [ "serde", ] +[[package]] +name = "env_logger" +version = "0.9.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "a12e6657c4c97ebab115a42dcee77225f7f482cdd841cf7088c657a42e9e00e7" +dependencies = [ + "atty", + "humantime", + "log", + "regex", + "termcolor", +] + +[[package]] +name = "hermit-abi" +version = "0.1.19" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "62b467343b94ba476dcb2500d242dadbb39557df889310ac77c5d99100aaac33" +dependencies = [ + "libc", +] + +[[package]] +name = "humantime" +version = "2.1.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9a3a5bfb195931eeb336b2a7b4d761daec841b97f947d34394601737a7bba5e4" + [[package]] name = "lexopt" version = "0.3.0" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "baff4b617f7df3d896f97fe922b64817f6cd9a756bb81d40f8883f2f66dcb401" +[[package]] +name = "libc" +version = "0.2.148" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9cdc71e17332e86d2e1d38c1f99edcb6288ee11b815fb1a4b049eaa2114d369b" + +[[package]] +name = "log" +version = "0.4.20" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "b5e6163cb8c49088c2c36f57875e58ccd8c87c7427f7fbd50ea6710b2f3f2e8f" + [[package]] name = "main" version = "1.0.5" dependencies = [ - "aho-corasick", + "aho-corasick 1.0.5", "anyhow", + "env_logger", "lexopt", "shared", ] @@ -47,6 +109,35 @@ version = "2.6.3" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "8f232d6ef707e1956a43342693d2a31e72989554d58299d7a88738cc95b0d35c" +[[package]] +name = "regex" +version = "1.9.5" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "697061221ea1b4a94a624f67d0ae2bfe4e22b8a17b6a192afb11046542cc8c47" +dependencies = [ + "aho-corasick 1.0.5 (registry+https://github.com/rust-lang/crates.io-index)", + "memchr", + "regex-automata", + "regex-syntax", +] + +[[package]] +name = "regex-automata" +version = "0.3.8" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "c2f401f4955220693b56f8ec66ee9c78abffd8d1c4f23dc41a23839eb88f0795" +dependencies = [ + "aho-corasick 1.0.5 (registry+https://github.com/rust-lang/crates.io-index)", + "memchr", + "regex-syntax", +] + +[[package]] +name = "regex-syntax" +version = "0.7.5" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "dbb5fb1acd8a1a18b3dd5be62d25485eb770e05afb408a9627d14d451bae12da" + [[package]] name = "serde" version = "1.0.152" @@ -60,3 +151,43 @@ dependencies = [ "anyhow", "bstr", ] + +[[package]] +name = "termcolor" +version = "1.2.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "be55cf8942feac5c765c2c993422806843c9a9a45d4d5c407ad6dd2ea95eb9b6" +dependencies = [ + "winapi-util", +] + +[[package]] +name = "winapi" +version = "0.3.9" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "5c839a674fcd7a98952e593242ea400abe93992746761e38641405d28b00f419" +dependencies = [ + "winapi-i686-pc-windows-gnu", + "winapi-x86_64-pc-windows-gnu", +] + +[[package]] +name = "winapi-i686-pc-windows-gnu" +version = "0.4.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "ac3b87c63620426dd9b991e5ce0329eff545bccbbb34f3be09ff6fb6ab51b7b6" + +[[package]] +name = "winapi-util" +version = "0.1.5" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "70ec6ce85bb158151cae5e5c87f95a8e97d2c0c4b001223f33a334e3ce5de178" +dependencies = [ + "winapi", +] + +[[package]] +name = "winapi-x86_64-pc-windows-gnu" +version = "0.4.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "712e227841d057c1ee1cd2fb22fa7e5a5461ae8e48fa2ca79ec42cfc1931183f" diff --git a/benchmarks/engines/rust-aho-corasick/Cargo.toml b/benchmarks/engines/rust-aho-corasick/Cargo.toml index 8e291c8..9777d99 100644 --- a/benchmarks/engines/rust-aho-corasick/Cargo.toml +++ b/benchmarks/engines/rust-aho-corasick/Cargo.toml @@ -8,9 +8,12 @@ name = "main" path = "main.rs" [dependencies] +aho-corasick = { version = "*", path = "../../../", features = ["logging"] } anyhow = "1.0.69" +# Using an older version here because I am really not a fan of the dependency +# tree explosion that has happened in 0.10. +env_logger = "0.9.3" lexopt = "0.3.0" -aho-corasick = { version = "*", path = "../../../" } [dependencies.shared] path = "../../shared" diff --git a/benchmarks/engines/rust-aho-corasick/main.rs b/benchmarks/engines/rust-aho-corasick/main.rs index 54500ac..9f811c2 100644 --- a/benchmarks/engines/rust-aho-corasick/main.rs +++ b/benchmarks/engines/rust-aho-corasick/main.rs @@ -11,6 +11,8 @@ use { use shared::{Benchmark, Sample}; fn main() -> anyhow::Result<()> { + env_logger::try_init()?; + let mut p = lexopt::Parser::from_env(); let (mut engine, mut quiet) = (String::new(), false); while let Some(arg) = p.next()? { @@ -120,6 +122,7 @@ fn main() -> anyhow::Result<()> { model_compile_packed(&b, || { let searcher = aho_corasick::packed::Config::new() .match_kind(aho_corasick::packed::MatchKind::LeftmostFirst) + .heuristic_pattern_limits(false) .builder() .extend(&b.needles) .build() @@ -132,6 +135,7 @@ fn main() -> anyhow::Result<()> { ("count", "packed/leftmost-first") => { let searcher = aho_corasick::packed::Config::new() .match_kind(aho_corasick::packed::MatchKind::LeftmostFirst) + .heuristic_pattern_limits(false) .builder() .extend(&b.needles) .build() diff --git a/benchmarks/engines/rust-old-aho-corasick/.gitignore b/benchmarks/engines/rust-old-aho-corasick/.gitignore new file mode 100644 index 0000000..ea8c4bf --- /dev/null +++ b/benchmarks/engines/rust-old-aho-corasick/.gitignore @@ -0,0 +1 @@ +/target diff --git a/benchmarks/engines/rust-old-aho-corasick/Cargo.lock b/benchmarks/engines/rust-old-aho-corasick/Cargo.lock new file mode 100644 index 0000000..2b3a161 --- /dev/null +++ b/benchmarks/engines/rust-old-aho-corasick/Cargo.lock @@ -0,0 +1,64 @@ +# This file is automatically @generated by Cargo. +# It is not intended for manual editing. +version = 3 + +[[package]] +name = "aho-corasick" +version = "1.0.5" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "0c378d78423fdad8089616f827526ee33c19f2fddbd5de1629152c9593ba4783" +dependencies = [ + "memchr", +] + +[[package]] +name = "anyhow" +version = "1.0.69" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "224afbd727c3d6e4b90103ece64b8d1b67fbb1973b1046c2281eed3f3803f800" + +[[package]] +name = "bstr" +version = "1.6.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "4c2f7349907b712260e64b0afe2f84692af14a454be26187d9df565c7f69266a" +dependencies = [ + "memchr", + "serde", +] + +[[package]] +name = "lexopt" +version = "0.3.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "baff4b617f7df3d896f97fe922b64817f6cd9a756bb81d40f8883f2f66dcb401" + +[[package]] +name = "main" +version = "1.0.5" +dependencies = [ + "aho-corasick", + "anyhow", + "lexopt", + "shared", +] + +[[package]] +name = "memchr" +version = "2.6.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "8f232d6ef707e1956a43342693d2a31e72989554d58299d7a88738cc95b0d35c" + +[[package]] +name = "serde" +version = "1.0.152" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "bb7d1f0d3021d347a83e556fc4683dea2ea09d87bccdf88ff5c12545d89d5efb" + +[[package]] +name = "shared" +version = "0.1.0" +dependencies = [ + "anyhow", + "bstr", +] diff --git a/benchmarks/engines/rust-old-aho-corasick/Cargo.toml b/benchmarks/engines/rust-old-aho-corasick/Cargo.toml new file mode 100644 index 0000000..2bf664d --- /dev/null +++ b/benchmarks/engines/rust-old-aho-corasick/Cargo.toml @@ -0,0 +1,21 @@ +[package] +name = "main" +version = "1.0.5" +edition = "2021" + +[[bin]] +name = "main" +path = "main.rs" + +[dependencies] +anyhow = "1.0.69" +lexopt = "0.3.0" +aho-corasick = "=1.0.5" + +[dependencies.shared] +path = "../../shared" + +[profile.release] +debug = true +codegen-units = 1 +lto = "thin" diff --git a/benchmarks/engines/rust-old-aho-corasick/README.md b/benchmarks/engines/rust-old-aho-corasick/README.md new file mode 100644 index 0000000..059eedc --- /dev/null +++ b/benchmarks/engines/rust-old-aho-corasick/README.md @@ -0,0 +1,32 @@ +This directory contains a Rust runner program for benchmarking the +[`aho-corasick` crate][rust-aho-corasick]. The `aho-corasick` crate +principally implements the [Aho-Corasick algorithm][aho-corasick], although +it has other algorithms for multiple substring search, such as [Teddy], which +was ported from the Hyperscan project. + +The `aho-corasick` crate is used by [Rust's `regex` crate][rust-regex] to +implement fast prefilters that permit finding candidates very quickly and only +needing to use the regex engine to confirm the match. The Teddy algorithm is +particularly excellent here. (Sometimes `aho-corasick` is used as the regex +engine itself, for example, when the regex is just an alternation of literals.) + +Since the `aho-corasick` crate only supports searching for literal strings, this +engine should only be used for regex patterns that are literals. This is up to +the author of the benchmark definition, as this runner program will always +treat regex patterns as literals. + +This also means that this runner program cannot support all benchmark models. +Only the `compile`, `count`, `count-spans` and `grep` models are supported. + +Finally, this runner program supports measuring two different Aho-Corasick +implementations: `nfa` and `dfa`. The former follows failure transitions at +search time and is thus usually slower, where as the latter builds a full +transition table by pre-computing all failure transitions. The latter tends +to be faster at search time, but can use orders (plural) of magnitude more +memory. In both the `nfa` and `dfa` engines, prefilters inside of Aho-Corasick +are disabled. + +[rust-aho-corasick]: https://github.com/BurntSushi/aho-corasick +[aho-corasick]: https://en.wikipedia.org/wiki/Aho%E2%80%93Corasick_algorithm +[Teddy]: https://github.com/BurntSushi/aho-corasick/tree/4e7fa3b85dd3a3ce882896f1d4ee22b1f271f0b4/src/packed/teddy +[rust-regex]: https://github.com/rust-lang/regex diff --git a/benchmarks/engines/rust-old-aho-corasick/main.rs b/benchmarks/engines/rust-old-aho-corasick/main.rs new file mode 100644 index 0000000..54500ac --- /dev/null +++ b/benchmarks/engines/rust-old-aho-corasick/main.rs @@ -0,0 +1,222 @@ +use std::io::Write; + +use { + aho_corasick::{ + AhoCorasick, AhoCorasickBuilder, AhoCorasickKind, MatchKind, + }, + anyhow::Context, + lexopt::{Arg, ValueExt}, +}; + +use shared::{Benchmark, Sample}; + +fn main() -> anyhow::Result<()> { + let mut p = lexopt::Parser::from_env(); + let (mut engine, mut quiet) = (String::new(), false); + while let Some(arg) = p.next()? { + match arg { + Arg::Short('h') | Arg::Long("help") => { + anyhow::bail!("main [--version | --quiet] ") + } + Arg::Short('q') | Arg::Long("quiet") => { + quiet = true; + } + Arg::Long("version") => { + writeln!(std::io::stdout(), "{}", env!("CARGO_PKG_VERSION"))?; + return Ok(()); + } + Arg::Value(v) => { + anyhow::ensure!( + engine.is_empty(), + "only one engine string allowed" + ); + engine = v.string().context("")?; + anyhow::ensure!( + !engine.is_empty(), + "engine string cannot be empty" + ); + } + _ => return Err(arg.unexpected().into()), + } + } + + let b = Benchmark::from_stdin() + .context("failed to read KLV data from ")?; + let samples = match (b.model.as_str(), engine.as_str()) { + // These first 6 configurations are meant to test the default settings + // on each of {compile, count} x {standard, leftmost-{first,longest}}. + // We don't also test each of them with {nfa/(non-)?contiguous, dfa} + // because it would just get ridiculous. + ("compile", "default/standard") => { + model_compile_ac(&b, || Ok(builder_ac(&b)?.build(&b.needles)?))? + } + ("compile", "default/leftmost-first") => model_compile_ac(&b, || { + Ok(builder_ac(&b)? + .match_kind(MatchKind::LeftmostFirst) + .build(&b.needles)?) + })?, + ("compile", "default/leftmost-longest") => { + model_compile_ac(&b, || { + Ok(builder_ac(&b)? + .match_kind(MatchKind::LeftmostLongest) + .build(&b.needles)?) + })? + } + ("count", "default/standard") => { + let ac = builder_ac(&b)?.build(&b.needles)?; + model_count_ac(&b, &ac)? + } + ("count", "default/leftmost-first") => { + let ac = builder_ac(&b)? + .match_kind(MatchKind::LeftmostFirst) + .build(&b.needles)?; + model_count_ac(&b, &ac)? + } + ("count", "default/leftmost-longest") => { + let ac = builder_ac(&b)? + .match_kind(MatchKind::LeftmostLongest) + .build(&b.needles)?; + model_count_ac(&b, &ac)? + } + + // OK, now we start testing the specific Aho-Corasick automatons, but + // we just focus on leftmost-first because that's the case we tend to + // be more interested in optimizing in practice. There's also likely + // to not be much of a perf difference between leftmost-first and + // leftmost-longest. + // + // We also specifically disable prefilters so that we know we're always + // measuring the actual automaton. (The 'default' engines above might + // use a prefilter!) + ("count", "nfa-noncontiguous/leftmost-first") => { + let ac = builder_ac(&b)? + .prefilter(false) + .kind(Some(AhoCorasickKind::NoncontiguousNFA)) + .match_kind(MatchKind::LeftmostFirst) + .build(&b.needles)?; + model_count_ac(&b, &ac)? + } + ("count", "nfa-contiguous/leftmost-first") => { + let ac = builder_ac(&b)? + .prefilter(false) + .kind(Some(AhoCorasickKind::ContiguousNFA)) + .match_kind(MatchKind::LeftmostFirst) + .build(&b.needles)?; + model_count_ac(&b, &ac)? + } + ("count", "dfa/leftmost-first") => { + let ac = builder_ac(&b)? + .prefilter(false) + .kind(Some(AhoCorasickKind::DFA)) + .match_kind(MatchKind::LeftmostFirst) + .build(&b.needles)?; + model_count_ac(&b, &ac)? + } + + // And now the packed substring routines. We include a 'compile' + // model here as well because it's nice to know how long, specifically, + // the packed searcher take to build in isolation. + ("compile", "packed/leftmost-first") => { + model_compile_packed(&b, || { + let searcher = aho_corasick::packed::Config::new() + .match_kind(aho_corasick::packed::MatchKind::LeftmostFirst) + .builder() + .extend(&b.needles) + .build() + .ok_or_else(|| { + anyhow::anyhow!("could not build packed searcher") + })?; + Ok(searcher) + })? + } + ("count", "packed/leftmost-first") => { + let searcher = aho_corasick::packed::Config::new() + .match_kind(aho_corasick::packed::MatchKind::LeftmostFirst) + .builder() + .extend(&b.needles) + .build() + .ok_or_else(|| { + anyhow::anyhow!("could not build packed searcher") + })?; + model_count_packed(&b, &searcher)? + } + _ => anyhow::bail!( + "unsupported model/engine pair, model={} engine={}", + b.model, + engine + ), + }; + if !quiet { + let mut stdout = std::io::stdout().lock(); + for s in samples.iter() { + writeln!(stdout, "{},{}", s.duration.as_nanos(), s.count)?; + } + } + Ok(()) +} + +/// Implements the "compile a matcher" model for `AhoCorasick`. +fn model_compile_ac( + b: &Benchmark, + compile: impl FnMut() -> anyhow::Result, +) -> anyhow::Result> { + let haystack = &*b.haystack; + shared::run_and_count( + b, + |re: AhoCorasick| Ok(re.find_iter(haystack).count()), + compile, + ) +} + +/// Implements the "compile a matcher" model for packed substring search. +fn model_compile_packed( + b: &Benchmark, + compile: impl FnMut() -> anyhow::Result, +) -> anyhow::Result> { + let haystack = &*b.haystack; + shared::run_and_count( + b, + |re: aho_corasick::packed::Searcher| { + Ok(re.find_iter(haystack).count()) + }, + compile, + ) +} + +/// Implements the "count all matches" model for `AhoCorasick`. +fn model_count_ac( + b: &Benchmark, + ac: &AhoCorasick, +) -> anyhow::Result> { + let haystack = &*b.haystack; + shared::run(b, || Ok(ac.find_iter(haystack).count())) +} + +/// Implements the "count all matches" model for packed substring search. +fn model_count_packed( + b: &Benchmark, + searcher: &aho_corasick::packed::Searcher, +) -> anyhow::Result> { + anyhow::ensure!( + !b.case_insensitive, + "rust/aho-corasick/packed engines are incompatible \ + with 'case-insensitive = true'" + ); + + let haystack = &*b.haystack; + shared::run(b, || Ok(searcher.find_iter(haystack).count())) +} + +/// Returns a default builder with as many settings as possible applied from +/// the benchmark definition. If the settings from the definition are not +/// supported, then this returns an error. +fn builder_ac(b: &Benchmark) -> anyhow::Result { + anyhow::ensure!( + !(b.unicode && b.case_insensitive), + "rust/aho-corasick engines are incompatible with 'unicode = true' and \ + 'case-insensitive = true'" + ); + let mut builder = AhoCorasick::builder(); + builder.ascii_case_insensitive(b.case_insensitive); + Ok(builder) +} diff --git a/benchmarks/haystacks/opensubtitles/README.md b/benchmarks/haystacks/opensubtitles/README.md new file mode 100644 index 0000000..8038503 --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/README.md @@ -0,0 +1,12 @@ +These were downloaded and derived from the Open Subtitles data set: +https://opus.nlpl.eu/OpenSubtitles-v2018.php + +The specific way in which they were modified has been lost to time, but it's +likely they were just a simple truncation based on target file sizes for +various benchmarks. + +The main reason why we have them is that it gives us a way to test similar +inputs on non-ASCII text. Normally this wouldn't matter for a substring search +implementation, but because of the heuristics used to pick a priori determined +"rare bytes" to base a prefilter on, it's possible for this heuristic to do +more poorly on non-ASCII text than one might expect. diff --git a/benchmarks/haystacks/opensubtitles/en-huge.txt b/benchmarks/haystacks/opensubtitles/en-huge.txt new file mode 100644 index 0000000..704e97e --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/en-huge.txt @@ -0,0 +1,22927 @@ +Now you can tell 'em. +What for are you mixing in? +Maybe I don't like to see kids get hurt. +Break any bones, son? +He's got a knife behind his collar! +- There's a stirrup. +You want a lift? +- No. +- Why not? +- I'm beholden to you, mister. +Couldn't we just leave it that way? +- Morning. +- Morning. +- Put him up? +- For how long? +- I wouldn't know. +- It'll be two bits for oats. +- Ain't I seen you before? +- Depends on where you've been. +- I follow the railroad, mostly. +- Could be you've seen me. +- It'll be four bits if he stays the night. +- Fair enough. +Morning. +Did a man ride in today - tall, sort of heavyset? +- You mean him, Mr Renner? +- Not him. +This one had a scar. +Along his cheek? +No, sir. +I don't see no man with a scar. +I guess maybe I can have some apple pie and coffee. +I guess you could have eggs with bacon if you wanted eggs with bacon. +- Hello, Charlie. +- Hello, Grant. +It's good to see you, Charlie. +It's awful good to see you. +It's good to see you too. +- I'll get the eggs. +- No, get the pie. +I can pay for the pie. +You're a very stubborn man. +Apple pie is not for breakfast. +It is if you like apple pie. +Now I need a fork. +- Working here long? +- About three weeks. +How's the Utica Kid? +He was well... when I saw him last. +When was that? +- Good morning. +- Morning. +Well, business is early and Pete is late. +The lunches. +Are they fixed? +Why do I ask? +The lunches are always fixed. +Why? +Because you fix them. +Charlie, I'll make you an omelette like only Pete can make an omelette. +Very bad. +Come on around, sit down, have a cup of coffee. +Pete had that place in Santa Fe, remember? +Are you running a shoe store on the side? +Those are box lunches for the work train. +Money, money, money. +Pete knows how to make it. +He follows the railroad. +I guess a lot of people follow the railroad. +You and Pete. +The Utica Kid. +I asked when you saw him last. +They've lost three payrolls. +Now when did you see him last? +- Charlie, where did I put my apron? +- It's under here. +You must be nice fella. +If Charlie sits with you, you must be nice fella. +I make omelette for you too. +We were talking about the Utica Kid. +He can wait. +Ben Kimball's in town. +They put his car on the siding yesterday. +- I know. +- His wife is with him. +Is she? +I often wondered what Verna was like. +I saw her last night. +All fine silk and feathers. +She's soft and beautiful. +And I can understand now. +Can you? +How long are you gonna be in town? +- That depends on Ben Kimball. +- You working for the railroad again? +- If I am? +- That would be good. +Playing the accordion's not for you, not for a living. +You belong to the railroad and it belongs to you. +There were a lot of things that used to belong to me and somehow I lost them. +Two omelettes a-comin' up. +- Do you like eggs? +- No. +That's too bad. +You got an omelette coming up. +Well, somebody's gotta eat them. +Come on. +That means you. +- Could you put it in a box? +- An omelette? +I'll be hungrier when I get to end of track. +Maybe it will go down easy. +Easy or not, it goes down right now. +I can't pay for it. +Then you can help me sell lunches at the station. +Any more arguments? +Come in. +- You want to see me, Ben? +- I certainly do. +Hello, Grant. +Sit down. +All right, Jeff. +Renner, go to Pete's and get one breakfast and a jug of coffee. +- You haven't eaten yet? +- I've eaten. +Just get coffee. +Hot. +- How's everything been going? +- I make a living. +- Playing an accordion? +- That's right. +Want me to play a tune for you? +There's other jobs besides railroading. +Well, Colorado may be big in miles. +It's kinda short on people. +So when a man gets fired the way I was fired the story gets around. +Well, I'm... +I'm sorry. +- No, I like to make music. +- And it keeps you near the railroad. +If someone needs information about a payroll, you can sell it. +You know it's a funny thing. +I don't like you either. +- Is that why you sent for me? +- No. +And keep out of this. +Have it your way. +But I don't trust him now any more than I did when I sent him after the Utica Kid. +I sent you after a thief and you gave him a horse to get away on. +- I told you to keep shut. +- Let him talk. +I'm not wearing a gun. +I'll be honest with you. +He'd talk the same if I was. +- It's been nice seeing you. +- Grant. +I'm sure Jeff didn't mean to be rude. +Sometimes he has a blunt way of putting things. +Unfortunately, Ben isn't much better. +It's not unfortunate. +It just gets things said in a hurry. +Too much of a hurry. +They forgot to ask you if you'd work for the railroad again. +Would you? +Yes, I would. +Not to give you a short answer. +- It's the answer I wanted. +- Sit down, Grant. +Do you remember Whitey Harbin? +Used to work down in Arizona and New Mexico. +- Yeah. +- Well, he's moved into Colorado. +I thought he favoured stage lines and banks. +So did we. +But he's learned about railroad payrolls +- and he's grabbed three in a row. +- Where do I fit in? +They're making up a supply train in the yard. +I want you to ride it. +- With $10,000 in your pocket. +- Why me? +Quite frankly, because no one would suspect you of carrying a payroll. +I sure don't look like $10,000, do I? +Are you building a bridge you don't need? +The money's here. +Why not bring the men in on Saturday and pay them off in town? +And lose half the crew? +Turn them loose in a mining town, they'll go up the hills looking for gold. +It won't work. +And we have to finish this section before snow comes. +That's a pretty big gamble on a man who gave his horse to a thief! +Yes. +You might as well know the deck's stacked against you. +A boxcar will be hooked to the train. +I'll be one of the men in it. +- When did this happen? +- Last week. +- Renner, did you know? +- Yes. +- Why didn't you tell me? +- I told him not to. +- Why? +- Everything we plan gets back to Whitey. +- You think I'd tell him? +- You might trust the wrong people. +- If he takes the job, I'm sure of it. +- And if I don't take it? +Then Jeff will be sitting in Ben's chair. +Oh, I wouldn't like that. +Uh-uh. +So I'll take the job on one condition. +If I make the delivery I get his job. +You made a deal. +Thank you. +Wait a minute. +It's getting cold up in the hills. +This coat has always been too long for me. +Thanks. +Well. +I thought you didn't like him. +He said that. +I said I didn't trust him. +And I still don't. +Grant. +Are you surprised Ben sent for you? +I was until I talked to him. +He seems to have changed. +You're right. +He doesn't belong in a private car with clerks, figures and pressure from the office. +He belongs at the end of track, running a gang and building a railroad. +- He's a working stiff like you. +- Yes, but he can dream a little too. +Colorado wouldn't have a railroad if he hadn't sold them on the idea. +For his sake, I wish he hadn't. +He was happy at end of track but they kicked him upstairs and sent us to Chicago. +- And now he needs a little help. +- That's why he sent for you. +Oh, I may have had something to do with it. +Why? +There was a time when you were interested in me. +I was more than interested in you. +I wanted to marry you. +Times when I'm sorry you didn't. +Aren't you? +No. +A man likes to know his woman will back him when he's down and you didn't. +Ben called me a thief and you went right along with him. +It's as simple as that. +Grant. +For old times' sake. +For old times' sake? +Just that and nothing more? +Perhaps just a little more. +We want to be sure that payroll goes through, don't we? +I don't know. +Maybe Jeff is right. +His type seldom changes. +And if we've made a mistake, it's the finish of everything. +Then why not cut this car into the supply train? +If we're all playing showdown, I'd like to see the cards when they fall. +- Thank you. +I hope you have a nice trip. +- Thank you. +- Ma'am, is that all? +- Mm-hm. +- Here's your lunch. +You've earned it. +- Thanks. +- Mister, are you going to end of track? +- Yes. +Could you stake me to a ticket? +I can ride half fare if I'm with an adult. +- And you're an adult. +- Well, sometimes I wonder. +All right. +You can come along. +We'll ride with the other fellas with no money. +- On the flatcar? +- Go on. +Climb aboard. +Plenty of fresh air. +Do you good, make you grow. +Are you sure he didn't come while I was away? +Ain't nobody been here but the man riding the sorrel. +- What colour horse your man riding? +- How should I know? +It's extremely important that I see him. +They've cut in Mr Kimball's car. +Barley! +A man told you to put his horse up... +Don't start that too. +That there sorrel is the only horse what come in. +That there sorrel is the horse I want. +He belongs to my friend Grant McLaine. +McLaine? +That's who it is. +I knew him as a troubleshooter in Santa Fe before he went bad. +- He didn't go bad. +- What'll you do with his horse? +- Ride him! +I'll change, you saddle him. +- All right. +Hey, Pilgrim! +Come here! +Don't go getting your liver all upset. +- Once you miss 'em, they stay missed. +- It's none of your business. +- Could be. +You wanting to get on that car? +- If I am? +- I can take you to where it's going. +- On one of these? +They'll get you to end of track before the train does. +- That's ridiculous. +- $100 aging yours I'm right. +- You've got a bet. +- And you got stuck. +Here. +I'll let you ride Flap Ears. +- You can smoke inside, mister. +- I can smoke where I want. +You can burn too if it pleases you but it'll still cost you four bits. +- For what? +- Travelling first-class. +Otherwise ride the flats. +- You play that? +- Yeah, I play it. +- When? +- When? +Whenever somebody throws a dime in my hat. +- I ain't got a dime. +- This one's on me. +- Been up here before? +- Part way. +- What takes you to end of track? +- A job. +Figured I'd get one at Junction City. +They told me the foremen do the hiring. +You're a little small for swinging a sledge. +- I can carry water. +- Yeah, you can carry water. +- Very important job. +- Hey! +- What are you doing here? +- He's with me, Pick. +- Where did you get him? +- Somebody threw him away. +Don't you throw him away. +He'll get lost in the mountains. +Who tells the men who build railroads how to get through the mountains? +- The river. +- Huh? +They just follow the river. +- Who told you that? +- I guess my dad was the first. +He had a little song about it. +# Follow the river +# The river knows the way +# Hearts can go astray +# It happens every day +# Follow the river +# Wherever you may be +# Follow the river back to me # +Wouldn't you wanna be knowing about Concho? +- Who's Concho? +- The man you roped. +Do you wanna know? +Not unless you wanna tell me. +I ought to tell you. +He's fast with a gun. +Only know two men who are faster. +Which two men would they be? +Whitey Harbin for one. +I run away from Whitey. +That's why Concho was after me. +You're one of Whitey's men? +No. +I was in Montrose. +Whitey and his bunch were robbing a bank. +I was just in the road watching. +Whitey was all for killing me but the other fellow wouldn't let him. +He swung me up into the saddle and said, +"You ain't killing a kid. +Not while I ride with you." +- Whitey, he backed down. +- Cos the fella's faster with a gun? +Like lightning. +This other fella, does he have a name? +He's got a name. +The Utica Kid. +I'd have stayed with the bunch if he was boss. +- But he's not? +- Not yet. +Always he's shoving pins into Whitey, laughing at him, driving him crazy. +Even crazier than he is! +Someday Whitey will crack and he'll lose. +Is this the fresh air you were talking about? +How come them fellas can ride inside? +Well, it's the old story of good and evil. +If you spend all your money on whiskey, you have none left for a ticket. +Don't drink. +Then you'd have six bits when you need it. +That's very true. +Tell you what, maybe I have six bits. +Yeah. +What do you say we go in and spend it? +Come on. +Guess I wasn't tough enough to follow the river that way. +Sometimes it isn't easy travelling upstream. +- That will be a dollar. +- That'll be six bits. +I'm the adult. +Here. +Hold on to that. +- Don't worry about Concho. +- You would if... +Oh, no, come on. +Sit down. +We can both worry together if you want to tell me about it. +- It's nothing. +- And if it was, you'd rather not say. +All right. +I broke with Whitey. +Doesn't mean I have to talk. +No, you don't have to talk. +I even broke with the Utica Kid. +- Hi, Utica. +- Put him away, Howdy. +Sure. +Come on. +It's a pretty good rig. +Too good for the guy that owned it. +Remember that draw you taught me? +It worked. +He went down with his gun in the leather. +- And now you're an "in case" man. +- In case? +Yeah. +In case you miss six times with one, you draw the other. +- If you have time. +- I'll have time. +Call it. +Draw! +You better learn to draw that one before you fool around with the other. +About three inches high, Whitey. +You better take another look at that skull. +Next time it could be yours. +Don't soft-foot up behind me! +It makes me nervous! +So I notice. +What else did you notice? +Did you see Concho? +- Did you see him? +- He wasn't on the trail. +Did I ask you where he wasn't? +I asked you did you see him? +- I would've said so. +- Not straight out you wouldn't. +Because you're a funny man. +You've always gotta be laughing inside. +Well, go ahead, laugh. +But get this, Kid. +I'm a better gun than you. +Or would you like to try? +It's an interesting thought, but I'm afraid of you, Whitey. +You ain't afraid of me. +And in your feet, where your brains are, you think maybe you're just a bit faster. +And you know something? +It could be. +Before you break up completely, you mind putting a name on this? +It's just a little old wedge. +But when you put it through the latch of a boxcar, you can't open the door from the inside. +Now, you ask me, who would want to open the door of a boxcar from the inside? +- Jeff Kurth and a dozen gunmen. +- How would you know? +I was sleeping up there when Concho told you. +You better learn how to snore! +You wouldn't know how to shoot a man in the back. +I'll learn. +What'll it be, gents? +We got Old Grandpa, Old Grandma, Old Uncle Tom. +- And Old Empty. +- You ain't funny, Latigo. +Who could be funny, sweating it out in here? +Get away, boy. +You're too young for whiskey even if we had plenty. +Don't get fancy. +You ain't talking to Joey. +Speaking of Joey, you didn't happen to spot him along the trail, did you? +I'll take a shot of that Old Flannelmouth. +- Did you see him? +- No. +Did he leave any sign? +A little. +He was headed toward Junction City. +But you didn't follow him? +Joey always was a nuisance. +I was for dropping him in the river. +- Why didn't you? +- And get my brains shot out? +You've got to find a better reason to kill me. +Suppose Concho didn't catch up with Joey in town and suppose the kid talked? +- He won't talk. +- Maybe not, but Concho ain't back. +Unless he gets back, we won't know where they're carrying the money. +That's right. +Maybe it'd be smart to let this one go through. +Why? +We've grabbed three in a row. +Let's give them a breather. +That makes sense. +I go along with Utica. +You and me both. +We ought to let this one go through. +It ain't going through! +Why not? +You're the one who taught me about payrolls and now I like them. +- So do I. +- I'll buy that. +A man can get saddle-sore looking for a bank to take. +- I'm with Whitey. +- Me too. +What about you, Torgenson? +I got no complaints. +You call it, I'll play it. +Looks like you've been outvoted. +Or do you want a recount? +- Right now, I'd rather have a drink. +- Suit yourself. +If I can't buy a fight, I'll buy a drink. +Fill 'em up. +Sorry, the bar is closed. +On account of we're fresh out of whiskey. +Either get this floor fixed or get a new bartender. +When do we make the hit? +Any time you're ready. +She was halfway up the grade when I left. +Why didn't you tell me? +Why didn't you ask me? +Funny man! +Mount up! +Settle down. +It's only another job. +But if you was boss, we wouldn't do it. +If I was boss we wouldn't do it. +You ain't boss! +# So I bought myself a shovel and I bought myself a pick +# And I laid a little track along the bullfrog crick +# Then I built a locomotive out of 20 empty cans +# And I tooted on the whistle and the darned thing ran +# Oh, you can't get far without a railroad +# You can't get far without a railroad +# Something's gotta take you there and gotta bring you back +# You can't go any distance in a buggy or a hack # +Throw some ropes around them timbers. +We'll pull it down. +Torgenson! +- OK, John. +- Hurry it up, Jubilee! +- Boy, they're pushing her fast today. +- Yeah! +Maybe they heard I needed a quick ten thousand. +- That water tower your idea? +- What's wrong with it? +Any self-respecting Injun could walk away with it. +Funny man! +He knows everything about everything. +Let's get down and lock the barn door. +We've stopped! +Whitey's making his hit! +- McLaine sold us out! +- No, Ben. +They didn't learn it from Grant. +Leary! +- A hold-up! +- They did it again! +Stop your moaning and hold on to your hat! +They won't stop old Tommy Shannon with a tank full of water. +That's no way to treat railroad property, Mr Shannon. +Take your hand off the throttle and reach for the brake! +All right. +Sit down and behave! +Come over here. +Open the safe! +- Ha! +- Move in! +Same as last time! +- We thought you were lost or drunk. +- There ain't nothing in there. +Jubilee! +How are you making out? +Try to talk your way out of this! +- I'm sorry I missed out with Renner. +- Never mind. +Where's the money? +- It's not in the safe. +- Then where is it? +It could be going to Junction City with Jeff's men. +That's not true. +Renner told us Jeff wouldn't carry the payroll! +That's a help. +Least we know who didn't carry it. +Funny man! +When you get through laughing, see what's in that red car. +Sure. +Glad to. +As soon as I pick up my horse. +He's worth more than anything I'm gonna find on this train. +Get those pilgrims out. +Maybe one of them is carrying it. +Hit the other cars! +See if you can find it. +Outside! +All of you! +Is this what you wanted to tell me? +Have a look inside, Latigo! +If that's McLaine... +No, Ben. +Put it away. +You may as well be comfortable. +- Be my guest. +- Gladly. +Do you mind if I ask the name of my host? +No, I don't mind. +Would the payroll be in there? +No. +Why not take a look, just to be sure? +Boy, is this stuff mellow. +Bottled in bond too. +- I forgot. +Ladies is always first. +- Thank you, no. +See for yourself. +Hello, Joey. +What are you doing here? +Getting robbed! +Don't bother. +None of them's got more than two dollars. +Whitey! +There ain't no payroll in there. +How come you missed out? +- I had a little trouble. +- Now, ain't that too bad? +- Maybe I ought to give you a little more. +- Whitey! +Kimball's back there with his wife. +You just got lucky! +Put them back in the car! +Get aboard! +Go on. +Good little boys don't run away. +This time you'll learn! +- Where's the payroll? +- The man says he doesn't know. +I can help him remember. +Take her outside. +Take her outside yourself. +I'm afraid of women. +They scream and scratch, and sometimes step on your toes. +Don't say no to me. +Not when I got a gun in my hand. +I won't. +Unless I'm holding one too. +- Outside. +- If you want the payroll... +You'll have to wait for the next work train. +We decided not to send it through on this one. +Oh? +I don't mind waiting. +I'll be at Pay Load. +You can bring it to me. +Then I'll take 12 hours' start, you get your wife back. +See what happens when you don't carry your brains in your feet? +I ought to make you walk. +Jubilee, lead them out. +Step up with Latigo. +What about Joey? +You gonna leave him here? +He'll ride with me. +Or would you like to? +Settle down. +We're getting $10,000 for the lady, remember? +Which one do I ride with? +Which one do you think? +Take her to the end of track, Mr Shannon! +Here's a stirrup. +Give you a lift? +I'll take that box. +Don't crowd the cantle. +You'll ride easier. +Whoa, mules! +Must have got tired of making the climb and started home. +- Come on, boy! +- Just a minute. +There's a mining town near here. +It used to be called Pay Load. +It's still called Pay Load but nobody lives there. +- It's over beyond that far hill. +- Which hill? +- You see the first hill? +- Yes. +See the second one? +There's a third hill. +Pay Load's behind that. +- How much do you want for this mule? +- $50. +Flap Ears, when you unload this piker, you come on home to mother. +- Get outta there! +- Gah! +Welshing on a bet! +Never could understand them railroad people. +Come on! +Come on! +- Mr Kimball. +- Come over to the telegraph shack. +- Before you pass. +Did you bring the payroll? +- Not now! +- Did you bring it? +- I didn't. +- Now what? +- The end of the railroad. +- Shut up, Feeney. +- Let go of me or I'll push this down your throat! +Who wants your man? +I don't want none of 'em! +They're all broke! +- See you in Denver. +- I'm off to Denver too. +- So am I! +- Nobody goes without orders from Kimball! +- I'm leaving. +- You are not. +You'll take no joyride in this town with them painted hussies. +We've waited this long. +Another night won't hurt us. +But if the money's not here in the morning, out we go! +Get back to work! +We're beat, Mr Kimball. +Without the pay, the gang will go to Junction City. +- I know. +- Any word from Jeff? +He's in Junction City. +Says the car held to the grade all the way. +He and his men will be after Whitey in... +They will not! +Tell him to stay right where he is until further orders. +Yes, sir. +Wonder if he thinks that's private property. +If he tries to divide that like he cuts up the loot, there's gonna be shooting. +- Your laundry? +- Sandwiches. +Do you want one? +No. +Where did you get them? +Junction City. +A girl in a restaurant gave them to me. +- Was she pretty? +- Mm-hm. +- Think you could get me a date? +- She's not that kind of a girl. +Any of you boys win enough to buy a drink? +- You ain't got a drink. +- I got a drink. +- I thought you was fresh out. +- I was till we made the hit. +While you looked for the payroll that wasn't there, I had important business. +Come on, fill her up. +Latigo ought to be running this bunch. +We might not eat, but we'd sure drink. +Ha ha! +You're a funny man. +Why don't you laugh? +- Am I supposed to? +- Not if you're smart. +- I think you're smart. +- And what else do you think? +That you made a mistake. +She'll only bring you trouble and guns. +Since when is $10,000 trouble? +That's exactly what you're worth. +You're very flattering. +But I'm inclined to agree with you. +Don't make a habit of it. +Latigo, I want a drink! +And you've got a few habits I don't like either. +Settle down. +Do you see what she's up to? +I can see you. +And what I see I don't like too good. +- I guess you could use one. +- Thank you, no. +- It's the best. +I got it off your own bar. +- You drink it. +Sorry, lady, I don't drink. +I'm studying to be a bartender. +- Don't you drink? +- Not alone. +Suppose I join you? +- Do you mind? +- And if I do? +Don't push it. +For a little while you're gonna need me and I'm gonna need you. +I watched you walk. +I could swear we've met before. +Could you? +Funny little things you do. +Like when you smile. +Strange. +I seem to recognise all your mannerisms, if you know what that means. +- I know what that means. +- Do you? +I'm supposed to fight Whitey over you. +With a little luck we'd kill each other. +- It's an interesting thought. +- What's interesting? +- She is. +- You're so right. +I may not send you back. +Not until you've helped me spend the ten thousand. +- You mind if we join the party? +- Yes! +You shouldn't, cos if you guess wrong you ain't gonna hang alone. +You like another drink? +- Thanks, I still have this one. +- Drink them both. +Anybody want to start the dance? +With only one girl? +Get back to the bar where you belong. +Let's all get back to the bar, where we belong. +- You almost got your wish. +- One of them. +- The other? +- To know your name. +His name? +He's the Utica Kid. +I don't like it either. +My family used to call me Lee. +Why don't you? +You're supposed to be outside. +Come out with your hands up. +- What are you doing here? +- I want to see the Utica Kid. +- Who are you? +- A friend of his. +Funny thing, he never told me about no girlfriend. +Is there any reason why he should? +- What's your name? +- Charlie Drew. +And you can put that gun away. +Or do I look dangerous? +Not exactly. +Give me that rope. +- When'd you get here? +- Just before they rode in. +Utica pulled the job off right on schedule. +I suppose you've known it was going to happen for quite some time. +No, I haven't. +Utica doesn't talk to me about jobs. +Not this kind. +- Did he ever have any other kind? +- He will have. +Soon. +Then why don't you hold out? +Why don't you keep away till he stops being a thief? +I told him that's what I'd do. +He just looked at me and smiled. +He said, "I wonder if you can." +Tonight he has his answer. +You're here. +Yes, but only to tell him that you're... +Only to tell him I'm in town and might come looking for him. +I want to keep him alive. +I want to keep you alive. +- You know what he can do with a gun. +- I know. +- Well, then, why? +- Because of a little thing called self-respect. +Maybe you wouldn't understand anything about that. +For five years I've played that thing for nickels and dimes thrown into a hat. +For five years the Utica Kid has been laughing. +I may have been wrong, Charlie, but I'm not gonna make the same mistake twice. +Grant... +When you see him will you tell him that I'm here? +Leave it alone! +So all she'll bring is trouble and guns, huh? +Did you bring the money with you? +No. +- How soon do we get it? +- I wouldn't know about that. +You should! +$10,000 is a lot of money. +And that's what he wants for me. +Well, I'd say he was selling out cheap. +Never mind what you'd say. +What did Kimball say? +If you don't know about the money, why did he send you? +He didn't send me. +I came on my own. +Why? +- Ask him. +- Well? +I wouldn't know. +Then again, maybe I would. +You were right the first time. +I can walk quiet at night and I'm a pretty good gun. +I'd like to join up with you. +You see, when a man gets fired off the railroad, he has a little trouble finding a job. +And when he can't find a job, he gets hungry. +I've been hungry for the last five years. +Haven't I? +- How would he know? +- I'm his brother. +- His brother? +- His younger brother. +Five years ago he was a troubleshooter for Kimball. +I lifted the feed herd and he came after me. +Then gave you a horse to get away. +But not until I'd heard all about good and evil. +I didn't buy what he had to sell then. +I'm not buying it now. +- So you don't want him in, huh? +- No. +Funny thing. +I want him in. +- Any objections? +- It ain't that simple, Whitey. +There's a personal deal between me and him. +- About what? +- He got in my way. +That's right. +Oh, yeah, I remember you. +You're the man that fights kids. +Which way do you want it? +Get up, come on, get up! +Now one of you give him his gun. +All right, Harbin, you're the boss around here. +You call it. +I might just do that. +Well, I ain't gonna take him alone. +Then maybe you'd better move along. +Any further objections? +- Yeah. +- Now ain't that wonderful? +- I'd be happy to call it. +- You may get the chance. +You mind if the Utica Kid and me have a little talk? +Not at all. +Call me when you're ready. +I think you ought to know I'm working for the railroad again. +I figured as much. +- Troubleshooter? +- Tonight I was carrying the payroll. +- Where did you hide it? +- I gave it to the boy. +It's in that shoe box. +Now all you have to do is go in and tell Whitey. +You're gambling I won't? +- Same old story of good and evil. +- Same old story. +You lose, Grant. +Yeah, I kind of figured that when you laughed. +I'll give you the same break you gave me. +Ten-minute start, then I tell Whitey I sent you away. +I go, that money goes with me. +So does Kimball's wife. +- No. +- Wait a minute, Lee. +Hear me out on this. +If I leave here, that boy goes with me too. +Joey? +Why do you want him? +Maybe for the good of his soul. +It's been a long time since you heard that word, hasn't it? +Mother and Dad used to bring it up once in a while when we were kids. +You were just about Joey's age. +He thinks a lot of you, doesn't he? +- He wants to grow up to be just like you. +- He may make it, with practice. +Soon he'll be holding the horses while you and Whitey hit a bank. +There's another kid lying in the barn. +He got the start that way too, huh? +- You didn't kill Howdy? +- I didn't hurt him. +- And you're not going to hurt Joey. +- How could I do that? +It's not hard. +It's not hard. +Not when he takes your road. +Or haven't you stopped to look at it? +Why bother? +I picked it, I'll ride it. +Lee, I'm asking you again. +Give Joey a chance. +No. +You've got ten minutes. +I won't need them. +Charlie's in there waiting for you. +Think about her. +She's been following you for five years too. +She's got a reason. +Or didn't I tell you I'm gonna marry her? +How much of that did you hear? +Just what I wanted to hear. +That you're gonna marry me. +When? +We're gonna have a lot of money, Charlie. +$10,000. +You can have pretty new dresses and pretty new shoes. +And a brand-new husband. +- Tomorrow. +- No. +Right now! +If you want me, take me away right now. +Please, please take me. +Why the sudden hurry? +Has my big brother been telling you the story of good and evil? +Don't laugh at him. +Why not? +Why mustn't I laugh at him? +Maybe it would be better if... if you tried to be a little more like him. +Now isn't that just great? +Now I get it from you! +Ever since I was a kid that's all I can remember. +"Why don't you be more like your brother? +Why can't you be more like Grant?" +I don't want to be like him. +I don't want any part of him. +- That's not true. +- Yeah, it's true! +You don't know what it's like to be the kid brother. +Everything you do is wrong. +Everything you try. +Until one day I tried a gun. +Fit my hand real good. +And I wasn't the kid brother any more. +It's a good gun. +It's gonna get us everything we always wanted. +But I don't want it. +Not that way. +Why must you steal? +Because I like to steal. +I like to see what people will do when I take it away from them. +What happens when something is taken away from you? +Nobody's gonna take anything away from me. +Charlie, I'm asking you to marry me. +No. +Grant was right. +You'll never change. +And he calls me a thief? +Joey. +Go on. +Play some more. +It's been a long time since I heard an accordion. +Any tune in particular? +Or would this do? +# Oh, you can't get far without a railroad +# You can't get far without a railroad +# You gotta have an engine and you gotta have a track +# Oh, you can't get far without a railroad +# There are tracks across the prairie +# Where the buzzard builds his nest +# There are tracks across the Rockies +# To the Golden West # +How does it go from there? +How does it go from there, Lee? +Everybody will be neighbours +In this little dream of mine +Take you clear across the country +On the Bullfrog Line +# Oh, you can't get far without a railroad +- # You can't get far without a railroad # +- Gentlemen! +- Renner! +- Didn't you know he was working for me? +- I've come for my thousand dollars. +- What thousand dollars? +Your memory is quite short. +I supplied you with information about a certain boxcar. +I was prepared to supply you with information about the payroll. +- Concho did not keep the appointment. +- So? +So ten per cent of the payroll is mine. +Sorry to disappoint you but we missed the payroll. +Missed the payroll? +In that case I'm prepared to make a better deal. +For $2,000, I can tell you where the money is. +You made a deal. +Ben Kimball hired a man to carry it. +I might never have located this place if I hadn't heard that man's accordion. +He has the money. +Ask him! +Joey! +Come here, Joey! +Grant! +McLaine, there's a woman with you! +- That's right. +- Send her out before we come get you. +Here, hurry! +Come on, Charlie. +He's in the clear. +He's riding away. +Yeah, he's riding. +After me. +- What are we stopping for? +- We're going to the mill, the short way. +Get down to the mill! +Come on! +Take cover! +Here. +There's a mine shaft at the end of these cables. +It runs clear through the mountains. +On the other side, about half a mile, is the railroad! +It's two hours to the end of track. +I have to send you out one at a time. +Come on, Verna. +- Tell Ben he'll get his payroll somehow. +- I'll tell him more than that. +You'll get that money even if you had to kill your own brother? +The next ore bucket that comes down, pull it around and jump in. +I'll cover for you. +It's clear, Charlie. +Get out! +See if you can reach him from over there. +He can't stand them off, not alone. +You figuring to help? +Grant! +Look out! +He's real good. +Only one better gun in Colorado. +Charlie! +Get over here! +- I thought I told you to get out. +- I'm staying right here. +All right. +Now you get back inside and I'll cover for you. +Thanks, Charlie. +Lee, not the kid! +You take care of the kid. +I'll see if I can keep them pinned down. +Would you mind if I play big brother just this one time? +- Shoots high. +- You or the gun? +- Joey all right? +- He's all right. +That makes you a winner. +Go ahead and make a sucker out of the kid. +Tell him all about good and evil. +Put him to work on the railroad. +Things get tough, he can always play the accordion for nickels and dimes. +Sounds like old times, Lee. +Welcome home. +Don't give me that big brother grin. +- Up there! +- Get him! +I count mine. +There's one left. +He hit you hard, Lee. +Not half as hard as you did with that Bullfrog Line. +That was Dad's favourite tune and you know it. +I know it. +You and your stinking accordion! +Charlie. +Charlie? +You and Joey get the horses. +What...? +I'll take care of my brother. +Here's your money. +Pay 'em off, Tim. +Thank you, Grant. +Looks like you won yourself a job. +Mine. +No, it won't fit. +Not nearly as well as your coat. +Want your old job back? +Thanks. +All right, Joey. +Get a bucket and start carrying water. +We're at end of track. +Now go on. +# Sometimes I feel like I could jump over the moon +# And tell the sky above +# Does it matter how full the moon +# When you've an empty heart +# Follow the river +# Wherever you may be +# Follow the river back to me +# Follow the river +# The river knows the way +# Come to me, I pray +# I miss you more each day +# Follow the river +# Wherever you may be +# Follow the river back to me +# Sometimes I feel like I could jump over the moon +# And tell the sky above +# Does it matter how full the moon +# When you've an empty heart +# Bring back the great love +# The love that once we knew +# Make my dreams come true +# The dream I had with you +# Follow the river +# Wherever you may be +# Follow the river back to me +# Follow the river +# Wherever you may be +# Follow the river back to me # +(Man) I'd better get back to work. +Don't lose all your matches. +- Hello, Mac. +- Hi, Click. +Howdy, folks. +- Hi. +- Hello. +Welcome home, man. +Come sit down and give us a tune. +- We'll pay you with promises. +- A man can't eat promises. +He can't lose them at cards either. +McLaine! +- No, indeed he can't. +- Where have you been and why? +They were laying track in Wyoming. +Needed a troubleshooter. +- Didn't need me. +- That's too bad. +You can pick up a few nickels and dimes playing your accordion. +That's right, Tim. +What's this? +Playing cards with matches? +When's payday? +Tomorrow, if they get the money past Whitey Harbin. +Which they won't. +He's tapped that pay train three times up. +They'll get it past him or get no more steel before snow. +- O'Brien, shut your mouth! +- My sentiments exactly. +Day shift and night shift, night shift and day shift. +No money in a month. +My patience is ended. +So is their railroad. +Am I right? +- You are right! +- McLaine. +Please play me a peaceful tune or I'll have a revolution on my hands. +I see what you mean. +Are they giving you trouble? +Lucky you're not with the railroad. +Tis a weary man you'd be today if you were troubleshooting for us. +Could be you're right, Tim. +(# Folk tune) +Come on, pretty lady. +Give us a dance! +I dare you, Mr Feeney. +Where's the wife? +Come on! +Big Ed, are you through to Junction City? +This is for Kimball. +As per your instructions, this is to advise you that Grant McLaine is here at end of track. +You don't need that last. +Just say he's here. +Get away from him! +Get away from him! +Dancing, is it? +Let me... +Get back into your tent where you belong, you painted women. +You and your railroad. +Bringing the likes of this among decent folk. +For two cents I'd take me old man back to Junction City and be through with you. +If you had two cents! +They're at it again. +You can't mix wives and women, even to build a railroad. +Stop this shilly-shally music and give me a jig I can dance to. +Give us a jig, I said. +You watch your feet. +They're heavy. +And so is my fist. +Do I get a jig or do you lose your teeth? +Not now, Mac, not now. +He's not bad. +He's just a fool. +Consider yourself lucky. +Five years ago you'd have got a bullet between the eyes. +I've seen him kill men that could eat you without salt. +Play what you please. +(# Lively jig) +- You asked for a jig, now dance to it! +- Here I go, Feeney! +Hee-hee! +Up Garryowen! +# I was farming in Missouri I was getting tired of that +# So I bought myself a satchel and a stovepipe hat +# And I headed for the station gonna travel all about +# But there wasn't any station and I soon found out +# That you can't get far without a railroad +# You can't get far without a railroad +# Something's gotta take you there and gotta bring you back +# Oh, you can't go any distance in a buggy or a hack +# You can't get far without a railroad +# You can't get far without a railroad +# You gotta have an engine and you gotta have a track +# Oh, you can't get far without a railroad # +I haven't heard that one. +Where does it come from? +Dad used to play it when it got too rough around the house. +Pretty soon us kids would stop fighting and start dancing. +The man makes fine music. +Are we gonna let them use it all up? +Go on with you! +Clarence Feeney, stop looking at them painted hussies and give your wife a dance. +- Go away, woman, I'm tired. +- Tired, is it? +This is my day for dancing or fighting. +Which will you have? +Darling. +Nice work. +I'll give you five dollars tomorrow. +If Whitey lets the pay train through. +Three times is enough. +He won't hit it again. +Oh, don't bet on it. +He's a strange man, this Whitey Harbin. +He's got the big boss plenty worried. +Speaking of Kimball, he wants to see you. +- How would he know where I am? +- I told him. +Here. +You read it. +I'm afraid if I stop the music, Mrs Feeney'll hit me with something. +"Report to me at once in Junction City. +Urgent. +Ben Kimball." +- Maybe he'll give you... +- Another chance? +No. +That's not his way. +- But you will see him? +- Not till they've finished their dance. +- You old hag, I'll... +- Painted hussy! +(Groaning) +Let go of me! +Let go! +Let her go, I said! +(Woman screams) +(Groaning) +(Stops playing) +(Shouting) +(Screaming) +- Hold this. +- Right. +And this is the tune your father used to play to keep peace in the house? +I must have squeezed out a few wrong notes. +Yeah. +- Thanks, Tim. +- Goodbye, Mac. +(Woman screeches) +- Too late for coffee, mister? +- (Woman) Howdy. +I think there's a few warm dregs left. +- Oh. +Howdy, ma'am. +- Step down. +Much obliged. +- They keeping you busy? +- Yep. +Packing out the ore and packing in the vittles. +Them miners can eat more beans than they raise in all of Boston. +- Now they want me to bring in a mill. +- All at once? +No, just a few pieces at a time. +They got tired of waiting for the railroad to reach them. +Between you and me, I don't think it will before snow. +You're hoping it won't? +- First I was. +- Uh-huh. +Figured it'd put me out of business. +It won't. +- It won't? +- No. +It's a funny thing about gold. +There's always some jackass will find it where the railroad ain't. +Then he'll send for me and a few more jackasses to bring in his grub and pack out his ore! +Them crazy miners! +Look at the waste of that good machinery. +Two miles of cable and buckets to go with it. +Last week they up and left the whole thing! +Did the vein pinch out or did they hit low grade? +They didn't hit nothing but blue sky. +Uh-huh. +- This was mighty fine coffee, Mrs... +- Miss Vittles. +Miss Vittles. +I sure appreciate it. +- I got a long ride ahead of me. +- You heading for Junction City too? +Yes, ma'am. +But I'm kind of in a hurry. +I ain't looking for company. +Ten jackasses in a bunch is enough. +- I can save you a trip round the mountain. +- How's that? +Like I told you, the boys hit a good vein, followed it through the mountain. +Last week they busted out on the far side and there wasn't nothing there but blue sky. +Makes a mighty fine short cut into town. +- It sure does. +- Still think I'm crazy? +- I think you're real pretty. +- Ah! +- You going to spend time in these hills? +- Yes, ma'am. +When snow comes you're gonna need a woman. +Or a warm coat, else you'll freeze your knees. +Well, I can't rightly afford a warm coat. +So long, Miss Vittles. +People wonder what a calf feels when he gets roped. +Now you can tell 'em. +What for are you mixing in? +Maybe I don't like to see kids get hurt. +Break any bones, son? +He's got a knife behind his collar! +- There's a stirrup. +You want a lift? +- No. +- Why not? +- I'm beholden to you, mister. +Couldn't we just leave it that way? +- Morning. +- Morning. +- Put him up? +- For how long? +- I wouldn't know. +- It'll be two bits for oats. +- Ain't I seen you before? +- Depends on where you've been. +- I follow the railroad, mostly. +- Could be you've seen me. +- It'll be four bits if he stays the night. +- Fair enough. +Morning. +Did a man ride in today - tall, sort of heavyset? +- You mean him, Mr Renner? +- Not him. +This one had a scar. +Along his cheek? +No, sir. +I don't see no man with a scar. +I guess maybe I can have some apple pie and coffee. +I guess you could have eggs with bacon if you wanted eggs with bacon. +- Hello, Charlie. +- Hello, Grant. +It's good to see you, Charlie. +It's awful good to see you. +It's good to see you too. +- I'll get the eggs. +- No, get the pie. +I can pay for the pie. +You're a very stubborn man. +Apple pie is not for breakfast. +It is if you like apple pie. +Now I need a fork. +- Working here long? +- About three weeks. +How's the Utica Kid? +He was well... when I saw him last. +When was that? +- Good morning. +- Morning. +Well, business is early and Pete is late. +The lunches. +Are they fixed? +Why do I ask? +The lunches are always fixed. +Why? +Because you fix them. +Charlie, I'll make you an omelette like only Pete can make an omelette. +Very bad. +Come on around, sit down, have a cup of coffee. +Pete had that place in Santa Fe, remember? +Are you running a shoe store on the side? +Those are box lunches for the work train. +Money, money, money. +Pete knows how to make it. +He follows the railroad. +I guess a lot of people follow the railroad. +You and Pete. +The Utica Kid. +I asked when you saw him last. +They've lost three payrolls. +Now when did you see him last? +- Charlie, where did I put my apron? +- It's under here. +You must be nice fella. +If Charlie sits with you, you must be nice fella. +I make omelette for you too. +We were talking about the Utica Kid. +He can wait. +Ben Kimball's in town. +They put his car on the siding yesterday. +- I know. +- His wife is with him. +Is she? +I often wondered what Verna was like. +I saw her last night. +All fine silk and feathers. +She's soft and beautiful. +And I can understand now. +Can you? +How long are you gonna be in town? +- That depends on Ben Kimball. +- You working for the railroad again? +- If I am? +- That would be good. +Playing the accordion's not for you, not for a living. +You belong to the railroad and it belongs to you. +There were a lot of things that used to belong to me and somehow I lost them. +(Pete) Two omelettes a-comin' up. +- Do you like eggs? +- No. +That's too bad. +You got an omelette coming up. +Well, somebody's gotta eat them. +Come on. +That means you. +- Could you put it in a box? +- An omelette? +I'll be hungrier when I get to end of track. +Maybe it will go down easy. +Easy or not, it goes down right now. +I can't pay for it. +Then you can help me sell lunches at the station. +Any more arguments? +(Train rattling) +(Train whistle) +(Knocking) +Come in. +- You want to see me, Ben? +- I certainly do. +Hello, Grant. +Sit down. +All right, Jeff. +Renner, go to Pete's and get one breakfast and a jug of coffee. +- You haven't eaten yet? +- I've eaten. +Just get coffee. +Hot. +- How's everything been going? +- I make a living. +- Playing an accordion? +- That's right. +Want me to play a tune for you? +There's other jobs besides railroading. +Well, Colorado may be big in miles. +It's kinda short on people. +So when a man gets fired the way I was fired the story gets around. +Well, I'm... +I'm sorry. +- No, I like to make music. +- And it keeps you near the railroad. +If someone needs information about a payroll, you can sell it. +You know it's a funny thing. +I don't like you either. +- Is that why you sent for me? +- No. +And keep out of this. +Have it your way. +But I don't trust him now any more than I did when I sent him after the Utica Kid. +I sent you after a thief and you gave him a horse to get away on. +- I told you to keep shut. +- Let him talk. +I'm not wearing a gun. +I'll be honest with you. +He'd talk the same if I was. +- It's been nice seeing you. +- (Woman) Grant. +I'm sure Jeff didn't mean to be rude. +Sometimes he has a blunt way of putting things. +Unfortunately, Ben isn't much better. +It's not unfortunate. +It just gets things said in a hurry. +Too much of a hurry. +They forgot to ask you if you'd work for the railroad again. +Would you? +Yes, I would. +Not to give you a short answer. +- It's the answer I wanted. +- Sit down, Grant. +Do you remember Whitey Harbin? +Used to work down in Arizona and New Mexico. +- Yeah. +- Well, he's moved into Colorado. +I thought he favoured stage lines and banks. +So did we. +But he's learned about railroad payrolls +- and he's grabbed three in a row. +- Where do I fit in? +They're making up a supply train in the yard. +I want you to ride it. +- With $10,000 in your pocket. +- Why me? +Quite frankly, because no one would suspect you of carrying a payroll. +I sure don't look like $10,000, do I? +Are you building a bridge you don't need? +The money's here. +Why not bring the men in on Saturday and pay them off in town? +And lose half the crew? +Turn them loose in a mining town, they'll go up the hills looking for gold. +It won't work. +And we have to finish this section before snow comes. +That's a pretty big gamble on a man who gave his horse to a thief! +Yes. +You might as well know the deck's stacked against you. +A boxcar will be hooked to the train. +I'll be one of the men in it. +- When did this happen? +- Last week. +- Renner, did you know? +- Yes. +- Why didn't you tell me? +- I told him not to. +- Why? +- Everything we plan gets back to Whitey. +- You think I'd tell him? +- You might trust the wrong people. +- If he takes the job, I'm sure of it. +- And if I don't take it? +Then Jeff will be sitting in Ben's chair. +Oh, I wouldn't like that. +Uh-uh. +So I'll take the job on one condition. +If I make the delivery I get his job. +You made a deal. +Thank you. +Wait a minute. +It's getting cold up in the hills. +This coat has always been too long for me. +Thanks. +Well. +I thought you didn't like him. +He said that. +I said I didn't trust him. +And I still don't. +(Verna) Grant. +Are you surprised Ben sent for you? +I was until I talked to him. +He seems to have changed. +You're right. +He doesn't belong in a private car with clerks, figures and pressure from the office. +He belongs at the end of track, running a gang and building a railroad. +- He's a working stiff like you. +- Yes, but he can dream a little too. +Colorado wouldn't have a railroad if he hadn't sold them on the idea. +For his sake, I wish he hadn't. +He was happy at end of track but they kicked him upstairs and sent us to Chicago. +- And now he needs a little help. +- That's why he sent for you. +Oh, I may have had something to do with it. +Why? +There was a time when you were interested in me. +I was more than interested in you. +I wanted to marry you. +Times when I'm sorry you didn't. +Aren't you? +No. +A man likes to know his woman will back him when he's down and you didn't. +Ben called me a thief and you went right along with him. +It's as simple as that. +Grant. +For old times' sake. +For old times' sake? +Just that and nothing more? +Perhaps just a little more. +We want to be sure that payroll goes through, don't we? +I don't know. +Maybe Jeff is right. +His type seldom changes. +And if we've made a mistake, it's the finish of everything. +Then why not cut this car into the supply train? +If we're all playing showdown, I'd like to see the cards when they fall. +- Thank you. +I hope you have a nice trip. +- Thank you. +(Train whistle) +- Ma'am, is that all? +- Mm-hm. +- Here's your lunch. +You've earned it. +- Thanks. +- Mister, are you going to end of track? +- Yes. +Could you stake me to a ticket? +I can ride half fare if I'm with an adult. +- And you're an adult. +- Well, sometimes I wonder. +All right. +You can come along. +We'll ride with the other fellas with no money. +- On the flatcar? +- Go on. +Climb aboard. +Plenty of fresh air. +Do you good, make you grow. +(Clunking) +(Train whistle) +Are you sure he didn't come while I was away? +Ain't nobody been here but the man riding the sorrel. +- What colour horse your man riding? +- How should I know? +It's extremely important that I see him. +They've cut in Mr Kimball's car. +Barley! +A man told you to put his horse up... +Don't start that too. +That there sorrel is the only horse what come in. +That there sorrel is the horse I want. +He belongs to my friend Grant McLaine. +McLaine? +That's who it is. +I knew him as a troubleshooter in Santa Fe before he went bad. +- He didn't go bad. +- What'll you do with his horse? +- Ride him! +I'll change, you saddle him. +- All right. +(Train chugging) +(Train whistle) +Hey, Pilgrim! +Come here! +Don't go getting your liver all upset. +- Once you miss 'em, they stay missed. +- It's none of your business. +- Could be. +You wanting to get on that car? +- If I am? +- I can take you to where it's going. +- On one of these? +They'll get you to end of track before the train does. +- That's ridiculous. +- $100 aging yours I'm right. +- You've got a bet. +- And you got stuck. +Here. +I'll let you ride Flap Ears. +- You can smoke inside, mister. +- I can smoke where I want. +You can burn too if it pleases you but it'll still cost you four bits. +- For what? +- Travelling first-class. +Otherwise ride the flats. +(Discordant notes) +- You play that? +- Yeah, I play it. +- When? +- When? +Whenever somebody throws a dime in my hat. +- I ain't got a dime. +- This one's on me. +(# Folk tune) +- Been up here before? +- Part way. +- What takes you to end of track? +- A job. +Figured I'd get one at Junction City. +They told me the foremen do the hiring. +You're a little small for swinging a sledge. +- I can carry water. +- Yeah, you can carry water. +- Very important job. +- (Man) Hey! +- What are you doing here? +- He's with me, Pick. +- Where did you get him? +- Somebody threw him away. +Don't you throw him away. +He'll get lost in the mountains. +Who tells the men who build railroads how to get through the mountains? +- The river. +- Huh? +They just follow the river. +- Who told you that? +- I guess my dad was the first. +He had a little song about it. +# Follow the river +# The river knows the way +# Hearts can go astray +# It happens every day +# Follow the river +# Wherever you may be +# Follow the river back to me # +Wouldn't you wanna be knowing about Concho? +- Who's Concho? +- The man you roped. +Do you wanna know? +Not unless you wanna tell me. +I ought to tell you. +He's fast with a gun. +Only know two men who are faster. +Which two men would they be? +Whitey Harbin for one. +I run away from Whitey. +That's why Concho was after me. +You're one of Whitey's men? +No. +I was in Montrose. +Whitey and his bunch were robbing a bank. +I was just in the road watching. +Whitey was all for killing me but the other fellow wouldn't let him. +He swung me up into the saddle and said, +"You ain't killing a kid. +Not while I ride with you." +- Whitey, he backed down. +- Cos the fella's faster with a gun? +Like lightning. +This other fella, does he have a name? +He's got a name. +The Utica Kid. +I'd have stayed with the bunch if he was boss. +- But he's not? +- Not yet. +Always he's shoving pins into Whitey, laughing at him, driving him crazy. +Even crazier than he is! +Someday Whitey will crack and he'll lose. +(Train whistle) +Is this the fresh air you were talking about? +How come them fellas can ride inside? +Well, it's the old story of good and evil. +If you spend all your money on whiskey, you have none left for a ticket. +Don't drink. +Then you'd have six bits when you need it. +That's very true. +Tell you what, maybe I have six bits. +Yeah. +What do you say we go in and spend it? +Come on. +Guess I wasn't tough enough to follow the river that way. +Sometimes it isn't easy travelling upstream. +- That will be a dollar. +- That'll be six bits. +I'm the adult. +Here. +Hold on to that. +- Don't worry about Concho. +- You would if... +Oh, no, come on. +Sit down. +We can both worry together if you want to tell me about it. +- It's nothing. +- And if it was, you'd rather not say. +All right. +I broke with Whitey. +Doesn't mean I have to talk. +No, you don't have to talk. +I even broke with the Utica Kid. +- Hi, Utica. +- Put him away, Howdy. +Sure. +Come on. +It's a pretty good rig. +Too good for the guy that owned it. +Remember that draw you taught me? +It worked. +He went down with his gun in the leather. +- And now you're an "in case" man. +- In case? +Yeah. +In case you miss six times with one, you draw the other. +- If you have time. +- I'll have time. +Call it. +Draw! +You better learn to draw that one before you fool around with the other. +(Clanking) +(Horse whinnies) +About three inches high, Whitey. +You better take another look at that skull. +Next time it could be yours. +Don't soft-foot up behind me! +It makes me nervous! +So I notice. +What else did you notice? +Did you see Concho? +- Did you see him? +- He wasn't on the trail. +Did I ask you where he wasn't? +I asked you did you see him? +- I would've said so. +- Not straight out you wouldn't. +Because you're a funny man. +You've always gotta be laughing inside. +Well, go ahead, laugh. +But get this, Kid. +I'm a better gun than you. +Or would you like to try? +It's an interesting thought, but I'm afraid of you, Whitey. +(Laughs) You ain't afraid of me. +And in your feet, where your brains are, you think maybe you're just a bit faster. +And you know something? +(Laughs) It could be. +Before you break up completely, you mind putting a name on this? +It's just a little old wedge. +But when you put it through the latch of a boxcar, you can't open the door from the inside. +Now, you ask me, who would want to open the door of a boxcar from the inside? +- Jeff Kurth and a dozen gunmen. +- How would you know? +I was sleeping up there when Concho told you. +You better learn how to snore! +You wouldn't know how to shoot a man in the back. +I'll learn. +What'll it be, gents? +We got Old Grandpa, Old Grandma, Old Uncle Tom. +- And Old Empty. +- You ain't funny, Latigo. +Who could be funny, sweating it out in here? +Get away, boy. +You're too young for whiskey even if we had plenty. +Don't get fancy. +You ain't talking to Joey. +Speaking of Joey, you didn't happen to spot him along the trail, did you? +I'll take a shot of that Old Flannelmouth. +- Did you see him? +- No. +Did he leave any sign? +A little. +He was headed toward Junction City. +But you didn't follow him? +Joey always was a nuisance. +I was for dropping him in the river. +- Why didn't you? +- And get my brains shot out? +You've got to find a better reason to kill me. +Suppose Concho didn't catch up with Joey in town and suppose the kid talked? +- He won't talk. +- Maybe not, but Concho ain't back. +Unless he gets back, we won't know where they're carrying the money. +That's right. +Maybe it'd be smart to let this one go through. +Why? +We've grabbed three in a row. +Let's give them a breather. +That makes sense. +I go along with Utica. +You and me both. +We ought to let this one go through. +It ain't going through! +Why not? +You're the one who taught me about payrolls and now I like them. +- So do I. +- I'll buy that. +A man can get saddle-sore looking for a bank to take. +- I'm with Whitey. +- Me too. +What about you, Torgenson? +I got no complaints. +You call it, I'll play it. +Looks like you've been outvoted. +Or do you want a recount? +- Right now, I'd rather have a drink. +- Suit yourself. +If I can't buy a fight, I'll buy a drink. +Fill 'em up. +Sorry, the bar is closed. +On account of we're fresh out of whiskey. +Either get this floor fixed or get a new bartender. +When do we make the hit? +Any time you're ready. +She was halfway up the grade when I left. +Why didn't you tell me? +Why didn't you ask me? +Funny man! +Mount up! +Settle down. +It's only another job. +But if you was boss, we wouldn't do it. +If I was boss we wouldn't do it. +You ain't boss! +# So I bought myself a shovel and I bought myself a pick +# And I laid a little track along the bullfrog crick +# Then I built a locomotive out of 20 empty cans +# And I tooted on the whistle and the darned thing ran +# Oh, you can't get far without a railroad +# You can't get far without a railroad +# Something's gotta take you there and gotta bring you back +# You can't go any distance in a buggy or a hack # +(Train whistle) +Throw some ropes around them timbers. +We'll pull it down. +Torgenson! +- OK, John. +- Hurry it up, Jubilee! +- Boy, they're pushing her fast today. +- Yeah! +Maybe they heard I needed a quick ten thousand. +- That water tower your idea? +- What's wrong with it? +Any self-respecting Injun could walk away with it. +Funny man! +He knows everything about everything. +Let's get down and lock the barn door. +- (Neighing) +- We've stopped! +Whitey's making his hit! +- McLaine sold us out! +- No, Ben. +They didn't learn it from Grant. +Leary! +- A hold-up! +- They did it again! +Stop your moaning and hold on to your hat! +They won't stop old Tommy Shannon with a tank full of water. +That's no way to treat railroad property, Mr Shannon. +Take your hand off the throttle and reach for the brake! +All right. +Sit down and behave! +Come over here. +Open the safe! +- Ha! +- Move in! +Same as last time! +- We thought you were lost or drunk. +- There ain't nothing in there. +(Man) Jubilee! +How are you making out? +Try to talk your way out of this! +- I'm sorry I missed out with Renner. +- Never mind. +Where's the money? +- It's not in the safe. +- Then where is it? +It could be going to Junction City with Jeff's men. +That's not true. +Renner told us Jeff wouldn't carry the payroll! +That's a help. +Least we know who didn't carry it. +Funny man! +When you get through laughing, see what's in that red car. +Sure. +Glad to. +As soon as I pick up my horse. +He's worth more than anything I'm gonna find on this train. +Get those pilgrims out. +Maybe one of them is carrying it. +Hit the other cars! +See if you can find it. +Outside! +All of you! +Is this what you wanted to tell me? +Have a look inside, Latigo! +If that's McLaine... +No, Ben. +Put it away. +You may as well be comfortable. +- Be my guest. +- Gladly. +Do you mind if I ask the name of my host? +No, I don't mind. +Would the payroll be in there? +No. +Why not take a look, just to be sure? +Boy, is this stuff mellow. +Bottled in bond too. +- I forgot. +Ladies is always first. +- Thank you, no. +See for yourself. +Hello, Joey. +What are you doing here? +Getting robbed! +Don't bother. +None of them's got more than two dollars. +Whitey! +There ain't no payroll in there. +How come you missed out? +- I had a little trouble. +- Now, ain't that too bad? +- Maybe I ought to give you a little more. +- Whitey! +Kimball's back there with his wife. +(Laughs) +You just got lucky! +Put them back in the car! +(Concho) Get aboard! +Go on. +Good little boys don't run away. +This time you'll learn! +- Where's the payroll? +- The man says he doesn't know. +I can help him remember. +Take her outside. +Take her outside yourself. +I'm afraid of women. +They scream and scratch, and sometimes step on your toes. +Don't say no to me. +Not when I got a gun in my hand. +I won't. +Unless I'm holding one too. +- Outside. +- If you want the payroll... +You'll have to wait for the next work train. +We decided not to send it through on this one. +Oh? +I don't mind waiting. +I'll be at Pay Load. +You can bring it to me. +Then I'll take 12 hours' start, you get your wife back. +See what happens when you don't carry your brains in your feet? +I ought to make you walk. +Jubilee, lead them out. +Step up with Latigo. +(Concho) What about Joey? +You gonna leave him here? +He'll ride with me. +Or would you like to? +Settle down. +We're getting $10,000 for the lady, remember? +Which one do I ride with? +(Laughs) Which one do you think? +Take her to the end of track, Mr Shannon! +(Train whistle) +Here's a stirrup. +Give you a lift? +I'll take that box. +Don't crowd the cantle. +You'll ride easier. +Whoa, mules! +Must have got tired of making the climb and started home. +- Come on, boy! +- Just a minute. +There's a mining town near here. +It used to be called Pay Load. +It's still called Pay Load but nobody lives there. +- It's over beyond that far hill. +- Which hill? +- You see the first hill? +- Yes. +See the second one? +There's a third hill. +Pay Load's behind that. +- How much do you want for this mule? +- $50. +Flap Ears, when you unload this piker, you come on home to mother. +- Get outta there! +- Gah! +Welshing on a bet! +Never could understand them railroad people. +Come on! +Come on! +(Train whistle) +- Mr Kimball. +- Come over to the telegraph shack. +- Before you pass. +Did you bring the payroll? +- Not now! +- Did you bring it? +- I didn't. +- Now what? +- The end of the railroad. +- Shut up, Feeney. +- Let go of me or I'll push this down your throat! +Who wants your man? +I don't want none of 'em! +They're all broke! +- See you in Denver. +- I'm off to Denver too. +- So am I! +- Nobody goes without orders from Kimball! +- I'm leaving. +- You are not. +You'll take no joyride in this town with them painted hussies. +We've waited this long. +Another night won't hurt us. +But if the money's not here in the morning, out we go! +Get back to work! +(Clicking) +We're beat, Mr Kimball. +Without the pay, the gang will go to Junction City. +- I know. +- Any word from Jeff? +He's in Junction City. +Says the car held to the grade all the way. +He and his men will be after Whitey in... +They will not! +Tell him to stay right where he is until further orders. +Yes, sir. +Wonder if he thinks that's private property. +If he tries to divide that like he cuts up the loot, there's gonna be shooting. +- Your laundry? +- Sandwiches. +Do you want one? +No. +Where did you get them? +Junction City. +A girl in a restaurant gave them to me. +- Was she pretty? +- Mm-hm. +- Think you could get me a date? +- She's not that kind of a girl. +Any of you boys win enough to buy a drink? +- You ain't got a drink. +- I got a drink. +(Clamouring) +- I thought you was fresh out. +- I was till we made the hit. +While you looked for the payroll that wasn't there, I had important business. +(Man) Come on, fill her up. +Latigo ought to be running this bunch. +We might not eat, but we'd sure drink. +Ha ha! +You're a funny man. +Why don't you laugh? +- Am I supposed to? +- Not if you're smart. +- I think you're smart. +- And what else do you think? +That you made a mistake. +She'll only bring you trouble and guns. +Since when is $10,000 trouble? +That's exactly what you're worth. +You're very flattering. +But I'm inclined to agree with you. +Don't make a habit of it. +Latigo, I want a drink! +And you've got a few habits I don't like either. +Settle down. +Do you see what she's up to? +I can see you. +And what I see I don't like too good. +- I guess you could use one. +- Thank you, no. +- It's the best. +I got it off your own bar. +- You drink it. +Sorry, lady, I don't drink. +I'm studying to be a bartender. +- Don't you drink? +- Not alone. +Suppose I join you? +- Do you mind? +- And if I do? +Don't push it. +For a little while you're gonna need me and I'm gonna need you. +I watched you walk. +I could swear we've met before. +Could you? +Funny little things you do. +Like when you smile. +Strange. +I seem to recognise all your mannerisms, if you know what that means. +- I know what that means. +- Do you? +I'm supposed to fight Whitey over you. +With a little luck we'd kill each other. +- It's an interesting thought. +- What's interesting? +- She is. +- You're so right. (Laughs) +I may not send you back. +Not until you've helped me spend the ten thousand. +- You mind if we join the party? +- Yes! +You shouldn't, cos if you guess wrong you ain't gonna hang alone. +You like another drink? +- Thanks, I still have this one. +- Drink them both. +Anybody want to start the dance? +With only one girl? +Get back to the bar where you belong. +Let's all get back to the bar, where we belong. +- You almost got your wish. +- One of them. +- The other? +- To know your name. +His name? +He's the Utica Kid. +I don't like it either. +My family used to call me Lee. +Why don't you? +You're supposed to be outside. +(Horse whinnies) +Come out with your hands up. +- What are you doing here? +- I want to see the Utica Kid. +- Who are you? +- A friend of his. +Funny thing, he never told me about no girlfriend. +(Charlie) Is there any reason why he should? +- What's your name? +- Charlie Drew. +And you can put that gun away. +Or do I look dangerous? +Not exactly. +(Charlie yelps) +Give me that rope. +- When'd you get here? +- Just before they rode in. +Utica pulled the job off right on schedule. +I suppose you've known it was going to happen for quite some time. +No, I haven't. +Utica doesn't talk to me about jobs. +Not this kind. +- Did he ever have any other kind? +- He will have. +Soon. +Then why don't you hold out? +Why don't you keep away till he stops being a thief? +I told him that's what I'd do. +He just looked at me and smiled. +He said, "I wonder if you can." +Tonight he has his answer. +You're here. +Yes, but only to tell him that you're... +Only to tell him I'm in town and might come looking for him. +I want to keep him alive. +I want to keep you alive. +- You know what he can do with a gun. +- I know. +- Well, then, why? +- Because of a little thing called self-respect. +Maybe you wouldn't understand anything about that. +For five years I've played that thing for nickels and dimes thrown into a hat. +For five years the Utica Kid has been laughing. +I may have been wrong, Charlie, but I'm not gonna make the same mistake twice. +Grant... +When you see him will you tell him that I'm here? +Leave it alone! +So all she'll bring is trouble and guns, huh? +Did you bring the money with you? +No. +- How soon do we get it? +- I wouldn't know about that. +You should! +$10,000 is a lot of money. +And that's what he wants for me. +Well, I'd say he was selling out cheap. +Never mind what you'd say. +What did Kimball say? +If you don't know about the money, why did he send you? +He didn't send me. +I came on my own. +Why? +- Ask him. +- Well? +I wouldn't know. +Then again, maybe I would. +You were right the first time. +I can walk quiet at night and I'm a pretty good gun. +I'd like to join up with you. +You see, when a man gets fired off the railroad, he has a little trouble finding a job. +And when he can't find a job, he gets hungry. +I've been hungry for the last five years. +Haven't I? +- (Whitey) How would he know? +- I'm his brother. +- His brother? +- His younger brother. +Five years ago he was a troubleshooter for Kimball. +I lifted the feed herd and he came after me. +Then gave you a horse to get away. +But not until I'd heard all about good and evil. +I didn't buy what he had to sell then. +I'm not buying it now. +- (Whitey) So you don't want him in, huh? +- No. +Funny thing. +I want him in. +- Any objections? +- It ain't that simple, Whitey. +There's a personal deal between me and him. +- About what? +- He got in my way. +That's right. +Oh, yeah, I remember you. +You're the man that fights kids. +Which way do you want it? +Get up, come on, get up! +Now one of you give him his gun. +All right, Harbin, you're the boss around here. +You call it. +I might just do that. +Well, I ain't gonna take him alone. +Then maybe you'd better move along. +Any further objections? +- Yeah. +- (Whitey) Now ain't that wonderful? +- I'd be happy to call it. +- You may get the chance. +You mind if the Utica Kid and me have a little talk? +Not at all. +Call me when you're ready. +I think you ought to know I'm working for the railroad again. +I figured as much. +- Troubleshooter? +- Tonight I was carrying the payroll. +- Where did you hide it? +- I gave it to the boy. +It's in that shoe box. +(Laughs) +Now all you have to do is go in and tell Whitey. +You're gambling I won't? +- Same old story of good and evil. +- Same old story. +You lose, Grant. +Yeah, I kind of figured that when you laughed. +I'll give you the same break you gave me. +Ten-minute start, then I tell Whitey I sent you away. +I go, that money goes with me. +So does Kimball's wife. +- No. +- Wait a minute, Lee. +Hear me out on this. +If I leave here, that boy goes with me too. +Joey? +Why do you want him? +Maybe for the good of his soul. +It's been a long time since you heard that word, hasn't it? +Mother and Dad used to bring it up once in a while when we were kids. +You were just about Joey's age. +He thinks a lot of you, doesn't he? +- He wants to grow up to be just like you. +- He may make it, with practice. +Soon he'll be holding the horses while you and Whitey hit a bank. +There's another kid lying in the barn. +He got the start that way too, huh? +- You didn't kill Howdy? +- I didn't hurt him. +- And you're not going to hurt Joey. +- How could I do that? +It's not hard. +It's not hard. +Not when he takes your road. +Or haven't you stopped to look at it? +Why bother? +I picked it, I'll ride it. +Lee, I'm asking you again. +Give Joey a chance. +No. +You've got ten minutes. +I won't need them. +Charlie's in there waiting for you. +Think about her. +She's been following you for five years too. +She's got a reason. +Or didn't I tell you I'm gonna marry her? +How much of that did you hear? +Just what I wanted to hear. +That you're gonna marry me. +When? +We're gonna have a lot of money, Charlie. +$10,000. +You can have pretty new dresses and pretty new shoes. +And a brand-new husband. +- Tomorrow. +- No. +Right now! +If you want me, take me away right now. +Please, please take me. +Why the sudden hurry? +Has my big brother been telling you the story of good and evil? +Don't laugh at him. +Why not? +Why mustn't I laugh at him? +Maybe it would be better if... if you tried to be a little more like him. +Now isn't that just great? +Now I get it from you! +Ever since I was a kid that's all I can remember. +"Why don't you be more like your brother? +Why can't you be more like Grant?" +I don't want to be like him. +I don't want any part of him. +- That's not true. +- Yeah, it's true! +You don't know what it's like to be the kid brother. +Everything you do is wrong. +Everything you try. +Until one day I tried a gun. +Fit my hand real good. +And I wasn't the kid brother any more. +It's a good gun. +It's gonna get us everything we always wanted. +But I don't want it. +Not that way. +Why must you steal? +Because I like to steal. +I like to see what people will do when I take it away from them. +What happens when something is taken away from you? +Nobody's gonna take anything away from me. +Charlie, I'm asking you to marry me. +No. +Grant was right. +You'll never change. +And he calls me a thief? +Joey. +Go on. +Play some more. +It's been a long time since I heard an accordion. +Any tune in particular? +Or would this do? +(# You Can't Get Far Without A Railroad) +# Oh, you can't get far without a railroad +# You can't get far without a railroad +# You gotta have an engine and you gotta have a track +# Oh, you can't get far without a railroad +# There are tracks across the prairie +# Where the buzzard builds his nest +# There are tracks across the Rockies +# To the Golden West # +How does it go from there? +How does it go from there, Lee? +Everybody will be neighbours +In this little dream of mine +Take you clear across the country +On the Bullfrog Line +# Oh, you can't get far without a railroad +- # You can't get far without a railroad # +- Gentlemen! +- Renner! +- Didn't you know he was working for me? +- I've come for my thousand dollars. +- What thousand dollars? +Your memory is quite short. +I supplied you with information about a certain boxcar. +I was prepared to supply you with information about the payroll. +- Concho did not keep the appointment. +- So? +So ten per cent of the payroll is mine. +Sorry to disappoint you but we missed the payroll. +Missed the payroll? +In that case I'm prepared to make a better deal. +For $2,000, I can tell you where the money is. +You made a deal. +Ben Kimball hired a man to carry it. +I might never have located this place if I hadn't heard that man's accordion. +He has the money. +Ask him! +Joey! +Come here, Joey! +(Verna) Grant! +(Whitey) McLaine, there's a woman with you! +- That's right. +- Send her out before we come get you. +Here, hurry! +Come on, Charlie. +He's in the clear. +He's riding away. +Yeah, he's riding. +After me. +- (Man) What are we stopping for? +- We're going to the mill, the short way. +Get down to the mill! +Come on! +Take cover! +Here. +There's a mine shaft at the end of these cables. +It runs clear through the mountains. +On the other side, about half a mile, is the railroad! +It's two hours to the end of track. +I have to send you out one at a time. +Come on, Verna. +- Tell Ben he'll get his payroll somehow. +- I'll tell him more than that. +You'll get that money even if you had to kill your own brother? +The next ore bucket that comes down, pull it around and jump in. +I'll cover for you. +It's clear, Charlie. +Get out! +See if you can reach him from over there. +He can't stand them off, not alone. +You figuring to help? +Grant! +Look out! +He's real good. +Only one better gun in Colorado. +Charlie! +Get over here! +- I thought I told you to get out. +- I'm staying right here. +All right. +Now you get back inside and I'll cover for you. +Thanks, Charlie. +Lee, not the kid! +You take care of the kid. +I'll see if I can keep them pinned down. +Would you mind if I play big brother just this one time? +- Shoots high. +- You or the gun? +- Joey all right? +- He's all right. +That makes you a winner. +Go ahead and make a sucker out of the kid. +Tell him all about good and evil. +Put him to work on the railroad. +Things get tough, he can always play the accordion for nickels and dimes. +Sounds like old times, Lee. +Welcome home. +Don't give me that big brother grin. +- Up there! +- Get him! +(Clicks) +I count mine. +There's one left. +He hit you hard, Lee. +Not half as hard as you did with that Bullfrog Line. +That was Dad's favourite tune and you know it. +I know it. +You and your stinking accordion! +Charlie. +Charlie? +You and Joey get the horses. +What...? +I'll take care of my brother. +(Train whistle) +Here's your money. +Pay 'em off, Tim. +Thank you, Grant. +Looks like you won yourself a job. +Mine. +No, it won't fit. +Not nearly as well as your coat. +Want your old job back? +Thanks. +All right, Joey. +Get a bucket and start carrying water. +We're at end of track. +Now go on. +# Sometimes I feel like I could jump over the moon +# And tell the sky above +# Does it matter how full the moon +# When you've an empty heart +# Follow the river +# Wherever you may be +# Follow the river back to me +♪ Follow the river ♪ +♪ The river knows the way ♪ +♪ Come to me, I pray ♪ +♪ I miss you more each day ♪ +♪ Follow the river ♪ +♪ Wherever you may be ♪ +♪ Follow the river back to me ♪ +♪ Sometimes I feel like ♪ +♪ I could jump over the moon ♪ +♪ And tell the sky above ♪ +♪ Does it matter how full the moon ♪ +♪ When you've an empty heart ♪ +♪ Bring back the great love ♪ +♪ The love that once we knew ♪ +♪ Make my dreams come true ♪ +♪ The dream I had with you ♪ +♪ Follow the river ♪ +♪ Wherever you may be ♪ +♪ Follow the river back to me ♪ +♪ Follow the river ♪ +♪ Wherever you may be ♪ +♪ Follow the river back to me ♪ +I'd better get back to work. +Don't lose all your matches. +- Hello, Mac. +- Hi, Click. +Howdy, folks. +- Hi. +- Hello. +Welcome home, man. +Come sit down and give us a tune. +- We'll pay you with promises. +- A man can't eat promises. +He can't lose them at cards either. +McLaine! +- No, indeed he can't. +- Where have you been and why? +They were laying track in Wyoming. +Needed a troubleshooter. +- Didn't need me. +- That's too bad. +You can pick up a few nickels and dimes playing your accordion. +That's right, Tim. +What's this? +Playing cards with matches? +When's payday? +Tomorrow, if they get the money past Whitey Harbin. +Which they won't. +He's tapped that pay train three times up. +They'll get it past him or get no more steel before snow. +- O'Brien, shut your mouth! +- My sentiments exactly. +Day shift and night shift, night shift and day shift. +No money in a month. +My patience is ended. +So is their rail road. +Am I right? +- You are right! +- McLaine. +Please play me a peaceful tune or I'll have a revolution on my hands. +I see what you mean. +Are they giving you trouble? +Lucky you're not with the rail road. +Tis a weary man you'd be today if you were troubleshooting for us. +Could be you're right, Tim. +Come on, pretty lady. +Give us a dance! +I dare you, Mr Feeney. +Where's the wife? +Come on! +Big Ed, are you through to Junction City? +This is for Kimball. +As per your instructions, this is to advise you that Grant McLaine is here at end of track. +You don't need that last. +Just say he's here. +Get away from him! +Get away from him! +Dancing, is it? +Let me... +Get back into your tent where you belong, you painted women. +You and your rail road. +Bringing the likes of this among decent folk. +For two cents I'd take me old man back to Junction City and be through with you. +If you had two cents! +They're at it again. +You can't mix wives and women, even to build a rail road. +Stop this shilly-shally music and give me a jig I can dance to. +Give us a jig, I said. +You watch your feet. +They're heavy. +And so is my fist. +Do I get a jig or do you lose your teeth? +Not now, Mac, not now. +He's not bad. +He's just a fool. +Consider yourself lucky. +Five years ago you'd have got a bullet between the eyes. +I've seen him kill men that could eat you without salt. +Play what you please. +- You asked for a jig, now dance to it! +- Here I go, Feeney! +Hee-hee! +UP Garryowen! +♪ I was farming in Missouri ♪ +I was getting tired of that ♪ +♪ So I bought myself a satchel ♪ +♪ and a stovepipe hat ♪ +♪ And I headed for the station ♪ +♪ gonna travel all about ♪ +♪ But there wasn't any station ♪ +♪ and I soon found out +♪ That you can't get far without a rail road ♪ +♪ You can't get far without a rail road ♪ +♪ Something's gotta take you there ♪ +♪ and gotta bring you back ♪ +♪ Oh, you can't go any distance ♪ +♪ in a buggy or a hack +♪ You can't get far without a rail road ♪ +♪ You can't get far without a rail road ♪ +♪ You gotta have an engine ♪ +♪ and you gotta have a track ♪ +♪ Oh, you can't get far without a rail road ♪ +I haven't heard that one. +Where does it come from? +Dad used to play it when it got too rough around the house. +Pretty soon us kids would stop fighting and start dancing. +The man makes fine music. +Are we gonna let them use it all up? +Go on with you! +Clarence Feeney, stop looking at them painted hussies and give your wife a dance. +- Go away, woman, I'm tired. +- Tired, is it? +This is my day for dancing or fighting. +Which will you have? +Darling. +Nice work. +I'll give you five dollars tomorrow. +If Whitey lets the pay train through. +Three times is enough. +He won't hit it again. +Oh, don't bet on it. +He's a strange man, this Whitey Harbin. +He's got the big boss plenty worried. +Speaking of Kimball, he wants to see you. +- How would he know where I am? +- I told him. +Here. +You read it. +I'm afraid if I stop the music, +Mrs Feeney'll hit me with something. +"Report to me at once in Junction City. +Urgent. +Ben Kimball." +- Maybe he'll give you... +- Another chance? +No. +That's not his way. +- But you will see him? +- Not till they've finished their dance. +- You old hag, I'll... +- Painted hussy! +Let go of me! +Let go! +Let her go, I said! +- Hold this. +- Right. +And this is the tune your father used to play to keep peace in the house? +I must have squeezed out a few wrong notes. +Yeah. +- Thanks, Tim. +- Goodbye, Mac. +- Too late for coffee, mister? +- Howdy. +I think there's a few warm dregs left. +- Oh. +Howdy, ma'am. +- Step down. +Much obliged. +- They keeping you busy? +- Yep. +Packing out the ore and packing in the vittles. +Them miners can eat more beans than they raise in all of Boston. +- Now they want me to bring in a mill. +- All at once? +No, just a few pieces at a time. +They got tired of waiting for the rail road to reach them. +Between you and me, I don't think it will before snow. +You're hoping it won't? +First I was. +Figured it'd put me out of business. +It won't. +- It won't? +- No. +It's a funny thing about gold. +There's always some jackass will find it where the rail road ain't. +Then he'll send for me and a few more jackasses to bring in his grub and pack out his ore! +Them crazy miners! +Look at the waste of that good machinery. +Two miles of cable and buckets to go with it. +Last week they up and left the whole thing! +Did the vein pinch out or did they hit low grade? +They didn't hit nothing but blue sky. +- This was mighty fine coffee, Mrs... +- Miss Vittles. +Miss Vittles. +I sure appreciate it. +- I got a long ride ahead of me. +- You heading for Junction City too? +Yes, ma'am. +But I'm kind of in a hurry. +I ain't looking for company. +Ten jackasses in a bunch is enough. +- I can save you a trip round the mountain. +- How's that? +Like I told you, the boys hit a good vein, followed it through the mountain. +Last week they busted out on the far side and there wasn't nothing there but blue sky. +Makes a mighty fine shod cut into town. +- It sure does. +- Still think I'm crazy? +I think you're real pretty. +- You going to spend time in these hills? +- Yes, ma'am. +When snow comes you're gonna need a woman. +Or a warm coat, else you'll freeze your knees. +Well, I can't rightly afford a warm coat. +So long, Miss Vittles. +People wonder what a calf feels when he gets roped. +Now you can tell 'em. +What for are you mixing in? +Maybe I don't like to see kids get hurt Break any bones, son? +He's got a knife behind his collar! +- There's a stirrup. +You want a lift? +- No. +- Why not? +- I'm beholden to you, mister. +Couldn't we just leave it that way? +- Morning. +- Morning. +- Put him up? +- For how long? +- I wouldn't know. +- It'll be two bits for oats. +- Ain't I seen you before? +- Depends on where you've been. +- I follow the rail road, mostly. +- Could be you've seen me. +- It'll be four bits if he stays the night. +- Fair enough. +Morning. +Did a man ride in today - tall, son of heavyset? +- You mean him, Mr Renner? +- Not him. +This one had a scar. +Along his cheek? +No, sir. +I don't see no man with a scar. +I guess maybe I can have some apple pie and coffee. +I guess you could have eggs with bacon if you wanted eggs with bacon. +- Hello, Charlie. +- Hello, Grant. +It's good to see you, Charlie. +It's awful good to see you. +It's good to see you too. +- I'll get the eggs. +- No, get the pie. +I can pay for the pie. +You're a very stubborn man. +Apple pie is not for breakfast. +It is if you like apple pie. +Now I need a fork. +- Working here long? +- About three weeks. +How's the Utica Kid? +He was well... when I saw him last. +When was that? +- Good morning. +- Morning. +Well, business is early and Pete is late. +The lunches. +Are they fixed? +Why do I ask? +The lunches are always fixed. +Why? +Because you fix them. +Charlie, I'll make you an omelette like only Pete can make an omelette. +Very bad. +Come on around, sit down, have a cup of coffee. +Pete had that place in Santa Fe, remember? +Are you running a shoe store on the side? +Those are box lunches for the work train. +Money, money, money. +Pete knows how to make it. +He follows the rail road. +I guess a lot of people follow the rail road. +You and Pete. +The Utica Kid. +I asked when you saw him last. +They've lost three payrolls. +Now when did you see him last? +- Charlie, where did I put my apron? +- It's under here. +You must be nice fella. +If Charlie sits with you, you must be nice fella. +I make omelette for you too. +We were talking about the Utica Kid. +He can wait. +Ben Kimball's in town. +They put his car on the siding yesterday. +- I know. +- His wife is with him. +Is she? +I often wondered what Verna was like. +I saw her last night. +All fine silk and feathers. +She's soft and beautiful. +And I can understand now. +Can you? +How long are you gonna be in town? +- That depends on Ben Kimball. +- You working for the rail road again? +- if I am? +- That would be good. +Playing the accordion's not for you, not for a living. +You belong to the rail road and it belongs to you. +There were a lot of things that used to belong to me and somehow I lost them. +Two omelettes a-comin' up. +- Do you like eggs? +- No. +That's too bad. +You got an omelette coming up. +Well, somebody's gotta eat them. +Come on. +That means you. +- Could you put it in a box? +- An omelette? +I'll be hungrier when I get to end of track. +Maybe it will go down easy. +Easy or not, it goes down right now. +I can't pay for it. +Then you can help me sell lunches at the station. +Any more arguments? +Come in. +- You want to see me, Ben? +- I certainly do. +Hello, Grant. +Sit down. +All right, Jeff. +Renner, go to Pete's and get one breakfast and a jug of coffee. +- You haven't eaten yet? +- I've eaten. +Just get coffee. +Hot. +- How's everything been going? +- I make a living. +- Playing an accordion? +- That's right. +Want me to play a tune for you? +There's other jobs besides railroading. +Well, Colorado may be big in miles. +It's kinda shod on people. +So when a man gets fired the way I was fired the story gets around. +Well, I'm... +I'm sorry. +- No, I like to make music. +- And it keeps you near the rail road. +If someone needs information about a payroll, you can sell it. +You know it's a funny thing. +I don't like you either. +- Is that why you sent for me? +- No. +And keep out of this. +Have it your way. +But I don't trust him now any more than I did when I sent him after the Utica Kid. +I sent you after a thief and you gave him a horse to get away on. +- I told you to keep shut. +- Let him talk. +I'm not wearing a gun. +I'll be honest with you. +He'd talk the same if I was. +- It's been nice seeing you. +- Grant. +I'm sure Jeff didn't mean to be rude. +Sometimes he has a blunt way of putting things. +Unfortunately, Ben isn't much better. +It's not unfortunate. +It just gets things said in a hurry. +Too much of a hurry. +They forgot to ask you if you'd work for the rail road again. +Would you? +Yes, I would. +Not to give you a short answer. +- It's the answer I wanted. +- Sit down, Grant. +Do you remember Whitey Harbin? +Used to work down in Arizona and New Mexico. +- Yeah. +- Well, he's moved into Colorado. +I thought he favoured stage lines and banks. +So did we. +But he's learned about rail road payrolls +- and he's grabbed three in a row. +- Where do I fit in? +They're making up a supply train in the yard. +I want you to ride it. +- With $10,000 in your pocket. +- Why me? +Quite frankly, because no one would suspect you of carrying a payroll. +I sure don't look like $10,000, do I? +Are you building a bridge you don't need? +The money's here. +Why not bring the men in on Saturday and pay them off in town? +And lose half the crew? +Turn them loose in a mining town, they'll go up the hills looking for gold. +It won't work. +And we have to finish this section before snow comes. +That's a pretty big gamble on a man who gave his horse to a thief! +Yes. +You might as well know the deck's stacked against you. +A boxcar will be hooked to the train. +I'll be one of the men in it. +- When did this happen? +- Last week. +- Renner, did you know? +- Yes. +- Why didn't you tell me? +- I told him not to. +- Why? +- Everything we plan gets back to Whitey. +- You think I'd tell him? +- You might trust the wrong people. +- If he takes the job, I'm sure of it. +- And if I don't take it? +Then Jeff will be sitting in Ben's chair. +Oh, I wouldn't like that. +So I'll take the job on one condition. +If I make the delivery I get his job. +You made a deal. +Thank you. +Wait a minute. +It's getting cold up in the hills. +This coat has always been too long for me. +Thanks. +Well. +I thought you didn't like him. +He said that. +I said I didn't trust him. +And I still don't. +Grant. +Are you surprised Ben sent for you? +I was until I talked to him. +He seems to have changed. +You're right. +He doesn't belong in a private car with clerks, figures and pressure from the office. +He belongs at the end of track, running a gang and building a rail road. +- He's a working stiff like you. +- Yes, but he can dream a little too. +Colorado wouldn't have a rail road if he hadn't sold them on the idea. +For his sake, I wish he hadn't. +He was happy at end of track but they kicked him upstairs and sent us to Chicago. +- And now he needs a little help. +- That's why he sent for you. +Oh, I may have had something to do with it. +Why? +There was a time when you were interested in me. +I was more than interested in you. +I wanted to marry you. +Times when I'm sorry you didn't. +Aren't you? +No. +A man likes to know his woman will back him when he's down and you didn't. +Ben called me a thief and you went right along with him. +It's as simple as that. +Grant. +For old times' sake. +For old times' sake? +Just that and nothing more? +Perhaps just a little more. +We want to be sure that payroll goes through, don't we? +I don't know. +Maybe Jeff is right. +His type seldom changes. +And if we've made a mistake, it's the finish of everything. +Then why not cut this car into the supply train? +If we're all playing showdown, I'd like to see the cards when they fall. +- Thank you. +I hope you have a nice trip. +- Thank you. +Ma'am, is that all? +- Here's your lunch. +You've earned it. +- Thanks. +- Mister, are you going to end of track? +- Yes. +Could you stake me to a ticket? +I can ride half fare if I'm with an adult. +- And you're an adult. +- Well, sometimes I wonder. +All right. +You can come along. +We'll ride with the other fellas with no money. +- On the flatcar? +- Go on. +Climb aboard. +Plenty of fresh air. +Do you good, make you grow. +Are you sure he didn't come while I was away? +Ain't nobody been here but the man riding the sorrel. +- What color horse your man riding? +- How should I know? +It's extremely important that I see him. +They've cut in Mr Kimball's car. +Barley! +A man told you to put his horse up... +Don't start that too. +That there sorrel is the only horse what come in. +That there sorrel is the horse I want. +He belongs to my friend Grant McLaine. +McLaine? +That's who it is. +I knew him as a troubleshooter in Santa Fe before he went bad. +- He didn't go bad. +- What'll you do with his horse? +- Ride him! +I'll change, you saddle him. +- All right. +Hey, Pilgrim! +Come here! +Don't go getting your liver all upset. +- Once you miss 'em, they stay missed. +- It's none of your business. +- Could be. +You wanting to get on that car? +- If I am? +- I can take you to where it's going. +- On one of these? +They'll get you to end of track before the train does. +- That's ridiculous. +- $100 again yours I'm right. +- You've got a bet. +- And you got stuck. +Here. +I'll let you ride Flap Ears. +- You can smoke inside, mister. +- I can smoke where I want. +You can burn too if it pleases you but it'll still cost you four bits. +- For what? +- Traveling first-class. +Otherwise ride the flats. +- You play that? +- Yeah, I play it. +- When? +- When? +Whenever somebody throws a dime in my hat. +- I ain't got a dime. +- This one's on me. +- Been up here before? +- Pad way. +- What takes you to end of track? +- A job. +Figured I'd get one at Junction City. +They told me the foremen do the hiring. +You're a little small for swinging a sledge. +- I can carry water. +- Yeah, you can carry water. +- Very important job. +- Hey! +- What are you doing here? +- He's with me, Pick. +- Where did you get him? +- Somebody threw him away. +Don't you throw him away. +He'll get lost in the mountains. +Who tells the men who build rail roads how to get through the mountains? +The river. +They just follow the river. +- Who told you that? +- I guess my dad was the first. +He had a little song about it. +♪ Follow the river ♪ +♪ The river knows the way ♪ +♪ Heads can go astray ♪ +♪ It happens every day ♪ +♪ Follow the river ♪ +♪ Wherever you may be ♪ +♪ Follow the river back to me ♪ +Wouldn't you wanna be knowing about Concho? +- Who's Concho? +- The man you roped. +Do you wanna know? +Not unless you wanna tell me. +I ought to tell you. +He's fast with a gun. +Only know two men who are faster. +Which two men would they be? +Whitey Harbin for one. +I run away from Whitey. +That's why Concho was after me. +You're one of Whitey's men? +No. +I was in Montrose. +Whitey and his bunch were robbing a bank. +I was just in the road watching. +Whitey was all for killing me but the other fellow wouldn't let him. +He swung me up into the saddle and said, +"You ain't killing a kid. +Not while I ride with you." +- Whitey, he backed down. +- Cos the fella's faster with a gun? +Like lightning. +This other fella, does he have a name? +He's got a name. +The Utica Kid. +I'd have stayed with the bunch if he was boss. +- But he's not? +- Not yet. +Always he's shoving pins into Whitey, laughing at him, driving him crazy. +Even crazier than he is! +Someday Whitey will crack and he'll lose. +Is this the fresh air you were talking about? +How come them fellas can ride inside? +Well, it's the old story of good and evil. +If you spend all your money on whiskey, you have none left for a ticket. +Don't drink. +Then you'd have six bits when you need it. +That's very true. +Tell you what, maybe I have six bits. +Yeah. +What do you say we go in and spend it? +Come on. +Guess I wasn't tough enough to follow the river that way. +Sometimes it isn't easy traveling upstream. +- That will be a dollar. +- That'll be six bits. +I'm the adult. +Here. +Hold on to that. +- Don't worry about Concho. +- You would if... +Oh, no, come on. +Sit down. +We can both worry together if you want to tell me about it. +- It's nothing. +- And if it was, you'd rather not say. +All right. +I broke with Whitey. +Doesn't mean I have to talk. +No, you don't have to talk. +I even broke with the Utica Kid. +- Hi, Utica. +- Put him away, Howdy. +Sure. +Come on. +It's a pretty good rig. +Too good for the guy that owned it. +Remember that draw you taught me? +It worked. +He went down with his gun in the leather. +- And now you're an "in case" man. +- In case? +Yeah. +In case you miss six times with one, you draw the other. +- If you have time. +- I'll have time. +Call it. +Draw! +You better learn to draw that one before you fool around with the other. +About three inches high, Whitey. +You better take another look at that skull. +Next time it could be yours. +Don't soft-foot up behind me! +It makes me nervous! +So I notice. +What else did you notice? +Did you see Concho? +- Did you see him? +- He wasn't on the trail. +Did I ask you where he wasn't? +I asked you did you see him? +- I would've said so. +- Not straight out you wouldn't. +Because you're a funny man. +You've always gotta be laughing inside. +Well, go ahead, laugh. +But get this, Kid. +I'm a better gun than you. +Or would you like to try? +It's an interesting thought, but I'm afraid of you, Whitey. +You ain't afraid of me. +And in your feet, where your brains are, you think maybe you're just a bit faster. +And you know something? +It could be. +Before you break up completely, you mind putting a name on this? +It's just a little old wedge. +But when you put it through the latch of a boxcar, you can't open the door from the inside. +Now, you ask me, who would want to open the door of a boxcar from the inside? +- Jeff Kurth and a dozen gunmen. +- How would you know? +I was sleeping up there when Concho told you. +You better learn how to snore! +You wouldn't know how to shoot a man in the back. +I'll learn. +What'll it be, gents? +We got Old Grandpa, Old Grandma, Old Uncle Tom. +- And Old Empty. +- You ain't funny, Latigo. +Who could be funny, sweating it out in here? +Get away, boy. +You're too young for whiskey even if we had plenty. +Don't get fancy. +You ain't talking to Joey. +Speaking of Joey, you didn't happen to spot him along the trail, did you? +I'll take a shot of that Old Flannelmouth. +- Did you see him? +- No. +Did he leave any sign? +A little. +He was headed toward Junction City. +But you didn't follow him? +Joey always was a nuisance. +I was for dropping him in the river. +- Why didn't you? +- And get my brains shot out? +You've got to find a better reason to kill me. +Suppose Concho didn't catch up with Joey in town and suppose the kid talked? +- He won't talk. +- Maybe not, but Concho ain't back. +Unless he gets back, we won't know where they're carrying the money. +That's right. +Maybe it'd be smart to let this one go through. +Why? +We've grabbed three in a row. +Let's give them a breather. +That makes sense. +I go along with Utica. +You and me both. +We ought to let this one go through. +It ain't going through! +Why not? +You're the one who taught me about payrolls and now I like them. +- So do I. +- I'll buy that. +A man can get saddle-sore looking for a bank to take. +- I'm with Whitey. +- Me too. +What about you, Torgenson? +I got no complaints. +You call it, I'll play it. +Looks like you've been outvoted. +Or do you want a recount? +- Right now, I'd rather have a drink. +- Suit yourself. +If I can't buy a fight, I'll buy a drink. +Fill 'em up. +Sorry, the bar is closed. +On account of we're fresh out of whiskey. +Either get this floor fixed or get a new bartender. +When do we make the hit? +Any time you're ready. +She was halfway up the grade when I left. +Why didn't you tell me? +Why didn't you ask me? +Funny man! +Mount up! +Settle down. +It's only another job. +But if you was boss, we wouldn't do it. +If I was boss we wouldn't do it. +You ain't boss! +♪ So I bought myself a shovel ♪ +♪ and I bought myself a pick ♪ +♪ And I laid a little track along the bullfrog crick ♪ +♪ Then I built a locomotive out of 20 empty cans ♪ +♪ And I tooted on the whistle ♪ +♪ and the darned thing ran ♪ +♪ Oh, you can't get far without a rail road ♪ +♪ You can't get far without a rail road ♪ +♪ Somethings gotta take you there ♪ +♪ and gotta bring you back ♪ +♪ You can't go any distance ♪ +♪ in a buggy or a hack ♪ +Throw some ropes around them timbers. +We'll pull it down. +Torgenson! +- OK, John. +- Hurry it up, Jubilee! +- Boy, they're pushing her fast today. +- Yeah! +Maybe they heard I needed a quick ten thousand. +- That water tower your idea? +- What's wrong with it? +Any self-respecting injun could walk away with it. +Funny man! +He knows everything about everything. +Let's get down and lock the barn door. +We've stopped! +Whitey's making his hit! +- McLaine sold us out! +- No, Ben. +They didn't learn it from Grant. +Leary! +- A hold-up! +- They did it again! +Stop your moaning and hold on to your hat! +They won't stop old Tommy Shannon with a tank full of water. +That's no way to treat rail road property, Mr Shannon. +Take your hand off the throttle and reach for the brake! +All right. +Sit down and behave! +Come over here. +Open the safe! +- Ha! +- Move in! +Same as last time! +- We thought you were lost or drunk. +- There ain't nothing in there. +Jubilee! +How are you making out? +Try to talk your way out of this! +- I'm sorry I missed out with Renner. +- Never mind. +Where's the money? +- It's not in the safe. +- Then where is it? +It could be going to Junction City with Jeff's men. +That's not true. +Renner told us Jeff wouldn't carry the payroll! +That's a help. +Least we know who didn't carry it. +Funny man! +When you get through laughing, see what's in that red car. +Sure. +Glad to. +As soon as I pick up my horse. +He's worth more than anything I'm gonna find on this train. +Get those pilgrims out. +Maybe one of them is carrying it. +Hit the other cars! +See if you can find it. +Outside! +All of you! +Is this what you wanted to tell me? +Have a look inside, Latigo! +If that's McLaine... +No, Ben. +Put it away. +You may as well be comfortable. +- Be my guest. +- Gladly. +Do you mind if I ask the name of my host? +No, I don't mind. +Would the payroll be in there? +No. +Why not take a look, just to be sure? +Boy, is this stuff mellow. +Bottled in bond too. +- I forgot. +Ladies is always first. +- Thank you, no. +See for yourself. +Hello, Joey. +What are you doing here? +Getting robbed! +Don't bother. +None of them's got more than two dollars. +Whitey! +There ain't no payroll in there. +How come you missed out? +- I had a little trouble. +- Now, ain't that too bad? +- Maybe I ought to give you a little more. +- Whitey! +Kimball's back there with his wife. +You just got lucky! +Put them back in the car! +Get aboard! +Go on. +Good little boys don't run away. +This time you'll learn! +- Where's the payroll? +- The man says he doesn't know. +I can help him remember. +Take her outside. +Take her outside yourself. +I'm afraid of women. +They scream and scratch, and sometimes step on your toes. +Don't say no to me. +Not when I got a gun in my hand. +I won't. +Unless I'm holding one too. +- Outside. +- If you want the payroll... +You'll have to wait for the next work train. +We decided not to send it through on this one. +Oh? +I don't mind waiting. +I'll be at Pay Load. +You can bring it to me. +Then I'll take 12 hours start, you get your wife back. +See what happens when you don't carry your brains in your feet? +I ought to make you walk. +Jubilee, lead them out. +Step up with Latigo. +What about Joey? +You gonna leave him here? +He'll ride with me. +Or would you like to? +Settle down. +We're getting $10,000 for the lady, remember? +Which one do I ride with? +Which one do you think? +Take her to the end of track, Mr Shannon! +Here's a stirrup. +Give you a lift? +I'll take that box. +Don't crowd the cantle. +You'll ride easier. +Whoa, mules! +Must have got tired of making the climb and started home. +- Come on, boy! +- Just a minute. +There's a mining town near here. +It used to be called Pay Load. +It's still called Pay Load but nobody lives there. +- It's over beyond that far hill. +- Which hill? +- You see the first hill? +- Yes. +See the second one? +There's a third hill. +Pay Load's behind that. +- How much do you want for this mule? +- $50. +Flap Ears, when you unload this piker, you come on home to mother. +Get outta there! +Welshing on a bet! +Never could understand them rail road people. +Come on! +Come on! +- Mr Kimball. +- Come over to the telegraph shack. +Before you pass. +Did you bring the payroll? +Not now! +- Did you bring it? +- I didn't. +- Now what? +- The end of the rail road. +- Shut up, Feeney. +- Let go of me or I'll push this down your throat! +Who wants your man? +I don't want none of 'em! +They're all broke! +- See you in Denver. +- I'm off to Denver too. +- So am I! +- Nobody goes without orders from Kimball! +- I'm leaving. +- You are not. +You'll take no joyride in this town with them painted hussies. +We've waited this long. +Another night won't hurt us. +But if the money's not here in the morning, out we go! +Get back to work! +We're beat, Mr Kimball. +Without the pay, the gang will go to Junction City. +- I know. +- Any word from Jeff? +He's in Junction City. +Says the car held to the grade all the way. +He and his men will be after Whitey in... +They will not! +Tell him to stay right where he is until further orders. +Yes, sir. +Wonder if he thinks that's private property. +If he tries to divide that like he cuts up the loot, there's gonna be shooting. +- Your laundry? +- Sandwiches. +Do you want one? +No. +Where did you get them? +Junction City. +A girl in a restaurant gave them to me. +Was she pretty? +- Think you could get me a date? +- She's not that kind of a girl. +Any of you boys win enough to buy a drink? +- You ain't got a drink. +- I got a drink. +- I thought you was fresh out. +- I was till we made the hit. +While you looked for the payroll that wasn't there, I had important business. +Come on, fill her up. +Latigo ought to be running this bunch. +We might not eat, but we'd sure drink. +Ha ha! +You're a funny man. +Why don't you laugh? +- Am I supposed to? +- Not if you're smart +- I think you're smart +- And what else do you think? +That you made a mistake. +She'll only bring you trouble and guns. +Since when is $10,000 trouble? +That's exactly what you're worth. +You're very flattering. +But I'm inclined to agree with you. +Don't make a habit of it. +Latigo, I want a drink! +And you've got a few habits I don't like either. +Settle down. +Do you see what she's up to? +I can see you. +And what I see I don't like too good. +- I guess you could use one. +- Thank you, no. +- It's the best. +I got it off your own bar. +- You drink it. +Sorry, lady, I don't drink. +I'm studying to be a bartender. +- Don't you drink? +- Not alone. +Suppose I join you? +- Do you mind? +- And if I do? +Don't push it. +For a little while you're gonna need me and I'm gonna need you. +I watched you walk. +I could swear we've met before. +Could you? +Funny little things you do. +Like when you smile. +Strange. +I seem to recognise all your mannerisms, if you know what that means. +- I know what that means. +- Do you? +I'm supposed to fight Whitey over you. +With a little luck we'd kill each other. +- It's an interesting thought. +- What's interesting? +- She is. +- You're so right. +I may not send you back. +Not until you've helped me spend the ten thousand. +- You mind if we join the party? +- Yes! +You shouldn't, cos if you guess wrong you ain't gonna hang alone. +You like another drink? +- Thanks, I still have this one. +- Drink them both. +Anybody want to start the dance? +With only one girl? +Get back to the bar where you belong. +Let's all get back to the bar, where we belong. +- You almost got your wish. +- One of them. +- The other? +- To know your name. +His name? +He's the Utica Kid. +I don't like it either. +My family used to call me Lee. +Why don't you? +You're supposed to be outside. +Come out with your hands up. +- What are you doing here? +- I want to see the Utica Kid. +- Who are you? +- A friend of his. +Funny thing, he never told me about no girlfriend. +ls there any reason why he should? +- What's your name? +- Charlie Drew. +And you can put that gun away. +Or do I look dangerous? +Not exactly. +Give me that rope. +- When'd you get here? +- Just before they rode in. +Utica pulled the job off right on schedule. +I suppose you've known it was going to happen for quite some time. +No, I haven't. +Utica doesn't talk to me about jobs. +Not this kind. +- Did he ever have any other kind? +- He will have. +Soon. +Then why don't you hold out? +Why don't you keep away till he stops being a thief? +I told him that's what I'd do. +He just looked at me and smiled. +He said, "Hurry wonder if you can." +Tonight he has his answer. +You're here. +Yes, but only to tell him that you're... +Only to tell him I'm in town and might come looking for him. +I want to keep him alive. +I want to keep you alive. +- You know what he can do with a gun. +- I know. +Well, then, why? +Because of a little thing called self-respect. +Maybe you wouldn't understand anything about that. +For five years I've played that thing for nickels and dimes thrown into a hat. +For five years the Utica Kid has been laughing. +I may have been wrong, Charlie, but I'm not gonna make the same mistake twice. +Grant... +When you see him will you tell him that I'm here? +Leave it alone! +So all she'll bring is trouble and guns? +Did you bring the money with you? +No. +- How soon do we get it? +- I wouldn't know about that. +You should! +$10,000 is a lot of money. +And that's what he wants for me. +Well, I'd say he was selling out cheap. +Never mind what you'd say. +What did Kimball say? +If you don't know about the money, why did he send you? +He didn't send me. +I came on my own. +Why? +- Ask him. +- Well? +I wouldn't know. +Then again, maybe I would. +You were right the first time. +I can walk quiet at night and I'm a pretty good gun. +I'd like to join up with you. +You see, when a man gets fired off the rail road, he has a little trouble finding a job. +And when he can't find a job, he gets hungry. +I've been hungry for the last five years. +Haven't I? +- How would he know? +- I'm his brother. +- His brother? +- His younger brother. +Five years ago he was a troubleshooter for Kimball. +I lifted the feed herd and he came after me. +Then gave you a horse to get away. +But not until I'd heard all about good and evil. +I didn't buy what he had to sell then. +I'm not buying it now. +- So you don't want him in? +- No. +Funny thing. +I want him in. +- Any objections? +- It ain't that simple, Whitey. +There's a personal deal between me and him. +- About what? +- He got in my way. +That's right. +Oh, yeah, I remember you. +You're the man that fights kids. +Which way do you want it? +Get up, come on, get up! +Now one of you give him his gun. +All right, Harbin, you're the boss around here. +You call it. +I might just do that. +Well, I ain't gonna take him alone. +Then maybe you'd better move along. +Any further objections? +- Yeah. +- Now ain't that wonderful? +- I'd be happy to call it. +- You may get the chance. +You mind if the Utica Kid and me have a little talk? +Not at all. +Call me when you're ready. +I think you ought to know I'm working for the rail road again. +I figured as much. +- Troubleshooter? +- Tonight I was carrying the payroll. +- Where did you hide it? +- I gave it to the boy. +It's in that shoe box. +Now all you have to do is go in and tell Whitey. +You're gambling I won't? +- Same old story of good and evil. +- Same old story. +You lose, Grant. +Yeah, I kind of figured that when you laughed. +I'll give you the same break you gave me. +Ten-minute start, then I tell Whitey I sent you away. +I go, that money goes with me. +So does Kimball's wife. +- No. +- Wait a minute, Lee. +Hear me out on this. +If I leave here, that boy goes with me too. +Joey? +Why do you want him? +Maybe for the good of his soul. +It's been a long time since you heard that word, hasn't it? +Mother and Dad used to bring it up once in a while when we were kids. +You were just about Joey's age. +He thinks a lot of you, doesn't he? +- He wants to grow up to be just like you. +- He may make it, with practice. +Soon he'll be holding the horses while you and Whitey hit a bank. +There's another kid lying in the barn. +He got the start that way too? +- You didn't kill Howdy? +- I didn't hurt him. +- And you're not going to hurt Joey. +- How could I do that? +It's not hard. +It's not hard. +Not when he takes your road. +Or haven't you stopped to look at it? +Why bother? +I picked it, I'll ride it. +Lee, I'm asking you again. +Give Joey a chance. +No. +You've got ten minutes. +I won't need them. +Charlie's in there waiting for you. +Think about her. +She's been following you for five years too. +She's got a reason. +Or didn't I tell you I'm gonna marry her? +How much of that did you hear? +Just what I wanted to hear. +That you're gonna marry me. +When? +We're gonna have a lot of money, Charlie. +$10,000. +You can have pretty new dresses and pretty new shoes. +And a brand-new husband. +- Tomorrow. +- No. +Right now! +If you want me, take me away right now. +Please, please take me. +Why the sudden hurry? +Has my big brother been telling you the story of good and evil? +Don't laugh at him. +Why not? +Why mustn't I laugh at him? +Maybe it would be better if... if you tried to be a little more like him. +Now isn't that just great? +Now I get it from you! +Ever since I was a kid that's all I can remember. +"Why don't you be more like your brother? +Why can't you be more like Grant?" +I don't want to be like him. +I don't want any pan of him. +- That's not true. +- Yeah, it's true! +You don't know what it's like to be the kid brother. +Everything you do is wrong. +Everything you try. +Until one day I tried a gun. +Fit my hand real good. +And I wasn't the kid brother any more. +It's a good gun. +It's gonna get us everything we always wanted. +But I don't want it. +Not that way. +Why must you steal? +Because I like to steal. +I like to see what people will do when I take it away from them. +What happens when something is taken away from you? +Nobody's gonna take anything away from me. +Charlie, I'm asking you to marry me. +No. +Grant was right. +You'll never change. +And he calls me a thief? +Joey +Go on. +Play some more. +It's been a long time since I heard an accordion. +Any tune in particular? +Or would this do? +♪ Oh, you can't get far without a rail road ♪ +♪ You can't get far without a rail road ♪ +♪ You gotta have an engine ♪ +♪ and you gotta have a track ♪ +♪ Oh, you can't get far without a rail road ♪ +♪ There are tracks across the prairie ♪ +♪ Where the buzzard builds his nest ♪ +♪ There are tracks across the Rockies ♪ +♪ To the Golden West ♪ +How does it go from there? +How does it go from there, Lee? +Everybody will be neighbours +In this little dream of mine +Take you clear across the country +On the Bullfrog Line +♪ Oh, you can't get far without a rail road ♪ +- ♪ You can't get far without a rail road ♪ +Gentlemen! +- Renner! +- Didn't you know he was working for me? +- I've come for my thousand dollars. +- What thousand dollars? +Your memory is quite shod. +I supplied you with information about a certain boxcar. +I was prepared to supply you with information about the payroll. +- Concho did not keep the appointment. +- So? +So ten per cent of the payroll is mine. +Sorry to disappoint you but we missed the payroll. +Missed the payroll? +In that case I'm prepared to make a better deal. +For $2,000, I can tell you where the money is. +You made a deal. +Ben Kimball hired a man to carry it. +I might never have located this place if I hadn't heard that man's accordion. +He has the money. +Ask him! +Joey! +Come here, Joey! +Grant! +McLaine, there's a woman with you! +- That's right. +- Send her out before we come get you. +Here, hurry! +Come on, Charlie. +He's in the clear. +He's riding away. +Yeah, he's riding. +After me. +- What are we stopping for? +- We're going to the mill, the shod way. +Get down to the mill! +Come on! +Take cover! +Here. +There's a mine shaft at the end of these cables. +It runs clear through the mountains. +On the other side, about half a mile, is the rail road! +It's two hours to the end of track. +I have to send you out one at a time. +Come on, Verna. +- Tell Ben he'll get his payroll somehow. +- I'll tell him more than that. +You'll get that money even if you had to kill your own brother? +The next ore bucket that comes down, pull it around and jump in. +I'll cover for you. +It's clear, Charlie. +Get out! +See if you can reach him from over there. +He can't stand them off, not alone. +You figuring to help? +Grant! +Look out! +He's real good. +Only one better gun in Colorado. +Charlie! +Get over here! +- I thought I told you to get out. +- I'm staying right here. +All right. +Now you get back inside and I'll cover for you. +Thanks, Charlie. +Lee, not the kid! +You take care of the kid. +I'll see if I can keep them pinned down. +Would you mind if I play big brother just this one time? +- Shoots high. +- You or the gun? +- Joey all right? +- He's all right. +That makes you a winner. +Go ahead and make a sucker out of the kid. +Tell him all about good and evil. +Put him to work on the rail road. +Things get tough, he can always play the accordion for nickels and dimes. +Sounds like old times, Lee. +Welcome home. +Don't give me that big brother grin. +- Up there! +- Get him! +I count mine. +There's one left. +He hit you hard, Lee. +Not half as hard as you did with that Bullfrog Line. +That was Dad's favourite tune and you know it. +I know it. +You and your stinking accordion! +Charlie. +Charlie? +You and Joey get the horses. +What...? +I'll take care of my brother. +Here's your money. +Pay 'em off, Tim. +Thank you, Grant. +Looks like you won yourself a job. +Mine. +No, it won't fit. +Not nearly as well as your coat. +Want your old job back? +Thanks. +All right, Joey. +Get a bucket and start carrying water. +We're at end of track. +Now go on. +♪ Sometimes I feel like ♪ +♪ could jump over the moon ♪ +♪ And tell the sky above ♪ +♪ Does it matter how full the moon ♪ +♪ When you've an empty head ♪ +♪ Follow the river ♪ +♪ Wherever you may be ♪ +♪ Follow the river back to me ♪ +♪ Follow the river back to me ♪ +[SINGING] +ELIZABETH: +Darling. +- Papa, have I kept you waiting? +- No, that's all right. +Come on. +- Why isn't Peter here? +- He's playing with Kimani, Papa. +That brother of yours and that Kyuke are inseparable. +Can't he find a white playmate? +Why? +You can't treat an African like a brother and expect to have a good servant. +When Caroline died, Kimani's mother raised Peter. +In a way, they are brothers. +[WHISTLE BLOWS] +When do you leave for England? +Tomorrow, worst luck. +I'm homesick already. +A few years of school... +You won't let him marry anybody but me, Mr. McKenzie, will you? +Has he proposed? +No, but I have, quite often. +Which of you stole the rifle? +Step forward. +Your religion says it is evil to steal. +Your own medicine shall name the liar. +If you tell the truth, this will not burn your tongue. +He who lies burns. +Peter? +Kimani, my son, shall be the first. +Did you steal that gun? +Did you steal the gun? +Did you steal the gun? +Did you steal the gun? +[CHATTERING DOG BARKING] +I will find the weapon and bring it to you. +Punish him yourself. +The city teaches bad ways to young men. +How does it go with your wife? +The wife with child? +Tomorrow, the day after... +The time is near. +Papa. +- How does it work? +- Plain old witchcraft. +The Kikuyu is a very religious man. +He fears God, but he trusts him too. +- But hot steel is... +- Will not burn a wet tongue. +But the liar's spit dries up. +Him it will scorch. +Ha-ha-ha. +I think you know more about black witchcraft than you do about the Bible. +- Let me have my way with these devils... +- Poor old Jeff is the perfect colonizer. +What's his is his and what's theirs is his too. +Well, have a good shoot. +We're not raising cattle to feed a maverick lion. +PETER: +Kimani, Lathela. +Tell Kimani not to gut him. +We'll leave a smelly calling card for the lion. +Kimani, open the animal, but don't clean him. +Then you'd better service the guns. +When it comes time to kill the lion, I want to shoot the gun too. +It's Jeff's show. +And you know how he feels about Africans and guns. +KIMANl: +I want to shoot the gun too. +PETER: +I'm sorry. +Lathela. +KIMANl: +Always when we hunt it is the same. +You have all the fun, I do all the work. +When we were little and played together... +But we're big now. +And things are not the same. +Hit him. +Hit him. +Hit him hard. +Do what he says, now. +And in a hurry. +From now on, when he tells you to do something, do it. +Don't think about it, just obey. +Understand me? +Well? +Come on, Peter. +I really should've slapped you. +Might have been better all around if you had. +Heh-heh. +Forget it. +You had no right to hit Kimani. +JEFF: +Peter, how many times have I got to tell you? +Blacks are blacks and not playmates. +One thing you can never do is argue with them. +Never. +You tell them. +Oh, sometimes you can joke with them you can boot them in the tail sometimes look after them when they're sick. +But you never, never argue with them. +- The world's changing, Jeff. +- Not in Africa it isn't. +Kimani's mother raised both of us. +We grew up together. +You'll never live together on equal footing. +Not in our lifetime. +You can't spend the first 20 years of your life with someone sharing bread and secrets and dreams, and then one day say: +"Sorry, it's all over. +We live in different worlds." +I don't believe it and I don't like it. +Wait till you settle down and marry Holly and have to deal seriously with the wogs. +Have you heard from Holly? +A couple of letters from London. +She mentioned coming back? +Just stuff about school, things like that. +Hm... +Well, we'd better break camp and go after that lion. +Lathela. +Get Kimani to help you load. +Kimani not here. +PETER: +Where? +Forget that lion, Jeff. +We're gonna find Kimani, and right now. +All right, all right, all right. +[ENGINE STARTS] +You want Lathela with you? +No, you'll need him to track. +I'll meet you back here at sundown. +[HYENAS YIPPING] +[WHIMPERS] +[YELPS] +- Are you all right? +- Yes, bwana. +- Does it hurt much? +- No, bwana. +You're lying. +- And stop calling me bwana. +- What shall I call you? +"Boss"? "Master"? +Yes, it hurts. +Not where the trap cut me only where Jeff slapped me. +That is where it hurts. +Well, then stop thinking about it. +No one ever struck me in anger before. +Not even my own father. +It wasn't in anger. +He's already forgotten. +Can you forget it? +I cannot forget it either. +We are alike in many things. +You talk Kikuyu same as me. +I speak English same as you. +But you are white and I am black. +And you are the bwana and I am the servant. +And I carry the gun and you shoot. +- Why is shooting the gun so important? +- It's not the gun, it is... +What is it, then? +What? +We cannot talk as friends. +Why? +You said it yourself. +We are not children anymore so we are not friends anymore. +I saved your life as a friend. +I'll always be your friend. +Kimani... +Does it hurt much? +No. +[SPEAKING IN FOREIGN LANGUAGE] +[BIRD CROWS] +[SPEAKING INDISTINCTLY] +ELIZABETH: +The child doesn't come easily. +It is a curse. +This morning, I saw the dung of a hyena. +Just now a vulture passed over us. +Don't you talk like that. +Just don't you talk like that. +- Suppose the child is born feet first. +- Then it must be killed. +When that child comes, don't you touch it. +You understand? +It is you who do not understand. +I'm gonna fetch my father. +White magic will not remove the curse. +- Perhaps the curse is in your son? +- What evil did he do? +Suppose a snake came into his bed. +Suppose a man struck him and he did not strike back. +Suppose he broke a law. +[BABY CRYING] +The child enters life feet first. +Do what must be done. +[BABY STOPS CRYING] +[BELL RINGS] +[INAUDIBLE DIALOGUE] +Kimani. +Swear him in. +- Which god, please? +- The Christian God. +I worship Ngai, the god who lives on Mount Kenya. +I will swear by our sacred Githathi stone. +CROWN COUNSEL: +Your word will suffice. +KARANJA: +Oh, no, no. +If I lie before this symbol of God my children and their children and my home and my land will turn to dust. +[STICKS BANG] +And when I die I will have no life hereafter except to live forever in eternity by the cursed hyena, cowardly eater of the dead. +I speak the truth. +You're the father of the dead baby in question? +- Yes. +- Did you tell the midwife to kill the baby? +Yes. +It was born feet first, it was cursed. +Then what was done? +What is always done according to custom. +CROWN COUNSEL: +Tell His Honor what that is. +We smothered the child and buried it under a pot. +- You know that killing is against the law? +- God says to murder is wrong. +And when you had that newborn baby smothered, was that not murder? +No. +A child cannot join the tribe until he is 1 year old. +Therefore, he's not really born until his second year. +What was killed was a demon, not a child. +Yes, yes. +And then what did you do? +- What? +- Then what did you do? +We sacrificed a young ram. +Mm. +And that, I suppose, got rid of the curse. +KARANJA: +No. +No, sir. +Not yet. +I am still here, therefore the curse is still at work. +Would you do the same thing if another child were born to you feet first? +Yes, yes. +It would be my duty. +What in the name of Almighty God are we trying to do to these people? +CROWN COUNSEL: +Preserve the law, Henry, that's all. +Law? +Whose law? +Not theirs, surely. +All men are equal before the law. +Except some are more equal than others. +That man is an accomplice to murder. +He's admitted that. +But can we make him understand it? +We take away their customs, their habits, their religion. +We stop their tribal dances, we stop them circumcising their women. +Then we offer them our way of life, something they can't grasp. +We say, "Look how clean and rich and clever we are." +For the Africans different wages, different life. +We mock their wise men. +Take away the authority from their fathers. +What are the children going to do? +They'll lose respect for their elders and fathers and when they do, look out. +Maybe they'll lose respect for our white Jesus too. +Turn to something else for help. +It won't be to us. +Well, you understand, don't you, Peter? +If we don't make the African respect the law well, the next thing you know, he'll be wanting to rule this country. +Imagine that, now. +Whatever could give him that idea? +This is his son. +Can he come in while we're here? +[SPEAKS FOREIGN LANGUAGE] +[IN ENGLISH] The city frightens me. +- Let us go home quickly. +- Listen, old friend. +The law says you must stay here in jail for a while. +I'm sorry. +We'll do everything we can. +My daughter will visit you. +She'll bring you tobacco and food to comfort you. +Please keep this for me. +A jail is not the proper place to keep god's sacred symbol. +And when my son comes of age... +I understand. +I am happy it was not you who struck my son. +You are still his friend? +Yes. +And yours too, for as long as you both wish it. +MAN: +Boy, boy. +I told you. +He will not help you. +Our Mathanjuki will purify you. +He will drive the curse from your body and I will be free. +- No. +- You do not believe in god? +- Yes, yes. +But I do not believe in our witchcraft and black magic. +When Bwana Jeff struck you... +He struck a black man to prove that the white man is master, nothing else. +You are not in jail because of a curse but only because we are judged by their laws. +And that is the truth. +And I must follow where the truth leads me. +- Where does it lead you? +- To strike back. +We're men, not animals. +You have much to look forward to, my son. +You will become headman as I was. +Is that to be my life? +Headman for a white boss? +"Yes, bwana. +No, bwana. +Yes, bwana." +This land can serve me too. +I want my own land. +Then you must earn it. +I will, Father. +I will. +[DOG BARKING] +[GASPS] +Who are you? +Who sent you here? +Why you come here? +He told me to come here. +You told me the white man would put Father in jail. +- You said we had to fight the white man. +- Your father is in jail? +- Yes, and I'm ready to fight. +- You ran away from the McKenzie shamba? +- Yes. +- Why? +- You stole money? +- No. +- Guns? +No, why should I steal? +Then why should you run? +I don't know. +NJOGU: +This is my daughter, Wanjiru. +- He can be of no use to us. +He wants to fight the white man. +We can use him. +We will take him to the mountains. +We will train him. +Come, little boy. +First you will learn to steal guns. +Hm? +[ENGINE STARTS] +I have no parents and I am hungry. +I need work. +Not a sound. +Nothing. +Do not call. +Do not answer. +Do not cough or I kill you. +Understand? +You are not alone? +How many are there? +One other? +The houseboy? +You will call him by name. +Nothing else, just the name. +Call him. +COOK: +Migwe. +Migwe. +This boy is dead. +Nanyuki Police signing off, 1545. +- Hello, Peter. +- I need some help, Hillary. +If it's about the sentence of your headman... +His son, Kimani. +He's missing. +- When? +- Last night. +I want him found. +- What did he steal? +- Steal? +You want him found, what are the charges? +- He might be hurt. +- You check the infirmary? +And I've chased down his family within a hundred miles. +He'll show up. +He probably went to Nairobi on a toot and... +- Age? +- Twenty-one. +- Height? +- Six-two, weight a little under 13 stone. +Wait a minute. +There was a houseboy killed last night. +Buxton shamba, at the foot of the Aberdares. +A gang broke in, stole guns and whiskey. +- What's that got to do with Kimani? +- Maybe nothing. +Maybe everything. +- Not a chance. +- Why not? +I know Kimani. +I know how he thinks. +He's not a criminal. +You mean not yet. +You just find him. +At least send out a description. +Kimani's guilty of only one thing, captain. +Guilty of being born black. +[SINGING] +Take one. +Why that gun? +My friend Peter has a gun like this. +It is a fine gun. +I can kill a lion with this. +Or even a man, huh? +[SINGING STOPS] +There will be no drinking here again. +Never. +Adam is our leader. +Who are you to tell us what...? +NJOGU: +Daughter, ask the other women where to go and what to do. +Kimani. +I see you have earned a gun. +This gun. +To get some of these guns, one of our own people was killed. +When lightning strikes, a bystander may be hurt. +Lightning belongs to god. +This was murder by him. +It was the will of god. +No. +I do not like your ways. +Sit down. +I go to Nanyuki. +I work there to free my father in my own way. +Sit down. +Two reasons why you cannot leave us. +That houseboy. +That houseboy who was killed last night, Adam can hang for this. +So can you. +So can all of us. +- That is the law. +- Reason two. +You know our names and our faces. +You know where we live and how we live. +We would be safe only if you stay with us. +Or if you were dead. +We will not always live as hunted animals. +Great men make plans for us. +Plans to drive the white man from our country. +Plans to take back our land. +Plans to... +MAN [OVER PA]: +Flight 212, BO AC arriving from London, Rome, Athens, Cairo, Khartoum. +- Cigarette? +ELIZABETH: +No. +- Dad? +- No, thanks. +Flight 212 departing for Dar es Salaam, Johannesburg and Jamestown. +ELIZABETH: +There. +Two-one-two departing for Dar es Salaam, Johannesburg and Jamestown. +Each to their own. +Holly, I... +Six years is a long time. +Too long? +You'd better see to her luggage. +- Can't I watch too? +- It's indecent. +That's why I want to watch. +Oh, really. +PETER: +Kimani. +Hey. +[DOGS BARK] +Kimani. +Strange. +I thought I saw Kimani. +You remember Kimani? +Move. +Start moving. +[SPEAKS FOREIGN LANGUAGE] +[IN ENGLISH] Would you mind letting us by, please? +[SPEAKS FOREIGN LANGUAGE] +I've come to pray. +CLERK: +This is not a church. +My god does not live in a church. +How do you call yourself? +Kimani wa Karanja. +We are beggars and slaves in our own land. +The British allow us in their homes and hotels, yes. +But how? +As servants. +We are millions, they are a handful. +We are strong, they are weak. +How then are they the masters and we the slaves? +Is it white magic? +Is it god's will? +No. +They have the guns. +We too shall have guns. +Are we ready for this? +The whole colored world burns with the fever of revolt with the fire for freedom. +Do any of you have any questions? +Is there a doubt in your hearts? +What troubles you? +NJOGU: +Kimani. +His name is Kimani wa Karanja. +For five years, he has been in the mountains with us. +He is ready for leadership. +He is very strong and loyal. +Strong men have betrayed us before. +- You have a question, Kimani? +KIMANl: +Yes, sir. +- This talk of guns. +LEADER: +Yes? +Is this the only way we can get freedom? +Yes. +- By the spilling of blood? +- Yes. +We will never drive the British out with words. +And not with doubts and not with friendship. +It can only be done with guns. +The white man did not take this land with guns. +He bought this land. +- This is truth. +- Mm-hm. +And I must follow where the truth leads me. +You were educated in white missionary schools? +Yes, sir. +Long, long ago, to whom did the land belong? +- The people. +- Yes. +Not one person, but the entire clan. +And therefore only the clan can sell the land correct? +- Yes, sir. +No man of any other tribe can buy our land unless he becomes, in our religion, a Kikuyu. +Yes, sir. +And have the British ever become Kikuyus? +Or have you become one of the British? +Your father was a friend of the British. +But your father died in their prison. +There is only one way to drive out the British. +By terror and death. +Everyone must either be for us or against us. +Those who be with us, stand. +Good. +We will need a symbol, a sign, a name. +Here it is. +Mau Mau. +Mau Mau. +Use it, live by it, die for it. +Mau Mau is the machinery that will carry us to freedom and independence. +Mau Mau. +ALL: +Mau Mau. +I swear to kill an Englishman or may this oath kill me and my family. +I swear to kill an Englishman or may this oath kill me and my family. +- They make a nice couple, don't they? +- Mm. +She's got good lines for breeding too. +Look. +Mount Kenya. +Lathela, wait here. +No wonder the African believes that God lives on Mount Kenya. +If I were God, that's where I'd like to live. +I feel I'm really home now. +I love you, Peter. +I always have. +I suppose I always will. +I like the feel of you. +I wish... +Yes? +I wish it could always be like this moment. +Safe and warm and peaceful. +Always like this. +Home is always like this. +Why did your husband run away? +Did he steal? +Did he do something bad? +Where did he go? +Why didn't you go with him? +- I was afraid. +- Afraid? +Afraid of what? +WOMAN: +Hello, my darling. +MAN: +Hello, my darling. +LITTLE JEFF: +What did you bring? +PETER: +Hello. +LITTLE JEFF: +You didn't forget my rifle? +WOMAN: +Yes, it's right here. +MATSON: +Henry. +WOMAN: +Bring the children in. +Bring them in. +MATSON: +What do you think? +What's it mean? +I don't know. +Two Kyukes disappear from my place. +Jasper, his headman reports one gone from his farm, rifle missing too. +One gone from your place. +Why? +You saw his wife. +She's afraid. +Why? +What of? +[DOOR KNOCKS] +Come in. +According to Kikuyu custom we come to speak for Peter McKenzie, bachelor to Holly Keith, spinster. +- This shy Kikuyu maiden is grateful. +- She doesn't look very shy to me. +How many goats will be paid for me? +Three or four ought to be quite enough, don't you think? +Oh, I'd say 20 or 30 at least. +Why don't you throw yourself in and make it 31 goats? +And why has Peter wa Henry chosen me? +He needs someone to chop firewood and dig potatoes. +He needs someone to keep his bed warm. +- He promises not to beat you often. +- Unless it's absolutely necessary. +- He also expects a child every year. +- All of them his. +- A very narrow attitude. +- We shall also have to shave your head. +Do you accept my son? +If you do, we'll drink to the marriage bargain. +If you don't, I shall have to pour this on the ground. +HOLLY: +And waste all that precious gin? +Thank you for becoming one of our family. +You will swear a new blood oath. +When it is done, you will be part of the new army: +Mau Mau. +He who refuses to take the oath he dies. +He who breaks the oath he dies. +Cut off the sheep's head. +Fill this calabash with its blood. +Sugar cane. +Sugar cane and banana leaves the first source of food. +Mugere plant best and strongest magic. +The arch oldest Kikuyu symbol. +You will pass through the arch seven times and thereby enter a new life. +You will receive seven cuts on the arm to bind you together. +Seven. +All things in seven. +Seven, the unlucky number. +Break the oath and the evil seven will strike. +Sheep's blood symbol of sacrifice. +Millet seeds of nourishment. +Earth the earth we fight for. +The cause that brings us together. +You will eat this oath. +You will swallow it seven times so that it becomes part of you. +Bitter Sodom apples. +Take off everything that stinks of the European. +Watch, ring, money. +To give you an easy road. +The endless circles. +Earth. +Hold it to your belly. +That the land may feed us and not the foreigners. +Hold up your arm. +So that your blood will mix. +Now swallow the oath seven times. +Repeat after me as you pass through the arch. +If I sell land to any foreigners, may this oath kill me. +If I sell land to any foreigners, may this oath kill me. +- I will steal guns. +- I will steal guns. +I will never be a Christian. +I will never be a Christian. +I will drive out all Europeans or kill them. +I will drive out all Europeans or kill them. +NJOGU: +It is done. +They've all sworn. +I feel unclean. +I will not let Wanjiru take this oath. +It is not necessary. +She is loyal. +To swallow the oath was hard enough, but the rest of it... +The nameless filth, the shame. +And in front of the others. +Why was it necessary? +Why? +To bind us together forever. +Now they will do anything. +Killing of mother, father, son will be as nothing to them. +They will feel strong with power and purpose. +- Who gave you the oath? +- No one. +You never took it? +I am too old to change. +I am ready to give up my life, but I cannot give up my faith. +It is too deep, too strong. +In life and in death I will always believe in the god of my father the god who lives on Mount Kenya. +- So do I, in spite of the oath. +Your daughter carries my child. +Now, I wish to marry her before the child is born. +I consider you married. +I will gather cooking stones with my wife as my father before me gathered cooking stones with my mother. +Like you, I cannot tear out what is in my heart. +Do it quickly, then. +We need rest. +Tomorrow is the appointed day of the long knives. +Our first attack should be on the McKenzie shamba. +- Why there? +- Why not? +Look, that was my home, my friends. +A great leader has no friends, only a cause. +- You doubt my loyalty? +- I only ask you to prove it. +Let your panga come back as red as mine. +[CAMERA WINDING] +[BABOONS HOWLING GRUNTING] +[HOLLY CHUCKLES] +Thank you for a lovely day. +Lovely wedding day. +- No more anxiety? +- Mm-mm. +- You know why? +- Why? +Because everything's so full of life. +All the animals, the earth and even the air smells of life. +We've done nothing to spoil it. +Someday all this will be farm country. +What will happen to White Hunter McKenzie, then? +Four years ago, our crops were hit by locusts. +Wiped out. +Papa put all his savings into cattle. +The next year, rinderpest. +What cattle didn't die had to be killed. +Papa got a loan from the bank. +So part of the time, I take rich clients on safari. +For the money. +To pay back the loan. +So the land's good to us this year and the crops hold up, no locusts, no rinderpests I'll be back where I really belong. +On the farm. +You know, that's the most wonderful wedding present you could ever give me. +- Are you as happy as I am? +- I'm a very lucky man. +I have the two women I love most in the world. +- Who's the other one? +- Africa. +There are some things I can do for you that Africa can't. +What is it? +I don't know. +Something strange. +Well, I didn't hear anything. +I'm not certain. +It was something. +Just a feeling, I guess. +[HORN HONKS] +I wonder what's happened to the porch light. +Probably the fuse again. +I'll have a look at it. +JEFF: +Hey, what the...? +Ugh! +KIMANl: +Remember me? +Kimani. +- What do you want? +- I've come home. +[INAUDIBLE DIALOGUE] +[CRASHING WHISTLE BLOWING] +ELIZABETH: +Jeff! +KIMANl: +No. +[MOUTHS] Kimani. +MAN [OVER RADIO]: +Jeff Newton and two of his children dead. +His wife, Elizabeth, in critical condition. +On the open highway to Nanyuki in broad daylight Joe Matson and Mrs. Matson were ambushed while motoring. +Mrs. Matson was killed by machine-gun bullets. +Chief Waruhiu, leader of the anti-Mau Mau movement was murdered at Kiambu. +MEYLl: +Yes, bwana. +SUPERINTENDENT: +Were you in your hut last night? +MEYLl: +Yes. +SUPERINTENDENT: +It's lucky your father and the one boy were out visiting. +Where is Jeff and the kids? +SUPERINTENDENT: +What's your name? +MEYLl: +Meyli. +SUPERINTENDENT: +Who was with you? +MEYLl: +My husband and my children. +And the mother of my husband. +SUPERINTENDENT: +Did you ever attend any Mau Mau meetings? +MEYLl: +No, bwana. +SUPERINTENDENT: +Next, please. +[GASPS] +Mrs. McKenzie, what type blood are you? +- Type O. +- Come along, please. +Hurry. +Anybody else here with type O blood? +Peter? +Lathela is, I think. +DOCTOR: +Which one of you is known as Lathela? +Is that you? +Come with me. +We need blood to help Memsahib Elizabeth. +Papa. +Why Elizabeth? +Why the kids? +Why? +[WHISTLE BLOWING] +[GRUNTING YELLING IN FOREIGN LANGUAGE] +[CAR ENGINE STARTS] +[MUSIC PLAYING] +MAN [OVER PA]: +A state of emergency now exists in Kenya. +Kikuyus are being sworn into a terror organization called Mau Mau. +Small gangs are fighting guerrilla warfare. +There may be Mau Mau on your farms, in your cities, in your homes. +Any African found with a gun may be punished by death. +Peter, why do you have to go? +We've been over this a dozen times. +I have to go, that's all. +Yes, but there's the army... +The army is inexperienced in the mountain and the bush country. +- How long will you be away? +- I don't know. +What am I supposed to do while you're gone? +What the rest of the women are doing, help keep the place going. +Peter. +It wasn't very much of a honeymoon for you, was it? +Are you very afraid? +No, not of them. +Only for us. +It's us I'm afraid for, what will happen to us. +GAME WARDEN: +Mau Mau working underground everywhere. +Maybe right here in this room, for all we know. +Now, the government wants information. +Who's forging the ammunition permits? +Who's supplying the guns? +Who's giving the oaths? +So it's prisoners we're after. +It's your job to track them down. +I say kill them, make it open warfare, bomb them out. +Kill whom, all 6 million Africans in Kenya? +We're only 40,000. +That makes the odds about 150-to-1. +That's not the point. +We're not at war with the Kikuyu nation. +We're fighting Mau Mau. +For every one of us, they've killed a hundred Kikuyus. +- Loyal Kikuyus. +- They don't know what loyalty means. +Now, listen, man. +They're trying to drive us out. +What are we to do? +Pack up because their grandfathers were here first? +I was born here too. +This is my country. +Killing's no answer. +We gotta give the African a chance... +Black man's had Africa for years. +It'd be a jungle if we hadn't moved in. +It's not a question of black or white. +That's exactly what it is. +Black or white. +You'll follow orders or keep out of this. +Well? +All right. +I'll try it your way for a while. +No smoking. +And no fires for cooking. +Whiskey? +Jeff. +Talk to me, Papa. +I don't know what to say. +Anything, Papa. +Anything at all. +This off-season rain it should do a lot of good. +You're doing a big job, child. +Like my Caroline, a long time ago when the country was new. +She was delicate, but strong, like you. +She helped to make the land and hold it. +Like you. +No, Papa, not like me. +I'm weak. +I'm weak and I'm afraid and I'm lonely. +Papa. +Who said you could get out of bed? +I want to go to Nairobi to see the doctor. +Is it your arm again? +I know you'll think I'm mad but I'm going to have another baby. +You see, if there's any chance of it being born... +Well, I mean, after losing so much blood and... +And I want this baby, Papa. +More than I've ever wanted anything. +It'd be a little bit more of Jeff and... +Holly, will you take me in to the doctor in the morning? +[DOG BARKING] +[SINGING] +Hey, you, listen carefully. +[MATSON SPEAKS IN FOREIGN LANGUAGE] +You are surrounded by police. +[CHATTERING] +MATSON: [IN ENGLISH] Lay down your guns. +Listen carefully. +[GUNFIRE] +[MATSON SPEAKS IN FOREIGN LANGUAGE] +[IN ENGLISH] Lay down your guns. +You are surrounded by police. +[CHILD CRYING] +MATSON: +All right. +Waithaka, do you know any of these people? +[SPEAKS IN FOREIGN LANGUAGE] +- Next. +- A good farmer, no Mau Mau. +- No? +- No, bwana. +You see? +Njogu, soldier of god. +MATSON: +How long were you in the mountains? +One year. +Do not hurt me, bwana. +Who gave you the oath? +I do not know. +If you lie to me again, I'll kill you. +Now who was it? +Who made you swear to the oath? +[THUD] +Waithaka. +Help me. +Help me. +Waithaka. +- Help me. +- The woman lies. +I never saw her before, never. +I swear. +By my father, I swear. +Here's one of your loyal Kikuyus. +All right. +We'll start again. +- You gave the oath to the girl? +- No. +- She knew your name. +How? +- She's the wife of my brother. +- Who gave you the oath? +- It was dark and raining, I could not see. +How do you Mau Mau do it? +Since when do we use torture? +The Mau Mau do it. +They love it. +- You might even grow to love it yourself. +- I don't like it any more than you do. +But I don't like what happened to Matson's wife. +Or your family. +Or any families to come. +[WAITHAKA SCREAMS] +We're not such a big jump away from being savages ourselves, are we? +Please. +Please let me point him out from here. +Please let me. +This is the man. +- Your name. +- Njogu. +Is he the one? +Is he the oath-giver? +You said his name was Njogu. +You said he was here. +He spoke truly. +I gave the oath to him, to all of them. +They know nothing. +And from me, you will get nothing. +WAITHAKA: +Do not let me stay... +Do not let me stay here. +You promised, bwana. +You promised, you promised, you promised. +[CROWD SCREAMS] +[WAITHAKA SCREAMS] +[DOOR KNOCKS] +Who is it? +[DOOR KNOCKS VIOLENTLY] +LITTLE JEFF: +Uncle Peter. +Excuse my appearance. +I need a drink. +- I beg your pardon. +- Let me help you, son. +That's right. +Absolutely right. +You're gonna help us all. +I need your help. +Government needs help. +Everybody needs help. +It's a big secret job. +Very important. +Toast. +Toast. +I don't think he's taken off these clothes since he left home. +He probably never had a chance. +Thank God he's all right. +Holly strange things happen to people in war. +- Inside, I mean. +- Not between us. +- He'll be the same as always, you'll see. +- Nothing's ever the same. +That's one thing you can't do, stand still. +[GASPS] +Look, his sock has rotted away inside his boot. +[PANTING] +I'd forgotten how good our earth feels. +So rich and full of life. +Can you hear the soil through my fingers? +No. +What's it saying? +How much I love you and miss you and need you. +Last night, I thought... +Last night I had a nightmare and it was... +It was a nightmare. +Somebody will see us. +Does it matter? +It isn't the same, is it? +Yes, Holly. +You make me feel ashamed. +We waited lunch for you. +- Sorry. +- Finally gave up. +I didn't realize the time. +Daydreaming? +Yes. +You can pick your dreams in the daytime. +I'm sorry you've gotta go tonight. +So am I. +It's not fair to Holly. +She's carrying a pretty heavy burden. +No more than you or a dozen other women around here. +It's not easy for Holly looking after Papa and little Jeff and me. +It's not easy going to bed with a rifle by your side night after night instead of a husband never knowing if you're going to see daylight again. +Never laughing. +Never loving. +Never knowing if the next footstep on the porch is yours or... +You're her whole life, Peter. +Don't shut her out. +I feel empty. +Dead. +It's not so bad in the daytime, in the clean hot sun. +But when it grows dark I'm afraid, I guess. +And then when I think of Holly and how much I want her and when it's the moment to touch her and be with her, I can't. +I just feel dirty, I feel unclean. +Filthy business we're in. +Time will wash it clean. +Who knows how much time there is left? +- Ready? +- Yes, yes. +Where's Holly? +She's in the bedroom. +Well? +Don't go. +Please, don't go. +You expect me to run out? +Yes. +Yes, together. +Somewhere far away, where there's no war. +We belong here, Holly. +Here, this is our land. +It was worked for and paid for. +Nobody's driving me off this land. +They can bury me in it, but nobody is chasing me off it. +Peter, darling, what does a piece of land matter? +Look what it's doing to us, to everybody. +- Please, take me away from here. +- This is our home. +- They say not. +- They lie. +War is filled with lies. +What they say, what we say, lies. +Our place is here. +My place is with you. +And you have no place for me. +I'm selfish. +I don't want to lose you. +Please, let's go away from here before it's too late. +MATSON: +Do I get the names? +The oath-givers the man who killed my wife. +Joe. +Lathela. +You are not afraid of Mau Mau? +I'm like you. +I'm too old to be frightened by men. +The wrath of God frightens me, not the brutality of men. +What do you want of me? +How is it you gave the oath to others and never took it yourself? +I believe in the faith of my father. +Good. +Who are your leaders? +Your oath-givers? +[CHUCKLES] +By speaking out, you can end the war between us. +You leave Africa and the war will end. +Can't we live in peace, your people and mine? +Go away. +Your soft words are sharper than blows. +Would you prefer violence? +I'm no ordinary man. +Nothing can make me speak out. +They have tried. +They could not do it. +Not with torture, not with pain. +You will fail also. +[LIGHTNING CRASHES THUNDERRUMBLES] +Well, that's all we needed, a spell of weather. +Ngai is angry. +What's that? +Thunder and lightning. +When it storms, the Kikuyu believes he is face-to-face with god. +Thunder is the sound of god cracking his joints preparing for battle. +The lightning is god's sword of retribution. +You talk as if you believed that black hogwash yourself. +The important thing is whether our friend in there believes it. +If he does... +You'll never break him with mumbo jumbo. +His kind understands only one thing: +Force. +- Kill him, you make a martyr of him. +- He'll be dead. +Hold it, Joe. +Go ahead, Henry. +You gotta fight an idea with a better idea. +With the help of this weather, and if I know my man... +Well, give me one more go at him. +Tell me, Ngai, if I do right. +I only wish to do thy will. +Give me a sign that I may know. +[SPEAKS FOREIGN LANGUAGE] +[IN ENGLISH] Lathela, get some kerosene and dry wood. +- I am not afraid to face god. +- We will see. +I am the messenger of god. +Did god create Mau Mau? +Mau Mau is the will of god. +Did god tell you to mutilate innocent children? +Did Gikuyu and Mumbi ever violate animals? +Since the creation of Mount Kenya has god ever told you to steal and murder and burn and hate? +Is it the will of god that you eat human flesh and blood? +- I swear that... +- Wait. +Let your swearing have value in the eyes of god. +Swear by your sacred Githathi stone. +Hold this symbol of God in your hands and swear. +Then I'll believe you. +Now begin at the beginning. +Did you ever take the Mau Mau blood oath yourself? +- No. +- I believe you. +- Did you give the oath to others? +- Yes. +- By force? +- Yes. +You swore to drive the white men out of Africa, didn't you? +- Yes. +- Did God tell you to create Mau Mau? +Say yes before God and I'll believe you. +I've said enough. +You are afraid to face your god. +- If Mau Mau drives us out, then what? +- Then freedom. +- And faith in god too? +- Yes, yes. +How? +What faith? +Mau Mau, the promise to murder? +Will god take back the people who've eaten the blood oath? +That's why you didn't take the oath yourself, isn't it? +Because you wanted to be able to come back to god. +Yes, Ngai, I come to you faithful with no other gods before you. +HENRY: +But you've broken every law of your god. +Tell him that too. +Tell him you gave the blood oath to others by night, by force. +That you gave it before witnesses, gave it to women and children. +These are the worst violations. +How can you lead your people back to god? +Even tonight, more of your people are being oathed banished from the house of god cursed to live through eternity as a broken-spined hyena. +Is that the future for your people? +Is it? +Is that what you want? +No. +Who's the oath-giver in Nairobi? +Who is he? +If god cannot accept Mau Mau, Mau Mau cannot lead your people. +In Nairobi, his name is Timbu. +Who gives the oath in Thomson's Falls? +Lorry driver for Bwana Wilson. +Nyeri? +They are even in the home guard. +Are Mau Mau in our telephone service? +- Yes. +- Code words for guns? +- Mti, tree. +- Ammunition? +Makaa, charcoal. +The McKenzie shamba, who led the attack? +The... +The husband of my daughter. +His name? +Kimani wa Karanja. +MAN [OVER RADIO]: +The capture of a high-ranking oath administrator has led to the arrest of many Mau Mau in the Nyeri District. +Loyal Kikuyu witnesses are cooperating by pointing out those Africans who have taken the blood oath. +Witnesses wear white hoods to conceal their identities. +Shantytown in Nairobi, cesspool of intrigue and resistance is being flattened and razed. +Ready? +- Where do you think you're going? +- To find Kimani. +GAME WARDEN: +I can't spare the men for that chase. +- Just Lathela and I. +- And when you find him, then what? +- Ask him to surrender. +- Why should he? +Because I know Kimani. +Because he wants peace as much as we do. +Peace? +You said surrender. +Peace means terms. +What terms? +His precious life? +A seat in parliament? +You and your pet black boy. +You're just a black liberator, aren't you? +GAME WARDEN: +All right, all right. +What terms? +The lives of his people. +- What can we lose by trying? +- Did this Kimani take the oath? +The old man says yes. +You wouldn't have one chance in a thousand of coming out alive. +MAN [OVER RADIO]: +The emergency operations now cost the government more than a million pounds every month. +Several farmers in the Nyeri District have quit their farms and returned to England. +Mau Mau gangs are being forced deeper into the Aberdare Mountains. +[GUNSHOTS] +HOLLY: +The flare, Papa. +Send up the flare. +HENRY: +Elizabeth. +[WHISTLE BLOWING] +Jeff. +Where's Jeff? +Tomorrow, you can take Elizabeth into Nairobi. +To the hospital. +And leave here? +It's to help Elizabeth. +We'll get you a little flat in town and you can come and see me every day. +Yes. +Yes, I'd like that. +Are you all right? +No one came here. +Did you make contact? +Well? +Did you see Kimani? +Will he come? +He's a big general now. +I do not know if he will come. +And if he come, I do not know if it is to speak or to kill. +I do not know how a general thinks. +KIMANl: +Put down your gun. +Kimani? +KIMANl: +The guns. +And the pistol too. +The pistol. +Now, tell Lathela to build a fire. +Why? +I want my comrades to see you. +We're alone, you have nothing to fear. +I know this. +You have tobacco? +- Cigarettes. +- Pass them here. +Why did you come? +- Can we not talk face-to-face? +- No. +- Njogu is our prisoner. +- I know. +He confessed many things, told us many names. +- I know. +- He is not harmed. +Then why did he turn against us? +Njogu was braver than any of us. +He was not afraid to die. +He was afraid for his soul. +Can you understand that? +Yes. +The people he named have been arrested. +- I know. +- You know the war goes badly for you. +It is possible to lose a battle and still win a war. +Must Africa always stink of death? +Can we not live together as friends? +- Friends have equal rights. +- They will come. +Only when we take them. +- I think we're ready to give them. +- What do you want of me? +PETER: +Give up. +Surrender. +Bring in your people. +Surrender? +Peace. +On what terms? +Justice. +Understanding. +If you stop fighting, others will do likewise. +You must have faith. +You must try. +We have tried before. +Then try again. +And again and again and again. +Do you not love anyone? +Your wife? +Children who believe in you? +You know of my child? +No. +A man-child? +Yes. +He will find a better world than you and I. +I sometimes dream of when we were children, you and I. +- Peter? +- Yeah. +I've not said that name in many years. +How goes it with your father? +As well as age will allow. +He was a good man. +He's a friend of my father. +Yes. +And Memsahib Elizabeth? +She is with child. +- Peter? +- Yes. +I did not hurt her. +I did not hurt her or her children. +It was not my hands that struck them. +I believe you. +What's happened to us? +When did this hatred begin? +Before we were born, I think. +I will talk with my people. +I will tell them that I trust you. +But they must decide for themselves. +This will take time. +Four days hence, you will have your answer. +If they agree we will come to the meadow by the hidden spring. +- You know of it? +- Yes. +- You will be there? +- Yes. +Until then. +Kimani. +Grandpa. +HENRY: +Peter. +- So you pulled it off. +- Yes. +- I wanna hear about it. +You like a drink? +- No, thank you, later. +Holly? +Holly? +Holly is with Elizabeth in Nairobi. +Oh... +- You see, we had another raid here. +- I know. +I asked her to go. +- Don't blame her, son. +She was... +- Thanks, Papa. +What we do is stupid. +To surrender betrays everything we have done. +Our children need food, our sick need medicine. +All we need is courage. +Let me talk to them. +You cannot talk to a starving people. +Their belly have no ears. +And if they shoot us down? +No, I have the word of my friend. +Your friend is a white man. +He hates us. +It is your own hatred that you see in others. +PETER: +Holly. +Sister Williams. +I called at your flat. +You shouldn't go into Elizabeth's right now. +Anything wrong? +No, she's just a little overdue, that's all. +There's nothing to be alarmed about. +You're looking... +You're looking thinner. +You don't look so bad yourself. +Was it very bad? +Some days are good, some bad. +- No, they'll see us. +- Let them. +Do you have to go back? +Tonight. +Oh, I wish I could go with you. +We'll go away soon in that honeymoon we never had. +We don't have to go away to be on a honeymoon. +But I thought you wanted to... +To run away? +Yeah. +HOLLY: +Just when was that? +Let's see, about a month ago? +At least a hundred years. +I want to go home to our home. +With Mount Kenya and God in the garden. +The war may not be over for a long time. +I used to blame the war for everything, didn't I? +Somebody else's war is always to blame. +No, I was to blame. +When you grow up, you realize you can't run away from the world. +You just gotta live in it. +You're a big girl now. +I'm beginning to understand about that other woman too. +- What other woman? +- Africa. +Oh. +She's not the least bit jealous. +And neither am I. +Excuse me. +Your boy, Lathela, he says you have to start off for somewhere or other. +PETER: +Thank you. +See you soon. +Please, God, let it be soon. +Can't you make this thing go faster? +We've got to get there by daylight. +Why? +It's almost impossible. +- But if Kimani shows... +- He set no hour. +He'll wait for us. +Yes, but will Joe Matson wait? +- Matson? +- He got wind of it somehow. +You should have stopped him. +I only heard about him myself about an hour ago. +How do you keep a thing like this secret? +How do you keep Matson off the trigger? +This won't be any ceasefire, it'll be cold-blooded murder. +[PANTING] +[SLAP BABY CRYING] +Doctor? +Yes? +Is there any marks? +Just the mark of a man. +Look at this place. +It's a perfect trap. +What are we supposed to do? +Wait around till they show up? +MATSON: +We'd be caught in the open. +It's a perfect trap, I don't wanna get caught. +- If they show, it'll be to surrender. +- How do you know? +But they gave their word. +I'm taking cover. +You know how Joe is, always suspicious. +I know how Mau Mau is too. +Where is your friend? +You there, all of you, put down your guns. +[SCREAMING] +Wait. +Please. +[BABY CRYING] +[KIMANI SCREAMS] +[SPEAKS IN FOREIGN LANGUAGE] +Yeah, we lost him all right. +Come on. +[BABY MOANING CRYING] +- When we find Kimani, will you kill him? +- No. +Then why do we hunt him? +He must not think I betrayed him. +If he trusts us, others will do likewise. +If he escapes, if he does not believe Mau Mau will fight harder and longer. +Kimani will not surrender peacefully. +Not this time. +- He will try to kill you. +- Perhaps. +- Don't come along. +- I come with you. +- Why? +- This is my fight too. +Mau Mau has killed a hundred of my people for every one of yours. +I want the same thing for the African that Kimani wants. +Mau Mau is not the way to get them. +PETER: +Kimani? +Stay here and don't move. +And don't shoot. +- Let me talk to you. +- No! +You kill my wife and my people. +We were betrayed. +Both of us. +I'm here without a weapon. +Are you alone? +Lathela is here too. +I'm coming in. +Keep away. +Kimani. +[BABY CRYING] +[GRUNTING] +Don't make me do it. +Come back with me. +No. +We'll start over again. +- This time, it'll be different. +- No. +It is too late. +For you and me. +It is too late. +Must I kill you? +Yes. +[YELLS] +Give me the child and bury us both. +No. +Please. +He is dead. +- What will you do with the child? +- Take him home. +Elizabeth has a boy, raise them together. +Maybe for them, it'll be better. +It's not too late. +Subtitles by SDI Media Group +[ENGLISH SDH] +Darling. +- Papa, have I kept you waiting? +- No, that's all right. +Come on. +- Why isn't Peter here? +- He's playing with Kimani, Papa. +That brother of yours and that Kyuke are inseparable. +Can't he find a white playmate? +Why? +You can't treat an African like a brother and expect to have a good servant. +When Caroline died, Kimani's mother raised Peter. +In a way, they are brothers. +When do you leave for England? +Tomorrow, worst luck. +I'm homesick already. +A few years of school... +You won't let him marry anybody but me, Mr. McKenzie, will you? +Has he proposed? +No, but I have, quite often. +Which of you stole the rifle? +Step forward. +Your religion says it is evil to steal. +Your own medicine shall name the liar. +If you tell the truth, this will not burn your tongue. +He who lies burns. +Peter? +Kimani, my son, shall be the first. +Did you steal that gun? +Did you steal the gun? +Did you steal the gun? +Did you steal the gun? +I will find the weapon and bring it to you. +Punish him yourself. +The city teaches bad ways to young men. +How does it go with your wife? +The wife with child? +Tomorrow, the day after... +The time is near. +Papa. +- How does it work? +- Plain old witchcraft. +The Kikuyu is a very religious man. +He fears God, but he trusts him too. +- But hot steel is... +- Will not burn a wet tongue. +But the liar's spit dries up. +Him it will scorch. +Ha-ha-ha. +I think you know more about black witchcraft than you do about the Bible. +- Let me have my way with these devils... +- Poor old Jeff is the perfect colonizer. +What's his is his and what's theirs is his too. +Well, have a good shoot. +We're not raising cattle to feed a maverick lion. +Kimani, Lathela. +Tell Kimani not to gut him. +We'll leave a smelly calling card for the lion. +Kimani, open the animal, but don't clean him. +Then you'd better service the guns. +When it comes time to kill the lion, I want to shoot the gun too. +It's Jeff's show. +And you know how he feels about Africans and guns. +KIMANl: +I want to shoot the gun too. +I'm sorry. +Lathela. +KIMANl: +Always when we hunt it is the same. +You have all the fun, I do all the work. +When we were little and played together... +But we're big now. +And things are not the same. +Hit him. +Hit him. +Hit him hard. +Do what he says, now. +And in a hurry. +From now on, when he tells you to do something, do it. +Don't think about it, just obey. +Understand me? +Well? +Come on, Peter. +I really should've slapped you. +Might have been better all around if you had. +Heh-heh. +Forget it. +You had no right to hit Kimani. +Peter, how many times have I got to tell you? +Blacks are blacks and not playmates. +One thing you can never do is argue with them. +Never. +You tell them. +Oh, sometimes you can joke with them you can boot them in the tail sometimes look after them when they're sick. +But you never, never argue with them. +- The world's changing, Jeff. +- Not in Africa it isn't. +Kimani's mother raised both of us. +We grew up together. +You'll never live together on equal footing. +Not in our lifetime. +You can't spend the first 20 years of your life with someone sharing bread and secrets and dreams, and then one day say: +"Sorry, it's all over. +We live in different worlds." +I don't believe it and I don't like it. +Wait till you settle down and marry Holly and have to deal seriously with the wogs. +Have you heard from Holly? +A couple of letters from London. +She mentioned coming back? +Just stuff about school, things like that. +Hm... +Well, we'd better break camp and go after that lion. +Lathela. +Get Kimani to help you load. +Kimani not here. +Where? +Forget that lion, Jeff. +We're gonna find Kimani, and right now. +All right, all right, all right. +You want Lathela with you? +No, you'll need him to track. +I'll meet you back here at sundown. +- Are you all right? +- Yes, bwana. +- Does it hurt much? +- No, bwana. +You're lying. +- And stop calling me bwana. +- What shall I call you? +"Boss"? "Master"? +Yes, it hurts. +Not where the trap cut me only where Jeff slapped me. +That is where it hurts. +Well, then stop thinking about it. +No one ever struck me in anger before. +Not even my own father. +It wasn't in anger. +He's already forgotten. +Can you forget it? +I cannot forget it either. +We are alike in many things. +You talk Kikuyu same as me. +I speak English same as you. +But you are white and I am black. +And you are the bwana and I am the servant. +And I carry the gun and you shoot. +- Why is shooting the gun so important? +- It's not the gun, it is... +What is it, then? +What? +We cannot talk as friends. +Why? +You said it yourself. +We are not children anymore so we are not friends anymore. +I saved your life as a friend. +I'll always be your friend. +Kimani... +Does it hurt much? +No. +The child doesn't come easily. +It is a curse. +This morning, I saw the dung of a hyena. +Just now a vulture passed over us. +Don't you talk like that. +Just don't you talk like that. +- Suppose the child is born feet first. +- Then it must be killed. +When that child comes, don't you touch it. +You understand? +It is you who do not understand. +I'm gonna fetch my father. +White magic will not remove the curse. +- Perhaps the curse is in your son? +- What evil did he do? +Suppose a snake came into his bed. +Suppose a man struck him and he did not strike back. +Suppose he broke a law. +The child enters life feet first. +Do what must be done. +Kimani. +Swear him in. +- Which god, please? +- The Christian God. +I worship Ngai, the god who lives on Mount Kenya. +I will swear by our sacred Githathi stone. +Your word will suffice. +Oh, no, no. +If I lie before this symbol of God my children and their children and my home and my land will turn to dust. +And when I die I will have no life hereafter except to live forever in eternity by the cursed hyena, cowardly eater of the dead. +I speak the truth. +You're the father of the dead baby in question? +- Yes. +- Did you tell the midwife to kill the baby? +Yes. +It was born feet first, it was cursed. +Then what was done? +What is always done according to custom. +Tell His Honor what that is. +We smothered the child and buried it under a pot. +- You know that killing is against the law? +- God says to murder is wrong. +And when you had that newborn baby smothered, was that not murder? +No. +A child cannot join the tribe until he is 1 year old. +Therefore, he's not really born until his second year. +What was killed was a demon, not a child. +Yes, yes. +And then what did you do? +- What? +- Then what did you do? +We sacrificed a young ram. +Mm. +And that, I suppose, got rid of the curse. +No. +No, sir. +Not yet. +I am still here, therefore the curse is still at work. +Would you do the same thing if another child were born to you feet first? +Yes, yes. +It would be my duty. +What in the name of Almighty God are we trying to do to these people? +Preserve the law, Henry, that's all. +Law? +Whose law? +Not theirs, surely. +All men are equal before the law. +Except some are more equal than others. +That man is an accomplice to murder. +He's admitted that. +But can we make him understand it? +We take away their customs, their habits, their religion. +We stop their tribal dances, we stop them circumcising their women. +Then we offer them our way of life, something they can't grasp. +We say, "Look how clean and rich and clever we are." +For the Africans different wages, different life. +We mock their wise men. +Take away the authority from their fathers. +What are the children going to do? +They'll lose respect for their elders and fathers and when they do, look out. +Maybe they'll lose respect for our white Jesus too. +Turn to something else for help. +It won't be to us. +Well, you understand, don't you, Peter? +If we don't make the African respect the law well, the next thing you know, he'll be wanting to rule this country. +Imagine that, now. +Whatever could give him that idea? +This is his son. +Can he come in while we're here? +The city frightens me. +- Let us go home quickly. +- Listen, old friend. +The law says you must stay here in jail for a while. +I'm sorry. +We'll do everything we can. +My daughter will visit you. +She'll bring you tobacco and food to comfort you. +Please keep this for me. +A jail is not the proper place to keep god's sacred symbol. +And when my son comes of age... +I understand. +I am happy it was not you who struck my son. +You are still his friend? +Yes. +And yours too, for as long as you both wish it. +Boy, boy. +I told you. +He will not help you. +Our Mathanjuki will purify you. +He will drive the curse from your body and I will be free. +- No. +- You do not believe in god? +- Yes, yes. +But I do not believe in our witchcraft and black magic. +When Bwana Jeff struck you... +He struck a black man to prove that the white man is master, nothing else. +You are not in jail because of a curse but only because we are judged by their laws. +And that is the truth. +And I must follow where the truth leads me. +- Where does it lead you? +- To strike back. +We're men, not animals. +You have much to look forward to, my son. +You will become headman as I was. +Is that to be my life? +Headman for a white boss? +"Yes, bwana. +No, bwana. +Yes, bwana." +This land can serve me too. +I want my own land. +Then you must earn it. +I will, Father. +I will. +Who are you? +Who sent you here? +Why you come here? +He told me to come here. +You told me the white man would put Father in jail. +- You said we had to fight the white man. +- Your father is in jail? +- Yes, and I'm ready to fight. +- You ran away from the McKenzie shamba? +- Yes. +- Why? +- You stole money? +- No. +- Guns? +No, why should I steal? +Then why should you run? +I don't know. +This is my daughter, Wanjiru. +- He can be of no use to us. +He wants to fight the white man. +We can use him. +We will take him to the mountains. +We will train him. +Come, little boy. +First you will learn to steal guns. +Hm? +I have no parents and I am hungry. +I need work. +Not a sound. +Nothing. +Do not call. +Do not answer. +Do not cough or I kill you. +Understand? +You are not alone? +How many are there? +One other? +The houseboy? +You will call him by name. +Nothing else, just the name. +Call him. +Migwe. +Migwe. +This boy is dead. +Nanyuki Police signing off, 1545. +- Hello, Peter. +- I need some help, Hillary. +If it's about the sentence of your headman... +His son, Kimani. +He's missing. +- When? +- Last night. +I want him found. +- What did he steal? +- Steal? +You want him found, what are the charges? +- He might be hurt. +- You check the infirmary? +And I've chased down his family within a hundred miles. +He'll show up. +He probably went to Nairobi on a toot and... +- Age? +- Twenty-one. +- Height? +- Six-two, weight a little under 13 stone. +Wait a minute. +There was a houseboy killed last night. +Buxton shamba, at the foot of the Aberdares. +A gang broke in, stole guns and whiskey. +- What's that got to do with Kimani? +- Maybe nothing. +Maybe everything. +- Not a chance. +- Why not? +I know Kimani. +I know how he thinks. +He's not a criminal. +You mean not yet. +You just find him. +At least send out a description. +Kimani's guilty of only one thing, captain. +Guilty of being born black. +Take one. +Why that gun? +My friend Peter has a gun like this. +It is a fine gun. +I can kill a lion with this. +Or even a man, huh? +There will be no drinking here again. +Never. +Adam is our leader. +Who are you to tell us what...? +Daughter, ask the other women where to go and what to do. +Kimani. +I see you have earned a gun. +This gun. +To get some of these guns, one of our own people was killed. +When lightning strikes, a bystander may be hurt. +Lightning belongs to god. +This was murder by him. +It was the will of god. +No. +I do not like your ways. +Sit down. +I go to Nanyuki. +I work there to free my father in my own way. +Sit down. +Two reasons why you cannot leave us. +That houseboy. +That houseboy who was killed last night, Adam can hang for this. +So can you. +So can all of us. +- That is the law. +- Reason two. +You know our names and our faces. +You know where we live and how we live. +We would be safe only if you stay with us. +Or if you were dead. +We will not always live as hunted animals. +Great men make plans for us. +Plans to drive the white man from our country. +Plans to take back our land. +Plans to... +Flight 212, BO AC arriving from London, Rome, Athens, Cairo, Khartoum. +- Cigarette? +No. +- Dad? +- No, thanks. +Flight 212 departing for Dar es Salaam, Johannesburg and Jamestown. +There. +Two-one-two departing for Dar es Salaam, Johannesburg and Jamestown. +Each to their own. +Holly, I... +Six years is a long time. +Too long? +You'd better see to her luggage. +- Can't I watch too? +- It's indecent. +That's why I want to watch. +Oh, really. +Kimani. +Hey. +Kimani. +Strange. +I thought I saw Kimani. +You remember Kimani? +Move. +Start moving. +Would you mind letting us by, please? +I've come to pray. +This is not a church. +My god does not live in a church. +How do you call yourself? +Kimani wa Karanja. +We are beggars and slaves in our own land. +The British allow us in their homes and hotels, yes. +But how? +As servants. +We are millions, they are a handful. +We are strong, they are weak. +How then are they the masters and we the slaves? +Is it white magic? +Is it god's will? +No. +They have the guns. +We too shall have guns. +Are we ready for this? +The whole colored world burns with the fever of revolt with the fire for freedom. +Do any of you have any questions? +Is there a doubt in your hearts? +What troubles you? +Kimani. +His name is Kimani wa Karanja. +For five years, he has been in the mountains with us. +He is ready for leadership. +He is very strong and loyal. +Strong men have betrayed us before. +- You have a question, Kimani? +KIMANl: +Yes, sir. +- This talk of guns. +Yes? +Is this the only way we can get freedom? +Yes. +- By the spilling of blood? +- Yes. +We will never drive the British out with words. +And not with doubts and not with friendship. +It can only be done with guns. +The white man did not take this land with guns. +He bought this land. +- This is truth. +- Mm-hm. +And I must follow where the truth leads me. +You were educated in white missionary schools? +Yes, sir. +Long, long ago, to whom did the land belong? +- The people. +- Yes. +Not one person, but the entire clan. +And therefore only the clan can sell the land correct? +- Yes, sir. +No man of any other tribe can buy our land unless he becomes, in our religion, a Kikuyu. +Yes, sir. +And have the British ever become Kikuyus? +Or have you become one of the British? +Your father was a friend of the British. +But your father died in their prison. +There is only one way to drive out the British. +By terror and death. +Everyone must either be for us or against us. +Those who be with us, stand. +Good. +We will need a symbol, a sign, a name. +Here it is. +Mau Mau. +Mau Mau. +Use it, live by it, die for it. +Mau Mau is the machinery that will carry us to freedom and independence. +Mau Mau. +Mau Mau. +I swear to kill an Englishman or may this oath kill me and my family. +I swear to kill an Englishman or may this oath kill me and my family. +- They make a nice couple, don't they? +- Mm. +She's got good lines for breeding too. +Look. +Mount Kenya. +Lathela, wait here. +No wonder the African believes that God lives on Mount Kenya. +If I were God, that's where I'd like to live. +I feel I'm really home now. +I love you, Peter. +I always have. +I suppose I always will. +I like the feel of you. +I wish... +Yes? +I wish it could always be like this moment. +Safe and warm and peaceful. +Always like this. +Home is always like this. +Why did your husband run away? +Did he steal? +Did he do something bad? +Where did he go? +Why didn't you go with him? +- I was afraid. +- Afraid? +Afraid of what? +Hello, my darling. +Hello, my darling. +What did you bring? +Hello. +You didn't forget my rifle? +Yes, it's right here. +Henry. +Bring the children in. +Bring them in. +What do you think? +What's it mean? +I don't know. +Two Kyukes disappear from my place. +Jasper, his headman reports one gone from his farm, rifle missing too. +One gone from your place. +Why? +You saw his wife. +She's afraid. +Why? +What of? +Come in. +According to Kikuyu custom we come to speak for Peter McKenzie, bachelor to Holly Keith, spinster. +- This shy Kikuyu maiden is grateful. +- She doesn't look very shy to me. +How many goats will be paid for me? +Three or four ought to be quite enough, don't you think? +Oh, I'd say 20 or 30 at least. +Why don't you throw yourself in and make it 31 goats? +And why has Peter wa Henry chosen me? +He needs someone to chop firewood and dig potatoes. +He needs someone to keep his bed warm. +- He promises not to beat you often. +- Unless it's absolutely necessary. +- He also expects a child every year. +- All of them his. +- A very narrow attitude. +- We shall also have to shave your head. +Do you accept my son? +If you do, we'll drink to the marriage bargain. +If you don't, I shall have to pour this on the ground. +And waste all that precious gin? +Thank you for becoming one of our family. +You will swear a new blood oath. +When it is done, you will be part of the new army: +Mau Mau. +He who refuses to take the oath he dies. +He who breaks the oath he dies. +Cut off the sheep's head. +Fill this calabash with its blood. +Sugar cane. +Sugar cane and banana leaves the first source of food. +Mugere plant best and strongest magic. +The arch oldest Kikuyu symbol. +You will pass through the arch seven times and thereby enter a new life. +You will receive seven cuts on the arm to bind you together. +Seven. +All things in seven. +Seven, the unlucky number. +Break the oath and the evil seven will strike. +Sheep's blood symbol of sacrifice. +Millet seeds of nourishment. +Earth the earth we fight for. +The cause that brings us together. +You will eat this oath. +You will swallow it seven times so that it becomes part of you. +Bitter Sodom apples. +Take off everything that stinks of the European. +Watch, ring, money. +To give you an easy road. +The endless circles. +Earth. +Hold it to your belly. +That the land may feed us and not the foreigners. +Hold up your arm. +So that your blood will mix. +Now swallow the oath seven times. +Repeat after me as you pass through the arch. +If I sell land to any foreigners, may this oath kill me. +If I sell land to any foreigners, may this oath kill me. +- I will steal guns. +- I will steal guns. +I will never be a Christian. +I will never be a Christian. +I will drive out all Europeans or kill them. +I will drive out all Europeans or kill them. +It is done. +They've all sworn. +I feel unclean. +I will not let Wanjiru take this oath. +It is not necessary. +She is loyal. +To swallow the oath was hard enough, but the rest of it... +The nameless filth, the shame. +And in front of the others. +Why was it necessary? +Why? +To bind us together forever. +Now they will do anything. +Killing of mother, father, son will be as nothing to them. +They will feel strong with power and purpose. +- Who gave you the oath? +- No one. +You never took it? +I am too old to change. +I am ready to give up my life, but I cannot give up my faith. +It is too deep, too strong. +In life and in death I will always believe in the god of my father the god who lives on Mount Kenya. +- So do I, in spite of the oath. +Your daughter carries my child. +Now, I wish to marry her before the child is born. +I consider you married. +I will gather cooking stones with my wife as my father before me gathered cooking stones with my mother. +Like you, I cannot tear out what is in my heart. +Do it quickly, then. +We need rest. +Tomorrow is the appointed day of the long knives. +Our first attack should be on the McKenzie shamba. +- Why there? +- Why not? +Look, that was my home, my friends. +A great leader has no friends, only a cause. +- You doubt my loyalty? +- I only ask you to prove it. +Let your panga come back as red as mine. +Thank you for a lovely day. +Lovely wedding day. +- No more anxiety? +- Mm-mm. +- You know why? +- Why? +Because everything's so full of life. +All the animals, the earth and even the air smells of life. +We've done nothing to spoil it. +Someday all this will be farm country. +What will happen to White Hunter McKenzie, then? +Four years ago, our crops were hit by locusts. +Wiped out. +Papa put all his savings into cattle. +The next year, rinderpest. +What cattle didn't die had to be killed. +Papa got a loan from the bank. +So part of the time, I take rich clients on safari. +For the money. +To pay back the loan. +So the land's good to us this year and the crops hold up, no locusts, no rinderpests I'll be back where I really belong. +On the farm. +You know, that's the most wonderful wedding present you could ever give me. +- Are you as happy as I am? +- I'm a very lucky man. +I have the two women I love most in the world. +- Who's the other one? +- Africa. +There are some things I can do for you that Africa can't. +What is it? +I don't know. +Something strange. +Well, I didn't hear anything. +I'm not certain. +It was something. +Just a feeling, I guess. +I wonder what's happened to the porch light. +Probably the fuse again. +I'll have a look at it. +Hey, what the...? +Ugh! +KIMANl: +Remember me? +Kimani. +- What do you want? +- I've come home. +Jeff! +KIMANl: +No. +Kimani. +Jeff Newton and two of his children dead. +His wife, Elizabeth, in critical condition. +On the open highway to Nanyuki in broad daylight Joe Matson and Mrs. Matson were ambushed while motoring. +Mrs. Matson was killed by machine-gun bullets. +Chief Waruhiu, leader of the anti-Mau Mau movement was murdered at Kiambu. +MEYLl: +Yes, bwana. +Were you in your hut last night? +MEYLl: +Yes. +It's lucky your father and the one boy were out visiting. +Where is Jeff and the kids? +What's your name? +MEYLl: +Meyli. +Who was with you? +MEYLl: +My husband and my children. +And the mother of my husband. +Did you ever attend any Mau Mau meetings? +MEYLl: +No, bwana. +Next, please. +Mrs. McKenzie, what type blood are you? +- Type O. +- Come along, please. +Hurry. +Anybody else here with type O blood? +Peter? +Lathela is, I think. +Which one of you is known as Lathela? +Is that you? +Come with me. +We need blood to help Memsahib Elizabeth. +Papa. +Why Elizabeth? +Why the kids? +Why? +A state of emergency now exists in Kenya. +Kikuyus are being sworn into a terror organization called Mau Mau. +Small gangs are fighting guerrilla warfare. +There may be Mau Mau on your farms, in your cities, in your homes. +Any African found with a gun may be punished by death. +Peter, why do you have to go? +We've been over this a dozen times. +I have to go, that's all. +Yes, but there's the army... +The army is inexperienced in the mountain and the bush country. +- How long will you be away? +- I don't know. +What am I supposed to do while you're gone? +What the rest of the women are doing, help keep the place going. +Peter. +It wasn't very much of a honeymoon for you, was it? +Are you very afraid? +No, not of them. +Only for us. +It's us I'm afraid for, what will happen to us. +Mau Mau working underground everywhere. +Maybe right here in this room, for all we know. +Now, the government wants information. +Who's forging the ammunition permits? +Who's supplying the guns? +Who's giving the oaths? +So it's prisoners we're after. +It's your job to track them down. +I say kill them, make it open warfare, bomb them out. +Kill whom, all 6 million Africans in Kenya? +We're only 40,000. +That makes the odds about 150-to-1. +That's not the point. +We're not at war with the Kikuyu nation. +We're fighting Mau Mau. +For every one of us, they've killed a hundred Kikuyus. +- Loyal Kikuyus. +- They don't know what loyalty means. +Now, listen, man. +They're trying to drive us out. +What are we to do? +Pack up because their grandfathers were here first? +I was born here too. +This is my country. +Killing's no answer. +We gotta give the African a chance... +Black man's had Africa for years. +It'd be a jungle if we hadn't moved in. +It's not a question of black or white. +That's exactly what it is. +Black or white. +You'll follow orders or keep out of this. +Well? +All right. +I'll try it your way for a while. +No smoking. +And no fires for cooking. +Whiskey? +Jeff. +Talk to me, Papa. +I don't know what to say. +Anything, Papa. +Anything at all. +This off-season rain it should do a lot of good. +You're doing a big job, child. +Like my Caroline, a long time ago when the country was new. +She was delicate, but strong, like you. +She helped to make the land and hold it. +Like you. +No, Papa, not like me. +I'm weak. +I'm weak and I'm afraid and I'm lonely. +Papa. +Who said you could get out of bed? +I want to go to Nairobi to see the doctor. +Is it your arm again? +I know you'll think I'm mad but I'm going to have another baby. +You see, if there's any chance of it being born... +Well, I mean, after losing so much blood and... +And I want this baby, Papa. +More than I've ever wanted anything. +It'd be a little bit more of Jeff and... +Holly, will you take me in to the doctor in the morning? +Hey, you, listen carefully. +You are surrounded by police. +Lay down your guns. +Listen carefully. +Lay down your guns. +You are surrounded by police. +All right. +Waithaka, do you know any of these people? +- Next. +- A good farmer, no Mau Mau. +- No? +- No, bwana. +You see? +Njogu, soldier of god. +How long were you in the mountains? +One year. +Do not hurt me, bwana. +Who gave you the oath? +I do not know. +If you lie to me again, I'll kill you. +Now who was it? +Who made you swear to the oath? +Waithaka. +Help me. +Help me. +Waithaka. +- Help me. +- The woman lies. +I never saw her before, never. +I swear. +By my father, I swear. +Here's one of your loyal Kikuyus. +All right. +We'll start again. +- You gave the oath to the girl? +- No. +- She knew your name. +How? +- She's the wife of my brother. +- Who gave you the oath? +- It was dark and raining, I could not see. +How do you Mau Mau do it? +Since when do we use torture? +The Mau Mau do it. +They love it. +- You might even grow to love it yourself. +- I don't like it any more than you do. +But I don't like what happened to Matson's wife. +Or your family. +Or any families to come. +We're not such a big jump away from being savages ourselves, are we? +Please. +Please let me point him out from here. +Please let me. +This is the man. +- Your name. +- Njogu. +Is he the one? +Is he the oath-giver? +You said his name was Njogu. +You said he was here. +He spoke truly. +I gave the oath to him, to all of them. +They know nothing. +And from me, you will get nothing. +Do not let me stay... +Do not let me stay here. +You promised, bwana. +You promised, you promised, you promised. +Who is it? +Uncle Peter. +Excuse my appearance. +I need a drink. +- I beg your pardon. +- Let me help you, son. +That's right. +Absolutely right. +You're gonna help us all. +I need your help. +Government needs help. +Everybody needs help. +It's a big secret job. +Very important. +Toast. +Toast. +I don't think he's taken off these clothes since he left home. +He probably never had a chance. +Thank God he's all right. +Holly strange things happen to people in war. +- Inside, I mean. +- Not between us. +- He'll be the same as always, you'll see. +- Nothing's ever the same. +That's one thing you can't do, stand still. +Look, his sock has rotted away inside his boot. +I'd forgotten how good our earth feels. +So rich and full of life. +Can you hear the soil through my fingers? +No. +What's it saying? +How much I love you and miss you and need you. +Last night, I thought... +Last night I had a nightmare and it was... +It was a nightmare. +Somebody will see us. +Does it matter? +It isn't the same, is it? +Yes, Holly. +You make me feel ashamed. +We waited lunch for you. +- Sorry. +- Finally gave up. +I didn't realize the time. +Daydreaming? +Yes. +You can pick your dreams in the daytime. +I'm sorry you've gotta go tonight. +So am I. +It's not fair to Holly. +She's carrying a pretty heavy burden. +No more than you or a dozen other women around here. +It's not easy for Holly looking after Papa and little Jeff and me. +It's not easy going to bed with a rifle by your side night after night instead of a husband never knowing if you're going to see daylight again. +Never laughing. +Never loving. +Never knowing if the next footstep on the porch is yours or... +You're her whole life, Peter. +Don't shut her out. +I feel empty. +Dead. +It's not so bad in the daytime, in the clean hot sun. +But when it grows dark I'm afraid, I guess. +And then when I think of Holly and how much I want her and when it's the moment to touch her and be with her, I can't. +I just feel dirty, I feel unclean. +Filthy business we're in. +Time will wash it clean. +Who knows how much time there is left? +- Ready? +- Yes, yes. +Where's Holly? +She's in the bedroom. +Well? +Don't go. +Please, don't go. +You expect me to run out? +Yes. +Yes, together. +Somewhere far away, where there's no war. +We belong here, Holly. +Here, this is our land. +It was worked for and paid for. +Nobody's driving me off this land. +They can bury me in it, but nobody is chasing me off it. +Peter, darling, what does a piece of land matter? +Look what it's doing to us, to everybody. +- Please, take me away from here. +- This is our home. +- They say not. +- They lie. +War is filled with lies. +What they say, what we say, lies. +Our place is here. +My place is with you. +And you have no place for me. +I'm selfish. +I don't want to lose you. +Please, let's go away from here before it's too late. +Do I get the names? +The oath-givers the man who killed my wife. +Joe. +Lathela. +You are not afraid of Mau Mau? +I'm like you. +I'm too old to be frightened by men. +The wrath of God frightens me, not the brutality of men. +What do you want of me? +How is it you gave the oath to others and never took it yourself? +I believe in the faith of my father. +Good. +Who are your leaders? +Your oath-givers? +By speaking out, you can end the war between us. +You leave Africa and the war will end. +Can't we live in peace, your people and mine? +Go away. +Your soft words are sharper than blows. +Would you prefer violence? +I'm no ordinary man. +Nothing can make me speak out. +They have tried. +They could not do it. +Not with torture, not with pain. +You will fail also. +Well, that's all we needed, a spell of weather. +Ngai is angry. +What's that? +Thunder and lightning. +When it storms, the Kikuyu believes he is face-to-face with god. +Thunder is the sound of god cracking his joints preparing for battle. +The lightning is god's sword of retribution. +You talk as if you believed that black hogwash yourself. +The important thing is whether our friend in there believes it. +If he does... +You'll never break him with mumbo jumbo. +His kind understands only one thing: +Force. +- Kill him, you make a martyr of him. +- He'll be dead. +Hold it, Joe. +Go ahead, Henry. +You gotta fight an idea with a better idea. +With the help of this weather, and if I know my man... +Well, give me one more go at him. +Tell me, Ngai, if I do right. +I only wish to do thy will. +Give me a sign that I may know. +Lathela, get some kerosene and dry wood. +- I am not afraid to face god. +- We will see. +I am the messenger of god. +Did god create Mau Mau? +Mau Mau is the will of god. +Did god tell you to mutilate innocent children? +Did Gikuyu and Mumbi ever violate animals? +Since the creation of Mount Kenya has god ever told you to steal and murder and burn and hate? +Is it the will of god that you eat human flesh and blood? +- I swear that... +- Wait. +Let your swearing have value in the eyes of god. +Swear by your sacred Githathi stone. +Hold this symbol of God in your hands and swear. +Then I'll believe you. +Now begin at the beginning. +Did you ever take the Mau Mau blood oath yourself? +- No. +- I believe you. +- Did you give the oath to others? +- Yes. +- By force? +- Yes. +You swore to drive the white men out of Africa, didn't you? +- Yes. +- Did God tell you to create Mau Mau? +Say yes before God and I'll believe you. +I've said enough. +You are afraid to face your god. +- If Mau Mau drives us out, then what? +- Then freedom. +- And faith in god too? +- Yes, yes. +How? +What faith? +Mau Mau, the promise to murder? +Will god take back the people who've eaten the blood oath? +That's why you didn't take the oath yourself, isn't it? +Because you wanted to be able to come back to god. +Yes, Ngai, I come to you faithful with no other gods before you. +But you've broken every law of your god. +Tell him that too. +Tell him you gave the blood oath to others by night, by force. +That you gave it before witnesses, gave it to women and children. +These are the worst violations. +How can you lead your people back to god? +Even tonight, more of your people are being oathed banished from the house of god cursed to live through eternity as a broken-spined hyena. +Is that the future for your people? +Is it? +Is that what you want? +No. +Who's the oath-giver in Nairobi? +Who is he? +If god cannot accept Mau Mau, Mau Mau cannot lead your people. +In Nairobi, his name is Timbu. +Who gives the oath in Thomson's Falls? +Lorry driver for Bwana Wilson. +Nyeri? +They are even in the home guard. +Are Mau Mau in our telephone service? +- Yes. +- Code words for guns? +- Mti, tree. +- Ammunition? +Makaa, charcoal. +The McKenzie shamba, who led the attack? +The... +The husband of my daughter. +His name? +Kimani wa Karanja. +The capture of a high-ranking oath administrator has led to the arrest of many Mau Mau in the Nyeri District. +Loyal Kikuyu witnesses are cooperating by pointing out those Africans who have taken the blood oath. +Witnesses wear white hoods to conceal their identities. +Shantytown in Nairobi, cesspool of intrigue and resistance is being flattened and razed. +Ready? +- Where do you think you're going? +- To find Kimani. +I can't spare the men for that chase. +- Just Lathela and I. +- And when you find him, then what? +- Ask him to surrender. +- Why should he? +Because I know Kimani. +Because he wants peace as much as we do. +Peace? +You said surrender. +Peace means terms. +What terms? +His precious life? +A seat in parliament? +You and your pet black boy. +You're just a black liberator, aren't you? +All right, all right. +What terms? +The lives of his people. +- What can we lose by trying? +- Did this Kimani take the oath? +The old man says yes. +You wouldn't have one chance in a thousand of coming out alive. +The emergency operations now cost the government more than a million pounds every month. +Several farmers in the Nyeri District have quit their farms and returned to England. +Mau Mau gangs are being forced deeper into the Aberdare Mountains. +The flare, Papa. +Send up the flare. +Elizabeth. +Jeff. +Where's Jeff? +Tomorrow, you can take Elizabeth into Nairobi. +To the hospital. +And leave here? +It's to help Elizabeth. +We'll get you a little flat in town and you can come and see me every day. +Yes. +Yes, I'd like that. +Are you all right? +No one came here. +Did you make contact? +Well? +Did you see Kimani? +Will he come? +He's a big general now. +I do not know if he will come. +And if he come, I do not know if it is to speak or to kill. +I do not know how a general thinks. +KIMANl: +Put down your gun. +Kimani? +KIMANl: +The guns. +And the pistol too. +The pistol. +Now, tell Lathela to build a fire. +Why? +I want my comrades to see you. +We're alone, you have nothing to fear. +I know this. +You have tobacco? +- Cigarettes. +- Pass them here. +Why did you come? +- Can we not talk face-to-face? +- No. +- Njogu is our prisoner. +- I know. +He confessed many things, told us many names. +- I know. +- He is not harmed. +Then why did he turn against us? +Njogu was braver than any of us. +He was not afraid to die. +He was afraid for his soul. +Can you understand that? +Yes. +The people he named have been arrested. +- I know. +- You know the war goes badly for you. +It is possible to lose a battle and still win a war. +Must Africa always stink of death? +Can we not live together as friends? +- Friends have equal rights. +- They will come. +Only when we take them. +- I think we're ready to give them. +- What do you want of me? +Give up. +Surrender. +Bring in your people. +Surrender? +Peace. +On what terms? +Justice. +Understanding. +If you stop fighting, others will do likewise. +You must have faith. +You must try. +We have tried before. +Then try again. +And again and again and again. +Do you not love anyone? +Your wife? +Children who believe in you? +You know of my child? +No. +A man-child? +Yes. +He will find a better world than you and I. +I sometimes dream of when we were children, you and I. +- Peter? +- Yeah. +I've not said that name in many years. +How goes it with your father? +As well as age will allow. +He was a good man. +He's a friend of my father. +Yes. +And Memsahib Elizabeth? +She is with child. +- Peter? +- Yes. +I did not hurt her. +I did not hurt her or her children. +It was not my hands that struck them. +I believe you. +What's happened to us? +When did this hatred begin? +Before we were born, I think. +I will talk with my people. +I will tell them that I trust you. +But they must decide for themselves. +This will take time. +Four days hence, you will have your answer. +If they agree we will come to the meadow by the hidden spring. +- You know of it? +- Yes. +- You will be there? +- Yes. +Until then. +Kimani. +Grandpa. +Peter. +- So you pulled it off. +- Yes. +- I wanna hear about it. +You like a drink? +- No, thank you, later. +Holly? +Holly? +Holly is with Elizabeth in Nairobi. +Oh... +- You see, we had another raid here. +- I know. +I asked her to go. +- Don't blame her, son. +She was... +- Thanks, Papa. +What we do is stupid. +To surrender betrays everything we have done. +Our children need food, our sick need medicine. +All we need is courage. +Let me talk to them. +You cannot talk to a starving people. +Their belly have no ears. +And if they shoot us down? +No, I have the word of my friend. +Your friend is a white man. +He hates us. +It is your own hatred that you see in others. +Holly. +Sister Williams. +I called at your flat. +You shouldn't go into Elizabeth's right now. +Anything wrong? +No, she's just a little overdue, that's all. +There's nothing to be alarmed about. +You're looking... +You're looking thinner. +You don't look so bad yourself. +Was it very bad? +Some days are good, some bad. +- No, they'll see us. +- Let them. +Do you have to go back? +Tonight. +Oh, I wish I could go with you. +We'll go away soon in that honeymoon we never had. +We don't have to go away to be on a honeymoon. +But I thought you wanted to... +To run away? +Yeah. +Just when was that? +Let's see, about a month ago? +At least a hundred years. +I want to go home to our home. +With Mount Kenya and God in the garden. +The war may not be over for a long time. +I used to blame the war for everything, didn't I? +Somebody else's war is always to blame. +No, I was to blame. +When you grow up, you realize you can't run away from the world. +You just gotta live in it. +You're a big girl now. +I'm beginning to understand about that other woman too. +- What other woman? +- Africa. +Oh. +She's not the least bit jealous. +And neither am I. +Excuse me. +Your boy, Lathela, he says you have to start off for somewhere or other. +Thank you. +See you soon. +Please, God, let it be soon. +Can't you make this thing go faster? +We've got to get there by daylight. +Why? +It's almost impossible. +- But if Kimani shows... +- He set no hour. +He'll wait for us. +Yes, but will Joe Matson wait? +- Matson? +- He got wind of it somehow. +You should have stopped him. +I only heard about him myself about an hour ago. +How do you keep a thing like this secret? +How do you keep Matson off the trigger? +This won't be any ceasefire, it'll be cold-blooded murder. +Doctor? +Yes? +Is there any marks? +Just the mark of a man. +Look at this place. +It's a perfect trap. +What are we supposed to do? +Wait around till they show up? +We'd be caught in the open. +It's a perfect trap, I don't wanna get caught. +- If they show, it'll be to surrender. +- How do you know? +But they gave their word. +I'm taking cover. +You know how Joe is, always suspicious. +I know how Mau Mau is too. +Where is your friend? +You there, all of you, put down your guns. +Wait. +Please. +Yeah, we lost him all right. +Come on. +- When we find Kimani, will you kill him? +- No. +Then why do we hunt him? +He must not think I betrayed him. +If he trusts us, others will do likewise. +If he escapes, if he does not believe Mau Mau will fight harder and longer. +Kimani will not surrender peacefully. +Not this time. +- He will try to kill you. +- Perhaps. +- Don't come along. +- I come with you. +- Why? +- This is my fight too. +Mau Mau has killed a hundred of my people for every one of yours. +I want the same thing for the African that Kimani wants. +Mau Mau is not the way to get them. +Kimani? +Stay here and don't move. +And don't shoot. +- Let me talk to you. +- No! +You kill my wife and my people. +We were betrayed. +Both of us. +I'm here without a weapon. +Are you alone? +Lathela is here too. +I'm coming in. +Keep away. +Kimani. +Don't make me do it. +Come back with me. +No. +We'll start over again. +- This time, it'll be different. +- No. +It is too late. +For you and me. +It is too late. +Must I kill you? +Yes. +Give me the child and bury us both. +No. +Please. +He is dead. +- What will you do with the child? +- Take him home. +Elizabeth has a boy, raise them together. +Maybe for them, it'll be better. +It's not too late. +Subtitles by SDI Media Group +Darling. +- Papa, have I kept you waiting? +- No, that's all right. +Come on. +- Why isn't Peter here? +- He's playing with Kimani, Papa. +That brother of yours and that Kyuke are inseparable. +Can't he find a white playmate? +Why? +You can't treat an African like a brother and expect to have a good servant. +When Caroline died, Kimani's mother raised Peter. +In a way, they are brothers. +When do you leave for England? +Tomorrow, worst luck. +I'm homesick already. +A few years of school... +You won't let him marry anybody but me, Mr. McKenzie, will you? +Has he proposed? +No, but I have, quite often. +Which of you stole the rifle? +Step forward. +Your religion says it is evil to steal. +Your own medicine shall name the liar. +If you tell the truth, this will not burn your tongue. +He who lies burns. +Peter? +Kimani, my son, shall be the first. +Did you steal that gun? +Did you steal the gun? +Did you steal the gun? +Did you steal the gun? +I will find the weapon and bring it to you. +Punish him yourself. +The city teaches bad ways to young men. +How does it go with your wife? +The wife with child? +Tomorrow, the day after... +The time is near. +Papa. +- How does it work? +- Plain old witchcraft. +The Kikuyu is a very religious man. +He fears God, but he trusts him too. +- But hot steel is... +- Will not burn a wet tongue. +But the liar's spit dries up. +Him it will scorch. +Ha-ha-ha. +I think you know more about black witchcraft than you do about the Bible. +- Let me have my way with these devils... +- Poor old Jeff is the perfect colonizer. +What's his is his and what's theirs is his too. +Well, have a good shoot. +We're not raising cattle to feed a maverick lion. +Kimani, Lathela. +Tell Kimani not to gut him. +We'll leave a smelly calling card for the lion. +Kimani, open the animal, but don't clean him. +Then you'd better service the guns. +When it comes time to kill the lion, I want to shoot the gun too. +It's Jeff's show. +And you know how he feels about Africans and guns. +KIMANl: +I want to shoot the gun too. +I'm sorry. +Lathela. +KIMANl: +Always when we hunt it is the same. +You have all the fun, I do all the work. +When we were little and played together... +But we're big now. +And things are not the same. +Hit him. +Hit him. +Hit him hard. +Do what he says, now. +And in a hurry. +From now on, when he tells you to do something, do it. +Don't think about it, just obey. +Understand me? +Well? +Come on, Peter. +I really should've slapped you. +Might have been better all around if you had. +Heh-heh. +Forget it. +You had no right to hit Kimani. +Peter, how many times have I got to tell you? +Blacks are blacks and not playmates. +One thing you can never do is argue with them. +Never. +You tell them. +Oh, sometimes you can joke with them you can boot them in the tail sometimes look after them when they're sick. +But you never, never argue with them. +- The world's changing, Jeff. +- Not in Africa it isn't. +Kimani's mother raised both of us. +We grew up together. +You'll never live together on equal footing. +Not in our lifetime. +You can't spend the first 20 years of your life with someone sharing bread and secrets and dreams, and then one day say: +"Sorry, it's all over. +We live in different worlds". +I don't believe it and I don't like it. +Wait till you settle down and marry Holly and have to deal seriously with the wogs. +Have you heard from Holly? +A couple of letters from London. +She mentioned coming back? +Just stuff about school, things like that. +Hm... +Well, we'd better break camp and go after that lion. +Lathela. +Get Kimani to help you load. +Kimani not here. +Where? +Forget that lion, Jeff. +We're gonna find Kimani, and right now. +All right, all right, all right. +You want Lathela with you? +No, you'll need him to track. +I'll meet you back here at sundown. +- Are you all right? +- Yes, bwana. +- Does it hurt much? +- No, bwana. +You're lying. +- And stop calling me bwana. +- What shall I call you? +"Boss"? "Master"? +Yes, it hurts. +Not where the trap cut me only where Jeff slapped me. +That is where it hurts. +Well, then stop thinking about it. +No one ever struck me in anger before. +Not even my own father. +It wasn't in anger. +He's already forgotten. +Can you forget it? +I cannot forget it either. +We are alike in many things. +You talk Kikuyu same as me. +I speak English same as you. +But you are white and I am black. +And you are the bwana and I am the servant. +And I carry the gun and you shoot. +- Why is shooting the gun so important? +- It's not the gun, it is... +What is it, then? +What? +We cannot talk as friends. +Why? +You said it yourself. +We are not children anymore so we are not friends anymore. +I saved your life as a friend. +I'll always be your friend. +Kimani... +Does it hurt much? +No. +The child doesn't come easily. +It is a curse. +This morning, I saw the dung of a hyena. +Just now a vulture passed over us. +Don't you talk like that. +Just don't you talk like that. +- Suppose the child is born feet first. +- Then it must be killed. +When that child comes, don't you touch it. +You understand? +It is you who do not understand. +I'm gonna fetch my father. +White magic will not remove the curse. +- Perhaps the curse is in your son? +- What evil did he do? +Suppose a snake came into his bed. +Suppose a man struck him and he did not strike back. +Suppose he broke a law. +The child enters life feet first. +Do what must be done. +Kimani. +Swear him in. +- Which god, please? +- The Christian God. +I worship Ngai, the god who lives on Mount Kenya. +I will swear by our sacred Githathi stone. +Your word will suffice. +Oh, no, no. +If I lie before this symbol of God my children and their children and my home and my land will turn to dust. +And when I die I will have no life hereafter except to live forever in eternity by the cursed hyena, cowardly eater of the dead. +I speak the truth. +You're the father of the dead baby in question? +- Yes. +- Did you tell the midwife to kill the baby? +Yes. +It was born feet first, it was cursed. +Then what was done? +What is always done according to custom. +Tell His Honor what that is. +We smothered the child and buried it under a pot. +- You know that killing is against the law? +- God says to murder is wrong. +And when you had that newborn baby smothered, was that not murder? +No. +A child cannot join the tribe until he is 1 year old. +Therefore, he's not really born until his second year. +What was killed was a demon, not a child. +Yes, yes. +And then what did you do? +- What? +- Then what did you do? +We sacrificed a young ram. +Mm. +And that, I suppose, got rid of the curse. +No. +No, sir. +Not yet. +I am still here, therefore the curse is still at work. +Would you do the same thing if another child were born to you feet first? +Yes, yes. +It would be my duty. +What in the name of Almighty God are we trying to do to these people? +Preserve the law, Henry, that's all. +Law? +Whose law? +Not theirs, surely. +All men are equal before the law. +Except some are more equal than others. +That man is an accomplice to murder. +He's admitted that. +But can we make him understand it? +We take away their customs, their habits, their religion. +We stop their tribal dances, we stop them circumcising their women. +Then we offer them our way of life, something they can't grasp. +We say, "Look how clean and rich and clever we are". +For the Africans different wages, different life. +We mock their wise men. +Take away the authority from their fathers. +What are the children going to do? +They'll lose respect for their elders and fathers and when they do, look out. +Maybe they'll lose respect for our white Jesus too. +Turn to something else for help. +It won't be to us. +Well, you understand, don't you, Peter? +If we don't make the African respect the law well, the next thing you know, he'll be wanting to rule this country. +Imagine that, now. +Whatever could give him that idea? +This is his son. +Can he come in while we're here? +The city frightens me. +- Let us go home quickly. +- Listen, old friend. +The law says you must stay here in jail for a while. +I'm sorry. +We'll do everything we can. +My daughter will visit you. +She'll bring you tobacco and food to comfort you. +Please keep this for me. +A jail is not the proper place to keep god's sacred symbol. +And when my son comes of age... +I understand. +I am happy it was not you who struck my son. +You are still his friend? +Yes. +And yours too, for as long as you both wish it. +Boy, boy. +I told you. +He will not help you. +Our Mathanjuki will purify you. +He will drive the curse from your body and I will be free. +- No. +- You do not believe in god? +- Yes, yes. +But I do not believe in our witchcraft and black magic. +When Bwana Jeff struck you... +He struck a black man to prove that the white man is master, nothing else. +You are not in jail because of a curse but only because we are judged by their laws. +And that is the truth. +And I must follow where the truth leads me. +- Where does it lead you? +- To strike back. +We're men, not animals. +You have much to look forward to, my son. +You will become headman as I was. +Is that to be my life? +Headman for a white boss? +"Yes, bwana. +No, bwana. +Yes, bwana". +This land can serve me too. +I want my own land. +Then you must earn it. +I will, Father. +I will. +Who are you? +Who sent you here? +Why you come here? +He told me to come here. +You told me the white man would put Father in jail. +- You said we had to fight the white man. +- Your father is in jail? +- Yes, and I'm ready to fight. +- You ran away from the McKenzie shamba? +- Yes. +- Why? +- You stole money? +- No. +- Guns? +No, why should I steal? +Then why should you run? +I don't know. +This is my daughter, Wanjiru. +- He can be of no use to us. +He wants to fight the white man. +We can use him. +We will take him to the mountains. +We will train him. +Come, little boy. +First you will learn to steal guns. +Hm? +I have no parents and I am hungry. +I need work. +Not a sound. +Nothing. +Do not call. +Do not answer. +Do not cough or I kill you. +Understand? +You are not alone? +How many are there? +One other? +The houseboy? +You will call him by name. +Nothing else, just the name. +Call him. +Migwe. +Migwe. +This boy is dead. +Nanyuki Police signing off, 1545. +- Hello, Peter. +- I need some help, Hillary. +If it's about the sentence of your headman... +His son, Kimani. +He's missing. +- When? +- Last night. +I want him found. +- What did he steal? +- Steal? +You want him found, what are the charges? +- He might be hurt. +- You check the infirmary? +And I've chased down his family within a hundred miles. +He'll show up. +He probably went to Nairobi on a toot and... +- Age? +- Twenty-one. +- Height? +- Six-two, weight a little under 13 stone. +Wait a minute. +There was a houseboy killed last night. +Buxton shamba, at the foot of the Aberdares. +A gang broke in, stole guns and whiskey. +- What's that got to do with Kimani? +- Maybe nothing. +Maybe everything. +- Not a chance. +- Why not? +I know Kimani. +I know how he thinks. +He's not a criminal. +You mean not yet. +You just find him. +At least send out a description. +Kimani's guilty of only one thing, captain. +Guilty of being born black. +Take one. +Why that gun? +My friend Peter has a gun like this. +It is a fine gun. +I can kill a lion with this. +Or even a man, huh? +There will be no drinking here again. +Never. +Adam is our leader. +Who are you to tell us what...? +Daughter, ask the other women where to go and what to do. +Kimani. +I see you have earned a gun. +This gun. +To get some of these guns, one of our own people was killed. +When lightning strikes, a bystander may be hurt. +Lightning belongs to god. +This was murder by him. +It was the will of god. +No. +I do not like your ways. +Sit down. +I go to Nanyuki. +I work there to free my father in my own way. +Sit down. +Two reasons why you cannot leave us. +That houseboy. +That houseboy who was killed last night, Adam can hang for this. +So can you. +So can all of us. +- That is the law. +- Reason two. +You know our names and our faces. +You know where we live and how we live. +We would be safe only if you stay with us. +Or if you were dead. +We will not always live as hunted animals. +Great men make plans for us. +Plans to drive the white man from our country. +Plans to take back our land. +Plans to... +Flight 212, BO AC arriving from London, Rome, Athens, Cairo, Khartoum. +- Cigarette? +No. +- Dad? +- No, thanks. +Flight 212 departing for Dar es Salaam, Johannesburg and Jamestown. +There. +Two-one-two departing for Dar es Salaam, Johannesburg and Jamestown. +Each to their own. +Holly, I... +Six years is a long time. +Too long? +You'd better see to her luggage. +- Can't I watch too? +- It's indecent. +That's why I want to watch. +Oh, really. +Kimani. +Hey. +Kimani. +Strange. +I thought I saw Kimani. +You remember Kimani? +Move. +Start moving. +Would you mind letting us by, please? +I've come to pray. +This is not a church. +My god does not live in a church. +How do you call yourself? +Kimani wa Karanja. +We are beggars and slaves in our own land. +The British allow us in their homes and hotels, yes. +But how? +As servants. +We are millions, they are a handful. +We are strong, they are weak. +How then are they the masters and we the slaves? +Is it white magic? +Is it god's will? +No. +They have the guns. +We too shall have guns. +Are we ready for this? +The whole colored world burns with the fever of revolt with the fire for freedom. +Do any of you have any questions? +Is there a doubt in your hearts? +What troubles you? +Kimani. +His name is Kimani wa Karanja. +For five years, he has been in the mountains with us. +He is ready for leadership. +He is very strong and loyal. +Strong men have betrayed us before. +- You have a question, Kimani? +KIMANl: +Yes, sir. +- This talk of guns. +Yes? +Is this the only way we can get freedom? +Yes. +- By the spilling of blood? +- Yes. +We will never drive the British out with words. +And not with doubts and not with friendship. +It can only be done with guns. +The white man did not take this land with guns. +He bought this land. +- This is truth. +- Mm-hm. +And I must follow where the truth leads me. +You were educated in white missionary schools? +Yes, sir. +Long, long ago, to whom did the land belong? +- The people. +- Yes. +Not one person, but the entire clan. +And therefore only the clan can sell the land correct? +- Yes, sir. +No man of any other tribe can buy our land unless he becomes, in our religion, a Kikuyu. +Yes, sir. +And have the British ever become Kikuyus? +Or have you become one of the British? +Your father was a friend of the British. +But your father died in their prison. +There is only one way to drive out the British. +By terror and death. +Everyone must either be for us or against us. +Those who be with us, stand. +Good. +We will need a symbol, a sign, a name. +Here it is. +Mau Mau. +Mau Mau. +Use it, live by it, die for it. +Mau Mau is the machinery that will carry us to freedom and independence. +Mau Mau. +Mau Mau. +I swear to kill an Englishman or may this oath kill me and my family. +I swear to kill an Englishman or may this oath kill me and my family. +- They make a nice couple, don't they? +- Mm. +She's got good lines for breeding too. +Look. +Mount Kenya. +Lathela, wait here. +No wonder the African believes that God lives on Mount Kenya. +If I were God, that's where I'd like to live. +I feel I'm really home now. +I love you, Peter. +I always have. +I suppose I always will. +I like the feel of you. +I wish... +Yes? +I wish it could always be like this moment. +Safe and warm and peaceful. +Always like this. +Home is always like this. +Why did your husband run away? +Did he steal? +Did he do something bad? +Where did he go? +Why didn't you go with him? +- I was afraid. +- Afraid? +Afraid of what? +Hello, my darling. +Hello, my darling. +What did you bring? +Hello. +You didn't forget my rifle? +Yes, it's right here. +Henry. +Bring the children in. +Bring them in. +What do you think? +What's it mean? +I don't know. +Two Kyukes disappear from my place. +Jasper, his headman reports one gone from his farm, rifle missing too. +One gone from your place. +Why? +You saw his wife. +She's afraid. +Why? +What of? +Come in. +According to Kikuyu custom we come to speak for Peter McKenzie, bachelor to Holly Keith, spinster. +- This shy Kikuyu maiden is grateful. +- She doesn't look very shy to me. +How many goats will be paid for me? +Three or four ought to be quite enough, don't you think? +Oh, I'd say 20 or 30 at least. +Why don't you throw yourself in and make it 31 goats? +And why has Peter wa Henry chosen me? +He needs someone to chop firewood and dig potatoes. +He needs someone to keep his bed warm. +- He promises not to beat you often. +- Unless it's absolutely necessary. +- He also expects a child every year. +- All of them his. +- A very narrow attitude. +- We shall also have to shave your head. +Do you accept my son? +If you do, we'll drink to the marriage bargain. +If you don't, I shall have to pour this on the ground. +And waste all that precious gin? +Thank you for becoming one of our family. +You will swear a new blood oath. +When it is done, you will be part of the new army: +Mau Mau. +He who refuses to take the oath he dies. +He who breaks the oath he dies. +Cut off the sheep's head. +Fill this calabash with its blood. +Sugar cane. +Sugar cane and banana leaves the first source of food. +Mugere plant best and strongest magic. +The arch oldest Kikuyu symbol. +You will pass through the arch seven times and thereby enter a new life. +You will receive seven cuts on the arm to bind you together. +Seven. +All things in seven. +Seven, the unlucky number. +Break the oath and the evil seven will strike. +Sheep's blood symbol of sacrifice. +Millet seeds of nourishment. +Earth the earth we fight for. +The cause that brings us together. +You will eat this oath. +You will swallow it seven times so that it becomes part of you. +Bitter Sodom apples. +Take off everything that stinks of the European. +Watch, ring, money. +To give you an easy road. +The endless circles. +Earth. +Hold it to your belly. +That the land may feed us and not the foreigners. +Hold up your arm. +So that your blood will mix. +Now swallow the oath seven times. +Repeat after me as you pass through the arch. +If I sell land to any foreigners, may this oath kill me. +If I sell land to any foreigners, may this oath kill me. +- I will steal guns. +- I will steal guns. +I will never be a Christian. +I will never be a Christian. +I will drive out all Europeans or kill them. +I will drive out all Europeans or kill them. +It is done. +They've all sworn. +I feel unclean. +I will not let Wanjiru take this oath. +It is not necessary. +She is loyal. +To swallow the oath was hard enough, but the rest of it... +The nameless filth, the shame. +And in front of the others. +Why was it necessary? +Why? +To bind us together forever. +Now they will do anything. +Killing of mother, father, son will be as nothing to them. +They will feel strong with power and purpose. +- Who gave you the oath? +- No one. +You never took it? +I am too old to change. +I am ready to give up my life, but I cannot give up my faith. +It is too deep, too strong. +In life and in death I will always believe in the god of my father the god who lives on Mount Kenya. +- So do I, in spite of the oath. +Your daughter carries my child. +Now, I wish to marry her before the child is born. +I consider you married. +I will gather cooking stones with my wife as my father before me gathered cooking stones with my mother. +Like you, I cannot tear out what is in my heart. +Do it quickly, then. +We need rest. +Tomorrow is the appointed day of the long knives. +Our first attack should be on the McKenzie shamba. +- Why there? +- Why not? +Look, that was my home, my friends. +A great leader has no friends, only a cause. +- You doubt my loyalty? +- I only ask you to prove it. +Let your panga come back as red as mine. +Thank you for a lovely day. +Lovely wedding day. +- No more anxiety? +- Mm-mm. +- You know why? +- Why? +Because everything's so full of life. +All the animals, the earth and even the air smells of life. +We've done nothing to spoil it. +Someday all this will be farm country. +What will happen to White Hunter McKenzie, then? +Four years ago, our crops were hit by locusts. +Wiped out. +Papa put all his savings into cattle. +The next year, rinderpest. +What cattle didn't die had to be killed. +Papa got a loan from the bank. +So part of the time, I take rich clients on safari. +For the money. +To pay back the loan. +So the land's good to us this year and the crops hold up, no locusts, no rinderpests I'll be back where I really belong. +On the farm. +You know, that's the most wonderful wedding present you could ever give me. +- Are you as happy as I am? +- I'm a very lucky man. +I have the two women I love most in the world. +- Who's the other one? +- Africa. +There are some things I can do for you that Africa can't. +What is it? +I don't know. +Something strange. +Well, I didn't hear anything. +I'm not certain. +It was something. +Just a feeling, I guess. +I wonder what's happened to the porch light. +Probably the fuse again. +I'll have a look at it. +Hey, what the...? +Ugh! +KIMANl: +Remember me? +Kimani. +- What do you want? +- I've come home. +Jeff! +KIMANl: +No. +Kimani. +Jeff Newton and two of his children dead. +His wife, Elizabeth, in critical condition. +On the open highway to Nanyuki in broad daylight Joe Matson and Mrs. Matson were ambushed while motoring. +Mrs. Matson was killed by machine-gun bullets. +Chief Waruhiu, leader of the anti-Mau Mau movement was murdered at Kiambu. +MEYLl: +Yes, bwana. +Were you in your hut last night? +MEYLl: +Yes. +It's lucky your father and the one boy were out visiting. +Where is Jeff and the kids? +What's your name? +MEYLl: +Meyli. +Who was with you? +MEYLl: +My husband and my children. +And the mother of my husband. +Did you ever attend any Mau Mau meetings? +MEYLl: +No, bwana. +Next, please. +Mrs. McKenzie, what type blood are you? +- Type O. +- Come along, please. +Hurry. +Anybody else here with type O blood? +Peter? +Lathela is, I think. +Which one of you is known as Lathela? +Is that you? +Come with me. +We need blood to help Memsahib Elizabeth. +Papa. +Why Elizabeth? +Why the kids? +Why? +A state of emergency now exists in Kenya. +Kikuyus are being sworn into a terror organization called Mau Mau. +Small gangs are fighting guerrilla warfare. +There may be Mau Mau on your farms, in your cities, in your homes. +Any African found with a gun may be punished by death. +Peter, why do you have to go? +We've been over this a dozen times. +I have to go, that's all. +Yes, but there's the army... +The army is inexperienced in the mountain and the bush country. +- How long will you be away? +- I don't know. +What am I supposed to do while you're gone? +What the rest of the women are doing, help keep the place going. +Peter. +It wasn't very much of a honeymoon for you, was it? +Are you very afraid? +No, not of them. +Only for us. +It's us I'm afraid for, what will happen to us. +Mau Mau working underground everywhere. +Maybe right here in this room, for all we know. +Now, the government wants information. +Who's forging the ammunition permits? +Who's supplying the guns? +Who's giving the oaths? +So it's prisoners we're after. +It's your job to track them down. +I say kill them, make it open warfare, bomb them out. +Kill whom, all 6 million Africans in Kenya? +We're only 40,000. +That makes the odds about 150-to-1. +That's not the point. +We're not at war with the Kikuyu nation. +We're fighting Mau Mau. +For every one of us, they've killed a hundred Kikuyus. +- Loyal Kikuyus. +- They don't know what loyalty means. +Now, listen, man. +They're trying to drive us out. +What are we to do? +Pack up because their grandfathers were here first? +I was born here too. +This is my country. +Killing's no answer. +We gotta give the African a chance... +Black man's had Africa for years. +It'd be a jungle if we hadn't moved in. +It's not a question of black or white. +That's exactly what it is. +Black or white. +You'll follow orders or keep out of this. +Well? +All right. +I'll try it your way for a while. +No smoking. +And no fires for cooking. +Whiskey? +Jeff. +Talk to me, Papa. +I don't know what to say. +Anything, Papa. +Anything at all. +This off-season rain it should do a lot of good. +You're doing a big job, child. +Like my Caroline, a long time ago when the country was new. +She was delicate, but strong, like you. +She helped to make the land and hold it. +Like you. +No, Papa, not like me. +I'm weak. +I'm weak and I'm afraid and I'm lonely. +Papa. +Who said you could get out of bed? +I want to go to Nairobi to see the doctor. +Is it your arm again? +I know you'll think I'm mad but I'm going to have another baby. +You see, if there's any chance of it being born... +Well, I mean, after losing so much blood and... +And I want this baby, Papa. +More than I've ever wanted anything. +It'd be a little bit more of Jeff and... +Holly, will you take me in to the doctor in the morning? +Hey, you, listen carefully. +You are surrounded by police. +Lay down your guns. +Listen carefully. +Lay down your guns. +You are surrounded by police. +All right. +Waithaka, do you know any of these people? +- Next. +- A good farmer, no Mau Mau. +- No? +- No, bwana. +You see? +Njogu, soldier of god. +How long were you in the mountains? +One year. +Do not hurt me, bwana. +Who gave you the oath? +I do not know. +If you lie to me again, I'll kill you. +Now who was it? +Who made you swear to the oath? +Waithaka. +Help me. +Help me. +Waithaka. +- Help me. +- The woman lies. +I never saw her before, never. +I swear. +By my father, I swear. +Here's one of your loyal Kikuyus. +All right. +We'll start again. +- You gave the oath to the girl? +- No. +- She knew your name. +How? +- She's the wife of my brother. +- Who gave you the oath? +- It was dark and raining, I could not see. +How do you Mau Mau do it? +Since when do we use torture? +The Mau Mau do it. +They love it. +- You might even grow to love it yourself. +- I don't like it any more than you do. +But I don't like what happened to Matson's wife. +Or your family. +Or any families to come. +We're not such a big jump away from being savages ourselves, are we? +Please. +Please let me point him out from here. +Please let me. +This is the man. +- Your name. +- Njogu. +Is he the one? +Is he the oath-giver? +You said his name was Njogu. +You said he was here. +He spoke truly. +I gave the oath to him, to all of them. +They know nothing. +And from me, you will get nothing. +Do not let me stay... +Do not let me stay here. +You promised, bwana. +You promised, you promised, you promised. +Who is it? +Uncle Peter. +Excuse my appearance. +I need a drink. +- I beg your pardon. +- Let me help you, son. +That's right. +Absolutely right. +You're gonna help us all. +I need your help. +Government needs help. +Everybody needs help. +It's a big secret job. +Very important. +Toast. +Toast. +I don't think he's taken off these clothes since he left home. +He probably never had a chance. +Thank God he's all right. +Holly strange things happen to people in war. +- Inside, I mean. +- Not between us. +- He'll be the same as always, you'll see. +- Nothing's ever the same. +That's one thing you can't do, stand still. +Look, his sock has rotted away inside his boot. +I'd forgotten how good our earth feels. +So rich and full of life. +Can you hear the soil through my fingers? +No. +What's it saying? +How much I love you and miss you and need you. +Last night, I thought... +Last night I had a nightmare and it was... +It was a nightmare. +Somebody will see us. +Does it matter? +It isn't the same, is it? +Yes, Holly. +You make me feel ashamed. +We waited lunch for you. +- Sorry. +- Finally gave up. +I didn't realize the time. +Daydreaming? +Yes. +You can pick your dreams in the daytime. +I'm sorry you've gotta go tonight. +So am I. +It's not fair to Holly. +She's carrying a pretty heavy burden. +No more than you or a dozen other women around here. +It's not easy for Holly looking after Papa and little Jeff and me. +It's not easy going to bed with a rifle by your side night after night instead of a husband never knowing if you're going to see daylight again. +Never laughing. +Never loving. +Never knowing if the next footstep on the porch is yours or... +You're her whole life, Peter. +Don't shut her out. +I feel empty. +Dead. +It's not so bad in the daytime, in the clean hot sun. +But when it grows dark I'm afraid, I guess. +And then when I think of Holly and how much I want her and when it's the moment to touch her and be with her, I can't. +I just feel dirty, I feel unclean. +Filthy business we're in. +Time will wash it clean. +Who knows how much time there is left? +- Ready? +- Yes, yes. +Where's Holly? +She's in the bedroom. +Well? +Don't go. +Please, don't go. +You expect me to run out? +Yes. +Yes, together. +Somewhere far away, where there's no war. +We belong here, Holly. +Here, this is our land. +It was worked for and paid for. +Nobody's driving me off this land. +They can bury me in it, but nobody is chasing me off it. +Peter, darling, what does a piece of land matter? +Look what it's doing to us, to everybody. +- Please, take me away from here. +- This is our home. +- They say not. +- They lie. +War is filled with lies. +What they say, what we say, lies. +Our place is here. +My place is with you. +And you have no place for me. +I'm selfish. +I don't want to lose you. +Please, let's go away from here before it's too late. +Do I get the names? +The oath-givers the man who killed my wife. +Joe. +Lathela. +You are not afraid of Mau Mau? +I'm like you. +I'm too old to be frightened by men. +The wrath of God frightens me, not the brutality of men. +What do you want of me? +How is it you gave the oath to others and never took it yourself? +I believe in the faith of my father. +Good. +Who are your leaders? +Your oath-givers? +By speaking out, you can end the war between us. +You leave Africa and the war will end. +Can't we live in peace, your people and mine? +Go away. +Your soft words are sharper than blows. +Would you prefer violence? +I'm no ordinary man. +Nothing can make me speak out. +They have tried. +They could not do it. +Not with torture, not with pain. +You will fail also. +Well, that's all we needed, a spell of weather. +Ngai is angry. +What's that? +Thunder and lightning. +When it storms, the Kikuyu believes he is face-to-face with god. +Thunder is the sound of god cracking his joints preparing for battle. +The lightning is god's sword of retribution. +You talk as if you believed that black hogwash yourself. +The important thing is whether our friend in there believes it. +If he does... +You'll never break him with mumbo jumbo. +His kind understands only one thing: +Force. +- Kill him, you make a martyr of him. +- He'll be dead. +Hold it, Joe. +Go ahead, Henry. +You gotta fight an idea with a better idea. +With the help of this weather, and if I know my man... +Well, give me one more go at him. +Tell me, Ngai, if I do right. +I only wish to do thy will. +Give me a sign that I may know. +Lathela, get some kerosene and dry wood. +- I am not afraid to face god. +- We will see. +I am the messenger of god. +Did god create Mau Mau? +Mau Mau is the will of god. +Did god tell you to mutilate innocent children? +Did Gikuyu and Mumbi ever violate animals? +Since the creation of Mount Kenya has god ever told you to steal and murder and burn and hate? +Is it the will of god that you eat human flesh and blood? +- I swear that... +- Wait. +Let your swearing have value in the eyes of god. +Swear by your sacred Githathi stone. +Hold this symbol of God in your hands and swear. +Then I'll believe you. +Now begin at the beginning. +Did you ever take the Mau Mau blood oath yourself? +- No. +- I believe you. +- Did you give the oath to others? +- Yes. +- By force? +- Yes. +You swore to drive the white men out of Africa, didn't you? +- Yes. +- Did God tell you to create Mau Mau? +Say yes before God and I'll believe you. +I've said enough. +You are afraid to face your god. +- If Mau Mau drives us out, then what? +- Then freedom. +- And faith in god too? +- Yes, yes. +How? +What faith? +Mau Mau, the promise to murder? +Will god take back the people who've eaten the blood oath? +That's why you didn't take the oath yourself, isn't it? +Because you wanted to be able to come back to god. +Yes, Ngai, I come to you faithful with no other gods before you. +But you've broken every law of your god. +Tell him that too. +Tell him you gave the blood oath to others by night, by force. +That you gave it before witnesses, gave it to women and children. +These are the worst violations. +How can you lead your people back to god? +Even tonight, more of your people are being oathed banished from the house of god cursed to live through eternity as a broken-spined hyena. +Is that the future for your people? +Is it? +Is that what you want? +No. +Who's the oath-giver in Nairobi? +Who is he? +If god cannot accept Mau Mau, Mau Mau cannot lead your people. +In Nairobi, his name is Timbu. +Who gives the oath in Thomson's Falls? +Lorry driver for Bwana Wilson. +Nyeri? +They are even in the home guard. +Are Mau Mau in our telephone service? +- Yes. +- Code words for guns? +- Mti, tree. +- Ammunition? +Makaa, charcoal. +The McKenzie shamba, who led the attack? +The... +The husband of my daughter. +His name? +Kimani wa Karanja. +The capture of a high-ranking oath administrator has led to the arrest of many Mau Mau in the Nyeri District. +Loyal Kikuyu witnesses are cooperating by pointing out those Africans who have taken the blood oath. +Witnesses wear white hoods to conceal their identities. +Shantytown in Nairobi, cesspool of intrigue and resistance is being flattened and razed. +Ready? +- Where do you think you're going? +- To find Kimani. +I can't spare the men for that chase. +- Just Lathela and I. +- And when you find him, then what? +- Ask him to surrender. +- Why should he? +Because I know Kimani. +Because he wants peace as much as we do. +Peace? +You said surrender. +Peace means terms. +What terms? +His precious life? +A seat in parliament? +You and your pet black boy. +You're just a black liberator, aren't you? +All right, all right. +What terms? +The lives of his people. +- What can we lose by trying? +- Did this Kimani take the oath? +The old man says yes. +You wouldn't have one chance in a thousand of coming out alive. +The emergency operations now cost the government more than a million pounds every month. +Several farmers in the Nyeri District have quit their farms and returned to England. +Mau Mau gangs are being forced deeper into the Aberdare Mountains. +The flare, Papa. +Send up the flare. +Elizabeth. +Jeff. +Where's Jeff? +Tomorrow, you can take Elizabeth into Nairobi. +To the hospital. +And leave here? +It's to help Elizabeth. +We'll get you a little flat in town and you can come and see me every day. +Yes. +Yes, I'd like that. +Are you all right? +No one came here. +Did you make contact? +Well? +Did you see Kimani? +Will he come? +He's a big general now. +I do not know if he will come. +And if he come, I do not know if it is to speak or to kill. +I do not know how a general thinks. +KIMANl: +Put down your gun. +Kimani? +KIMANl: +The guns. +And the pistol too. +The pistol. +Now, tell Lathela to build a fire. +Why? +I want my comrades to see you. +We're alone, you have nothing to fear. +I know this. +You have tobacco? +- Cigarettes. +- Pass them here. +Why did you come? +- Can we not talk face-to-face? +- No. +- Njogu is our prisoner. +- I know. +He confessed many things, told us many names. +- I know. +- He is not harmed. +Then why did he turn against us? +Njogu was braver than any of us. +He was not afraid to die. +He was afraid for his soul. +Can you understand that? +Yes. +The people he named have been arrested. +- I know. +- You know the war goes badly for you. +It is possible to lose a battle and still win a war. +Must Africa always stink of death? +Can we not live together as friends? +- Friends have equal rights. +- They will come. +Only when we take them. +- I think we're ready to give them. +- What do you want of me? +Give up. +Surrender. +Bring in your people. +Surrender? +Peace. +On what terms? +Justice. +Understanding. +If you stop fighting, others will do likewise. +You must have faith. +You must try. +We have tried before. +Then try again. +And again and again and again. +Do you not love anyone? +Your wife? +Children who believe in you? +You know of my child? +No. +A man-child? +Yes. +He will find a better world than you and I. +I sometimes dream of when we were children, you and I. +- Peter? +- Yeah. +I've not said that name in many years. +How goes it with your father? +As well as age will allow. +He was a good man. +He's a friend of my father. +Yes. +And Memsahib Elizabeth? +She is with child. +- Peter? +- Yes. +I did not hurt her. +I did not hurt her or her children. +It was not my hands that struck them. +I believe you. +What's happened to us? +When did this hatred begin? +Before we were born, I think. +I will talk with my people. +I will tell them that I trust you. +But they must decide for themselves. +This will take time. +Four days hence, you will have your answer. +If they agree we will come to the meadow by the hidden spring. +- You know of it? +- Yes. +- You will be there? +- Yes. +Until then. +Kimani. +Grandpa. +Peter. +- So you pulled it off. +- Yes. +- I wanna hear about it. +You like a drink? +- No, thank you, later. +Holly? +Holly? +Holly is with Elizabeth in Nairobi. +Oh... +- You see, we had another raid here. +- I know. +I asked her to go. +- Don't blame her, son. +She was... +- Thanks, Papa. +What we do is stupid. +To surrender betrays everything we have done. +Our children need food, our sick need medicine. +All we need is courage. +Let me talk to them. +You cannot talk to a starving people. +Their belly have no ears. +And if they shoot us down? +No, I have the word of my friend. +Your friend is a white man. +He hates us. +It is your own hatred that you see in others. +Holly. +Sister Williams. +I called at your flat. +You shouldn't go into Elizabeth's right now. +Anything wrong? +No, she's just a little overdue, that's all. +There's nothing to be alarmed about. +You're looking... +You're looking thinner. +You don't look so bad yourself. +Was it very bad? +Some days are good, some bad. +- No, they'll see us. +- Let them. +Do you have to go back? +Tonight. +Oh, I wish I could go with you. +We'll go away soon in that honeymoon we never had. +We don't have to go away to be on a honeymoon. +But I thought you wanted to... +To run away? +Yeah. +Just when was that? +Let's see, about a month ago? +At least a hundred years. +I want to go home to our home. +With Mount Kenya and God in the garden. +The war may not be over for a long time. +I used to blame the war for everything, didn't I? +Somebody else's war is always to blame. +No, I was to blame. +When you grow up, you realize you can't run away from the world. +You just gotta live in it. +You're a big girl now. +I'm beginning to understand about that other woman too. +- What other woman? +- Africa. +Oh. +She's not the least bit jealous. +And neither am I. +Excuse me. +Your boy, Lathela, he says you have to start off for somewhere or other. +Thank you. +See you soon. +Please, God, let it be soon. +Can't you make this thing go faster? +We've got to get there by daylight. +Why? +It's almost impossible. +- But if Kimani shows... +- He set no hour. +He'll wait for us. +Yes, but will Joe Matson wait? +- Matson? +- He got wind of it somehow. +You should have stopped him. +I only heard about him myself about an hour ago. +How do you keep a thing like this secret? +How do you keep Matson off the trigger? +This won't be any ceasefire, it'll be cold-blooded murder. +Doctor? +Yes? +Is there any marks? +Just the mark of a man. +Look at this place. +It's a perfect trap. +What are we supposed to do? +Wait around till they show up? +We'd be caught in the open. +It's a perfect trap, I don't wanna get caught. +- If they show, it'll be to surrender. +- How do you know? +But they gave their word. +I'm taking cover. +You know how Joe is, always suspicious. +I know how Mau Mau is too. +Where is your friend? +You there, all of you, put down your guns. +Wait. +Please. +Yeah, we lost him all right. +Come on. +- When we find Kimani, will you kill him? +- No. +Then why do we hunt him? +He must not think I betrayed him. +If he trusts us, others will do likewise. +If he escapes, if he does not believe Mau Mau will fight harder and longer. +Kimani will not surrender peacefully. +Not this time. +- He will try to kill you. +- Perhaps. +- Don't come along. +- I come with you. +- Why? +- This is my fight too. +Mau Mau has killed a hundred of my people for every one of yours. +I want the same thing for the African that Kimani wants. +Mau Mau is not the way to get them. +Kimani? +Stay here and don't move. +And don't shoot. +- Let me talk to you. +- No! +You kill my wife and my people. +We were betrayed. +Both of us. +I'm here without a weapon. +Are you alone? +Lathela is here too. +I'm coming in. +Keep away. +Kimani. +Don't make me do it. +Come back with me. +No. +We'll start over again. +- This time, it'll be different. +- No. +It is too late. +For you and me. +It is too late. +Must I kill you? +Yes. +Give me the child and bury us both. +No. +Please. +He is dead. +- What will you do with the child? +- Take him home. +Elizabeth has a boy, raise them together. +Maybe for them, it'll be better. +It's not too late. +[SINGING] +ELIZABETH: +Darling. +- Papa, have I kept you waiting? +- No, that's all right. +Come on. +- Why isn't Peter here? +- He's playing with Kimani, Papa. +That brother of yours and that Kyuke are inseparable. +Can't he find a white playmate? +Why? +You can't treat an African like a brother and expect to have a good servant. +When Caroline died, Kimani's mother raised Peter. +In a way, they are brothers. +[WHISTLE BLOWS] +When do you leave for England? +Tomorrow, worst luck. +I'm homesick already. +A few years of school... +You won't let him marry anybody but me, Mr. McKenzie, will you? +Has he proposed? +No, but I have, quite often. +Which of you stole the rifle? +Step forward. +Your religion says it is evil to steal. +Your own medicine shall name the liar. +If you tell the truth, this will not burn your tongue. +He who lies burns. +Peter? +Kimani, my son, shall be the first. +Did you steal that gun? +Did you steal the gun? +Did you steal the gun? +Did you steal the gun? +[CHATTERING DOG BARKING] +I will find the weapon and bring it to you. +Punish him yourself. +The city teaches bad ways to young men. +How does it go with your wife? +The wife with child? +Tomorrow, the day after... +The time is near. +Papa. +- How does it work? +- Plain old witchcraft. +The Kikuyu is a very religious man. +He fears God, but he trusts him too. +- But hot steel is... +- Will not burn a wet tongue. +But the liar's spit dries up. +Him it will scorch. +Ha-ha-ha. +I think you know more about black witchcraft than you do about the Bible. +- Let me have my way with these devils... +- Poor old Jeff is the perfect colonizer. +What's his is his and what's theirs is his too. +Well, have a good shoot. +We're not raising cattle to feed a maverick lion. +PETER: +Kimani, Lathela. +Tell Kimani not to gut him. +We'll leave a smelly calling card for the lion. +Kimani, open the animal, but don't clean him. +Then you'd better service the guns. +When it comes time to kill the lion, I want to shoot the gun too. +It's Jeff's show. +And you know how he feels about Africans and guns. +KIMANl: +I want to shoot the gun too. +PETER: +I'm sorry. +Lathela. +KIMANl: +Always when we hunt it is the same. +You have all the fun, I do all the work. +When we were little and played together... +But we're big now. +And things are not the same. +Hit him. +Hit him. +Hit him hard. +Do what he says, now. +And in a hurry. +From now on, when he tells you to do something, do it. +Don't think about it, just obey. +Understand me? +Well? +Come on, Peter. +I really should've slapped you. +Might have been better all around if you had. +Heh-heh. +Forget it. +You had no right to hit Kimani. +JEFF: +Peter, how many times have I got to tell you? +Blacks are blacks and not playmates. +One thing you can never do is argue with them. +Never. +You tell them. +Oh, sometimes you can joke with them you can boot them in the tail sometimes look after them when they're sick. +But you never, never argue with them. +- The world's changing, Jeff. +- Not in Africa it isn't. +Kimani's mother raised both of us. +We grew up together. +You'll never live together on equal footing. +Not in our lifetime. +You can't spend the first 20 years of your life with someone sharing bread and secrets and dreams, and then one day say: +"Sorry, it's all over. +We live in different worlds". +I don't believe it and I don't like it. +Wait till you settle down and marry Holly and have to deal seriously with the wogs. +Have you heard from Holly? +A couple of letters from London. +She mentioned coming back? +Just stuff about school, things like that. +Hm... +Well, we'd better break camp and go after that lion. +Lathela. +Get Kimani to help you load. +Kimani not here. +PETER: +Where? +Forget that lion, Jeff. +We're gonna find Kimani, and right now. +All right, all right, all right. +[ENGINE STARTS] +You want Lathela with you? +No, you'll need him to track. +I'll meet you back here at sundown. +[HYENAS YIPPING] +[WHIMPERS] +[YELPS] +- Are you all right? +- Yes, bwana. +- Does it hurt much? +- No, bwana. +You're lying. +- And stop calling me bwana. +- What shall I call you? +"Boss"? "Master"? +Yes, it hurts. +Not where the trap cut me only where Jeff slapped me. +That is where it hurts. +Well, then stop thinking about it. +No one ever struck me in anger before. +Not even my own father. +It wasn't in anger. +He's already forgotten. +Can you forget it? +I cannot forget it either. +We are alike in many things. +You talk Kikuyu same as me. +I speak English same as you. +But you are white and I am black. +And you are the bwana and I am the servant. +And I carry the gun and you shoot. +- Why is shooting the gun so important? +- It's not the gun, it is... +What is it, then? +What? +We cannot talk as friends. +Why? +You said it yourself. +We are not children anymore so we are not friends anymore. +I saved your life as a friend. +I'll always be your friend. +Kimani... +Does it hurt much? +No. +[SPEAKING IN FOREIGN LANGUAGE] +[BIRD CROWS] +[SPEAKING INDISTINCTLY] +ELIZABETH: +The child doesn't come easily. +It is a curse. +This morning, I saw the dung of a hyena. +Just now a vulture passed over us. +Don't you talk like that. +Just don't you talk like that. +- Suppose the child is born feet first. +- Then it must be killed. +When that child comes, don't you touch it. +You understand? +It is you who do not understand. +I'm gonna fetch my father. +White magic will not remove the curse. +- Perhaps the curse is in your son? +- What evil did he do? +Suppose a snake came into his bed. +Suppose a man struck him and he did not strike back. +Suppose he broke a law. +[BABY CRYING] +The child enters life feet first. +Do what must be done. +[BABY STOPS CRYING] +[BELL RINGS] +[INAUDIBLE DIALOGUE] +Kimani. +Swear him in. +- Which god, please? +- The Christian God. +I worship Ngai, the god who lives on Mount Kenya. +I will swear by our sacred Githathi stone. +CROWN COUNSEL: +Your word will suffice. +KARANJA: +Oh, no, no. +If I lie before this symbol of God my children and their children and my home and my land will turn to dust. +[STICKS BANG] +And when I die I will have no life hereafter except to live forever in eternity by the cursed hyena, cowardly eater of the dead. +I speak the truth. +You're the father of the dead baby in question? +- Yes. +- Did you tell the midwife to kill the baby? +Yes. +It was born feet first, it was cursed. +Then what was done? +What is always done according to custom. +CROWN COUNSEL: +Tell His Honor what that is. +We smothered the child and buried it under a pot. +- You know that killing is against the law? +- God says to murder is wrong. +And when you had that newborn baby smothered, was that not murder? +No. +A child cannot join the tribe until he is 1 year old. +Therefore, he's not really born until his second year. +What was killed was a demon, not a child. +Yes, yes. +And then what did you do? +- What? +- Then what did you do? +We sacrificed a young ram. +Mm. +And that, I suppose, got rid of the curse. +KARANJA: +No. +No, sir. +Not yet. +I am still here, therefore the curse is still at work. +Would you do the same thing if another child were born to you feet first? +Yes, yes. +It would be my duty. +What in the name of Almighty God are we trying to do to these people? +CROWN COUNSEL: +Preserve the law, Henry, that's all. +Law? +Whose law? +Not theirs, surely. +All men are equal before the law. +Except some are more equal than others. +That man is an accomplice to murder. +He's admitted that. +But can we make him understand it? +We take away their customs, their habits, their religion. +We stop their tribal dances, we stop them circumcising their women. +Then we offer them our way of life, something they can't grasp. +We say, "Look how clean and rich and clever we are". +For the Africans different wages, different life. +We mock their wise men. +Take away the authority from their fathers. +What are the children going to do? +They'll lose respect for their elders and fathers and when they do, look out. +Maybe they'll lose respect for our white Jesus too. +Turn to something else for help. +It won't be to us. +Well, you understand, don't you, Peter? +If we don't make the African respect the law well, the next thing you know, he'll be wanting to rule this country. +Imagine that, now. +Whatever could give him that idea? +This is his son. +Can he come in while we're here? +[SPEAKS FOREIGN LANGUAGE] +[IN ENGLISH] The city frightens me. +- Let us go home quickly. +- Listen, old friend. +The law says you must stay here in jail for a while. +I'm sorry. +We'll do everything we can. +My daughter will visit you. +She'll bring you tobacco and food to comfort you. +Please keep this for me. +A jail is not the proper place to keep god's sacred symbol. +And when my son comes of age... +I understand. +I am happy it was not you who struck my son. +You are still his friend? +Yes. +And yours too, for as long as you both wish it. +MAN: +Boy, boy. +I told you. +He will not help you. +Our Mathanjuki will purify you. +He will drive the curse from your body and I will be free. +- No. +- You do not believe in god? +- Yes, yes. +But I do not believe in our witchcraft and black magic. +When Bwana Jeff struck you... +He struck a black man to prove that the white man is master, nothing else. +You are not in jail because of a curse but only because we are judged by their laws. +And that is the truth. +And I must follow where the truth leads me. +- Where does it lead you? +- To strike back. +We're men, not animals. +You have much to look forward to, my son. +You will become headman as I was. +Is that to be my life? +Headman for a white boss? +"Yes, bwana. +No, bwana. +Yes, bwana". +This land can serve me too. +I want my own land. +Then you must earn it. +I will, Father. +I will. +[DOG BARKING] +[GASPS] +Who are you? +Who sent you here? +Why you come here? +He told me to come here. +You told me the white man would put Father in jail. +- You said we had to fight the white man. +- Your father is in jail? +- Yes, and I'm ready to fight. +- You ran away from the McKenzie shamba? +- Yes. +- Why? +- You stole money? +- No. +- Guns? +No, why should I steal? +Then why should you run? +I don't know. +NJOGU: +This is my daughter, Wanjiru. +- He can be of no use to us. +He wants to fight the white man. +We can use him. +We will take him to the mountains. +We will train him. +Come, little boy. +First you will learn to steal guns. +Hm? +[ENGINE STARTS] +I have no parents and I am hungry. +I need work. +Not a sound. +Nothing. +Do not call. +Do not answer. +Do not cough or I kill you. +Understand? +You are not alone? +How many are there? +One other? +The houseboy? +You will call him by name. +Nothing else, just the name. +Call him. +COOK: +Migwe. +Migwe. +This boy is dead. +Nanyuki Police signing off, 1545. +- Hello, Peter. +- I need some help, Hillary. +If it's about the sentence of your headman... +His son, Kimani. +He's missing. +- When? +- Last night. +I want him found. +- What did he steal? +- Steal? +You want him found, what are the charges? +- He might be hurt. +- You check the infirmary? +And I've chased down his family within a hundred miles. +He'll show up. +He probably went to Nairobi on a toot and... +- Age? +- Twenty-one. +- Height? +- Six-two, weight a little under 13 stone. +Wait a minute. +There was a houseboy killed last night. +Buxton shamba, at the foot of the Aberdares. +A gang broke in, stole guns and whiskey. +- What's that got to do with Kimani? +- Maybe nothing. +Maybe everything. +- Not a chance. +- Why not? +I know Kimani. +I know how he thinks. +He's not a criminal. +You mean not yet. +You just find him. +At least send out a description. +Kimani's guilty of only one thing, captain. +Guilty of being born black. +[SINGING] +Take one. +Why that gun? +My friend Peter has a gun like this. +It is a fine gun. +I can kill a lion with this. +Or even a man, huh? +[SINGING STOPS] +There will be no drinking here again. +Never. +Adam is our leader. +Who are you to tell us what...? +NJOGU: +Daughter, ask the other women where to go and what to do. +Kimani. +I see you have earned a gun. +This gun. +To get some of these guns, one of our own people was killed. +When lightning strikes, a bystander may be hurt. +Lightning belongs to god. +This was murder by him. +It was the will of god. +No. +I do not like your ways. +Sit down. +I go to Nanyuki. +I work there to free my father in my own way. +Sit down. +Two reasons why you cannot leave us. +That houseboy. +That houseboy who was killed last night, Adam can hang for this. +So can you. +So can all of us. +- That is the law. +- Reason two. +You know our names and our faces. +You know where we live and how we live. +We would be safe only if you stay with us. +Or if you were dead. +We will not always live as hunted animals. +Great men make plans for us. +Plans to drive the white man from our country. +Plans to take back our land. +Plans to... +MAN [OVER PA]: +Flight 212, BO AC arriving from London, Rome, Athens, Cairo, Khartoum. +- Cigarette? +ELIZABETH: +No. +- Dad? +- No, thanks. +Flight 212 departing for Dar es Salaam, Johannesburg and Jamestown. +ELIZABETH: +There. +Two-one-two departing for Dar es Salaam, Johannesburg and Jamestown. +Each to their own. +Holly, I... +Six years is a long time. +Too long? +You'd better see to her luggage. +- Can't I watch too? +- It's indecent. +That's why I want to watch. +Oh, really. +PETER: +Kimani. +Hey. +[DOGS BARK] +Kimani. +Strange. +I thought I saw Kimani. +You remember Kimani? +Move. +Start moving. +[SPEAKS FOREIGN LANGUAGE] +[IN ENGLISH] Would you mind letting us by, please? +[SPEAKS FOREIGN LANGUAGE] +I've come to pray. +CLERK: +This is not a church. +My god does not live in a church. +How do you call yourself? +Kimani wa Karanja. +We are beggars and slaves in our own land. +The British allow us in their homes and hotels, yes. +But how? +As servants. +We are millions, they are a handful. +We are strong, they are weak. +How then are they the masters and we the slaves? +Is it white magic? +Is it god's will? +No. +They have the guns. +We too shall have guns. +Are we ready for this? +The whole colored world burns with the fever of revolt with the fire for freedom. +Do any of you have any questions? +Is there a doubt in your hearts? +What troubles you? +NJOGU: +Kimani. +His name is Kimani wa Karanja. +For five years, he has been in the mountains with us. +He is ready for leadership. +He is very strong and loyal. +Strong men have betrayed us before. +- You have a question, Kimani? +KIMANl: +Yes, sir. +- This talk of guns. +LEADER: +Yes? +Is this the only way we can get freedom? +Yes. +- By the spilling of blood? +- Yes. +We will never drive the British out with words. +And not with doubts and not with friendship. +It can only be done with guns. +The white man did not take this land with guns. +He bought this land. +- This is truth. +- Mm-hm. +And I must follow where the truth leads me. +You were educated in white missionary schools? +Yes, sir. +Long, long ago, to whom did the land belong? +- The people. +- Yes. +Not one person, but the entire clan. +And therefore only the clan can sell the land correct? +- Yes, sir. +No man of any other tribe can buy our land unless he becomes, in our religion, a Kikuyu. +Yes, sir. +And have the British ever become Kikuyus? +Or have you become one of the British? +Your father was a friend of the British. +But your father died in their prison. +There is only one way to drive out the British. +By terror and death. +Everyone must either be for us or against us. +Those who be with us, stand. +Good. +We will need a symbol, a sign, a name. +Here it is. +Mau Mau. +Mau Mau. +Use it, live by it, die for it. +Mau Mau is the machinery that will carry us to freedom and independence. +Mau Mau. +ALL: +Mau Mau. +I swear to kill an Englishman or may this oath kill me and my family. +I swear to kill an Englishman or may this oath kill me and my family. +- They make a nice couple, don't they? +- Mm. +She's got good lines for breeding too. +Look. +Mount Kenya. +Lathela, wait here. +No wonder the African believes that God lives on Mount Kenya. +If I were God, that's where I'd like to live. +I feel I'm really home now. +I love you, Peter. +I always have. +I suppose I always will. +I like the feel of you. +I wish... +Yes? +I wish it could always be like this moment. +Safe and warm and peaceful. +Always like this. +Home is always like this. +Why did your husband run away? +Did he steal? +Did he do something bad? +Where did he go? +Why didn't you go with him? +- I was afraid. +- Afraid? +Afraid of what? +WOMAN: +Hello, my darling. +MAN: +Hello, my darling. +LITTLE JEFF: +What did you bring? +PETER: +Hello. +LITTLE JEFF: +You didn't forget my rifle? +WOMAN: +Yes, it's right here. +MATSON: +Henry. +WOMAN: +Bring the children in. +Bring them in. +MATSON: +What do you think? +What's it mean? +I don't know. +Two Kyukes disappear from my place. +Jasper, his headman reports one gone from his farm, rifle missing too. +One gone from your place. +Why? +You saw his wife. +She's afraid. +Why? +What of? +[DOOR KNOCKS] +Come in. +According to Kikuyu custom we come to speak for Peter McKenzie, bachelor to Holly Keith, spinster. +- This shy Kikuyu maiden is grateful. +- She doesn't look very shy to me. +How many goats will be paid for me? +Three or four ought to be quite enough, don't you think? +Oh, I'd say 20 or 30 at least. +Why don't you throw yourself in and make it 31 goats? +And why has Peter wa Henry chosen me? +He needs someone to chop firewood and dig potatoes. +He needs someone to keep his bed warm. +- He promises not to beat you often. +- Unless it's absolutely necessary. +- He also expects a child every year. +- All of them his. +- A very narrow attitude. +- We shall also have to shave your head. +Do you accept my son? +If you do, we'll drink to the marriage bargain. +If you don't, I shall have to pour this on the ground. +HOLLY: +And waste all that precious gin? +Thank you for becoming one of our family. +You will swear a new blood oath. +When it is done, you will be part of the new army: +Mau Mau. +He who refuses to take the oath he dies. +He who breaks the oath he dies. +Cut off the sheep's head. +Fill this calabash with its blood. +Sugar cane. +Sugar cane and banana leaves the first source of food. +Mugere plant best and strongest magic. +The arch oldest Kikuyu symbol. +You will pass through the arch seven times and thereby enter a new life. +You will receive seven cuts on the arm to bind you together. +Seven. +All things in seven. +Seven, the unlucky number. +Break the oath and the evil seven will strike. +Sheep's blood symbol of sacrifice. +Millet seeds of nourishment. +Earth the earth we fight for. +The cause that brings us together. +You will eat this oath. +You will swallow it seven times so that it becomes part of you. +Bitter Sodom apples. +Take off everything that stinks of the European. +Watch, ring, money. +To give you an easy road. +The endless circles. +Earth. +Hold it to your belly. +That the land may feed us and not the foreigners. +Hold up your arm. +So that your blood will mix. +Now swallow the oath seven times. +Repeat after me as you pass through the arch. +If I sell land to any foreigners, may this oath kill me. +If I sell land to any foreigners, may this oath kill me. +- I will steal guns. +- I will steal guns. +I will never be a Christian. +I will never be a Christian. +I will drive out all Europeans or kill them. +I will drive out all Europeans or kill them. +NJOGU: +It is done. +They've all sworn. +I feel unclean. +I will not let Wanjiru take this oath. +It is not necessary. +She is loyal. +To swallow the oath was hard enough, but the rest of it... +The nameless filth, the shame. +And in front of the others. +Why was it necessary? +Why? +To bind us together forever. +Now they will do anything. +Killing of mother, father, son will be as nothing to them. +They will feel strong with power and purpose. +- Who gave you the oath? +- No one. +You never took it? +I am too old to change. +I am ready to give up my life, but I cannot give up my faith. +It is too deep, too strong. +In life and in death I will always believe in the god of my father the god who lives on Mount Kenya. +- So do I, in spite of the oath. +Your daughter carries my child. +Now, I wish to marry her before the child is born. +I consider you married. +I will gather cooking stones with my wife as my father before me gathered cooking stones with my mother. +Like you, I cannot tear out what is in my heart. +Do it quickly, then. +We need rest. +Tomorrow is the appointed day of the long knives. +Our first attack should be on the McKenzie shamba. +- Why there? +- Why not? +Look, that was my home, my friends. +A great leader has no friends, only a cause. +- You doubt my loyalty? +- I only ask you to prove it. +Let your panga come back as red as mine. +[CAMERA WINDING] +[BABOONS HOWLING GRUNTING] +[HOLLY CHUCKLES] +Thank you for a lovely day. +Lovely wedding day. +- No more anxiety? +- Mm-mm. +- You know why? +- Why? +Because everything's so full of life. +All the animals, the earth and even the air smells of life. +We've done nothing to spoil it. +Someday all this will be farm country. +What will happen to White Hunter McKenzie, then? +Four years ago, our crops were hit by locusts. +Wiped out. +Papa put all his savings into cattle. +The next year, rinderpest. +What cattle didn't die had to be killed. +Papa got a loan from the bank. +So part of the time, I take rich clients on safari. +For the money. +To pay back the loan. +So the land's good to us this year and the crops hold up, no locusts, no rinderpests I'll be back where I really belong. +On the farm. +You know, that's the most wonderful wedding present you could ever give me. +- Are you as happy as I am? +- I'm a very lucky man. +I have the two women I love most in the world. +- Who's the other one? +- Africa. +There are some things I can do for you that Africa can't. +What is it? +I don't know. +Something strange. +Well, I didn't hear anything. +I'm not certain. +It was something. +Just a feeling, I guess. +[HORN HONKS] +I wonder what's happened to the porch light. +Probably the fuse again. +I'll have a look at it. +JEFF: +Hey, what the...? +Ugh! +KIMANl: +Remember me? +Kimani. +- What do you want? +- I've come home. +[INAUDIBLE DIALOGUE] +[CRASHING WHISTLE BLOWING] +ELIZABETH: +Jeff! +KIMANl: +No. +[MOUTHS] Kimani. +MAN [OVER RADIO]: +Jeff Newton and two of his children dead. +His wife, Elizabeth, in critical condition. +On the open highway to Nanyuki in broad daylight Joe Matson and Mrs. Matson were ambushed while motoring. +Mrs. Matson was killed by machine-gun bullets. +Chief Waruhiu, leader of the anti-Mau Mau movement was murdered at Kiambu. +MEYLl: +Yes, bwana. +SUPERINTENDENT: +Were you in your hut last night? +MEYLl: +Yes. +SUPERINTENDENT: +It's lucky your father and the one boy were out visiting. +Where is Jeff and the kids? +SUPERINTENDENT: +What's your name? +MEYLl: +Meyli. +SUPERINTENDENT: +Who was with you? +MEYLl: +My husband and my children. +And the mother of my husband. +SUPERINTENDENT: +Did you ever attend any Mau Mau meetings? +MEYLl: +No, bwana. +SUPERINTENDENT: +Next, please. +[GASPS] +Mrs. McKenzie, what type blood are you? +- Type O. +- Come along, please. +Hurry. +Anybody else here with type O blood? +Peter? +Lathela is, I think. +DOCTOR: +Which one of you is known as Lathela? +Is that you? +Come with me. +We need blood to help Memsahib Elizabeth. +Papa. +Why Elizabeth? +Why the kids? +Why? +[WHISTLE BLOWING] +[GRUNTING YELLING IN FOREIGN LANGUAGE] +[CAR ENGINE STARTS] +[MUSIC PLAYING] +MAN [OVER PA]: +A state of emergency now exists in Kenya. +Kikuyus are being sworn into a terror organization called Mau Mau. +Small gangs are fighting guerrilla warfare. +There may be Mau Mau on your farms, in your cities, in your homes. +Any African found with a gun may be punished by death. +Peter, why do you have to go? +We've been over this a dozen times. +I have to go, that's all. +Yes, but there's the army... +The army is inexperienced in the mountain and the bush country. +- How long will you be away? +- I don't know. +What am I supposed to do while you're gone? +What the rest of the women are doing, help keep the place going. +Peter. +It wasn't very much of a honeymoon for you, was it? +Are you very afraid? +No, not of them. +Only for us. +It's us I'm afraid for, what will happen to us. +GAME WARDEN: +Mau Mau working underground everywhere. +Maybe right here in this room, for all we know. +Now, the government wants information. +Who's forging the ammunition permits? +Who's supplying the guns? +Who's giving the oaths? +So it's prisoners we're after. +It's your job to track them down. +I say kill them, make it open warfare, bomb them out. +Kill whom, all 6 million Africans in Kenya? +We're only 40,000. +That makes the odds about 150-to-1. +That's not the point. +We're not at war with the Kikuyu nation. +We're fighting Mau Mau. +For every one of us, they've killed a hundred Kikuyus. +- Loyal Kikuyus. +- They don't know what loyalty means. +Now, listen, man. +They're trying to drive us out. +What are we to do? +Pack up because their grandfathers were here first? +I was born here too. +This is my country. +Killing's no answer. +We gotta give the African a chance... +Black man's had Africa for years. +It'd be a jungle if we hadn't moved in. +It's not a question of black or white. +That's exactly what it is. +Black or white. +You'll follow orders or keep out of this. +Well? +All right. +I'll try it your way for a while. +No smoking. +And no fires for cooking. +Whiskey? +Jeff. +Talk to me, Papa. +I don't know what to say. +Anything, Papa. +Anything at all. +This off-season rain it should do a lot of good. +You're doing a big job, child. +Like my Caroline, a long time ago when the country was new. +She was delicate, but strong, like you. +She helped to make the land and hold it. +Like you. +No, Papa, not like me. +I'm weak. +I'm weak and I'm afraid and I'm lonely. +Papa. +Who said you could get out of bed? +I want to go to Nairobi to see the doctor. +Is it your arm again? +I know you'll think I'm mad but I'm going to have another baby. +You see, if there's any chance of it being born... +Well, I mean, after losing so much blood and... +And I want this baby, Papa. +More than I've ever wanted anything. +It'd be a little bit more of Jeff and... +Holly, will you take me in to the doctor in the morning? +[DOG BARKING] +[SINGING] +Hey, you, listen carefully. +[MATSON SPEAKS IN FOREIGN LANGUAGE] +You are surrounded by police. +[CHATTERING] +MATSON: [IN ENGLISH] Lay down your guns. +Listen carefully. +[GUNFIRE] +[MATSON SPEAKS IN FOREIGN LANGUAGE] +[IN ENGLISH] Lay down your guns. +You are surrounded by police. +[CHILD CRYING] +MATSON: +All right. +Waithaka, do you know any of these people? +[SPEAKS IN FOREIGN LANGUAGE] +- Next. +- A good farmer, no Mau Mau. +- No? +- No, bwana. +You see? +Njogu, soldier of god. +MATSON: +How long were you in the mountains? +One year. +Do not hurt me, bwana. +Who gave you the oath? +I do not know. +If you lie to me again, I'll kill you. +Now who was it? +Who made you swear to the oath? +[THUD] +Waithaka. +Help me. +Help me. +Waithaka. +- Help me. +- The woman lies. +I never saw her before, never. +I swear. +By my father, I swear. +Here's one of your loyal Kikuyus. +All right. +We'll start again. +- You gave the oath to the girl? +- No. +- She knew your name. +How? +- She's the wife of my brother. +- Who gave you the oath? +- It was dark and raining, I could not see. +How do you Mau Mau do it? +Since when do we use torture? +The Mau Mau do it. +They love it. +- You might even grow to love it yourself. +- I don't like it any more than you do. +But I don't like what happened to Matson's wife. +Or your family. +Or any families to come. +[WAITHAKA SCREAMS] +We're not such a big jump away from being savages ourselves, are we? +Please. +Please let me point him out from here. +Please let me. +This is the man. +- Your name. +- Njogu. +Is he the one? +Is he the oath-giver? +You said his name was Njogu. +You said he was here. +He spoke truly. +I gave the oath to him, to all of them. +They know nothing. +And from me, you will get nothing. +WAITHAKA: +Do not let me stay... +Do not let me stay here. +You promised, bwana. +You promised, you promised, you promised. +[CROWD SCREAMS] +[WAITHAKA SCREAMS] +[DOOR KNOCKS] +Who is it? +[DOOR KNOCKS VIOLENTLY] +LITTLE JEFF: +Uncle Peter. +Excuse my appearance. +I need a drink. +- I beg your pardon. +- Let me help you, son. +That's right. +Absolutely right. +You're gonna help us all. +I need your help. +Government needs help. +Everybody needs help. +It's a big secret job. +Very important. +Toast. +Toast. +I don't think he's taken off these clothes since he left home. +He probably never had a chance. +Thank God he's all right. +Holly strange things happen to people in war. +- Inside, I mean. +- Not between us. +- He'll be the same as always, you'll see. +- Nothing's ever the same. +That's one thing you can't do, stand still. +[GASPS] +Look, his sock has rotted away inside his boot. +[PANTING] +I'd forgotten how good our earth feels. +So rich and full of life. +Can you hear the soil through my fingers? +No. +What's it saying? +How much I love you and miss you and need you. +Last night, I thought... +Last night I had a nightmare and it was... +It was a nightmare. +Somebody will see us. +Does it matter? +It isn't the same, is it? +Yes, Holly. +You make me feel ashamed. +We waited lunch for you. +- Sorry. +- Finally gave up. +I didn't realize the time. +Daydreaming? +Yes. +You can pick your dreams in the daytime. +I'm sorry you've gotta go tonight. +So am I. +It's not fair to Holly. +She's carrying a pretty heavy burden. +No more than you or a dozen other women around here. +It's not easy for Holly looking after Papa and little Jeff and me. +It's not easy going to bed with a rifle by your side night after night instead of a husband never knowing if you're going to see daylight again. +Never laughing. +Never loving. +Never knowing if the next footstep on the porch is yours or... +You're her whole life, Peter. +Don't shut her out. +I feel empty. +Dead. +It's not so bad in the daytime, in the clean hot sun. +But when it grows dark I'm afraid, I guess. +And then when I think of Holly and how much I want her and when it's the moment to touch her and be with her, I can't. +I just feel dirty, I feel unclean. +Filthy business we're in. +Time will wash it clean. +Who knows how much time there is left? +- Ready? +- Yes, yes. +Where's Holly? +She's in the bedroom. +Well? +Don't go. +Please, don't go. +You expect me to run out? +Yes. +Yes, together. +Somewhere far away, where there's no war. +We belong here, Holly. +Here, this is our land. +It was worked for and paid for. +Nobody's driving me off this land. +They can bury me in it, but nobody is chasing me off it. +Peter, darling, what does a piece of land matter? +Look what it's doing to us, to everybody. +- Please, take me away from here. +- This is our home. +- They say not. +- They lie. +War is filled with lies. +What they say, what we say, lies. +Our place is here. +My place is with you. +And you have no place for me. +I'm selfish. +I don't want to lose you. +Please, let's go away from here before it's too late. +MATSON: +Do I get the names? +The oath-givers the man who killed my wife. +Joe. +Lathela. +You are not afraid of Mau Mau? +I'm like you. +I'm too old to be frightened by men. +The wrath of God frightens me, not the brutality of men. +What do you want of me? +How is it you gave the oath to others and never took it yourself? +I believe in the faith of my father. +Good. +Who are your leaders? +Your oath-givers? +[CHUCKLES] +By speaking out, you can end the war between us. +You leave Africa and the war will end. +Can't we live in peace, your people and mine? +Go away. +Your soft words are sharper than blows. +Would you prefer violence? +I'm no ordinary man. +Nothing can make me speak out. +They have tried. +They could not do it. +Not with torture, not with pain. +You will fail also. +[LIGHTNING CRASHES THUNDERRUMBLES] +Well, that's all we needed, a spell of weather. +Ngai is angry. +What's that? +Thunder and lightning. +When it storms, the Kikuyu believes he is face-to-face with god. +Thunder is the sound of god cracking his joints preparing for battle. +The lightning is god's sword of retribution. +You talk as if you believed that black hogwash yourself. +The important thing is whether our friend in there believes it. +If he does... +You'll never break him with mumbo jumbo. +His kind understands only one thing: +Force. +- Kill him, you make a martyr of him. +- He'll be dead. +Hold it, Joe. +Go ahead, Henry. +You gotta fight an idea with a better idea. +With the help of this weather, and if I know my man... +Well, give me one more go at him. +Tell me, Ngai, if I do right. +I only wish to do thy will. +Give me a sign that I may know. +[SPEAKS FOREIGN LANGUAGE] +[IN ENGLISH] Lathela, get some kerosene and dry wood. +- I am not afraid to face god. +- We will see. +I am the messenger of god. +Did god create Mau Mau? +Mau Mau is the will of god. +Did god tell you to mutilate innocent children? +Did Gikuyu and Mumbi ever violate animals? +Since the creation of Mount Kenya has god ever told you to steal and murder and burn and hate? +Is it the will of god that you eat human flesh and blood? +- I swear that... +- Wait. +Let your swearing have value in the eyes of god. +Swear by your sacred Githathi stone. +Hold this symbol of God in your hands and swear. +Then I'll believe you. +Now begin at the beginning. +Did you ever take the Mau Mau blood oath yourself? +- No. +- I believe you. +- Did you give the oath to others? +- Yes. +- By force? +- Yes. +You swore to drive the white men out of Africa, didn't you? +- Yes. +- Did God tell you to create Mau Mau? +Say yes before God and I'll believe you. +I've said enough. +You are afraid to face your god. +- If Mau Mau drives us out, then what? +- Then freedom. +- And faith in god too? +- Yes, yes. +How? +What faith? +Mau Mau, the promise to murder? +Will god take back the people who've eaten the blood oath? +That's why you didn't take the oath yourself, isn't it? +Because you wanted to be able to come back to god. +Yes, Ngai, I come to you faithful with no other gods before you. +HENRY: +But you've broken every law of your god. +Tell him that too. +Tell him you gave the blood oath to others by night, by force. +That you gave it before witnesses, gave it to women and children. +These are the worst violations. +How can you lead your people back to god? +Even tonight, more of your people are being oathed banished from the house of god cursed to live through eternity as a broken-spined hyena. +Is that the future for your people? +Is it? +Is that what you want? +No. +Who's the oath-giver in Nairobi? +Who is he? +If god cannot accept Mau Mau, Mau Mau cannot lead your people. +In Nairobi, his name is Timbu. +Who gives the oath in Thomson's Falls? +Lorry driver for Bwana Wilson. +Nyeri? +They are even in the home guard. +Are Mau Mau in our telephone service? +- Yes. +- Code words for guns? +- Mti, tree. +- Ammunition? +Makaa, charcoal. +The McKenzie shamba, who led the attack? +The... +The husband of my daughter. +His name? +Kimani wa Karanja. +MAN [OVER RADIO]: +The capture of a high-ranking oath administrator has led to the arrest of many Mau Mau in the Nyeri District. +Loyal Kikuyu witnesses are cooperating by pointing out those Africans who have taken the blood oath. +Witnesses wear white hoods to conceal their identities. +Shantytown in Nairobi, cesspool of intrigue and resistance is being flattened and razed. +Ready? +- Where do you think you're going? +- To find Kimani. +GAME WARDEN: +I can't spare the men for that chase. +- Just Lathela and I. +- And when you find him, then what? +- Ask him to surrender. +- Why should he? +Because I know Kimani. +Because he wants peace as much as we do. +Peace? +You said surrender. +Peace means terms. +What terms? +His precious life? +A seat in parliament? +You and your pet black boy. +You're just a black liberator, aren't you? +GAME WARDEN: +All right, all right. +What terms? +The lives of his people. +- What can we lose by trying? +- Did this Kimani take the oath? +The old man says yes. +You wouldn't have one chance in a thousand of coming out alive. +MAN [OVER RADIO]: +The emergency operations now cost the government more than a million pounds every month. +Several farmers in the Nyeri District have quit their farms and returned to England. +Mau Mau gangs are being forced deeper into the Aberdare Mountains. +[GUNSHOTS] +HOLLY: +The flare, Papa. +Send up the flare. +HENRY: +Elizabeth. +[WHISTLE BLOWING] +Jeff. +Where's Jeff? +Tomorrow, you can take Elizabeth into Nairobi. +To the hospital. +And leave here? +It's to help Elizabeth. +We'll get you a little flat in town and you can come and see me every day. +Yes. +Yes, I'd like that. +Are you all right? +No one came here. +Did you make contact? +Well? +Did you see Kimani? +Will he come? +He's a big general now. +I do not know if he will come. +And if he come, I do not know if it is to speak or to kill. +I do not know how a general thinks. +KIMANl: +Put down your gun. +Kimani? +KIMANl: +The guns. +And the pistol too. +The pistol. +Now, tell Lathela to build a fire. +Why? +I want my comrades to see you. +We're alone, you have nothing to fear. +I know this. +You have tobacco? +- Cigarettes. +- Pass them here. +Why did you come? +- Can we not talk face-to-face? +- No. +- Njogu is our prisoner. +- I know. +He confessed many things, told us many names. +- I know. +- He is not harmed. +Then why did he turn against us? +Njogu was braver than any of us. +He was not afraid to die. +He was afraid for his soul. +Can you understand that? +Yes. +The people he named have been arrested. +- I know. +- You know the war goes badly for you. +It is possible to lose a battle and still win a war. +Must Africa always stink of death? +Can we not live together as friends? +- Friends have equal rights. +- They will come. +Only when we take them. +- I think we're ready to give them. +- What do you want of me? +PETER: +Give up. +Surrender. +Bring in your people. +Surrender? +Peace. +On what terms? +Justice. +Understanding. +If you stop fighting, others will do likewise. +You must have faith. +You must try. +We have tried before. +Then try again. +And again and again and again. +Do you not love anyone? +Your wife? +Children who believe in you? +You know of my child? +No. +A man-child? +Yes. +He will find a better world than you and I. +I sometimes dream of when we were children, you and I. +- Peter? +- Yeah. +I've not said that name in many years. +How goes it with your father? +As well as age will allow. +He was a good man. +He's a friend of my father. +Yes. +And Memsahib Elizabeth? +She is with child. +- Peter? +- Yes. +I did not hurt her. +I did not hurt her or her children. +It was not my hands that struck them. +I believe you. +What's happened to us? +When did this hatred begin? +Before we were born, I think. +I will talk with my people. +I will tell them that I trust you. +But they must decide for themselves. +This will take time. +Four days hence, you will have your answer. +If they agree we will come to the meadow by the hidden spring. +- You know of it? +- Yes. +- You will be there? +- Yes. +Until then. +Kimani. +Grandpa. +HENRY: +Peter. +- So you pulled it off. +- Yes. +- I wanna hear about it. +You like a drink? +- No, thank you, later. +Holly? +Holly? +Holly is with Elizabeth in Nairobi. +Oh... +- You see, we had another raid here. +- I know. +I asked her to go. +- Don't blame her, son. +She was... +- Thanks, Papa. +What we do is stupid. +To surrender betrays everything we have done. +Our children need food, our sick need medicine. +All we need is courage. +Let me talk to them. +You cannot talk to a starving people. +Their belly have no ears. +And if they shoot us down? +No, I have the word of my friend. +Your friend is a white man. +He hates us. +It is your own hatred that you see in others. +PETER: +Holly. +Sister Williams. +I called at your flat. +You shouldn't go into Elizabeth's right now. +Anything wrong? +No, she's just a little overdue, that's all. +There's nothing to be alarmed about. +You're looking... +You're looking thinner. +You don't look so bad yourself. +Was it very bad? +Some days are good, some bad. +- No, they'll see us. +- Let them. +Do you have to go back? +Tonight. +Oh, I wish I could go with you. +We'll go away soon in that honeymoon we never had. +We don't have to go away to be on a honeymoon. +But I thought you wanted to... +To run away? +Yeah. +HOLLY: +Just when was that? +Let's see, about a month ago? +At least a hundred years. +I want to go home to our home. +With Mount Kenya and God in the garden. +The war may not be over for a long time. +I used to blame the war for everything, didn't I? +Somebody else's war is always to blame. +No, I was to blame. +When you grow up, you realize you can't run away from the world. +You just gotta live in it. +You're a big girl now. +I'm beginning to understand about that other woman too. +- What other woman? +- Africa. +Oh. +She's not the least bit jealous. +And neither am I. +Excuse me. +Your boy, Lathela, he says you have to start off for somewhere or other. +PETER: +Thank you. +See you soon. +Please, God, let it be soon. +Can't you make this thing go faster? +We've got to get there by daylight. +Why? +It's almost impossible. +- But if Kimani shows... +- He set no hour. +He'll wait for us. +Yes, but will Joe Matson wait? +- Matson? +- He got wind of it somehow. +You should have stopped him. +I only heard about him myself about an hour ago. +How do you keep a thing like this secret? +How do you keep Matson off the trigger? +This won't be any ceasefire, it'll be cold-blooded murder. +[PANTING] +[SLAP BABY CRYING] +Doctor? +Yes? +Is there any marks? +Just the mark of a man. +Look at this place. +It's a perfect trap. +What are we supposed to do? +Wait around till they show up? +MATSON: +We'd be caught in the open. +It's a perfect trap, I don't wanna get caught. +- If they show, it'll be to surrender. +- How do you know? +But they gave their word. +I'm taking cover. +You know how Joe is, always suspicious. +I know how Mau Mau is too. +Where is your friend? +You there, all of you, put down your guns. +[SCREAMING] +Wait. +Please. +[BABY CRYING] +[KIMANI SCREAMS] +[SPEAKS IN FOREIGN LANGUAGE] +Yeah, we lost him all right. +Come on. +[BABY MOANING CRYING] +- When we find Kimani, will you kill him? +- No. +Then why do we hunt him? +He must not think I betrayed him. +If he trusts us, others will do likewise. +If he escapes, if he does not believe Mau Mau will fight harder and longer. +Kimani will not surrender peacefully. +Not this time. +- He will try to kill you. +- Perhaps. +- Don't come along. +- I come with you. +- Why? +- This is my fight too. +Mau Mau has killed a hundred of my people for every one of yours. +I want the same thing for the African that Kimani wants. +Mau Mau is not the way to get them. +PETER: +Kimani? +Stay here and don't move. +And don't shoot. +- Let me talk to you. +- No! +You kill my wife and my people. +We were betrayed. +Both of us. +I'm here without a weapon. +Are you alone? +Lathela is here too. +I'm coming in. +Keep away. +Kimani. +[BABY CRYING] +[GRUNTING] +Don't make me do it. +Come back with me. +No. +We'll start over again. +- This time, it'll be different. +- No. +It is too late. +For you and me. +It is too late. +Must I kill you? +Yes. +[YELLS] +Give me the child and bury us both. +No. +Please. +He is dead. +- What will you do with the child? +- Take him home. +Elizabeth has a boy, raise them together. +Maybe for them, it'll be better. +It's not too late. +Studio "Les Films Marceau" is +Raymond Pellegrin +Jeanne Moreau +Paul Meurisse +The film "Until the last one" +Director: +Pierre Billon +By ANDRE Duquesne (novel) +Dialogues: +MICHEL ODIYAR +Cast: +MAX REVOL +JACQUELINE Noelle +JACQUES DYUFILHO and other +Composer: +GEORGE VAN PARIS +Operator: +PIERRE PETIT +Producer: +ANDRE REFFE +Warning! +Give out! +Let pass, madam! +Pass! +Let's hurry! +Come! +Where is the farce Marcella? +- Marcello fortuneteller? +- Yes. +- You her friend? +- No. +Her brother. +You also guessing on a glass bowl and tea leaves? +If only, I do not believe that any penny. +In any case, things you better than mine. +My name Kvedchi. +- Not all the same call Duran. +By Romani which means "a fig." +Here's how! +Once I was an acrobat - I jumped from 12 meters into the bath. +A one night missed. +Since then - not worth a fig. +Keep. +I mended your pad. +Can you portray Lovelace evening. +I do not work the shoulder muscles more. +But the language works. +Maybe I'm lucky, and you tell me where I can find Marcello? +There. +The second trailer for the circus. +Thank you. +- What is this rogue? +- Bro Marcella. +Go and prosperous branch of the family. +So smartly dressed! +- Too! +Or a policeman or a thug. +But it expressed pretty well. +So bandit. +- Oh, it's you! +- Your joy is encouraging me. +How do I see you has kept the family tradition. +How do you come from? +From prison. +A little rest in 6 months. +Clutter, shorter. +I wonder, when will you grow up and poumneesh? +Change the record, okay? +Give the best drink. +The buffet has a wine. +Wait a minute. +What's the matter? +Oh, nothing. +Fatigue. +Heart... +- No! +It is you not the weakest link. +You know, all of this - the word. +We fight, finding fault, but generally... +We love each other, no? +- Heck! +Here we are! +I need you, yes? +Yes. +I... +I would have to... +I have to hide for a few days. +But do not worry. +Do not the cops. +So much the better. +Because here strictly look after us. +Fair - is a disease of the gendarmes. +No one knows why. +How do you think you can get me a job? +You are not going to tell me that looking for a job? +Well, let's say, that was something to do. +It looks like you're in something cool vljapalsja! +I was in prison. +- Look, Bernard. +- Yes? +I do not play face-down. +I'm ready to be for you, but I need to know against whom? +I have already told you about my former friend - gang Richoni? +- Good buddy! +- I told you, the former! +They cranked a small business. +It is not weak. +We took a big jackpot - 14 million. +Wow! +Give me my pills. +There, in a box. +14 million - is hiding. +You - the shelter that I know. +You stole prey? +When you want to settle down, it takes money. +But do not worry, my friends about anything not guess. +Even the fact that I was known for their cache. +They are there, for sure, not see for several days, and during this time... +During this time? +I do not know, complications may occur, minor disassembly... +Accidents at work... +You sold them ? +! +I sell? +No. +Passed. +Do not you think the same, for the sake of the 14 million I will stand on ceremony? +14 million... +Can you imagine? +They will quickly realize which way the wind blows, if they have a head on their shoulders. +To get the moolah, they killed two agents and three passers-by. +So, believe me, my head on his shoulders at them - only temporarily. +The main thing that I could sit in the shelter, +Until they are caught. +- Money to you? +- Laugh or what? +- How much you give, if I help? +- What do you mean! +Will you take stolen money ? +! +You would divide wrongfully acquired? +Would deprive his brother ? +! +What about your sister? +You'll get as much as do. +Will not work, there is no fuel. +Okay. +Come descend to Cinco. +Let's go. +It is the owner of the circus. +And it is more than one, - he owes me money. +It's okay. +Just hoof ragged. +It is necessary to treat with ointment. +Or maybe to get started is to call the vet? +Vet? +And why not pedicurists? +Do you think I have little parasites on contentment? +Come on, shoo! +Take it from here. +But mother and Marcella. +Again, probably came to knock out money from the owner. +Who is she? +And it is quite personal. +This is your show? +Oh well! +Cinco! +A, Marcella, my beauty! +I'm always happy to see you. +Only you are not on time. +You just do not think I have my bad intentions. +Long for me - is sacred, but... +- I did not come here for this. +Do you still have no barkers? +- Yes. +And soon there will be nothing at all. +Things are deteriorating, people no longer go to the circus... +And you know why? +- Due to the television. +Exactly! +Circus offered to them right at home. +They baldeyut home with his family. +This is for him? +This is my brother, Fernand Bastia. +You do me a favor, if You take it. +It's hungry? +To work for me, you must be hungry. +Then consider that I'm hungry. +Well, if that's the manifestation of humanity - well. +And I know how to be grateful. +Just keep in mind - here you are not a farce. +It is necessary not only to be a greeter. +I must still be helpful. +And much work to do here. +And in response to the generosity of Cinco: +2000 francs per week, and grubs. +2000! +Are you kidding ? +! +You pay the guy the previous 5! +And nearly bankrupt, with such a breadth of US! +Do you want to take it or not. +- I take! +- Listen Cinco, can you... +- He has already agreed! +It you take a piece of bread! +You'll live with the acrobats. +Madeleine! +Take this guy for Dario. +Will live with him! +No, sit down, I'm going. +Well, we'll see you tonight? +Tell me, do you want? +Yes, after the closing. +But it's too late! +I can not walk after 10. +Okay, come when you want. +Something will think. +Oh, unwound, my mother is coming! +Lets go faster! +All the time an eyesore, and all the time with a servant! +All in father! +That did not stop my father to marry... +Society lady! +Gypsy acrobats - it's here. +This small palace! +You must have not often worked in the circus? +- Why? +- So, come to mind. +How long are you going to stay here? +Let's see. +What? +Nothing. +Just like that. +And why did you suddenly decide to come here? +I am looking for work. +So bad luck, you found it. +Way or not? +I am looking for work and found. +What is your name? +- Gina. +And this - my trailer. +Only with flowers. +Since then, as the Cinco cut staff, I live alone. +This has its cons and pros... +. +Dario? +Dario! +- What's the matter? +- Brought you a tenant. +Who else? +This brother Marcella. +Cinco hired him greeter. +Come here! +My name is Philip. +Philip Dario. +You surely have heard about me. +Of course! +Dario and Nellie - "The Ghost and Death"! +There is no more room. +- You did not tell Marcella? +- Yes, of course, I tell! +Okay, I'll leave you. +See you later. +Well, welcome... +Come! +Make yourself at home! +Your predecessor was sleeping on the right side, +If you have a preference or superstition... +No, no! +Take the couch, I will build on the cot. +I'm sorry, I have to go to work with Stella. +Stella - this is my daughter. +I'll explain it later. +Hey, Mom! +Mama! +What do you want? +Go keep an eye on the bench, I'll be right back. +The next... +Well, satisfied with their housing? +Oh, yes! +More than sugary hard to think! +Could get me anywhere else! +Where is it? +The trailer Marcella? +No... +I would have liked more than another. +Here is how? +What? +I do not know. +For example, the one with the flowers. +Beautiful colors, pleasant company and smells good... +For example, waking up in the morning, at breakfast... +- What do you eat breakfast? +- Coffee. +When I as a child - More and croissants. +What are you laughing at? +- You're just like a fair actor! +- Maybe belated vocation? +- Yeah, he can. +A can converge see your trailer? +No. +Not now. +- Gina... +- Gina, please! +- Yes! +- It's because I'm good, +I have to go. +Merchants closed at 7 o'clock. +There will be a bakery, there will be no croissants. +All this chatter! +He must be somewhere! +Good. +We here will not uyd置. +- So what? +- What? +A curtain! +It is nowhere seen. +- So he's hiding somewhere. +Thinly noticed! +I do not whether you think that it will be waiting for us on the terrace of a cafe? +Pour a mug. +- You've got the idea, Fredo? +They I have always, and it is ill-advised. +For ideas - as friends, they should not be too much. +Hello? +Yes, it's me. +Yes. +A? +What? +Yes. +Yes, I know! +Well, where is she? +Thank you. +You're a real friend! +What? +The name of his sister - Marcella fortune-telling. +Maybe he's hiding from her after the case in a villa in Neuilly? +Where she lives, this abnormal? +Powered by miserable fairs in provincial towns. +- These godforsaken full! +- Fredo! +You will not find a cigarette? +What if he did not go to his Sis? +Now, with attendants, that it may fall down abroad. +Well, call Jojo. +- All sorts of Jojo! +- Jojo, the little wagon! +- What's the matter? +- Police! +You bastard! +He passed us! +Open! +Police! +Yes, all right, go to sleep. +I have played so! +Brigade for the Protection of morality! +O, it happens with them. +Open. +They better not mess with. +- What is it? +- Open, gentlemen! +Ugolovka! +Hands up! +Hands up! +Well, Richoni? +What you say? +This time you got burned. +- Your informant still confused. +- Do not move! +- Oh, Fred! +Leave me alone! +Leave me alone! +No way! +Shoot, guys! +Shoot anything that moves! +Let's go through the yard! +What are you! +They have there just waiting for you! +Bastards! +In the hatch! +Faster! +Surrender! +I give you 2 minutes! +Now you can not rush. +To taste? +- Okay, a splinter of glass. +There is a way out? +- Yes. +What about the others? +As you said, friends should not be too much. +Exactly. +- You're not good? +- Do not worry, everything is fine. +It would be nice. +Let's go! +Here! +Come executed by my 2000 francs! +Ladies and gentlemen, the idea that you'll see, ... This idea. +Great idea! +With celebrities such as... +Madeleine, Gina, Stella and Dario ... and... +And also with the rest of the troupe! +If you think so you can get people to go to... +Just listen, as it should! +Come, ladies and gentlemen! +Come! +Cinco The circus - a circus, not like the others! +No billboards, no ads, no idle talk! +Just an idea! +We could show you 100 rooms! +These we have. +But we will show you only 10, but only with the stars! +Here Freni - Empress nudity! +Artistic art, in other words, educational, +Which you can watch the children. +Lovely Gina - goddess of dance! +You go? +Do not talk just started! +Lovely Gina - goddess of dance! +Dario and Stella - trapeze artists! +Calling gravity, puzzling scientists! +Mario - magnetic juggler! +Man flying pins! +Amedee and his dog, a tightrope walker! +Riri Fifi and clowns! +Finally, Mademoiselle Josiane - perfect woman! +And besides - daughter of yours truly! +Come, ladies and gentlemen! +Come! +This Circus Cinco - the only circus in the world, which they say friends! +Come in, come in, ladies and gentlemen! +The best places - 300 francs! +Military and children - 100 francs! +Come in, come in! +The show begins! +This, ladies and gentlemen! +- Hi, Am? +d? +e. +- Hi! +Do you want some coffee? +No. +No, thanks, I already drank. +Listen, you do not have a newspaper? +Bulk! +And you do not have one, but... +today? +No. +I, you know, they just build up the fire, so... +Good morning! +Well, Dad, we do not work this morning? +Works. +But I had to repair the suspension strap. +Hey, yesterday I had no time to introduce you to Stella, my daughter. +We are preparing with a single number. +Number stunning! +- Well, Dad, are we going? +- We are going. +Listen, I want to walk. +You do not have another key? +Why? +What is there to steal? +Yes, of course... +Well, Dario, your tenant already awake? +Half... +Such a strange type. +I do not know what time he arrived yesterday. +Sleeps dressed. +Maybe he a lunatic! +Oh yeah... +View Gina tired. +Perhaps she, too, a lunatic? +You could have knocked! +I'm sorry. +Still, good morning! +What you happy - it's your courtesy, tenderness. +Well, you can not be the same day and at night. +Have to evening dance with the long sleeves. +You guided me bruises. +Do you want to tell you one stupid? +Well, tell me. +I really like you. +You do not have to answer me, in turn, +Maybe it was just a nice night, just for you... +I wanted to tell you... +I mean, if you want... +You would not mind every night dance with long sleeves? +Here! +Go! +Buy a newspaper, and then I'll give you an aperitif. +Welcome! +No, well, you see? +Once he has a grandmother, it can no longer shake hands? +If he had a grandmother, he would not have worked for Cinco. +I know what I'm saying! +I'll be right back. +Teach by heart? +What? +Article about the fight at Pigalle. +3rd time already read. +Well, everything ? +! +Are you at home? +Check the pockets? +We follow the mail? +Would wait until I take a subscription before removing the meter reading! +These are your friends? +- Who? +- Men with Pigalle. +Why are you hiding? +Who are you afraid of? +I perfectly see that you're scared. +- Where are you going? +- Where do I want to. +Imagine, I do not like the slap. +- Liar! +Oh, forgive me! +When I'm on edge, slap yourself frustrated. +Let's forget, okay? +You read that five were killed. +If you do not know them, why do you have such a person? +Because the other two. +Are you saying that you would be staged 7 dead? +You are strongly capable in the long run. +You got me with that thing! +END OF THE GAME +Do not be angry! +Let's go sit down. +I'll treat you. +Waiter! +- Mademoiselle? +- The same. +- Now! +Stubborn around, huh? +Okay, come on. +I'm listening to you. +You got into something bad, Fernand. +That's why you're here. +I do not want to know, you're right or not. +And even if you're wrong, I'm ready to be with you. +Oh! +Love - it is so beautiful. +Why do you say that? +Because you know that those types, which finished off, participated in the robbery of Marseille. +What the police did not find 14 million francs. +So you talk. +And since you are able to run, you divide 14 2. +Yesterday you took me for a bandit, +And you liked it. +Today you take me for a sucker, and you like it even more. +I had a good night, Gina, but... +Than 14 million. +I simply offer you my assistance. +Help to spend it? +- Here, Mademoiselle Gina. +- Write down, I'll pay tomorrow. +See? +Do you believe that everything has already happened. +Wronged? +- Not at all. +You too cunning for me, Fernand. +Talking to himself, and makes me tired. +I was fascinated, but wrong. +It happens. +Goodbye and good luck! +A pack of cigarettes. +Thank you. +Time is right, kids! +Hurry! +- But where is Jean? +- From Bastia, where else? +I feel sorry for Gina, she sunk down on a guy. +What is she in it found in this clown? +I do not understand. +If I were in your place, I would know what to do. +You have returned the money that I have a year must be his sister? +All work! +And with a soul! +And with enthusiasm! +Revenue today should be good! +You know my number with Stella +Ready. +This could save you. +- I know, I know. +- It is necessary to order the posters! +Oh, wait a minute. +Posters fine, but it is not important... +- They can be made in two colors. +- Yes! +For instance, I just thought... +What are you doing here? +- I need to talk to you. +- No! +Every time you're talking about one and the same, and I already told you "no!". +Why? +Because you suggest it to all the girls. +But others - this is nonsense, does not mean anything. +You see, I'm honest! +Why would I be honest? +Because I love you. +Yes, you know it. +- When love girl, her respect. +Oh, you're reading too much! +And this is life. +You're the only one I love. +Do you want to be the only one with whom I do not want to sleep? +No, it is illogical to do everything! +Leave me alone! +What if I talk to your dad? +But for now, if he catches you in his trailer, he kicks your ass. +If he agrees, I'll marry you. +At once. +And in the church! +White dress, green plants, red carpet. +And the gatekeeper! +Well, I agree? +- No! +- This is the same train! +- Yes, that's it! +I am too poor, right? +But if that's the case, you will be mine! +Bastia? +Come help me prepare tickets. +You then asked. +- Who? +I do not know. +The man who got out of the black car. +- What did he want? +- To find out whether you're here. +- He did not say anything? +- No. +Only that will see you later. +And... he looked like? +In your style. +The style that we do not like, let it be known. +Thank you! +Thank you very much, that I was warned. +- Where's he gone? +- To hell, I hope! +- Then who will drum up? +- You're, like yesterday. +You're right. +At the same time I will spare 2000 francs. +Even 5000 - I add myself a salary. +All the places for the parade! +Are you going to go? +We do not prevent, I hope? +Pepe feared hurt. +However, Pepe? +Yeah. +Ogonyok not find? +Yes. +- Read newspapers? +- Yes. +You with Pepe lucky. +- So we said, going here: +We lucky! +In our country such a friend like you! +You've always been decent, Fernand. +We walked, and said, "Fernand decent." +We were wrong? +- No... +I was sure that we can count on you! +We Pepe plans to leave, but not enough money. +You know life - without the money does not go far. +But... +I have no money! +That's why we're here. +To tell where to find them. +Or rather, it is to remind you. +I'm sorry, Fred, but I gave up. +The last six months I was stunned. +I decided to change my life. +- Well done! +It is necessary to give up the old life to doing good, huh? +You will have a pleasant memory. +And it will be nice to Pepe. +The money is still in a place that you know. +- I? +- Yes. +Converge zaber群h and come back. +What if I caught? +On Piga, certainly, full of cops. +Do you know them! +I mean... +Do you know how to behave. +And then - you did not participate in Marseilles, so... 14 million for four - This is good, no? +A for the three do not want to? +Yes, it is tempting... +But very risky. +From my pedigree, I can get 10 years. +Understand me, Fredo... +- I understand you perfectly! +Only Pepe will not be happy. +He told me: "If you give up the slack Fernand, I'll kill him!" +Pepe - he was. +But calm down, I'm here! +I have to reason with him. +Well, I'll tell him you agree? +- Yes. +- Grandmas are tomorrow night? +- Yes. +- Good. +For example, at 7 pm. +I'll give you half an hour of reserve. +Then - descends Pepe. +- Everything went well? +- Delicious. +- Well, what did he say? +- And what could he say? +- And you left him? +Go away? +- Yes. +And you'll stay, +Keep an eye on him. +- Trust me. +- If you want to know my opinion... +- I know him. +You do not have to say. +But what did he want? +Money. +But I'd rather die! +Do you hear? +I'd rather die! +- Maybe this is not the way out? +I behaved with you is disgusting. +You could throw me. +You're a good girl, Gina. +I understand it now, because I start to see more clearly. +Because you are satisfied with it. +Imagine that also suits me. +- Yes! +- Do not start. +How was I to guess that you have money? +I loved you with them or not. +It's called loyalty. +- Listen to me, Gina... +Are you kidding over all? +The parade finished, the greeter was me. +Can I now draw a dancer ? +! +Come on, shoo! +This circus does not suit me! +Now +- Mademoiselle Josiane, perfect woman! +When they have to go back? +- Tomorrow at 7. +- There is a time to collect the suitcases. +- Are you ready to quit the circus? +- Anyway, he soon he would leave me. +Where is the money? +- In the suitcase. +- A suitcase? +The cell storage in the North railway station. +We'll leave tomorrow morning. +And if you will follow me? +Decide that you went for the money. +The funny thing is that it's true. +Yes... +Or maybe you prefer that I went for a suitcase? +Yes! +Yes, I prefer! +You see, I trust you. +In this and the good of the family are being built. +And now it's my turn. +This is a farewell waltz. +Lovely Gina, the goddess of dance! +Do babes such a success! +Local public immediately legible. +It is a pity that we have to leave tomorrow. +- Direction +- North Station. +Direction +- Arches. +What do I do in the North Station? +Pick up the suitcase on the receipt, which you stole from me. +Brock! +- What did you call me? +Thy name! +I pulled a receipt storage. +Receipt, which I hid here under the table! +And that you come back to me! +Look, Bastia, +Your pukalki can not force me to give what I did not take. +Do not give you in the face with it, too, will be able to make not. +A and so will happen, if you would not uber群h. +Then I'm glad. +Do not be offended, I was joking. +- Never mind. +But you're wrong, kidding... +Such things. +Yes. +It's like a cigarette butt can start a fire! +Perhaps it would suit the owner. +Yes, but only if he paid the premiums. +Gina! +Come here. +What's the matter? +- My receipt of storage! +- So what? +I pulled it! +- Richoni? +- No, definitely not. +Then who? +We've got no thieves. +What are you talking about ? +! +In addition to the receipt, I stole all the money out of a suitcase. +And so - no thieves! +What a fool! +This morning I took out a shirt out of the suitcase. +And the money was there still. +So it happened recently? +What does it change? +All! +If you hurry, you still catch my thief at Gare du Nord! +Do you have money? +I do not. +Maybe you have Marcella? +You carry nonsense. +Perhaps Cinco? +He told me to pay for a few weeks. +You should in any run. +I'll come to you first train. +Wait for me at the hotel "Piccardi," you know? +- Yes OK. +Fernand! +Yes? +If you return the money, we will go to Italy. +If you deceive me, I shall hand you to the police. +You clear favorite? +You are not as good as I thought, Gina. +Do not "is not so good." Not such a fool. +Okay, go. +If tonight everything goes well, +We will be able to pay taxes, for the light, and we can go tomorrow. +- To pay all the salary? +- If all pay, we will not go away. +I do not need anything Dario, fortunately. +He's an artist. +Madeleine - too. +Dame illusionist a little money, that's all. +And so well. +My poor Royal. +In such circumstances, we hold out long. +If Dario number will be successful, we will be able to get out. +This is our last chance. +- Phantom. +Cinco! +What do you want? +- Money! +- You're on time. +Cinco, I'm serious. +I have to leave. +- With the strikers? +- Yes. +Right now, Gina, I can not. +But in the evening, after the presentation, I will try. +But it's not great - throw us in a moment. +Sorry, Cinco. +I would have stayed, but I can not. +The rats are leaving the ship. +Hey, little girl, let's go have dinner. +Can not find your number 3968. +Perhaps it has already taken. +Yes, but... +You do not know who? +How should I know? +I atonement for service in 8 hours. +What's more, I could not give you your suitcase without a receipt! +And you tell me, as your colleague who works during the day, - where is he? +At home, I guess. +But if you think that he will be able to remember the customer...! +We then give out per day more than one thing, so... +- Hey, please! +- Yes, I'm coming! +Sorry, sir. +- Everything happened? +- Nothing like this. +Marcella must leave. +She needed all of her money. +What kind of selfish! +- But we still be able to leave? +Leave something we can always. +Depends only, under what conditions. +Any day fly off the vultures, hawks... +Hawks? +Bailiffs! +Do you think they will take my horse? +These people take everything. +Straw and logs, stairs and clocks, machinery and horses... +It Attila of our time! +Log in! +What do you want? +Nothing! +I was passing. +Well, Marcella sent you to hell? +- How do you know? +- To eavesdrop. +I'm always eavesdropping. +- Anyway, you're honest. +- I am glad that you found my dignity. +This will facilitate the work. +Cinco! +You are sitting on the rocks. +- Not at all! +Daughter you hard worker. +But you're still sitting on the rocks! +You already said that. +So what? +But if there was a guy, a good guy in all respects, +Which will accumulate? +What can you offer him? +- You know this guy? +- What can you offer him? +- Well... circus. +Number of Stella and Dario is almost ready. +International Class! +You can repeat it without laughing? +Horse Josiane. +Horse Mademoiselle Josiane! +With or without a rider? +- Nahal! +What do you mean? +I mean that is the only guarantee - if I become your kinsfolk. +I want to marry, and you need money. +I'm getting your son in law, and you save a circus. +For the salvation of the circus, my Kvedchi, you need a lot of money. +I have. +- And cash! +- Yes, I have. +And where? +You know, after my accident I embraced you. +I won. +Yes - compensation, disability benefits. +400 thousand! +What do you say to this, father? +Josiane, +You're already an adult girl, almost a woman. +A woman was not created to live alone. +I do not marry Kvedchi! +What you are discussing here is disgusting! +Is that you talking with her father so ? +! +Strange you raised it. +If I knew... +Sidi. +Why do you refuse Kvedchi? +As it has charm. +- Oh, yes! +And this charm he gives everything. +No one skirt missed! +Does it good! +Well, nothing can be done, Kvedchi. +I thought you were serious fellow. +Take your money. +Circus, certainly will not, +But my daughter will be happy. +I am happy with the ruined and robbed her father. +In the living corpse! +Television remove him hide, +Bailiffs will get seeds. +We beg, my girl. +But most importantly, I make you happy. +- Oh, come on, Dad, please! +I agree. +I agree, if Kvedchi promise me that... +Oh, yes! +I swear! +Hide grandmother! +- This is Gina. +- A, you can discover! +- Good evening! +- Good evening. +- Well, okay! +Till tomorrow. +- Till tomorrow. +- You asked to come in the evening. +- What is said is said. +How much do I owe you? +Today is... +34 thousand francs. +Wow! +- Hold. +With a small premium. +Yes, it's a fortune! +In life there are ups and downs. +At the moment - soon rise. +- Borrowed? +- Rodney. +In vain you are leaving us on the rise. +Can I still and will be back. +Thank Cinco. +Gina! +So, is it true? +Are you leaving us? +- Tomorrow I leave. +- With the strikers? +Yes. +Where are you going? +In another place. +It's because of those guys that came? +Cinco you paid? +It's wonderful, it has money - burn! +I know. +This is Marcella. +Once they slept together. +And she always had a weakness for him. +Marcella? +Can not be! +I'm telling you! +Goodnight Kvedchi. +Monsieur! +Monsieur! +- Who's there? +- You are asked to phone. +You call from Provence. +You can pick up the phone. +Hello? +Hello, yes? +Yes, yes, it's me. +Waiting. +Hello? +It is on the phone. +He got a call from Mersevalya, Marsevalya... +Stay here. +Yes, hello? +Is that you, Gina? +No, no, nothing happened. +I am late. +How is it not scary? +Yes. +And so, you are not thieves! +What? +How to... +Cinco ? +! +A lot of money? +Do you think you can still fix it? +Yes, it is. +Okay, I'm going. +Keep. +So will converge. +Wait, that's not all. +Thank you, mademoiselle. +Here. +Up to 9 hours, you call the number 7 in Marsevale. +And leave this message to Mr. Roland. +"Sending will Marsevale this morning." +"Suitcase was not present in the cold." +Rely on me. +- Well, call me a taxi. +Well, mademoiselle. +Now the flowers? +Yes, flowers. +For Josiane. +- So this is serious? +What? +I told you that it will be mine. +She is mine. +Well... almost. +I wonder what made her change her mind? +- My lovely manners. +- Your manners! +What are these two again come to do here? +Do you know them? +Then be engaged in their business! +What do I do! +It comes back, but no money. +- I am surprised that he returns. +- Maybe he likes trouble. +Go. +- I was in a hurry. +- I also. +Nice to hire? +We thought that you're tired, because the car drove. +Fernand! +What? +Send it. +Fernand, be kind. +- If you do not fall behind, I'll scream. +- I shoot. +- If you think I'm scared... +- As if I'm going to shoot you! +- Leave it, Gina, this is a misunderstanding. +- How cute! +Let's hope not the last. +Fredo, you must listen to me! +Of course, Fernand, we are here to do just that. +I do not dare to go for the money. +At the last moment I was afraid that the police monitors the cafe. +You is surely arranged. +As they watched the cafe, they have not followed the North Station. +Fredo, you're wrong! +- You think I'm guilty. +And I - a victim! +- Misunderstandings. +I know. +The only misunderstanding between us - I perceive you as a man. +I wanted to give you a chance. +You look like you could not use it. +- I was robbed of a receipt storage. +- It's impossible. +- I swear his eyes, Fredo! +- Look, Fernand, +You have passed the cops. +It is still possible to settle. +We all forget. +But the favor. +The money we need. +- But I'm telling you... +- And we'll get them. +Even if you have to pull out of the bills one by one. +But this - work for Pepe. +I'm telling you, I stole it! +I stuck it under the table. +We have a lot of time, Fernand. +Maybe you want to work Pepe? +I'm telling you I do not know anything! +- You're stubborn! +- Yes. +Everything is ready. +Are you comfortable? +Yes? +Good feeling? +Where is the money? +I would, perhaps, have learned if you trusted me. +Listen, give me time, I'll find a jug. +What are you risking? +It Again we throw! +I assure you, he can! +- Fuck you! +Pepe! +Calmly. +You should not tease him. +Where is the money? +Hell, Fred, if I knew, why would I come back? +In order for us to kill you! +I do it? +- While Turn to the machine. +Turn around. +We're going back to the circus. +It blockhead! +You can only help me! +I now know the circus. +Take me back, +And I swear I will settle everything quickly. +What do you think? +I think that you are too diligent. +Forget the circus, I will do everything for you. +Especially not flutter. +I just I will go and have a look and come back immediately. +Admit it, it would be a shame to die so young, with hoarded money? +- You leave Pepe? +Recklessly! +- Recklessly would leave him. +- I? +- Today you will work in a new way. +- You think so? +- Language, for a change. +- Do you have a candle? +- Yes. +How old are you? +Packaging. +And the matches. +No, the big boxes. +Please, sir. +With you 290 francs, monsieur. +Gina! +Gina! +So you did not go? +- As you see. +So you stay with us? +- Maybe... +- I am very happy. +Listen, +I go from Arsha. +Everything is settled, we're leaving tonight. +- Give me your jeep. +- You crazy? +- Give me your jeep! +- What does all this mean ? +! +Listen Cinco, all very serious! +A petrol - is also seriously? +I'll pay. +And be careful! +Strongly do not chase! +She left on your wheelbarrow! +Why did you give her? +Dahl gave! +I had time to give her? +Do not you see? +Log in! +- It is you - the owner's daughter? +- Yes. +Let me introduce myself - Angela Lombardi. +I said, your clicker left? +Maybe I could replace it? +- You ? +! +- Why not? +I started peddler under the counter on the boulevards. +And then, I have always loved the circus. +Monsieur. +Mademoiselle ready to replace the strikers. +I'll be glad if go up. +These pretty girls can not come. +But I can offer only 1000 per week. +More I did not ask. +I ran, Kvedchi waiting for me. +Goodbye, Mademoiselle. +- Goodbye. +- It's too good to be true. +Two days of work, and then... +- Let's see. +Agreed? +- Agreed. +Come later. +I will teach you the science barkers. +Intricacies of the profession. +It is an art! +Thank you! +You can sit down? +Do not worry. +- What You take? +- I do not know. +Coffee with cream. +Do you want to eat? +They then very tasty sandwiches. +No, thanks, I'm not hungry. +- Coffee with cream! +- Coffee with cream. +When we get married, we'll be there every day in the cafe. +How rich. +And yet, you know, I thought about our honeymoon. +We're going to Venice. +There's so wonderful in Venice! +How? +- I still have not been there... +- Does not matter, tell me! +Well, first, we make love in a gondola... +O Kvedchi! +- What? +- Well, let's say. +And then? +- And then... +- Expensive Cognac in the big glass. +- Okay, sir. +What's the matter? +Nothing. +- Want uyd置? +- No no. +- All right, I was hired. +- Well done! +You were fast. +Yes. +Now you have to find a guy who suspiciously quickly become rich. +Who is spending right and left. +You know what I mean? +I understand. +It's probably a whore, and I do not want her here. +I think her dad has already hired. +I tell you that he will dismiss it, and together with Gina! +But Gina had gone. +She left and came back. +And even stole your father's jeep. +Our jeep! +Do you like crabs in the pot? +A string beans... +love? +"Very fine"... +You are pampered! +Yes, but... +If you want to nibble on, will have to begin to sit at the table. +How funny! +When I want, I'm so merry! +Well, +Figured you about money? +I asked the question! +- Yes. +That's what I'll tell you: +If Fredo and his woman would find the money, +Them and they run away. +And some will remain with the nose - and it's you! +- You think? +- Yes. +How to drink to! +Fredo left you here to his hands were free. +But... the case is not yet completed. +You do untie we rush back, I'm taking the money, +And we divide them into two. +- You're going to work with me? +- Yes. +I had been thinking about it. +- ABOUT! +Well, Fernand, I here you simply hold oaf! +Cigarettes do not want? +I want. +- I do not have pockets, and I do not smoke. +- I have. +Here, in the pocket. +Tell me, +Who's there? +Do not be nervous, dear. +It's great, is not it? +You want to know who's here, right? +Now you know it. +- Gina! +- You start talking? +Gina! +Do Cinco never had any money. +And now - there. +According Kvedchi he gave Marcella. +Fortune Teller? +Sis Bastia? +Yes. +But it is certainly not true. +- Well, hang out. +Marcella had nothing to do with it! +You bastard! +So you gave the money to her Sis? +You're crazy! +Be polite! +Will be explained with his maid. +I believe her. +Fredo also believe! +You are one against. +And you're out of the game! +- Look, Pepe, I can help you! +You do not leave me here to die alone! +You're not alone here. +Madam - the neighborhood. +Lucky! +Hey! +Repeat. +- Okay, sir. +- How are you doing? +- At zero. +I put out the door. +It seems that fear of something. +Every fear, then there is a reason. +I'm sure that something was there. +- Could buy me a beer! +- Get fat from it. +- What's Your Number? +- 900 thousand! +I left 2 more ball. +I'll become a millionaire! +Yes. +Here the fair roaming gunmen. +You they probably know. +Who's on the phone? +Interrogate circus acrobat Dario, +More and Gina, a dancer. +But who are you? +Answer! +Hello? +Hello! +Hello... +You'll say, old owl ? +! +Will you speak ? +! +Will you say, vile creature ? +! +Hell! +- You know the kind of Dario? +- Of course, it is our acrobat. +- Where is he? +- Probably in his trailer. +The first right. +- Thank you. +- What do they want from Dario? +- This is probably due to Bastia. +From such people - always nothing but trouble! +Dad! +Where is Dad? +- What happened? +Marcella! +It's not moving! +I think she's dead! +Well, it just is not enough... +- This is certainly the heart deposited. +- It was in the evening departure! +- Your mother's looking for you, Kvedchi! +- You do not work, she is angry. +Okay, I go. +Here is a gift! +- She has always had a weak heart. +- I say that there is filthy! +It is, for sure, mutila with his brother. +- With a guy that was a greeter? +- Yes. +Doctor she is no longer needed. +So, parted, move! +You go out there! +Fast! +- What did I tell you! +- Maybe it's her brother? +This is murder! +She kept the house all your money! +I think it strangled. +She has marks on her neck. +Call to the site, let people send. +Yes, chef! +Expenses on a trailer! +All forbidden to leave the area of the holidays! +This is murder! +- I told you! +- I have long sought. +Yes. +Only you - not a policeman. +4 dead man in Marseilles, 5 - at Pigalle. +Who is next? +If the case begins with a fight, a fight over it. +- What do we do? +- I +- I do not know, and you - to collect the suitcase. +- You want me to leave? +- So you escaped. +We are going to fight, I feel. +A is not a ladies' game. +Rate - 14 million, and we have something to lose. +So I prefer you to leave the game. +We are all divided into two. +May, will continue? +Years in prison for two is not divided. +When the motley your age gets 10 years - this is the end. +Are you ready for 10 years wearing a gray robe and slippers tinkering? +I do not care. +Do not say that. +As long as you have the conscience of nothing. +Or almost nothing. +And tomorrow everything is going to be different. +Return to Paris and wait quietly. +Calmly wait what? +Exhaust itself? +Ask yourself, have arrested you or not? +Ask myself, what I bring, - oranges or flowers. +Shut up! +For fun you have to pay. +Life - is a journey. +I would like to go first class. +I have always loved silk shirts and shoes made to order. +And I have not traded in a row, it would be illogical. +- What's the matter? +- It's me! +Discover! +I thought I told you to go back and wait there? +Disaster struck, Fredo. +Chick Fernand came to explore, and I... +I caught it. +She uttered a few words about Marcello. +That she was involved. +More. +You went to Marcelle? +Yes. +To ask her any questions. +It is necessary to pass the buck, Fredo! +- Wait a minute! +Marcella? +Marcella! +I assure you, I have nothing to do with! +In her heart she refused. +Fredo, you're... +You do not leave me? +Where do I, in your opinion, go? +Where do you want. +To the Greeks. +Okay. +Then I will come back to the villa. +I left them there either. +Then finish them off for a full set. +Will you come, Fredo? +You do not leave me? +- No. +I will ask the President himself, so he put us together for the company. +Why did he kill her? +Misunderstanding, as it said Fernand. +Protracted misunderstanding. +Pepe was too stupid, Fernand - too cunning. +Police will be here soon. +It's time to disappear. +I? +You go back to Paris. +Come from time to time in the "In Field". +I'll leave it to you the news. +If all goes well. +Here's yet to wait. +No. +They you more useful. +This is unlikely. +The car, for sure, in the search. +What are you going to do? +- I'll go as soon as possible. +Either way, if I do not go down after 5 minutes they will rise. +Next! +Stop! +Stop or I'll shoot! +What? +Turns? +- Minute! +I sang this number 3 years ago Karpatto. +Pepe - a professional, and I have lost the knack. +My poor! +- Well, hurry up! +What are you naplela about my sister? +I'm not used to me about extinguished cigarettes. +In general, I would have passed anyone but you. +What's more, I just repeated what I was told. +- Who? +- Kvedchi. +Git! +- You think this is it? +- Definitely! +It's okay. +Stagnant blood. +It will pass. +How did you get here? +I follow you on a jeep owner. +Keep. +- With "Hold"? +Popey. +That's it. +Come on. +Bastia foul! +Bastia was blown away! +They still know enough! +Come on. +- Listen! +In minutes as the score goes! +No. +Do not for a minute. +It can wait. +Oh, you... you bastard! +Yes, it can wait! +He accused me of stealing receipts from storage. +He even guided me the gun. +Bring it in a report. +What's next? +Nothing. +He saw that I was not to blame, and calmed down. +Okay, good. +We have already moved. +The owner of the circus - are you? +Go. +You can be free. +But do not leave your trailer. +You must have a fortune of money? +- Yes. +So what? +If I had to kill all those who I have money, +You would have to double the staff. +- We can disagree? +- That's really not! +Well that ended this market? +I think they are looking for a suitcase. +Will conduct searches. +- By what authority? +- I do not know, but it's true. +Let there be sought! +The one who searches will find! +The search... +The search... +The search... +Stay here. +Hey, there! +Where are you? +Someone looking for? +Get down. +No, I... +I have come to my sister. +- Ah, the fortune-teller - your sister? +- Yes. +Well, okay, I go to next time. +Show me the documents! +The one who searches will find... +And find what? +Kvedchi! +Those guys! +Those guys will not find! +Those guys! +Hey, Kvedchi, open the door! +What are you doing, Kvedchi? +Tell me! +You open it or not ? +! +Are you crazy? +Why do you close? +- It is necessary. +Carriages will be searched. +What's burning? +Yes, it's money! +- This is mine, do not touch! +It is mine! +Money! +Do not touch the money! +They curse! +Yes, leave the money! +They curse! +Gimme! +Give it to me! +Thanks to you, give here! +I tell you, it will be searched! +If they find us... +Exploded gas cylinder? +- It's in Kvedchi! +- Faster! +Faster! +Do not approach! +Get away! +Here it is dangerous! +Save yourself! +Caution! +Caution, Fernand! +END +We proudly present: +One of greatest film of all time. +Brought to you by: +FNB.47 and others that I forgotten. +Have a nice time ;) --nttalex-- +Wait, Squirrel! +Here, put it on. +Look! +Cranes like ships Sailing up in the sky, +White ones and grey ones, With long beaks, they fly! +Look! +You see... +You with your "cranes like ships". +THE CRANES ARE FLYING +Written by V. ROZOV +Directed by M. KALATOZOV +Director of Photography S. URUSEVSKY +Associate Director +- B. FRIDMAN Production Designer +- Y. SVIDETELEV +Music by M. VAINBERG Sound by I. MAYOROV +English subtitles by T. KAMENEVA +Starring +T. SAMOILOVA as Veronica A. BATALOV as Boris +V. MERKURIEV as Feodor Ivanovich +A. SHVORIN as Mark S. KHARITONOVA as Irina +K. NIKITIN as Volodya V. ZUBKOV as Stepan +A. BOGDANOVA as Grandma B. KOKOVKIN as Chernov +Ye. +KUPRIANOVA as Anna Mikhailovna +An Order of Lenin Film Studio "Mosfilm" production, 1957 +Who is there? +Wait! +Well, all right. +Say when, then. +Thursday, on the embankment. +Come on, that's too long. +Squirrel! +You haven't told me when! +Squirrel, at what time? +What time on Thursday? +No, I can't make it. +I'll be working. +- All right. +- Don't be late. +Squirrel! +- She's gone crazy over him. +- And he's over her. +That's love, my dear. +A harmless mental disturbance. +Grandma, why aren't you asleep? +Because it's time to get up, Boris! +Stop chomping! +Running around all night... +Are you jealous? +You haven't torn it, have you? +Your jacket's all right. +Outrageous! +It's noon and he's still in bed. +The boy deserves a good rest on Sunday. +He works hard. +That work of his will result in a marriage. +That's when you'll be really jealous. +For Irina, her diploma comes first. +Look out, Uncle Fedya. +She'll be a full professor soon, while you're still only a MD. +If children don't surpass their parents, then the children are fools and the parents are no better. +Thanks, Mamma. +This is Radio Moscow broadcasting over all of the Soviet Union! +- What is it? +- What has happened? +Boris! +We're at war! +Do you hear? +We're at war! +Leave me alone! +Hi! +Boris is working day and night. +Are you waiting for him? +I'm not waiting for anyone. +Veronica! +In time of war, one should not get confused. +One should hold on to a normal life pace. +Take me. +I dream of dedicating to you my first symphony. +Will you come to the concert? +Suppose the Army calls you up? +The Army? +I doubt it. +Hardly. +Why "hardly"? +The most talented ones will be exempted. +- Are you the most talented one? +- Me? +Certainly. +Why are you following me around? +Aren't you ashamed? +I am. +I tried to keep away from you. +I know, Boris is my cousin. +But I can't help myself! +Wait! +- Wait! +- I'm going home alone. +Hey, slow down! +You just had an operation. +I'd better be in shape for that field-pack. +They're not wasting men like you in the Army. +There'll only be one exemption here, and one of us'll get it. +They'd better give it to you. +You've got knowledge, experience. +And you've got talent. +Save your sketches. +My wife's already got my bag packed. +Well, as they say, let's get our bayonets ready. +Hey, Stepan! +Guys, give me a hand... +Stepan! +Excuse me, Sachkov. +- Where's the summons? +- Not yet. +I can't wait. +- Are you off now? +- No, I've got those sketches... +- I see. +Take care. +- Okay. +- Hey! +- Yeah? +- Have you told her? +- No, it's too early... +- You're right. +See you tomorrow. +- Right. +- Let go. +- I won't. +- You're going to fall down. +- No, I won't. +- You'll rip up the blackout. +- It's a blanket. +I'm going to call the militia. +I'm sick of the blackout. +Give me the blanket. +- Let go. +You'll fall. +- No, I won't. +Come on, Squirrel, cut it out. +Let me hang this up. +You didn't come to the embankment today, but Mark did. +- He's very handsome. +- So what? +- Aren't you jealous? +- What? +- Aren't you jealous? +- I haven't got the time for it. +I won't have much time either when I go to the architecture college. +You'll never pass the entrance exams. +- I will! +- I doubt it. +Cranes like ships Sailing up in the sky, +White ones and grey ones, With long beaks, they fly. +- Do you like my song? +- Very profound. +Oh frogs, you keep on croaking, Why didn't you think of looking up? +You went on leaping, in mud soaking That's why you ended eaten up. +- All right, you won, hero. +- I won, I won! +I won. +All right. +- D'you think you'll be drafted? +- Sure. +- You won't volunteer? +- I might. +Why not? +No, you won't! +I won't let you. +You know you'll get an exemption. +That's why you talk so big. +- Why do you think so? +- Everyone smart will be exempted. +Then the only ones to do the fighting will be the fools. +I don't want to talk to you ever again. +Veronica, there's something I must tell you. +I don't want to hear it. +And, please, don't call me Veronica. +- Who am I? +- Squirrel. +Listen... +- What will you give me tomorrow? +- It's a secret. +If you give me something sweet, I'll eat it up and forget about it. +Give me something to remember you with. +Kiss me now. +When I'm with you, I'm not afraid of anything. +Not even the war. +Though, I'm afraid of the militia. +- Veronica... +- You know what? +- Do you know? +- No. +I'll have a beautiful white dress made for our wedding. +One like my grandmother had. +And a veil... +Very long and white. +And you should wear your dark suit. +- And you and I will go... +- To a registry office. +- Is it a deal? +- It's a deal. +- You know I like this blackout. +- What's so good about it? +Hi! +- Stepan! +- Veronica! +- I've got a treat for both of you. +- Fine. +- What is it? +- It's a secret. +- Has it arrived? +- Yes, this morning. +- Why didn't you say so? +Tell me. +- Well, go on. +You should've seen what's going on over at the factory. +Make it short, will you? +I'm telling you: +There's so much excitement... +- Never mind that. +- Your folks told me... +- When do we report? +- Today at 5:30. +Look at those cherries! +Is anything wrong? +- They're nice! +- Army orders. +- No! +For you? +- Me too. +We both volunteered... +When? +- You volunteered? +- It's army orders. +Wait! +What about us? +Stepan... +No, I've got to go. +My folks are going to... +So long. +Squirrel! +I didn't want to tell you before your birthday. +- And now I have to go. +- Of course. +Boris! +Squirrel, what is this? +White cranes flying... +I like that. +I'm going to be all right. +Do you hear? +And after that we'll live together... +a hundred years. +Go on now. +We'll say goodbye later. +Don't be late. +What difference would it make if he went a day later? +What a nerve if he's still with Veronica. +- Boris! +- Did Dad call? +He was furious. +Why didn't you tell anyone? +So that we didn't have any scenes like that. +Get these prints back to the factory tomorrow. +- Give them to Kuzmin, the engineer. +- I will, don't worry. +What are you putting in there? +I'm going out for a bottle of wine. +Grandma, do me a favor. +Just a minute... +- Will they send you to the front? +- Probably. +Here, Grandma... +Wait. +Tomorrow when you get up, take this to her... +- What is it? +- Her birthday present. +And help her. +After all, it's war... +Please, be kind to her. +And what if I die? +You don't have the right, especially now, with so many secrets to protect. +- Well, suppose I do... +- Come on... +Quiet now, Grandma. +That's Veronica! +No, it's just Irina. +Thank heaven, you've come. +- Boris! +- Yes? +Come over here. +You're 25 years old and you behave like a fool. +What are we, children? +What is it? +Are we playing hide and seek? +Are you starved for adventures? +What kind of a man are you? +Where's Irina, and Mark? +Irina is making coffee, Mark went out for wine. +Coffee, wine... +What kind of send-off is that? +Irina! +Bring that thing from the medicine chest. +Boris, come over here. +- Where is Veronica? +- She'll be here. +- But where's she? +- She's busy. +She's supposed to be here. +Her fiance is going away. +I'm not her fiance. +- What are you then? +- Just a friend... +- That sounds suspicious... +- I don't mean that way, Dad. +- Then what do you mean? +- Look, give me a break. +- Here's the alcohol. +- Have it diluted. +I got some port wine. +Drink it yourself. +We'll have a more robust drink. +Well, are we all here? +Let's sit down. +It's Veronica. +Aren't you going to welcome her, friend? +At last! +Is Boris home? +We're from the factory. +Please, come in. +I thought it was the fiancee. +- We've come from the factory. +- What about the presents? +- Sorry. +This one's yours. +- Yes... +Thank you. +On behalf of the Factory Committee... +Comrade Boris, you must fight to the last drop of your blood. +Smash the accursed fascists, and we, in the factory, will fulfil and overfulfil our quotas. +We've heard all that before. +You'd better join us and drink to my son, Boris. +Well, I suppose... life in this world of ours is not yet what we would like it to be. +Now you're going to war, Boris... +- Let's drink. +- To you. +Irina! +What about Grandma? +We saw my brother off last night. +My mother was crying... +- What about you? +- I was too. +- On whose behalf, the committee's? +- I wasn't thinking about that. +There's no one to see off in our family, we have 3 girls and Mom. +It's somewhat embarrassing... +I feel left out... +Yes, and when they come back, you'll really envy us. +The trouble is, not all of them will be coming back. +For those who don't, a magnificent monument, with their names inscribed in gold. +Irina, don't just sit there. +Fill the glasses. +And you folks in the rear, fulfil and overfulfil! +Now, Grandma, don't forget. +Mark, stay with Dad. +He'll be all right. +I'll see you off. +About face! +Platoon, forward march! +Take it, Grandma! +- Boris! +- Mamma! +- I won't see him again. +- I'm sorry, Mamma. +Drink it. +You'll feel better. +- Where are you going? +- To the hospital. +But you aren't on call now. +Varvara Kapitonovna, I've got to see Boris... +He's gone. +- Gone? +Where? +- To report for the Army. +- Oh, no! +- Come in. +- Where was he supposed to report? +- I don't know. +What is it? +It's from Boris. +For your birthday. +There's a note inside. +- Where's the note? +- Why? +Isn't it there? +Maybe it fell? +Maybe he forgot in a hurry. +- Forgot? +- He'll write to you. +Where were you? +- Where's Boris gone? +- It's the schoolyard near the park. +Calm down, she'll be here. +It would be quite a job finding someone in this crowd. +What are you doing? +Write to me. +Write every day. +Didn't I tell you to ship the cauliflower? +An airplane is high above, Over the roofs it's droning. +It's my sweetheart sends his love From his sky-high soaring. +It was used to be before That he saw me to my door. +Now it's been quite a turn-off: +I'm the one to see him off! +Don't forget to write your Army Post Office number. +- Cheer up, pug-nose! +- We'll wait till you come back. +Goodbye, Boris! +Take care! +Fall in! +She will come. +Boris! +Boris! +Dress! +Attention! +Forward march! +Boris! +That's my little chicken! +Boris! +Boris! +Grandma... +Nothing? +He hasn't written to me either. +- Any news? +- No. +Oh, this damn war! +We'll have to keep going somehow. +Have you decided about a job? +I'm starting at the war factory tomorrow. +Air-raid alert! +Hurry on to the subway. +I've got to finish this. +Get your things. +- Where's the knapsack? +- It's over there. +I won't go without you. +If it gets bad, we'll run down. +Go on, now. +Be careful in the subway! +She's so frightened, poor thing. +Aren't you? +When I know that Veronica's safe and you're with me, +I'm not such a coward. +The filthy murderers! +We'll get back at you, you wait! +He's not writing to me. +Oh, he must have written. +It's just the mail. +All clear! +The air raid has been terminated. +Let's go! +Here's where I live now. +If you decide to work with us, call me at the factory. +- I will. +- Goodbye. +Get down here! +Come back! +What's the matter? +Are you crazy? +I'm sorry. +Veronica, you can stay with us from now on. +You can have Boris' room. +Mark will move in with Fedya... +Mark, she'll need some attention to keep her from brooding. +Irina and I are so busy at the hospital. +I'll do what I can, Uncle Fedya. +I promised Boris. +- Is it agreed? +- Um-hmm. +Is this the factory? +May I speak to Kuzmin? +He was drafted, too? +Excuse me, has anyone heard from Boris Borozdin? +If it weren't for this damn war, +I'd be playing this in the Tchaikovsky Hall. +For you. +Veronica! +Let's go to the subway. +- I'm not going. +- Don't be silly. +Come on. +- Are you afraid? +- For you. +Come with me. +I'm not afraid of anything. +- Veronica, let's go to the subway! +- No, I'm not going. +- Stop it! +You've gone crazy! +- I'm not going! +I love you. +No. +- I love you! +- No! +No! +- I love you! +- Go away! +- I love you! +- No! +No! +No! +It's stupid to get surrounded like this. +- Stepan, quit whining. +- Who's whining? +I'm not. +The captain said we might be able to break out by tonight. +Yeah, that's what he says. +Sachkov! +Where'd you find that rookie? +In the incubator. +He's our reinforcements. +Now we'll break through for sure. +Is that a way to talk about a married soldier? +I got yoked in my last year of school. +The result of too much of education. +You're funny. +Laughed yourselves right into a trap, I guess. +- Volodya, you really married? +- I said it to sound important. +- Borozdin! +- Yes? +You'll go on a reconnaissance mission. +You got to find the best place for us to break through tonight. +- Turn in your documents. +- Yes, sir. +Hey, Sachkov! +Take this, will you? +Why don't we rest? +And have a smoke. +Is she always laughing like that? +She probably thinks we're all dead. +Let me see that beauty. +Hey, that's the soldier's life for you! +- You're here, and she... +- And she what? +Hey, let me try that thing. +- Hold it, will you, Sachkov? +- Certainly. +Not bad for a first try. +Stop that! +- Aren't you ashamed? +- No, sir. +- Five days under arrest! +- Yes, sir. +- You both go on a reconnaissance. +- Why? +Turn in your papers! +Boris, here. +On account of her? +- I'd say she was worth it. +- She sure is! +However, we must maintain discipline! +You hear that? +Discipline... +Stepan, keep this. +Be careful, don't lose it. +We... +We'll get married, Uncle Fedya. +Oh, I forgot. +There's some sausage left. +- Keep your head down! +- Stop ordering around! +Let's get out of here before they get wise. +- If you're scared, run. +- Come on, you idiot! +Hey! +Musician! +Are you deaf? +Why the devil I've got tied up with him? +What's wrong with you? +Can you hear me? +- Go on. +I want to rest for a while. +- Are you wounded? +Hold on to me. +- Leave me alone. +- I tell you, get up! +Now hang on, hold tight. +This way's no good. +I'll have to carry you. +Come on, leave me here. +Are you still sore because I punched you? +- You were just lucky, otherwise... +- Shut up, we'll talk later. +Here we go... +Are you all right? +Hold on, friend. +It's only a little way to the woods. +We'll be safe there. +I'm winded. +Let's rest a bit. +It's a little quieter here. +How are you? +It's hard to breathe. +Hold on, we'll have to get you married yet... +Hey, buddy! +What's the matter with you? +What's wrong? +Forgive me, friend, forgive me... +It's my fault... +Forgive me... +friend... +Hey, somebody! +Help! +Help! +Help! +Can you hear me, Boris? +Are you hit? +It's nothing, I am just... +The Soviet Information Bureau reports that there were no important changes on the front in the past 24 hours. +No news is good news. +Families evacuated with Plant 326 will be quartered on Vosstaniya Street. +Comrades, report here, please. +- Irina, help me with the wounded. +- I'll get an orderly. +Everybody off! +Siberia! +We can't run much farther. +Poor Mother Russia! +Attention, please! +Chief of Army Hospital, Comrade Borozdin, please report to the military commandant at once. +Maybe we'll find peace here at last. +Out of the way, the evacuated. +Your stove is smoking. +Oh, I'm sorry. +Save your dreaming till the war is over. +Where are you going? +To the hospital. +I'm on duty. +She wanders around like a ghost, all nerves. +The poor thing is waiting for a letter. +From whom? +Her husband's not up at the front like ours. +She's not waiting for any letter. +- D'you have the 2nd shift at school? +- Yes. +Cranes like ships, Sailing up in the sky... +I can't get those silly verses out of my head. +There she is! +- Who? +- The mail carrier. +If I can count up to 50, there'll be a letter for me. +- One, two, three, four... +- Stop it, Veronica. +- Fifteen, sixteen... +- Veronica, this is madness. +- Nineteen, twenty... +- Stop it! +Forty-seven, forty-eight... +- Good morning! +- Good morning! +Sorry, nothing for you. +Here you are. +- Lebedeva? +- That's me. +- Paliukaitis? +- Nothing. +From my eldest. +From the Ukrainian Front. +I didn't know Boris. +But everyone says what a fine, talented boy he was. +Was? +Listed as missing in action doesn't mean he was killed. +Of course not. +I just didn't put it right. +- What's wrong, Veronica? +- I'm dying, Anna Mikhailovna. +Come on, Veronica. +You poor child. +I've lost everything. +You have your whole life before you. +I don't want it! +What's it good for? +You must forget the past. +It is human nature to forget. +I don't want to forget. +I don't need it. +But you can't go on tormenting yourself for your mistakes. +I should do it. +All my life. +You teach history. +You're a wise woman. +Tell me what's the meaning of life? +The meaning of life? +Maybe it's in... +- Did Chernov get here yet? +- Not yet. +Wow, I'm really famished! +Try to be nice to Chernov when he comes, please. +He makes me ill. +I feel exactly the same way, but after all he's my boss. +That gives you a reason to lick his boots? +Please, Veronica, this can't go on. +You're always so irritable, always criticizing. +Tell me, how can I make you happy? +Just disappear. +Come in, it's open. +Come in! +Mark, pardon my invasion. +Not at all. +It's a pleasure. +Here, let me take that. +Did you see the paper? +The Germans have advanced in the Caucasus. +Yes, it's awful. +But we'll show them what we're made of yet! +Please make yourself comfortable. +It's warm here. +Your place is nice and cozy. +My wife and children are in Tashkent, so I'm kind of homeless. +- Good day, Veronica. +- Good day. +- Where are you going, darling? +- To the hospital. +I'm on duty. +Bundle up. +It's very cold. +I admire your wife. +She's so honest... +She must be very happy with you. +- I was looking for you at the Philharmonic. +- Was there a concert? +No. +But are you going to the birthday party tonight? +I might. +- What are you giving her? +- What can I give her? +The war! +Yes, this war. +It's nothing gorgeous, of course, but tie a little trifle to it and Antonina will be pleased. +It's wonderful! +What do I owe you? +- It's really nothing, forget it. +- Thank you very much. +Mark, can you do me a favor? +- Is someone up there? +- No. +Could you get some drugs for me from Feodor Ivanovich? +Fine job, Irina. +He'll pull through. +I hope so. +It would be downright mean of him not to. +Irina, you should have been a man! +I'm doing all right as a girl. +Veronica! +What are you doing here so early? +The clock was fast. +Poor girl... +I can't forgive her for what she did to Boris. +New patients again! +I told them I have no more room. +I'm running a hospital, not a barrel of herrings! +- Are these from Kalach? +- From Stalingrad. +Some from the front line, others from the hospitals. +No place for us here, either. +Don't worry, they'll find room. +I'll take 80 men. +The rest will have to go to other hospitals. +Let's see now... +Please give my regards to Sergei, +Feodor, Vassily, Aunt Maria, +Agraphyona, Catherine, Barbara, +Nikolai, Catherine... +- You already said Catherine. +- That's another one. +- Don't you want to explain it? +- They'll figure it out. +So, Zinaida, Antonina, Kuzma... +Nurse! +- What do you want, Vorobyov? +- Never mind. +Nurse! +- He wants a potty. +- I'll give it to him. +Thanks. +That's beautiful music! +Turn it up a little louder, will you please? +Shut up your music! +Turn it down! +You hear me? +Who was that shouting? +I did, so what? +- Zakharov, what's wrong? +- Leave ma alone! +He's gone berserk. +He got bad news from home this morning. +His girl just got married to a friend of his, bitch. +He hasn't had a bite to eat. +Try to see what you can do, nurse. +Those broads are worse than fascists, aiming right in the heart. +You must try to eat. +It's the only way to get well. +I don't want to get well! +I just want to croak! +Get the doctor. +Calm down. +Please, calm down. +Because of a woman... +What a dumbbell! +Get the doctor! +Get the doctor now! +Quit that yelling! +Cackling like a bunch of hens! +Where will they take us now? +There're plenty of hospitals in this wide world. +Guys, the chief is coming! +Bastards! +Quiet down! +You're a soldier in the Red Army! +Want to desert it? +You afraid that if we cure you, you might go back in the army? +You're not being fair. +He got a bad letter from home. +I know. +That's just an excuse. +So what if his girl's left him? +Good riddance! +She's not worth a dime if she gave up a handsome soldier like this, a real hero, for a puny draft-dodger! +Right. +She's the one who's missed her happiness! +And whatever she's got, she deserves it! +What a petty soul! +Can a woman like that understand the suffering you've gone through? +Killing her would be too good for her kind. +You stood the most difficult trial. +You looked death in the face, went to meet it yourself. +And she couldn't stand the small test of time. +For women like that, no honorable man can have anything but contempt! +For such creatures there is no pardon! +Bandage him! +Aunt Sima, bring him fresh porridge and some hot tea. +Be good now. +Veronica... +What the hell kind of a mother are you? +Keep an eye on your kid! +And I'll be held responsible! +Daydreaming, you fool! +- Who are you? +- Mamma's boy. +- Where are you from? +- From Voroshilovgrad. +- How old are you? +- Three months and three years. +- What's your name? +- Boris. +- What? +- Boris. +- Why the fancy get-up? +- A concert in the hospital. +- A likely story! +- All right, all right. +- Is Mark here? +- So far yes. +I've been saving this for you. +Thank you very much, Anna Mikhailovna. +It's for a little boy we know. +It's his birthday. +I wish everyone were as kind- hearted as you are, Mark. +The symptomatology of this type of compound injury depends primarily on changes in the nodal structure... +- Interesting, but beyond me. +- Why, it's really quite simple. +They are not readily apparent to the clinical practitioner, but in most cases the etiology... +- What is this? +- What kind of a trick is that? +What do you mean, trick? +The poor child lost his parents. +I want my mommy! +You ought to have taken him to the Foundling Center. +You go yourself to the Center! +- Rude child! +- I'm not, you're rude! +Now, don't cry. +We'll go find your mommy in Voroshilovgrad. +Now, now, be quiet. +- Poor baby, he wants his mommy. +- Look, here comes a goat... +Stop rattling. +You're hurting my ears. +Here, play with the cover. +Don't you want it? +Oh, my God. +Here's a bagel roll for you. +Keep him quiet! +He's driving me crazy. +If we had some toys for him to play with... +Irina, take him for a minute. +Hah, what next? +Stop crying, will you? +Let me take him. +Come on, my little one, my little Boris... +I'll undress you and put you to bed... +Have anyone seen my squirrel? +Yes, Mark took it. +- Why? +- He's giving it to some boy. +My squirrel to a boy? +- Where's Mark? +- I don't know. +- Where's Mark? +- I don't know. +You're hiding something from me. +You know where he's, don't you? +Where's he? +He's probably gone to Antonina's party. +- What Antonina? +- Why don't you ask Mark? +- Who's she, tell me! +- Don't order me around. +Mark visits her occasionally. +Do you get it? +- You're saying this to spite me. +- Why would I want to? +Because I'm married, I'm loved, and you're still a spinster! +Stop it, Veronica! +Antonina lives near the food shop, in the little house next door. +Go over there and see for yourself. +Calm down. +I should do something. +When Mark comes home, you'll have a talk. +But now you must wait. +Sure, I must wait... +That's all I've been doing all the time. +That's enough! +May our lips benumb. +Words are futile. +They so often lie perchance. +And only our eyes Will never dare lie, +Forever true their parting glance. +My eyes are now sad and dark, +As though therein a candle was put out... +In Leningrad after my parties we'd go for a ride, from one part of the city to the other. +Arrange for a ride now. +There's a war on, Antonina. +Cars are worth its weight in gold, the gasoline is strictly rationed. +Get any kind of car! +I beg you! +A fire-engine, an ambulance, a truck... anything! +Let me hope where there's hope no longer! +Just the two of us? +To the point of full abandon? +I'll see what I can do. +I love you! +Sorry, I don't dance. +I thought I'd tried everything, but I've never tried golden chestnuts. +Look, a note! +- It's a birthday note for me. +- Congratulations! +Where's the squirrel? +Where's my squirrel? +Look, you mustn't think that... +There's a note here from somebody named Boris. +My only one, happy birthday... +On this day you were born. +It's hard leaving you. +But it can't be helped. +It's war! +I must go. +We can't go on living the way we did, enjoying ourselves while death stalks our land. +We will be happy some day. +I love you, I trust you. +Your Boris. +Why are you so alarmed? +Go home. +I'll be right back. +Why? +- Take your coat off. +- Thank you. +You know, all the Philharmonic cars are being used tonight, and I must have a car. +You're Chief Surgeon, you won't refuse me this little favor... +Transportation is our most critical problem. +It was difficult for me too, but I did my best. +I went out of my way, because you asked me... +- What I asked you? +- The exemption. +Now it's about to expire, and this time to get it will be almost impossible. +- What d'you mean, exemption? +- The exemption for Mark. +You can be sure I handled the whole thing discreetly. +Could Mark have done it without informing you? +He even offered me money in your name... +I'm sorry. +I'm glad you're here, Uncle Fedya. +I wish you'd talk to her. +She burst in without being invited, started a fight... +Shut the door. +Do you believe that anybody likes having his son marching off to war? +What do you mean? +Or do you believe that for your petty pleasures and well-being others must lose their arms, legs, eyes, jaws, even their lives? +And you owe nothing to no one? +You know I've got an exemption, Uncle Fedya. +Tell us how you got this exemption. +What are you doing, Veronica? +It's all right. +I'm going to rent a room. +And I'm taking the boy... +Perhaps someone else had better rent a room? +Gladly. +I've been wanting to for a long time. +I wish you'd driven me out in the first place. +You've been through a terrible ordeal. +Only one who had done something worse could have condemned you. +Stay with us. +I can't. +I cannot hide behind someone else's back. +I don't want to. +Think it over. +Listen, where can I find the Borozdin family? +- Which one are you looking for? +- Feodor Ivanovich. +He is not in at the moment. +Are you from Boris? +No, I'm by myself. +I have to see Feodor Ivanovich. +- Won't you sit down? +- Thanks. +Feodor Ivanovich should be here in a few minutes. +- May I go out? +- All right. +- Is he yours? +- Yes, he's mine. +He looks like you. +Are you a relative of the Borozdins? +Not really. +Well, I've done all the fighting I'll ever do. +Going home? +Not yet. +Leningrad's still blockaded. +- Yeah, I'm in a spot. +- Why? +I guess there's no harm in telling you because you're not the family. +But how do you tell a man his son was killed? +- Where did it happen? +- Near Smolensk. +What do you want me to play? +I don't care. +Tell me, did you see him buried? +No. +I was put on a stretcher and taken to a hospital, and he was with a friend of his, Stepan. +Stepan... +I've got to find his girl now. +He was really in love with her. +I'm the girl. +Come to see us when you're in Moscow, Volodya. +Thanks very much. +I will. +The war's over. +It's strange, isn't it? +And you're still waiting? +I am. +One must always keep on hoping. +What's the use of waiting? +I saw it with my own eyes. +What did you see? +You saw him wounded? +You saw him fall? +You didn't see him die. +But if he's alive, why hasn't he written to you? +Anything could happen. +Stepan hasn't written to anyone either. +They know at the factory that he was in some Special Operations. +Dasha promised to let me know when he's back. +Boris is alive. +He's alive. +Look! +The victors are coming! +Kolia, darling, you're back! +Boris! +Veronica! +Stepan! +The flowers... +For you. +Well? +What? +You see... +Well... +My darling! +Dear mothers, fathers, brothers and sisters! +The happiness of our reunion is boundless. +The heart of every Soviet citizen sings with joy, the joy of victory! +We have all waited for this happy moment. +We dreamed of it in the darkest hours of our struggle. +But we'll never forget those who lie silent on the battlefield. +Years will pass, our cities will rise again, and our wounds may one day be forgotten. +Let one thing remain in our hearts, a cold hatred of war! +We deeply feel the grief of those who cannot meet their loved ones today. +We must all take a vow to keep our promise that sweethearts will never again be parted by war, that mothers may never again fear for their children, that our brave fathers may not stealthily swallow their tears. +We have won and remained alive, not for destruction but to build a new life! +Don't just stand there. +Give the flowers to whoever they're for. +Thank you very much, sister. +Oh, what a darling! +What a chubby little darling! +Look, the cranes are flying over Moscow! +The End +Subtitles ripped by: +--nttalex-- +MOSFILM +Wait, Squirrel! +Here, put it on. +Look! +Cranes like ships Sailing up in the sky, +White ones and grey ones, With long beaks, they fly! +Look! +You see... +You with your "cranes like ships". +THE CRANES ARE FLYING +Written by V. ROZOV +Directed by M. KALATOZOV +Director of Photography S. URUSEVSKY +Associate Director +- B. FRIDMAN Production Designer +- Y. SVIDETELEV +Music by M. VAINBERG Sound by I. MAYOROV +English subtitles by T. KAMENEVA +Starring +T. SAMOILOVA as Veronica A. BATALOV as Boris +V. MERKURIEV as Feodor Ivanovich +A. SHVORIN as Mark S. KHARITONOVA as Irina +K. NIKITIN as Volodya V. ZUBKOV as Stepan +A. BOGDANOVA as Grandma B. KOKOVKIN as Chernov +Ye. +KUPRIANOVA as Anna Mikhailovna +An Order of Lenin Film Studio "Mosfilm" production, 1957 +Who is there? +Wait! +Well, all right. +Say when, then. +Thursday, on the embankment. +Come on, that's too long. +Squirrel! +You haven't told me when! +Squirrel, at what time? +What time on Thursday? +No, I can't make it. +I'll be working. +- All right. +- Don't be late. +Squirrel! +- She's gone crazy over him. +- And he's over her. +That's love, my dear. +A harmless mental disturbance. +Grandma, why aren't you asleep? +Because it's time to get up, Boris! +Stop chomping! +Running around all night... +Are you jealous? +You haven't torn it, have you? +Yourjacket's all right. +Outrageous! +It's noon and he's still in bed. +The boy deserves a good rest on Sunday. +He works hard. +That work of his will result in a marriage. +That's when you'll be really jealous. +For Irina, her diploma comes first. +Look out, Uncle Fedya. +She'll be a full professor soon, while you're still only a MD. +If children don't surpass their parents, then the children are fools and the parents are no better. +Thanks, Mamma. +This is Radio Moscow broadcasting over all of the Soviet Union! +- What is it? +- What has happened? +Boris! +We're at war! +Do you hear? +We're at war! +Leave me alone! +Hi! +Boris is working day and night. +Are you waiting for him? +I'm not waiting for anyone. +Veronica! +In time of war, one should not get confused. +One should hold on to a normal life pace. +Take me. +I dream of dedicating to you my first symphony. +Will you come to the concert? +Suppose the Army calls you up? +The Army? +I doubt it. +Hardly. +Why "hardly"? +The most talented ones will be exempted. +- Are you the most talented one? +- Me? +Certainly. +Why are you following me around? +Aren't you ashamed? +I am. +I tried to keep away from you. +I know, Boris is my cousin. +But I can't help myself! +Wait! +- Wait! +- I'm going home alone. +Hey, slow down! +You just had an operation. +I'd better be in shape for that field-pack. +They're not wasting men like you in the Army. +There'll only be one exemption here, and one of us'll get it. +They'd better give it to you. +You've got knowledge, experience. +And you've got talent. +Save your sketches. +My wife's already got my bag packed. +Well, as they say, let's get our bayonets ready. +Hey, Stepan! +Guys, give me a hand... +Stepan! +Excuse me, Sachkov. +- Where's the summons? +- Not yet. +I can't wait. +- Are you off now? +- No, I've got those sketches... +- I see. +Take care. +- Okay. +- Hey! +- Yeah? +- Have you told her? +- No, it's too early... +- You're right. +See you tomorrow. +- Right. +- Let go. +- I won't. +- You're going to fall down. +- No, I won't. +- You'll rip up the blackout. +- It's a blanket. +I'm going to call the militia. +I'm sick of the blackout. +Give me the blanket. +- Let go. +You'll fall. +- No, I won't. +Come on, Squirrel, cut it out. +Let me hang this up. +You didn't come to the embankment today, but Mark did. +- He's very handsome. +- So what? +- Aren't you jealous? +- What? +- Aren't you jealous? +- I haven't got the time for it. +I won't have much time either when I go to the architecture college. +You'll never pass the entrance exams. +- I will! +- I doubt it. +Cranes like ships Sailing up in the sky, +White ones and grey ones, With long beaks, they fly. +- Do you like my song? +- Very profound. +Oh frogs, you keep on croaking, Why didn't you think of looking up? +You went on leaping, in mud soaking That's why you ended eaten up. +- All right, you won, hero. +- I won, I won! +I won. +All right. +- D'you think you'll be drafted? +- Sure. +- You won't volunteer? +- I might. +Why not? +No, you won't! +I won't let you. +You know you'll get an exemption. +That's why you talk so big. +- Why do you think so? +- Everyone smart will be exempted. +Then the only ones to do the fighting will be the fools. +I don't want to talk to you ever again. +Veronica, there's something I must tell you. +I don't want to hear it. +And, please, don't call me Veronica. +- Who am I? +- Squirrel. +Listen... +- What will you give me tomorrow? +- It's a secret. +If you give me something sweet, I'll eat it up and forget about it. +Give me something to remember you with. +Kiss me now. +When I'm with you, I'm not afraid of anything. +Not even the war. +Though, I'm afraid of the militia. +- Veronica... +- You know what? +- Do you know? +- No. +I'll have a beautiful white dress made for our wedding. +One like my grandmother had. +And a veil... +Very long and white. +And you should wear your dark suit. +- And you and I will go... +- To a registry office. +- Is it a deal? +- It's a deal. +- You know I like this blackout. +- What's so good about it? +Hi! +- Stepan! +- Veronica! +- I've got a treat for both of you. +- Fine. +- What is it? +- It's a secret. +- Has it arrived? +- Yes, this morning. +- Why didn't you say so? +Tell me. +- Well, go on. +You should've seen what's going on over at the factory. +Make it short, will you? +I'm telling you: +There's so much excitement... +- Never mind that. +- Your folks told me... +- When do we report? +- Today at 5:30. +Look at those cherries! +Is anything wrong? +- They're nice! +- Army orders. +- No! +For you? +- Me too. +We both volunteered... +When? +- You volunteered? +- It's army orders. +Wait! +What about us? +Stepan... +No, I've got to go. +My folks are going to... +So long. +Squirrel! +I didn't want to tell you before your birthday. +- And now I have to go. +- Of course. +Boris! +Squirrel, what is this? +White cranes flying... +I like that. +I'm going to be all right. +Do you hear? +And after that we'll live together... +a hundred years. +Go on now. +We'll say goodbye later. +Don't be late. +What difference would it make if he went a day later? +What a nerve if he's still with Veronica. +- Boris! +- Did Dad call? +He was furious. +Why didn't you tell anyone? +So that we didn't have any scenes like that. +Get these prints back to the factory tomorrow. +- Give them to Kuzmin, the engineer. +- I will, don't worry. +What are you putting in there? +I'm going out for a bottle of wine. +Grandma, do me a favor. +Just a minute... +- Will they send you to the front? +- Probably. +Here, Grandma... +Wait. +Tomorrow when you get up, take this to her... +- What is it? +- Her birthday present. +And help her. +After all, it's war... +Please, be kind to her. +And what if I die? +You don't have the right, especially now, with so many secrets to protect. +- Well, suppose I do... +- Come on... +Quiet now, Grandma. +That's Veronica! +No, it's just Irina. +Thank heaven, you've come. +- Boris! +- Yes? +Come over here. +You're 25 years old and you behave like a fool. +What are we, children? +What is it? +Are we playing hide and seek? +Are you starved for adventures? +What kind of a man are you? +Where's Irina, and Mark? +Irina is making coffee, Mark went out for wine. +Coffee, wine... +What kind of send-off is that? +Irina! +Bring that thing from the medicine chest. +Boris, come over here. +- Where is Veronica? +- She'll be here. +- But where's she? +- She's busy. +She's supposed to be here. +Her fiance is going away. +I'm not her fiance. +- What are you then? +- Just a friend... +- That sounds suspicious... +- I don't mean that way, Dad. +- Then what do you mean? +- Look, give me a break. +- Here's the alcohol. +- Have it diluted. +I got some port wine. +Drink it yourself. +We'll have a more robust drink. +Well, are we all here? +Let's sit down. +It's Veronica. +Aren't you going to welcome her, friend? +At last! +Is Boris home? +We're from the factory. +Please, come in. +I thought it was the fiancee. +- We've come from the factory. +- What about the presents? +- Sorry. +This one's yours. +- Yes... +Thank you. +On behalf of the Factory Committee... +Comrade Boris, you must fight to the last drop of your blood. +Smash the accursed fascists, and we, in the factory, will fulfil and overfulfil our quotas. +We've heard all that before. +You'd betterjoin us and drink to my son, Boris. +Well, I suppose... life in this world of ours is not yet what we would like it to be. +Now you're going to war, Boris... +- Let's drink. +- To you. +Irina! +What about Grandma? +We saw my brother off last night. +My mother was crying... +- What about you? +- I was too. +- On whose behalf, the committee's? +- I wasn't thinking about that. +There's no one to see off in our family, we have 3 girls and Mom. +It's somewhat embarrassing... +I feel left out... +Yes, and when they come back, you'll really envy us. +The trouble is, not all of them will be coming back. +For those who don't, a magnificent monument, with their names inscribed in gold. +Irina, don'tjust sit there. +Fill the glasses. +And you folks in the rear, fulfil and overfulfil! +Now, Grandma, don't forget. +Mark, stay with Dad. +He'll be all right. +I'll see you off. +About face! +Platoon, forward march! +Take it, Grandma! +- Boris! +- Mamma! +- I won't see him again. +- I'm sorry, Mamma. +Drink it. +You'll feel better. +- Where are you going? +- To the hospital. +But you aren't on call now. +Varvara Kapitonovna, I've got to see Boris... +He's gone. +- Gone? +Where? +- To report for the Army. +- Oh, no! +- Come in. +- Where was he supposed to report? +- I don't know. +What is it? +It's from Boris. +For your birthday. +There's a note inside. +- Where's the note? +- Why? +Isn't it there? +Maybe it fell? +Maybe he forgot in a hurry. +- Forgot? +- He'll write to you. +Where were you? +- Where's Boris gone? +- It's the schoolyard near the park. +Calm down, she'll be here. +It would be quite a job finding someone in this crowd. +What are you doing? +Write to me. +Write every day. +Didn't I tell you to ship the cauliflower? +An airplane is high above, Over the roofs it's droning. +It's my sweetheart sends his love From his sky-high soaring. +It was used to be before That he saw me to my door. +Now it's been quite a turn-off: +I'm the one to see him off! +Don't forget to write your Army Post Office number. +- Cheer up, pug-nose! +- We'll wait till you come back. +Goodbye, Boris! +Take care! +Fall in! +She will come. +Boris! +Boris! +Dress! +Attention! +Forward march! +Boris! +That's my little chicken! +Boris! +Boris! +Grandma... +Nothing? +He hasn't written to me either. +- Any news? +- No. +Oh, this damn war! +We'll have to keep going somehow. +Have you decided about a job? +I'm starting at the war factory tomorrow. +Air-raid alert! +Hurry on to the subway. +I've got to finish this. +Get your things. +- Where's the knapsack? +- It's over there. +I won't go without you. +If it gets bad, we'll run down. +Go on, now. +Be careful in the subway! +She's so frightened, poor thing. +Aren't you? +When I know that Veronica's safe and you're with me, +I'm not such a coward. +The filthy murderers! +We'll get back at you, you wait! +He's not writing to me. +Oh, he must have written. +It's just the mail. +All clear! +The air raid has been terminated. +Let's go! +Here's where I live now. +If you decide to work with us, call me at the factory. +- I will. +- Goodbye. +Get down here! +Come back! +What's the matter? +Are you crazy? +I'm sorry. +Veronica, you can stay with us from now on. +You can have Boris' room. +Mark will move in with Fedya... +Mark, she'll need some attention to keep her from brooding. +Irina and I are so busy at the hospital. +I'll do what I can, Uncle Fedya. +I promised Boris. +- Is it agreed? +- Um-hmm. +Is this the factory? +May I speak to Kuzmin? +He was drafted, too? +Excuse me, has anyone heard from Boris Borozdin? +If it weren't for this damn war, +I'd be playing this in the Tchaikovsky Hall. +For you. +Veronica! +Let's go to the subway. +- I'm not going. +- Don't be silly. +Come on. +- Are you afraid? +- For you. +Come with me. +I'm not afraid of anything. +- Veronica, let's go to the subway! +- No, I'm not going. +- Stop it! +You've gone crazy! +- I'm not going! +I love you. +No. +- I love you! +- No! +No! +- I love you! +- Go away! +- I love you! +- No! +No! +No! +It's stupid to get surrounded like this. +- Stepan, quit whining. +- Who's whining? +I'm not. +The captain said we might be able to break out by tonight. +Yeah, that's what he says. +Sachkov! +Where'd you find that rookie? +In the incubator. +He's our reinforcements. +Now we'll break through for sure. +Is that a way to talk about a married soldier? +I got yoked in my last year of school. +The result of too much of education. +You're funny. +Laughed yourselves right into a trap, I guess. +- Volodya, you really married? +- I said it to sound important. +- Borozdin! +- Yes? +You'll go on a reconnaissance mission. +You got to find the best place for us to break through tonight. +- Turn in your documents. +- Yes, sir. +Hey, Sachkov! +Take this, will you? +Why don't we rest? +And have a smoke. +Is she always laughing like that? +She probably thinks we're all dead. +Let me see that beauty. +Hey, that's the soldier's life for you! +- You're here, and she... +- And she what? +Hey, let me try that thing. +- Hold it, will you, Sachkov? +- Certainly. +Not bad for a first try. +Stop that! +- Aren't you ashamed? +- No, sir. +- Five days under arrest! +- Yes, sir. +- You both go on a reconnaissance. +- Why? +Turn in your papers! +Boris, here. +On account of her? +- I'd say she was worth it. +- She sure is! +However, we must maintain discipline! +You hear that? +Discipline... +Stepan, keep this. +Be careful, don't lose it. +We... +We'll get married, Uncle Fedya. +Oh, I forgot. +There's some sausage left. +- Keep your head down! +- Stop ordering around! +Let's get out of here before they get wise. +- If you're scared, run. +- Come on, you idiot! +Hey! +Musician! +Are you deaf? +Why the devil I'v got tied up with him? +What's wrong with you? +Can you hear me? +- Go on. +I want to rest for a while. +- Are you wounded? +Hold on to me. +- Leave me alone. +- I tell you, get up! +Now hang on, hold tight. +This way's no good. +I'll have to carry you. +Come on, leave me here. +Are you still sore because I punched you? +- You were just lucky, otherwise... +- Shut up, we'll talk later. +Here we go... +Are you all right? +Hold on, friend. +It's only a little way to the woods. +We'll be safe there. +I'm winded. +Let's rest a bit. +It's a little quieter here. +How are you? +It's hard to breathe. +Hold on, we'll have to get you married yet... +Hey, buddy! +What's the matter with you? +What's wrong? +Forgive me, friend, forgive me... +It's my fault... +Forgive me... +friend... +Hey, somebody! +Help! +Help! +Help! +Can you hear me, Boris? +Are you hit? +It's nothing, I am just... +The Soviet Information Bureau reports that there were no important changes on the front in the past 24 hours. +No news is good news. +Families evacuated with Plant 326 will be quartered on Vosstaniya Street. +Comrades, report here, please. +- Irina, help me with the wounded. +- I'll get an orderly. +Everybody off! +Siberia! +We can't run much farther. +Poor Mother Russia! +Attention, please! +Chief of Army Hospital, Comrade Borozdin, please report to the military commandant at once. +Maybe we'll find peace here at last. +Out of the way, the evacuated. +Your stove is smoking. +Oh, I'm sorry. +Save your dreaming till the war is over. +Where are you going? +To the hospital. +I'm on duty. +She wanders around like a ghost, all nerves. +The poor thing is waiting for a letter. +From whom? +Her husband's not up at the front like ours. +She's not waiting for any letter. +- D'you have the 2nd shift at school? +- Yes. +Cranes like ships, Sailing up in the sky... +I can't get those silly verses out of my head. +There she is! +- Who? +- The mail carrier. +If I can count up to 50, there'll be a letter for me. +- One, two, three, four... +- Stop it, Veronica. +- Fifteen, sixteen... +- Veronica, this is madness. +- Nineteen, twenty... +- Stop it! +Forty-seven, forty-eight... +- Good morning! +- Good morning! +Sorry, nothing for you. +Here you are. +- Lebedeva? +- That's me. +- Paliukaitis? +- Nothing. +From my eldest. +From the Ukrainian Front. +I didn't know Boris. +But everyone says what a fine, talented boy he was. +Was? +Listed as missing in action doesn't mean he was killed. +Of course not. +I just didn't put it right. +- What's wrong, Veronica? +- I'm dying, Anna Mikhailovna. +Come on, Veronica. +You poor child. +I've lost everything. +You have your whole life before you. +I don't want it! +What's it good for? +You must forget the past. +It is human nature to forget. +I don't want to forget. +I don't need it. +But you can't go on tormenting yourself for your mistakes. +I should do it. +All my life. +You teach history. +You're a wise woman. +Tell me what's the meaning of life? +The meaning of life? +Maybe it's in... +- Did Chernov get here yet? +- Not yet. +Wow, I'm really famished! +Try to be nice to Chernov when he comes, please. +He makes me ill. +I feel exactly the same way, but after all he's my boss. +That gives you a reason to lick his boots? +Please, Veronica, this can't go on. +You're always so irritable, always criticizing. +Tell me, how can I make you happy? +Just disappear. +Come in, it's open. +Come in! +Mark, pardon my invasion. +Not at all. +It's a pleasure. +Here, let me take that. +Did you see the paper? +The Germans have advanced in the Caucasus. +Yes, it's awful. +But we'll show them what we're made of yet! +Please make yourself comfortable. +It's warm here. +Your place is nice and cozy. +My wife and children are in Tashkent, so I'm kind of homeless. +- Good day, Veronica. +- Good day. +- Where are you going, darling? +- To the hospital. +I'm on duty. +Bundle up. +It's very cold. +I admire your wife. +She's so honest... +She must be very happy with you. +- I was looking for you at the Philharmonic. +- Was there a concert? +No. +But are you going to the birthday party tonight? +I might. +- What are you giving her? +- What can I give her? +The war! +Yes, this war. +It's nothing gorgeous, of course, but tie a little trifle to it and Antonina will be pleased. +It's wonderful! +What do I owe you? +- It's really nothing, forget it. +- Thank you very much. +Mark, can you do me a favor? +- Is someone up there? +- No. +Could you get some drugs for me from Feodor Ivanovich? +Fine job, Irina. +He'll pull through. +I hope so. +It would be downright mean of him not to. +Irina, you should have been a man! +I'm doing all right as a girl. +Veronica! +What are you doing here so early? +The clock was fast. +Poor girl... +I can't forgive her for what she did to Boris. +New patients again! +I told them I have no more room. +I'm running a hospital, not a barrel of herrings! +- Are these from Kalach? +- From Stalingrad. +Some from the front line, others from the hospitals. +No place for us here, either. +Don't worry, they'll find room. +I'll take 80 men. +The rest will have to go to other hospitals. +Let's see now... +Please give my regards to Sergei, +Feodor, Vassily, Aunt Maria, +Agraphyona, Catherine, Barbara, +Nikolai, Catherine... +- You already said Catherine. +- That's another one. +- Don't you want to explain it? +- They'll figure it out. +So, Zinaida, Antonina, Kuzma... +Nurse! +- What do you want, Vorobyov? +- Never mind. +Nurse! +- He wants a potty. +- I'll give it to him. +Thanks. +That's beautiful music! +Turn it up a little louder, will you please? +Shut up your music! +Turn it down! +You hear me? +Who was that shouting? +I did, so what? +- Zakharov, what's wrong? +- Leave ma alone! +He's gone berserk. +He got bad news from home this morning. +His girl just got married to a friend of his, bitch. +He hasn't had a bite to eat. +Try to see what you can do, nurse. +Those broads are worse than fascists, aiming right in the heart. +You must try to eat. +It's the only way to get well. +I don't want to get well! +I just want to croak! +Get the doctor. +Calm down. +Please, calm down. +Because of a woman... +What a dumbbell! +Get the doctor! +Get the doctor now! +Quit that yelling! +Cackling like a bunch of hens! +Where will they take us now? +There're plenty of hospitals in this wide world. +Guys, the chief is coming! +Bastards! +Quiet down! +You're a soldier in the Red Army! +Want to desert it? +You afraid that if we cure you, you might go back in the army? +You're not being fair. +He got a bad letter from home. +I know. +That's just an excuse. +So what if his girl's left him? +Good riddance! +She's not worth a dime if she gave up a handsome soldier like this, a real hero, for a puny draft-dodger! +Right. +She's the one who's missed her happiness! +And whatever she's got, she deserves it! +What a petty soul! +Can a woman like that understand the suffering you've gone through? +Killing her would be too good for her kind. +You stood the most difficult trial. +You looked death in the face, went to meet it yourself. +And she couldn't stand the small test of time. +For women like that, no honorable man can have anything but contempt! +For such creatures there is no pardon! +Bandage him! +Aunt Sima, bring him fresh porridge and some hot tea. +Be good now. +Veronica... +What the hell kind of a mother are you? +Keep an eye on your kid! +And I'll be held responsible! +Daydreaming, you fool! +- Who are you? +- Mamma's boy. +- Where are you from? +- From Voroshilovgrad. +- How old are you? +- Three months and three years. +- What's your name? +- Boris. +- What? +- Boris. +- Why the fancy get-up? +- A concert in the hospital. +- A likely story! +- All right, all right. +- Is Mark here? +- So far yes. +I've been saving this for you. +Thank you very much, Anna Mikhailovna. +It's for a little boy we know. +It's his birthday. +I wish everyone were as kind- hearted as you are, Mark. +The symptomatology of this type of compound injury depends primarily on changes in the nodal structure... +- Interesting, but beyond me. +- Why, it's really quite simple. +They are not readily apparent to the clinical practitioner, but in most cases the etiology... +- What is this? +- What kind of a trick is that? +What do you mean, trick? +The poor child lost his parents. +I want my mommy! +You ought to have taken him to the Foundling Center. +You go yourself to the Center! +- Rude child! +- I'm not, you're rude! +Now, don't cry. +We'll go find your mommy in Voroshilovgrad. +Now, now, be quiet. +- Poor baby, he wants his mommy. +- Look, here comes a goat... +Stop rattling. +You're hurting my ears. +Here, play with the cover. +Don't you want it? +Oh, my God. +Here's a bagel roll for you. +Keep him quiet! +He's driving me crazy. +If we had some toys for him to play with... +Irina, take him for a minute. +Hah, what next? +Stop crying, will you? +Let me take him. +Come on, my little one, my little Boris... +I'll undress you and put you to bed... +Have anyone seen my squirrel? +Yes, Mark took it. +- Why? +- He's giving it to some boy. +My squirrel to a boy? +- Where's Mark? +- I don't know. +- Where's Mark? +- I don't know. +You're hiding something from me. +You know where he's, don't you? +Where's he? +He's probably gone to Antonina's party. +- What Antonina? +- Why don't you ask Mark? +- Who's she, tell me! +- Don't order me around. +Mark visits her occasionally. +Do you get it? +- You're saying this to spite me. +- Why would I want to? +Because I'm married, I'm loved, and you're still a spinster! +Stop it, Veronica! +Antonina lives near the food shop, in the little house next door. +Go over there and see for yourself. +Calm down. +I should do something. +When Mark comes home, you'll have a talk. +But now you must wait. +Sure, I must wait... +That's all I've been doing all the time. +That's enough! +May our lips benumb. +Words are futile. +They so often lie perchance. +And only our eyes Will never dare lie, +Forever true their parting glance. +My eyes are now sad and dark, +As though therein a candle was put out... +In Leningrad after my parties we'd go for a ride, from one part of the city to the other. +Arrange for a ride now. +There's a war on, Antonina. +Cars are worth its weight in gold, the gasoline is strictly rationed. +Get any kind of car! +I beg you! +A fire-engine, an ambulance, a truck... anything! +Let me hope where there's hope no longer! +Just the two of us? +To the point of full abandon? +I'll see what I can do. +I love you! +Sorry, I don't dance. +I thought I'd tried everything, but I've never tried golden chestnuts. +Look, a note! +- It's a birthday note for me. +- Congratulations! +Where's the squirrel? +Where's my squirrel? +Look, you mustn't think that... +There's a note here from somebody named Boris. +My only one, happy birthday... +On this day you were born. +It's hard leaving you. +But it can't be helped. +It's war! +I must go. +We can't go on living the way we did, enjoying ourselves while death stalks our land. +We will be happy some day. +I love you, I trust you. +Your Boris. +Why are you so alarmed? +Go home. +I'll be right back. +Why? +- Take your coat off. +- Thank you. +You know, all the Philharmonic cars are being used tonight, and I must have a car. +You're Chief Surgeon, you won't refuse me this little favor... +Transportation is our most critical problem. +It was difficult for me too, but I did my best. +I went out of my way, because you asked me... +- What I asked you? +- The exemption. +Now it's about to expire, and this time to get it will be almost impossible. +- What d'you mean, exemption? +- The exemption for Mark. +You can be sure I handled the whole thing discreetly. +Could Mark have done it without informing you? +He even offered me money in your name... +I'm sorry. +I'm glad you're here, Uncle Fedya. +I wish you'd talk to her. +She burst in without being invited, started a fight... +Shut the door. +Do you believe that anybody likes having his son marching off to war? +What do you mean? +Or do you believe that for your petty pleasures and well-being others must lose their arms, legs, eyes, jaws, even their lives? +And you owe nothing to no one? +You know I've got an exemption, Uncle Fedya. +Tell us how you got this exemption. +What are you doing, Veronica? +It's all right. +I'm going to rent a room. +And I'm taking the boy... +Perhaps someone else had better rent a room? +Gladly. +I've been wanting to for a long time. +I wish you'd driven me out in the first place. +You've been through a terrible ordeal. +Only one who had done something worse could have condemned you. +Stay with us. +I can't. +I cannot hide behind someone else's back. +I don't want to. +Think it over. +Listen, where can I find the Borozdin family? +- Which one are you looking for? +- Feodor Ivanovich. +He is not in at the moment. +Are you from Boris? +No, I'm by myself. +I have to see Feodor Ivanovich. +- Won't you sit down? +- Thanks. +Feodor Ivanovich should be here in a few minutes. +- May I go out? +- All right. +- Is he yours? +- Yes, he's mine. +He looks like you. +Are you a relative of the Borozdins? +Not really. +Well, I've done all the fighting I'll ever do. +Going home? +Not yet. +Leningrad's still blockaded. +- Yeah, I'm in a spot. +- Why? +I guess there's no harm in telling you because you're not the family. +But how do you tell a man his son was killed? +- Where did it happen? +- Near Smolensk. +What do you want me to play? +I don't care. +Tell me, did you see him buried? +No. +I was put on a stretcher and taken to a hospital, and he was with a friend of his, Stepan. +Stepan... +I've got to find his girl now. +He was really in love with her. +I'm the girl. +Come to see us when you're in Moscow, Volodya. +Thanks very much. +I will. +The war's over. +It's strange, isn't it? +And you're still waiting? +I am. +One must always keep on hoping. +What's the use of waiting? +I saw it with my own eyes. +What did you see? +You saw him wounded? +You saw him fall? +You didn't see him die. +But if he's alive, why hasn't he written to you? +Anything could happen. +Stepan hasn't written to anyone either. +They know at the factory that he was in some Special Operations. +Dasha promised to let me know when he's back. +Boris is alive. +He's alive. +Look! +The victors are coming! +Kolia, darling, you're back! +Boris! +Veronica! +Stepan! +The flowers... +For you. +Well? +What? +You see... +Well... +My darling! +Dear mothers, fathers, brothers and sisters! +The happiness of our reunion is boundless. +The heart of every Soviet citizen sings with joy, the joy of victory! +We have all waited for this happy moment. +We dreamed of it in the darkest hours of our struggle. +But we'll never forget those who lie silent on the battlefield. +Years will pass, our cities will rise again, and our wounds may one day be forgotten. +Let one thing remain in our hearts, a cold hatred of war! +We deeply feel the grief of those who cannot meet their loved ones today. +We must all take a vow to keep our promise that sweethearts will never again be parted by war, that mothers may never again fear for their children, that our brave fathers may not stealthily swallow their tears. +We have won and remained alive, not for destruction but to build a new life! +Don'tjust stand there. +Give the flowers to whoever they're for. +Thank you very much, sister. +Oh, what a darling! +What a chubby little darling! +Look, the cranes are flying over Moscow! +The End +MOSFILM +Wait, Squirrel! +Here, put it on. +Look! +Cranes like ships Sailing up in the sky, +White ones and grey ones, With long beaks, they fly! +Look! +You see... +You with your "cranes like ships". +THE CRANES ARE FLYING +Written by V. ROZOV +Directed by M. KALATOZOV +Director of Photography S. URUSEVSKY +Associate Director +- B. FRIDMAN Production Designer +- Y. SVIDETELEV +Music by M. VAINBERG Sound by I. MAYOROV +English subtitles by T. KAMENEVA +Starring +T. SAMOILOVA as Veronica A. BATALOV as Boris +V. MERKURIEV as Feodor Ivanovich +A. SHVORIN as Mark S. KHARITONOVA as Irina +K. NIKITIN as Volodya V. ZUBKOV as Stepan +A. BOGDANOVA as Grandma B. KOKOVKIN as Chernov +Ye. +KUPRIANOVA as Anna Mikhailovna +An Order of Lenin Film Studio "Mosfilm" production, 1957 +Who is there? +Wait! +Well, all right. +Say when, then. +Thursday, on the embankment. +Come on, that's too long. +Squirrel! +You haven't told me when! +Squirrel, at what time? +What time on Thursday? +No, I can't make it. +I'll be working. +- All right. +- Don't be late. +Squirrel! +- She's gone crazy over him. +- And he's over her. +That's love, my dear. +A harmless mental disturbance. +Grandma, why aren't you asleep? +Because it's time to get up, Boris! +Stop chomping! +Running around all night... +Are you jealous? +You haven't torn it, have you? +Your jacket's all right. +Outrageous! +It's noon and he's still in bed. +The boy deserves a good rest on Sunday. +He works hard. +That work of his will result in a marriage. +That's when you'll be really jealous. +For Irina, her diploma comes first. +Look out, Uncle Fedya. +She'll be a full professor soon, while you're still only a MD. +If children don't surpass their parents, then the children are fools then the children are fools +Thanks, Mamma. +This is Radio Moscow broadcasting over all of the Soviet Union! +- What is it? +- What has happened? +Boris! +We're at war! +Do you hear? +We're at war! +Leave me alone! +Hi! +Boris is working day and night. +Boris is working day and night. +I'm not waiting for anyone. +Verónica. +In time of war, one should not get confused. +One should hold on to +Take me. +I dream of dedicating to you my first symphony. +Will you come to the concert? +Suppose the Army calls you up? +The Army? +I doubt it. +Hardly. +Why "hardly"? +The most talented ones will be exempted. +- Are you the most talented one? +- Me? +Certainly. +Why are you following me around? +Aren't you ashamed? +I am. +I tried to keep away from you. +I know, Boris is my cousin. +But I can't help myself! +Wait! +- Wait! +- I'm going home alone. +Hey, slow down! +You just had an operation. +I'd better be in shape for that field-pack. +They're not wasting men like you in the Army. +There'll only be one exemption here, and one of us'll get it. +They'd better give it to you. +You've got knowledge, experience. +And you've got talent. +Save your sketches. +My wife's already got my bag packed. +Well, as they say, let's get our bayonets ready. +Hey, Stepan! +Guys, give me a hand... +Stepan! +Excuse me, Sachkov. +- Where's the summons? +- Not yet. +I can't wait. +- Are you off now? +- No, I've got those sketches... +- I see. +Take care. +- Okay. +- Hey! +- Yeah? +- Have you told her? +- No, it's too early... +- You're right. +See you tomorrow. +- Right. +- Let go. +- I won't. +- You're going to fall down. +- No, I won't. +- You'll rip up the blackout. +- It's a blanket. +I'm going to call the militia. +I'm sick of the blackout. +Give me the blanket. +- Let go. +You'll fall. +- No, I won't. +Come on, Squirrel, cut it out. +Let me hang this up. +You didn't come to the embankment today, but Mark did. +- He's very handsome. +- So what? +- Aren't you jealous? +- What? +- Aren't you jealous? +- I haven't got the time for it. +I won't have much time either when I go to the architecture college. +You'll never pass the entrance exams. +- I will! +- I doubt it +Cranes like ships Sailing up in the sky, +White ones and grey ones, With long beaks, they fly. +- Do you like my song? +- Very profound. +Oh frogs, you keep on croaking, Why didn't you think of looking up? +You went on leaping, in mud soaking That's why you ended eaten up. +- All right, you won, hero. +- I won, I won! +I won. +All right. +- D'you think you'll be drafted? +- Sure. +- You won't volunteer? +- I might. +Why not? +No, you won't! +I won't let you. +You know you'll get an exemption. +That's why you talk so big. +- Why do you think so? +- Everyone smart will be exempted. +Then the only ones to do the fighting will be the fools. +I don't want to talk to you ever again. +Veronica, there's something I must tell you. +I don't want to hear it. +And, please, don't call me Veronica. +- Who am I? +- Squirrel. +Listen... +- What will you give me tomorrow? +- It's a secret. +If you give me something sweet I'll eat it up and forget about it. +Give me something to remember you with. +Kiss me now. +When I'm with you, I'm not afraid of anything. +Not even the war. +Though, I'm afraid of the militia. +- Veronica... +- You know what? +- Do you know? +- No. +I'll have a beautiful white dress made for our wedding. +One like my grandmother had. +And a veil... +Very long and white. +And you should wear your dark suit. +- And you and I will go... +- To a registry office. +- Is it a deal? +- It's a deal. +- You know I like this blackout. +- What's so good about it? +Hi! +- Stepan! +- Veronica! +- I've got a treat for both of you. +- Fine. +- What is it? +- It's a secret. +- Has it arrived? +- Yes, this morning. +- Why didn't you say so? +Tell me. +- Well, go on. +You should've seen what's going on over at the factory. +Make it short, will you? +I'm telling you: +there's so much excitement. +- Never mind that. +- Your folks told me... +- When do we report? +- Today at 5:30. +Look at those cherries! +Is anything wrong? +- They're nice! +- Army orders.. +- No! +For you? +- Me too. +We both volunteered... +When? +- You volunteered? +- It's army orders. +Wait! +What about us? +Stepan... +No, I've got to go. +My folks are going to... +So long. +Squirrel! +I didn't want to tell you before your birthday. +- And now I have to go. +- Of course. +Boris! +Squirrel, what is this? +White cranes flying... +I like that. +I'm going to be all right. +Do you hear? +And after that we'll live together... +a hundred years. +Go on now. +We'll say goodbye later. +Don't be late. +What difference would it make if he went a day later? +What a nerve if he's still with Veronica. +- Boris! +- Did Dad call? +He was furious. +Why didn't you tell anyone? +So that we didn't have any scenes like that. +Get these prints back to the factory tomorrow. +- Give them to Kuzmin, the engineer. +- I will, don't worry +What are you putting in there? +I'm going out for a bottle of wine. +Grandma, do me a favor. +Just a minute... +- Will they send you to the front? +- Probably. +Here, Grandma.. +Wait. +Tomorrow when you get up, take this to her... +- What is it? +- Her birthday present. +And help her. +After all, it's war... +Please, be kind to her. +And what if I die? +You don't have the right, especially now, with so many secrets to protect. +- Well, suppose I do... +- Come on... +Quiet now, Grandma. +That's Veronica! +No, it's just Irina. +Thank heaven, you've come. +- Boris! +- Yes? +Come over here. +You're 25 years old and you behave like a fool. +What are we, children? +What is it? +Are we playing hide and seek? +Are you starved for adventures? +What kind of a man are you? +Where's Irina, and Mark? +Irina is making coffee, Mark went out for wine. +Coffee, wine... +What kind of send-off is that? +Irina! +Bring that thing from the medicine chest. +Boris, come over here. +- Where is Veronica? +- She'll be here. +- But where's she? +- She's busy. +She's supposed to be here. +Her fiance is going away. +I'm not her fiance. +- What are you then? +- Just a friend... +- That sounds suspicious... +- I don't mean that way, Dad. +- Then what do you mean? +- Look, give me a break. +- Here's the alcohol. +- Have it diluted. +I got some port wine. +Drink it yourself. +We'll have a more robust drink. +Well, are we all here? +Let's sit down.. +It's Veronica. +Aren't you going to welcome her, friend? +At last! +Is Boris home? +We're from the factory. +Please, come in. +I thought it was the fiancee.. +- We've come from the factory. +- What about the presents? +- Sorry. +This one's yours. +- Yes... +Thank you. +On behalf of the Factory Committee.... +Comrade Boris, you must fight to the last drop of your blood +Smash the accursed fascists, and we, in the factory, will fulfil and overfulfil our quotas. +We've heard all that before. +You'd better join us and drink to my son, Boris. +Well, I suppose... life in this world of ours is not yet what we would like it to be. +Now you're going to war, Boris... +- Let's drink. +- To you. +Irina! +What about Grandma? +We saw my brother off last night. +My mother was crying... +- What about you? +- I was too. +- On whose behalf, the committee's? +- I wasn't thinking about that. +There's no one to see off in our family, we have 3 girls and Mom. +It's somewhat embarrassing... +I feel left out... +Yes, and when they come back, you'll really envy us. +The trouble is, not all of them will be coming back. +For those who don't, a magnificent monument, with their names inscribed in gold. +Irina, don't just sit there. +Fill the glasses. +And you folks in the rear, fulfil and overfulfil! +Now, Grandma, don't forget. +Mark, stay with Dad. +He'll be all right. +I'll see you off. +About face! +Platoon, forward march +Take it, Grandma! +- Boris! +- Mamma! +- I won't see him again. +- I'm sorry, Mamma. +Drink it. +You'll feel better. +- Where are you going? +- To the hospital. +But you aren't on call now. +Varvara Kapitonovna, I've got to see Boris... +He's gone. +- Gone? +Where? +- To report for the Army. +- Oh, no! +- Come in. +- Where was he supposed to report? +- I don't know. +What is it? +It's from Boris. +For your birthday. +There's a note inside.. +- Where's the note? +- Why? +Isn't it there? +Maybe it fell? +Maybe he forgot in a hurry. +- Forgot? +- He'll write to you. +Where were you? +- Where's Boris gone? +- It's the schoolyard near the park. +Calm down, she'll be here. +It would be quite a job finding someone in this crowd. +What are you doing? +Write to me. +Write every day. +Didn't I tell you to ship the cauliflower? +An airplane is high above, Over the roofs it's droning. +It's my sweetheart sends his love From his sky-high soaring. +It was used to be before That he saw me to my door. +Now it's been quite a turn-off: +I'm the one to see him off! +Don't forget to write your Army Post Office number. +- Cheer up, pug-nose! +- We'll wait till you come back. +Goodbye, Boris! +Take care! +Fall in! +She will come. +Boris! +Boris! +Dress! +Attention! +Forward march! +Boris! +That's my little chicken! +Boris! +Boris! +Grandma... +Nothing? +He hasn't written to me either. +- Any news? +- No. +Oh, this damn war! +We'll have to keep going somehow. +Have you decided about a job? +I'm starting at the war factory tomorrow. +Air-raid alert! +Hurry on to the subway. +I've got to finish this. +Get your things. +- Where's the knapsack? +- It's over there.. +I won't go without you. +If it gets bad, we'll run down. +Go on, now. +Be careful in the subway! +She's so frightened, poor thing. +Aren't you? +When I know that Veronica's safe and you're with me, +I'm not such a coward. +The filthy murderers! +We'll get back at you, you wait! +He's not writing to me. +Oh, he must have written. +It's just the mail. +All clear! +The air raid has been terminated. +Let's go! +Here's where I live now. +If you decide to work with us, call me at the factory. +- I will. +- Goodbye. +Get down here! +Come back! +What's the matter? +Are you crazy? +I'm sorry. +Veronica, you can stay with us from now on. +You can have Boris' room. +Mark will move in with Fedya... +Mark, she'll need some attention to keep her from brooding.. +Irina and I are so busy at the hospital. +I'll do what I can, Uncle Fedya. +I promised Boris. +- Is it agreed? +- Um-hmm. +Is this the factory? +May I speak to Kuzmin? +He was drafted, too? +Excuse me, has anyone heard from Boris Borozdin? +If it weren't for this damn war, +I'd be playing this in the Tchaikovsky Hall. +For you. +Veronica! +Let's go to the subway. +- I'm not going. +- Don't be silly. +Come on. +- Are you afraid? +- For you +Come with me. +I'm not afraid of anything. +- Veronica, let's go to the subway! +- No, I'm not going. +- Stop it! +You've gone crazy! +- I'm not going! +I love you. +No. +- I love you! +- No! +No! +- I love you! +- Go away +- I love you! +- No! +No! +No! +It's stupid to get surrounded like this. +- Stepan, quit whining. +- Who's whining? +I'm not. +The captain said we might be able to break out by tonight. +Yeah, that's what he says. +Sachkov! +Where'd you find that rookie? +In the incubator. +He's our reinforcements. +Now we'll break through for sure. +Is that a way to talk about a married soldier? +I got yoked in my last year of school. +The result of too much of education. +You're funny. +Laughed yourselves right into a trap, I guess. +- Volodya, you really married? +- I said it to sound important. +- Borozdin! +- Yes? +You'll go on a reconnaissance mission. +You got to find the best place for us to break through tonight. +- Turn in your documents. +- Yes, sir. +Hey, Sachkov! +Take this, will you? +Why don't we rest? +And have a smoke. +Is she always laughing like that? +She probably thinks we're all dead. +Let me see that beauty. +Hey, that's the soldier's life for you! +- You're here, and she... +- And she what? +Hey, let me try that thing. +- Hold it, will you, Sachkov? +- Certainly. +Not bad for a first try. +Stop that! +- Aren't you ashamed? +- No, sir. +- Five days under arrest! +- Yes, sir. +- You both go on a reconnaissance. +- Why? +Turn in your papers! +Boris, here. +On account of her? +- I'd say she was worth it. +- She sure is! +However, we must maintain discipline! +You hear that? +Discipline.... +Stepan, keep this. +Be careful, don't lose it. +We... +We'll get married, Uncle Fedya. +Oh, I forgot. +There's some sausage left. +- Keep your head down! +- Stop ordering around! +Let's get out of here before they get wise. +- If you're scared, run. +- Come on, you idiot! +Hey! +Musician! +Are you deaf? +Why the devil I'v got tied up with him? +What's wrong with you? +Can you hear me? +- Go on. +I want to rest for a while. +- Are you wounded? +Hold on to me. +- Leave me alone. +- I tell you, get up! +Now hang on, hold tight. +This way's no good. +I'll have to carry you. +Come on, leave me here. +Are you still sore because I punched you? +- You were just lucky, otherwise... +- Shut up, we'll talk later. +Here we go... +Are you all right? +Hold on, friend. +It's only a little way to the woods. +We'll be safe there. +I'm winded. +Let's rest a bit. +It's a little quieter here. +How are you? +It's hard to breathe. +Hold on, we'll have to get you married yet... +Hey, buddy! +What's the matter with you? +What's wrong? +Forgive me, friend, forgive me... +It's my fault... +Forgive me... +friend... +Hey, somebody! +Help! +Help! +Help! +Can you hear me, Boris? +Are you hit? +It's nothing, I am just... +The Soviet Information Bureau reports that there were no important changes on the front in the past 24 hours. +No news is good news. +Families evacuated with Plant 326 will be quartered on Vosstaniya Street. +Comrades, report here, please. +- Irina, help me with the wounded. +- I'll get an orderly. +Everybody off! +Siberia! +We can't run much farther. +Poor Mother Russia! +Attention, please! +Chief of Army Hospital, Comrade Borozdin, please report to the military commandant at once.. +Maybe we'll find peace here at last. +Out of the way, the evacuated. +Your stove is smoking. +Oh, I'm sorry. +Save your dreaming till the war is over. +Where are you going? +To the hospital. +I'm on duty. +She wanders around like a ghost, all nerves. +The poor thing is waiting for a letter. +From whom? +Her husband's not up at the front like ours. +She's not waiting for any letter. +- D'you have the 2nd shift at school? +- Yes +Cranes like ships, Sailing up in the sky... +I can't get those silly verses out of my head. +There she is! +- Who? +- The mail carrier. +If I can count up to 50, there'll be a letter for me. +- One, two, three, four... +- Stop it, Veronica. +- Fifteen, sixteen... +- Veronica, this is madness. +- Nineteen, twenty... +- Stop it! +Forty-seven, forty-eight... +- Good morning! +- Good morning! +Sorry, nothing for you. +Here you are. +- Lebedeva? +- That's me. +- Paliukaitis? +- Nothing. +From my eldest. +From the Ukrainian Front. +I didn't know Boris. +But everyone says what a fine, talented boy he was. +Was? +Listed as missing in action doesn't mean he was killed. +Of course not. +I just didn't put it right. +- What's wrong, Veronica? +- I'm dying, Anna Mikhailovna. +Come on, Veronica. +You poor child. +I've lost everything. +You have your whole life before you. +I don't want it! +What's it good for? +You must forget the past. +It is human nature to forget. +I don't want to forget. +I don't need it. +But you can't go on tormenting yourself for your mistakes. +I should do it. +All my life. +You teach history. +You're a wise woman. +Tell me what's the meaning of life? +The meaning of life? +Maybe it's in... +- Did Chernov get here yet? +- Not yet. +Wow, I'm really famished! +Try to be nice to Chernov when he comes, please. +He makes me ill. +I feel exactly the same way, but after all he's my boss. +That gives you a reason to lick his boots? +Please, Veronica, this can't go on. +You're always so irritable, always criticizing. +Tell me, how can I make you happy? +Just disappear. +Come in, it's open. +Come in! +Mark, pardon my invasion. +Not at all. +It's a pleasure. +Here, let me take that. +Did you see the paper? +The Germans have advanced in the Caucasus. +Yes, it's awful. +But we'll show them what we're made of yet! +Please make yourself comfortable. +It's warm here. +Your place is nice and cozy. +My wife and children are in Tashkent, so I'm kind of homeless. +- Good day, Veronica. +- Good day. +- Where are you going, darling? +- To the hospital. +I'm on duty. +Bundle up. +It's very cold. +I admire your wife. +She's so honest... +She must be very happy with you. +- I was looking for you at the Philharmonic. +- Was there a concert? +No. +But are you going to the birthday party tonight? +I might. +- What are you giving her? +- What can I give her? +The war! +Yes, this war. +It's nothing gorgeous, of course, but tie a little trifle to it and Antonina will be pleased. +It's wonderful! +What do I owe you? +- It's really nothing, forget it. +- Thank you very much. +Mark, can you do me a favor? +- Is someone up there? +- No. +Could you get some drugs for me from Feodor Ivanovich? +Fine job, Irina. +He'll pull through. +I hope so. +It would be downright mean of him not to. +Irina, you should have been a man! +I'm doing all right as a girl. +Veronica! +What are you doing here so early? +The clock was fast. +Poor girl... +I can't forgive her for what she did to Boris. +New patients again! +I told them I have no more room. +I'm running a hospital, not a barrel of herrings! +- Are these from Kalach? +- From Stalingrad. +Some from the front line, others from the hospitals. +No place for us here, either. +Don't worry, they'll find room. +I'll take 80 men. +The rest will have to go to other hospitals. +Let's see now... +Please give my regards to Sergei, +Feodor, Vassily, Aunt Maria, +Agraphyona, Catherine, Barbara, +Nikolai, Catherine... +- You already said Catherine. +- That's another one. +- Don't you want to explain it? +- They'll figure it out. +So, Zinaida, Antonina, Kuzma... +Nurse! +- What do you want, Vorobyov? +- Never mind. +Nurse! +- He wants a potty. +- I'll give it to him. +Thanks. +That's beautiful music! +Turn it up a little louder, will you please? +Shut up your music! +Turn it down! +You hear me? +Who was that shouting? +I did, so what? +- Zakharov, what's wrong? +- Leave me alone! +He's gone berserk. +He got bad news from home this morning. +His girl just got married to a friend of his, bitch. +He hasn't had a bite to eat. +Try to see what you can do, nurse.? +Those broads are worse than fascists, aiming right in the heart. +You must try to eat. +It's the only way to get well. +I don't want to get well! +I just want to croak! +Get the doctor. +Calm down. +Please, calm down. +Because of a woman... +What a dumbbell! +Get the doctor! +Get the doctor now! +Quit that yelling! +Cackling like a bunch of hens! +Where will they take us now? +There're plenty of hospitals in this wide world. +Guys, the chief is coming! +Bastards! +Quiet down! +You're a soldier in the Red Army! +Want to desert it? +You afraid that if we cure you, you might go back in the army? +You're not being fair. +He got a bad letter from home. +I know. +That's just an excuse. +So what if his girl's left him? +Good riddance! +She's not worth a dime if she gave up a handsome soldier like this, a real hero, for a puny draft-dodger! +Right. +She's the one who's missed her happiness! +And whatever she's got, she deserves it! +What a petty soul! +Can a woman like that understand the suffering you've gone through? +Killing her would be too good for her kind. +You stood the most difficult trial. +You looked death in the face, went to meet it yourself. +And she couldn't stand the small test of time. +For women like that, no honorable man can have anything but contempt! +For such creatures there is no pardon! +Bandage him! +Aunt Sima, bring him fresh porridge and some hot tea. +Be good now. +Veronica... +What the hell kind of a mother are you? +Keep an eye on your kid! +And I'll be held responsible! +Daydreaming, you fool! +- Who are you? +- Mamma's boy. +- Where are you from? +- From Voroshilovgrad. +- How old are you? +- Three months and three years. +- What's your name? +- Boris. +- What? +- Boris. +- Why the fancy get-up? +- A concert in the hospital. +- A likely story! +- All right, all right. +- Is Mark here? +- So far yes. +I've been saving this for you. +Thank you very much, Anna Mikhailovna. +It's for a little boy we know. +It's his birthday. +I wish everyone were as kind- hearted as you are, Mark. +The symptomatology of this type of compound injury depends primarily on changes in the nodal structure... +- Interesting, but beyond me. +- Why, it's really quite simple. +They are not readily apparent to the clinical practitioner, but in most cases the etiology... +- What is this? +- What kind of a trick is that? +What do you mean, trick? +The poor child lost his parents. +I want my mommy! +You ought to have taken him to the Foundling Center. +You go yourself to the Center! +- Rude child! +- I'm not, you're rude! +Now, don't cry. +We'll go find your mommy in Voroshilovgrad. +Now, now, be quiet. +- Poor baby, he wants his mommy. +- Look, here comes a goat... +Stop rattling. +You're hurting my ears. +Here, play with the cover. +Don't you want it? +Oh, my God. +Here's a bagel roll for you. +Keep him quiet! +He's driving me crazy. +If we had some toys for him to play with... +Irina, take him for a minute. +Hah, what next? +Stop crying, will you? +Let me take him. +Come on, my little one, my little Boris... +I'll undress you and put you to bed... +Have anyone seen my squirrel? +Yes, Mark took it. +- Why? +- He's giving it to some boy. +My squirrel to a boy? +- Where's Mark? +- I don't know. +- Where's Mark? +- I don't know. +You're hiding something from me. +You know where he's, don't you? +Where's he? +He's probably gone to Antonina's party. +- What Antonina? +- Why don't you ask Mark? +- Who's she, tell me! +- Don't order me around. +Mark visits her occasionally. +Do you get it? +- You're saying this to spite me. +- Why would I want to? +Because I'm married, I'm loved, and you're still a spinster! +Stop it, Veronica! +Antonina lives near the food shop, in the little house next door. +Go over there and see for yourself. +Calm down. +I should do something. +When Mark comes home, you'll have a talk. +But now you must wait. +Sure, I must wait... +That's all I've been doing all the time. +That's enough! +May our lips benumb. +Words are futile. +They so often lie perchance. +And only our eyes Will never dare lie, +Forever true their parting glance. +My eyes are now sad and dark, +As though therein a candle was put out... +In Leningrad after my parties we'd go for a ride, from one part of the city to the other. +Arrange for a ride now. +There's a war on, Antonina. +Cars are worth its weight in gold, the gasoline is strictly rationed. +Get any kind of car! +I beg you! +A fire-engine, an ambulance, a truck... anything! +Let me hope where there's hope no longer! +Just the two of us? +To the point of full abandon? +I'll see what I can do. +I love you! +Sorry, I don't dance. +I thought I'd tried everything, but I've never tried golden chestnuts. +Look, a note! +- It's a birthday note for me. +- Congratulations! +Where's the squirrel? +Where's my squirrel? +Look, you mustn't think that... +There's a note here from somebody named Boris. +My only one, happy birthday... +On this day you were born. +It's hard leaving you. +But it can't be helped. +It's war! +I must go. +We can't go on living the way we did, enjoying ourselves while death stalks our land. +We will be happy some day. +I love you, I trust you. +Your Boris. +Why are you so alarmed? +Go home. +I'll be right back. +Why? +- Take your coat off. +- Thank you. +You know, all the Philharmonic cars are being used tonight, and I must have a car. +You're Chief Surgeon, you won't refuse me this little favor... +Transportation is our most critical problem. +It was difficult for me too, but I did my best. +I went out of my way, because you asked me... +- What I asked you? +- The exemption. +Now it's about to expire, and this time to get it will be almost impossible. +- What d'you mean, exemption? +- The exemption for Mark. +You can be sure I handled the whole thing discreetly. +Could Mark have done it without informing you? +He even offered me money in your name... +I'm sorry. +I'm glad you're here, Uncle Fedya. +I wish you'd talk to her. +She burst in without being invited, started a fight... +Shut the door. +Do you believe that anybody likes having his son marching off to war? +What do you mean? +Or do you believe that for your petty pleasures and well-being others must lose their arms, legs, eyes, jaws, even their lives? +And you owe nothing to no one? +You know I've got an exemption, Uncle Fedya. +Tell us how you got this exemption. +What are you doing, Veronica? +It's all right. +I'm going to rent a room. +And I'm taking the boy... +Perhaps someone else had better rent a room? +Gladly. +I've been wanting to for a long time. +I wish you'd driven me out in the first place. +You've been through a terrible ordeal. +Only one who had done something worse could have condemned you. +Stay with us. +I can't. +I cannot hide behind someone else's back. +I don't want to. +Think it over. +Listen, where can I find the Borozdin family? +- Which one are you looking for? +- Feodor Ivanovich. +He is not in at the moment. +Are you from Boris? +No, I'm by myself. +I have to see Feodor Ivanovich. +- Won't you sit down? +- Thanks. +Feodor Ivanovich should be here in a few minutes. +- May I go out? +- All right. +- Is he yours? +- Yes, he's mine. +He looks like you. +Are you a relative of the Borozdins? +Not really. +Well, I've done all the fighting I'll ever do. +Going home? +Not yet. +Leningrad's still blockaded. +- Yeah, I'm in a spot. +- Why? +I guess there's no harm in telling you because you're not the family. +But how do you tell a man his son was killed? +- Where did it happen? +- Near Smolensk. +What do you want me to play? +I don't care. +Tell me, did you see him buried? +No. +I was put on a stretcher and taken to a hospital, and he was with a friend of his, Stepan. +Stepan... +I've got to find his girl now. +He was really in love with her. +I'm the girl. +Come to see us when you're in Moscow, Volodya. +Thanks very much. +I will. +The war's over. +It's strange, isn't it? +And you're still waiting? +I am. +One must always keep on hoping. +What's the use of waiting? +I saw it with my own eyes. +What did you see? +You saw him wounded? +You saw him fall? +You didn't see him die. +But if he's alive, why hasn't he written to you? +Anything could happen. +Stepan hasn't written to anyone either. +They know at the factory that he was in some Special Operations. +Dasha promised to let me know when he's back. +Boris is alive. +He's alive. +Look! +The victors are coming! +Kolia, darling, you're back! +Boris! +Veronica! +Stepan! +The flowers... +For you. +Well? +What? +You see... +Well.... +My darling! +Dear mothers, fathers, brothers and sisters! +The happiness of our reunion is boundless. +The heart of every Soviet citizen sings with joy, the joy of victory! +We have all waited for this happy moment. +We dreamed of it in the darkest hours of our struggle. +But we'll never forget those who lie silent on the battlefield +Years will pass, our cities will rise again, and our wounds may one day be forgotten. +Let one thing remain in our hearts, a cold hatred of war! +We deeply feel the grief of those who cannot meet their loved ones today. +We must all take a vow to keep our promise that sweethearts will never again be parted by war, that mothers may never again fear for their children that our brave fathers may not stealthily swallow their tears. +We have won and remained alive, not for destruction but to build a new life! +Don't just stand there. +Give the flowers to whoever they're for +Thank you very much, sister. +Oh, what a darling! +What a chubby little darling! +Look, the cranes are flying over Moscow! +The End +Uploaded by George M +MOSFILM +Wait, Squirrel! +Here, put it on. +Look! +Cranes like ships Sailing up in the sky, +White ones and grey ones, With long beaks, they fly! +Look! +You see... +You with your "cranes like ships". +THE CRANES ARE FLYING +Written by V. ROZOV +Directed by M. KALATOZOV +Director of Photography S. URUSEVSKY +Associate Director +- B. FRIDMAN Production Designer +- Y. SVIDETELEV +Music by M. VAINBERG Sound by I. MAYOROV +English subtitles by T. KAMENEVA +Starring +T. SAMOILOVA as Veronica A. BATALOV as Boris +V. MERKURIEV as Feodor Ivanovich +A. SHVORIN as Mark S. KHARITONOVA as Irina +K. NIKITIN as Volodya V. ZUBKOV as Stepan +A. BOGDANOVA as Grandma B. KOKOVKIN as Chernov +Ye. +KUPRIANOVA as Anna Mikhailovna +An Order of Lenin Film Studio "Mosfilm" production, 1957 +Who is there? +Wait! +Well, all right. +Say when, then. +Thursday, on the embankment. +Come on, that's too long. +Squirrel! +You haven't told me when! +Squirrel, at what time? +What time on Thursday? +No, I can't make it. +I'll be working. +- All right. +- Don't be late. +Squirrel! +- She's gone crazy over him. +- And he's over her. +That's love, my dear. +A harmless mental disturbance. +Grandma, why aren't you asleep? +Because it's time to get up, Boris! +Stop chomping! +Running around all night... +Are you jealous? +You haven't torn it, have you? +Your jacket's all right. +Outrageous! +It's noon and he's still in bed. +The boy deserves a good rest on Sunday. +He works hard. +That work of his will result in a marriage. +That's when you'll be really jealous. +For Irina, her diploma comes first. +Look out, Uncle Fedya. +She'll be a full professor soon, while you're still only a MD. +If children don't surpass their parents, then the children are fools and the parents are no better. +Thanks, Mamma. +This is Radio Moscow broadcasting over all of the Soviet Union! +- What is it? +- What has happened? +Boris! +We're at war! +Do you hear? +We're at war! +Leave me alone! +Hi! +Boris is working day and night. +Are you waiting for him? +I'm not waiting for anyone. +Veronica! +In time of war, one should not get confused. +One should hold on to a normal life pace. +Take me. +I dream of dedicating to you my first symphony. +Will you come to the concert? +Suppose the Army calls you up? +The Army? +I doubt it. +Hardly. +Why "hardly"? +The most talented ones will be exempted. +- Are you the most talented one? +- Me? +Certainly. +Why are you following me around? +Aren't you ashamed? +I am. +I tried to keep away from you. +I know, Boris is my cousin. +But I can't help myself! +Wait! +- Wait! +- I'm going home alone. +Hey, slow down! +You just had an operation. +I'd better be in shape for that field-pack. +They're not wasting men like you in the Army. +There'll only be one exemption here, and one of us'll get it. +They'd better give it to you. +You've got knowledge, experience. +And you've got talent. +Save your sketches. +My wife's already got my bag packed. +Well, as they say, let's get our bayonets ready. +Hey, Stepan! +Guys, give me a hand... +Stepan! +Excuse me, Sachkov. +- Where's the summons? +- Not yet. +I can't wait. +- Are you off now? +- No, I've got those sketches... +- I see. +Take care. +- Okay. +- Hey! +- Yeah? +- Have you told her? +- No, it's too early... +- You're right. +See you tomorrow. +- Right. +- Let go. +- I won't. +- You're going to fall down. +- No, I won't. +- You'll rip up the blackout. +- It's a blanket. +I'm going to call the militia. +I'm sick of the blackout. +Give me the blanket. +- Let go. +You'll fall. +- No, I won't. +Come on, Squirrel, cut it out. +Let me hang this up. +You didn't come to the embankment today, but Mark did. +- He's very handsome. +- So what? +- Aren't you jealous? +- What? +- Aren't you jealous? +- I haven't got the time for it. +I won't have much time either when I go to the architecture college. +You'll never pass the entrance exams. +- I will! +- I doubt it. +Cranes like ships Sailing up in the sky, +White ones and grey ones, With long beaks, they fly. +- Do you like my song? +- Very profound. +Oh frogs, you keep on croaking, Why didn't you think of looking up? +You went on leaping, in mud soaking That's why you ended eaten up. +- All right, you won, hero. +- I won, I won! +I won. +All right. +- D'you think you'll be drafted? +- Sure. +- You won't volunteer? +- I might. +Why not? +No, you won't! +I won't let you. +You know you'll get an exemption. +That's why you talk so big. +- Why do you think so? +- Everyone smart will be exempted. +Then the only ones to do the fighting will be the fools. +I don't want to talk to you ever again. +Veronica, there's something I must tell you. +I don't want to hear it. +And, please, don't call me Veronica. +- Who am I? +- Squirrel. +Listen... +- What will you give me tomorrow? +- It's a secret. +If you give me something sweet, I'll eat it up and forget about it. +Give me something to remember you with. +Kiss me now. +When I'm with you, I'm not afraid of anything. +Not even the war. +Though, I'm afraid of the militia. +- Veronica... +- You know what? +- Do you know? +- No. +I'll have a beautiful white dress made for our wedding. +One like my grandmother had. +And a veil... +Very long and white. +And you should wear your dark suit. +- And you and I will go... +- To a registry office. +- Is it a deal? +- It's a deal. +- You know I like this blackout. +- What's so good about it? +Hi! +- Stepan! +- Veronica! +- I've got a treat for both of you. +- Fine. +- What is it? +- It's a secret. +- Has it arrived? +- Yes, this morning. +- Why didn't you say so? +Tell me. +- Well, go on. +You should've seen what's going on over at the factory. +Make it short, will you? +I'm telling you: +there's so much excitement... +- Never mind that. +- Your folks told me... +- When do we report? +- Today at 5:30. +Look at those cherries! +Is anything wrong? +- They're nice! +- Army orders. +- No! +For you? +- Me too. +We both volunteered... +When? +- You volunteered? +- It's army orders. +Wait! +What about us? +Stepan... +No, I've got to go. +My folks are going to... +So long. +Squirrel! +I didn't want to tell you before your birthday. +- And now I have to go. +- Of course. +Boris! +Squirrel, what is this? +White cranes flying... +I like that. +I'm going to be all right. +Do you hear? +And after that we'll live together... +a hundred years. +Go on now. +We'll say goodbye later. +Don't be late. +What difference would it make if he went a day later? +What a nerve if he's still with Veronica. +- Boris! +- Did Dad call? +He was furious. +Why didn't you tell anyone? +So that we didn't have any scenes like that. +Get these prints back to the factory tomorrow. +- Give them to Kuzmin, the engineer. +- I will, don't worry. +What are you putting in there? +I'm going out for a bottle of wine. +Grandma, do me a favor. +Just a minute... +- Will they send you to the front? +- Probably. +Here, Grandma... +Wait. +Tomorrow when you get up, take this to her... +- What is it? +- Her birthday present. +And help her. +After all, it's war... +Please, be kind to her. +And what if I die? +You don't have the right, especially now, with so many secrets to protect. +- Well, suppose I do... +- Come on... +Quiet now, Grandma. +That's Veronica! +No, it's just Irina. +Thank heaven, you've come. +- Boris! +- Yes? +Come over here. +You're 25 years old and you behave like a fool. +What are we, children? +What is it? +Are we playing hide and seek? +Are you starved for adventures? +What kind of a man are you? +Where's Irina, and Mark? +Irina is making coffee, Mark went out for wine. +Coffee, wine... +What kind of send-off is that? +Irina! +Bring that thing from the medicine chest. +Boris, come over here. +- Where is Veronica? +- She'll be here. +- But where's she? +- She's busy. +She's supposed to be here. +Her fiance is going away. +I'm not her fiance. +- What are you then? +- Just a friend... +- That sounds suspicious... +- I don't mean that way, Dad. +- Then what do you mean? +- Look, give me a break. +- Here's the alcohol. +- Have it diluted. +I got some port wine. +Drink it yourself. +We'll have a more robust drink. +Well, are we all here? +Let's sit down. +It's Veronica. +Aren't you going to welcome her, friend? +At last! +Is Boris home? +We're from the factory. +Please, come in. +I thought it was the fiancee. +- We've come from the factory. +- What about the presents? +- Sorry. +This one's yours. +- Yes... +Thank you. +On behalf of the Factory Committee... +Comrade Boris, you must fight to the last drop of your blood. +Smash the accursed fascists, and we, in the factory, will fulfil and overfulfil our quotas. +We've heard all that before. +You'd better join us and drink to my son, Boris. +Well, I suppose... life in this world of ours is not yet what we would like it to be. +Now you're going to war, Boris... +- Let's drink. +- To you. +Irina! +What about Grandma? +We saw my brother off last night. +My mother was crying... +- What about you? +- I was too. +- On whose behalf, the committee's? +- I wasn't thinking about that. +There's no one to see off in our family, we have 3 girls and Mom. +It's somewhat embarrassing... +I feel left out... +Yes, and when they come back, you'll really envy us. +The trouble is, not all of them will be coming back. +For those who don't, a magnificent monument, with their names inscribed in gold. +Irina, don't just sit there. +Fill the glasses. +And you folks in the rear, fulfil and overfulfil! +Now, Grandma, don't forget. +Mark, stay with Dad. +He'll be all right. +I'll see you off. +About face! +Platoon, forward march! +Take it, Grandma! +- Boris! +- Mamma! +- I won't see him again. +- I'm sorry, Mamma. +Drink it. +You'll feel better. +- Where are you going? +- To the hospital. +But you aren't on call now. +Varvara Kapitonovna, I've got to see Boris... +He's gone. +- Gone? +Where? +- To report for the Army. +- Oh, no! +- Come in. +- Where was he supposed to report? +- I don't know. +What is it? +It's from Boris. +For your birthday. +There's a note inside. +- Where's the note? +- Why? +Isn't it there? +Maybe it fell? +Maybe he forgot in a hurry. +- Forgot? +- He'll write to you. +Where were you? +- Where's Boris gone? +- It's the schoolyard near the park. +Calm down, she'll be here. +It would be quite a job finding someone in this crowd. +What are you doing? +Write to me. +Write every day. +Didn't I tell you to ship the cauliflower? +An airplane is high above, Over the roofs it's droning. +It's my sweetheart sends his love From his sky-high soaring. +It was used to be before That he saw me to my door. +Now it's been quite a turn-off: +I'm the one to see him off! +Don't forget to write your Army Post Office number. +- Cheer up, pug-nose! +- We'll wait till you come back. +Goodbye, Boris! +Take care! +Fall in! +She will come. +Boris! +Boris! +Dress! +Attention! +Forward march! +Boris! +That's my little chicken! +Boris! +Boris! +Grandma... +Nothing? +He hasn't written to me either. +- Any news? +- No. +Oh, this damn war! +We'll have to keep going somehow. +Have you decided about a job? +I'm starting at the war factory tomorrow. +Air-raid alert! +Hurry on to the subway. +I've got to finish this. +Get your things. +- Where's the knapsack? +- It's over there. +I won't go without you. +If it gets bad, we'll run down. +Go on, now. +Be careful in the subway! +She's so frightened, poor thing. +Aren't you? +When I know that Veronica's safe and you're with me, +I'm not such a coward. +The filthy murderers! +We'll get back at you, you wait! +He's not writing to me. +Oh, he must have written. +It's just the mail. +All clear! +The air raid has been terminated. +Let's go! +Here's where I live now. +If you decide to work with us, call me at the factory. +- I will. +- Goodbye. +Get down here! +Come back! +What's the matter? +Are you crazy? +I'm sorry. +Veronica, you can stay with us from now on. +You can have Boris' room. +Mark will move in with Fedya... +Mark, she'll need some attention to keep her from brooding. +Irina and I are so busy at the hospital. +I'll do what I can, Uncle Fedya. +I promised Boris. +- Is it agreed? +- Um-hmm. +Is this the factory? +May I speak to Kuzmin? +He was drafted, too? +Excuse me, has anyone heard from Boris Borozdin? +If it weren't for this damn war, +I'd be playing this in the Tchaikovsky Hall. +For you. +Veronica! +Let's go to the subway. +- I'm not going. +- Don't be silly. +Come on. +- Are you afraid? +- For you. +Come with me. +I'm not afraid of anything. +- Veronica, let's go to the subway! +- No, I'm not going. +- Stop it! +You've gone crazy! +- I'm not going! +I love you. +No. +- I love you! +- No! +No! +- I love you! +- Go away! +- I love you! +- No! +No! +No! +It's stupid to get surrounded like this. +- Stepan, quit whining. +- Who's whining? +I'm not. +The captain said we might be able to break out by tonight. +Yeah, that's what he says. +Sachkov! +Where'd you find that rookie? +In the incubator. +He's our reinforcements. +Now we'll break through for sure. +Is that a way to talk about a married soldier? +I got yoked in my last year of school. +The result of too much of education. +You're funny. +Laughed yourselves right into a trap, I guess. +- Volodya, you really married? +- I said it to sound important. +- Borozdin! +- Yes? +You'll go on a reconnaissance mission. +You got to find the best place for us to break through tonight. +- Turn in your documents. +- Yes, sir. +Hey, Sachkov! +Take this, will you? +Why don't we rest? +And have a smoke. +Is she always laughing like that? +She probably thinks we're all dead. +Let me see that beauty. +Hey, that's the soldier's life for you! +- You're here, and she... +- And she what? +Hey, let me try that thing. +- Hold it, will you, Sachkov? +- Certainly. +Not bad for a first try. +Stop that! +- Aren't you ashamed? +- No, sir. +- Five days under arrest! +- Yes, sir. +- You both go on a reconnaissance. +- Why? +Turn in your papers! +Boris, here. +On account of her? +- I'd say she was worth it. +- She sure is! +However, we must maintain discipline! +You hear that? +Discipline... +Stepan, keep this. +Be careful, don't lose it. +We... +We'll get married, Uncle Fedya. +Oh, I forgot. +There's some sausage left. +- Keep your head down! +- Stop ordering around! +Let's get out of here before they get wise. +- If you're scared, run. +- Come on, you idiot! +Hey! +Musician! +Are you deaf? +Why the devil I'v got tied up with him? +What's wrong with you? +Can you hear me? +- Go on. +I want to rest for a while. +- Are you wounded? +Hold on to me. +- Leave me alone. +- I tell you, get up! +Now hang on, hold tight. +This way's no good. +I'll have to carry you. +Come on, leave me here. +Are you still sore because I punched you? +- You were just lucky, otherwise... +- Shut up, we'll talk later. +Here we go... +Are you all right? +Hold on, friend. +It's only a little way to the woods. +We'll be safe there. +I'm winded. +Let's rest a bit. +It's a little quieter here. +How are you? +It's hard to breathe. +Hold on, we'll have to get you married yet... +Hey, buddy! +What's the matter with you? +What's wrong? +Forgive me, friend, forgive me... +It's my fault... +Forgive me... +friend... +Hey, somebody! +Help! +Help! +Help! +Can you hear me, Boris? +Are you hit? +It's nothing, I am just... +The Soviet Information Bureau reports that there were no important changes on the front in the past 24 hours. +No news is good news. +Families evacuated with Plant 326 will be quartered on Vosstaniya Street. +Comrades, report here, please. +- Irina, help me with the wounded. +- I'll get an orderly. +Everybody off! +Siberia! +We can't run much farther. +Poor Mother Russia! +Attention, please! +Chief of Army Hospital, Comrade Borozdin, please report to the military commandant at once. +Maybe we'll find peace here at last. +Out of the way, the evacuated. +Your stove is smoking. +Oh, I'm sorry. +Save your dreaming till the war is over. +Where are you going? +To the hospital. +I'm on duty. +She wanders around like a ghost, all nerves. +The poor thing is waiting for a letter. +From whom? +Her husband's not up at the front like ours. +She's not waiting for any letter. +- D'you have the 2nd shift at school? +- Yes. +Cranes like ships, Sailing up in the sky... +I can't get those silly verses out of my head. +There she is! +- Who? +- The mail carrier. +If I can count up to 50, there'll be a letter for me. +- One, two, three, four... +- Stop it, Veronica. +- Fifteen, sixteen... +- Veronica, this is madness. +- Nineteen, twenty... +- Stop it! +Forty-seven, forty-eight... +- Good morning! +- Good morning! +Sorry, nothing for you. +Here you are. +- Lebedeva? +- That's me. +- Paliukaitis? +- Nothing. +From my eldest. +From the Ukrainian Front. +I didn't know Boris. +But everyone says what a fine, talented boy he was. +Was? +Listed as missing in action doesn't mean he was killed. +Of course not. +I just didn't put it right. +- What's wrong, Veronica? +- I'm dying, Anna Mikhailovna. +Come on, Veronica. +You poor child. +I've lost everything. +You have your whole life before you. +I don't want it! +What's it good for? +You must forget the past. +It is human nature to forget. +I don't want to forget. +I don't need it. +But you can't go on tormenting yourself for your mistakes. +I should do it. +All my life. +You teach history. +You're a wise woman. +Tell me what's the meaning of life? +The meaning of life? +Maybe it's in... +- Did Chernov get here yet? +- Not yet. +Wow, I'm really famished! +Try to be nice to Chernov when he comes, please. +He makes me ill. +I feel exactly the same way, but after all he's my boss. +That gives you a reason to lick his boots? +Please, Veronica, this can't go on. +You're always so irritable, always criticizing. +Tell me, how can I make you happy? +Just disappear. +Come in, it's open. +Come in! +Mark, pardon my invasion. +Not at all. +It's a pleasure. +Here, let me take that. +Did you see the paper? +The Germans have advanced in the Caucasus. +Yes, it's awful. +But we'll show them what we're made of yet! +Please make yourself comfortable. +It's warm here. +Your place is nice and cozy. +My wife and children are in Tashkent, so I'm kind of homeless. +- Good day, Veronica. +- Good day. +- Where are you going, darling? +- To the hospital. +I'm on duty. +Bundle up. +It's very cold. +I admire your wife. +She's so honest... +She must be very happy with you. +- I was looking for you at the Philharmonic. +- Was there a concert? +No. +But are you going to the birthday party tonight? +I might. +- What are you giving her? +- What can I give her? +The war! +Yes, this war. +It's nothing gorgeous, of course, but tie a little trifle to it and Antonina will be pleased. +It's wonderful! +What do I owe you? +- It's really nothing, forget it. +- Thank you very much. +Mark, can you do me a favor? +- Is someone up there? +- No. +Could you get some drugs for me from Feodor Ivanovich? +Fine job, Irina. +He'll pull through. +I hope so. +It would be downright mean of him not to. +Irina, you should have been a man! +I'm doing all right as a girl. +Veronica! +What are you doing here so early? +The clock was fast. +Poor girl... +I can't forgive her for what she did to Boris. +New patients again! +I told them I have no more room. +I'm running a hospital, not a barrel of herrings! +- Are these from Kalach? +- From Stalingrad. +Some from the front line, others from the hospitals. +No place for us here, either. +Don't worry, they'll find room. +I'll take 80 men. +The rest will have to go to other hospitals. +Let's see now... +Please give my regards to Sergei, +Feodor, Vassily, Aunt Maria, +Agraphyona, Catherine, Barbara, +Nikolai, Catherine... +- You already said Catherine. +- That's another one. +- Don't you want to explain it? +- They'll figure it out. +So, Zinaida, Antonina, Kuzma... +Nurse! +- What do you want, Vorobyov? +- Never mind. +Nurse! +- He wants a potty. +- I'll give it to him. +Thanks. +That's beautiful music! +Turn it up a little louder, will you please? +Shut up your music! +Turn it down! +You hear me? +Who was that shouting? +I did, so what? +- Zakharov, what's wrong? +- Leave ma alone! +He's gone berserk. +He got bad news from home this morning. +His girl just got married to a friend of his, bitch. +He hasn't had a bite to eat. +Try to see what you can do, nurse. +Those broads are worse than fascists, aiming right in the heart. +You must try to eat. +It's the only way to get well. +I don't want to get well! +I just want to croak! +Get the doctor. +Calm down. +Please, calm down. +Because of a woman... +What a dumbbell! +Get the doctor! +Get the doctor now! +Quit that yelling! +Cackling like a bunch of hens! +Where will they take us now? +There're plenty of hospitals in this wide world. +Guys, the chief is coming! +Bastards! +Quiet down! +You're a soldier in the Red Army! +Want to desert it? +You afraid that if we cure you, you might go back in the army? +You're not being fair. +He got a bad letter from home. +I know. +That's just an excuse. +So what if his girl's left him? +Good riddance! +She's not worth a dime if she gave up a handsome soldier like this, a real hero, for a puny draft-dodger! +Right. +She's the one who's missed her happiness! +And whatever she's got, she deserves it! +What a petty soul! +Can a woman like that understand the suffering you've gone through? +Killing her would be too good for her kind. +You stood the most difficult trial. +You looked death in the face, went to meet it yourself. +And she couldn't stand the small test of time. +For women like that, no honorable man can have anything but contempt! +For such creatures there is no pardon! +Bandage him! +Aunt Sima, bring him fresh porridge and some hot tea. +Be good now. +Veronica... +What the hell kind of a mother are you? +Keep an eye on your kid! +And I'll be held responsible! +Daydreaming, you fool! +- Who are you? +- Mamma's boy. +- Where are you from? +- From Voroshilovgrad. +- How old are you? +- Three months and three years. +- What's your name? +- Boris. +- What? +- Boris. +- Why the fancy get-up? +- A concert in the hospital. +- A likely story! +- All right, all right. +- Is Mark here? +- So far yes. +I've been saving this for you. +Thank you very much, Anna Mikhailovna. +It's for a little boy we know. +It's his birthday. +I wish everyone were as kind- hearted as you are, Mark. +The symptomatology of this type of compound injury depends primarily on changes in the nodal structure... +- Interesting, but beyond me. +- Why, it's really quite simple. +They are not readily apparent to the clinical practitioner, but in most cases the etiology... +- What is this? +- What kind of a trick is that? +What do you mean, trick? +The poor child lost his parents. +I want my mommy! +You ought to have taken him to the Foundling Center. +You go yourself to the Center! +- Rude child! +- I'm not, you're rude! +Now, don't cry. +We'll go find your mommy in Voroshilovgrad. +Now, now, be quiet. +- Poor baby, he wants his mommy. +- Look, here comes a goat... +Stop rattling. +You're hurting my ears. +Here, play with the cover. +Don't you want it? +Oh, my God. +Here's a bagel roll for you. +Keep him quiet! +He's driving me crazy. +If we had some toys for him to play with... +Irina, take him for a minute. +Hah, what next? +Stop crying, will you? +Let me take him. +Come on, my little one, my little Boris... +I'll undress you and put you to bed... +Have anyone seen my squirrel? +Yes, Mark took it. +- Why? +- He's giving it to some boy. +My squirrel to a boy? +- Where's Mark? +- I don't know. +- Where's Mark? +- I don't know. +You're hiding something from me. +You know where he's, don't you? +Where's he? +He's probably gone to Antonina's party. +- What Antonina? +- Why don't you ask Mark? +- Who's she, tell me! +- Don't order me around. +Mark visits her occasionally. +Do you get it? +- You're saying this to spite me. +- Why would I want to? +Because I'm married, I'm loved, and you're still a spinster! +Stop it, Veronica! +Antonina lives near the food shop, in the little house next door. +Go over there and see for yourself. +Calm down. +I should do something. +When Mark comes home, you'll have a talk. +But now you must wait. +Sure, I must wait... +That's all I've been doing all the time. +That's enough! +May our lips benumb. +Words are futile. +They so often lie perchance. +And only our eyes Will never dare lie, +Forever true their parting glance. +My eyes are now sad and dark, +As though therein a candle was put out... +In Leningrad after my parties we'd go for a ride, from one part of the city to the other. +Arrange for a ride now. +There's a war on, Antonina. +Cars are worth its weight in gold, the gasoline is strictly rationed. +Get any kind of car! +I beg you! +A fire-engine, an ambulance, a truck... anything! +Let me hope where there's hope no longer! +Just the two of us? +To the point of full abandon? +I'll see what I can do. +I love you! +Sorry, I don't dance. +I thought I'd tried everything, but I've never tried golden chestnuts. +Look, a note! +- It's a birthday note for me. +- Congratulations! +Where's the squirrel? +Where's my squirrel? +Look, you mustn't think that... +There's a note here from somebody named Boris. +My only one, happy birthday... +On this day you were born. +It's hard leaving you. +But it can't be helped. +It's war! +I must go. +We can't go on living the way we did, enjoying ourselves while death stalks our land. +We will be happy some day. +I love you, I trust you. +Your Boris. +Why are you so alarmed? +Go home. +I'll be right back. +Why? +- Take your coat off. +- Thank you. +You know, all the Philharmonic cars are being used tonight, and I must have a car. +You're Chief Surgeon, you won't refuse me this little favor... +Transportation is our most critical problem. +It was difficult for me too, but I did my best. +I went out of my way, because you asked me... +- What I asked you? +- The exemption. +Now it's about to expire, and this time to get it will be almost impossible. +- What d'you mean, exemption? +- The exemption for Mark. +You can be sure I handled the whole thing discreetly. +Could Mark have done it without informing you? +He even offered me money in your name... +I'm sorry. +I'm glad you're here, Uncle Fedya. +I wish you'd talk to her. +She burst in without being invited, started a fight... +Shut the door. +Do you believe that anybody likes having his son marching off to war? +What do you mean? +Or do you believe that for your petty pleasures and well-being others must lose their arms, legs, eyes, jaws, even their lives? +And you owe nothing to no one? +You know I've got an exemption, Uncle Fedya. +Tell us how you got this exemption. +What are you doing, Veronica? +It's all right. +I'm going to rent a room. +And I'm taking the boy... +Perhaps someone else had better rent a room? +Gladly. +I've been wanting to for a long time. +I wish you'd driven me out in the first place. +You've been through a terrible ordeal. +Only one who had done something worse could have condemned you. +Stay with us. +I can't. +I cannot hide behind someone else's back. +I don't want to. +Think it over. +Listen, where can I find the Borozdin family? +- Which one are you looking for? +- Feodor Ivanovich. +He is not in at the moment. +Are you from Boris? +No, I'm by myself. +I have to see Feodor Ivanovich. +- Won't you sit down? +- Thanks. +Feodor Ivanovich should be here in a few minutes. +- May I go out? +- All right. +- Is he yours? +- Yes, he's mine. +He looks like you. +Are you a relative of the Borozdins? +Not really. +Well, I've done all the fighting I'll ever do. +Going home? +Not yet. +Leningrad's still blockaded. +- Yeah, I'm in a spot. +- Why? +I guess there's no harm in telling you because you're not the family. +But how do you tell a man his son was killed? +- Where did it happen? +- Near Smolensk. +What do you want me to play? +I don't care. +Tell me, did you see him buried? +No. +I was put on a stretcher and taken to a hospital, and he was with a friend of his, Stepan. +Stepan... +I've got to find his girl now. +He was really in love with her. +I'm the girl. +Come to see us when you're in Moscow, Volodya. +Thanks very much. +I will. +The war's over. +It's strange, isn't it? +And you're still waiting? +I am. +One must always keep on hoping. +What's the use of waiting? +I saw it with my own eyes. +What did you see? +You saw him wounded? +You saw him fall? +You didn't see him die. +But if he's alive, why hasn't he written to you? +Anything could happen. +Stepan hasn't written to anyone either. +They know at the factory that he was in some Special Operations. +Dasha promised to let me know when he's back. +Boris is alive. +He's alive. +Look! +The victors are coming! +Kolia, darling, you're back! +Boris! +Veronica! +Stepan! +The flowers... +For you. +Well? +What? +You see... +Well... +My darling! +Dear mothers, fathers, brothers and sisters! +The happiness of our reunion is boundless. +The heart of every Soviet citizen sings with joy, the joy of victory! +We have all waited for this happy moment. +We dreamed of it in the darkest hours of our struggle. +But we'll never forget those who lie silent on the battlefield. +Years will pass, our cities will rise again, and our wounds may one day be forgotten. +Let one thing remain in our hearts, a cold hatred of war! +We deeply feel the grief of those who cannot meet their loved ones today. +We must all take a vow to keep our promise that sweethearts will never again be parted by war, that mothers may never again fear for their children, that our brave fathers may not stealthily swallow their tears. +We have won and remained alive, not for destruction but to build a new life! +Don't just stand there. +Give the flowers to whoever they're for. +Thank you very much, sister. +Oh, what a darling! +What a chubby little darling! +Look, the cranes are flying over Moscow! +The End +Wait, Squirrel! +Here, put it on. +Look! +Cranes like ships sailing up in the sky, +White ones and grey ones, with long beaks, they fly! +Look! +You see... +You with your "cranes like ships". +THE CRANES ARE FLYING +Written by V. ROZOV +Directed by M. KALATOZOV +An Order of Lenin Film Studio "Mosfilm" production, 1957 +Who is there? +Wait! +Well, all right. +Say when, then. +Thursday, on the embankment. +Come on, that's too long. +Squirrel! +You haven't told me when! +Squirrel, at what time? +What time on Thursday? +No, I can't make it. +I'll be working. +- All right. +- Don't be late. +Squirrel! +- She's gone crazy over him. +- And he's over her. +That's love, my dear. +A harmless mental disturbance. +Grandma, why aren't you asleep? +Because it's time to get up, Boris! +Stop chomping! +Running around all night... +Are you jealous? +You haven't torn it, have you? +Your jacket's all right. +Outrageous! +It's noon and he's still in bed. +The boy deserves a good rest on Sunday. +He works hard. +That work of his will result in a marriage. +That's when you'll be really jealous. +For Irina, her diploma comes first. +Look out, Uncle Fedya. +She'll be a full professor soon, while you're still only a MD. +If children don't surpass their parents, then the children are fools. +Thanks, Mamma. +This is Radio Moscow broadcasting over all of the Soviet Union! +- What is it? +- What has happened? +Boris! +We're at war! +Do you hear? +We're at war! +Leave me alone! +Hi! +Boris is working day and night. +I'm not waiting for anyone. +Verónica. +In time of war, one should not get confused. +One should hold on to. +Take me. +I dream of dedicating to you my first symphony. +Will you come to the concert? +Suppose the Army calls you up? +The Army? +I don't know. +Hardly. +Why "hardly"? +The most talented ones will be exempted. +- Are you the most talented one? +- Me? +Certainly. +Why are you following me around? +Aren't you ashamed? +I am. +I tried to keep away from you. +I know, Boris is my cousin. +But I can't help myself, you know? +Wait! +- Wait! +- I'm going home alone. +Hey, slow down! +You just had an operation. +I'd better be in shape for that field-pack. +They're not wasting men like you in the Army. +There'll only be one exemption here, and one of us'll get it. +They'd better give it to you. +You've got knowledge, experience. +And you've got talent. +Save your sketches. +My wife's already got my bag packed. +Well, as they say, let's get our bayonets ready. +Hey, Stepan! +Guys, give me a hand... +Stepan! +Excuse me, Sachkov. +- Where's the summons? +- Not yet. +I can't wait. +- Are you off now? +- No, I've got those sketches... +- I see. +Take care. +- Okay. +- Hey! +- Yeah? +- Have you told her? +- No, it's too early... +- You're right. +See you tomorrow. +- Right. +- Let go. +- I won't. +- You're going to fall down. +- No, I won't. +- You'll rip up the blackout. +- It's a blanket. +I'm going to call the militia. +I'm sick of the blackout. +Give me the blanket. +- Let go. +You'll fall. +- No, I won't. +Come on, Squirrel, cut it out. +Let me hang this up. +You didn't come to the embankment today, but Mark did. +- He's very handsome. +- So what? +- Aren't you jealous? +- What? +- Aren't you jealous? +- I haven't got the time for it. +I won't have much time either when I go to the architecture college. +You'll never pass the entrance exams. +- I will! +- I doubt it. +Cranes like ships Sailing up in the sky, +White ones and grey ones, With long beaks, they fly. +- Do you like my song? +- Very profound. +Oh frogs, you keep on croaking, Why didn't you think of looking up? +You went on leaping, in mud soaking That's why you ended eaten up. +- All right, you won, hero. +- I won, I won! +I won. +All right. +- D'you think you'll be drafted? +- Sure. +- You won't volunteer? +- I might. +Why not? +No, you won't! +I won't let you. +You know you'll get an exemption. +That's why you talk so big. +- Why do you think so? +- Everyone smart will be exempted. +Then the only ones to do the fighting will be the fools. +I don't want to talk to you ever again. +Veronica, there's something I must tell you. +I don't want to hear it. +And, please, don't call me Veronica. +- Who am I? +- Squirrel. +Listen... +- What will you give me tomorrow? +- It's a secret. +If you give me something sweet I'll eat it up and forget about it. +Give me something to remember you with. +Kiss me now. +When I'm with you, I'm not afraid of anything. +Not even the war. +Though, I'm afraid of the militia. +- Veronica... +- You know what? +- Do you know? +- No. +I'll have a beautiful white dress made for our wedding. +One like my grandmother had. +And a veil... +Very long and white. +And you should wear your dark suit. +- And you and I will go... +- To a registry office. +- Is it a deal? +- It's a deal. +- You know I like this blackout. +- What's so good about it? +Hi! +- Stepan! +- Veronica! +- I've got a treat for both of you. +- Fine. +- What is it? +- It's a secret. +- Has it arrived? +- Yes, this morning. +- Why didn't you say so? +Tell me. +- Well, go on. +You should've seen what's going on over at the factory. +Make it short, will you? +I'm telling you: +there's so much excitement. +- Never mind that. +- Your folks told me... +- When do we report? +- Today at 5:30. +Look at those cherries! +Is anything wrong? +- They're nice! +- Army orders... +- No! +For you? +- Me too. +We both volunteered... +When? +- You volunteered? +- It's army orders. +Wait! +What about us? +Stepan... +No, I've got to go. +My folks are going to... +So long. +Squirrel! +I didn't want to tell you before your birthday. +- And now I have to go. +- Of course. +Boris! +Squirrel, what is this? +White cranes flying... +I like that. +I'm going to be all right. +Do you hear? +And after that we'll live together... +a hundred years. +Go on now. +We'll say goodbye later. +Don't be late. +What difference would it make if he went a day later? +What a nerve if he's still with Veronica. +- Boris! +- Did Dad call? +He was furious. +Why didn't you tell anyone? +So that we didn't have any scenes like that. +Get these prints back to the factory tomorrow. +- Give them to Kuzmin, the engineer. +- I will, don't worry. +What are you putting in there? +I'm going out for a bottle of wine. +Grandma, do me a favor. +Just a minute... +- Will they send you to the front? +- Probably. +Here, Grandma.. +Wait. +Tomorrow when you get up, take this to her... +- What is it? +- Her birthday present. +And help her. +After all, it's war... +Please, be kind to her. +And what if I die? +You don't have the right, especially now, with so many secrets to protect. +- Well, suppose I do... +- Come on... +Quiet now, Grandma. +That's Veronica! +No, it's just Irina. +Thank heaven, you've come. +- Boris! +- Yes? +Come over here. +You're 25 years old and you behave like a fool. +What are we, children? +What is it? +Are we playing hide and seek? +Are you starved for adventures? +What kind of a man are you? +Where's Irina, and Mark? +Irina is making coffee, Mark went out for wine. +Coffee, wine... +What kind of send-off is that? +Irina! +Bring that thing from the medicine chest. +Boris, come over here. +- Where is Veronica? +- She'll be here. +- But where's she? +- She's busy. +She's supposed to be here. +Her fiance is going away. +I'm not her fiance. +- What are you then? +- Just a friend... +- That sounds suspicious... +- I don't mean that way, Dad. +- Then what do you mean? +- Look, give me a break. +- Here's the alcohol. +- Have it diluted. +I got some port wine. +Drink it yourself. +We'll have a more robust drink. +Well, are we all here? +Let's sit down.. +It's Veronica. +Aren't you going to welcome her, friend? +At last! +Is Boris home? +We're from the factory. +Please, come in. +I thought it was the fiancee... +- We've come from the factory. +- What about the presents? +- Sorry. +This one's yours. +- Yes... +Thank you. +On behalf of the Factory Committee... +Comrade Boris, you must fight to the last drop of your blood +Smash the accursed fascists, and we, in the factory, will fulfil and overfulfil our quotas. +We've heard all that before. +You'd better join us and drink to my son, Boris. +Well, I suppose... life in this world of ours is not yet what we would like it to be. +Now you're going to war, Boris... +- Let's drink. +- To you. +Irina! +What about Grandma? +We saw my brother off last night. +My mother was crying... +- What about you? +- I was too. +- On whose behalf, the committee's? +- I wasn't thinking about that. +There's no one to see off in our family, we have 3 girls and Mom. +It's somewhat embarrassing... +I feel left out... +Yes, and when they come back, you'll really envy us. +The trouble is, not all of them will be coming back. +For those who don't, a magnificent monument, with their names inscribed in gold. +Irina, don't just sit there. +Fill the glasses. +And you folks in the rear, fulfil and overfulfil! +Now, Grandma, don't forget. +Mark, stay with Dad. +He'll be all right. +I'll see you off. +About face! +Platoon, forward march. +Take it, Grandma! +- Boris! +- Mamma! +- I won't see him again. +- I'm sorry, Mamma. +Drink it. +You'll feel better. +- Where are you going? +- To the hospital. +But you aren't on call now. +Varvara Kapitonovna, I've got to see Boris... +He's gone. +- Gone? +Where? +- To report for the Army. +- Oh, no! +- Come in. +- Where was he supposed to report? +- I don't know. +What is it? +It's from Boris. +For your birthday. +There's a note inside... +- Where's the note? +- Why? +Isn't it there? +Maybe it fell? +Maybe he forgot in a hurry. +- Forgot? +- He'll write to you. +Where were you? +- Where's Boris gone? +- It's the schoolyard near the park. +Calm down, she'll be here. +It would be quite a job finding someone in this crowd. +What are you doing? +Write to me. +Write every day. +Didn't I tell you to ship the cauliflower? +An airplane is high above, Over the roofs it's droning. +It's my sweetheart sends his love From his sky-high soaring. +It was used to be before That he saw me to my door. +Now it's been quite a turn-off: +I'm the one to see him off! +Don't forget to write your Army Post Office number. +- Cheer up, pug-nose! +- We'll wait till you come back. +Goodbye, Boris! +Take care! +Fall in! +She will come. +Boris! +Boris! +Dress! +Attention! +Forward march! +Boris! +That's my little chicken! +Boris! +Boris! +Grandma... +Nothing? +He hasn't written to me either. +- Any news? +- No. +Oh, this damn war! +We'll have to keep going somehow. +Have you decided about a job? +I'm starting at the war factory tomorrow. +Air-raid alert! +Hurry on to the subway. +I've got to finish this. +Get your things. +- Where's the knapsack? +- It's over there... +I won't go without you. +If it gets bad, we'll run down. +Go on, now. +Be careful in the subway! +She's so frightened, poor thing. +Aren't you? +When I know that Veronica's safe and you're with me, +I'm not such a coward. +The filthy murderers! +We'll get back at you, you wait! +He's not writing to me. +Oh, he must have written. +It's just the mail. +All clear! +The air raid has been terminated. +Let's go! +Here's where I live now. +If you decide to work with us, call me at the factory. +- I will. +- Goodbye. +Get down here! +Come back! +What's the matter? +Are you crazy? +I'm sorry. +Veronica, you can stay with us from now on. +You can have Boris' room. +Mark will move in with Fedya... +Mark, she'll need some attention to keep her from brooding... +Irina and I are so busy at the hospital. +I'll do what I can, Uncle Fedya. +I promised Boris. +- Is it agreed? +- Um-hmm. +Is this the factory? +May I speak to Kuzmin? +He was drafted, too? +Excuse me, has anyone heard from Boris Borozdin? +If it weren't for this damn war, +I'd be playing this in the Tchaikovsky Hall. +For you. +Veronica! +Let's go to the subway. +- I'm not going. +- Don't be silly. +Come on. +- Are you afraid? +- For you. +Come with me. +I'm not afraid of anything. +- Veronica, let's go to the subway! +- No, I'm not going. +- Stop it! +You've gone crazy! +- I'm not going! +I love you. +No. +- I love you! +- No! +No! +- I love you! +- Go away. +- I love you! +- No! +No! +No! +It's stupid to get surrounded like this. +- Stepan, quit whining. +- Who's whining? +I'm not. +The captain said we might be able to break out by tonight. +Yeah, that's what he says. +Sachkov! +Where'd you find that rookie? +In the incubator. +He's our reinforcements. +Now we'll break through for sure. +Is that a way to talk about a married soldier? +I got yoked in my last year of school. +The result of too much of education. +You're funny. +Laughed yourselves right into a trap, I guess. +- Volodya, you really married? +- I said it to sound important. +- Borozdin! +- Yes? +You'll go on a reconnaissance mission. +You got to find the best place for us to break through tonight. +- Turn in your documents. +- Yes, sir. +Hey, Sachkov! +Take this, will you? +Why don't we rest? +And have a smoke. +Is she always laughing like that? +She probably thinks we're all dead. +Let me see that beauty. +Hey, that's the soldier's life for you! +- You're here, and she... +- And she what? +Hey, let me try that thing. +- Hold it, will you, Sachkov? +- Certainly. +Not bad for a first try. +Stop that! +- Aren't you ashamed? +- No, sir. +- Five days under arrest! +- Yes, sir. +- You both go on a reconnaissance. +- Why? +Turn in your papers! +Boris, here. +On account of her? +- I'd say she was worth it. +- She sure is! +However, we must maintain discipline! +You hear that? +Discipline... +Stepan, keep this. +Be careful, don't lose it. +We... +We'll get married, Uncle Fedya. +Oh, I forgot. +There's some sausage left. +- Keep your head down! +- Stop ordering around! +Let's get out of here before they get wise. +- If you're scared, run. +- Come on, you idiot! +Hey! +Musician! +Are you deaf? +Why the hell I've got tied up with him? +What's wrong with you? +Can you hear me? +- Go on. +I want to rest for a while. +- Are you wounded? +Hold on to me. +- Leave me alone. +- I tell you, get up! +Now hang on, hold tight. +This way's no good. +I'll have to carry you. +Come on, leave me here. +Are you still sore because I punched you? +- You were just lucky, otherwise... +- Shut up, we'll talk later. +Here we go... +Are you all right? +Hold on, friend. +It's only a little way to the woods. +We'll be safe there. +I'm winded. +Let's rest a bit. +It's a little quieter here. +How are you? +It's hard to breathe. +Hold on, we'll have to get you married yet... +Hey, buddy! +What's the matter with you? +What's wrong? +Forgive me, friend, forgive me... +It's my fault... +Forgive me... +friend... +Hey, somebody! +Help! +Help! +Help! +Can you hear me, Boris? +Are you hit? +It's nothing, I am just... +The Soviet Information Bureau reports that there were no important changes on the front in the past 24 hours. +No news is good news. +Families evacuated with Plant 326 will be quartered on Vosstaniya Street. +Comrades, report here, please. +- Irina, help me with the wounded. +- I'll get an orderly. +Everybody off! +Siberia! +We can't run much farther. +Poor Mother Russia! +Attention, please! +Chief of Army Hospital, Comrade Borozdin, please report to the military commandant at once. +Maybe we'll find peace here at last. +Out of the way, the evacuated. +Your stove is smoking. +Oh, I'm sorry. +Save your dreaming till the war is over. +Where are you going? +To the hospital. +I'm on duty. +She wanders around like a ghost, all nerves. +The poor thing is waiting for a letter. +From whom? +Her husband's not up at the front like ours. +She's not waiting for any letter. +- D'you have the 2nd shift at school? +- Yes. +Cranes like ships, Sailing up in the sky... +I can't get those silly verses out of my head. +There she is! +- Who? +- The mail carrier. +If I can count up to 50, there'll be a letter for me. +- One, two, three, four... +- Stop it, Veronica. +- Fifteen, sixteen... +- Veronica, this is madness. +- Nineteen, twenty... +- Stop it! +Forty-seven, forty-eight... +- Good morning! +- Good morning! +Sorry, nothing for you. +Here you are. +- Lebedeva? +- That's me. +- Paliukaitis? +- Nothing. +From my eldest. +From the Ukrainian Front. +I didn't know Boris. +But everyone says what a fine, talented boy he was. +Was? +Listed as missing in action doesn't mean he was killed. +Of course not. +I just didn't put it right. +- What's wrong, Veronica? +- I'm dying, Anna Mikhailovna. +Come on, Veronica. +You poor child. +I've lost everything. +You have your whole life before you. +I don't want it! +What's it good for? +You must forget the past. +It is human nature to forget. +I don't want to forget. +I don't need it. +But you can't go on tormenting yourself for your mistakes. +I should do it. +All my life. +You teach history. +You're a wise woman. +Tell me what's the meaning of life? +The meaning of life? +Maybe it's in... +- Did Chernov get here yet? +- Not yet. +Wow, I'm really famished! +Try to be nice to Chernov when he comes, please. +He makes me ill. +I feel exactly the same way, but after all he's my boss. +That gives you a reason to lick his boots? +Please, Veronica, this can't go on. +You're always so irritable, always criticizing. +Tell me, how can I make you happy? +Just disappear. +Come in, it's open. +Come in! +Mark, pardon my invasion. +Not at all. +It's a pleasure. +Here, let me take that. +Did you see the paper? +The Germans have advanced in the Caucasus. +Yes, it's awful. +But we'll show them what we're made of yet! +Please make yourself comfortable. +It's warm here. +Your place is nice and cozy. +My wife and children are in Tashkent, so I'm kind of homeless. +- Good day, Veronica. +- Good day. +- Where are you going, darling? +- To the hospital. +I'm on duty. +Bundle up. +It's very cold. +I admire your wife. +She's so honest... +She must be very happy with you. +- I was looking for you at the Philharmonic. +- Was there a concert? +No. +But are you going to the birthday party tonight? +I might. +- What are you giving her? +- What can I give her? +The war! +Yes, this war. +It's nothing gorgeous, of course, but tie a little trifle to it and Antonina will be pleased. +It's wonderful! +What do I owe you? +- It's really nothing, forget it. +- Thank you very much. +Mark, can you do me a favor? +- Is someone up there? +- No. +Could you get some drugs for me from Feodor Ivanovich? +Fine job, Irina. +He'll pull through. +I hope so. +It would be downright mean of him not to. +Irina, you should have been a man! +- I'm doing all right as a girl. +- Veronica! +What are you doing here so early? +The clock was fast. +Poor girl... +I can't forgive her for what she did to Boris. +New patients again! +I told them I have no more room. +I'm running a hospital, not a barrel of herrings! +- Are these from Kalach? +- From Stalingrad. +Some from the front line, others from the hospitals. +No place for us here, either. +Don't worry, they'll find room. +I'll take 80 men. +The rest will have to go to other hospitals. +Let's see now... +Please give my regards to Sergei, +Feodor, Vassily, Aunt Maria, +Agraphyona, Catherine, Barbara, +Nikolai, Catherine... +- You already said Catherine. +- That's another one. +- Don't you want to explain it? +- They'll figure it out. +Zinaida, Antonina, Kuzma... +Nurse! +- What do you want, Vorobyov? +- Never mind. +Nurse! +- He wants a potty. +- I'll give it to him. +Thanks. +That's beautiful music! +Turn it up a little louder, will you please? +Shut up your music! +Turn it down! +You hear me? +Who was that shouting? +I did, so what? +- Zakharov, what's wrong? +- Leave me alone! +He's gone berserk. +He got bad news from home this morning. +His girl just got married to a friend of his, bitch. +He hasn't had a bite to eat. +Try to see what you can do, nurse? +Those broads are worse than fascists, aiming right in the heart. +You must try to eat. +It's the only way to get well. +I don't want to get well! +I just want to croak! +Get the doctor. +Calm down. +Please, calm down. +Because of a woman... +What a dumbbell! +Get the doctor! +Get the doctor now! +Quit that yelling! +Cackling like a bunch of hens! +Where will they take us now? +There're plenty of hospitals in this wide world. +Guys, the chief is coming! +Bastards! +Quiet down! +You're a soldier in the Red Army! +Want to desert it? +You afraid that if we cure you, you might go back in the army? +You're not being fair. +He got a bad letter from home. +I know. +That's just an excuse. +So what if his girl's left him? +Good riddance! +She's not worth a dime if she gave up a handsome soldier like this, a real hero, for a puny draft-dodger! +Right. +She's the one who's missed her happiness! +And whatever she's got, she deserves it! +What a petty soul! +Can a woman like that understand the suffering you've gone through? +Killing her would be too good for her kind. +You stood the most difficult trial. +You looked death in the face, went to meet it yourself. +And she couldn't stand the small test of time. +For women like that, no honorable man can have anything but contempt! +For such creatures there is no pardon! +Bandage him! +Aunt Sima, bring him fresh porridge and some hot tea. +Be good now. +Veronica... +What the hell kind of a mother are you? +Keep an eye on your kid! +And I'll be held responsible! +Daydreaming, you fool! +- Who are you? +- Mamma's boy. +- Where are you from? +- From Voroshilovgrad. +- How old are you? +- Three months and three years. +- What's your name? +- Boris. +- What? +- Boris. +- Why the fancy get-up? +- A concert in the hospital. +- A likely story! +- All right, all right. +- Is Mark here? +- So far yes. +Here you are. +Thank you very much, Anna Mikhailovna. +It's for a little boy we know. +It's his birthday. +I wish everyone were as kind- hearted as you are, Mark. +The symptomatology of this type of compound injury depends primarily on changes in the nodal structure... +- Interesting, but beyond me. +- Why, it's really quite simple. +They are not readily apparent to the clinical practitioner, but in most cases the etiology... +- What is this? +- What kind of a trick is that? +What do you mean, trick? +The poor child lost his parents. +I want my mommy! +You ought to have taken him to the Foundling Center. +You go yourself to the Center! +- Rude child! +- I'm not, you're rude! +Now, don't cry. +We'll go find your mommy in Voroshilovgrad. +Now, now, be quiet. +- Poor baby, he wants his mommy. +- Look, here comes a goat... +Stop rattling. +You're hurting my ears. +Here, play with the cover. +Don't you want it? +Oh, my God. +Here's a bagel roll for you. +Keep him quiet! +He's driving me crazy. +If we had some toys for him to play with... +Irina, take him for a minute. +Hah, what next? +Stop crying, will you? +Let me take him. +Come on, my little one, my little Boris... +I'll undress you and put you to bed... +Have anyone seen my squirrel? +Yes, Mark took it. +- Why? +- He's giving it to some boy. +My squirrel to a boy? +- Where's Mark? +- I don't know. +- Where's Mark? +- I don't know. +You're hiding something from me. +You know where he's, don't you? +Where's he? +He's probably gone to Antonina's party. +- What Antonina? +- Why don't you ask Mark? +- Who's she, tell me! +- Don't order me around. +Mark visits her occasionally. +Do you get it? +- You're saying this to spite me. +- Why would I want to? +Because I'm married, I'm loved, and you're still a spinster! +Stop it, Veronica! +Antonina lives near the food shop, in the little house next door. +Go over there and see for yourself. +Calm down. +I should do something. +When Mark comes home, you'll have a talk. +But now you must wait. +Sure, I must wait... +That's all I've been doing all the time. +That's enough! +May our lips benumb. +Words are futile. +They so often lie perchance. +And only our eyes Will never dare lie, +Forever true their parting glance. +My eyes are now sad and dark, +As though therein a candle was put out... +In Leningrad after my parties we'd go for a ride, from one part of the city to the other. +Arrange for a ride now. +There's a war on, Antonina. +Cars are worth its weight in gold, the gasoline is strictly rationed. +Get any kind of car! +I beg you! +A fire-engine, an ambulance, a truck... anything! +Let me hope where there's hope no longer! +Just the two of us? +To the point of full abandon? +I'll see what I can do. +I love you! +Sorry, I don't dance. +I thought I'd tried everything, but I've never tried golden chestnuts. +Look, a note! +- It's a birthday note for me. +- Congratulations! +Where's the squirrel? +Where's my squirrel? +Look, you mustn't think that... +There's a note here from somebody named Boris. +My only one, happy birthday... +On this day you were born. +It's hard leaving you. +But it can't be helped. +It's war! +I must go. +We can't go on living the way we did, enjoying ourselves while death stalks our land. +We will be happy some day. +I love you, I trust you. +Your Boris. +Why are you so alarmed? +Go home. +I'll be right back. +Why? +- Take your coat off. +- Thank you. +You know, all the Philharmonic cars are being used tonight, and I must have a car. +You're Chief Surgeon, you won't refuse me this little favor... +Transportation is our most critical problem. +It was difficult for me too, but I did my best. +I went out of my way, because you asked me... +- What I asked you? +- The exemption. +Now it's about to expire, and this time to get it will be almost impossible. +- What d'you mean, exemption? +- The exemption for Mark. +You can be sure I handled the whole thing discreetly. +Could Mark have done it without informing you? +He even offered me money in your name... +I'm sorry. +I'm glad you're here, Uncle Fedya. +I wish you'd talk to her. +She burst in without being invited, started a fight... +Shut the door. +Do you believe that anybody likes having his son marching off to war? +What do you mean? +Or do you believe that for your petty pleasures and well-being others must lose their arms, legs, eyes, jaws, even their lives? +And you owe nothing to no one? +You know I've got an exemption, Uncle Fedya. +Tell us how you got this exemption. +What are you doing, Veronica? +It's all right. +I'm going to rent a room. +And I'm taking the boy... +Perhaps someone else had better rent a room? +Gladly. +I've been wanting to for a long time. +I wish you'd driven me out in the first place. +You've been through a terrible ordeal. +Only one who had done something worse could have condemned you. +Stay with us. +I can't. +I cannot hide behind someone else's back. +I don't want to. +Think it over. +Listen, where can I find the Borozdin family? +- Which one are you looking for? +- Feodor Ivanovich. +Feodor? +He is not in at the moment. +Are you from Boris? +No, I'm by myself. +I have to see Feodor Ivanovich. +- Won't you sit down? +- Thanks. +Feodor Ivanovich should be here in a few minutes. +- May I go out? +- All right. +- Is he yours? +- Yes, he's mine. +He looks like you. +Are you a relative of the Borozdins? +Not really. +Well, I've done all the fighting I'll ever do. +Going home? +Not yet. +Leningrad's still blockaded. +- Yeah, I'm in a spot. +- Why? +I guess there's no harm in telling you because you're not the family. +But how do you tell a man his son was killed? +- Where did it happen? +- Near Smolensk. +What do you want me to play? +I don't care. +Tell me, did you see him buried? +No. +I was put on a stretcher and taken to a hospital, and he was with a friend of his, Stepan. +Stepan... +I've got to find his girl now. +He was really in love with her. +I'm the girl. +Come to see us when you're in Moscow, Volodya. +Thanks very much. +I will. +The war's over. +It's strange, isn't it? +And you're still waiting? +I am. +One must always keep on hoping. +What's the use of waiting? +I saw it with my own eyes. +What did you see? +You saw him wounded? +You saw him fall? +You didn't see him die. +But if he's alive, why hasn't he written to you? +Anything could happen. +Stepan hasn't written to anyone either. +They know at the factory that he was in some Special Operations. +Dasha promised to let me know when he's back. +Boris is alive. +He's alive. +Look! +The victors are coming! +Kolia, darling, you're back! +Boris! +Veronica! +Stepan! +The flowers... +For you. +Well? +What? +You see... +Well... +My darling! +Dear mothers, fathers, brothers and sisters! +The happiness of our reunion is boundless. +The heart of every Soviet citizen sings with joy, the joy of victory! +We have all waited for this happy moment. +We dreamed of it in the darkest hours of our struggle. +But we'll never forget those who lie silent on the battlefield. +Years will pass, our cities will rise again, and our wounds may one day be forgotten. +Let one thing remain in our hearts, a cold hatred of war! +We deeply feel the grief of those who cannot meet their loved ones today. +We must all take a vow to keep our promise that sweethearts will never again be parted by war, that mothers may never again fear for their children that our brave fathers may not stealthily swallow their tears. +We have won and remained alive, not for destruction but to build a new life! +Don't just stand there. +Give the flowers to whoever they're for. +Thank you very much, sister. +Oh, what a darling! +Look, the cranes are flying over Moscow! +The End +Stop, Squirrel. +Put them on. +Look! +"Cranes like ships, sailing in the sky +White ones, grey ones With long beaks they fly" +Look, look! +There you go. +You and your "cranes like ships." +THE CRANES ARE FLYI NG +Screenplay V. ROZOV +Director M. KALATOZOV +Cinematography S. URUSEVSKY +STARRI NG +Veronica T. SAMOI LOVA +Boris A. BATALOV +Fyodor Ivanovich V. MERKURYEV +Mark A. SHVORI N +A PRODUCTION OF MOSFI LM 1957 +Who's there? +Wait. +Well, okay. +When? +- Thursday, at the embankment. +- Come on, that's too long! +Squirrel! +We haven't finished. +Squirrel! +When? +What time on Thursday? +No, I can't. +I'll be at the factory. +Okay. +Don't be late! +Squirrel! +She's crazy about him. +And he about her. +That's what love is, my dear: +a harmless mental illness. +Why aren't you in bed yet, Grandma? +It's already time to get up, Boris! +Quit making noise! +Running around all night... +You're just jealous. +Did you tear it? +Your jacket's all in one piece. +Disgraceful! +Twelve o'clock, and he's still asleep. +He works a lot. +He's tired. +Let him at least get some sleep on Sunday. +This "work" of his will end in a wedding. +You're just afraid of losing him. +Irina's mind should be on her thesis, not on a wedding. +Watch out, Uncle Fedya. +She almost has her doctorate and you're still just a physician. +Well, if children don't surpass their parents, then the parents are bad and the children not much better. +Thanks, Mama. +Important announcement! +What's going on? +Boris! +War! +You hear me? +War! +Leave me alone. +Hello. +Boris is at the factory day and night. +Are you waiting for him? +I'm not waiting for anyone. +Veronica. +In wartime, it's important not to lose your head. +Try to live a normal life. +Like me... +I dream of dedicating a piano concerto to you. +Will you come to hear it? +- Won't you be drafted? +Drafted? +I don't know. +I doubt it. +And why is that? +The most talented people will be exempt. +- And you suppose you're talented? +- Yes. +Why are you always following me around? +You ought to be ashamed. +I am. +I promised myself a thousand times I wouldn't. +I know Boris is my cousin, but I can't help myself! +You understand? +I can't. +Wait! +There's no need to escort me. +Watch out! +You'll hurt your leg. +It'll be harder at the front, my dear Boris. +They won't let you go to the front. +There will be only one exemption. +Either for you or for me. +That's right. +So you should stay. +You've got knowledge and experience. +And you've got something more important... talent. +Take care of your drawings. +You know, my wife's already got my bags packed. +Well, as they say, let's get our bayonets ready! +Stepan! +Excuse me, Sachkov. +Well? +Where's the notice? +Nothing yet. +I don't understand why they're so slow. +Are you going home? +- No, I'm... +- Oh, I see. +Well, say hello to her! +- I will. +What? +- Have you told her? +- No. +Why should I rush it? +- You're right. +See you tomorrow. +- Take care! +- Let go. +- I won't let go. +You're gonna fall! +Let go. +You'll tear the shade. +- It's a blanket. +- Let go. +I'll call the police. +- I'm tired of these blackouts! +Give it to me! +- You're gonna fall. +- I am not. +Squirrel, stop it. +Let me hang this up. +You didn't come to the embankment today, but Mark did. +- So? +- He's handsome. +So? +- Are you jealous? +- What? +- Are you jealous? +- I don't have the time. +Too bad. +I think I'll enroll at the Architectural Institute. +- They won't accept you. +- Yes, they will. +I doubt it. +Cranes like ships sailing in the sky +White ones, grey ones with long beaks they fly +Do you like my song? +Very profound. +Little croaking frogs Why didn't you look up? +You kept on hopping and jumping That's why you got eaten up +Eaten! +Well, hero, did you win? +I won, I won. +I won. +Do you think you'll be drafted? +- Of course. +- Would you volunteer? +- I might. +No, you won't! +You know very well you'll be exempt. +That's why you talk so big. +- What makes you so sure? +- I know. +All the smart ones will be exempt. +So only fools will fight? +I don't want to discuss it any further. +Veronica... +I want to talk to you about something. +Well, I don't. +And please don't call me Veronica. +Who am I? +- Squirrel. +- That's right. +Listen. +What will you give me tomorrow? +It's a secret. +If it's something good to eat, I'll eat it and forget about it. +Give me something I will always remember, for as long as I live. +Kiss me. +You know, when you're with me, +I'm not afraid of anything, not even the war. +I'm afraid of the police. +Veronica. +You know what? +Do you know? +For the wedding I'm going to make a white dress. +Like the one my grandma had. +And a long, long veil. +And you'll wear a black suit, and we'll go... +- To the registry office. +- Agreed then? +- Agreed. +You know, I like this blackout. +What's so good about it? +Hey! +Stepan! +I have a treat for you. +- What is it? +- It's a secret. +- Did it arrive? +- It did. +Why didn't you say so? +Tell me. +Things are crazy at the factory! +The guys ran to the barber's. +I went straight to your place. +- Make it short. +- Just wait. +So I was saying, the guys ran... +Listen, can't you make it shorter? +- Your family's worried. +- What time do we report? +Today at 5:00. +With your things. +Look at these cherries. +- What is it? +- Beautiful. +The notice came. +Really? +For you? +Yes, for me too. +We both volunteered. +What? +You volunteered? +But the notice came... +Wait. +What about me? +I'd better go home. +I've got a lot going on there too. +Squirrel. +I didn't want to tell you. +Tomorrow's your birthday. +I have to go. +Of course. +Squirrel. +What's the matter? +Cranes like ships +You like my poem? +Nothing will happen to me. +You hear? +And then you and I will live for a long, long time. +A hundred years. +Go. +We'll say good-bye later. +All right. +Don't be late. +Can't he stay home until tomorrow? +He's a swine if he's still at Veronica's. +Boris! +- Did Dad call? +- Yes. +He's furious. +Why didn't you tell us? +To avoid scenes like this. +Go to the factory tomorrow and turn these over to Kuzmin, the engineer. +I will, I will. +What are you stuffing in there? +I'm running out for a bottle of wine. +Grandma, do me a favor. +Just a minute. +Will they send you to the front right away? +Probably. +Here... wait a minute. +Early tomorrow morning take this to her. +What is it? +It's her birthday tomorrow. +And later, if things are hard for her... +After all, this is war... +Help her out. +And if I die? +You've got no business dying, especially now that you know so many secrets. +I just might up and die. +Quiet. +That's Veronica. +No, it's Irina. +Thank God, you're home. +Boris! +Come over here. +What is this about? +You're 25 years old and you... +forgive me... act like a fool! +What are we? +Children? +Is this a game? +Hide-and-seek? +He wants adventure! +There's character for you. +Where are Irina and Mark? +Irina's making coffee. +Mark went out to buy some wine. +Coffee, wine! +What's wrong with people these days? +Irina! +Bring me the bottle from the medicine cabinet. +Boris! +Come here. +Where's Veronica? +- She'll be here any minute. +- Where is she? +She's busy. +This isn't right. +She should be here. +Her fiancé is leaving. +I'm not her fiancé. +- What are you, then? +- We're just... +You're just what? +That sounds suspicious. +- I don't mean it that way, Dad. +- Then what do you mean? +- Stop picking on me. +- Wait! +- Why are you bothering him? +- Here. +From the medicine cabinet. +- Go ahead and mix it properly. +- Here's the port. +Drink it yourself. +We'll have a real drink. +So, is everybody here? +Sit down. +It's Veronica! +Go meet your bride, Mr. Bridegroom! +Finally! +- We came from the factory to see Boris. +- Please come in. +And I thought the bride had arrived. +- We're from the plant. +- They told us to bring you these gifts. +Sorry. +This one. +- On behalf of the Plant Committee... +- And the Communist Youth League... +What you want to say is: +"Comrade Boris, fight to the last drop of blood, and beat the fascists! +And we at the plant will meet and exceed our production quotas." +We've heard all that before. +Why don't you sit down with us, girls, and drink to my son Boris! +Things in this world aren't going as smoothly as we might like. +So now you're off to war, Boris... +- Let's have a drink! +- To you! +A glass for Grandma. +We sent our brother off yesterday. +Mother cried and cried. +What about you? +- I cried too. +- On behalf of the Plant Committee? +- No, on my own. +- Don't embarrass her. +We've got no one to send off. +There's just Mother and three girls. +We even felt a little ashamed, with all the others leaving... +When our men come back, you'll envy us. +The trouble is not all of them will come back. +For those who don't, we'll build a monument reaching to the sky with every one of their names in gold. +Irina, pour another round. +What are you waiting for? +I'll just put these away. +Well, you folks in the rear, meet and exceed your quotas! +Grandma, don't forget. +Mark, don't go. +Stay with Father. +- I'll walk you to the trolley. +About face! +Guards, forward march! +- Mother! +- The last time. +I'm sorry. +Not in the mood for a drink? +Where are you going? +- I'm going on duty. +You were on duty yesterday. +Varvara Kapitanova, may I see Boris for just a moment? +- He already left. +- He left? +Where did he go? +- To the assembly station. +- Oh, no. +- Come in. +- Where's the assembly station? +- I don't know. +- What's this? +- It's from Boris, for your birthday. +There's a note too. +- Where's the note? +- Isn't it there? +He must have forgotten in the rush. +Forgotten? +He'll write to you. +Where were you? +- Where's the assembly station? +- It's on Zvenigorodskaya. +Don't worry. +She'll come. +Even if she does, how will she find me in this crowd? +What are you doing? +Boris, where's Veronica? +Write to me every day. +Who has the invoices for the cauliflower? +Don't forget to send your field address. +Cheer up, pug-nose! +Take care! +Fall in! +She'll come. +Boris! +Fall in! +Forward march! +There's my kitten. +Grandma? +Nothing? +He hasn't written to me either. +- Anything? +- No. +Oh, this war. +Well, rain or shine, we must carry on. +Have you decided where you'll work? +I'll go to the war factory. +Citizens! +Air raid alert! +Hurry down to the subway. +I've got some urgent work to do. +Go get your things. +Where's the backpack? +- The backpack? +It's right there. +I won't go without you. +If it becomes dangerous, we'll go down to the shelter. +Go now. +Be careful in the subway. +She's so scared, poor girl! +- What about you? +When Veronica is safe and you're by my side, I'm not afraid. +They're still at it, the brutes. +Those parasites won't even let us talk! +For some reason he doesn't write to me. +It's the war. +The mail is so slow. +All clear. +The air raid is over. +Let's go. +Well, my place is right here. +If you decide to come join us, call me at the factory. +- Okay. +- Good-bye. +Where are you going? +Get back! +Where do you think you're going? +I'm sorry. +Veronica, you'll stay with us from now on. +Boris' room is free for now. +Mark will share a room with Fedya. +Mark, we must take good care of her. +Unfortunately, Irina and I are at the hospital day and night. +I'll try, Uncle Fedya. +Boris spoke to me about it. +Are you all right now? +Is this the factory? +May I speak to Kuzmin, please? +He's gone to the front too? +Excuse me. +Is there any news from Boris Borozdin? +If it weren't for the damned war, +I'd be playing this at Tchaikovsky Hall. +For you. +- Veronica, let's go to the subway. +- I'm not going. +- That's nonsense! +Let's go. +- Are you afraid? +Only for your sake. +Come on, let's go. +I'm not afraid of anything. +Veronica, let's go! +Don't be foolish. +You're acting crazy! +I won't go! +I won't, I won't, I won't! +I love you. +No. +I love you. +I love you. +I love you! +- Go away! +I love you. +What a stupid way to get surrounded. +- Stepan, stop whining. +- What do you mean, stop whining? +The captain said we might break through by tonight. +- At last! +Sachkov! +- Here! +Where's this rookie from? +Straight from an incubator. +A fresh reinforcement. +Now we'll break through for sure. +Is that any way to speak to a married man? +- Is that right? +- I got married in school. +See what education does to people. +You funny guys, always joking! +Laughed yourselves right into a trap. +Volodka, are you really married? +Are you kidding? +Sounds better, though, doesn't it? +Borozdin! +You'll go out on reconnaissance. +Your job is to find the best place to break through. +Turn over your papers. +- Yes, sir. +Hey, Sachkov! +Come on, help me here. +Let's take a break, guys, and have a smoke. +She's always laughing like that. +- They must think we're dead. +Let me see that beauty. +Yep, the life of a soldier. +You're over here, and she's... +And she's what? +Give me the harmonica. +Sachkov, hold it for a second! +Stop it! +Aren't you ashamed? +- No. +Five days' arrest. +You'll both go on reconnaissance. +Turn in your papers. +Boris, here. +Because of her? +She's worth fighting for. +- Exactly. +Stop that chatter! +Discipline! +Hear that? +Discipline. +Stepan, hold on to this. +Just don't lose it. +We're getting married, Uncle Fedya. +I forgot... +I still have some sausage. +- Keep your head down. +- Stop giving me orders. +- Let's get out of here or they'll get us. +- Run if you're scared. +You idiot! +Hey, you! +Musician! +You deaf? +How the hell did I get stuck with him? +What's wrong? +Hey, you! +Go on alone. +I want to rest for a bit. +- Are you wounded? +Hold on to me. +- Leave me alone. +Hold on to me, I said, and hold on tight! +Here, get on my back. +It'll be faster this way. +Leave me here. +- Idiot! +You're sore because I punched you. +- You were just lucky l... +Shut up. +We'll settle it later. +Hold on, hold on. +A little further to the woods, and then we're safe. +I'm tired. +Let's rest a bit. +It's quieter here. +So, are you alive? +- It's a little hard to breathe. +- To breathe? +We'll dance at your wedding yet. +Hey, buddy! +What's the matter? +Forgive me. +Forgive me. +Forgive me, friend! +Hey, somebody, help! +Help! +Help! +Boris! +What's wrong, Boris? +Are you wounded? +I'm not wounded. +I... +The Soviet Information Bureau reports no important changes on the fronts in the last 2 4 hours. +No important changes. +That's good. +Families evacuated with Moscow Plant 3 26 will be quartered on Vostaniya Street. +Comrades, report here. +Irina, help this wounded man. +- The paramedics will be here soon. +- Yes. +Unload! +Siberia. +We can't retreat much farther. +This is what's become of Mother Russia. +Attention, attention! +Chief of Hospital Number 4, Borozdin, report to the military commandant. +Perhaps we'll find some peace here. +Clear the way, folks. +The stove is smoking. +I'm sorry. +You can daydream when the war is over. +Where are you going? +To the hospital. +I'm on duty. +She wanders around like a ghost, all nerves. +She's always waiting for a letter. +From whom? +Her husband's right here. +Not like us, soldiers' wives. +She's not waiting for a letter from anyone. +- Are you on the second shift at school? +- Yes. +"Cranes like ships sailing in the sky." +Those silly lines are stuck in my head. +There it is. +- What? +The mail. +If I can count up to 50, there'll be a letter for me. +- Veronica, this is crazy. +...16, 17, 18, 19 20, 21... +- Stop! +...45, 46, 47... +- Hello. +- Hello. +There's nothing for you. +For you. +Lededeva? +- That's me. +- Palyukaitis? +- Nothing. +From my eldest son on the Ukrainian front. +I didn't know Boris, but everyone says he was a gifted young man. +Was? +Missing doesn't mean dead. +Of course not. +That didn't come out right. +What's the matter, Veronica? +I'm dying, Anna Mikhailovna. +My dear, what are you saying? +- I've lost everything. +- You have your life ahead of you. +I don't want to live! +What's the use? +- Forget the past. +It's human nature to forget. +I don't want to forget. +There's nothing I need to forget. +You mustn't punish yourself forever. +I must. +Till the end. +You teach history. +You're an intelligent woman. +Tell me: +What is the meaning of life? +The meaning of life? +Perhaps it's that... +Was Chernov here? +No. +Boy, am I hungry! +If Chernov comes, try to be polite. +He's revolting. +I may find him even more revolting than you do, but he's the boss. +Why do you always kiss up to him? +Dear Veronica, you're impossible. +You're always so irritable, and you keep picking on me. +Tell me what I can do for you. +I wish you had never been born. +Come in! +- I hope I'm not intruding. +- We're always happy to see you. +Make yourself comfortable. +Did you hear? +The Germans have advanced in the Caucasus. +It's awful. +But don't worry. +We'll show them yet. +Please, make yourself comfortable. +Your place is cozy. +My wife and children are in Tashkent, so I live like a homeless tramp. +Hello, Veronica. +- Where are you going, dearest? +- I'm on duty at the hospital. +- Bundle up. +It's very cold. +I admire your wife. +She's always so candid, so pure. +She must be very happy with you. +I looked for you today at the Philharmonic. +- Was there a concert? +- No. +Will you be at the birthday party tonight? +Probably. +- What will you take for a gift? +- What can I give? +Yes... the war. +It's nothing great, but attach a little something to it and I'm sure Antonina will be very happy. +It's wonderful. +How much do I owe you? +- It's nothing. +Don't mention it. +- Thanks very much. +Mark, I have a favor to ask. +Is there anyone upstairs? +No. +Do you think you could ask Fyodor Ivanovich for some medicine? +Good job, Irina. +He's going to live. +I hope so. +He'll be a real swine if he dies. +Irina, you should have been born a man! +I feel pretty good as a woman. +Veronica, why are you so early? +The clock was fast. +Poor girl. +I'll never forgive what she did to Boris. +Here comes another batch! +I've told you already, we're full! +This is a hospital, not a sardine can! +Where are they all from? +Kalach? +- Stalingrad. +Some from the front, some from the hospital. +There's no room. +Don't worry, they'll make room. +I'll take 80 men. +The rest will have to go to other hospitals. +Now, then... give my regards to Uncle Sergei, +Fyodor, Vassily, +Aunt Marya, Agrafena, +Katerina, Varvara, +Nikolai, +Katerina. +You already said Katerina. +This is a different Katerina. +- Then you should say so. +- It's okay. +They'll figure it out. +So... +Zinaida, +Antonina, Kuzma... +Nurse! +What's the matter, Vorobyev? +Nothing. +I want the nurse. +He needs the bedpan. +I'll get it for you. +Thank you. +That's lovely music. +Turn up the radio, please. +Turn off that music! +Turn that music off! +You hear me? +Who yelled? +I did! +What's it to you? +- Zakharov, what's wrong? +- Go away! +He's losing his mind. +He got word from home this morning. +His girlfriend didn't wait for him. +She married someone else, the bitch. +He hasn't eaten all day. +Try to comfort him. +Broads like that are worse than fascists. +They aim right at the heart. +You have to eat, Zakharov, or you won't get well. +I don't want to get well! +I want to die! +Call the doctor! +Calm down. +All because of some broad! +Call the doctor! +Quit yelling! +Shut up! +Where will they take us now? +There are plenty of hospitals in the world. +The head doctor's coming, boys! +Stop it this minute! +You're still a soldier in the Red Army! +Are you trying to get discharged? +Are you afraid we'll heal your hands and send you back to the front? +No, Doctor, he's not like that. +He got a letter. +- I know. +That's just an excuse. +Big deal! +So your bride ran off. +You should be glad! +She isn't worth a penny if she would trade a handsome guy like you, a real hero, for some rat sitting out the war at home! +It's she who's forfeited her happiness, not you! +And that's what she deserves. +That's right. +She's got a petty soul. +People like her can't understand how much suffering we've gone through. +Killing people like her would be too kind! +You stood up to Death itself. +You looked death in the face. +You approached it with your chest stuck out. +And she couldn't even pass the little test of time. +Women like her deserve only our contempt. +There can be no forgiveness for them! +Bandage him up. +Aunt Sima, bring him some tea and porridge. +Don't be a brat. +Veronica... +You idiot! +Keep an eye on your kid! +And it would have been my fault! +Just standing there with your mouth open like an idiot! +- Whose boy are you? +- Mama's. +- Where are you from? +- Voroshilovgrad. +- How old are you? +- Three months and three years. +What's your name? +Boris. +- What? +- Boris. +- Why the fancy get-up? +- A concert at the hospital. +- Can't you tell a better lie? +- All right, all right. +- Is Mark here? +- He is now. +- Here. +- Thank you, Anna. +A little boy is having a birthday and I wanted to give him a present. +You are a kind man after all, Mark Alexandrovich. +"The symptoms of such compound fractures depend on the degree of changes in the joints, as well as on the location." +Interesting, but unintelligible. +Why, I think it's quite clear. +What's this? +What kind of trick is this? +What trick? +He lost his parents at the station. +You should have taken him to the shelter for lost kids. +I don't want to go to the shelter! +Go there yourself! +- Rude child! +- You're rude. +Quiet, quiet. +We'll go find Mommy in Voroshilovgrad. +Stop that noise! +It's hurting my ears. +Here, play with this cap! +Here's a bagel for you. +- My eardrums will burst! +- We need to find a toy for him. +Irina, take him for a minute. +So now I have to hold him too? +Here, give him to me. +Come to me, little one. +I'll get you ready for bed. +Has anyone seen my squirrel? +Mark took it. +Mark? +Where'd he take it? +To give to some little boy as a present. +Some little boy? +- Where's Mark? +- I don't know. +- Where's Mark? +- I don't know. +You're hiding something from me. +Where did he go? +You know, don't you? +Where? +Probably to see Antonina. +What Antonina? +Ask Mark. +- Tell me. +- Don't give me orders. +Mark... visits her occasionally. +You understand? +- You're saying this to hurt me. +- Why would I? +Just to spite me! +I'm loved. +I have a husband. +And you're still an old maid. +She lives in a small house near that large market. +You can check it out for yourself. +It's okay, it's okay. +I have to do something, I have to do something. +Talk to Mark when he comes back. +You should wait. +Wait? +Always waiting. +I'm always waiting. +I've had enough! +What use are words +Let lips fall silent +Sometimes +They tell lies +The eyes alone +Will never dare +To lie to other eyes +My eyes are now +Dark and sad +As though someone +Had blown out their flame +In Leningrad on my birthday, we'd take a car and go from one end of the city to the other. +Let's go for a ride! +In these times, Antonina, a car is worth its weight in gold, and gasoline is rationed. +Any kind of vehicle. +I beg you! +A fire engine, an ambulance, a truck. +Anything you like. +A ride against the forces of nature! +Just the two of us? +To forget everything else. +I'll try. +I love you. +Sorry. +I don't dance. +I thought I had tried everything, but I've never tried golden nuts. +Look, a message. +A birthday note for me? +So it's for your birthday? +Where's my squirrel? +Don't get the wrong idea. +There's a note from someone named Boris. +"My only love, happy birthday to you." +On this day you came into this world. +It's hard to leave you. +But what can we do? +This is war. +There's no way around it. +We can't continue living happily as we did before when death stalks our land. +But we'll be happy yet. +I love you. +I have faith in you. +Your Boris. +What are you so excited about? +Go home. +I'll be there soon. +What's that for? +Take your coat off. +Thank you. +You know, as usual all the Philharmonic's cars are taken, and I need one badly. +You're the head surgeon and all. +Surely you won't refuse... +We're very short on vehicles. +It was hard to do what I did for you, but I did it. +When you asked me to, I did my best. +What did I ask? +For an exemption. +It's about to expire, and this time, getting a new one will be practically impossible. +- What exemption? +- For Mark Alexandrovich. +Don't worry. +Not a soul will know about this. +Is it possible he lied to both of us? +He even offered me money in your name. +I'm sorry. +Very good. +Uncle Fyodor, +I turn to you for help. +Her behavior's impossible. +She stormed into a stranger's place, started a fight... +Shut the door. +Do you think anyone wants to send his son to war? +What are you talking about? +Or do you think others must pay for your welfare, for your life, with their hands, their legs, their eyes, their lives, +and you owe nothing to anyone? +I have an exemption, Uncle Fedya. +An exemption? +Tell me, how did you get it? +Why are you doing this? +It's okay. +I'll rent a room, I'll take Boris... +Perhaps someone else had better rent himself a room. +Gladly! +I've thought about doing that for a long time. +Why didn't you throw me out in the first place? +You've been through a terrible ordeal. +Only someone without a heart could reproach you. +Stay with us. +I can't. +I don't want to hide behind someone else's back. +I won't! +Think it over. +Could you tell me where the Borozdins live? +They live here. +Which of them do you want to see? +- Fyodor Ivanovich. +He's not home. +Did Boris send you? +What Boris? +No, I came on my own. +I must speak to Fyodor Ivanovich. +- Have a seat. +- Thank you. +He'll be home soon. +- May I go for a walk? +- You may. +Is he yours? +He looks like you. +Are you a relation of the Borozdins? +Not exactly. +You see, I'm out of the army. +Going home? +It's unlikely. +There's still a blockade around Leningrad. +I'm in a difficult situation. +- What is it? +- It's easy to tell you. +You're not part of the family. +Fyodor Ivanovich's son was killed. +Where? +West of Smolensk. +What shall I play for you? +Whatever you like. +Did you see him buried? +No. +I was injured and they carried me away on a stretcher, but a friend of his, Stepan, went up to him. +Now I have to find his girlfriend. +He loved her very much. +That's me. +Vladimir, come to see us if you're ever in Moscow. +Thank you. +I'll do that. +The war's over. +Strange, isn't it? +And you're still waiting? +Yes, I am. +One must always hope for the best. +Why do you delude yourself? +I saw it with my own eyes. +What did you see? +How he was wounded? +How he fell? +But you didn't see him die with your own eyes. +No... but why haven't you heard from him? +A lot of things could have happened. +There's no word from Stepan either. +At the factory they know he's in some special unit and will be back soon. +Dasha promised to tell me when he's back. +Boris is alive. +He's alive. +- Look, here they come! +- The victors are coming! +Boris! +- Veronica! +- Stepan! +Flowers for you. +Well? +What? +You see... +Here. +Dear mothers, fathers, sisters and brothers! +The happiness of our reunion is immeasurable. +The heart of every Soviet citizen is filled with joy. +Joy sings in our hearts. +It is victory that has brought us this joy. +We have all waited for this moment. +Everyone's dizzy with happiness. +But we shall not forget those left behind on the battlefield. +Time will pass. +Towns and villages will be rebuilt. +Our wounds will heal. +But our fierce hatred of war will never diminish! +We share the grief of those who cannot meet their loved ones today, and we will do everything to insure that sweethearts are never again parted by war, that mothers need never again fear for their children's lives, +that fathers need never again choke back hidden tears. +We have won, and we shall live not to destroy, but to build a new life! +Why are you just standing there? +Give your flowers to whomever they're for. +Thank you, sister. +My beautiful granddaughter! +Look, look! +Cranes are flying over Moscow! +THE END +Stop, Squirrel. +Put them on. +Look! +"Cranes like ships, sailing in the sky +White ones, grey ones With long beaks they fly" +Look, look! +There you go. +You and your "cranes like ships." +THE CRANES ARE FLYI NG +Screenplay V. ROZOV +Director M. KALATOZOV +Cinematography S. URUSEVSKY +STARRI NG +Veronica T. SAMOI LOVA +Boris A. BATALOV +Fyodor Ivanovich V. MERKURYEV +Mark A. SHVORI N +A PRODUCTION OF MOSFI LM 1957 +Who's there? +Wait. +Well, okay. +When? +- Thursday, at the embankment. +- Come on, that's too long! +Squirrel! +We haven't finished. +Squirrel! +When? +What time on Thursday? +No, I can't. +I'll be at the factory. +Okay. +Don't be late! +Squirrel! +She's crazy about him. +And he about her. +That's what love is, my dear: +a harmless mental illness. +Why aren't you in bed yet, Grandma? +It's already time to get up, Boris! +Quit making noise! +Running around all night... +You're just jealous. +Did you tear it? +Your jacket's all in one piece. +Disgraceful! +Twelve o'clock, and he's still asleep. +He works a lot. +He's tired. +Let him at least get some sleep on Sunday. +This "work" of his will end in a wedding. +You're just afraid of losing him. +Irina's mind should be on her thesis, not on a wedding. +Watch out, Uncle Fedya. +She almost has her doctorate and you're still just a physician. +Well, if children don't surpass their parents, then the parents are bad and the children not much better. +Thanks, Mama. +Important announcement! +What's going on? +Boris! +War! +You hear me? +War! +Leave me alone. +Hello. +Boris is at the factory day and night. +Are you waiting for him? +I'm not waiting for anyone. +Veronica. +In wartime, it's important not to lose your head. +Try to live a normal life. +Like me... +I dream of dedicating a piano concerto to you. +Will you come to hear it? +- Won't you be drafted? +Drafted? +I don't know. +I doubt it. +And why is that? +The most talented people will be exempt. +- And you suppose you're talented? +- Yes. +Why are you always following me around? +You ought to be ashamed. +I am. +I promised myself a thousand times I wouldn't. +I know Boris is my cousin, but I can't help myself! +You understand? +I can't. +Wait! +There's no need to escort me. +Watch out! +You'll hurt your leg. +It'll be harder at the front, my dear Boris. +They won't let you go to the front. +There will be only one exemption. +Either for you or for me. +That's right. +So you should stay. +You've got knowledge and experience. +And you've got something more important... talent. +Take care of your drawings. +You know, my wife's already got my bags packed. +Well, as they say, let's get our bayonets ready! +Stepan! +Excuse me, Sachkov. +Well? +Where's the notice? +Nothing yet. +I don't understand why they're so slow. +Are you going home? +- No, I'm... +- Oh, I see. +Well, say hello to her! +- I will. +What? +- Have you told her? +- No. +Why should I rush it? +- You're right. +See you tomorrow. +- Take care! +- Let go. +- I won't let go. +You're gonna fall! +Let go. +You'll tear the shade. +- It's a blanket. +- Let go. +I'll call the police. +- I'm tired of these blackouts! +Give it to me! +- You're gonna fall. +- I am not. +Squirrel, stop it. +Let me hang this up. +You didn't come to the embankment today, but Mark did. +- So? +- He's handsome. +So? +- Are you jealous? +- What? +- Are you jealous? +- I don't have the time. +Too bad. +I think I'll enroll at the Architectural Institute. +- They won't accept you. +- Yes, they will. +I doubt it. +Cranes like ships sailing in the sky +White ones, grey ones with long beaks they fly +Do you like my song? +Very profound. +Little croaking frogs Why didn't you look up? +You kept on hopping and jumping That's why you got eaten up +Eaten! +Well, hero, did you win? +I won, I won. +I won. +Do you think you'll be drafted? +- Of course. +- Would you volunteer? +- I might. +No, you won't! +You know very well you'll be exempt. +That's why you talk so big. +- What makes you so sure? +- I know. +All the smart ones will be exempt. +So only fools will fight? +I don't want to discuss it any further. +Veronica... +I want to talk to you about something. +Well, I don't. +And please don't call me Veronica. +Who am I? +- Squirrel. +- That's right. +Listen. +What will you give me tomorrow? +It's a secret. +If it's something good to eat, I'll eat it and forget about it. +Give me something I will always remember, for as long as I live. +Kiss me. +You know, when you're with me, +I'm not afraid of anything, not even the war. +I'm afraid of the police. +Veronica. +You know what? +Do you know? +For the wedding I'm going to make a white dress. +Like the one my grandma had. +And a long, long veil. +And you'll wear a black suit, and we'll go... +- To the registry office. +- Agreed then? +- Agreed. +You know, I like this blackout. +What's so good about it? +Hey! +Stepan! +I have a treat for you. +- What is it? +- It's a secret. +- Did it arrive? +- It did. +Why didn't you say so? +Tell me. +Things are crazy at the factory! +The guys ran to the barber's. +I went straight to your place. +- Make it short. +- Just wait. +So I was saying, the guys ran... +Listen, can't you make it shorter? +- Your family's worried. +- What time do we report? +Today at 5:00. +With your things. +Look at these cherries. +- What is it? +- Beautiful. +The notice came. +Really? +For you? +Yes, for me too. +We both volunteered. +What? +You volunteered? +But the notice came... +Wait. +What about me? +I'd better go home. +I've got a lot going on there too. +Squirrel. +I didn't want to tell you. +Tomorrow's your birthday. +I have to go. +Of course. +Squirrel. +What's the matter? +Cranes like ships +You like my poem? +Nothing will happen to me. +You hear? +And then you and I will live for a long, long time. +A hundred years. +Go. +We'll say good-bye later. +All right. +Don't be late. +Can't he stay home until tomorrow? +He's a swine if he's still at Veronica's. +Boris! +- Did Dad call? +- Yes. +He's furious. +Why didn't you tell us? +To avoid scenes like this. +Go to the factory tomorrow and turn these over to Kuzmin, the engineer. +I will, I will. +What are you stuffing in there? +I'm running out for a bottle of wine. +Grandma, do me a favor. +Just a minute. +Will they send you to the front right away? +Probably. +Here... wait a minute. +Early tomorrow morning take this to her. +What is it? +It's her birthday tomorrow. +And later, if things are hard for her... +After all, this is war... +Help her out. +And if I die? +You've got no business dying, especially now that you know so many secrets. +I just might up and die. +Quiet. +That's Veronica. +No, it's Irina. +Thank God, you're home. +Boris! +Come over here. +What is this about? +You're 25 years old and you... +forgive me... act like a fool! +What are we? +Children? +Is this a game? +Hide-and-seek? +He wants adventure! +There's character for you. +Where are Irina and Mark? +Irina's making coffee. +Mark went out to buy some wine. +Coffee, wine! +What's wrong with people these days? +Irina! +Bring me the bottle from the medicine cabinet. +Boris! +Come here. +Where's Veronica? +- She'll be here any minute. +- Where is she? +She's busy. +This isn't right. +She should be here. +Her fiancé is leaving. +I'm not her fiancé. +- What are you, then? +- We're just... +You're just what? +That sounds suspicious. +- I don't mean it that way, Dad. +- Then what do you mean? +- Stop picking on me. +- Wait! +- Why are you bothering him? +- Here. +From the medicine cabinet. +- Go ahead and mix it properly. +- Here's the port. +Drink it yourself. +We'll have a real drink. +So, is everybody here? +Sit down. +It's Veronica! +Go meet your bride, Mr. Bridegroom! +Finally! +- We came from the factory to see Boris. +- Please come in. +And I thought the bride had arrived. +- We're from the plant. +- They told us to bring you these gifts. +Sorry. +This one. +- On behalf of the Plant Committee... +- And the Communist Youth League... +What you want to say is: +"Comrade Boris, fight to the last drop of blood, and beat the fascists! +And we at the plant will meet and exceed our production quotas." +We've heard all that before. +Why don't you sit down with us, girls, and drink to my son Boris! +Things in this world aren't going as smoothly as we might like. +So now you're off to war, Boris... +- Let's have a drink! +- To you! +A glass for Grandma. +We sent our brother off yesterday. +Mother cried and cried. +What about you? +- I cried too. +- On behalf of the Plant Committee? +- No, on my own. +- Don't embarrass her. +We've got no one to send off. +There's just Mother and three girls. +We even felt a little ashamed, with all the others leaving... +When our men come back, you'll envy us. +The trouble is not all of them will come back. +For those who don't, we'll build a monument reaching to the sky with every one of their names in gold. +Irina, pour another round. +What are you waiting for? +I'll just put these away. +Well, you folks in the rear, meet and exceed your quotas! +Grandma, don't forget. +Mark, don't go. +Stay with Father. +- I'll walk you to the trolley. +About face! +Guards, forward march! +- Mother! +- The last time. +I'm sorry. +Not in the mood for a drink? +Where are you going? +- I'm going on duty. +You were on duty yesterday. +Varvara Kapitanova, may I see Boris for just a moment? +- He already left. +- He left? +Where did he go? +- To the assembly station. +- Oh, no. +- Come in. +- Where's the assembly station? +- I don't know. +- What's this? +- It's from Boris, for your birthday. +There's a note too. +- Where's the note? +- Isn't it there? +He must have forgotten in the rush. +Forgotten? +He'll write to you. +Where were you? +- Where's the assembly station? +- It's on Zvenigorodskaya. +Don't worry. +She'll come. +Even if she does, how will she find me in this crowd? +What are you doing? +Boris, where's Veronica? +Write to me every day. +Who has the invoices for the cauliflower? +Don't forget to send your field address. +Cheer up, pug-nose! +Take care! +Fall in! +She'll come. +Boris! +Fall in! +Forward march! +There's my kitten. +Grandma? +Nothing? +He hasn't written to me either. +- Anything? +- No. +Oh, this war. +Well, rain or shine, we must carry on. +Have you decided where you'll work? +I'll go to the war factory. +Citizens! +Air raid alert! +Hurry down to the subway. +I've got some urgent work to do. +Go get your things. +Where's the backpack? +- The backpack? +It's right there. +I won't go without you. +If it becomes dangerous, we'll go down to the shelter. +Go now. +Be careful in the subway. +She's so scared, poor girl! +- What about you? +When Veronica is safe and you're by my side, I'm not afraid. +They're still at it, the brutes. +Those parasites won't even let us talk! +For some reason he doesn't write to me. +It's the war. +The mail is so slow. +All clear. +The air raid is over. +Let's go. +Well, my place is right here. +If you decide to come join us, call me at the factory. +- Okay. +- Good-bye. +Where are you going? +Get back! +Where do you think you're going? +I'm sorry. +Veronica, you'll stay with us from now on. +Boris' room is free for now. +Mark will share a room with Fedya. +Mark, we must take good care of her. +Unfortunately, Irina and I are at the hospital day and night. +I'll try, Uncle Fedya. +Boris spoke to me about it. +Are you all right now? +Is this the factory? +May I speak to Kuzmin, please? +He's gone to the front too? +Excuse me. +Is there any news from Boris Borozdin? +If it weren't for the damned war, +I'd be playing this at Tchaikovsky Hall. +For you. +- Veronica, let's go to the subway. +- I'm not going. +- That's nonsense! +Let's go. +- Are you afraid? +Only for your sake. +Come on, let's go. +I'm not afraid of anything. +Veronica, let's go! +Don't be foolish. +You're acting crazy! +I won't go! +I won't, I won't, I won't! +I love you. +No. +I love you. +I love you. +I love you! +- Go away! +I love you. +What a stupid way to get surrounded. +- Stepan, stop whining. +- What do you mean, stop whining? +The captain said we might break through by tonight. +- At last! +Sachkov! +- Here! +Where's this rookie from? +Straight from an incubator. +A fresh reinforcement. +Now we'll break through for sure. +Is that any way to speak to a married man? +- Is that right? +- I got married in school. +See what education does to people. +You funny guys, always joking! +Laughed yourselves right into a trap. +Volodka, are you really married? +Are you kidding? +Sounds better, though, doesn't it? +Borozdin! +You'll go out on reconnaissance. +Your job is to find the best place to break through. +Turn over your papers. +- Yes, sir. +Hey, Sachkov! +Come on, help me here. +Let's take a break, guys, and have a smoke. +She's always laughing like that. +- They must think we're dead. +Let me see that beauty. +Yep, the life of a soldier. +You're over here, and she's... +And she's what? +Give me the harmonica. +Sachkov, hold it for a second! +Stop it! +Aren't you ashamed? +- No. +Five days' arrest. +You'll both go on reconnaissance. +Turn in your papers. +Boris, here. +Because of her? +She's worth fighting for. +- Exactly. +Stop that chatter! +Discipline! +Hear that? +Discipline. +Stepan, hold on to this. +Just don't lose it. +We're getting married, Uncle Fedya. +I forgot... +I still have some sausage. +- Keep your head down. +- Stop giving me orders. +- Let's get out of here or they'll get us. +- Run if you're scared. +You idiot! +Hey, you! +Musician! +You deaf? +How the hell did I get stuck with him? +What's wrong? +Hey, you! +Go on alone. +I want to rest for a bit. +- Are you wounded? +Hold on to me. +- Leave me alone. +Hold on to me, I said, and hold on tight! +Here, get on my back. +It'll be faster this way. +Leave me here. +- Idiot! +You're sore because I punched you. +- You were just lucky l... +Shut up. +We'll settle it later. +Hold on, hold on. +A little further to the woods, and then we're safe. +I'm tired. +Let's rest a bit. +It's quieter here. +So, are you alive? +- It's a little hard to breathe. +- To breathe? +We'll dance at your wedding yet. +Hey, buddy! +What's the matter? +Forgive me. +Forgive me. +Forgive me, friend! +Hey, somebody, help! +Help! +Help! +Boris! +What's wrong, Boris? +Are you wounded? +I'm not wounded. +I... +The Soviet Information Bureau reports no important changes on the fronts in the last 2 4 hours. +No important changes. +That's good. +Families evacuated with Moscow Plant 3 26 will be quartered on Vostaniya Street. +Comrades, report here. +Irina, help this wounded man. +- The paramedics will be here soon. +- Yes. +Unload! +Siberia. +We can't retreat much farther. +This is what's become of Mother Russia. +Attention, attention! +Chief of Hospital Number 4, Borozdin, report to the military commandant. +Perhaps we'll find some peace here. +Clear the way, folks. +The stove is smoking. +I'm sorry. +You can daydream when the war is over. +Where are you going? +To the hospital. +I'm on duty. +She wanders around like a ghost, all nerves. +She's always waiting for a letter. +From whom? +Her husband's right here. +Not like us, soldiers' wives. +She's not waiting for a letter from anyone. +- Are you on the second shift at school? +- Yes. +"Cranes like ships sailing in the sky." +Those silly lines are stuck in my head. +There it is. +- What? +The mail. +If I can count up to 50, there'll be a letter for me. +- Veronica, this is crazy. +...16, 17, 18, 19 20, 21... +- Stop! +...45, 46, 47... +- Hello. +- Hello. +There's nothing for you. +For you. +Lededeva? +- That's me. +- Palyukaitis? +- Nothing. +From my eldest son on the Ukrainian front. +I didn't know Boris, but everyone says he was a gifted young man. +Was? +Missing doesn't mean dead. +Of course not. +That didn't come out right. +What's the matter, Veronica? +I'm dying, Anna Mikhailovna. +My dear, what are you saying? +- I've lost everything. +- You have your life ahead of you. +I don't want to live! +What's the use? +- Forget the past. +It's human nature to forget. +I don't want to forget. +There's nothing I need to forget. +You mustn't punish yourself forever. +I must. +Till the end. +You teach history. +You're an intelligent woman. +Tell me: +What is the meaning of life? +The meaning of life? +Perhaps it's that... +Was Chernov here? +No. +Boy, am I hungry! +If Chernov comes, try to be polite. +He's revolting. +I may find him even more revolting than you do, but he's the boss. +Why do you always kiss up to him? +Dear Veronica, you're impossible. +You're always so irritable, and you keep picking on me. +Tell me what I can do for you. +I wish you had never been born. +Come in! +- I hope I'm not intruding. +- We're always happy to see you. +Make yourself comfortable. +Did you hear? +The Germans have advanced in the Caucasus. +It's awful. +But don't worry. +We'll show them yet. +Please, make yourself comfortable. +Your place is cozy. +My wife and children are in Tashkent, so I live like a homeless tramp. +Hello, Veronica. +- Where are you going, dearest? +- I'm on duty at the hospital. +- Bundle up. +It's very cold. +I admire your wife. +She's always so candid, so pure. +She must be very happy with you. +I looked for you today at the Philharmonic. +- Was there a concert? +- No. +Will you be at the birthday party tonight? +Probably. +- What will you take for a gift? +- What can I give? +Yes... the war. +It's nothing great, but attach a little something to it and I'm sure Antonina will be very happy. +It's wonderful. +How much do I owe you? +- It's nothing. +Don't mention it. +- Thanks very much. +Mark, I have a favor to ask. +Is there anyone upstairs? +No. +Do you think you could ask Fyodor Ivanovich for some medicine? +Good job, Irina. +He's going to live. +I hope so. +He'll be a real swine if he dies. +Irina, you should have been born a man! +I feel pretty good as a woman. +Veronica, why are you so early? +The clock was fast. +Poor girl. +I'll never forgive what she did to Boris. +Here comes another batch! +I've told you already, we're full! +This is a hospital, not a sardine can! +Where are they all from? +Kalach? +- Stalingrad. +Some from the front, some from the hospital. +There's no room. +Don't worry, they'll make room. +I'll take 80 men. +The rest will have to go to other hospitals. +Now, then... give my regards to Uncle Sergei, +Fyodor, Vassily, +Aunt Marya, Agrafena, +Katerina, Varvara, +Nikolai, +Katerina. +You already said Katerina. +This is a different Katerina. +- Then you should say so. +- It's okay. +They'll figure it out. +So... +Zinaida, +Antonina, Kuzma... +Nurse! +What's the matter, Vorobyev? +Nothing. +I want the nurse. +He needs the bedpan. +I'll get it for you. +Thank you. +That's lovely music. +Turn up the radio, please. +Turn off that music! +Turn that music off! +You hear me? +Who yelled? +I did! +What's it to you? +- Zakharov, what's wrong? +- Go away! +He's losing his mind. +He got word from home this morning. +His girlfriend didn't wait for him. +She married someone else, the bitch. +He hasn't eaten all day. +Try to comfort him. +Broads like that are worse than fascists. +They aim right at the heart. +You have to eat, Zakharov, or you won't get well. +I don't want to get well! +I want to die! +Call the doctor! +Calm down. +All because of some broad! +Call the doctor! +Quit yelling! +Shut up! +Where will they take us now? +There are plenty of hospitals in the world. +The head doctor's coming, boys! +Stop it this minute! +You're still a soldier in the Red Army! +Are you trying to get discharged? +Are you afraid we'll heal your hands and send you back to the front? +No, Doctor, he's not like that. +He got a letter. +- I know. +That's just an excuse. +Big deal! +So your bride ran off. +You should be glad! +She isn't worth a penny if she would trade a handsome guy like you, a real hero, for some rat sitting out the war at home! +It's she who's forfeited her happiness, not you! +And that's what she deserves. +That's right. +She's got a petty soul. +People like her can't understand how much suffering we've gone through. +Killing people like her would be too kind! +You stood up to Death itself. +You looked death in the face. +You approached it with your chest stuck out. +And she couldn't even pass the little test of time. +Women like her deserve only our contempt. +There can be no forgiveness for them! +Bandage him up. +Aunt Sima, bring him some tea and porridge. +Don't be a brat. +Veronica... +You idiot! +Keep an eye on your kid! +And it would have been my fault! +Just standing there with your mouth open like an idiot! +- Whose boy are you? +- Mama's. +- Where are you from? +- Voroshilovgrad. +- How old are you? +- Three months and three years. +What's your name? +Boris. +- What? +- Boris. +- Why the fancy get-up? +- A concert at the hospital. +- Can't you tell a better lie? +- All right, all right. +- Is Mark here? +- He is now. +- Here. +- Thank you, Anna. +A little boy is having a birthday and I wanted to give him a present. +You are a kind man after all, Mark Alexandrovich. +"The symptoms of such compound fractures depend on the degree of changes in the joints, as well as on the location." +Interesting, but unintelligible. +Why, I think it's quite clear. +What's this? +What kind of trick is this? +What trick? +He lost his parents at the station. +You should have taken him to the shelter for lost kids. +I don't want to go to the shelter! +Go there yourself! +- Rude child! +- You're rude. +Quiet, quiet. +We'll go find Mommy in Voroshilovgrad. +Stop that noise! +It's hurting my ears. +Here, play with this cap! +Here's a bagel for you. +- My eardrums will burst! +- We need to find a toy for him. +Irina, take him for a minute. +So now I have to hold him too? +Here, give him to me. +Come to me, little one. +I'll get you ready for bed. +Has anyone seen my squirrel? +Mark took it. +Mark? +Where'd he take it? +To give to some little boy as a present. +Some little boy? +- Where's Mark? +- I don't know. +- Where's Mark? +- I don't know. +You're hiding something from me. +Where did he go? +You know, don't you? +Where? +Probably to see Antonina. +What Antonina? +Ask Mark. +- Tell me. +- Don't give me orders. +Mark... visits her occasionally. +You understand? +- You're saying this to hurt me. +- Why would I? +Just to spite me! +I'm loved. +I have a husband. +And you're still an old maid. +She lives in a small house near that large market. +You can check it out for yourself. +It's okay, it's okay. +I have to do something, I have to do something. +Talk to Mark when he comes back. +You should wait. +Wait? +Always waiting. +I'm always waiting. +I've had enough! +What use are words +Let lips fall silent +Sometimes +They tell lies +The eyes alone +Will never dare +To lie to other eyes +My eyes are now +Dark and sad +As though someone +Had blown out their flame +In Leningrad on my birthday, we'd take a car and go from one end of the city to the other. +Let's go for a ride! +In these times, Antonina, a car is worth its weight in gold, and gasoline is rationed. +Any kind of vehicle. +I beg you! +A fire engine, an ambulance, a truck. +Anything you like. +A ride against the forces of nature! +Just the two of us? +To forget everything else. +I'll try. +I love you. +Sorry. +I don't dance. +I thought I had tried everything, but I've never tried golden nuts. +Look, a message. +A birthday note for me? +So it's for your birthday? +Where's my squirrel? +Don't get the wrong idea. +There's a note from someone named Boris. +"My only love, happy birthday to you." +On this day you came into this world. +It's hard to leave you. +But what can we do? +This is war. +There's no way around it. +We can't continue living happily as we did before when death stalks our land. +But we'll be happy yet. +I love you. +I have faith in you. +Your Boris. +What are you so excited about? +Go home. +I'll be there soon. +What's that for? +Take your coat off. +Thank you. +You know, as usual all the Philharmonic's cars are taken, and I need one badly. +You're the head surgeon and all. +Surely you won't refuse... +We're very short on vehicles. +It was hard to do what I did for you, but I did it. +When you asked me to, I did my best. +What did I ask? +For an exemption. +It's about to expire, and this time, getting a new one will be practically impossible. +- What exemption? +- For Mark Alexandrovich. +Don't worry. +Not a soul will know about this. +Is it possible he lied to both of us? +He even offered me money in your name. +I'm sorry. +Very good. +Uncle Fyodor, +I turn to you for help. +Her behavior's impossible. +She stormed into a stranger's place, started a fight... +Shut the door. +Do you think anyone wants to send his son to war? +What are you talking about? +Or do you think others must pay for your welfare, for your life, with their hands, their legs, their eyes, their lives, +and you owe nothing to anyone? +I have an exemption, Uncle Fedya. +An exemption? +Tell me, how did you get it? +Why are you doing this? +It's okay. +I'll rent a room, I'll take Boris... +Perhaps someone else had better rent himself a room. +Gladly! +I've thought about doing that for a long time. +Why didn't you throw me out in the first place? +You've been through a terrible ordeal. +Only someone without a heart could reproach you. +Stay with us. +I can't. +I don't want to hide behind someone else's back. +I won't! +Think it over. +Could you tell me where the Borozdins live? +They live here. +Which of them do you want to see? +- Fyodor Ivanovich. +He's not home. +Did Boris send you? +What Boris? +No, I came on my own. +I must speak to Fyodor Ivanovich. +- Have a seat. +- Thank you. +He'll be home soon. +- May I go for a walk? +- You may. +Is he yours? +He looks like you. +Are you a relation of the Borozdins? +Not exactly. +You see, I'm out of the army. +Going home? +It's unlikely. +There's still a blockade around Leningrad. +I'm in a difficult situation. +- What is it? +- It's easy to tell you. +You're not part of the family. +Fyodor Ivanovich's son was killed. +Where? +West of Smolensk. +What shall I play for you? +Whatever you like. +Did you see him buried? +No. +I was injured and they carried me away on a stretcher, but a friend of his, Stepan, went up to him. +Now I have to find his girlfriend. +He loved her very much. +That's me. +Vladimir, come to see us if you're ever in Moscow. +Thank you. +I'll do that. +The war's over. +Strange, isn't it? +And you're still waiting? +Yes, I am. +One must always hope for the best. +Why do you delude yourself? +I saw it with my own eyes. +What did you see? +How he was wounded? +How he fell? +But you didn't see him die with your own eyes. +No... but why haven't you heard from him? +A lot of things could have happened. +There's no word from Stepan either. +At the factory they know he's in some special unit and will be back soon. +Dasha promised to tell me when he's back. +Boris is alive. +He's alive. +- Look, here they come! +- The victors are coming! +Boris! +- Veronica! +- Stepan! +Flowers for you. +Well? +What? +You see... +Here. +Dear mothers, fathers, sisters and brothers! +The happiness of our reunion is immeasurable. +The heart of every Soviet citizen is filled with joy. +Joy sings in our hearts. +It is victory that has brought us this joy. +We have all waited for this moment. +Everyone's dizzy with happiness. +But we shall not forget those left behind on the battlefield. +Time will pass. +Towns and villages will be rebuilt. +Our wounds will heal. +But our fierce hatred of war will never diminish! +We share the grief of those who cannot meet their loved ones today, and we will do everything to insure that sweethearts are never again parted by war, that mothers need never again fear for their children's lives, +that fathers need never again choke back hidden tears. +We have won, and we shall live not to destroy, but to build a new life! +Why are you just standing there? +Give your flowers to whomever they're for. +Thank you, sister. +My beautiful granddaughter! +Look, look! +Cranes are flying over Moscow! +THE END +Stop, Squirrel. +Put them on. +Look! +"Cranes like ships, sailing in the sky +White ones, grey ones With long beaks they fly" +Look, look! +There you go. +You and your "cranes like ships." +THE CRANES ARE FLYI NG +Screenplay V. ROZOV +Director M. KALATOZOV +Cinematography S. URUSEVSKY +STARRI NG +Veronica T. SAMOI LOVA +Boris A. BATALOV +Fyodor Ivanovich V. MERKURYEV +Mark A. SHVORI N +A PRODUCTION OF MOSFI LM 1957 +Who's there? +Wait. +Well, okay. +When? +- Thursday, at the embankment. +- Come on, that's too long! +Squirrel! +We haven't finished. +Squirrel! +When? +What time on Thursday? +No, I can't. +I'll be at the factory. +Okay. +Don't be late! +Squirrel! +She's crazy about him. +And he about her. +That's what love is, my dear: +A harmless mental illness. +Why aren't you in bed yet, Grandma? +It's already time to get up, Boris! +Quit making noise! +Running around all night... +You're just jealous. +Did you tear it? +Your jacket's all in one piece. +Disgraceful! +Twelve o'clock, and he's still asleep. +He works a lot. +He's tired. +Let him at least get some sleep on Sunday. +This "work" of his will end in a wedding. +You're just afraid of losing him. +Irina's mind should be on her thesis, not on a wedding. +Watch out, Uncle Fedya. +She almost has her doctorate and you're still just a physician. +Well, if children don't surpass their parents, then the parents are bad and the children not much better. +Thanks, Mama. +Important announcement! +What's going on? +Boris! +War! +You hear me? +War! +Leave me alone. +Hello. +Boris is at the factory day and night. +Are you waiting for him? +I'm not waiting for anyone. +Veronica. +In wartime, it's important not to lose your head. +Try to live a normal life. +Like me... +I dream of dedicating a piano concerto to you. +Will you come to hear it? +- Won't you be drafted? +Drafted? +I don't know. +I doubt it. +And why is that? +The most talented people will be exempt. +- And you suppose you're talented? +- Yes. +Why are you always following me around? +You ought to be ashamed. +I am. +I promised myself a thousand times I wouldn't. +I know Boris is my cousin, but I can't help myself! +You understand? +I can't. +Wait! +There's no need to escort me. +Watch out! +You'll hurt your leg. +It'll be harder at the front, my dear Boris. +They won't let you go to the front. +There will be only one exemption. +Either for you or for me. +That's right. +So you should stay. +You've got knowledge and experience. +And you've got something more important... talent. +Take care of your drawings. +You know, my wife's already got my bags packed. +Well, as they say, let's get our bayonets ready! +Stepan! +Excuse me, Sachkov. +Well? +Where's the notice? +Nothing yet. +I don't understand why they're so slow. +Are you going home? +- No, I'm... +- Oh, I see. +Well, say hello to her! +- I will. +What? +- Have you told her? +- No. +Why should I rush it? +- You're right. +See you tomorrow. +- Take care! +- Let go. +- I won't let go. +You're gonna fall! +Let go. +You'll tear the shade. +- It's a blanket. +- Let go. +I'll call the police. +- I'm tired of these blackouts! +Give it to me! +- You're gonna fall. +- I am not. +Squirrel, stop it. +Let me hang this up. +You didn't come to the embankment today, but Mark did. +- So? +- He's handsome. +So? +- Are you jealous? +- What? +- Are you jealous? +- I don't have the time. +Too bad. +I think I'll enroll at the Architectural Institute. +- They won't accept you. +- Yes, they will. +I doubt it. +Cranes like ships sailing in the sky +White ones, grey ones with long beaks they fly +Do you like my song? +Very profound. +Little croaking frogs Why didn't you look up? +You kept on hopping and jumping That's why you got eaten up +Eaten! +Well, hero, did you win? +I won, I won. +I won. +Do you think you'll be drafted? +- Of course. +- Would you volunteer? +- I might. +No, you won't! +You know very well you'll be exempt. +That's why you talk so big. +- What makes you so sure? +- I know. +All the smart ones will be exempt. +So only fools will fight? +I don't want to discuss it any further. +Veronica... +I want to talk to you about something. +Well, I don't. +And please don't call me Veronica. +Who am I? +- Squirrel. +- That's right. +Listen. +What will you give me tomorrow? +It's a secret. +If it's something good to eat, I'll eat it and forget about it. +Give me something I will always remember, for as long as I live. +Kiss me. +You know, when you're with me, +I'm not afraid of anything, not even the war. +I'm afraid of the police. +Veronica. +You know what? +Do you know? +For the wedding I'm going to make a white dress. +Like the one my grandma had. +And a long, long veil. +And you'll wear a black suit, and we'll go... +- To the registry office. +- Agreed then? +- Agreed. +You know, I like this blackout. +What's so good about it? +Hey! +Stepan! +I have a treat for you. +- What is it? +- It's a secret. +- Did it arrive? +- It did. +Why didn't you say so? +Tell me. +Things are crazy at the factory! +The guys ran to the barber's. +I went straight to your place. +- Make it short. +- Just wait. +So I was saying, the guys ran... +Listen, can't you make it shorter? +- Your family's worried. +- What time do we report? +Today at 5:00. +With your things. +Look at these cherries. +- What is it? +- Beautiful. +The notice came. +Really? +For you? +Yes, for me too. +We both volunteered. +What? +You volunteered? +But the notice came... +Wait. +What about me? +I'd better go home. +I've got a lot going on there too. +Squirrel. +I didn't want to tell you. +Tomorrow's your birthday. +I have to go. +Of course. +Squirrel. +What's the matter? +Cranes like ships +You like my poem? +Nothing will happen to me. +You hear? +And then you and I will live for a long, long time. +A hundred years. +Go. +We'll say good-bye later. +All right. +Don't be late. +Can't he stay home until tomorrow? +He's a swine if he's still at Veronica's. +Boris! +- Did Dad call? +- Yes. +He's furious. +Why didn't you tell us? +To avoid scenes like this. +Go to the factory tomorrow and turn these over to Kuzmin, the engineer. +I will, I will. +What are you stuffing in there? +I'm running out for a bottle of wine. +Grandma, do me a favor. +Just a minute. +Will they send you to the front right away? +Probably. +Here... wait a minute. +Early tomorrow morning take this to her. +What is it? +It's her birthday tomorrow. +And later, if things are hard for her... +After all, this is war... +Help her out. +And if I die? +You've got no business dying, especially now that you know so many secrets. +I just might up and die. +Quiet. +That's Veronica. +No, it's Irina. +Thank God, you're home. +Boris! +Come over here. +What is this about? +You're 25 years old and you... +forgive me... act like a fool! +What are we? +Children? +Is this a game? +Hide-and-seek? +He wants adventure! +There's character for you. +Where are Irina and Mark? +Irina's making coffee. +Mark went out to buy some wine. +Coffee, wine! +What's wrong with people these days? +Irina! +Bring me the bottle from the medicine cabinet. +Boris! +Come here. +Where's Veronica? +- She'll be here any minute. +- Where is she? +She's busy. +This isn't right. +She should be here. +Her fiancé is leaving. +I'm not her fiancé. +- What are you, then? +- We're just... +You're just what? +That sounds suspicious. +- I don't mean it that way, Dad. +- Then what do you mean? +- Stop picking on me. +- Wait! +- Why are you bothering him? +- Here. +From the medicine cabinet. +- Go ahead and mix it properly. +- Here's the port. +Drink it yourself. +We'll have a real drink. +So, is everybody here? +Sit down. +It's Veronica! +Go meet your bride, Mr. Bridegroom! +Finally! +- We came from the factory to see Boris. +- Please come in. +And I thought the bride had arrived. +- We're from the plant. +- They told us to bring you these gifts. +Sorry. +This one. +- On behalf of the Plant Committee... +- And the Communist Youth League... +What you want to say is: +"Comrade Boris, fight to the last drop of blood, and beat the fascists! +And we at the plant will meet and exceed our production quotas." +We've heard all that before. +Why don't you sit down with us, girls, and drink to my son Boris! +Things in this world aren't going as smoothly as we might like. +So now you're off to war, Boris... +- Let's have a drink! +- To you! +A glass for Grandma. +We sent our brother off yesterday. +Mother cried and cried. +What about you? +- I cried too. +- On behalf of the Plant Committee? +- No, on my own. +- Don't embarrass her. +We've got no one to send off. +There's just Mother and three girls. +We even felt a little ashamed, with all the others leaving... +When our men come back, you'll envy us. +The trouble is not all of them will come back. +For those who don't, we'll build a monument reaching to the sky with every one of their names in gold. +Irina, pour another round. +What are you waiting for? +I'll just put these away. +Well, you folks in the rear, meet and exceed your quotas! +Grandma, don't forget. +Mark, don't go. +Stay with Father. +- I'll walk you to the trolley. +About face! +Guards, forward march! +- Mother! +- The last time. +I'm sorry. +Not in the mood for a drink? +Where are you going? +- I'm going on duty. +You were on duty yesterday. +Varvara Kapitanova, may I see Boris for just a moment? +- He already left. +- He left? +Where did he go? +- To the assembly station. +- Oh, no. +- Come in. +- Where's the assembly station? +- I don't know. +- What's this? +- It's from Boris, for your birthday. +There's a note too. +- Where's the note? +- Isn't it there? +He must have forgotten in the rush. +Forgotten? +He'll write to you. +Where were you? +- Where's the assembly station? +- It's on Zvenigorodskaya. +Don't worry. +She'll come. +Even if she does, how will she find me in this crowd? +What are you doing? +Boris, where's Veronica? +Write to me every day. +Who has the invoices for the cauliflower? +Don't forget to send your field address. +Cheer up, pug-nose! +Take care! +Fall in! +She'll come. +Boris! +Fall in! +Forward march! +There's my kitten. +Grandma? +Nothing? +He hasn't written to me either. +- Anything? +- No. +Oh, this war. +Well, rain or shine, we must carry on. +Have you decided where you'll work? +I'll go to the war factory. +Citizens! +Air raid alert! +Hurry down to the subway. +I've got some urgent work to do. +Go get your things. +Where's the backpack? +- The backpack? +It's right there. +I won't go without you. +If it becomes dangerous, we'll go down to the shelter. +Go now. +Be careful in the subway. +She's so scared, poor girl! +- What about you? +When Veronica is safe and you're by my side, I'm not afraid. +They're still at it, the brutes. +Those parasites won't even let us talk! +For some reason he doesn't write to me. +It's the war. +The mail is so slow. +All clear. +The air raid is over. +Let's go. +Well, my place is right here. +If you decide to come join us, call me at the factory. +- Okay. +- Good-bye. +Where are you going? +Get back! +Where do you think you're going? +I'm sorry. +Veronica, you'll stay with us from now on. +Boris' room is free for now. +Mark will share a room with Fedya. +Mark, we must take good care of her. +Unfortunately, Irina and I are at the hospital day and night. +I'll try, Uncle Fedya. +Boris spoke to me about it. +Are you all right now? +Is this the factory? +May I speak to Kuzmin, please? +He's gone to the front too? +Excuse me. +Is there any news from Boris Borozdin? +If it weren't for the damned war, +I'd be playing this at Tchaikovsky Hall. +For you. +- Veronica, let's go to the subway. +- I'm not going. +- That's nonsense! +Let's go. +- Are you afraid? +Only for your sake. +Come on, let's go. +I'm not afraid of anything. +Veronica, let's go! +Don't be foolish. +You're acting crazy! +I won't go! +I won't, I won't, I won't! +I love you. +No. +I love you. +I love you. +I love you! +- Go away! +I love you. +What a stupid way to get surrounded. +- Stepan, stop whining. +- What do you mean, stop whining? +The captain said we might break through by tonight. +- At last! +Sachkov! +- Here! +Where's this rookie from? +Straight from an incubator. +A fresh reinforcement. +Now we'll break through for sure. +Is that any way to speak to a married man? +- Is that right? +- I got married in school. +See what education does to people. +You funny guys, always joking! +Laughed yourselves right into a trap. +Volodka, are you really married? +Are you kidding? +Sounds better, though, doesn't it? +Borozdin! +You'll go out on reconnaissance. +Your job is to find the best place to break through. +Turn over your papers. +- Yes, sir. +Hey, Sachkov! +Come on, help me here. +Let's take a break, guys, and have a smoke. +She's always laughing like that. +- They must think we're dead. +Let me see that beauty. +Yep, the life of a soldier. +You're over here, and she's... +And she's what? +Give me the harmonica. +Sachkov, hold it for a second! +Stop it! +Aren't you ashamed? +- No. +Five days' arrest. +You'll both go on reconnaissance. +Turn in your papers. +Boris, here. +Because of her? +She's worth fighting for. +- Exactly. +Stop that chatter! +Discipline! +Hear that? +Discipline. +Stepan, hold on to this. +Just don't lose it. +We're getting married, Uncle Fedya. +I forgot... +I still have some sausage. +- Keep your head down. +- Stop giving me orders. +- Let's get out of here or they'll get us. +- Run if you're scared. +You idiot! +Hey, you! +Musician! +You deaf? +How the hell did I get stuck with him? +What's wrong? +Hey, you! +Go on alone. +I want to rest for a bit. +- Are you wounded? +Hold on to me. +- Leave me alone. +Hold on to me, I said, and hold on tight! +Here, get on my back. +It'll be faster this way. +Leave me here. +- Idiot! +You're sore because I punched you. +- You were just lucky l... +Shut up. +We'll settle it later. +Hold on, hold on. +A little further to the woods, and then we're safe. +I'm tired. +Let's rest a bit. +It's quieter here. +So, are you alive? +- It's a little hard to breathe. +- To breathe? +We'll dance at your wedding yet. +Hey, buddy! +What's the matter? +Forgive me. +Forgive me. +Forgive me, friend! +Hey, somebody, help! +Help! +Help! +Boris! +What's wrong, Boris? +Are you wounded? +I'm not wounded. +I... +The Soviet Information Bureau reports no important changes on the fronts in the last 24 hours. +No important changes. +That's good. +Families evacuated with Moscow Plant 326 will be quartered on Vostaniya Street. +Comrades, report here. +Irina, help this wounded man. +- The paramedics will be here soon. +- Yes. +Unload! +Siberia. +We can't retreat much farther. +This is what's become of Mother Russia. +Attention, attention! +Chief of Hospital Number 4, Borozdin, report to the military commandant. +Perhaps we'll find some peace here. +Clear the way, folks. +The stove is smoking. +I'm sorry. +You can daydream when the war is over. +Where are you going? +To the hospital. +I'm on duty. +She wanders around like a ghost, all nerves. +She's always waiting for a letter. +From whom? +Her husband's right here. +Not like us, soldiers' wives. +She's not waiting for a letter from anyone. +- Are you on the second shift at school? +- Yes. +"Cranes like ships sailing in the sky." +Those silly lines are stuck in my head. +There it is. +- What? +The mail. +If I can count up to 50, there'll be a letter for me. +- Veronica, this is crazy. +...16, 17, 18, 19 20, 21... +- Stop! +...45, 46, 47... +- Hello. +- Hello. +There's nothing for you. +For you. +Lededeva? +- That's me. +- Palyukaitis? +- Nothing. +From my eldest son on the Ukrainian front. +I didn't know Boris, but everyone says he was a gifted young man. +Was? +Missing doesn't mean dead. +Of course not. +That didn't come out right. +What's the matter, Veronica? +I'm dying, Anna Mikhailovna. +My dear, what are you saying? +- I've lost everything. +- You have your life ahead of you. +I don't want to live! +What's the use? +- Forget the past. +It's human nature to forget. +I don't want to forget. +There's nothing I need to forget. +You mustn't punish yourself forever. +I must. +Till the end. +You teach history. +You're an intelligent woman. +Tell me: +What is the meaning of life? +The meaning of life? +Perhaps it's that... +Was Chernov here? +No. +Boy, am I hungry! +If Chernov comes, try to be polite. +He's revolting. +I may find him even more revolting than you do, but he's the boss. +Why do you always kiss up to him? +Dear Veronica, you're impossible. +You're always so irritable, and you keep picking on me. +Tell me what I can do for you. +I wish you had never been born. +Come in! +- I hope I'm not intruding. +- We're always happy to see you. +Make yourself comfortable. +Did you hear? +The Germans have advanced in the Caucasus. +It's awful. +But don't worry. +We'll show them yet. +Please, make yourself comfortable. +Your place is cozy. +My wife and children are in Tashkent, so I live like a homeless tramp. +Hello, Veronica. +- Where are you going, dearest? +- I'm on duty at the hospital. +- Bundle up. +It's very cold. +I admire your wife. +She's always so candid, so pure. +She must be very happy with you. +I looked for you today at the Philharmonic. +- Was there a concert? +- No. +Will you be at the birthday party tonight? +Probably. +- What will you take for a gift? +- What can I give? +Yes... the war. +It's nothing great, but attach a little something to it and I'm sure Antonina will be very happy. +It's wonderful. +How much do I owe you? +- It's nothing. +Don't mention it. +- Thanks very much. +Mark, I have a favor to ask. +Is there anyone upstairs? +No. +Do you think you could ask Fyodor Ivanovich for some medicine? +Good job, Irina. +He's going to live. +I hope so. +He'll be a real swine if he dies. +Irina, you should have been born a man! +I feel pretty good as a woman. +Veronica, why are you so early? +The clock was fast. +Poor girl. +I'll never forgive what she did to Boris. +Here comes another batch! +I've told you already, we're full! +This is a hospital, not a sardine can! +Where are they all from? +Kalach? +- Stalingrad. +Some from the front, some from the hospital. +There's no room. +Don't worry, they'll make room. +I'll take 80 men. +The rest will have to go to other hospitals. +Now, then... give my regards to Uncle Sergei, +Fyodor, Vassily, +Aunt Marya, Agrafena, +Katerina, Varvara, +Nikolai, +Katerina. +You already said Katerina. +This is a different Katerina. +- Then you should say so. +- It's okay. +They'll figure it out. +So... +Zinaida, +Antonina, Kuzma... +Nurse! +What's the matter, Vorobyev? +Nothing. +I want the nurse. +He needs the bedpan. +I'll get it for you. +Thank you. +That's lovely music. +Turn up the radio, please. +Turn off that music! +Turn that music off! +You hear me? +Who yelled? +I did! +What's it to you? +- Zakharov, what's wrong? +- Go away! +He's losing his mind. +He got word from home this morning. +His girlfriend didn't wait for him. +She married someone else, the bitch. +He hasn't eaten all day. +Try to comfort him. +Broads like that are worse than fascists. +They aim right at the heart. +You have to eat, Zakharov, or you won't get well. +I don't want to get well! +I want to die! +Call the doctor! +Calm down. +All because of some broad! +Call the doctor! +Quit yelling! +Shut up! +Where will they take us now? +There are plenty of hospitals in the world. +The head doctor's coming, boys! +Stop it this minute! +You're still a soldier in the Red Army! +Are you trying to get discharged? +Are you afraid we'll heal your hands and send you back to the front? +No, Doctor, he's not like that. +He got a letter. +- I know. +That's just an excuse. +Big deal! +So your bride ran off. +You should be glad! +She isn't worth a penny if she would trade a handsome guy like you, a real hero, for some rat sitting out the war at home! +It's she who's forfeited her happiness, not you! +And that's what she deserves. +That's right. +She's got a petty soul. +People like her can't understand how much suffering we've gone through. +Killing people like her would be too kind! +You stood up to Death itself. +You looked death in the face. +You approached it with your chest stuck out. +And she couldn't even pass the little test of time. +Women like her deserve only our contempt. +There can be no forgiveness for them! +Bandage him up. +Aunt Sima, bring him some tea and porridge. +Don't be a brat. +Veronica... +You idiot! +Keep an eye on your kid! +And it would have been my fault! +Just standing there with your mouth open like an idiot! +- Whose boy are you? +- Mama's. +- Where are you from? +- Voroshilovgrad. +- How old are you? +- Three months and three years. +What's your name? +Boris. +- What? +- Boris. +- Why the fancy get-up? +- A concert at the hospital. +- Can't you tell a better lie? +- All right, all right. +- Is Mark here? +- He is now. +- Here. +- Thank you, Anna. +A little boy is having a birthday and I wanted to give him a present. +You are a kind man after all, Mark Alexandrovich. +"The symptoms of such compound fractures depend on the degree of changes in the joints, as well as on the location." +Interesting, but unintelligible. +Why, I think it's quite clear. +What's this? +What kind of trick is this? +What trick? +He lost his parents at the station. +You should have taken him to the shelter for lost kids. +I don't want to go to the shelter! +Go there yourself! +- Rude child! +- You're rude. +Quiet, quiet. +We'll go find Mommy in Voroshilovgrad. +Stop that noise! +It's hurting my ears. +Here, play with this cap! +Here's a bagel for you. +- My eardrums will burst! +- We need to find a toy for him. +Irina, take him for a minute. +So now I have to hold him too? +Here, give him to me. +Come to me, little one. +I'll get you ready for bed. +Has anyone seen my squirrel? +Mark took it. +Mark? +Where'd he take it? +To give to some little boy as a present. +Some little boy? +- Where's Mark? +- I don't know. +- Where's Mark? +- I don't know. +You're hiding something from me. +Where did he go? +You know, don't you? +Where? +Probably to see Antonina. +What Antonina? +Ask Mark. +- Tell me. +- Don't give me orders. +Mark... visits her occasionally. +You understand? +- You're saying this to hurt me. +- Why would I? +Just to spite me! +I'm loved. +I have a husband. +And you're still an old maid. +She lives in a small house near that large market. +You can check it out for yourself. +It's okay, it's okay. +I have to do something, I have to do something. +Talk to Mark when he comes back. +You should wait. +Wait? +Always waiting. +I'm always waiting. +I've had enough! +What use are words +Let lips fall silent +Sometimes +They tell lies +The eyes alone +Will never dare +To lie to other eyes +My eyes are now +Dark and sad +As though someone +Had blown out their flame +In Leningrad on my birthday, we'd take a car and go from one end of the city to the other. +Let's go for a ride! +In these times, Antonina, a car is worth its weight in gold, and gasoline is rationed. +Any kind of vehicle. +I beg you! +A fire engine, an ambulance, a truck. +Anything you like. +A ride against the forces of nature! +Just the two of us? +To forget everything else. +I'll try. +I love you. +Sorry. +I don't dance. +I thought I had tried everything, but I've never tried golden nuts. +Look, a message. +A birthday note for me? +So it's for your birthday? +Where's my squirrel? +Don't get the wrong idea. +There's a note from someone named Boris. +"My only love, happy birthday to you." +On this day you came into this world. +It's hard to leave you. +But what can we do? +This is war. +There's no way around it. +We can't continue living happily as we did before when death stalks our land. +But we'll be happy yet. +I love you. +I have faith in you. +Your Boris. +What are you so excited about? +Go home. +I'll be there soon. +What's that for? +Take your coat off. +Thank you. +You know, as usual all the Philharmonic's cars are taken, and I need one badly. +You're the head surgeon and all. +Surely you won't refuse... +We're very short on vehicles. +It was hard to do what I did for you, but I did it. +When you asked me to, I did my best. +What did I ask? +For an exemption. +It's about to expire, and this time, getting a new one will be practically impossible. +- What exemption? +- For Mark Alexandrovich. +Don't worry. +Not a soul will know about this. +Is it possible he lied to both of us? +He even offered me money in your name. +I'm sorry. +Very good. +Uncle Fyodor, +I turn to you for help. +Her behavior's impossible. +She stormed into a stranger's place, started a fight... +Shut the door. +Do you think anyone wants to send his son to war? +What are you talking about? +Or do you think others must pay for your welfare, for your life, with their hands, their legs, their eyes, their lives, +and you owe nothing to anyone? +I have an exemption, Uncle Fedya. +An exemption? +Tell me, how did you get it? +Why are you doing this? +It's okay. +I'll rent a room, I'll take Boris... +Perhaps someone else had better rent himself a room. +Gladly! +I've thought about doing that for a long time. +Why didn't you throw me out in the first place? +You've been through a terrible ordeal. +Only someone without a heart could reproach you. +Stay with us. +I can't. +I don't want to hide behind someone else's back. +I won't! +Think it over. +Could you tell me where the Borozdins live? +They live here. +Which of them do you want to see? +- Fyodor Ivanovich. +He's not home. +Did Boris send you? +What Boris? +No, I came on my own. +I must speak to Fyodor Ivanovich. +- Have a seat. +- Thank you. +He'll be home soon. +- May I go for a walk? +- You may. +Is he yours? +He looks like you. +Are you a relation of the Borozdins? +Not exactly. +You see, I'm out of the army. +Going home? +It's unlikely. +There's still a blockade around Leningrad. +I'm in a difficult situation. +- What is it? +- It's easy to tell you. +You're not part of the family. +Fyodor Ivanovich's son was killed. +Where? +West of Smolensk. +What shall I play for you? +Whatever you like. +Did you see him buried? +No. +I was injured and they carried me away on a stretcher, but a friend of his, Stepan, went up to him. +Now I have to find his girlfriend. +He loved her very much. +That's me. +Vladimir, come to see us if you're ever in Moscow. +Thank you. +I'll do that. +The war's over. +Strange, isn't it? +And you're still waiting? +Yes, I am. +One must always hope for the best. +Why do you delude yourself? +I saw it with my own eyes. +What did you see? +How he was wounded? +How he fell? +But you didn't see him die with your own eyes. +No... but why haven't you heard from him? +A lot of things could have happened. +There's no word from Stepan either. +At the factory they know he's in some special unit and will be back soon. +Dasha promised to tell me when he's back. +Boris is alive. +He's alive. +- Look, here they come! +- The victors are coming! +Boris! +- Veronica! +- Stepan! +Flowers for you. +Well? +What? +You see... +Here. +Dear mothers, fathers, sisters and brothers! +The happiness of our reunion is immeasurable. +The heart of every Soviet citizen is filled with joy. +Joy sings in our hearts. +It is victory that has brought us this joy. +We have all waited for this moment. +Everyone's dizzy with happiness. +But we shall not forget those left behind on the battlefield. +Time will pass. +Towns and villages will be rebuilt. +Our wounds will heal. +But our fierce hatred of war will never diminish! +We share the grief of those who cannot meet their loved ones today, and we will do everything to insure that sweethearts are never again parted by war, that mothers need never again fear for their children's lives, +that fathers need never again choke back hidden tears. +We have won, and we shall live not to destroy, but to build a new life! +Why are you just standing there? +Give your flowers to whomever they're for. +Thank you, sister. +My beautiful granddaughter! +Look, look! +Cranes are flying over Moscow! +THE END +MOSFILM +Wait, Squirrel! +Here, put it on. +Look! +Cranes like ships Sailing up in the sky, +White ones and grey ones, With long beaks, they fly! +Look! +You see... +You with your "cranes like ships". +THE CRANES ARE FLYING +Written by V. ROZOV +Directed by M. KALATOZOV +Director of Photography S. URUSEVSKY +Associate Director +- B. FRIDMAN Production Designer +- Y. SVIDETELEV +Music by M. VAINBERG Sound by I. MAYOROV +English subtitles by T. KAMENEVA +Starring +T. SAMOILOVA as Veronica A. BATALOV as Boris +V. MERKURIEV as Feodor Ivanovich +A. SHVORIN as Mark S. KHARITONOVA as Irina +K. NIKITIN as Volodya V. ZUBKOV as Stepan +A. BOGDANOVA as Grandma B. KOKOVKIN as Chernov +Ye. +KUPRIANOVA as Anna Mikhailovna +An Order of Lenin Film Studio "Mosfilm" production, 1957 +Who is there? +Wait! +Well, all right. +Say when, then. +Thursday, on the embankment. +Come on, that's too long. +Squirrel! +You haven't told me when! +Squirrel, at what time? +What time on Thursday? +No, I can't make it. +I'll be working. +- All right. +- Don't be late. +Squirrel! +- She's gone crazy over him. +- And he's over her. +That's love, my dear. +A harmless mental disturbance. +Grandma, why aren't you asleep? +Because it's time to get up, Boris! +Stop chomping! +Running around all night... +Are you jealous? +You haven't torn it, have you? +Your jacket's all right. +Outrageous! +It's noon and he's still in bed. +The boy deserves a good rest on Sunday. +He works hard. +That work of his will result in a marriage. +That's when you'll be really jealous. +For Irina, her diploma comes first. +Look out, Uncle Fedya. +She'll be a full professor soon, while you're still only a MD. +If children don't surpass their parents, then the children are fools and the parents are no better. +Thanks, Mamma. +This is Radio Moscow broadcasting over all of the Soviet Union! +- What is it? +- What has happened? +Boris! +We're at war! +Do you hear? +We're at war! +Leave me alone! +Hi! +Boris is working day and night. +Are you waiting for him? +I'm not waiting for anyone. +Veronica! +In time of war, one should not get confused. +One should hold on to a normal life pace. +Take me. +I dream of dedicating to you my first symphony. +Will you come to the concert? +Suppose the Army calls you up? +The Army? +I doubt it. +Hardly. +Why "hardly"? +The most talented ones will be exempted. +- Are you the most talented one? +- Me? +Certainly. +Why are you following me around? +Aren't you ashamed? +I am. +I tried to keep away from you. +I know, Boris is my cousin. +But I can't help myself! +Wait! +- Wait! +- I'm going home alone. +Hey, slow down! +You just had an operation. +I'd better be in shape for that field-pack. +They're not wasting men like you in the Army. +There'll only be one exemption here, and one of us'll get it. +They'd better give it to you. +You've got knowledge, experience. +And you've got talent. +Save your sketches. +My wife's already got my bag packed. +Well, as they say, let's get our bayonets ready. +Hey, Stepan! +Guys, give me a hand... +Stepan! +Excuse me, Sachkov. +- Where's the summons? +- Not yet. +I can't wait. +- Are you off now? +- No, I've got those sketches... +- I see. +Take care. +- Okay. +- Hey! +- Yeah? +- Have you told her? +- No, it's too early... +- You're right. +See you tomorrow. +- Right. +- Let go. +- I won't. +- You're going to fall down. +- No, I won't. +- You'll rip up the blackout. +- It's a blanket. +I'm going to call the militia. +I'm sick of the blackout. +Give me the blanket. +- Let go. +You'll fall. +- No, I won't. +Come on, Squirrel, cut it out. +Let me hang this up. +You didn't come to the embankment today, but Mark did. +- He's very handsome. +- So what? +- Aren't you jealous? +- What? +- Aren't you jealous? +- I haven't got the time for it. +I won't have much time either when I go to the architecture college. +You'll never pass the entrance exams. +- I will! +- I doubt it. +Cranes like ships Sailing up in the sky, +White ones and grey ones, With long beaks, they fly. +- Do you like my song? +- Very profound. +Oh frogs, you keep on croaking, Why didn't you think of looking up? +You went on leaping, in mud soaking That's why you ended eaten up. +- All right, you won, hero. +- I won, I won! +I won. +All right. +- D'you think you'll be drafted? +- Sure. +- You won't volunteer? +- I might. +Why not? +No, you won't! +I won't let you. +You know you'll get an exemption. +That's why you talk so big. +- Why do you think so? +- Everyone smart will be exempted. +Then the only ones to do the fighting will be the fools. +I don't want to talk to you ever again. +Veronica, there's something I must tell you. +I don't want to hear it. +And, please, don't call me Veronica. +- Who am I? +- Squirrel. +Listen... +- What will you give me tomorrow? +- It's a secret. +If you give me something sweet, I'll eat it up and forget about it. +Give me something to remember you with. +Kiss me now. +When I'm with you, I'm not afraid of anything. +Not even the war. +Though, I'm afraid of the militia. +- Veronica... +- You know what? +- Do you know? +- No. +I'll have a beautiful white dress made for our wedding. +One like my grandmother had. +And a veil... +Very long and white. +And you should wear your dark suit. +- And you and I will go... +- To a registry office. +- Is it a deal? +- It's a deal. +- You know I like this blackout. +- What's so good about it? +Hi! +- Stepan! +- Veronica! +- I've got a treat for both of you. +- Fine. +- What is it? +- It's a secret. +- Has it arrived? +- Yes, this morning. +- Why didn't you say so? +Tell me. +- Well, go on. +You should've seen what's going on over at the factory. +Make it short, will you? +I'm telling you: +there's so much excitement... +- Never mind that. +- Your folks told me... +- When do we report? +- Today at 5:30. +Look at those cherries! +Is anything wrong? +- They're nice! +- Army orders. +- No! +For you? +- Me too. +We both volunteered... +When? +- You volunteered? +- It's army orders. +Wait! +What about us? +Stepan... +No, I've got to go. +My folks are going to... +So long. +Squirrel! +I didn't want to tell you before your birthday. +- And now I have to go. +- Of course. +Boris! +Squirrel, what is this? +White cranes flying... +I like that. +I'm going to be all right. +Do you hear? +And after that we'll live together... +a hundred years. +Go on now. +We'll say goodbye later. +Don't be late. +What difference would it make if he went a day later? +What a nerve if he's still with Veronica. +- Boris! +- Did Dad call? +He was furious. +Why didn't you tell anyone? +So that we didn't have any scenes like that. +Get these prints back to the factory tomorrow. +- Give them to Kuzmin, the engineer. +- I will, don't worry. +What are you putting in there? +I'm going out for a bottle of wine. +Grandma, do me a favor. +Just a minute... +- Will they send you to the front? +- Probably. +Here, Grandma... +Wait. +Tomorrow when you get up, take this to her... +- What is it? +- Her birthday present. +And help her. +After all, it's war... +Please, be kind to her. +And what if I die? +You don't have the right, especially now, with so many secrets to protect. +- Well, suppose I do... +- Come on... +Quiet now, Grandma. +That's Veronica! +No, it's just Irina. +Thank heaven, you've come. +- Boris! +- Yes? +Come over here. +You're 25 years old and you behave like a fool. +What are we, children? +What is it? +Are we playing hide and seek? +Are you starved for adventures? +What kind of a man are you? +Where's Irina, and Mark? +Irina is making coffee, Mark went out for wine. +Coffee, wine... +What kind of send-off is that? +Irina! +Bring that thing from the medicine chest. +Boris, come over here. +- Where is Veronica? +- She'll be here. +- But where's she? +- She's busy. +She's supposed to be here. +Her fiance is going away. +I'm not her fiance. +- What are you then? +- Just a friend... +- That sounds suspicious... +- I don't mean that way, Dad. +- Then what do you mean? +- Look, give me a break. +- Here's the alcohol. +- Have it diluted. +I got some port wine. +Drink it yourself. +We'll have a more robust drink. +Well, are we all here? +Let's sit down. +It's Veronica. +Aren't you going to welcome her, friend? +At last! +Is Boris home? +We're from the factory. +Please, come in. +I thought it was the fiancee. +- We've come from the factory. +- What about the presents? +- Sorry. +This one's yours. +- Yes... +Thank you. +On behalf of the Factory Committee... +Comrade Boris, you must fight to the last drop of your blood. +Smash the accursed fascists, and we, in the factory, will fulfil and overfulfil our quotas. +We've heard all that before. +You'd better join us and drink to my son, Boris. +Well, I suppose... life in this world of ours is not yet what we would like it to be. +Now you're going to war, Boris... +- Let's drink. +- To you. +Irina! +What about Grandma? +We saw my brother off last night. +My mother was crying... +- What about you? +- I was too. +- On whose behalf, the committee's? +- I wasn't thinking about that. +There's no one to see off in our family, we have 3 girls and Mom. +It's somewhat embarrassing... +I feel left out... +Yes, and when they come back, you'll really envy us. +The trouble is, not all of them will be coming back. +For those who don't, a magnificent monument, with their names inscribed in gold. +Irina, don't just sit there. +Fill the glasses. +And you folks in the rear, fulfil and overfulfil! +Now, Grandma, don't forget. +Mark, stay with Dad. +He'll be all right. +I'll see you off. +About face! +Platoon, forward march! +Take it, Grandma! +- Boris! +- Mamma! +- I won't see him again. +- I'm sorry, Mamma. +Drink it. +You'll feel better. +- Where are you going? +- To the hospital. +But you aren't on call now. +Varvara Kapitonovna, I've got to see Boris... +He's gone. +- Gone? +Where? +- To report for the Army. +- Oh, no! +- Come in. +- Where was he supposed to report? +- I don't know. +What is it? +It's from Boris. +For your birthday. +There's a note inside. +- Where's the note? +- Why? +Isn't it there? +Maybe it fell? +Maybe he forgot in a hurry. +- Forgot? +- He'll write to you. +Where were you? +- Where's Boris gone? +- It's the schoolyard near the park. +Calm down, she'll be here. +It would be quite a job finding someone in this crowd. +What are you doing? +Write to me. +Write every day. +Didn't I tell you to ship the cauliflower? +An airplane is high above, Over the roofs it's droning. +It's my sweetheart sends his love From his sky-high soaring. +It was used to be before That he saw me to my door. +Now it's been quite a turn-off: +I'm the one to see him off! +Don't forget to write your Army Post Office number. +- Cheer up, pug-nose! +- We'll wait till you come back. +Goodbye, Boris! +Take care! +Fall in! +She will come. +Boris! +Boris! +Dress! +Attention! +Forward march! +Boris! +That's my little chicken! +Boris! +Boris! +Grandma... +Nothing? +He hasn't written to me either. +- Any news? +- No. +Oh, this damn war! +We'll have to keep going somehow. +Have you decided about a job? +I'm starting at the war factory tomorrow. +Air-raid alert! +Hurry on to the subway. +I've got to finish this. +Get your things. +- Where's the knapsack? +- It's over there. +I won't go without you. +If it gets bad, we'll run down. +Go on, now. +Be careful in the subway! +She's so frightened, poor thing. +Aren't you? +When I know that Veronica's safe and you're with me, +I'm not such a coward. +The filthy murderers! +We'll get back at you, you wait! +He's not writing to me. +Oh, he must have written. +It's just the mail. +All clear! +The air raid has been terminated. +Let's go! +Here's where I live now. +If you decide to work with us, call me at the factory. +- I will. +- Goodbye. +Get down here! +Come back! +What's the matter? +Are you crazy? +I'm sorry. +Veronica, you can stay with us from now on. +You can have Boris' room. +Mark will move in with Fedya... +Mark, she'll need some attention to keep her from brooding. +Irina and I are so busy at the hospital. +I'll do what I can, Uncle Fedya. +I promised Boris. +- Is it agreed? +- Um-hmm. +Is this the factory? +May I speak to Kuzmin? +He was drafted, too? +Excuse me, has anyone heard from Boris Borozdin? +If it weren't for this damn war, +I'd be playing this in the Tchaikovsky Hall. +For you. +Veronica! +Let's go to the subway. +- I'm not going. +- Don't be silly. +Come on. +- Are you afraid? +- For you. +Come with me. +I'm not afraid of anything. +- Veronica, let's go to the subway! +- No, I'm not going. +- Stop it! +You've gone crazy! +- I'm not going! +I love you. +No. +- I love you! +- No! +No! +- I love you! +- Go away! +- I love you! +- No! +No! +No! +It's stupid to get surrounded like this. +- Stepan, quit whining. +- Who's whining? +I'm not. +The captain said we might be able to break out by tonight. +Yeah, that's what he says. +Sachkov! +Where'd you find that rookie? +In the incubator. +He's our reinforcements. +Now we'll break through for sure. +Is that a way to talk about a married soldier? +I got yoked in my last year of school. +The result of too much of education. +You're funny. +Laughed yourselves right into a trap, I guess. +- Volodya, you really married? +- I said it to sound important. +- Borozdin! +- Yes? +You'll go on a reconnaissance mission. +You got to find the best place for us to break through tonight. +- Turn in your documents. +- Yes, sir. +Hey, Sachkov! +Take this, will you? +Why don't we rest? +And have a smoke. +Is she always laughing like that? +She probably thinks we're all dead. +Let me see that beauty. +Hey, that's the soldier's life for you! +- You're here, and she... +- And she what? +Hey, let me try that thing. +- Hold it, will you, Sachkov? +- Certainly. +Not bad for a first try. +Stop that! +- Aren't you ashamed? +- No, sir. +- Five days under arrest! +- Yes, sir. +- You both go on a reconnaissance. +- Why? +Turn in your papers! +Boris, here. +On account of her? +- I'd say she was worth it. +- She sure is! +However, we must maintain discipline! +You hear that? +Discipline... +Stepan, keep this. +Be careful, don't lose it. +We... +We'll get married, Uncle Fedya. +Oh, I forgot. +There's some sausage left. +- Keep your head down! +- Stop ordering around! +Let's get out of here before they get wise. +- If you're scared, run. +- Come on, you idiot! +Hey! +Musician! +Are you deaf? +Why the devil I'v got tied up with him? +What's wrong with you? +Can you hear me? +- Go on. +I want to rest for a while. +- Are you wounded? +Hold on to me. +- Leave me alone. +- I tell you, get up! +Now hang on, hold tight. +This way's no good. +I'll have to carry you. +Come on, leave me here. +Are you still sore because I punched you? +- You were just lucky, otherwise... +- Shut up, we'll talk later. +Here we go... +Are you all right? +Hold on, friend. +It's only a little way to the woods. +We'll be safe there. +I'm winded. +Let's rest a bit. +It's a little quieter here. +How are you? +It's hard to breathe. +Hold on, we'll have to get you married yet... +Hey, buddy! +What's the matter with you? +What's wrong? +Forgive me, friend, forgive me... +It's my fault... +Forgive me... +friend... +Hey, somebody! +Help! +Help! +Help! +Can you hear me, Boris? +Are you hit? +It's nothing, I am just... +The Soviet Information Bureau reports that there were no important changes on the front in the past 24 hours. +No news is good news. +Families evacuated with Plant 326 will be quartered on Vosstaniya Street. +Comrades, report here, please. +- Irina, help me with the wounded. +- I'll get an orderly. +Everybody off! +Siberia! +We can't run much farther. +Poor Mother Russia! +Attention, please! +Chief of Army Hospital, Comrade Borozdin, please report to the military commandant at once. +Maybe we'll find peace here at last. +Out of the way, the evacuated. +Your stove is smoking. +Oh, I'm sorry. +Save your dreaming till the war is over. +Where are you going? +To the hospital. +I'm on duty. +She wanders around like a ghost, all nerves. +The poor thing is waiting for a letter. +From whom? +Her husband's not up at the front like ours. +She's not waiting for any letter. +- D'you have the 2nd shift at school? +- Yes. +Cranes like ships, Sailing up in the sky... +I can't get those silly verses out of my head. +There she is! +- Who? +- The mail carrier. +If I can count up to 50, there'll be a letter for me. +- One, two, three, four... +- Stop it, Veronica. +- Fifteen, sixteen... +- Veronica, this is madness. +- Nineteen, twenty... +- Stop it! +Forty-seven, forty-eight... +- Good morning! +- Good morning! +Sorry, nothing for you. +Here you are. +- Lebedeva? +- That's me. +- Paliukaitis? +- Nothing. +From my eldest. +From the Ukrainian Front. +I didn't know Boris. +But everyone says what a fine, talented boy he was. +Was? +Listed as missing in action doesn't mean he was killed. +Of course not. +I just didn't put it right. +- What's wrong, Veronica? +- I'm dying, Anna Mikhailovna. +Come on, Veronica. +You poor child. +I've lost everything. +You have your whole life before you. +I don't want it! +What's it good for? +You must forget the past. +It is human nature to forget. +I don't want to forget. +I don't need it. +But you can't go on tormenting yourself for your mistakes. +I should do it. +All my life. +You teach history. +You're a wise woman. +Tell me what's the meaning of life? +The meaning of life? +Maybe it's in... +- Did Chernov get here yet? +- Not yet. +Wow, I'm really famished! +Try to be nice to Chernov when he comes, please. +He makes me ill. +I feel exactly the same way, but after all he's my boss. +That gives you a reason to lick his boots? +Please, Veronica, this can't go on. +You're always so irritable, always criticizing. +Tell me, how can I make you happy? +Just disappear. +Come in, it's open. +Come in! +Mark, pardon my invasion. +Not at all. +It's a pleasure. +Here, let me take that. +Did you see the paper? +The Germans have advanced in the Caucasus. +Yes, it's awful. +But we'll show them what we're made of yet! +Please make yourself comfortable. +It's warm here. +Your place is nice and cozy. +My wife and children are in Tashkent, so I'm kind of homeless. +- Good day, Veronica. +- Good day. +- Where are you going, darling? +- To the hospital. +I'm on duty. +Bundle up. +It's very cold. +I admire your wife. +She's so honest... +She must be very happy with you. +- I was looking for you at the Philharmonic. +- Was there a concert? +No. +But are you going to the birthday party tonight? +I might. +- What are you giving her? +- What can I give her? +The war! +Yes, this war. +It's nothing gorgeous, of course, but tie a little trifle to it and Antonina will be pleased. +It's wonderful! +What do I owe you? +- It's really nothing, forget it. +- Thank you very much. +Mark, can you do me a favor? +- Is someone up there? +- No. +Could you get some drugs for me from Feodor Ivanovich? +Fine job, Irina. +He'll pull through. +I hope so. +It would be downright mean of him not to. +Irina, you should have been a man! +I'm doing all right as a girl. +Veronica! +What are you doing here so early? +The clock was fast. +Poor girl... +I can't forgive her for what she did to Boris. +New patients again! +I told them I have no more room. +I'm running a hospital, not a barrel of herrings! +- Are these from Kalach? +- From Stalingrad. +Some from the front line, others from the hospitals. +No place for us here, either. +Don't worry, they'll find room. +I'll take 80 men. +The rest will have to go to other hospitals. +Let's see now... +Please give my regards to Sergei, +Feodor, Vassily, Aunt Maria, +Agraphyona, Catherine, Barbara, +Nikolai, Catherine... +- You already said Catherine. +- That's another one. +- Don't you want to explain it? +- They'll figure it out. +So, Zinaida, Antonina, Kuzma... +Nurse! +- What do you want, Vorobyov? +- Never mind. +Nurse! +- He wants a potty. +- I'll give it to him. +Thanks. +That's beautiful music! +Turn it up a little louder, will you please? +Shut up your music! +Turn it down! +You hear me? +Who was that shouting? +I did, so what? +- Zakharov, what's wrong? +- Leave ma alone! +He's gone berserk. +He got bad news from home this morning. +His girl just got married to a friend of his, bitch. +He hasn't had a bite to eat. +Try to see what you can do, nurse. +Those broads are worse than fascists, aiming right in the heart. +You must try to eat. +It's the only way to get well. +I don't want to get well! +I just want to croak! +Get the doctor. +Calm down. +Please, calm down. +Because of a woman... +What a dumbbell! +Get the doctor! +Get the doctor now! +Quit that yelling! +Cackling like a bunch of hens! +Where will they take us now? +There're plenty of hospitals in this wide world. +Guys, the chief is coming! +Bastards! +Quiet down! +You're a soldier in the Red Army! +Want to desert it? +You afraid that if we cure you, you might go back in the army? +You're not being fair. +He got a bad letter from home. +I know. +That's just an excuse. +So what if his girl's left him? +Good riddance! +She's not worth a dime if she gave up a handsome soldier like this, a real hero, for a puny draft-dodger! +Right. +She's the one who's missed her happiness! +And whatever she's got, she deserves it! +What a petty soul! +Can a woman like that understand the suffering you've gone through? +Killing her would be too good for her kind. +You stood the most difficult trial. +You looked death in the face, went to meet it yourself. +And she couldn't stand the small test of time. +For women like that, no honorable man can have anything but contempt! +For such creatures there is no pardon! +Bandage him! +Aunt Sima, bring him fresh porridge and some hot tea. +Be good now. +Veronica... +What the hell kind of a mother are you? +Keep an eye on your kid! +And I'll be held responsible! +Daydreaming, you fool! +- Who are you? +- Mamma's boy. +- Where are you from? +- From Voroshilovgrad. +- How old are you? +- Three months and three years. +- What's your name? +- Boris. +- What? +- Boris. +- Why the fancy get-up? +- A concert in the hospital. +- A likely story! +- All right, all right. +- Is Mark here? +- So far yes. +I've been saving this for you. +Thank you very much, Anna Mikhailovna. +It's for a little boy we know. +It's his birthday. +I wish everyone were as kind- hearted as you are, Mark. +The symptomatology of this type of compound injury depends primarily on changes in the nodal structure... +- Interesting, but beyond me. +- Why, it's really quite simple. +They are not readily apparent to the clinical practitioner, but in most cases the etiology... +- What is this? +- What kind of a trick is that? +What do you mean, trick? +The poor child lost his parents. +I want my mommy! +You ought to have taken him to the Foundling Center. +You go yourself to the Center! +- Rude child! +- I'm not, you're rude! +Now, don't cry. +We'll go find your mommy in Voroshilovgrad. +Now, now, be quiet. +- Poor baby, he wants his mommy. +- Look, here comes a goat... +Stop rattling. +You're hurting my ears. +Here, play with the cover. +Don't you want it? +Oh, my God. +Here's a bagel roll for you. +Keep him quiet! +He's driving me crazy. +If we had some toys for him to play with... +Irina, take him for a minute. +Hah, what next? +Stop crying, will you? +Let me take him. +Come on, my little one, my little Boris... +I'll undress you and put you to bed... +Have anyone seen my squirrel? +Yes, Mark took it. +- Why? +- He's giving it to some boy. +My squirrel to a boy? +- Where's Mark? +- I don't know. +- Where's Mark? +- I don't know. +You're hiding something from me. +You know where he's, don't you? +Where's he? +He's probably gone to Antonina's party. +- What Antonina? +- Why don't you ask Mark? +- Who's she, tell me! +- Don't order me around. +Mark visits her occasionally. +Do you get it? +- You're saying this to spite me. +- Why would I want to? +Because I'm married, I'm loved, and you're still a spinster! +Stop it, Veronica! +Antonina lives near the food shop, in the little house next door. +Go over there and see for yourself. +Calm down. +I should do something. +When Mark comes home, you'll have a talk. +But now you must wait. +Sure, I must wait... +That's all I've been doing all the time. +That's enough! +May our lips benumb. +Words are futile. +They so often lie perchance. +And only our eyes Will never dare lie, +Forever true their parting glance. +My eyes are now sad and dark, +As though therein a candle was put out... +In Leningrad after my parties we'd go for a ride, from one part of the city to the other. +Arrange for a ride now. +There's a war on, Antonina. +Cars are worth its weight in gold, the gasoline is strictly rationed. +Get any kind of car! +I beg you! +A fire-engine, an ambulance, a truck... anything! +Let me hope where there's hope no longer! +Just the two of us? +To the point of full abandon? +I'll see what I can do. +I love you! +Sorry, I don't dance. +I thought I'd tried everything, but I've never tried golden chestnuts. +Look, a note! +- It's a birthday note for me. +- Congratulations! +Where's the squirrel? +Where's my squirrel? +Look, you mustn't think that... +There's a note here from somebody named Boris. +My only one, happy birthday... +On this day you were born. +It's hard leaving you. +But it can't be helped. +It's war! +I must go. +We can't go on living the way we did, enjoying ourselves while death stalks our land. +We will be happy some day. +I love you, I trust you. +Your Boris. +Why are you so alarmed? +Go home. +I'll be right back. +Why? +- Take your coat off. +- Thank you. +You know, all the Philharmonic cars are being used tonight, and I must have a car. +You're Chief Surgeon, you won't refuse me this little favor... +Transportation is our most critical problem. +It was difficult for me too, but I did my best. +I went out of my way, because you asked me... +- What I asked you? +- The exemption. +Now it's about to expire, and this time to get it will be almost impossible. +- What d'you mean, exemption? +- The exemption for Mark. +You can be sure I handled the whole thing discreetly. +Could Mark have done it without informing you? +He even offered me money in your name... +I'm sorry. +I'm glad you're here, Uncle Fedya. +I wish you'd talk to her. +She burst in without being invited, started a fight... +Shut the door. +Do you believe that anybody likes having his son marching off to war? +What do you mean? +Or do you believe that for your petty pleasures and well-being others must lose their arms, legs, eyes, jaws, even their lives? +And you owe nothing to no one? +You know I've got an exemption, Uncle Fedya. +Tell us how you got this exemption. +What are you doing, Veronica? +It's all right. +I'm going to rent a room. +And I'm taking the boy... +Perhaps someone else had better rent a room? +Gladly. +I've been wanting to for a long time. +I wish you'd driven me out in the first place. +You've been through a terrible ordeal. +Only one who had done something worse could have condemned you. +Stay with us. +I can't. +I cannot hide behind someone else's back. +I don't want to. +Think it over. +Listen, where can I find the Borozdin family? +- Which one are you looking for? +- Feodor Ivanovich. +He is not in at the moment. +Are you from Boris? +No, I'm by myself. +I have to see Feodor Ivanovich. +- Won't you sit down? +- Thanks. +Feodor Ivanovich should be here in a few minutes. +- May I go out? +- All right. +- Is he yours? +- Yes, he's mine. +He looks like you. +Are you a relative of the Borozdins? +Not really. +Well, I've done all the fighting I'll ever do. +Going home? +Not yet. +Leningrad's still blockaded. +- Yeah, I'm in a spot. +- Why? +I guess there's no harm in telling you because you're not the family. +But how do you tell a man his son was killed? +- Where did it happen? +- Near Smolensk. +What do you want me to play? +I don't care. +Tell me, did you see him buried? +No. +I was put on a stretcher and taken to a hospital, and he was with a friend of his, Stepan. +Stepan... +I've got to find his girl now. +He was really in love with her. +I'm the girl. +Come to see us when you're in Moscow, Volodya. +Thanks very much. +I will. +The war's over. +It's strange, isn't it? +And you're still waiting? +I am. +One must always keep on hoping. +What's the use of waiting? +I saw it with my own eyes. +What did you see? +You saw him wounded? +You saw him fall? +You didn't see him die. +But if he's alive, why hasn't he written to you? +Anything could happen. +Stepan hasn't written to anyone either. +They know at the factory that he was in some Special Operations. +Dasha promised to let me know when he's back. +Boris is alive. +He's alive. +Look! +The victors are coming! +Kolia, darling, you're back! +Boris! +Veronica! +Stepan! +The flowers... +For you. +Well? +What? +You see... +Well... +My darling! +Dear mothers, fathers, brothers and sisters! +The happiness of our reunion is boundless. +The heart of every Soviet citizen sings with joy, the joy of victory! +We have all waited for this happy moment. +We dreamed of it in the darkest hours of our struggle. +But we'll never forget those who lie silent on the battlefield. +Years will pass, our cities will rise again, and our wounds may one day be forgotten. +Let one thing remain in our hearts, a cold hatred of war! +We deeply feel the grief of those who cannot meet their loved ones today. +We must all take a vow to keep our promise that sweethearts will never again be parted by war, that mothers may never again fear for their children, that our brave fathers may not stealthily swallow their tears. +We have won and remained alive, not for destruction but to build a new life! +Don't just stand there. +Give the flowers to whoever they're for. +Thank you very much, sister. +Oh, what a darling! +What a chubby little darling! +Look, the cranes are flying over Moscow! +The End +MOSFILM +Wait, Squirrel! +Here, put it on. +Look! +Cranes like ships Sailing up in the sky, +White ones and grey ones, With long beaks, they fly! +Look! +You see... +You with your "cranes like ships". +THE CRANES ARE FLYING +Written by V. ROZOV +Directed by M. KALATOZOV +Director of Photography S. URUSEVSKY +Associate Director +- B. FRIDMAN Production Designer +- Y. SVIDETELEV +Music by M. VAINBERG Sound by I. MAYOROV +English subtitles by T. KAMENEVA +Starring +T. SAMOILOVA as Veronica A. BATALOV as Boris +V. MERKURIEV as Feodor Ivanovich +A. SHVORIN as Mark S. KHARITONOVA as Irina +K. NIKITIN as Volodya V. ZUBKOV as Stepan +A. BOGDANOVA as Grandma B. KOKOVKIN as Chernov +Ye. +KUPRIANOVA as Anna Mikhailovna +An Order of Lenin Film Studio "Mosfilm" production, 1957 +Who is there? +Wait! +Well, all right. +Say when, then. +Thursday, on the embankment. +Come on, that's too long. +Squirrel! +You haven't told me when! +Squirrel, at what time? +What time on Thursday? +No, I can't make it. +I'll be working. +- All right. +- Don't be late. +Squirrel! +- She's gone crazy over him. +- And he's over her. +That's love, my dear. +A harmless mental disturbance. +Grandma, why aren't you asleep? +Because it's time to get up, Boris! +Stop chomping! +Running around all night... +Are you jealous? +You haven't torn it, have you? +Your jacket's all right. +Outrageous! +It's noon and he's still in bed. +The boy deserves a good rest on Sunday. +He works hard. +That work of his will result in a marriage. +That's when you'll be really jealous. +For Irina, her diploma comes first. +Look out, Uncle Fedya. +She'll be a full professor soon, while you're still only a MD. +If children don't surpass their parents, then the children are fools and the parents are no better. +Thanks, Mamma. +This is Radio Moscow broadcasting over all of the Soviet Union! +- What is it? +- What has happened? +Boris! +We're at war! +Do you hear? +We're at war! +Leave me alone! +Hi! +Boris is working day and night. +Are you waiting for him? +I'm not waiting for anyone. +Veronica! +In time of war, one should not get confused. +One should hold on to a normal life pace. +Take me. +I dream of dedicating to you my first symphony. +Will you come to the concert? +Suppose the Army calls you up? +The Army? +I doubt it. +Hardly. +Why "hardly"? +The most talented ones will be exempted. +- Are you the most talented one? +- Me? +Certainly. +Why are you following me around? +Aren't you ashamed? +I am. +I tried to keep away from you. +I know, Boris is my cousin. +But I can't help myself! +Wait! +- Wait! +- I'm going home alone. +Hey, slow down! +You just had an operation. +I'd better be in shape for that field-pack. +They're not wasting men like you in the Army. +There'll only be one exemption here, and one of us'll get it. +They'd better give it to you. +You've got knowledge, experience. +And you've got talent. +Save your sketches. +My wife's already got my bag packed. +Well, as they say, let's get our bayonets ready. +Hey, Stepan! +Guys, give me a hand... +Stepan! +Excuse me, Sachkov. +- Where's the summons? +- Not yet. +I can't wait. +- Are you off now? +- No, I've got those sketches... +- I see. +Take care. +- Okay. +- Hey! +- Yeah? +- Have you told her? +- No, it's too early... +- You're right. +See you tomorrow. +- Right. +- Let go. +- I won't. +- You're going to fall down. +- No, I won't. +- You'll rip up the blackout. +- It's a blanket. +I'm going to call the militia. +I'm sick of the blackout. +Give me the blanket. +- Let go. +You'll fall. +- No, I won't. +Come on, Squirrel, cut it out. +Let me hang this up. +You didn't come to the embankment today, but Mark did. +- He's very handsome. +- So what? +- Aren't you jealous? +- What? +- Aren't you jealous? +- I haven't got the time for it. +I won't have much time either when I go to the architecture college. +You'll never pass the entrance exams. +- I will! +- I doubt it. +Cranes like ships Sailing up in the sky, +White ones and grey ones, With long beaks, they fly. +- Do you like my song? +- Very profound. +Oh frogs, you keep on croaking, Why didn't you think of looking up? +You went on leaping, in mud soaking That's why you ended eaten up. +- All right, you won, hero. +- I won, I won! +I won. +All right. +- D'you think you'll be drafted? +- Sure. +- You won't volunteer? +- I might. +Why not? +No, you won't! +I won't let you. +You know you'll get an exemption. +That's why you talk so big. +- Why do you think so? +- Everyone smart will be exempted. +Then the only ones to do the fighting will be the fools. +I don't want to talk to you ever again. +Veronica, there's something I must tell you. +I don't want to hear it. +And, please, don't call me Veronica. +- Who am I? +- Squirrel. +Listen... +- What will you give me tomorrow? +- It's a secret. +If you give me something sweet, I'll eat it up and forget about it. +Give me something to remember you with. +Kiss me now. +When I'm with you, I'm not afraid of anything. +Not even the war. +Though, I'm afraid of the militia. +- Veronica... +- You know what? +- Do you know? +- No. +I'll have a beautiful white dress made for our wedding. +One like my grandmother had. +And a veil... +Very long and white. +And you should wear your dark suit. +- And you and I will go... +- To a registry office. +- Is it a deal? +- It's a deal. +- You know I like this blackout. +- What's so good about it? +Hi! +- Stepan! +- Veronica! +- I've got a treat for both of you. +- Fine. +- What is it? +- It's a secret. +- Has it arrived? +- Yes, this morning. +- Why didn't you say so? +Tell me. +- Well, go on. +You should've seen what's going on over at the factory. +Make it short, will you? +I'm telling you: +there's so much excitement... +- Never mind that. +- Your folks told me... +- When do we report? +- Today at 5:30. +Look at those cherries! +Is anything wrong? +- They're nice! +- Army orders. +- No! +For you? +- Me too. +We both volunteered... +When? +- You volunteered? +- It's army orders. +Wait! +What about us? +Stepan... +No, I've got to go. +My folks are going to... +So long. +Squirrel! +I didn't want to tell you before your birthday. +- And now I have to go. +- Of course. +Boris! +Squirrel, what is this? +White cranes flying... +I like that. +I'm going to be all right. +Do you hear? +And after that we'll live together... +a hundred years. +Go on now. +We'll say goodbye later. +Don't be late. +What difference would it make if he went a day later? +What a nerve if he's still with Veronica. +- Boris! +- Did Dad call? +He was furious. +Why didn't you tell anyone? +So that we didn't have any scenes like that. +Get these prints back to the factory tomorrow. +- Give them to Kuzmin, the engineer. +- I will, don't worry. +What are you putting in there? +I'm going out for a bottle of wine. +Grandma, do me a favor. +Just a minute... +- Will they send you to the front? +- Probably. +Here, Grandma... +Wait. +Tomorrow when you get up, take this to her... +- What is it? +- Her birthday present. +And help her. +After all, it's war... +Please, be kind to her. +And what if I die? +You don't have the right, especially now, with so many secrets to protect. +- Well, suppose I do... +- Come on... +Quiet now, Grandma. +That's Veronica! +No, it's just Irina. +Thank heaven, you've come. +- Boris! +- Yes? +Come over here. +You're 25 years old and you behave like a fool. +What are we, children? +What is it? +Are we playing hide and seek? +Are you starved for adventures? +What kind of a man are you? +Where's Irina, and Mark? +Irina is making coffee, Mark went out for wine. +Coffee, wine... +What kind of send-off is that? +Irina! +Bring that thing from the medicine chest. +Boris, come over here. +- Where is Veronica? +- She'll be here. +- But where's she? +- She's busy. +She's supposed to be here. +Her fiance is going away. +I'm not her fiance. +- What are you then? +- Just a friend... +- That sounds suspicious... +- I don't mean that way, Dad. +- Then what do you mean? +- Look, give me a break. +- Here's the alcohol. +- Have it diluted. +I got some port wine. +Drink it yourself. +We'll have a more robust drink. +Well, are we all here? +Let's sit down. +It's Veronica. +Aren't you going to welcome her, friend? +At last! +Is Boris home? +We're from the factory. +Please, come in. +I thought it was the fiancee. +- We've come from the factory. +- What about the presents? +- Sorry. +This one's yours. +- Yes... +Thank you. +On behalf of the Factory Committee... +Comrade Boris, you must fight to the last drop of your blood. +Smash the accursed fascists, and we, in the factory, will fulfil and overfulfil our quotas. +We've heard all that before. +You'd better join us and drink to my son, Boris. +Well, I suppose... life in this world of ours is not yet what we would like it to be. +Now you're going to war, Boris... +- Let's drink. +- To you. +Irina! +What about Grandma? +We saw my brother off last night. +My mother was crying... +- What about you? +- I was too. +- On whose behalf, the committee's? +- I wasn't thinking about that. +There's no one to see off in our family, we have 3 girls and Mom. +It's somewhat embarrassing... +I feel left out... +Yes, and when they come back, you'll really envy us. +The trouble is, not all of them will be coming back. +For those who don't, a magnificent monument, with their names inscribed in gold. +Irina, don't just sit there. +Fill the glasses. +And you folks in the rear, fulfil and overfulfil! +Now, Grandma, don't forget. +Mark, stay with Dad. +He'll be all right. +I'll see you off. +About face! +Platoon, forward march! +Take it, Grandma! +- Boris! +- Mamma! +- I won't see him again. +- I'm sorry, Mamma. +Drink it. +You'll feel better. +- Where are you going? +- To the hospital. +But you aren't on call now. +Varvara Kapitonovna, I've got to see Boris... +He's gone. +- Gone? +Where? +- To report for the Army. +- Oh, no! +- Come in. +- Where was he supposed to report? +- I don't know. +What is it? +It's from Boris. +For your birthday. +There's a note inside. +- Where's the note? +- Why? +Isn't it there? +Maybe it fell? +Maybe he forgot in a hurry. +- Forgot? +- He'll write to you. +Where were you? +- Where's Boris gone? +- It's the schoolyard near the park. +Calm down, she'll be here. +It would be quite a job finding someone in this crowd. +What are you doing? +Write to me. +Write every day. +Didn't I tell you to ship the cauliflower? +An airplane is high above, Over the roofs it's droning. +It's my sweetheart sends his love From his sky-high soaring. +It was used to be before That he saw me to my door. +Now it's been quite a turn-off: +I'm the one to see him off! +Don't forget to write your Army Post Office number. +- Cheer up, pug-nose! +- We'll wait till you come back. +Goodbye, Boris! +Take care! +Fall in! +She will come. +Boris! +Boris! +Dress! +Attention! +Forward march! +Boris! +That's my little chicken! +Boris! +Boris! +Grandma... +Nothing? +He hasn't written to me either. +- Any news? +- No. +Oh, this damn war! +We'll have to keep going somehow. +Have you decided about a job? +I'm starting at the war factory tomorrow. +Air-raid alert! +Hurry on to the subway. +I've got to finish this. +Get your things. +- Where's the knapsack? +- It's over there. +I won't go without you. +If it gets bad, we'll run down. +Go on, now. +Be careful in the subway! +She's so frightened, poor thing. +Aren't you? +When I know that Veronica's safe and you're with me, +I'm not such a coward. +The filthy murderers! +We'll get back at you, you wait! +He's not writing to me. +Oh, he must have written. +It's just the mail. +All clear! +The air raid has been terminated. +Let's go! +Here's where I live now. +If you decide to work with us, call me at the factory. +- I will. +- Goodbye. +Get down here! +Come back! +What's the matter? +Are you crazy? +I'm sorry. +Veronica, you can stay with us from now on. +You can have Boris' room. +Mark will move in with Fedya... +Mark, she'll need some attention to keep her from brooding. +Irina and I are so busy at the hospital. +I'll do what I can, Uncle Fedya. +I promised Boris. +- Is it agreed? +- Um-hmm. +Is this the factory? +May I speak to Kuzmin? +He was drafted, too? +Excuse me, has anyone heard from Boris Borozdin? +If it weren't for this damn war, +I'd be playing this in the Tchaikovsky Hall. +For you. +Veronica! +Let's go to the subway. +- I'm not going. +- Don't be silly. +Come on. +- Are you afraid? +- For you. +Come with me. +I'm not afraid of anything. +- Veronica, let's go to the subway! +- No, I'm not going. +- Stop it! +You've gone crazy! +- I'm not going! +I love you. +No. +- I love you! +- No! +No! +- I love you! +- Go away! +- I love you! +- No! +No! +No! +It's stupid to get surrounded like this. +- Stepan, quit whining. +- Who's whining? +I'm not. +The captain said we might be able to break out by tonight. +Yeah, that's what he says. +Sachkov! +Where'd you find that rookie? +In the incubator. +He's our reinforcements. +Now we'll break through for sure. +Is that a way to talk about a married soldier? +I got yoked in my last year of school. +The result of too much of education. +You're funny. +Laughed yourselves right into a trap, I guess. +- Volodya, you really married? +- I said it to sound important. +- Borozdin! +- Yes? +You'll go on a reconnaissance mission. +You got to find the best place for us to break through tonight. +- Turn in your documents. +- Yes, sir. +Hey, Sachkov! +Take this, will you? +Why don't we rest? +And have a smoke. +Is she always laughing like that? +She probably thinks we're all dead. +Let me see that beauty. +Hey, that's the soldier's life for you! +- You're here, and she... +- And she what? +Hey, let me try that thing. +- Hold it, will you, Sachkov? +- Certainly. +Not bad for a first try. +Stop that! +- Aren't you ashamed? +- No, sir. +- Five days under arrest! +- Yes, sir. +- You both go on a reconnaissance. +- Why? +Turn in your papers! +Boris, here. +On account of her? +- I'd say she was worth it. +- She sure is! +However, we must maintain discipline! +You hear that? +Discipline... +Stepan, keep this. +Be careful, don't lose it. +We... +We'll get married, Uncle Fedya. +Oh, I forgot. +There's some sausage left. +- Keep your head down! +- Stop ordering around! +Let's get out of here before they get wise. +- If you're scared, run. +- Come on, you idiot! +Hey! +Musician! +Are you deaf? +Why the devil I'v got tied up with him? +What's wrong with you? +Can you hear me? +- Go on. +I want to rest for a while. +- Are you wounded? +Hold on to me. +- Leave me alone. +- I tell you, get up! +Now hang on, hold tight. +This way's no good. +I'll have to carry you. +Come on, leave me here. +Are you still sore because I punched you? +- You were just lucky, otherwise... +- Shut up, we'll talk later. +Here we go... +Are you all right? +Hold on, friend. +It's only a little way to the woods. +We'll be safe there. +I'm winded. +Let's rest a bit. +It's a little quieter here. +How are you? +It's hard to breathe. +Hold on, we'll have to get you married yet... +Hey, buddy! +What's the matter with you? +What's wrong? +Forgive me, friend, forgive me... +It's my fault... +Forgive me... +friend... +Hey, somebody! +Help! +Help! +Help! +Can you hear me, Boris? +Are you hit? +It's nothing, I am just... +The Soviet Information Bureau reports that there were no important changes on the front in the past 24 hours. +No news is good news. +Families evacuated with Plant 326 will be quartered on Vosstaniya Street. +Comrades, report here, please. +- Irina, help me with the wounded. +- I'll get an orderly. +Everybody off! +Siberia! +We can't run much farther. +Poor Mother Russia! +Attention, please! +Chief of Army Hospital, Comrade Borozdin, please report to the military commandant at once. +Maybe we'll find peace here at last. +Out of the way, the evacuated. +Your stove is smoking. +Oh, I'm sorry. +Save your dreaming till the war is over. +Where are you going? +To the hospital. +I'm on duty. +She wanders around like a ghost, all nerves. +The poor thing is waiting for a letter. +From whom? +Her husband's not up at the front like ours. +She's not waiting for any letter. +- D'you have the 2nd shift at school? +- Yes. +Cranes like ships, Sailing up in the sky... +I can't get those silly verses out of my head. +There she is! +- Who? +- The mail carrier. +If I can count up to 50, there'll be a letter for me. +- One, two, three, four... +- Stop it, Veronica. +- Fifteen, sixteen... +- Veronica, this is madness. +- Nineteen, twenty... +- Stop it! +Forty-seven, forty-eight... +- Good morning! +- Good morning! +Sorry, nothing for you. +Here you are. +- Lebedeva? +- That's me. +- Paliukaitis? +- Nothing. +From my eldest. +From the Ukrainian Front. +I didn't know Boris. +But everyone says what a fine, talented boy he was. +Was? +Listed as missing in action doesn't mean he was killed. +Of course not. +I just didn't put it right. +- What's wrong, Veronica? +- I'm dying, Anna Mikhailovna. +Come on, Veronica. +You poor child. +I've lost everything. +You have your whole life before you. +I don't want it! +What's it good for? +You must forget the past. +It is human nature to forget. +I don't want to forget. +I don't need it. +But you can't go on tormenting yourself for your mistakes. +I should do it. +All my life. +You teach history. +You're a wise woman. +Tell me what's the meaning of life? +The meaning of life? +Maybe it's in... +- Did Chernov get here yet? +- Not yet. +Wow, I'm really famished! +Try to be nice to Chernov when he comes, please. +He makes me ill. +I feel exactly the same way, but after all he's my boss. +That gives you a reason to lick his boots? +Please, Veronica, this can't go on. +You're always so irritable, always criticizing. +Tell me, how can I make you happy? +Just disappear. +Come in, it's open. +Come in! +Mark, pardon my invasion. +Not at all. +It's a pleasure. +Here, let me take that. +Did you see the paper? +The Germans have advanced in the Caucasus. +Yes, it's awful. +But we'll show them what we're made of yet! +Please make yourself comfortable. +It's warm here. +Your place is nice and cozy. +My wife and children are in Tashkent, so I'm kind of homeless. +- Good day, Veronica. +- Good day. +- Where are you going, darling? +- To the hospital. +I'm on duty. +Bundle up. +It's very cold. +I admire your wife. +She's so honest... +She must be very happy with you. +- I was looking for you at the Philharmonic. +- Was there a concert? +No. +But are you going to the birthday party tonight? +I might. +- What are you giving her? +- What can I give her? +The war! +Yes, this war. +It's nothing gorgeous, of course, but tie a little trifle to it and Antonina will be pleased. +It's wonderful! +What do I owe you? +- It's really nothing, forget it. +- Thank you very much. +Mark, can you do me a favor? +- Is someone up there? +- No. +Could you get some drugs for me from Feodor Ivanovich? +Fine job, Irina. +He'll pull through. +I hope so. +It would be downright mean of him not to. +Irina, you should have been a man! +I'm doing all right as a girl. +Veronica! +What are you doing here so early? +The clock was fast. +Poor girl... +I can't forgive her for what she did to Boris. +New patients again! +I told them I have no more room. +I'm running a hospital, not a barrel of herrings! +- Are these from Kalach? +- From Stalingrad. +Some from the front line, others from the hospitals. +No place for us here, either. +Don't worry, they'll find room. +I'll take 80 men. +The rest will have to go to other hospitals. +Let's see now... +Please give my regards to Sergei, +Feodor, Vassily, Aunt Maria, +Agraphyona, Catherine, Barbara, +Nikolai, Catherine... +- You already said Catherine. +- That's another one. +- Don't you want to explain it? +- They'll figure it out. +So, Zinaida, Antonina, Kuzma... +Nurse! +- What do you want, Vorobyov? +- Never mind. +Nurse! +- He wants a potty. +- I'll give it to him. +Thanks. +That's beautiful music! +Turn it up a little louder, will you please? +Shut up your music! +Turn it down! +You hear me? +Who was that shouting? +I did, so what? +- Zakharov, what's wrong? +- Leave ma alone! +He's gone berserk. +He got bad news from home this morning. +His girl just got married to a friend of his, bitch. +He hasn't had a bite to eat. +Try to see what you can do, nurse. +Those broads are worse than fascists, aiming right in the heart. +You must try to eat. +It's the only way to get well. +I don't want to get well! +I just want to croak! +Get the doctor. +Calm down. +Please, calm down. +Because of a woman... +What a dumbbell! +Get the doctor! +Get the doctor now! +Quit that yelling! +Cackling like a bunch of hens! +Where will they take us now? +There're plenty of hospitals in this wide world. +Guys, the chief is coming! +Bastards! +Quiet down! +You're a soldier in the Red Army! +Want to desert it? +You afraid that if we cure you, you might go back in the army? +You're not being fair. +He got a bad letter from home. +I know. +That's just an excuse. +So what if his girl's left him? +Good riddance! +She's not worth a dime if she gave up a handsome soldier like this, a real hero, for a puny draft-dodger! +Right. +She's the one who's missed her happiness! +And whatever she's got, she deserves it! +What a petty soul! +Can a woman like that understand the suffering you've gone through? +Killing her would be too good for her kind. +You stood the most difficult trial. +You looked death in the face, went to meet it yourself. +And she couldn't stand the small test of time. +For women like that, no honorable man can have anything but contempt! +For such creatures there is no pardon! +Bandage him! +Aunt Sima, bring him fresh porridge and some hot tea. +Be good now. +Veronica... +What the hell kind of a mother are you? +Keep an eye on your kid! +And I'll be held responsible! +Daydreaming, you fool! +- Who are you? +- Mamma's boy. +- Where are you from? +- From Voroshilovgrad. +- How old are you? +- Three months and three years. +- What's your name? +- Boris. +- What? +- Boris. +- Why the fancy get-up? +- A concert in the hospital. +- A likely story! +- All right, all right. +- Is Mark here? +- So far yes. +I've been saving this for you. +Thank you very much, Anna Mikhailovna. +It's for a little boy we know. +It's his birthday. +I wish everyone were as kind- hearted as you are, Mark. +The symptomatology of this type of compound injury depends primarily on changes in the nodal structure... +- Interesting, but beyond me. +- Why, it's really quite simple. +They are not readily apparent to the clinical practitioner, but in most cases the etiology... +- What is this? +- What kind of a trick is that? +What do you mean, trick? +The poor child lost his parents. +I want my mommy! +You ought to have taken him to the Foundling Center. +You go yourself to the Center! +- Rude child! +- I'm not, you're rude! +Now, don't cry. +We'll go find your mommy in Voroshilovgrad. +Now, now, be quiet. +- Poor baby, he wants his mommy. +- Look, here comes a goat... +Stop rattling. +You're hurting my ears. +Here, play with the cover. +Don't you want it? +Oh, my God. +Here's a bagel roll for you. +Keep him quiet! +He's driving me crazy. +If we had some toys for him to play with... +Irina, take him for a minute. +Hah, what next? +Stop crying, will you? +Let me take him. +Come on, my little one, my little Boris... +I'll undress you and put you to bed... +Have anyone seen my squirrel? +Yes, Mark took it. +- Why? +- He's giving it to some boy. +My squirrel to a boy? +- Where's Mark? +- I don't know. +- Where's Mark? +- I don't know. +You're hiding something from me. +You know where he's, don't you? +Where's he? +He's probably gone to Antonina's party. +- What Antonina? +- Why don't you ask Mark? +- Who's she, tell me! +- Don't order me around. +Mark visits her occasionally. +Do you get it? +- You're saying this to spite me. +- Why would I want to? +Because I'm married, I'm loved, and you're still a spinster! +Stop it, Veronica! +Antonina lives near the food shop, in the little house next door. +Go over there and see for yourself. +Calm down. +I should do something. +When Mark comes home, you'll have a talk. +But now you must wait. +Sure, I must wait... +That's all I've been doing all the time. +That's enough! +May our lips benumb. +Words are futile. +They so often lie perchance. +And only our eyes Will never dare lie, +Forever true their parting glance. +My eyes are now sad and dark, +As though therein a candle was put out... +In Leningrad after my parties we'd go for a ride, from one part of the city to the other. +Arrange for a ride now. +There's a war on, Antonina. +Cars are worth its weight in gold, the gasoline is strictly rationed. +Get any kind of car! +I beg you! +A fire-engine, an ambulance, a truck... anything! +Let me hope where there's hope no longer! +Just the two of us? +To the point of full abandon? +I'll see what I can do. +I love you! +Sorry, I don't dance. +I thought I'd tried everything, but I've never tried golden chestnuts. +Look, a note! +- It's a birthday note for me. +- Congratulations! +Where's the squirrel? +Where's my squirrel? +Look, you mustn't think that... +There's a note here from somebody named Boris. +My only one, happy birthday... +On this day you were born. +It's hard leaving you. +But it can't be helped. +It's war! +I must go. +We can't go on living the way we did, enjoying ourselves while death stalks our land. +We will be happy some day. +I love you, I trust you. +Your Boris. +Why are you so alarmed? +Go home. +I'll be right back. +Why? +- Take your coat off. +- Thank you. +You know, all the Philharmonic cars are being used tonight, and I must have a car. +You're Chief Surgeon, you won't refuse me this little favor... +Transportation is our most critical problem. +It was difficult for me too, but I did my best. +I went out of my way, because you asked me... +- What I asked you? +- The exemption. +Now it's about to expire, and this time to get it will be almost impossible. +- What d'you mean, exemption? +- The exemption for Mark. +You can be sure I handled the whole thing discreetly. +Could Mark have done it without informing you? +He even offered me money in your name... +I'm sorry. +I'm glad you're here, Uncle Fedya. +I wish you'd talk to her. +She burst in without being invited, started a fight... +Shut the door. +Do you believe that anybody likes having his son marching off to war? +What do you mean? +Or do you believe that for your petty pleasures and well-being others must lose their arms, legs, eyes, jaws, even their lives? +And you owe nothing to no one? +You know I've got an exemption, Uncle Fedya. +Tell us how you got this exemption. +What are you doing, Veronica? +It's all right. +I'm going to rent a room. +And I'm taking the boy... +Perhaps someone else had better rent a room? +Gladly. +I've been wanting to for a long time. +I wish you'd driven me out in the first place. +You've been through a terrible ordeal. +Only one who had done something worse could have condemned you. +Stay with us. +I can't. +I cannot hide behind someone else's back. +I don't want to. +Think it over. +Listen, where can I find the Borozdin family? +- Which one are you looking for? +- Feodor Ivanovich. +He is not in at the moment. +Are you from Boris? +No, I'm by myself. +I have to see Feodor Ivanovich. +- Won't you sit down? +- Thanks. +Feodor Ivanovich should be here in a few minutes. +- May I go out? +- All right. +- Is he yours? +- Yes, he's mine. +He looks like you. +Are you a relative of the Borozdins? +Not really. +Well, I've done all the fighting I'll ever do. +Going home? +Not yet. +Leningrad's still blockaded. +- Yeah, I'm in a spot. +- Why? +I guess there's no harm in telling you because you're not the family. +But how do you tell a man his son was killed? +- Where did it happen? +- Near Smolensk. +What do you want me to play? +I don't care. +Tell me, did you see him buried? +No. +I was put on a stretcher and taken to a hospital, and he was with a friend of his, Stepan. +Stepan... +I've got to find his girl now. +He was really in love with her. +I'm the girl. +Come to see us when you're in Moscow, Volodya. +Thanks very much. +I will. +The war's over. +It's strange, isn't it? +And you're still waiting? +I am. +One must always keep on hoping. +What's the use of waiting? +I saw it with my own eyes. +What did you see? +You saw him wounded? +You saw him fall? +You didn't see him die. +But if he's alive, why hasn't he written to you? +Anything could happen. +Stepan hasn't written to anyone either. +They know at the factory that he was in some Special Operations. +Dasha promised to let me know when he's back. +Boris is alive. +He's alive. +Look! +The victors are coming! +Kolia, darling, you're back! +Boris! +Veronica! +Stepan! +The flowers... +For you. +Well? +What? +You see... +Well... +My darling! +Dear mothers, fathers, brothers and sisters! +The happiness of our reunion is boundless. +The heart of every Soviet citizen sings with joy, the joy of victory! +We have all waited for this happy moment. +We dreamed of it in the darkest hours of our struggle. +But we'll never forget those who lie silent on the battlefield. +Years will pass, our cities will rise again, and our wounds may one day be forgotten. +Let one thing remain in our hearts, a cold hatred of war! +We deeply feel the grief of those who cannot meet their loved ones today. +We must all take a vow to keep our promise that sweethearts will never again be parted by war, that mothers may never again fear for their children, that our brave fathers may not stealthily swallow their tears. +We have won and remained alive, not for destruction but to build a new life! +Don't just stand there. +Give the flowers to whoever they're for. +Thank you very much, sister. +Oh, what a darling! +What a chubby little darling! +Look, the cranes are flying over Moscow! +The End +Oh, mighty God +Please take my soul, to ask You why You torture me +Take my soul or alleviate the suffering +Oh, God, are You... +I ask Your forgiveness +I know You exist, my heart shivers hearing Your name +But I wonder, and You are the Most Merciful and Righteous +Why are we led to temptation? +Why does sin take over virtue? +Why does the evil in our souls overcome the goodness? +Why does one sin then remorse and ask for forgiveness? +I have committed many sins but I am confused; +was it my deprivation from my mother that pushed me towards evil? +My parents were divorced when I was two +And my father was responsible for bringing me up +He was my father, brother and mother as well +He granted me his youth, he lived only to please me +Nevertheless, nothing compensated for the loss of my mother +I envied any girl that had a mother +In a girl's life, there are things only a mother understands +These things were like a barrier between me and my dad when I started to turn into a young woman +It made me feel lonely and deprived +My father was the only thing I really possessed +I didn't demand for my rights as a daughter only, but more +I considered myself responsible for his happiness +We lived with my uncle who was only a few years older than I was +I was the lady of the house +My face had no sinister look to it +It is an innocent face, like that of a child who hadn't yet peen polluted by life's ugliness +I started my evil deeds by pulling small pranks that later developed into big disasters +Even my schoolmates were not exempted from them +Kawthar was in love with my cousin, Medhat +I convinced her falsely that Medhat loves me +I was able to part between them and ruin their lives just because I liked being evil but I would cry also +I cried for long nights, in regret for what I had done +And I was forever sleepless +SLEEPLESS +Based on a novel by: +Ehsan Apdel Koddous +Directed by: +Salah Apu Seif +Then came the day when I felt my life was really falling apart +I was sixteen, attending boarding school +My father came and took permission from the principal to take me home +You know something, Nadia +I don't like your staying in a boarding school +Why? +It's a great school +You know I sent you there because I had to +After you've grown like this, you couldn't stay home without a woman to look after you +Nanny Halima is like a mother to me +Well, at the end of the day, she's still a nanny +I have worried about you all my life +There were so many little issues in your life that I couldn't approach you with +Only a woman could talk to you about those issues +I never complained +Yes, but we have to live together forever +You know, when you get married, +I will make sure that your husband will take us both +We can never live together though unless I married +- Married? +- Yes, Nadia +I have lived without marriage for 14 years, for your sake +And now I married for your sake too +The only condition in the woman I was going to marry was that she would take care of you, and I found her +- I am sure you'll love her +- You should love her +If you love her, Nadia, I will love her +- Congratulations +- Just a plain congratulation? +I only want you to be happy, Daddy +Hello, Nadia +You're more beautiful than your picture +Aunt Safiya +Planning to get drunk, Aziz? +This is your third drink +What to do? +I'm starving +Looks like Nadia won't appear unless I go get her +How posh! +Bless your hands, Safy +See the difference a lady's presence makes in a house! +What have you done to yourself? +What is this hairstyle? +- Is it ugly? +- No, not at all +You look just like Aunt Safiya now +I am not as cute as Nadia +Nadia is beautiful, have a seat +Sit over there, Nadia, in the seat across me +Come on, darling +It's our fate to take the back seat +Well, get yourself a bride +- Here's my bride! +- I'd never give her to you! +You are always at night clubs! +When I was young, I wanted to marry Daddy +Well, he's taken now, I am the only one left +No man in this whole world is worthy of Nadia +Not even Daddy? +Your father is one of a kind +But I hope you find a man like him +- What's for vegetables? +- Messakaa +Oh, God! +It doesn't go well with whiskey +I have a long night yet, tonight is the big night +Do you hear that? +All his nights are like that +Actually, I asked the cook to make Messakaa because I learned that Nadia likes it +Tell me your favorite meals and I'll make them for you +- I like late nights +- And borrowing money +Oh, now you are reminding me of the 100 pounds I owe you! +- I'm not eating then! +- Why, Aziz? +Let him go, he probably has a date; +he's been looking at his watch +You are not a niece, you are a wicked mother-in-law! +- Good bye +- Good bye +Stop drinking, would you? +Good night +Will you sleep this early? +Yes, I'm a bit tired +Good night, darling +Don't forget to close the balcony door +- Good night, Auntie +- Good night, Nadia +- It's getting cold +- I don't think so +It's going to turn on fire +As long as you are by my side, I feel on fire +- What are you doing? +- Getting warm +This is not how to do it.. +Hasn't Nadia woken up yet? +Not yet, sir +Put this vase on the cupboard over there +Halima, wake Nadia up, it's ten o' clock +- Good morning, Nadia +- Good morning +I hope you get married soon +Your father, Lady Safiya and your uncle are waiting for you +- Uncle is awake? +- Yes +Everything has changed since Lady Safiya came +I feel that everything in the house is newer and prettier +The furniture is still the same, it was just too close together +I never thought I would ever wake up this early +Early? +It's 10:30! +Tomorrow, breakfast is at 8:00, we'll force you out of bed +Your father's marriage is trouble for me and you +- Good morning +- Good morning, dear +We should take Nadia to the doctor +I think she's a bit pale, she needs some vitamins +Vitamins? +No, all she needs is a husband +Husband? +Who could we fool into marrying her? +Remember when I asked you to make me scrambled eggs +You burned your hand, and nearly burned the house down! +We all did that as kids +I will teach her everything, she'll be just like me +I wish she'd be only half of you +Why do you want to marry me off? +Bored of me? +Safiya? +No one is answering +You answer it +Hello, how are you, Auntie? +Thursday? +What time? +Seven? +Definitely, yes, we'll be there +Bye-bye, Auntie +You know what, Daddy? +I'll never speak to my friend Aliya again +Why? +She's a nice, funny friend +I was once at her place, she left me alone and talked to her boyfriend on the phone +She was talking to him while her mother was sitting next to us +Be fair! +She was talking to him, pretending he was a girl +The strange thing is her tongue didn't slip once +- Live and let live +- Believe her, Ahmed, girls these days can do anything +Who wants to come to the club for some fun? +I'd love to but I have things to do +- Take Nadia with you +- I am tired +- We'll expect you for lunch +- I've forgotten what junk food is like! +Let's go +I am very sorry, miss +I apologies again, a hundred times +- Okay +- Okay what? +- Accept my apology +- What if I don't? +I won't eat or sleep +- It's over +- Thanks, see you around +- Anyone bugging you? +- Not at all +I know Mostafa, he thinks he's still a youngster +I don't like young men anyway +He's a playboy, everyday a new girlfriend +And you are straight? +Where were you just now? +Playing backgammon +So, was your opponent a brunette or a blonde? +Watch it, Ahmed +- Yes? +- Is this Mr. Mostafa? +Yes, who is this? +I am a girl, don't you like talking to women? +I am sure you would enjoy talking to me +No one prodded me to call you, no +I happen to like you +So you've seen me, you know me +It's not fair, you have the advantage! +This is selfishness! +You can imagine me as we speak +But I will always be asking myself: who is she? +Is she pretty or ugly? +Who told her to call me? +Be patient, you won't regret it +Later, when I feel comfortable about you +Who told you I needed more women? +Did I beg you to call me and test me - to see if I am worthy of you or not? +Wait a minute +- Wait a second +- I'll hang up +First you didn't want to talk, now you can't wait for a second? +This phone thing is old-fashioned +Times have changed +There are now clubs and social gatherings for people to meet and know each other +It's not logical for a girl to reveal half her body at the beach and then hide her identity on the phone +People have no time for such hypocrisy +Did you expect me to jump at you and say I loved you? +Since we've gone this far, please tell me your name +I will count till three +If you don't tell me I'll hang up 1, 2, 3 +- Wrong number +- My name is Nadia Lotfy +My father is Ahmed Lotfy, we live in Dokki +You saw me and you liked me +You even threw your ball at me this morning +Great! +When will we meet? +Please, Nadia +Since we will meet anyway, then the sooner, the better +Tomorrow at 4:30 in front of the Horse-Riding Club +No, 4:30 +I am confused, almost lost +As if an invisible hand pushed me towards an unknown fate +I needed someone by my side +I needed someone to guide me to the path of security +But I had no one +I couldn't ask my father's opinion, nor his wife's +I felt just as lonely as I had before +I feel afraid of Mostafa +He is stronger and older than I am, and more experienced +Should I turn back? +Doc you're beginning to sound like Sherlock Holmes experienced. +homer, marge, bart, lisa, maggie diff --git a/benchmarks/haystacks/opensubtitles/en-medium.txt b/benchmarks/haystacks/opensubtitles/en-medium.txt new file mode 100644 index 0000000..4ae25a1 --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/en-medium.txt @@ -0,0 +1,2170 @@ +Now you can tell 'em. +What for are you mixing in? +Maybe I don't like to see kids get hurt. +Break any bones, son? +He's got a knife behind his collar! +- There's a stirrup. +You want a lift? +- No. +- Why not? +- I'm beholden to you, mister. +Couldn't we just leave it that way? +- Morning. +- Morning. +- Put him up? +- For how long? +- I wouldn't know. +- It'll be two bits for oats. +- Ain't I seen you before? +- Depends on where you've been. +- I follow the railroad, mostly. +- Could be you've seen me. +- It'll be four bits if he stays the night. +- Fair enough. +Morning. +Did a man ride in today - tall, sort of heavyset? +- You mean him, Mr Renner? +- Not him. +This one had a scar. +Along his cheek? +No, sir. +I don't see no man with a scar. +I guess maybe I can have some apple pie and coffee. +I guess you could have eggs with bacon if you wanted eggs with bacon. +- Hello, Charlie. +- Hello, Grant. +It's good to see you, Charlie. +It's awful good to see you. +It's good to see you too. +- I'll get the eggs. +- No, get the pie. +I can pay for the pie. +You're a very stubborn man. +Apple pie is not for breakfast. +It is if you like apple pie. +Now I need a fork. +- Working here long? +- About three weeks. +How's the Utica Kid? +He was well... when I saw him last. +When was that? +- Good morning. +- Morning. +Well, business is early and Pete is late. +The lunches. +Are they fixed? +Why do I ask? +The lunches are always fixed. +Why? +Because you fix them. +Charlie, I'll make you an omelette like only Pete can make an omelette. +Very bad. +Come on around, sit down, have a cup of coffee. +Pete had that place in Santa Fe, remember? +Are you running a shoe store on the side? +Those are box lunches for the work train. +Money, money, money. +Pete knows how to make it. +He follows the railroad. +I guess a lot of people follow the railroad. +You and Pete. +The Utica Kid. +I asked when you saw him last. +They've lost three payrolls. +Now when did you see him last? +- Charlie, where did I put my apron? +- It's under here. +You must be nice fella. +If Charlie sits with you, you must be nice fella. +I make omelette for you too. +We were talking about the Utica Kid. +He can wait. +Ben Kimball's in town. +They put his car on the siding yesterday. +- I know. +- His wife is with him. +Is she? +I often wondered what Verna was like. +I saw her last night. +All fine silk and feathers. +She's soft and beautiful. +And I can understand now. +Can you? +How long are you gonna be in town? +- That depends on Ben Kimball. +- You working for the railroad again? +- If I am? +- That would be good. +Playing the accordion's not for you, not for a living. +You belong to the railroad and it belongs to you. +There were a lot of things that used to belong to me and somehow I lost them. +Two omelettes a-comin' up. +- Do you like eggs? +- No. +That's too bad. +You got an omelette coming up. +Well, somebody's gotta eat them. +Come on. +That means you. +- Could you put it in a box? +- An omelette? +I'll be hungrier when I get to end of track. +Maybe it will go down easy. +Easy or not, it goes down right now. +I can't pay for it. +Then you can help me sell lunches at the station. +Any more arguments? +Come in. +- You want to see me, Ben? +- I certainly do. +Hello, Grant. +Sit down. +All right, Jeff. +Renner, go to Pete's and get one breakfast and a jug of coffee. +- You haven't eaten yet? +- I've eaten. +Just get coffee. +Hot. +- How's everything been going? +- I make a living. +- Playing an accordion? +- That's right. +Want me to play a tune for you? +There's other jobs besides railroading. +Well, Colorado may be big in miles. +It's kinda short on people. +So when a man gets fired the way I was fired the story gets around. +Well, I'm... +I'm sorry. +- No, I like to make music. +- And it keeps you near the railroad. +If someone needs information about a payroll, you can sell it. +You know it's a funny thing. +I don't like you either. +- Is that why you sent for me? +- No. +And keep out of this. +Have it your way. +But I don't trust him now any more than I did when I sent him after the Utica Kid. +I sent you after a thief and you gave him a horse to get away on. +- I told you to keep shut. +- Let him talk. +I'm not wearing a gun. +I'll be honest with you. +He'd talk the same if I was. +- It's been nice seeing you. +- Grant. +I'm sure Jeff didn't mean to be rude. +Sometimes he has a blunt way of putting things. +Unfortunately, Ben isn't much better. +It's not unfortunate. +It just gets things said in a hurry. +Too much of a hurry. +They forgot to ask you if you'd work for the railroad again. +Would you? +Yes, I would. +Not to give you a short answer. +- It's the answer I wanted. +- Sit down, Grant. +Do you remember Whitey Harbin? +Used to work down in Arizona and New Mexico. +- Yeah. +- Well, he's moved into Colorado. +I thought he favoured stage lines and banks. +So did we. +But he's learned about railroad payrolls +- and he's grabbed three in a row. +- Where do I fit in? +They're making up a supply train in the yard. +I want you to ride it. +- With $10,000 in your pocket. +- Why me? +Quite frankly, because no one would suspect you of carrying a payroll. +I sure don't look like $10,000, do I? +Are you building a bridge you don't need? +The money's here. +Why not bring the men in on Saturday and pay them off in town? +And lose half the crew? +Turn them loose in a mining town, they'll go up the hills looking for gold. +It won't work. +And we have to finish this section before snow comes. +That's a pretty big gamble on a man who gave his horse to a thief! +Yes. +You might as well know the deck's stacked against you. +A boxcar will be hooked to the train. +I'll be one of the men in it. +- When did this happen? +- Last week. +- Renner, did you know? +- Yes. +- Why didn't you tell me? +- I told him not to. +- Why? +- Everything we plan gets back to Whitey. +- You think I'd tell him? +- You might trust the wrong people. +- If he takes the job, I'm sure of it. +- And if I don't take it? +Then Jeff will be sitting in Ben's chair. +Oh, I wouldn't like that. +Uh-uh. +So I'll take the job on one condition. +If I make the delivery I get his job. +You made a deal. +Thank you. +Wait a minute. +It's getting cold up in the hills. +This coat has always been too long for me. +Thanks. +Well. +I thought you didn't like him. +He said that. +I said I didn't trust him. +And I still don't. +Grant. +Are you surprised Ben sent for you? +I was until I talked to him. +He seems to have changed. +You're right. +He doesn't belong in a private car with clerks, figures and pressure from the office. +He belongs at the end of track, running a gang and building a railroad. +- He's a working stiff like you. +- Yes, but he can dream a little too. +Colorado wouldn't have a railroad if he hadn't sold them on the idea. +For his sake, I wish he hadn't. +He was happy at end of track but they kicked him upstairs and sent us to Chicago. +- And now he needs a little help. +- That's why he sent for you. +Oh, I may have had something to do with it. +Why? +There was a time when you were interested in me. +I was more than interested in you. +I wanted to marry you. +Times when I'm sorry you didn't. +Aren't you? +No. +A man likes to know his woman will back him when he's down and you didn't. +Ben called me a thief and you went right along with him. +It's as simple as that. +Grant. +For old times' sake. +For old times' sake? +Just that and nothing more? +Perhaps just a little more. +We want to be sure that payroll goes through, don't we? +I don't know. +Maybe Jeff is right. +His type seldom changes. +And if we've made a mistake, it's the finish of everything. +Then why not cut this car into the supply train? +If we're all playing showdown, I'd like to see the cards when they fall. +- Thank you. +I hope you have a nice trip. +- Thank you. +- Ma'am, is that all? +- Mm-hm. +- Here's your lunch. +You've earned it. +- Thanks. +- Mister, are you going to end of track? +- Yes. +Could you stake me to a ticket? +I can ride half fare if I'm with an adult. +- And you're an adult. +- Well, sometimes I wonder. +All right. +You can come along. +We'll ride with the other fellas with no money. +- On the flatcar? +- Go on. +Climb aboard. +Plenty of fresh air. +Do you good, make you grow. +Are you sure he didn't come while I was away? +Ain't nobody been here but the man riding the sorrel. +- What colour horse your man riding? +- How should I know? +It's extremely important that I see him. +They've cut in Mr Kimball's car. +Barley! +A man told you to put his horse up... +Don't start that too. +That there sorrel is the only horse what come in. +That there sorrel is the horse I want. +He belongs to my friend Grant McLaine. +McLaine? +That's who it is. +I knew him as a troubleshooter in Santa Fe before he went bad. +- He didn't go bad. +- What'll you do with his horse? +- Ride him! +I'll change, you saddle him. +- All right. +Hey, Pilgrim! +Come here! +Don't go getting your liver all upset. +- Once you miss 'em, they stay missed. +- It's none of your business. +- Could be. +You wanting to get on that car? +- If I am? +- I can take you to where it's going. +- On one of these? +They'll get you to end of track before the train does. +- That's ridiculous. +- $100 aging yours I'm right. +- You've got a bet. +- And you got stuck. +Here. +I'll let you ride Flap Ears. +- You can smoke inside, mister. +- I can smoke where I want. +You can burn too if it pleases you but it'll still cost you four bits. +- For what? +- Travelling first-class. +Otherwise ride the flats. +- You play that? +- Yeah, I play it. +- When? +- When? +Whenever somebody throws a dime in my hat. +- I ain't got a dime. +- This one's on me. +- Been up here before? +- Part way. +- What takes you to end of track? +- A job. +Figured I'd get one at Junction City. +They told me the foremen do the hiring. +You're a little small for swinging a sledge. +- I can carry water. +- Yeah, you can carry water. +- Very important job. +- Hey! +- What are you doing here? +- He's with me, Pick. +- Where did you get him? +- Somebody threw him away. +Don't you throw him away. +He'll get lost in the mountains. +Who tells the men who build railroads how to get through the mountains? +- The river. +- Huh? +They just follow the river. +- Who told you that? +- I guess my dad was the first. +He had a little song about it. +# Follow the river +# The river knows the way +# Hearts can go astray +# It happens every day +# Follow the river +# Wherever you may be +# Follow the river back to me # +Wouldn't you wanna be knowing about Concho? +- Who's Concho? +- The man you roped. +Do you wanna know? +Not unless you wanna tell me. +I ought to tell you. +He's fast with a gun. +Only know two men who are faster. +Which two men would they be? +Whitey Harbin for one. +I run away from Whitey. +That's why Concho was after me. +You're one of Whitey's men? +No. +I was in Montrose. +Whitey and his bunch were robbing a bank. +I was just in the road watching. +Whitey was all for killing me but the other fellow wouldn't let him. +He swung me up into the saddle and said, +"You ain't killing a kid. +Not while I ride with you." +- Whitey, he backed down. +- Cos the fella's faster with a gun? +Like lightning. +This other fella, does he have a name? +He's got a name. +The Utica Kid. +I'd have stayed with the bunch if he was boss. +- But he's not? +- Not yet. +Always he's shoving pins into Whitey, laughing at him, driving him crazy. +Even crazier than he is! +Someday Whitey will crack and he'll lose. +Is this the fresh air you were talking about? +How come them fellas can ride inside? +Well, it's the old story of good and evil. +If you spend all your money on whiskey, you have none left for a ticket. +Don't drink. +Then you'd have six bits when you need it. +That's very true. +Tell you what, maybe I have six bits. +Yeah. +What do you say we go in and spend it? +Come on. +Guess I wasn't tough enough to follow the river that way. +Sometimes it isn't easy travelling upstream. +- That will be a dollar. +- That'll be six bits. +I'm the adult. +Here. +Hold on to that. +- Don't worry about Concho. +- You would if... +Oh, no, come on. +Sit down. +We can both worry together if you want to tell me about it. +- It's nothing. +- And if it was, you'd rather not say. +All right. +I broke with Whitey. +Doesn't mean I have to talk. +No, you don't have to talk. +I even broke with the Utica Kid. +- Hi, Utica. +- Put him away, Howdy. +Sure. +Come on. +It's a pretty good rig. +Too good for the guy that owned it. +Remember that draw you taught me? +It worked. +He went down with his gun in the leather. +- And now you're an "in case" man. +- In case? +Yeah. +In case you miss six times with one, you draw the other. +- If you have time. +- I'll have time. +Call it. +Draw! +You better learn to draw that one before you fool around with the other. +About three inches high, Whitey. +You better take another look at that skull. +Next time it could be yours. +Don't soft-foot up behind me! +It makes me nervous! +So I notice. +What else did you notice? +Did you see Concho? +- Did you see him? +- He wasn't on the trail. +Did I ask you where he wasn't? +I asked you did you see him? +- I would've said so. +- Not straight out you wouldn't. +Because you're a funny man. +You've always gotta be laughing inside. +Well, go ahead, laugh. +But get this, Kid. +I'm a better gun than you. +Or would you like to try? +It's an interesting thought, but I'm afraid of you, Whitey. +You ain't afraid of me. +And in your feet, where your brains are, you think maybe you're just a bit faster. +And you know something? +It could be. +Before you break up completely, you mind putting a name on this? +It's just a little old wedge. +But when you put it through the latch of a boxcar, you can't open the door from the inside. +Now, you ask me, who would want to open the door of a boxcar from the inside? +- Jeff Kurth and a dozen gunmen. +- How would you know? +I was sleeping up there when Concho told you. +You better learn how to snore! +You wouldn't know how to shoot a man in the back. +I'll learn. +What'll it be, gents? +We got Old Grandpa, Old Grandma, Old Uncle Tom. +- And Old Empty. +- You ain't funny, Latigo. +Who could be funny, sweating it out in here? +Get away, boy. +You're too young for whiskey even if we had plenty. +Don't get fancy. +You ain't talking to Joey. +Speaking of Joey, you didn't happen to spot him along the trail, did you? +I'll take a shot of that Old Flannelmouth. +- Did you see him? +- No. +Did he leave any sign? +A little. +He was headed toward Junction City. +But you didn't follow him? +Joey always was a nuisance. +I was for dropping him in the river. +- Why didn't you? +- And get my brains shot out? +You've got to find a better reason to kill me. +Suppose Concho didn't catch up with Joey in town and suppose the kid talked? +- He won't talk. +- Maybe not, but Concho ain't back. +Unless he gets back, we won't know where they're carrying the money. +That's right. +Maybe it'd be smart to let this one go through. +Why? +We've grabbed three in a row. +Let's give them a breather. +That makes sense. +I go along with Utica. +You and me both. +We ought to let this one go through. +It ain't going through! +Why not? +You're the one who taught me about payrolls and now I like them. +- So do I. +- I'll buy that. +A man can get saddle-sore looking for a bank to take. +- I'm with Whitey. +- Me too. +What about you, Torgenson? +I got no complaints. +You call it, I'll play it. +Looks like you've been outvoted. +Or do you want a recount? +- Right now, I'd rather have a drink. +- Suit yourself. +If I can't buy a fight, I'll buy a drink. +Fill 'em up. +Sorry, the bar is closed. +On account of we're fresh out of whiskey. +Either get this floor fixed or get a new bartender. +When do we make the hit? +Any time you're ready. +She was halfway up the grade when I left. +Why didn't you tell me? +Why didn't you ask me? +Funny man! +Mount up! +Settle down. +It's only another job. +But if you was boss, we wouldn't do it. +If I was boss we wouldn't do it. +You ain't boss! +# So I bought myself a shovel and I bought myself a pick +# And I laid a little track along the bullfrog crick +# Then I built a locomotive out of 20 empty cans +# And I tooted on the whistle and the darned thing ran +# Oh, you can't get far without a railroad +# You can't get far without a railroad +# Something's gotta take you there and gotta bring you back +# You can't go any distance in a buggy or a hack # +Throw some ropes around them timbers. +We'll pull it down. +Torgenson! +- OK, John. +- Hurry it up, Jubilee! +- Boy, they're pushing her fast today. +- Yeah! +Maybe they heard I needed a quick ten thousand. +- That water tower your idea? +- What's wrong with it? +Any self-respecting Injun could walk away with it. +Funny man! +He knows everything about everything. +Let's get down and lock the barn door. +We've stopped! +Whitey's making his hit! +- McLaine sold us out! +- No, Ben. +They didn't learn it from Grant. +Leary! +- A hold-up! +- They did it again! +Stop your moaning and hold on to your hat! +They won't stop old Tommy Shannon with a tank full of water. +That's no way to treat railroad property, Mr Shannon. +Take your hand off the throttle and reach for the brake! +All right. +Sit down and behave! +Come over here. +Open the safe! +- Ha! +- Move in! +Same as last time! +- We thought you were lost or drunk. +- There ain't nothing in there. +Jubilee! +How are you making out? +Try to talk your way out of this! +- I'm sorry I missed out with Renner. +- Never mind. +Where's the money? +- It's not in the safe. +- Then where is it? +It could be going to Junction City with Jeff's men. +That's not true. +Renner told us Jeff wouldn't carry the payroll! +That's a help. +Least we know who didn't carry it. +Funny man! +When you get through laughing, see what's in that red car. +Sure. +Glad to. +As soon as I pick up my horse. +He's worth more than anything I'm gonna find on this train. +Get those pilgrims out. +Maybe one of them is carrying it. +Hit the other cars! +See if you can find it. +Outside! +All of you! +Is this what you wanted to tell me? +Have a look inside, Latigo! +If that's McLaine... +No, Ben. +Put it away. +You may as well be comfortable. +- Be my guest. +- Gladly. +Do you mind if I ask the name of my host? +No, I don't mind. +Would the payroll be in there? +No. +Why not take a look, just to be sure? +Boy, is this stuff mellow. +Bottled in bond too. +- I forgot. +Ladies is always first. +- Thank you, no. +See for yourself. +Hello, Joey. +What are you doing here? +Getting robbed! +Don't bother. +None of them's got more than two dollars. +Whitey! +There ain't no payroll in there. +How come you missed out? +- I had a little trouble. +- Now, ain't that too bad? +- Maybe I ought to give you a little more. +- Whitey! +Kimball's back there with his wife. +You just got lucky! +Put them back in the car! +Get aboard! +Go on. +Good little boys don't run away. +This time you'll learn! +- Where's the payroll? +- The man says he doesn't know. +I can help him remember. +Take her outside. +Take her outside yourself. +I'm afraid of women. +They scream and scratch, and sometimes step on your toes. +Don't say no to me. +Not when I got a gun in my hand. +I won't. +Unless I'm holding one too. +- Outside. +- If you want the payroll... +You'll have to wait for the next work train. +We decided not to send it through on this one. +Oh? +I don't mind waiting. +I'll be at Pay Load. +You can bring it to me. +Then I'll take 12 hours' start, you get your wife back. +See what happens when you don't carry your brains in your feet? +I ought to make you walk. +Jubilee, lead them out. +Step up with Latigo. +What about Joey? +You gonna leave him here? +He'll ride with me. +Or would you like to? +Settle down. +We're getting $10,000 for the lady, remember? +Which one do I ride with? +Which one do you think? +Take her to the end of track, Mr Shannon! +Here's a stirrup. +Give you a lift? +I'll take that box. +Don't crowd the cantle. +You'll ride easier. +Whoa, mules! +Must have got tired of making the climb and started home. +- Come on, boy! +- Just a minute. +There's a mining town near here. +It used to be called Pay Load. +It's still called Pay Load but nobody lives there. +- It's over beyond that far hill. +- Which hill? +- You see the first hill? +- Yes. +See the second one? +There's a third hill. +Pay Load's behind that. +- How much do you want for this mule? +- $50. +Flap Ears, when you unload this piker, you come on home to mother. +- Get outta there! +- Gah! +Welshing on a bet! +Never could understand them railroad people. +Come on! +Come on! +- Mr Kimball. +- Come over to the telegraph shack. +- Before you pass. +Did you bring the payroll? +- Not now! +- Did you bring it? +- I didn't. +- Now what? +- The end of the railroad. +- Shut up, Feeney. +- Let go of me or I'll push this down your throat! +Who wants your man? +I don't want none of 'em! +They're all broke! +- See you in Denver. +- I'm off to Denver too. +- So am I! +- Nobody goes without orders from Kimball! +- I'm leaving. +- You are not. +You'll take no joyride in this town with them painted hussies. +We've waited this long. +Another night won't hurt us. +But if the money's not here in the morning, out we go! +Get back to work! +We're beat, Mr Kimball. +Without the pay, the gang will go to Junction City. +- I know. +- Any word from Jeff? +He's in Junction City. +Says the car held to the grade all the way. +He and his men will be after Whitey in... +They will not! +Tell him to stay right where he is until further orders. +Yes, sir. +Wonder if he thinks that's private property. +If he tries to divide that like he cuts up the loot, there's gonna be shooting. +- Your laundry? +- Sandwiches. +Do you want one? +No. +Where did you get them? +Junction City. +A girl in a restaurant gave them to me. +- Was she pretty? +- Mm-hm. +- Think you could get me a date? +- She's not that kind of a girl. +Any of you boys win enough to buy a drink? +- You ain't got a drink. +- I got a drink. +- I thought you was fresh out. +- I was till we made the hit. +While you looked for the payroll that wasn't there, I had important business. +Come on, fill her up. +Latigo ought to be running this bunch. +We might not eat, but we'd sure drink. +Ha ha! +You're a funny man. +Why don't you laugh? +- Am I supposed to? +- Not if you're smart. +- I think you're smart. +- And what else do you think? +That you made a mistake. +She'll only bring you trouble and guns. +Since when is $10,000 trouble? +That's exactly what you're worth. +You're very flattering. +But I'm inclined to agree with you. +Don't make a habit of it. +Latigo, I want a drink! +And you've got a few habits I don't like either. +Settle down. +Do you see what she's up to? +I can see you. +And what I see I don't like too good. +- I guess you could use one. +- Thank you, no. +- It's the best. +I got it off your own bar. +- You drink it. +Sorry, lady, I don't drink. +I'm studying to be a bartender. +- Don't you drink? +- Not alone. +Suppose I join you? +- Do you mind? +- And if I do? +Don't push it. +For a little while you're gonna need me and I'm gonna need you. +I watched you walk. +I could swear we've met before. +Could you? +Funny little things you do. +Like when you smile. +Strange. +I seem to recognise all your mannerisms, if you know what that means. +- I know what that means. +- Do you? +I'm supposed to fight Whitey over you. +With a little luck we'd kill each other. +- It's an interesting thought. +- What's interesting? +- She is. +- You're so right. +I may not send you back. +Not until you've helped me spend the ten thousand. +- You mind if we join the party? +- Yes! +You shouldn't, cos if you guess wrong you ain't gonna hang alone. +You like another drink? +- Thanks, I still have this one. +- Drink them both. +Anybody want to start the dance? +With only one girl? +Get back to the bar where you belong. +Let's all get back to the bar, where we belong. +- You almost got your wish. +- One of them. +- The other? +- To know your name. +His name? +He's the Utica Kid. +I don't like it either. +My family used to call me Lee. +Why don't you? +You're supposed to be outside. +Come out with your hands up. +- What are you doing here? +- I want to see the Utica Kid. +- Who are you? +- A friend of his. +Funny thing, he never told me about no girlfriend. +Is there any reason why he should? +- What's your name? +- Charlie Drew. +And you can put that gun away. +Or do I look dangerous? +Not exactly. +Give me that rope. +- When'd you get here? +- Just before they rode in. +Utica pulled the job off right on schedule. +I suppose you've known it was going to happen for quite some time. +No, I haven't. +Utica doesn't talk to me about jobs. +Not this kind. +- Did he ever have any other kind? +- He will have. +Soon. +Then why don't you hold out? +Why don't you keep away till he stops being a thief? +I told him that's what I'd do. +He just looked at me and smiled. +He said, "I wonder if you can." +Tonight he has his answer. +You're here. +Yes, but only to tell him that you're... +Only to tell him I'm in town and might come looking for him. +I want to keep him alive. +I want to keep you alive. +- You know what he can do with a gun. +- I know. +- Well, then, why? +- Because of a little thing called self-respect. +Maybe you wouldn't understand anything about that. +For five years I've played that thing for nickels and dimes thrown into a hat. +For five years the Utica Kid has been laughing. +I may have been wrong, Charlie, but I'm not gonna make the same mistake twice. +Grant... +When you see him will you tell him that I'm here? +Leave it alone! +So all she'll bring is trouble and guns, huh? +Did you bring the money with you? +No. +- How soon do we get it? +- I wouldn't know about that. +You should! +$10,000 is a lot of money. +And that's what he wants for me. +Well, I'd say he was selling out cheap. +Never mind what you'd say. +What did Kimball say? +If you don't know about the money, why did he send you? +He didn't send me. +I came on my own. +Why? +- Ask him. +- Well? +I wouldn't know. +Then again, maybe I would. +You were right the first time. +I can walk quiet at night and I'm a pretty good gun. +I'd like to join up with you. +You see, when a man gets fired off the railroad, he has a little trouble finding a job. +And when he can't find a job, he gets hungry. +I've been hungry for the last five years. +Haven't I? +- How would he know? +- I'm his brother. +- His brother? +- His younger brother. +Five years ago he was a troubleshooter for Kimball. +I lifted the feed herd and he came after me. +Then gave you a horse to get away. +But not until I'd heard all about good and evil. +I didn't buy what he had to sell then. +I'm not buying it now. +- So you don't want him in, huh? +- No. +Funny thing. +I want him in. +- Any objections? +- It ain't that simple, Whitey. +There's a personal deal between me and him. +- About what? +- He got in my way. +That's right. +Oh, yeah, I remember you. +You're the man that fights kids. +Which way do you want it? +Get up, come on, get up! +Now one of you give him his gun. +All right, Harbin, you're the boss around here. +You call it. +I might just do that. +Well, I ain't gonna take him alone. +Then maybe you'd better move along. +Any further objections? +- Yeah. +- Now ain't that wonderful? +- I'd be happy to call it. +- You may get the chance. +You mind if the Utica Kid and me have a little talk? +Not at all. +Call me when you're ready. +I think you ought to know I'm working for the railroad again. +I figured as much. +- Troubleshooter? +- Tonight I was carrying the payroll. +- Where did you hide it? +- I gave it to the boy. +It's in that shoe box. +Now all you have to do is go in and tell Whitey. +You're gambling I won't? +- Same old story of good and evil. +- Same old story. +You lose, Grant. +Yeah, I kind of figured that when you laughed. +I'll give you the same break you gave me. +Ten-minute start, then I tell Whitey I sent you away. +I go, that money goes with me. +So does Kimball's wife. +- No. +- Wait a minute, Lee. +Hear me out on this. +If I leave here, that boy goes with me too. +Joey? +Why do you want him? +Maybe for the good of his soul. +It's been a long time since you heard that word, hasn't it? +Mother and Dad used to bring it up once in a while when we were kids. +You were just about Joey's age. +He thinks a lot of you, doesn't he? +- He wants to grow up to be just like you. +- He may make it, with practice. +Soon he'll be holding the horses while you and Whitey hit a bank. +There's another kid lying in the barn. +He got the start that way too, huh? +- You didn't kill Howdy? +- I didn't hurt him. +- And you're not going to hurt Joey. +- How could I do that? +It's not hard. +It's not hard. +Not when he takes your road. +Or haven't you stopped to look at it? +Why bother? +I picked it, I'll ride it. +Lee, I'm asking you again. +Give Joey a chance. +No. +You've got ten minutes. +I won't need them. +Charlie's in there waiting for you. +Think about her. +She's been following you for five years too. +She's got a reason. +Or didn't I tell you I'm gonna marry her? +How much of that did you hear? +Just what I wanted to hear. +That you're gonna marry me. +When? +We're gonna have a lot of money, Charlie. +$10,000. +You can have pretty new dresses and pretty new shoes. +And a brand-new husband. +- Tomorrow. +- No. +Right now! +If you want me, take me away right now. +Please, please take me. +Why the sudden hurry? +Has my big brother been telling you the story of good and evil? +Don't laugh at him. +Why not? +Why mustn't I laugh at him? +Maybe it would be better if... if you tried to be a little more like him. +Now isn't that just great? +Now I get it from you! +Ever since I was a kid that's all I can remember. +"Why don't you be more like your brother? +Why can't you be more like Grant?" +I don't want to be like him. +I don't want any part of him. +- That's not true. +- Yeah, it's true! +You don't know what it's like to be the kid brother. +Everything you do is wrong. +Everything you try. +Until one day I tried a gun. +Fit my hand real good. +And I wasn't the kid brother any more. +It's a good gun. +It's gonna get us everything we always wanted. +But I don't want it. +Not that way. +Why must you steal? +Because I like to steal. +I like to see what people will do when I take it away from them. +What happens when something is taken away from you? +Nobody's gonna take anything away from me. +Charlie, I'm asking you to marry me. +No. +Grant was right. +You'll never change. +And he calls me a thief? +Joey. +Go on. +Play some more. +It's been a long time since I heard an accordion. +Any tune in particular? +Or would this do? +# Oh, you can't get far without a railroad +# You can't get far without a railroad +# You gotta have an engine and you gotta have a track +# Oh, you can't get far without a railroad +# There are tracks across the prairie +# Where the buzzard builds his nest +# There are tracks across the Rockies +# To the Golden West # +How does it go from there? +How does it go from there, Lee? +Everybody will be neighbours +In this little dream of mine +Take you clear across the country +On the Bullfrog Line +# Oh, you can't get far without a railroad +- # You can't get far without a railroad # +- Gentlemen! +- Renner! +- Didn't you know he was working for me? +- I've come for my thousand dollars. +- What thousand dollars? +Your memory is quite short. +I supplied you with information about a certain boxcar. +I was prepared to supply you with information about the payroll. +- Concho did not keep the appointment. +- So? +So ten per cent of the payroll is mine. +Sorry to disappoint you but we missed the payroll. +Missed the payroll? +In that case I'm prepared to make a better deal. +For $2,000, I can tell you where the money is. +You made a deal. +Ben Kimball hired a man to carry it. +I might never have located this place if I hadn't heard that man's accordion. +He has the money. +Ask him! +Joey! +Come here, Joey! +Grant! +McLaine, there's a woman with you! +- That's right. +- Send her out before we come get you. +Here, hurry! +Come on, Charlie. +He's in the clear. +He's riding away. +Yeah, he's riding. +After me. +- What are we stopping for? +- We're going to the mill, the short way. +Get down to the mill! +Come on! +Take cover! +Here. +There's a mine shaft at the end of these cables. +It runs clear through the mountains. +On the other side, about half a mile, is the railroad! +It's two hours to the end of track. +I have to send you out one at a time. +Come on, Verna. +- Tell Ben he'll get his payroll somehow. +- I'll tell him more than that. +You'll get that money even if you had to kill your own brother? +The next ore bucket that comes down, pull it around and jump in. +I'll cover for you. +It's clear, Charlie. +Get out! +See if you can reach him from over there. +He can't stand them off, not alone. +You figuring to help? +Grant! +Look out! +He's real good. +Only one better gun in Colorado. +Charlie! +Get over here! +- I thought I told you to get out. +- I'm staying right here. +All right. +Now you get back inside and I'll cover for you. +Thanks, Charlie. +Lee, not the kid! +You take care of the kid. +I'll see if I can keep them pinned down. +Would you mind if I play big brother just this one time? +- Shoots high. +- You or the gun? +- Joey all right? +- He's all right. +That makes you a winner. +Go ahead and make a sucker out of the kid. +Tell him all about good and evil. +Put him to work on the railroad. +Things get tough, he can always play the accordion for nickels and dimes. +Sounds like old times, Lee. +Welcome home. +Don't give me that big brother grin. +- Up there! +- Get him! +I count mine. +There's one left. +He hit you hard, Lee. +Not half as hard as you did with that Bullfrog Line. +That was Dad's favourite tune and you know it. +I know it. +You and your stinking accordion! +Charlie. +Charlie? +You and Joey get the horses. +What...? +I'll take care of my brother. +Here's your money. +Pay 'em off, Tim. +Thank you, Grant. +Looks like you won yourself a job. +Mine. +No, it won't fit. +Not nearly as well as your coat. +Want your old job back? +Thanks. +All right, Joey. +Get a bucket and start carrying water. +We're at end of track. +Now go on. +# Sometimes I feel like I could jump over the moon +# And tell the sky above +# Does it matter how full the moon +# When you've an empty heart +# Follow the river +# Wherever you may be +# Follow the river back to me +# Follow the river +# The river knows the way +# Come to me, I pray +# I miss you more each day +# Follow the river +# Wherever you may be +# Follow the river back to me +# Sometimes I feel like I could jump over the moon +# And tell the sky above +# Does it matter how full the moon +# When you've an empty heart +# Bring back the great love +# The love that once we knew +# Make my dreams come true +# The dream I had with you +# Follow the river +# Wherever you may be +# Follow the river back to me +# Follow the river +# Wherever you may be +# Follow the river back to me # +(Man) I'd better get back to work. +Don't lose all your matches. +- Hello, Mac. +- Hi, Click. +Howdy, folks. +- Hi. +- Hello. +Welcome home, man. +Come sit down and give us a tune. +- We'll pay you with promises. +- A man can't eat promises. +He can't lose them at cards either. +McLaine! +- No, indeed he can't. +- Where have you been and why? +They were laying track in Wyoming. +Needed a troubleshooter. +- Didn't need me. +- That's too bad. +You can pick up a few nickels and dimes playing your accordion. +That's right, Tim. +What's this? +Playing cards with matches? +When's payday? +Tomorrow, if they get the money past Whitey Harbin. +Which they won't. +He's tapped that pay train three times up. +They'll get it past him or get no more steel before snow. +- O'Brien, shut your mouth! +- My sentiments exactly. +Day shift and night shift, night shift and day shift. +No money in a month. +My patience is ended. +So is their railroad. +Am I right? +- You are right! +- McLaine. +Please play me a peaceful tune or I'll have a revolution on my hands. +I see what you mean. +Are they giving you trouble? +Lucky you're not with the railroad. +Tis a weary man you'd be today if you were troubleshooting for us. +Could be you're right, Tim. +(# Folk tune) +Come on, pretty lady. +Give us a dance! +I dare you, Mr Feeney. +Where's the wife? +Come on! +Big Ed, are you through to Junction City? +This is for Kimball. +As per your instructions, this is to advise you that Grant McLaine is here at end of track. +You don't need that last. +Just say he's here. +Get away from him! +Get away from him! +Dancing, is it? +Let me... +Get back into your tent where you belong, you painted women. +You and your railroad. +Bringing the likes of this among decent folk. +For two cents I'd take me old man back to Junction City and be through with you. +If you had two cents! +They're at it again. +You can't mix wives and women, even to build a railroad. +Stop this shilly-shally music and give me a jig I can dance to. +Give us a jig, I said. +You watch your feet. +They're heavy. +And so is my fist. +Do I get a jig or do you lose your teeth? +Not now, Mac, not now. +He's not bad. +He's just a fool. +Consider yourself lucky. +Five years ago you'd have got a bullet between the eyes. +I've seen him kill men that could eat you without salt. +Play what you please. +(# Lively jig) +- You asked for a jig, now dance to it! +- Here I go, Feeney! +Hee-hee! +Up Garryowen! +# I was farming in Missouri I was getting tired of that +# So I bought myself a satchel and a stovepipe hat +# And I headed for the station gonna travel all about +# But there wasn't any station and I soon found out +# That you can't get far without a railroad +# You can't get far without a railroad +# Something's gotta take you there and gotta bring you back +# Oh, you can't go any distance in a buggy or a hack +# You can't get far without a railroad +# You can't get far without a railroad +# You gotta have an engine and you gotta have a track +# Oh, you can't get far without a railroad # +I haven't heard that one. +Where does it come from? +Dad used to play it when it got too rough around the house. +Pretty soon us kids would stop fighting and start dancing. +The man makes fine music. +Are we gonna let them use it all up? +Go on with you! +Clarence Feeney, stop looking at them painted hussies and give your wife a dance. +- Go away, woman, I'm tired. +- Tired, is it? +This is my day for dancing or fighting. +Which will you have? +Darling. +Nice work. +I'll give you five dollars tomorrow. +If Whitey lets the pay train through. +Three times is enough. +He won't hit it again. +Oh, don't bet on it. +He's a strange man, this Whitey Harbin. +He's got the big boss plenty worried. +Speaking of Kimball, he wants to see you. +- How would he know where I am? +- I told him. +Here. +You read it. +I'm afraid if I stop the music, Mrs Feeney'll hit me with something. +"Report to me at once in Junction City. +Urgent. +Ben Kimball." +- Maybe he'll give you... +- Another chance? +No. +That's not his way. +- But you will see him? +- Not till they've finished their dance. +- You old hag, I'll... +- Painted hussy! +(Groaning) +Let go of me! +Let go! +Let her go, I said! +(Woman screams) +(Groaning) +(Stops playing) +(Shouting) +(Screaming) +- Hold this. +- Right. +And this is the tune your father used to play to keep peace in the house? +I must have squeezed out a few wrong notes. +Yeah. +- Thanks, Tim. +- Goodbye, Mac. +(Woman screeches) +- Too late for coffee, mister? +- (Woman) Howdy. +I think there's a few warm dregs left. +- Oh. +Howdy, ma'am. +- Step down. +Much obliged. +- They keeping you busy? +- Yep. +Packing out the ore and packing in the vittles. +Them miners can eat more beans than they raise in all of Boston. +- Now they want me to bring in a mill. +- All at once? +No, just a few pieces at a time. +They got tired of waiting for the railroad to reach them. +Between you and me, I don't think it will before snow. +You're hoping it won't? +- First I was. +- Uh-huh. +Figured it'd put me out of business. +It won't. +- It won't? +- No. +It's a funny thing about gold. +There's always some jackass will find it where the railroad ain't. +Then he'll send for me and a few more jackasses to bring in his grub and pack out his ore! +Them crazy miners! +Look at the waste of that good machinery. +Two miles of cable and buckets to go with it. +Last week they up and left the whole thing! +Did the vein pinch out or did they hit low grade? +They didn't hit nothing but blue sky. +Uh-huh. +- This was mighty fine coffee, Mrs... +- Miss Vittles. +Miss Vittles. +I sure appreciate it. +- I got a long ride ahead of me. +- You heading for Junction City too? +Yes, ma'am. +But I'm kind of in a hurry. +I ain't looking for company. +Ten jackasses in a bunch is enough. +- I can save you a trip round the mountain. +- How's that? +Like I told you, the boys hit a good vein, followed it through the mountain. +Last week they busted out on the far side and there wasn't nothing there but blue sky. +Makes a mighty fine short cut into town. +- It sure does. +- Still think I'm crazy? +- I think you're real pretty. +- Ah! +- You going to spend time in these hills? +- Yes, ma'am. +When snow comes you're gonna need a woman. +Or a warm coat, else you'll freeze your knees. +Well, I can't rightly afford a warm coat. +So long, Miss Vittles. +People wonder what a calf feels when he gets roped. +Now you can tell 'em. +What for are you mixing in? +Maybe I don't like to see kids get hurt. +Break any bones, son? +He's got a knife behind his collar! +- There's a stirrup. +You want a lift? +- No. +- Why not? +- I'm beholden to you, mister. +Couldn't we just leave it that way? +- Morning. +- Morning. +- Put him up? +- For how long? +- I wouldn't know. +- It'll be two bits for oats. +- Ain't I seen you before? +- Depends on where you've been. +- I follow the railroad, mostly. +- Could be you've seen me. +- It'll be four bits if he stays the night. +- Fair enough. +Morning. +Did a man ride in today - tall, sort of heavyset? +- You mean him, Mr Renner? +- Not him. +This one had a scar. +Along his cheek? +No, sir. +I don't see no man with a scar. +I guess maybe I can have some apple pie and coffee. +I guess you could have eggs with bacon if you wanted eggs with bacon. +- Hello, Charlie. +- Hello, Grant. +It's good to see you, Charlie. +It's awful good to see you. +It's good to see you too. +- I'll get the eggs. +- No, get the pie. +I can pay for the pie. +You're a very stubborn man. +Apple pie is not for breakfast. +It is if you like apple pie. +Now I need a fork. +- Working here long? +- About three weeks. +How's the Utica Kid? +He was well... when I saw him last. +When was that? +- Good morning. +- Morning. +Well, business is early and Pete is late. +The lunches. +Are they fixed? +Why do I ask? +The lunches are always fixed. +Why? +Because you fix them. +Charlie, I'll make you an omelette like only Pete can make an omelette. +Very bad. +Come on around, sit down, have a cup of coffee. +Pete had that place in Santa Fe, remember? +Are you running a shoe store on the side? +Those are box lunches for the work train. +Money, money, money. +Pete knows how to make it. +He follows the railroad. +I guess a lot of people follow the railroad. +You and Pete. +The Utica Kid. +I asked when you saw him last. +They've lost three payrolls. +Now when did you see him last? +- Charlie, where did I put my apron? +- It's under here. +You must be nice fella. +If Charlie sits with you, you must be nice fella. +I make omelette for you too. +We were talking about the Utica Kid. +He can wait. +Ben Kimball's in town. +They put his car on the siding yesterday. +- I know. +- His wife is with him. +Is she? +I often wondered what Verna was like. +I saw her last night. +All fine silk and feathers. +She's soft and beautiful. +And I can understand now. +Can you? +How long are you gonna be in town? +- That depends on Ben Kimball. +- You working for the railroad again? +- If I am? +- That would be good. +Playing the accordion's not for you, not for a living. +You belong to the railroad and it belongs to you. +There were a lot of things that used to belong to me and somehow I lost them. +(Pete) Two omelettes a-comin' up. +- Do you like eggs? +- No. +That's too bad. +You got an omelette coming up. +Well, somebody's gotta eat them. +Come on. +That means you. +- Could you put it in a box? +- An omelette? +I'll be hungrier when I get to end of track. +Maybe it will go down easy. +Easy or not, it goes down right now. +I can't pay for it. +Then you can help me sell lunches at the station. +Any more arguments? +(Train rattling) +(Train whistle) +(Knocking) +Come in. +- You want to see me, Ben? +- I certainly do. +Hello, Grant. +Sit down. +All right, Jeff. +Renner, go to Pete's and get one breakfast and a jug of coffee. +- You haven't eaten yet? +- I've eaten. +Just get coffee. +Hot. +- How's everything been going? +- I make a living. +- Playing an accordion? +- That's right. +Want me to play a tune for you? +There's other jobs besides railroading. +Well, Colorado may be big in miles. +It's kinda short on people. +So when a man gets fired the way I was fired the story gets around. +Well, I'm... +I'm sorry. +- No, I like to make music. +- And it keeps you near the railroad. +If someone needs information about a payroll, you can sell it. +You know it's a funny thing. +I don't like you either. +- Is that why you sent for me? +- No. +And keep out of this. +Have it your way. +But I don't trust him now any more than I did when I sent him after the Utica Kid. +I sent you after a thief and you gave him a horse to get away on. +- I told you to keep shut. +- Let him talk. +I'm not wearing a gun. +I'll be honest with you. +He'd talk the same if I was. +- It's been nice seeing you. +- (Woman) Grant. +I'm sure Jeff didn't mean to be rude. +Sometimes he has a blunt way of putting things. +Unfortunately, Ben isn't much better. +It's not unfortunate. +It just gets things said in a hurry. +Too much of a hurry. +They forgot to ask you if you'd work for the railroad again. +Would you? +Yes, I would. +Not to give you a short answer. +- It's the answer I wanted. +- Sit down, Grant. +Do you remember Whitey Harbin? +Used to work down in Arizona and New Mexico. +- Yeah. +- Well, he's moved into Colorado. +I thought he favoured stage lines and banks. +So did we. +But he's learned about railroad payrolls +- and he's grabbed three in a row. +- Where do I fit in? +They're making up a supply train in the yard. +I want you to ride it. +- With $10,000 in your pocket. +- Why me? +Quite frankly, because no one would suspect you of carrying a payroll. +I sure don't look like $10,000, do I? +Are you building a bridge you don't need? +The money's here. +Why not bring the men in on Saturday and pay them off in town? +And lose half the crew? +Turn them loose in a mining town, they'll go up the hills looking for gold. +It won't work. +And we have to finish this section before snow comes. +That's a pretty big gamble on a man who gave his horse to a thief! +Yes. +You might as well know the deck's stacked against you. +A boxcar will be hooked to the train. +I'll be one of the men in it. +- When did this happen? +- Last week. +- Renner, did you know? +- Yes. +- Why didn't you tell me? +- I told him not to. +- Why? +- Everything we plan gets back to Whitey. +- You think I'd tell him? +- You might trust the wrong people. +- If he takes the job, I'm sure of it. +- And if I don't take it? +Then Jeff will be sitting in Ben's chair. +Oh, I wouldn't like that. +Uh-uh. +So I'll take the job on one condition. +If I make the delivery I get his job. +You made a deal. +Thank you. +Wait a minute. +It's getting cold up in the hills. +This coat has always been too long for me. +Thanks. +Well. +I thought you didn't like him. +He said that. +I said I didn't trust him. +And I still don't. +(Verna) Grant. +Are you surprised Ben sent for you? +I was until I talked to him. +He seems to have changed. +You're right. +He doesn't belong in a private car with clerks, figures and pressure from the office. +He belongs at the end of track, running a gang and building a railroad. +- He's a working stiff like you. +- Yes, but he can dream a little too. +Colorado wouldn't have a railroad if he hadn't sold them on the idea. +For his sake, I wish he hadn't. +He was happy at end of track but they kicked him upstairs and sent us to Chicago. +- And now he needs a little help. +- That's why he sent for you. +Oh, I may have had something to do with it. +Why? +There was a time when you were interested in me. +I was more than interested in you. +I wanted to marry you. +Times when I'm sorry you didn't. +Aren't you? +No. +A man likes to know his woman will back him when he's down and you didn't. +Ben called me a thief and you went right along with him. +It's as simple as that. +Grant. +For old times' sake. +For old times' sake? +Just that and nothing more? +Perhaps just a little more. +We want to be sure that payroll goes through, don't we? +I don't know. +Maybe Jeff is right. +His type seldom changes. +And if we've made a mistake, it's the finish of everything. +Then why not cut this car into the supply train? +If we're all playing showdown, I'd like to see the cards when they fall. +- Thank you. +I hope you have a nice trip. +- Thank you. +(Train whistle) +- Ma'am, is that all? +- Mm-hm. +- Here's your lunch. +You've earned it. +- Thanks. +- Mister, are you going to end of track? +- Yes. +Could you stake me to a ticket? +I can ride half fare if I'm with an adult. +- And you're an adult. +- Well, sometimes I wonder. +All right. +You can come along. +We'll ride with the other fellas with no money. +- On the flatcar? +- Go on. +Climb aboard. +Plenty of fresh air. +Do you good, make you grow. +(Clunking) +(Train whistle) +Are you sure he didn't come while I was away? +Ain't nobody been here but the man riding the sorrel. +- What colour horse your man riding? +- How should I know? +It's extremely important that I see him. +They've cut in Mr Kimball's car. +Barley! +A man told you to put his horse up... +Don't start that too. +That there sorrel is the only horse what come in. +That there sorrel is the horse I want. +He belongs to my friend Grant McLaine. +McLaine? +That's who it is. +I knew him as a troubleshooter in Santa Fe before he went bad. +- He didn't go bad. +- What'll you do with his horse? +- Ride him! +I'll change, you saddle him. +- All right. +(Train chugging) +(Train whistle) +Hey, Pilgrim! +Come here! +Don't go getting your liver all upset. +- Once you miss 'em, they stay missed. +- It's none of your business. +- Could be. +You wanting to get on that car? +- If I am? +- I can take you to where it's going. +- On one of these? +They'll get you to end of track before the train does. +- That's ridiculous. +- $100 aging yours I'm right. +- You've got a bet. +- And you got stuck. +Here. +I'll let you ride Flap Ears. +- You can smoke inside, mister. +- I can smoke where I want. +You can burn too if it pleases you but it'll still cost you four bits. +- For what? +- Travelling first-class. +Otherwise ride the flats. +(Discordant notes) +- You play that? +- Yeah, I play it. +- When? +- When? +Whenever somebody throws a dime in my hat. +- I ain't got a dime. +- This one's on me. +(# Folk tune) +- Been up here before? +- Part way. +- What takes you to end of track? +- A job. +Figured I'd get one at Junction City. +They told me the foremen do the hiring. +You're a little small for swinging a sledge. +- I can carry water. +- Yeah, you can carry water. +- Very important job. +- (Man) Hey! +- What are you doing here? +- He's with me, Pick. +- Where did you get him? +- Somebody threw him away. +Don't you throw him away. +He'll get lost in the mountains. +Who tells the men who build railroads how to get through the mountains? +- The river. +- Huh? +They just follow the river. +- Who told you that? +- I guess my dad was the first. +He had a little song about it. +# Follow the river +# The river knows the way +# Hearts can go astray +# It happens every day +# Follow the river +# Wherever you may be +# Follow the river back to me # +Wouldn't you wanna be knowing about Concho? +- Who's Concho? +- The man you roped. +Do you wanna know? +Not unless you wanna tell me. +I ought to tell you. +He's fast with a gun. +Only know two men who are faster. +Which two men would they be? +Whitey Harbin for one. +I run away from Whitey. +That's why Concho was after me. +You're one of Whitey's men? +No. +I was in Montrose. +Whitey and his bunch were robbing a bank. +I was just in the road watching. +Whitey was all for killing me but the other fellow wouldn't let him. +He swung me up into the saddle and said, +"You ain't killing a kid. +Not while I ride with you." +- Whitey, he backed down. +- Cos the fella's faster with a gun? +Like lightning. +This other fella, does he have a name? +He's got a name. +The Utica Kid. +I'd have stayed with the bunch if he was boss. +- But he's not? +- Not yet. +Always he's shoving pins into Whitey, laughing at him, driving him crazy. +Even crazier than he is! +Someday Whitey will crack and he'll lose. +(Train whistle) +Is this the fresh air you were talking about? +How come them fellas can ride inside? +Well, it's the old story of good and evil. +If you spend all your money on whiskey, you have none left for a ticket. +Don't drink. +Then you'd have six bits when you need it. +That's very true. +Tell you what, maybe I have six bits. +Yeah. +What do you say we go in and spend it? +Come on. +Guess I wasn't tough enough to follow the river that way. +Sometimes it isn't easy travelling upstream. +- That will be a dollar. +- That'll be six bits. +I'm the adult. +Here. +Hold on to that. +- Don't worry about Concho. +- You would if... +Oh, no, come on. +Sit down. +We can both worry together if you want to tell me about it. +- It's nothing. +- And if it was, you'd rather not say. +All right. +I broke with Whitey. +Doesn't mean I have to talk. +No, you don't have to talk. +I even broke with the Utica Kid. +- Hi, Utica. +- Put him away, Howdy. +Sure. +Come on. +It's a pretty good rig. +Too good for the guy that owned it. +Remember that draw you taught me? +It worked. +He went down with his gun in the leather. +- And now you're an "in case" man. +- In case? +Yeah. +In case you miss six times with one, you draw the other. +- If you have time. +- I'll have time. +Call it. +Draw! +You better learn to draw that one before you fool around with the other. +(Clanking) +(Horse whinnies) +About three inches high, Whitey. +You better take another look at that skull. +Next time it could be yours. +Don't soft-foot up behind me! +It makes me nervous! +So I notice. +What else did you notice? +Did you see Concho? +- Did you see him? +- He wasn't on the trail. +Did I ask you where he wasn't? +I asked you did you see him? +- I would've said so. +- Not straight out you wouldn't. +Because you're a funny man. +You've always gotta be laughing inside. +Well, go ahead, laugh. +But get this, Kid. +I'm a better gun than you. +Or would you like to try? +It's an interesting thought, but I'm afraid of you, Whitey. +(Laughs) You ain't afraid of me. +And in your feet, where your brains are, you think maybe you're just a bit faster. +And you know something? +(Laughs) It could be. +Before you break up completely, you mind putting a name on this? +It's just a little old wedge. +But when you put it through the latch of a boxcar, you can't open the door from the inside. +Now, you ask me, who would want to open the door of a boxcar from the inside? +- Jeff Kurth and a dozen gunmen. +- How would you know? +I was sleeping up there when Concho told you. +You better learn how to snore! +You wouldn't know how to shoot a man in the back. +I'll learn. +What'll it be, gents? +We got Old Grandpa, Old Grandma, Old Uncle Tom. +- And Old Empty. +- You ain't funny, Latigo. +Who could be funny, sweating it out in here? +Get away, boy. +You're too young for whiskey even if we had plenty. +Don't get fancy. +You ain't talking to Joey. +Speaking of Joey, you didn't happen to spot him along the trail, did you? +I'll take a shot of that Old Flannelmouth. +- Did you see him? +- No. +Did he leave any sign? +A little. +He was headed toward Junction City. +But you didn't follow him? +Joey always was a nuisance. +I was for dropping him in the river. +- Why didn't you? +- And get my brains shot out? +You've got to find a better reason to kill me. +Suppose Concho didn't catch up with Joey in town and suppose the kid talked? +- He won't talk. +- Maybe not, but Concho ain't back. +Unless he gets back, we won't know where they're carrying the money. +That's right. +Maybe it'd be smart to let this one go through. +Why? +We've grabbed three in a row. +Let's give them a breather. +That makes sense. +I go along with Utica. +You and me both. +We ought to let this one go through. +It ain't going through! +Why not? +You're the one who taught me about payrolls and now I like them. +- So do I. +- I'll buy that. +A man can get saddle-sore looking for a bank to take. +- I'm with Whitey. +- Me too. +What about you, Torgenson? +I got no complaints. +You call it, I'll play it. +Looks like you've been outvoted. +Or do you want a recount? +- Right now, I'd rather have a drink. +- Suit yourself. +If I can't buy a fight, I'll buy a drink. +Fill 'em up. +Sorry, the bar is closed. +On account of we're fresh out of whiskey. +Either get this floor fixed or get a new bartender. +When do we make the hit? +Any time you're ready. +She was halfway up the grade when I left. +Why didn't you tell me? +Why didn't you ask me? +Funny man! +Mount up! +Settle down. +It's only another job. +But if you was boss, we wouldn't do it. +If I was boss we wouldn't do it. +You ain't boss! +# So I bought myself a shovel and I bought myself a pick +# And I laid a little track along the bullfrog crick +# Then I built a locomotive out of 20 empty cans +# And I tooted on the whistle and the darned thing ran +# Oh, you can't get far without a railroad +# You can't get far without a railroad +# Something's gotta take you there and gotta bring you back +# You can't go any distance in a buggy or a hack # +(Train whistle) +Throw some ropes around them timbers. +We'll pull it down. +Torgenson! +- OK, John. +- Hurry it up, Jubilee! +- Boy, they're pushing her fast today. +- Yeah! +Maybe they heard I needed a quick ten thousand. +- That water tower your idea? +- What's wrong with it? +Any self-respecting Injun could walk away with it. +Funny man! +He knows everything about everything. +Let's get down and lock the barn door. +- (Neighing) +- We've stopped! +Whitey's making his hit! +- McLaine sold us out! +- No, Ben. +They didn't learn it from Grant. +Leary! +- A hold-up! +- They did it again! +Stop your moaning and hold on to your hat! +They won't stop old Tommy Shannon with a tank full of water. +That's no way to treat railroad property, Mr Shannon. +Take your hand off the throttle and reach for the brake! +All right. +Sit down and behave! +Come over here. +Open the safe! +- Ha! +- Move in! +Same as last time! +- We thought you were lost or drunk. +- There ain't nothing in there. +(Man) Jubilee! +How are you making out? +Try to talk your way out of this! +- I'm sorry I missed out with Renner. +- Never mind. +Where's the money? +- It's not in the safe. +- Then where is it? +It could be going to Junction City with Jeff's men. +That's not true. +Renner told us Jeff wouldn't carry the payroll! +That's a help. +Least we know who didn't carry it. +Funny man! +When you get through laughing, see what's in that red car. +Sure. +Glad to. +As soon as I pick up my horse. +He's worth more than anything I'm gonna find on this train. +Get those pilgrims out. +Maybe one of them is carrying it. +Hit the other cars! +See if you can find it. +Outside! +All of you! +Is this what you wanted to tell me? +Have a look inside, Latigo! +If that's McLaine... +No, Ben. +Put it away. +You may as well be comfortable. +- Be my guest. +- Gladly. +Do you mind if I ask the name of my host? +No, I don't mind. +Would the payroll be in there? +No. +Why not take a look, just to be sure? +Boy, is this stuff mellow. +Bottled in bond too. +- I forgot. +Ladies is always first. +- Thank you, no. +See for yourself. +Hello, Joey. +What are you doing here? +Getting robbed! +Don't bother. +None of them's got more than two dollars. +Whitey! +There ain't no payroll in there. +How come you missed out? +- I had a little trouble. +- Now, ain't that too bad? +- Maybe I ought to give you a little more. +- Whitey! +Kimball's back there with his wife. +(Laughs) +You just got lucky! +Put them back in the car! +(Concho) Get aboard! +Go on. +Good little boys don't run away. +This time you'll learn! +- Where's the payroll? +- The man says he doesn't know. +I can help him remember. +Take her outside. +Take her outside yourself. +I'm afraid of women. +They scream and scratch, and sometimes step on your toes. +Don't say no to me. +Not when I got a gun in my hand. +I won't. +Unless I'm holding one too. +- Outside. +- If you want the payroll... +You'll have to wait for the next work train. +We decided not to send it through on this one. +Oh? +I don't mind waiting. +I'll be at Pay Load. +You can bring it to me. +Then I'll take 12 hours' start, you get your wife back. +See what happens when you don't carry your brains in your feet? +I ought to make you walk. +Jubilee, lead them out. +Step up with Latigo. +(Concho) What about Joey? +You gonna leave him here? +He'll ride with me. +Or would you like to? +Settle down. +We're getting $10,000 for the lady, remember? +Which one do I ride with? +(Laughs) Which one do you think? +Take her to the end of track, Mr Shannon! +(Train whistle) +Here's a stirrup. +Give you a lift? +I'll take that box. +Don't crowd the cantle. +You'll ride easier. +Whoa, mules! +Must have got tired of making the climb and started home. +- Come on, boy! +- Just a minute. +There's a mining town near here. +It used to be called Pay Load. +It's still called Pay Load but nobody lives there. +- It's over beyond that far hill. +- Which hill? +- You see the first hill? +- Yes. +See the second one? +There's a third hill. +Pay Load's behind that. +- How much do you want for this mule? +- $50. +Flap Ears, when you unload this piker, you come on home to mother. +- Get outta there! +- Gah! +Welshing on a bet! +Never could understand them railroad people. +Come on! +Come on! +(Train whistle) +- Mr Kimball. +- Come over to the telegraph shack. +- Before you pass. +Did you bring the payroll? +- Not now! +- Did you bring it? +- I didn't. +- Now what? +- The end of the railroad. +- Shut up, Feeney. +- Let go of me or I'll push this down your throat! +Who wants your man? +I don't want none of 'em! +They're all broke! +- See you in Denver. +- I'm off to Denver too. +- So am I! +- Nobody goes without orders from Kimball! +- I'm leaving. +You'll take no joyride in this town with them painted hussies. +Doc you're beginning to sound like Sherlock Holmes. diff --git a/benchmarks/haystacks/opensubtitles/en-sampled.txt b/benchmarks/haystacks/opensubtitles/en-sampled.txt new file mode 100644 index 0000000..d8452eb --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/en-sampled.txt @@ -0,0 +1,30000 @@ +I went to jail and got beaten with a vacuum for her. +Anyway, friends come here late at night? +Oh, I forgot something! +Think it's too coincidental? +Gyeon-woo: +What? +And don't... +The worst of his kind. +/Gangster 1 : +He's conscious, but in critical condition +Use it on your Chosun girls +There aren't many places for them to hide in +Visevac, village in Sumadija (part of Serbia) +Doc you're beginning to sound like Sherlock Holmes. +Let's get back to the plane. +Come in. +I think you ought to know I'm working for the railroad again. +- Tonight I was carrying the payroll. +- That'll be six bits. +Them miners can eat more beans than they raise in all of Boston. +Any of you boys win enough to buy a drink? +- When'd you get here? +Is she? +Do you remember Whitey Harbin? +It's lucky your father and the one boy were out visiting. +How long were you in the mountains? +That you gave it before witnesses, gave it to women and children. +Or your family. +Yes, but will Joe Matson wait? +Associate Director +Irina! +I'm going to rent a room. +- Don't you want to explain it? +We'll dance at your wedding yet. +A fire engine, an ambulance, a truck. +- What will you give me tomorrow? +- When do we report? +The poor thing is waiting for a letter. +What are you doing, Veronica? +- I am tired +I can walk right alongside of you night and day, Cameron. +Open the door. +Get away from him. +With one of those, he could circulate freely. +She won't be able to have lunch with you today, she's lunching with me. +There are too many Japanese patrols. +This is ours. +I wonder if fresh air and light duties might do more than being cooped up. +English corned beef. +- That's all there is to it. +We've known about your actual rank for nearly a week. +Do you think he'll be all right? +The meeting is closed. +We must draw up our plans then arrange a conference with Saito and set him straight. +He'll finish his lecture any moment now. +I think he has too much imagination as distinct from cold calculation. +-Fine. +If your sea rescue plane hadn't spotted me, I wouldn't be here. +I kind of got used to being a commander so when I arrived at the hospital I took a look at the enlisted men's ward and then the officer's ward and I said to myself, " Let's let it ride along for a while." +What are you doing? +A SIMULATED MAJOR. +ONE WILL STAY HERE WITH ME. +Thank you. +Escape is impossible. +-Yes, sir. +Jolly good show, major! +-Good. +I wonder if fresh air and light duties might do more than being cooped up. +- Never mind. +Now. +That is, I didn't have my charter. +-Yes, Jennings? +So long as they have that idea, they'll be soldiers and not slaves. +Always use your knife immediately, Joyce. +Goodbye, Mrs. Brenner. +Poor John Hamilton. +- Hurry up, it's heavy. +You always faint when there's some sort of trouble. +Where are we going? +Yes, sir? +All right. +Where am I calling from? +BURGER: +I will now call Dr. Frank Renault. +Your slippers are in here waiting for you. +Well, of course someone was there. +Everybody knows we can't control the workings of our minds, don't they? +You help yourself. +New neighbours? +Old man is dead. +I had to. +But he won't make you happy either. +He saw right through you. +Goddamn it! +Stop blocking the runway. +You try that again! +That's news to these ears. +Just my luck, there was a cleaver handy. +In any case, this is real trouble. +And that he could put in a good word for me if I made it worth his while. +But that's all, I swear. +Do you know any reason why Christine Helm should give the evidence she has +- What an awful woman. +Because she was rich, and you were after her money. +In your experience, Inspector, when burglars or burglaresses break into a house, do they leave without taking anything? +That woman was one old inoffensive crazy person and he does accomplice to me of murder! +It's not a crime, is it? +Now, Mrs Helm, you've been kind enough to identify your letter paper. +My doctors would never allow it. +It's tragic. +- Congratulations. +- But Christine must give evidence. +Got the lowdown on Mrs Vole. +I did? +♪ I may never go home any more ♪ +Want to kiss me, ducky? +- I hope it still fits. +- Not yet. +As your counsel will tell you, Vole, you will very shortly have an opportunity of speaking in your own defence. +Just yes or no, please. +Why? +The other pill. +Might as well get a bigger box, more mothballs, put me away too. +That woman, she was a harmless old fool, and he makes of me an accomplice to the murder. +- I'll go with you, I have your hat and coat. +First to determine if the stains were human blood, then to classify it by group or type. +My objection then was overruled by Mr. Justice Swindon. +Might as well get a bigger box, more mothballs, put me away too. +Come on, I'll give you five minutes. +- Don't worry, he shoots his way out. +A match! +You will certainly be charged with perjury, +You can't, not after what I've done. +No motive whatsoever. +It was gratitude, then, that prompted you to give him an alibi +You don't get arrested or convicted for crimes you haven't done. +How true is the saying that a duck won't drown, for a spit awaits it. +Not a step back! +Her daddy won't even know her. +He has my parrot. +And how do you say, "I am going for a walk by the sea today"? +Iphigenie? +Well, it was. +We can alternate. +- No, no. +How do you know that? +-you will never see your nephew again. +The odds are too great even for Zorro. +Uh, Diego, you remember my daughter MagdaIena? +well, have you forgotten that Ricardo is also my friend? +Every time I turn around, he stops me. +The governor has given his word that if Joaquin Castenada will ride into Monterey carrying a flag of truce no one will harm him. +Pft, pft, pft. +Why should we share all this beautiful gold with anyone? +Then you will, of course, defend your honor. +There're those you don't +Captain, when does this war go to end? +I don't care if it does! +- I don't want to be with anybody else. +- No, wait. +That's a good boy. +- Oh, thank you. +They assigned me to the auto ambulance. +- [Chuckles] +The X-ray. +- And two girls. +That is not an ankle. +- Become more powerful from it. +Do you like to keep scorpions? +Recently our planes were photographing the area near San Lorenzo. +Can't we close and seal that opening with dynamite? +What kind of rifles were you using? +Are you afraid one of those bad people you sentenced will come after you? +I know it was a mean thing to do to tell on him that way. +- Come on, it's time for tea. +Do not fret. +My father and grandfather before me. +Hello, Ada. +Mmm, ain't it a place to like? +Well, now, I couldn't very well announce myself underwater, could I? +- Are you all right? +I don't think it matters much anymore, Hank. +The journal ends there. +My heart? +What can the enemy be plotting, with nary a torch? +Miki, how dare you? +Yes. +Open your eyes and look for yourself. +With easy words, he cheats you of the North Garrison, sends his trusted Miki out of danger to guard Spider's Web Castle, +The forests surrounding North Garrison are thick with armed men, all from Spider's Web Castle. +Time for refreshment. +They are good. +She has a wonderful command of the idiom. +Old boy! +He's certainly not gonna live to be a very old bullfighter. +- Wait! +Just pay him and he will take care of everything. +Right in here, sir. +You must be joking. +Stage name, Cherie Chi Chi. +[AUDIENCE MURMURING] +You don't want to pay? +Jo? +If I would have known before, we could have discussed it. +What happened? +You look so pale +It was a close call. +Good night. +Go on... +Your clerk. +Is your father here? +- Why should I? +Bill, I never expected you, I thought... +- What conditions? +Well, what did you wanna... +When I walked in he was with his pal Sylvio. +The check. +Now, why did you do it? +Give up, Kyle. +Just sandwiches. +I wonder how they found that out. +Thank you. +- Uh, Eddie? +Sorry I couldn't make it, Vic, but thanks anyway. +Uh... +It's 24 past. +That's all. +No. +So, if that's all... +Your looks are laughable +Every hokey dame is the same I got a future a rosy future +Would you like me to scrub your back? +I want a bourbon, straight. +Something he picked up from me. +I couldn't let you throw away that money on me. +They have a sense of humour. +She was in show business. +O-R-F. +Okay, it's lunchtime. +- No sand dabs, huh? +You won't find anything out there except a hot grave. +I wonder if he can hear me. +- It'll help me. +Step back? +Holdups... three and four a week. +Who could I turn to? +And I once arrested a lieutenant governor. +No, sir. +Don't apologize. +Yes, after all, we have been authorized to build the marine drive. +Enough to send an agent to Spain to get it. +He's needed you, Ted. +714, this is Calgary Radio. +- oh, yes, certainly. +Hey, don't be offended! +He won't catch me! +- Poor Santamaria! +Hands off! +At once? +Good health! +I lov e you too so much. +But it's not as if that'll change the situation. +Date for what? +[Chuckles] On the shores of Gitchee Gumee. +Uh, w... +- I have to give it to somebody else. +- Moral: +- You're left-handed. +A tease, huh? +Certainly, no trouble. +I don't know exactly who he is. +- She's changed her hair. +- [POUNDING ON DOOR] +Isn't money a lovely thing? +- That monster machine you created. +Hello, Miss Watson. +- Yes? +Don't, Bunny. +It's too technical to explain to the lay mind, but Miss Emmy doesn't like it. +You know something, you ought to pÉay Portia. +Be carefuÉ, you're behaving Éike a woman... and É might behave Éike a man. +Comrade? +When the Minister sent me he did not say it was for a discussion of biology. +So that we can observe all his movements. +... asYourGrandDucalHighness. +-Certainly not. +When will we have you married off? +Grishka! +So, a similar example from the Russo-Japanese war. +Juletchek, go to sleep, please. +You ain't got the brains of a blind goose in a hail Storm. +What do you mean tellin' an ugly story like that to a boy who's just been hog cut? +Come on, Lisbeth. +Now if you'll just keep him for me until we get home. +And then we'll wait. +Reckon it's not a thing you can forget. +Ya understand? +Gerda put on her best dress and new red shoes, kissed her sleeping Grandma and set out to find Kay. +Dance, Bae, dance! +[CROWD SHOUTING ON RADIO] +Sherlock Holmes? +Can't you see he's groggy? +I feel disgust whenever I think about him. +You wait here by waterfall. +Echo faded. +"Anticipate U-boat may be attempting to rendezvous with German Raider S, U or M." +Weather from Fleet Weather Control, sir. +I am sick of this war. +- 150. +- Range 500, closing fast. +- Slow down turbines easy until stopped. +Herr Kapitén? +And now I look in the periscope and it gives me the distance and the speed. +Here's a toast to life and to laughter and song +But the sound will carry, Herr Kapitän. +-Not yet,Sir +This is her home. +But I've always loved you .. +But, it is best this way. +You got no right. +- Where are you going, Chink? +He's over yonder in the well. +Brennan. +Cover me. +Look Montana, I'm in command here. +Wanna say something sir? +- You remember last night? +[Roaring] +It's like the chaos when the universe was born. +You gotta have confidence in me. +He's chasin ' Sadie up a tree +Where's she live? +She had had a career earlier, she had made films with Rossellini... small films, small roles with Fellini, but she had never-- +It was people who couldn't stand the film who had begun to whistle. +I might not believe it myself tomorrow. +Look at the sweets you brought! +I'll show them a thing or two! +But what's the point? +Make up your mind! +Me? +What do you mean? +Why do you want to see him? +So long. +- Just don't let her in. +Is it my fault that women always look at me? +How much did you have in your purse? +- Your name's Oscar? +All right. +I'd like to talk with you a moment. +Fur? +Me, I'd have picked a grey one. +What pay... +I'll do that little thing. +I just wanted to find out what's going on. +Best news I got was when Lincoln was dead. +Take it from an old army scout. +Every tribe has a lot of bands. +I guess he's not the only frustrated Custer in the army. +Hop on. +- Now I remember. +There's too much work to do on the fourth shift. +- I'II wash the dishes. +All my life, I've had it. +How tall must he be? +Lon, no! +What's driving you, Lon? +You suppose anything's happened? +Where is he? +Taking the Yakut to happiness, hey-hey-hey-hey. +Thanks, but I'm in a hurry to meet someone. +He also pretended to be my fellow countryman. +Yes. +About your life before you met Shimaki. +Guillermo, how many daughters do I have? +- Not at all! +Do as you see fit. +Good evening, gentlemen. +She's just had an accident. +- There's no obstacle to her being here? +Requiem æternam dona eis, Domine, et lux perpetua luceat eis. +It's really lovely. +No, it isn't just that. +We've got to get out of here. +After tonight, sleep won't be as peaceful. +The leading man in tonight's saga is an alley cat. +It is now 8:05. +"Some of them are real creeps, some real cute. +I am very put out with you. +Scuttlebutt. +Promise me now. +From all the stuff they're bringing ashore... +You better keep it. +Tonight, i tell you. +- Suddenly it's awfully hot in here. +- Hey, Tom! +Write off or no write off, she'll be good for some spares. +Are you? +So long as he uses the short cut, it's not possible. +- Well, you ain't. +Well, my beliefs remains firm, Amantha. +[Sobbing] +You'll scar them up worse. +Come on, Manty. +Oh, I see what you mean. +Close the door. +Come on. +-Why do you think she does aÉÉ this? +PÉease make your change, É don't wanna bother-- +Do É need to teÉÉ you? +Then we'll rehearse until you do it right. +-She is. +-I mustn't allow myself to be despondent. +Now, look, baby. +- Phone call, Mr. Mason. +I'll get everyone quiet. +One time they were going to fight a duel. +Only for speeding. +And free enterprise? +Of course you are. +Well, by God, get improved and have a good Sunday. +- Believe me, Wyatt... +You have no right to put yourselves above the safety of this town. +What? +Your reputation will follow you wherever you are. +Come in and get me. +And Wyatt's word was law +I didn't want that boy to be killed! +Or take the chance of losing you forever +I'm sorry. +I only wish it were under happier circumstances. +Tighter. +Well, then one evening, he came along. +Darling! +Good-bye, Father. +Not since you were an altar boy. +I told her I didn't know whether or not she'd be with us today. +Just a moment. +Yes. +- You've known quite a few, haven't you? +Yes, of course. +Merry Christmas. +Well, au revoir, dear Janou. +Please let me tell him. +Isn't that extraordinary? +- Oh, madame. +Got to get my coat. +Something mean that you could do +I wouldn't know, Gladys. +Well, do you think you can sell it? +People? +I've always wanted to fly on a magic carpet. +Every household can use spices. +It's good. +[CLINGING] +Don't hold your breath. +Goroichi, now is the time. +Roger. +Mitch MacAfee, flying Sherlock Holmes. +It was the carcagne! +Pattern. +Mitch MacAfee, flying Sherlock Holmes. +We didn't steal it. +The police? +He won't dare to lie to me. +They are always so lost in the world, or so it seems. +You made chumps out of all of us, you— you Yankee gangster. +I told Shannon to, but he said he didn't come over here to start a war. +Hello? +See that big cloud ahead? +You're not the only one. +(CHUCKLES) Don't worry. +I caught him just as he was coming in to land. +I don't... +I just wanted to tell you. +What? +- Any ideas? +- He was in New York all the time. +Marilla, will you get in here? +A, B, C and D. The first one wins six to one. +- Oh no! +He is trying to speak Greek. +Get out of it. +Grandma. +What shall we do? +Strike! +Rubbish! +- You understand? +Can I have a word? +Forget us. +- soon as they can get it. +Well, you're gonna have to care. +And I would never set myself up to judge anybody. +You remember me? +Mr. Fannon is a man who never fastens his seat belt. +Now I realize they weren't referring to him, but to this memorial of his. +- You're wrong. +This way, please. +No, but I have contacts. +I'll kill myself or they'll kill me, but they won't get me alive. +But we mustn't read too much into these things. +It's a long story involving our families. +Then you think they were chosen intentionally? +My aunt has a picture ofhim that she guards jealously. +Ichiro can go back to the same company, right? +I think Allison deserves a better chance than his partner got. +You better get away from there, Doc, before you get hurt. +I'm never without it. +Do I owe income taxes? +- Listen to me, sonny. +Hey, honey, guess what? +- You mean, he might not be able to sing? +It's just that she gets jealous of anybody at all that I spend my time with. +I'll wait no matter how long it takes. +What about college and Law School that you've always talked about? +-Can't you guess? +They're called ideas. +- Good night. +- How are you? +I mean, I think we should help each other. +Yes? +How long will your parents be away? +Kissed, yes. +I'm so sorry to have come in such a painful time. +If she's not crazy, then What she says is true. +Shut up! +It's the fever. +Go back! +Some might be careful. +You know, the devil has something here. +Let no arm be raised to defend him. +But I also know the deep shadows that light can cast. +I didn't know you had cyclones in England. +- Fine. +He still is. +The other day you said you were going to the dentist. +Why do you think he sent you here? +Don't you remember, Ralph? +You shouldn't tell people anything until you're sure. +The simple basic fundamental biological law must be your weakness. +One foot there. +- At the bridge club. +- Red roses? +Cross your fingers. +- Your hat, sir. +Those beautiful nurses. +"L.R.'s blooper tops Unk Don's." +Grand Old Opera, thas the big time. +Don't you ever go to bed around here? +I figured you'd be so doggone critical all the time. +I tell you that man is an inspiration... a man among men. +- Hello, Faye, Sam. +- Get me my lawyer. +Only dishonest thing about "Curly" Fuller is the way he combs his hair. +No. +The general's been talking to Fuller. +I don't know if you remember. +We found the revolver in the alley, one bullet fired. +It wasn't signed. +Walter, could I call you back? +A long time ago. +It wasn't in my interests for it to fail, was it? +20% for you, 20% for Denis... +The butcher the baker and the friendly undertaker. +-Thank you. +-Hello. +Are you good at it? +What is it? +How do you do, Miss Hathaway? +Come on into the heat! +What's your problem? +I've already told myself that, but I haven't been able to convince myself. +A year in one town then in another. +To the moon? +I'll turn into a viper! +- Come here! +What are you hanging around for — to torture us? +Well, not something we can grab and run away with... but certainly pregnable. +- If we wait any longer, they'll get us too. +I can always tell when he's had a few. +- Well, tell him thanks. +You and Ferol take your coats off. +It's all yours. +Just as a child wants his father to be firm, troops crave discipline. +No. +You will apologise at once, or else you'll be placed under arrest! +- I didn't act like a coward! +How can you understand that and allow these men to be shot? +I can hardly get him behind a desk long enough to sign an order. +Roget! +Grant courage to this man who is about to die. +No, Major, that spirit was just born in them. +You've got yourself in a worse one. +Secure prisoners! +The lane through our Wire's in front here. +- There were machine-gun bullets... +I've been rude to my guests too long. +With all respect, sir, you have no right to order me to shoot down my own men... unless you are willing to take full and undivided responsibility for it. +Dismissed! +- Always a pleasure to see you, Colonel. +We don't want to slaughter the French army. +That's all, Colonel. +Ls everything all right, soldier? +- You wanted to see me, sir. +Corporal Paris and Private Lejeune reporting, sir. +It's impossible, sir. +- I'll have to ask you for an advance of 30 crowns, and I'll get you a dog, that will make everybody's head turn round. +- Look here, friend, give me some advise, +I don't understand a single word! +- Kotatko - deaf and dumb. +Aside from its purchasing power, it's completely useless as far as I'm concerned. +Uh, what did you say? +You make the arrest. +I'll figure it as my fault. +I've got to talk to you. +Not razor sharp, but sharp enough. +You are a big help. +Any station. +You've seen that in all her publicity. +Oh, but it's wonderful to be in love, and it's even more wonderful to be on a TV show without any commercials. +Oh, what a shame. +Oh, Jenny! +I behaved childishly in the corridor. +I wanted to raise chickens once, like Old MacDonald. +'Now for the first time on any show, right here on our stage, on our show, 'we will show you that we really have got a big show. +We're having a final showdown with the client. +Darling! +I don't mind that. +Oh, I... +I know, I know, I know, he wouldn't. +Oldest eternal daughter... though you're the lamb she'll slaughter... twil be... a lively... death. +Make it good. +You'd have seen the same thing in - in Benson... or Huachuca. +You can't send someone off to die on evidence like that. +Let's, uh, run it up the flagpole and see if anyone salutes it. +I want to ask you something. +- A pretty good guess. +Not guilty. +- "This isn't a game"? +Mrs. Bainbridge. +I don't see what all this stuff about the knife's got to do with anything. +Yeah, huh? +No, I don't. +Wherever you run into it, prejudice always obscures the truth. +Work your heart out. +But you can't prove it! +What it must feel like to want to pull the switch. +You think too much. +What else do you want? +Thank you. +Anybody says it like that, they mean it! +Real drive. +This sensitivity I can understand. +It's not important. +Number eight? +Hey, what is it with this fan here? +I'll make myself about six or seven inches shorter. +You know what I mean? +Why should he lie? +You're letting him slip through our fingers. +I just paced off 12 feet across the room. +Yeah, let's +You know, you do-gooders are all alike. +I heard a good story last night... +There's enough doubt to wonder if he was there at all at the time of the killing. +Stop. +Do you wear glasses when you go to bed? +I mean, maybe you can still smell it on me. +- He's 18 years old. +Who was in The Amazing Mrs Bainbridge? +Oh, this is a very fine boy. +There were six cars on the train. +Come on. +No one wears eyeglasses to bed. +You can't send someone off to die on evidence like that. +That's all. +Ah, look. +Those two chairs are the old man's bed. +- You heard me. +Well, nobody's blaming them for it. +I just wish you"d be more confident. +Don't pin everything on us! +And this? +- I took Evelyne home. +Hector doesnt't feel well. +Ah, I understand! +-But, darling... +at least not with you! +(laughter) +Wait for me, honey, let's have breakfast together, and we can talk. +Were you involved in all the big events? +Just find him for me +The radiation dormant in the monster must have set off a chain reaction. +Good. +Well, who's afraid of the local medicine man? +Terry! +Can I clean your boots? +- Professor! +I told you that. +- Here. +ARE ALL THE MEN GATHERED? +-You already told that. +Objection. +I'll even recommend you as a fortuneteller, but right now I'm on my way to Bridgetown. +And you taught him so well that he wound up exactly where you wanted him. +Sit down! +I'll get someone to solve this mystery. +No secrets resisted me. +There always was some kind of incommunicability between us, imagine Rodolfo spoke 7 languages, but was still a taciturn. +- O my God, what happened? +- The widow? +Well, you must come to Tufello with me and explain everything to Fernando. +- And who are you? +You love Bianca. +- You'll pay the damages? +Can you understand that? +I've asked you, begged you, but nothing helps. +Have you got any schnapps? +- And we actually milked some milk. +- They'll think and be more frightened. +Death stands behind you. +I got angry, believe me. +He sings so sweetly of Jesus Christ +My friends are over there. +But not for him. +Not faith, not assumptions, but knowledge. +For 10 years, we let snakes bite us, insects sting us, animals maul us, heathens slaughter us, the wine poison us, women infect us, lice eat us, fever rot us. +- Or an owl. +"prepared themselves to sound. +If everything is imperfect in this world... +- Mikael. +But I love giving good advice. +So no bears, wolves or ghosts can get hold of me. +I could have raped you, but I've grown tired of that kind of love. +Wow, you're a real charlatan aren't you? +You bet. +By Jongmyo Gate, at 2pm. +That's for you from Tex. +- A marriage broker? +You're going to the top, and you're going alone. +Locate CHO first. +Detective JANG. +Take a closer look. +Fleury, Maxwell Fleury. +It was the first on the island. +Mr. Fleury. +- I will try to speak to you with words that come from my heart. +It doesn't have a name, really. +Excuse me. +He wouldn't want to hurt his wife. +After all, it's protocol. +Bit of luck your wife ran into me. +Get the point? +Fair? +- It's a comfort. +Come on. +Oh, just measuring you. +Now, listen to me. +What are you getting at, Pete? +We don't have the right kind of love for each other. +- You are an impressionable man, Mr. McNee. +- Insecticide? +The unbelievably small and the unbelievably vast eventually meet, like the closing of a gigantic circle. +Oh, the draft board, the Navy, a life insurance physical. +- Mm-hm. +We've won that much. +- But you're so much better now. +What's the weight? +And everyday I became more tyrannical, more monstrous in my domination of Louise. +Here she is. 36-and-a-half inches of feminine pulchritude. +- You mean like a cancer? +There's something you both must understand. +- But I have to go. +You asked casually today, when that day comes, you'll ask sternly, and we can't avoid sending her. +Open the door. +Mat be, we didn't see. +If not Ghatotkacha will come and thrash you. +May this arrow kill the enemy and protect the heir of Pandavas... +All are drinks. +I must know the truth. +We've nice food, big house beautiful clothes +We`re going to cook up some fine St. Louis goulash... with a little Memphis greens in there. +- It's all right, Major. +She says the rules are very strict but she'll ask her. +All right, boy. +(speaks Japanese) +Come on, baby. +- (speaks Japanese) +You'd be better off. +A girl with a good army background like my own... +I'm me. +They just cross over there on the way to the theatre from those dormitories. +Katsumi, you ready? +But I will love you, if that is your desire. +You can go and marry your congressman. +I'm gonna have a little fun for a change. +Does that mean I could stay in Japan? +I was just expecting someone from the Gestapo. +Leave me alone! +I'm afraid it won't happen so soon. +You never learn, do you? +No, thank you. +What are you talking about? +I brought them to have published. +"so it may last "Call me your very own" +Won't be long. +- What time was it? +Lieutenant Peter Kleinhert? +- Right, sir. +Trying to get your name in the English papers now? +If something breaks the routine. +Where we halted. +- No, no, RAF please... +I can't take any more. +Are you leaving? +This humble governor of yours has not neglected state affairs. +♪ +The description of the avatar in the Naradiya Purana fits Him exactly. +Hi, Joey. +I can't believe it, after all these years. +They parlay this until 'Here Comes the Bride.' +It's nice to be in Hollywood. +You have to change them yourself. +I lived. +When I couldn't save them... +It's hopeless, Jim. +That's right. +- Yeah. +Have you eaten? +One of the loveliest spinets of the 1700s. +Well, I deserved that. +They're two famous twins. +There's a birch! +Hello, Anyuta. +What? +I thought of you, your kindness... +- Yes, sir. +And now, just for a few small holes, now you would allow them to be separated, perhaps never to meet again. +-Did you get him to the PW ward? +Yeah, give up already, Herman. +- A couple of hours, sir, I guess. +What's the difference where you get the flowers from? +- A truck from Graves Registration, sir. +Yeah. +This has developed into quite a big thing, ma'am, and I was hoping you'd come along. +A strike in Antwerp? +Buckley still gets his compass readings backwards. +...robbing themselves of a good pay, not only by earning less, +What do you mean, Mr. Zapora? +Your dad saw Dave try to bushwhack him. +- I bet! +and you spread kisses like they are chocolates. +It's scrawled... +As many kisses as stars in the sky. +Now get going. +TELL ME, WHAT IS THAT CREATURE ? +The flooring of the cage is rough and hard. +Oh, I was scared. +That's an interesting question, Sheriff. +Either finish that damned ironing or put it away! +I've got a very urgent personal reason, personal. +He is visiting her everyday. +Thank you. +[ROTARY PHONE DIALING] +A giant sea beast that was the direct ancestor of the modern water mollusk. +No, of course not. +Thank you very much. +What's it register? +You cold? +Thank heavens. +And they'll ask me all sorts of questions. +Thanks. +Perhaps we should've asked your permission first. +Try pink shampoo +How are you? +You've outgrown me. +Dovitch. +Alright, hit it. +Very good, Marion. +Hit it. +These bangles are my mother's. +This is a gun. +I'm a fan of yours. +Well, it's mainly me, sir. +You don't belong in this school you're flunking all your classes anyway. +Kip's a lucky boy. +Sorry I'm gonna miss that council meeting. +Come on, Bogardus, you was a whole posse today. +- A wounded man can still kill you. +- I'm going to say mass... +I thought about it, it isn't true if I run I'll finish sooner, I make more trips. +Or dead. +- Must have thought of it all the time. +You are free. +You can't imagine how afraid I was. +I don't understand combinations and permutations. +Don't you want a cup? +No, it's not. +I have just sent you a telegram on your great day. +I can't bear it any longer. +That's no excuse for behaving like this. +- I don't want us to get... +It's a matter of honor for him to pay back 5,000 a year, and so on, and so on. +Speak up, dear. +And now you're here. +And I tell him it's his fault that I am as I am. +- What are you writing in my book? +We ridicule each other. +No, you don't understand. +In the early hours of June 1st, +This is Evald's wife, Marianne. +Well, thanks anyway. +- Call it what you want. +Woo, what a crowd +What a crowd! +Ho Yung, show us +The wind was yanking the youngins from the misery's embrace. +There's a reason they didn't inquire about it yet. +Your baby! +Thank you, no. +Yes, of course. +Anything else? +- Don't talk to me in riddles, Jimmy. +Wayne, let the cocktail party wait. +Come on. +And I, +Please, you're putting words into me mouth I never said. +Oh, yes. +Why did she quit teaching school? +If I may, I'd rather drink water. +- There she is! +Steve... +- Later. +Temple, you've been three passes behind for the last 20 years. +- What's ya hurry? +Wait a minute, Joe. +Rita, say hello to Otis Elwell. +Well? +Oh, Sidney, you got me so I don't know what to do. +J. J? +Susie, look, I-I'm sorry. +Sally, you oughta know me by now. +And in case you didn't know it, Susie Hunsecker's out the back right now. +That's when a fella needed a friend. +- (Sidney) Otis. +- Avidly, avidly. +Steve don't feel too good. +(bouncer) Don't try to come back! +Answer me, Della. +I remembered him. +All right, it's a deal. +He didn't want the other cop to know. +She's a good girl. +What are you talking about? +Oh, yes. +He knows. +I thought this was just an interview to decide whether you were suitable for the position. +He has not been trouble. +All right, let's move out of here, slow-like. +- I certainly won't. +I'll weigh pros and cons before uttering the words. +"It makes me so choke when I think of father almost being assassinated and the people being such cold fishes." +Where are you going? +Too dark for anyone to see him +I'm smart All I need is one word to understand +Fastened your seat belt? +In the past - did we ever see so many young girls +At what time, in what way? +Your fortune. +What you doing? +Nonetheless, you were still able to see the difference... between normal porcelain and shatterproof porcelain. +I used to drink water anywhere. +Pardon my indiscretion. +He is not. +Come here, Tommy boy. +I hope you got plenty of this medicine. +He got into bad company, that's all. +Mike's here. +- All right. +Please, he ain't himself. +Help me up, Matt. +Now, I think you're right. +-They are? +Me? +Uno! +You must take your sandals off! +He can't die alone! +So you won't give up this life? +I see... +Do you even know what jail means? +Sherlock Holmes is no one compared to you. +to whom does this here belong? +so who gave you the money? +They just sent me. +That's the word. +I am the daughter of Fu Manchu. +Ling Moy. +My landlady was sore. +So that's Nancy's daughter, huh? +No, no, no, no! +Snap out of it! +Metal where it counts. +Mr Stapleton, why I do not sing Elvira? +We must prevent the Tower from broadcasting tonight. +- Yes, somewhere with music. +I tried being announced. +Let's get married. +"Tomorrow the birds will sing." +Face life!" +I must speak to you... +What is it? +No one would have caught my first husband wasting his time with paints. +Are you hurt? +And what? +Everything? +What about it? +- You're kidding me! +You are a liar. +Assistant Directors akira KlYOSUKE, KENKlCHl HARA and HAMAO NEGlSHl +And you looked like such a nice girl. +She's fine. +I'd do anything to keep you from going out. +Just a little reminder. +Well, I can see it's a dress. +of course excuse me, Ministerial Director you're welcome +this is a disagreeable situation you should know that I am really Lehmann +You'll just have to learn that a man who's worked as i have, risen as i have, and who knows the world is the proper judge of what's right and wrong. +You're a clever woman. +Good-bye, Simone. +Oh really? +You know I haven't got any money. +Oh, she's lost. +He did bring you good luck, after all. +Won't even give your name, eh? +I'm away over here to school. +Thousands, millions of rats! +And then +No. +No! +That is my destination. +I just came from the bank, and the cashierhanded over 4 good 50s for 10 of those phony 20s. +Am I taking you from someone? +I'll bet it'd be a lot of fun once you got to know the place. +I hadn't thought of that for years. +- Well, you've got the right fellow. +Yeah. +Well, it's not for me to say, but I'm not sure that at a time like this, a woman is the right man. +Wait! +L"m hungry, Mackie. +No +I have money for a new co-co-co... +India, the Sudan, in a hundred battles. +Congratulations on your marriage. +Shall I call you up at your home? +Shall I shuffle? +It's true, isn't it? +And what does she want from him? +- Well, do you have the money? +– Yes, Fräulein von Kesten +So, you're Cravat, huh? +Must have some friends around town. +Back and forth like a trail horse. +Our little twin beds, huh? +Fred! +All right. +It's scary enough without playing funny tricks. +Don't forget you'' 're coming to buy my carpet, will you? +Hello. +Naturally, I feel for her. +H. It's rather foolis forgive me, will you? +But i didn't. +We're not off yet. +Yes. +- Alone. +Come on, get your chin up. +Well, for instance, when you got a couple of drinks in you... well, you're a lot of fun. +Is that so? +Well, I say! +Maréchal Murat. +Does he play checkers? +You're a fresh guy, huh? +Yes, Mr. Montana. +The time is to be sharp midnight on New Year's Eve. +You look great, boss. +The same to you and many of them. +And you, Joe. +Somebody like you. +He's all right. +- Fräulein. +Who will win a Gypsy's kisses +Panic party, on the topside. +Now I've got something to come back for. +Indeed... +What's that, running across the lawn? +Oh, and the fire - it's so cheerful. +- Yes? +Here's a nice one. +Whose carriage? +They're all crazy, except you and me. +The natives there use it to protect themselves against vampires. +It seemed as if all the life had been drained out of me. +Is there anything that might have brought this dream on? +I have found them. +MINA: +Dracula? +For me alone +Artist? +Ìîíà-Ëèçà íàéäåíà +Bois de Boulogne +Among others, the rabid jealousy of my boyfriend. +Well, I only say goodbye, and thank you +You watch. +But I'm not trying to excuse myself. +It's swell seeing' you! +No, she doesn't. +What's that? +- Of course. +It was very sweet and spicy. +I want a proposal by midday. +I don't know.s +If I know anything, may the 12 Gods burn me +Something unbelievable. +I want to go home. +She's been dishing plenty of dirt. +Hello. +Chasing each other around the world for a lump of lead. +I beg your pardon, sir... but Miss Pearson is waiting for you in the consulting room. +" I have never seen such deplorable housing conditions. +All right. +Haven't I the right to be? +- I don't. +Good night, Alexis. +Mata Hari. +I do. +- Everything. +Well, you feel like celebrating? +- "I know it. +No, no. +-l couldn't help it. +No, I ran away from it. +I couldn't do that. +The only terrible thing is that my son Walter... is supposed to be friends with such an unscrupulous individual. +I like a guy that does that. +♪ Now she's to meet me in the lane tonight ♪ +♪ Watching and a-wailing ♪ +Do you mind if I have my friend in here with me? +Sound director: +We stood in line with the rest. +I'll show them, messing about at this time of night. +Over there. +The first film to use some of his electrical pyrotechnics was the 1929 Return of Sherlock Holmes. +(tuts) +Burn the mill! +Go on. +The bodies we use in our dissecting room for lecture purposes were not perfect enough for his experiments, he said. +It's alive. +If her fiancé sees her, he'll think she's nutty. +The first film to use some of his electrical pyrotechnics was the 1929 Return of Sherlock Holmes. +Where are you, my dear? +Get back! +You have created a monster and it will destroy you. +Get him on the sofa. +Careful! +You stay and play with the kitty, huh? +(THUNDER clapping) +I've got to experiment further. +The first film to use some of his electrical pyrotechnics was the 1929 Return of Sherlock Holmes. +The present European street was then constructed on the same site. +Here he comes now. +The colored. +- I was just thinking it ought to be. +Don't tell me you're one of the matchmaking Ashes now. +There are no other circumstances. +- Here's down the old Golden Gate. +- He couldn't do anything. +To act as the princess's guide +You son-in-law! +- Don't you? +Be happy Choose snappy music to wear +Yes, Lily. +My heart is breaking, Mackie +For I am... +He... +There must be thousands of people who contributed to that tabernacle fund. +It's all part of the routine. +You're beginning to fall for your own ballyhoo. +You are Sister Fallon. +[SINGING " BATTLE HYMN OF THE REPUBLIC"] +You see that he stopped in the middle of a sentence. +They'll never make you forget about it. +What'll we do now? +Just Uke to you. +- Yes, sir. +Yeah, Hank would be my idea of a perfect bodyguard. +We all know why we are here. +I am writing now directly to the press! +My papers are in order. +How awful! +You should ask the mothers! +We'll painstakingly compare the results against our archives in hopes of finding something that can be used to solve this case. +Stuck-up snob. +Let her go, you filthy pig! +Thank you very much. +Alright. +I demand to be put before a genuine court of law! +Of course, but you're drivin' away my clientele and the guy you're looking for ain't here +Keep a sharp lookout +Do you know how mad everyone is about this guy who's causing a raid every night? +Please, Inspector lt isn't possible! +It's a Japanese character. +I did it. +- And you know the first thing I'm gonna do? +Don't worry about Ma and me, we'll get along alright. +Poor Pa. +I thought you fellas might be interested in the psychological end. +I'll get rid of him. +- Where did it happen? +What has this man to do with it? +Three beer, three... +What did you say? +Come on, you guys. +[Harpo whistling a soft tune] +- Why, no. +Take it easy. +CHICO: +Yeah, right here. +- Sure. +- Yeah, right here. +Now I can take a walk out on deck and feel safe. +Go! +I'm sorry. +That's exactly what I mean. +! +Let's face it. +- Tell me what's going on. +Acting Grand Nagus. +Welcome to Deep Space 9, Chairman Nilva. +Hello? +I was about to beat him, Muscan just whisked him away. +Have you joined the team, so do not like to abandon. +Do you understand? +When people believe, we will be able to fight. +- Shut up, Eddie. +I begin to wonder which is worse. +His investigations led him to another subject of the experiment. +- Life. +Aliens, and tested their new toy. +- You're dead! +I have to stop! +I'll be there in my true form. +Contact a hostage is a desperate action, but now can not trust anyone. +Can we talk ? +Gua have a special process to transfer consciousness. +- What's going on? +All experiments were made to test the human will. +Natural resources and ... +Now I realize my mistake. +I will carefully study +If you find military police outside the area, you will be immediately arrested. +Maybe I wanted a little danger in my life. +- No, do not lie. +83. +- Have you heard anything about the investigation? +Yes, it is Harry. +There is a woman that I want to talk. +Open! +Cade Foster. +I know. +Hear this, cimmis is a supernatural spirit, which empowers a tribe and good health. +- I need to speak with you. +Emma said that he found the file logged in. +I sent elsewhere. +Rãmãºiþele will rise in about an hour. +They are parasites, predators, monsters. +What you talking about, Sheldon? +Alyinka are freaks ... experimenting on humans. +Perhaps tip that helped me climb it was my doubts amount. +I just felt it. +Yes! +Don't tell me. +You know what? +I don't want any pills. +Ah, First. +He was a First. +You know, cause I ain't fucked her yet. +Nick Carmine. +Let's run off and get married +Oh, God! +Never in between. +- Oh, I'm sorry to hear that. +- No way I'm jumping. +- Where's Julián? +They won't hurt you... +If I must drink, I drink. +Osgood: +I'm being shut out. +Here he is now with his penalty clauses. +Who is it? +They're asking for you. sir. +The timetable has been set. +I'm putting my ass on the line. +What's wrong with that? +You just rest. +I wish we had a deck of cards... because I got this great trick I could show you. +Jarod! +Amen. +They came in masses from one house to another. +- Yes. +Muslim prayers. +Tag and log everything. +Mr. Harrison here you go. +They come in big yellow bunches. +We're six floors up. +Earthquake! +I'm your mother's identical twin, born ten years apart but identical. +Ryan, what are you doing? +You ran away, you remember? +Hot, steamy, sweaty sex. +Who will be the disc jockey? +We got to show Edna her son. +I should let you know that Mr. Heiss will only be available to meet for about five minutes, so we should hurry up and cut to the point. +It's not like I need it. +Personal feelings shouldn't get in the way. +Aha! +"but by the content of their character." Dr. Martin Luther King. +I never thought I'd live to see you in person! +Nothing. +When they fell, all of their weapons ended up with smaller governments who didn't understand them, sure as hell couldn't build them but were eminently willing to use them. +He couldn't work anyway. +I said I knew nothing. +Well, it's for science. +Now meet a real-life Noah. +Let's not forget what we learned in the U.N. club. +Zeppelin rules! +- He's Wendell. +I have smallpox. +But I swear I didn't do it! +What? +Fill it up! +-It's too late! +is she OK? +Of course I'll be home tomorrow for sure/ You better +- I can't just eat and play everyday +Hello? +Now can I go? +Knife. +- +We know Natalie has a mark on her wrist the size of a charm bracelet, and we know we have a live interview with your client. +We wouldn't have to think, she says. +We had to walk all the way here, man. +Not a thing to do +It's starting to get late. +No, Fez, they're not getting off the island. +And I'm wearing my uncle's boots, so now I've a blister. +don't touch her! +we want whizzers! +more blood here. +no... +how am i going to tell what call is your call? +let's move on past the fucking blaming shit. +it's over, baby. +god bless. +do you actually think I would hurt lois? +yeah. +I forgot. +Is this-- Let's go! +Pumped up! +I don't understand where this personal attack is coming from. +bye! +shh-shh. +I did? +No, no, you're the godfather, but I'm saying-- what I'm saying is, if anything ever happens to me-- oh, brother, don't even--yeah. +Hi. +true, it's helped me to unlock energies and see my options more clearly, but to give it credit for all of this is a little bit more than they deserve. +don't you think we ought to say some words over the bodies? +What the hell do they have? +I'm not. +You sound a little funny, honey. +No! +I mean, listen, +no? +we performed under the most complex and nerve-shattering of situations. +What is your goddamn problem? +More blood. +like a...a prayer. +I really did... but the walls started closing in. +You don't need me. +Or should I bring some cream? +Susan's friend? +George. +They can't do that, it's Orwellian. +Boris need a refill! +How are things? +Get out there, Gbatokai +He's sick, for christ'sake. +No, I'll walk. +We were always tracking back then. +Just go downstairs. +No idea. +She was being such a pain that I told her water wouldn't wash it out... but it really will. +"Shed Those Pounds Before Your Man Sheds You"? +And what are you looking at? +So, what's your professional opinion? +His opens doors, mine closes them. +Now you. +You crazy? +Dmitri Polyakov was one of the 25 agents betrayed by Ames. +A cold? +He isn't doing it because he's evil He's just weak +highlighting our ignorance of courtroom procedure +What is this? +And, I admit it, I want to see you fulfil your life's dreams before I die. +So we'll come pick you up in a couple of days, huh? +Well, it's the honour that matters. +Rest. +This one say he's got something you'll want to hear. +Thank you, Jack. +K.S. always said, +Dear god. +I don't want to die too! +I need to tell you about that... +- Hey. +- He's not? +This Goa'uld Nirrti, he once sent an emissary of peace... to negotiate a treaty concerning a Stargate, Apophis had taken control of. +- Well, as the rest of the room is empty,... ..I assume it has something to do with this stone. +All right. +Kendra could use Goa'uld technology because she was a host to a Goa'uld. +If we want them to be our friends, we have to show them they can trust us. +It takes time. +Careful. +Fight, and they will all die! +No, sir. +I have no feeling! +Uncle Mei was put behind bars. +You can't smoke right here. +Alright, I will spare her, but you should show me, screw her in front of me. +It's all right, help yourself to any food you like, OK? +I dislike this place. +Can I go, Mother? +I just waxed my shell. +Your son? +(snarling) +Listen to me. +- Show me the honey, too! +Oh, par ici. +See, all I have to do is resign and back you go. +You have got two choices. +Who are you looking for? +Listen, acorns. +The only one who is not wijffie is Roscoe. +I do not like those types like you. +- Forever. +You don't like it. +I'd like that. +- What brings you out here? +- Would you like to see the stars officer? +(Diana) According to what we could gather, the victim's body was found near here. +No. +Where do you live? +What's up? +The toilet, the door, the window, the chopsticks.... +Know what a gregario is? +I scored. +Women in their thirties are just so grateful. +Overboard... +-Right this way, my ladies. +Marie, why would you ask that about me? +. +. +No. +- Someone who's not me. +but there are countless others. +They don't. +Mais jamais non jamais +What Could Be Sweeter? +Come On, Guys. +You know what? +I can't even believe her. +Concentrate on pushing. +[PHONE RINGS] +-How could we have let this happen? +The next tour of the wine cellar will commence in two minutes. +This is worse than when he married the lesbian. +It could be better. +Technically, we still are over international waters. +You just said it because you saw me there. +It'll be great because we'll have Big Ben and little Ben in the same city. +Candy bars, crossword puzzles... +I can't see you anymore. +What's the matter? +Some lamps from our taming zone, tweaking him. +Go south, down seven staircases. +I just ran into Harriet, and she's completely changed! +(thunder rumbling) +Oh, here, honey, I want you to go and hang this on the doorknob, ew, it annoys the vampires, this bag defies logic, +I'm never talking to you again, you know, excuse me, +Pins and needles, (Cackles) +Stop them! +- Good night. +Oh, I completely forgot our project's due tomorrow. +Francesca met him at university. +How many rounds, admiral? +Flora around? +This is my family! +-All right, Iet me help you. +They hurt him like they did me. +In the meantime let's get these people home. +Now, if the SG rescue teams reach the same conclusion... it could significantly reduce their search. +How did you know that? +- Yeah. +Work. +Ever. +Carnot Square. +You don't know how to work. +Her mother's dead. +- Do you live alone? +Every time he goes to the post or shopping or the library +We might as well try some violence. +Well, between your situation and reading Deep End of the Ocean, she was... she was just a wreck. +OK. +I'm the bad. +I mean, is it a gathering, a shindig, +Well, maybe I don't need to understand. +Oh, God! +Uh. +Hey, your ankle's better. +From the clear blue sky +Annie and I met at the camp, and-and we decided to switch places. +* To you I'll be serving 'cause you're so deserving * +- No, no, really. +# "O" is for the only one I see # +Come on, girls. +Do not go in there. +I just have to finish this sketch and fedex it off to Paris. +- Look at you. +I think my sister was conceived on this baby. +* She calls my name ** +Now, throw the veil straight back. +Oh, my God. +I faxed your office just yesterday and they said you were out of town... and didn't know if you could make another. +Okay. +- ln Napa with her father, Nick Parker. +Seeing them together...seeing you. +Bye. +Has Dad ever been close to getting remarried? +Hand me the apple. +Not from you, thank you. +I mean, we came up with this arrangement so that we'd never have to see each other again. +- Excuse me? +You win. +Oh, excuse me, sir... +No, don't answer that either. +OK. +- Yeah, right, Annie. +- But... +You know, woman-to-woman. +Yeah. +- Who's Annie Oakley? +Honest. +Hi. +Oh, hey, it's stopped raining. +All of them are sitting at the Napa Valley Community Bank. +Annie. +- (girl ♪2) Look at them. +Take your pick. +This one's got your father eating out of the palm of her hand. +Well, you go first. +Forget it. +Mother always says I'm psychic; +All the plans we made! +-[M Susan ] We talked about it at camp and decided it would be the best thing, +- Well, yeah, the noise-- +He said how he felt Diana after terrible tragedy which struck him on the Ros? +- +Ne'eg has already begun his journey to the next level. +If his number's been programmed into your speed dial, you might as well shop for your tuxedo. +Dog-pile him! +And this is a picture Of the whole Sullivan clan. +Hike! +- [Whistle Blows] - [ Gasps ] +- Buddy, Buddy. +Stupid. +We were partners, among other things. +What makes this one special? +He disappeared. +REUBEN: +Dr Stelton's here from a children's home in Sussex. +(Party blower toots) +Nobody... +The man that gives you a last smoke. +Now. +- Bye-bye, darling. +He was about to kill a live baby mouse right in front of us. +In the truck now! +- A nun! +Magic? +He was dying of cancer. +Luigi and Andrea, Franco and Pietro, +A little nausea, but no big deal... +I went to her house and said to myself if it was a hint and if she did want me to enter... +I wish my experience had been a walk in the park like Jill's. +- I know that. +Open the fucking door! +THAT'S A DIFFERENT STORY. +WHAT, IS THAT LIKE DEALING? +WHEN YOU GET THIS MESSAGE? +A TERM WHICH STRIKES ONE AMERICAN WOMAN AS A CRUEL JOKE." +He said to me, +I can't believe it. +Now, the pump is computerized. +For you, Dr. Corday, it would be a pleasure. +I hope it won't scare other kids from coming to the clinic. +What did you think, that that was easy? +"Family my ass, lets go" +"Ohh, yeah, oohh right, tonight I fly! +"He drinks," +"No, not tonight. +He is never going to promote me +Dottie? +I can't see out the window. +- [ Young Billy ] Ma, my face is itchy. +[ Machine Whirring ] +- What ? +Well, the Italians call it trippa. +Well, he's got the TV commercial and he's got that club... where the girls take off their clothes. +Go! +Sit down. +Tackle 'im! +This is not nice. +Please don't do that. +No bullshit faces, no funny faces. +[ Jan ] Honey, it's gonna be 20 minutes before I'm done with dinner. +He stays till closing. lf you want to see him, come in after 2:00. +Just listen to me. +- Oh. +I'm gonna drag her outta bed, and I'm gonna bring her. +This way! +Oh, look at Billy. +- All right. +You're my wife. +- [ Man ] You're dead. +I was in a groove. +- get me tripe. +Sure, you can. +- Billy Brown. +Honey, you don't want some pop ? +I meant, could I have a ginger ale? +Well, he's got the TV commercial and he's got that club... where the girls take off their clothes. +Stirs it with a spoon! +So we got a situation here. +I'll tell you something else. +That's all I want. +You know why I didn't have a girlfriend? +Listen, I'm working on that soccer story. +$1,000. +- Ladies and gentlemen, please be calm. +Uh, Brian, don't you think You're taking this thing +[LAUGHS] +I'm dying. +I'll just say it. +You're putting me to shame. +I'm sorry. +I'll tell you about it later. +If you lead us from now on, this town won't be the same. +Yes, we can do anything for you. +I should think that after what happened in the temple, you'd realise that. +I'd trade places with you any day. +What's the problem? +If you have an imagination, that is. +[Max] 'The deal was, Freak had to stay in the hospital for two weeks. +They're doing the show. +Hey, hey, hey. +-How long was his book overdue? +We wanna beat the traffic. +Hi everybody, I'm Geraldo Rivera and welcome to this special edition of Rivera Live. +- And yes, he did notice,... ..so he wanted me to give you this. +You must be that slayer I've been hearin' so much about. +Something to do with the hatchlings, I'm sure of it. +I'm just playin' it safe. +Oh, no, it's not that. +Like that compares to kissing a guy who thinks the Hoover technique is a big turn-on! +You can bet that little Xander is thick-skinned now. +Cordy and Willow...? +- That the Slayer? +Up. +There could be a closet. +-You should come and bring your friends. +Sir. +Yes, Wieldy. +You told me. +I requisitioned this from David Batty's drinks cupboard. +There's fuck-all here. +- I know. +Apparently that's standard. +I'd been there a while. +- It is. +I didn't hang around long enough to find out whether he could get up. +Maybe you have finally found what you are looking for... and it's going to bite you on your-- +Good evening, Mr. Murdoch. +My name's Jason Murdoch. +Maybe you have finally found what you are looking for... +Do you know if Shell Beach is around here? +He... he gave me his card. +What are you doing? +Jake Murdoch. +So I told Fredrickson I was letting him go. +Someone just wants us to think it did. +It's all just a big joke! +Together we can stop them. +You were never a boy... +I tried to stop him. +You're kidding. +Your doctor called me. +Yes? +I know this is gonna sound crazy... but what if we never knew each other before now? +Driven. +It means these are all lies! +He may be delusional. +You saw something, didn't you, Eddie? +This is nothing. +You have to do this now. +A dash of teenage rebellion. +There is no ocean, John. +What are you talking about? +-This is nothing. +# Bend with me # +We require them for a quite different purpose. +- Emma, he's here. +No days off for good behavior. +No, I don't understand. +Yeah, who's gonna listen to a madman? +I don't know. +What about my childhood? +You will survive, John. +# Sway me smooth, sway me now # +That lovely summer I thought would never end. +You do not dance. +Because no kingdom should be made on the backs of slaves. +Upon your cattle, on your sheep +Mi-cha-mo-cha ba-elim Adonai +I will get there +# Deliver us # +Ah! +# When you believe # +- Be still. +* Oh, so noble Oh, so strong * +- Please, sir, I wish you wouldn't. +* Though hope is frail * * lt's hard to kill * +♪ But this chance that you may live ♪ +♪ And it's easy to give in ♪ +# Thus saith the Lord # +The ancient traditions. +- Oh, man! +- Let my people go +- Miracles +j With the salt of my sweat j j On my brow j j Elohim, God on high j j Can You hear Your people cry j j Help us now j j This dark hour j j Deliver us j +- [ Both ] Right away, sire. +Why did you go to him? +We're supposed to be working on this together. +It was the weirdest thing I ever saw. +Undo that, just bring it out far enough How much is it? +You mean"viscosity"of life? +No, he's in Toronto +There'll be a fireworks display, the largest ever, in Victoria Harbor +If you have the bodies cremated here in London +Not"Apprehensive Region", "Administrative Region"! +My God, how could you? +You... +Oh, no, not in that glass. +Just because you had a Growing Up Skipper doll doesn't mean you're ready for the real thing. +I'll get on with the job of announcing the winner who, today, has come first in this competition to see who the winner is in the king of the Sheep competition that we have all come to today +Still, I want to prove this state of mind! +He your friend? +Her son Elpidio had to be the best: +Don't be afraid, Mariana. +Well... +I liked it. +Sit down. +- My source indicated that it was a possibility +- Excuse me. +- Do you think we can be friends again, Miss Cross? +I just wanted to say that I strongly agree with your views concerning Rushmore. +Fighting Owls, let's go! +Yeah. +Please. +But I've got an idea. +Do you think she's in love with you? +Yeah. +Shake a leg +Joe, go put a dime in the meter for Officer Serpico. +- How are you, Rosemary? +Buchan said he'd have already banged her by now. +- Hi. +~ where I'll end up well, I think only God really knows ~ +You better beat it, sonny. +We got him. +[Applauding Continues] +But they can't buy backbone. +What else do we got? +I gotta go to hospital +- Yeah. +Not if you've ever fucked before, it isn't. +Whoa. +Showboat. +♪ Don't ever let it show ♪ +Doing what? +What? +Costa, you can't be serious. +Relax. +That's a nice way to remember your mother. +Yes. +- How's she doing? +- And all the troubles go away? +I-It's self-indulgent. +Vampires: +Too much alone time isn't healthy. +Now, don't forget. +I want to reverse whatever effect she's had on this world. +That's a good girl. +Do what you think in best. +No, thanks. +There's no difference. +I bought some fishes, it's cheap. +He's not a rough man, just go away. +You go to your room. +Yeah, I'd let him check out my kitchen floor. +We are bad people. +I'm sorry? +- I hate this thing! +Yeah. +What's this? +No, there's no ball. +Mamma! +I volunteered. +It's important to take things slow at first. +No, in the end. +were you proud of me again? +Come over, inside the house. +I know I should be happy, but I just feel, like, so empty. +Well, I don't know if I'd call them aliens. +I am the son of K'Vok. +Last time I saw that two-bit hustler, he almost got me killed. +Iolaus, that's almost a nice thing to say. +- You're welcome. +He's a carpenter. +Where are you going, Josué? +and let the light come through! +Only one buck! +Could you make sure the boy gets to this address? +Don't want it? +She's my friend. +Let's just say we' re friends ls he a good boy? +Party! +There are ways to prove your innocence. +Check the elevator shaft. +After I spoke with you. +You're going up? +You used to be a clean-cut boy in blue. +This'll all be over soon. +You're right. +I'm Rudy, so don't shoot me thinking I'm him. +I just want to see if he's here. +Hated that dog. +Put them on this table now! +Sabian? +... you'reaccessingthecreative centers and you're lying. +Two of the guns were recovered by you. +He didn't tell me his name. +We got to find out who. +Once he talked 55 hours. +A quick lesson in lying. +Well, all right. +Peel away. +Take your guns off. +This kind of action is a last resort! +-Excuse me. +Maybe that's what some of you want. +This is really, really unproductive. +He's contained himself. +Hellman thinks we can get a team in the vent above Roman. +Sabian's going in. +Did you just threaten me? +Go ahead. +I don't know. +Son of a bitch don't know when to shut up! +You hear anything? +No order is valid unless I give it. +I did 2 tours. +Next time you try and bluff, make sure you charge your cell phone. +That's where you come in. +I'm ordering them off! +They shot him. +Karen'll be taken care of. +Yoυ wanted to talk. +- You okay? +I'm in control here. +- Give me an update. +You get it. +REPORTER 1: +- Take it easy. +You had him distracted. +Understand that? +TRAVIS: +Some guy he was at academy with and knew from Area 6. +Special Agent Grey. +He'll only talk to Chris Sabian. +Come on, hurry up. +The call is out on the city-wide. +Frost gave him the go-ahead. +Hold on. +Why am I up here? +Aneta! +-tell us when you get there. +Boo. +Yes! +She unveils. +I know it may be small comfort, Mr. Phelps, but many educated collectors are taken in by forgeries. +I'm almost there. +Why does this happen with me? +- No, you've got to. +Erm, OK. +Well, we were. +Let's eat. +Bye. +You treated many of my kind. +We just got her settled in. +Nobunaga will be fortunate, to amass 500 of the village rowdies. +- I estimate 200, sire. +- You're welcome. +There can be all sorts around the corner. +A guy from the Social taking pictures. +- Cann't breathe. +Amen. +Place I'm gonna go when I die +- +- The truth. +Karen, have you seen the papers I left on the table? +Shit, shit, shit, shit... +sheila: +- Wait, Dadan. +That's what I want too. +He'll drink our blood. +-Look. +It was him. +Don't make a fuss. +-What? +Damnit. +I've killed Mariemaia. +How did this get here? +No military weapons remain in the Earth Sphere. +Come on, I can't wait out here all day. +Fucking northern monkeys. +And a traffic warden. +Fertilizer. +All as we need is 5 grand. +When? +'Because he knew there was no way Ed could settle that debt on his own.' +Well done. +A few nights ago Rory's roger iron busted. +Who you gonna kill, Plank? +What do you think? +His team's won, too. +Is he still in there? +We're gonna do a proper decoration job. +That's my 25 grand. +No mortgage, no debts. +Hold on. +Cheeky bastards. +Yeah, I'll have 'em. +Cheeky bastard! +They're at the bar. +The problem is, Willie, that Charles and yourself are not the quickest of cats at the best of times. +Or it'll be the last little visit you ever make. +I'm sure you do. +It's only 12 o'clock. +Fair enough. +The traffic warden identified the neighbours' bodies. +The bottom of a bottle, has been for two days. +You sell it with... +(CLOCK CHIMING) +I'm gonna need some artillery, too. +What's that? +Barry! +What's that idiot doing next door? +And they're armed. +Err... fertiliser. +If the milk turns out to be sour, +A few nights ago, Rory's Roger iron rusted. +Now if you want me out of here in five minutes flat, open the fucking gate, 'cause I'm gonna blow his leg off. +Well, I ain't gonna make the same mistake now, am I? +Where are they now? +- He likes your bar. +What the fuck is that? +You took your time. +I can't have the arsehole, can I, boys? +I'll be all right. +Spin round, big boy. +And I can't have the arsehole, can l, boys? +You'll find it's in your interest. +Half price. +Jesus. +Three card brag is a simple form of poker. +"That's fucking it," says the geezer. +# And I say I got faith in a season ## +- He's a fucking thief! +He's got... +What's that? +That includes blasphemy. +What, like guns that fire shot? +Dog, we've been up all night. +And these you can't change. +- Anti-social to say the least. +They weigh a pound or two! +You'll have to get them. +Go home. +We are now officially in the money-lending business, all right, son? +You went out six hours ago to buy a money counter. +[Retching] +Fuck that, you can think about it. +Go on, son! +# See a bad mother ## +Also, I think knives are a good idea. +He's got the guns. +Well, talk. +A bit heavy. +- Not especially. +- I'm gonna phone him. +So...the only thing connecting us with the case is in the back of your car, which is parked outside! +Of course you'll look mean. +Cheeky bastard! +Where did he get a hundred grand? +Plank, where's the money? +- Out the back. +Have you heard of Harry Lonsdale? +The only thing connecting us with the case is those shotguns. +Here's a ton. +I've got it under control. +Crazy... +Rory Breaker. +No. +I don't want any of that horrible shit. +! +Put your seatbelt on. +Welcome to our little community. +Now don't mind me. +Irish money? +I can't stand Joe Mayo's parties. +3 weeks? +- No. +- Yes. +Give me another bill. +How are things in jail? +- I haven't eaten since morning! +Fetch some liquor. +And come out from that door. +Hit me! +Vidya stay? +THEN YOU KILL YOURSELF. +JOSH! +I THOUGHT YOU WERE DEAD! +LOOK, I UNDERSTAND. +YOU'RE KNEELING ON MY JUNK! +! +She likes having a boyfriend who's unstable because it gives her inspiration for her creative writing. +? +OH, LOOK, THERE'S MY ADVISOR. +JOSH, IT'S ME. +OF YOUR STUPID PLAN, SO JUST DROP IT. +YOU GUYS ARE FUCKING COOL, MAN. +"GOOD-BYE. +HE WAS JACK--A-LACKIN'... +HER NAME'S CARL. +YOU'RE CRAZY. +What do you want from me? +Hey! +No, but it's dinner time and they'll be looking for me. +He probably wants to scare her or lock her up someplace +But that's not the way you sing the song +[ Woman ] Every one of them had the same thing, and they're perfectly normal. +Sonia. +What do doctors know about love? +You are going to bore me to death. +Who made him this way? +I think I saw something. +Oh, Freddy. +-Are you-- +The administration feared the eastern Mediterranean might fall to communism. +Unless your people get off their encounter-suited butts and do something... +"and if your daughter Hilary would agree to play the flute part." +Of course not. +Ok, yes, please. +- Then I look for you. +To keep you cool. +Uh, sorry. +Used the offer to negotiate a bigger salary back home. +Apparently, he took too much insulin. +- Not in a million years! +Take that woman over there. +Bradford's working to rule. +I have never felt that more than I do today. +Dr. Kendricks, come with me right away. +My people. +What am I going to do with this child? +I'd rather have you yelling at me or angry. +You can be a huge help to me, and I can help you. +Oh, it's true, all right. +No, if I did have, I'd give it to you. +To you or someone else? +If you like. +Tomorrow's already the 10th. +V.I. Lenin. +Dear, for your information, the Supreme Court has rejected prior restraint! +I mean, it might not be such a simple, uh... you know? +I mean, I had an M16 Jacko, not an Abrams fucking tank. +You don't have the fucking girl, dipshit. +What the fuck is that? +That's the simple part, Dude. +- Yeah, I get it. +Far out. +Written by men who are unable to achieve on a level field of play. +I'm saying, she needs money, man. +I'm Jewish as fucking Tevye. +ARE YOU SURPRISED AT MY TEARS, SIR? +Quintana: +AND AS FOR COMPENSATION +I GOT TO THINKING WHY SHOULD WE SETTLE +[FOOTSTEPS] +Walter, what's the point, man? +These guys, you know, they're like me. +Oh, my fucking briefcase! +She hit me right here. +It was taken when Mrs. Reagan... +Yeah. +Just a friend of Maudie's. +Look at it. +No, Walter, face it, there isn't any connection. +No funny stuff, Jackie. +Give me the ringer, chop-chop. +Yeah, I saw that on the report. +So viva Las Vegas +# Here on the range I belong # +I'm not greedy. +Not the compromised second draft. +I'm a fucking veteran. +Well, that about does her. +- Put the piece away. +' +We'll get that fucking $1 million back... +Dude, please. +I'm adhering to a pretty strict... drug regiment to keep my mind, you know, uh, limber, you know. +I did not know that. +Takin' her easy for all us sinners. +Sex, the physical act of love. +Jeffrey, what are you talking about? +You shouldn't go in there, Dude. +! +I'm not buying it a fucking beer, he's not taking your fucking turn, Dude. +- Not on the rug, man. +- No, you're not wrong. +You are scum! +- Can we just, uh... +Perhaps you're right. +0K, Dude, have it your way. +- Here, your wheel. +My rug. +You never went to college. +Ok, we proceed. +You see? +Tell him we made the drop and everything went, you know... +Within the city... +Hey, yo. +Do you have to use so many cuss words? +Is this yours, Larry? +Mr Lebowski asked me to repeat that. +Put the piece away. +No, Walter, +THAT HAD NOT OCCURRED TO US, DUDE. +SHE JUST PICKED UP AND LEFT. +AND THEN I FOLLOWED IT IN +Facets To This, A Lot Of Interested Parties. +It's All A Show. +About His Million Bucks? +We Want Some Money, Lebowski. +Excuse me. +! +Yeah. +Listen occasionally? +You fucked it up. +The TV's in here. +You ever hear of the Seattle Seven? +- Dude, are you fucking this up? +- He fixes the cable? +That's cool. +Please, dear, for your information, the Supreme Court has roundly rejected prior restraint. +Catch you later on down the trail. +♪ They're all livin' devil may care +Sometimes there's a man... +What the fuck is this? +I'm sure they'll fucking understand it. +Should be a pushover. +It's Bush league psych-out stuff. +Fuck that. +Well, the Dude abides. +Look at our current situation with that camelfucker in Iraq. +- What the hell is this? +Walter, we didn't make the fucking hand-off, man! +Yeah, fuck it, man. +Jesus, Dude. +- Yes, yes. +What was that shit about Vietnam? +We're screwed now. +There is no fuckin' hand-off, man. +If you successfully do so, I will compensate you to the tune of 10% of the recovered sum. +Okay, Dude. +Vagina. +I didn't rent it shoes, +Coitus. +Oh, come on, Donny. +About his million bucks? +Is this him with Nancy? +What the fuck we? +Jeffrey, you have not gone to the doctor. +Man, come on, I had a rough night, +3,000 years of beautiful tradition from Moses to Sandy Koufax, you're goddamn right +They should be pushovers. +No. +That's $1·0. +- Pinking shears. +I'm sorry! +0hh, man. +Since you have failed to achieve, even in the modest task which was your charge, since you have stolen my money, since you have unrepentantly betrayed my trust... +Is this your homework, Larry? +Far from it. +Dude, I'm sorry. +- I am the walrus? +Yeah, but... but, uh... what about my, uh... +Far out. +- Oh, yes, Mr Lebowski. +ve vant the money, lebowski. +you bunch of fucking crybabies. +Yeah, he followed us here. +I assure you, sir, she'll be very safe with me. +Jolinar, hurry! +Your name is Martouf. +So was I. +That was the thing about season Eve, starting with the season ender from the previous year; and Redux and Redux II, the episodes that started, where Mulder has faked his own suicide, there's a tension between Mulder and Scully. +[ Man ] WE NEED A DOCTOR ! +- No, she's in there. +We'll proceed as planned. +- THEY MAY WELL HAVE SAVED AGENT MULDER'S LIFE. +FEED MY FISH. +I know that, too. +I can help you mine the naqahdah and we can fight the Goa'uld, if you trust me. +Um, look... +We can't let him go back. +Yes, you do. +Look. +That's the judgement. +We're out in the country. +♪ Pretty girl on ecstasy ♪ +nice show tonight. +? +YOU MUST HAVE SOME THOUGHTS. +This is Mrs Bradley. +Why would they both take their masks off? +Now, you're not gonna go see your mom? +- This is-- +- Did you find Chloe? +On its way. +We've got a lot of good to do today, Joxer. +I'll take care of him, but you have to write down everything that I do-- no embellishing, no poetic license, just exactly what you see, all right? +- l don't want to put you out. +- You're insane. +- She found it relaxing. +-Look. +Mind your own business. +I want to help with the investigation. +Your opening remarks are scheduled for 7:30. +I want to help with the investigation. +-I ain"t playing. +Put your hands up! +You got $5.00 on you? +You was right about me, all right? +What's that? +Come on. +That's what I've been trying to tell everybody. +-That's nothing but a cigarette. +Next time I come here, y'all better clean this up! +It's lights out. +Hey, man! +They don't like you. +We will intercept. +You're right, man. +I'm sure. +Why you didn't come to church Sunday? +Shit. +Excuse me? +What's wrong with you? +You full of shit, you understand that? +Whatever. +You ready to go? +This is the United States of James Carter now. +Darling, if you only knew +You better watch your mouth! +That's bad for you. +No witnesses. +Well we can't go anywhere or else that big scary monster outside will get us. +Couldn't get enough of it. +I wouldn't say that. +Too slow ! +So, tell me again what we're looking for. +Well it's nice to meet you, Pete- er, Bert +I'm sorry, fellas. +Just a little dress pin, say? +Miss Sharp. +Captain Crawley. +Why should that affect us? +All right, where do you think you two are going? +That afternoon I dragged my poor tortured soul... out to lunch with Stanford Blatch... and attempted to stun it senseless with cosmopolitans. +I am the Luna Park Cafe. +What? +Internationally, I would imagine. +- Get the cars ready. +You know, I understand Chinese and English +What"s the hurry? +Can you introduce me to your friends? +Check it out. +There's no sign of him anywhere! +Really, I've heard that's quite lucrative. +Me? +And Tsukamoto was in Hong Kong at the time. +Come to the Tsukamoto penthouse. +Oh, well, I've... +The flat will be taken away sooner or later, it's wise to move out now +Your daughter is waiting for you at the party, come ASAP +No problem +All right, 80-20 and I'll take the down payment. +This is my friend. +I'm warning you... don't even think about it. +Out of the way, people! +- Captain... +Nice work. +It goes right through his shoulder into the concrete. +One of them's finally snapped us in the ass. +- That's another good one. +I mean, the woman builds her dream house... and these brats come along and start eating it. +Well, are you ready to answer my question now, Jack? +Lock this place down. +You've met Blade. +[Growls] +He was fucking with me, man. +Just do it, old man. +Heh heh. +He took my hand again! +Yeah, I know... but I didn't. +You wouldn't even understand them. +Can't be. +Some motherfuckers are always trying to ice-skate uphill. +If he's loyal enough and he proves himself, maybe his master wlllturn him. +You asked for some time off, I gave you some time off. +Wow. +[Snarling] +Blade. +It turns out she's a haematologist. +Pathetic. +You watch her close. +Aah! +[Chef speaking Asian Language] +Big guy, relax. +Look at the polys, they're binucleated. +Look what he fuckin' did! +There's a war going on out there. +Oh, my God. +Fuck. +Would you guys make up already? +On Tuesday we go to Malmesbury for the auctions. +- I don't care who it is. +( sobbing ) +I always thought Lisa would be the one to get her ears pierced. +- Oh! +. +- I just don't. +- and I knew about it... +It has six levels. +I'm not going to have a baby. +Bye, Ma. +I'll get to it in the morning. +It's our home. +Let me know. +- As what? +What's your status over there, Birkoff? +Biff, no, it's "g'day. " +Hell of a problem, right? +It's my fiancée. +Look, I don't mean to interrupt your game, but it would be nice if you at least looked at me. +Daphne. +That's good news. +Make yourself at home. +Stop it. +Don't I get a kiss? +[Clicking] +- I'm sorry. +- I have? +- I wonder why. +You can do whatever you want. +Maybe, maybe not. +Get me black jeans, black T-shirt and the mountain boots. +Master... +You love it. +Son, do you see the stairs at the back? +(cheering) +Come, your mother has prepared a feast to celebrate the Sabbath. +Ephraim... +- You've been here two months? +They are windows. +They're not too keen on him at The Ministry. +Private property. +- More or less. +Indeed I will. +Old wound. +Not anymore. +Local carnival or something? +-I brought it with me. +a conservative estimate, that takes you to 80. +Home, James. +One... +You have to leave? +Joey's not stupid, he's stolen! +If you're getting tired of that one, we can have others made up. +No, no, no. +We're out. +We can celebrate once you've settled in. +But I will be. +Noggles, take it easy. +! +You know Dean? +No, it's "Party every day!" +I don't know. +I need you to do that for me, okay? +I am. +Phillip Hamersly of Syracuse, New York. +Air One, suspect heading towards front exit. +Air One, confirm. +That you're gonna be asleep when I get back. +Uh, meet me tomorrow, 11:00 a. m., Mount Vernon Square. +Basically. +- None. +We got a 20 on your suspect heading south in tunnel six. +- Oh, Christ. +- Do we have anything to hide? +- Did you try the American Express? +Uh, yeah, uh, just a second, sweetie. +Could you send somebody up to my room, please? +Listen, people, everyone here knows where this is going. +- Yeah, I agree. +Eat your food. +Let's get this place cleaned up. +Over. +Zavitz changed the configuration of Dean's packages. +Thank you. +{Dean) Blow over? +Do it! +You know, in guerilla warfare, you try to use your weaknesses as strengths. +I love you, and that is it. +I wouldn't have, but I understand the argument. +- A name? +- Is there anybody following us? +- Won't they look in there? +Uh, finish up my Christmas shopping. +- I'm sorry? +- Can I have one second, please? +My son had it. +No. +Come on. +I would like my clients to be able to exercise their constitutional rights. +- Yeah, sure, here you go. +- Because you made a phone call! +The box is called a hide. +- Wait. +Come in on my signal. +And I will not allow my family to go through that. +So after the signal, you turn the mike on. +The only privacy that's left is the inside of your head, and maybe that's enough. +Because I wouldn't let you. +- That's not you? +Pulse is at 24 gigahertz. +- I picked those drapes. +We have to get a confession out of this guy, on tape and fast, okay? +You're either incredibly smart or incredibly stupid. +Beat it. +- Shit- +It's completely secure. +This conversation is over. +At least they left me one. +I missed you so much. +These are the parametrics for the space vehicle during data acquisition. +- How you doing, Bill? +Why, hello. +Come on. +he picks it up later. +Oh, no, no. +{woman #3) We'll have more details as the story develops. +Oh, Jesus! +Baby! +- Oh, we're not here to talk about the accident, Mr. Dean. +- And what does that mean? +- Ever since the problem, I've never touched Rachel like that. +No, see, my worst nightmare, Mr. Sandoval, began the day the Taelons arrived on our planet. +That fifth couple, they might have made it too, except he was a Christian Scientist, and they fought about the hospital. +Well, well... +I just need a little bit of time. +Building owners and business people from the community. +Oh, no! +Yes, sir. +Sounds big. +That area has been exposed to dozens of nuclear tests. +We're good. +We're ... good. +- I can. +Hold on a second? +- I didn't know that. +Sounds pretty big. +We did? +- Yeah. +Echo 4, where is target? +How do you know? +It's between you and Rodriguez. +Nick, there's something I have to tell you. +Turn off the lights. +Move it! +Listen, Mr. Roach, you get your people out of here, or I will. +Full ahead. +If you continue on your present course, you'll be intercepted by a squadron of my warships. +I will see you again in a little while. +Or maybe he didn't have a choice. +We just need to put something metal between them. +And our guys have to seek 'em out and vaporize 'em. +I know. +- Fimple, turn that off ! +So be ready to ride and say it again +I've got parents too. +Well... okay. +We have met the enemy. +-Have mercy. +Was it because you realized that it was your duty to be honest with your Captain? +How come? +He was suicidal. +- Yeah? +His foot's caught. +Sophie, you okay? +Yes, and we were impaired because we were unable to find this important manual. +Oh, I'm so glad! +You'r e watching "Sports Night" on CSC, so stick around. +Esther. +He succeeded, didn't he? +NO ! +INVISIGOTH. +A foreign national with his kind of connections? +[ Distorted ] F.B.I. I'm a federal agent. +You don't deserve to be a byliner, Nash. +Chandler, that's crazy. +I gotta talk to her. +You know, at the Taj Mahal he has his own private glass elevator. +All right, I'm just going to ask you this one time. +Put your umbrella over there +But still alive +It's just a passing sunshower +...that you planned this trip... to tell me it was over. +I've got my job. +Maybe something's happened. +Quick. +Shao Kahn will kill you if he finds you gone. +I had the lobster bisque. +Jerry. +You don't know how you're feeling about something until a person like you comes along and articulates it so perfectly. +You just tell him that you're my boyfriend and that we're in love, okay? +-Hey. +[ Bones Snapping ] +No! +♪ se penjem tebe o vrhove, ♪ +Why didn't they kill us? +Who's looking after it? +You're not gonna find her. +The other day I... +You are insane. +And there in the center of it... was Brian's American wife, Mandy, whose dramatic transformation to London party girl... was a constant source of amusement to us all. +Last I'd heard he'd returned to Birmingham, but this was... three years ago? +Einstein. +He was performing'? +How might that scenario, purely hypothetically... how might that scenario appeal to you at this juncture? +Piss off! +Everything, it seemed, started at the Sombrero. +What? +♪ That's why they talk about personality ♪ +Call me on my cell. +- No, that's a six. +HE'S A PREPUBESCENT DRUG DEALER. +THIS IS WHERE I DO BUSINESS. +( knocking ) +- YOU ARE TOTALLY AFRAID. +Mom? +The murdering bustards! +or I'II screw you with an electric saw. +And we will prove that even in the face of mounting evidence against +And you go on. +You're under arrest. +Look... +The Garbage Man story has four different versions. +Mind your head. +He didn't want to publish my story and we all know why. +An elegant volume, 50 to 100 copies. +I say you're not a good reporters +Boss I'm so sorry +You can judge love with this material? +Who is the landlord? +I think you should understand though a girl dines with you that doesn't mean she will sleeps with you +It was just a pretty misunderstand +I know, I want you to get beer for me +Candy! +What do I wear? +Yup, a real bird lover. +It's not very often I get to hang out with another operative. +What are you going to do? +This can't be the first time anyone's gotten pregnant in the Section. +- Here you go. +A little. +I say, "Fine." He says, "There is a catch." +# There's nothing more that I'd like to do # +- Uh-uh. +- What's that over there? +Rats! +I do not speak English? +American 87, Phoenix turn left ten degrees direct Santa Fe VOR'. +Have you checked out the chapter on deicing by any chance? +- He has, boy. +I don't understand this. +Hey, Larry... +Here we go. +I'm making a citizen's arrest! +Would you hurry up, please? +Where are you going? +Are you Pecker? +right here in New York City. +Captain Crunch! +I have a toast. +Chief among these scientists is psychologist John Watson who offers a theory that is the mirror opposite of eugenics. +Still leading the pack is John Watson himself who has left academia for the far more lucrative field of advertising. +John Watson and the field of advertising is the perfect marriage of theory and practice. +Skinner is firmly in the behaviorist tradition pioneered by John Watson in the 1920s. +It begins with a surgeon named Henri laborit in search of a medication that will calm his patients before surgery. +For example, being severely malnourished during prenatal development may trigger schizophrenia years later. +I'm giving it to you. +She was such a nice girl and beautiful. +I must find an assassin to kill the King of Qin. +I'm begging you! +You are no longer the person I once knew. +We will see who will be King +Where is he? +Your majesty +Your hatred has won! +Understood. +- You look beautiful. +Let's go. +Come on! +I'm tired, hungry and horny. +Oh, my God. +No, no, no, no. +Yeah, yeah, yeah. +Dr. Robert Joley. +Aw. +- I'm sorry? +Get in line. +[ Chuckles ] To Nina and George, our wonderful new friends. +I want you to meet my great friend, Joyce Myers. +- Vince is the father of my... +Dog: +Are you a flying squirrel? +Get it done, Chakotay. +It's the cone- shaped device. +Rupert. +Oh, man. +You don't understand, Joyce. +But, Spike, the bad teacher was going to restore Angel's soul. +You can't get out of this. +- Does this look like a Barnes Noble? +I haven't been able to sleep since the night we made love. +Can you move your leg? +I've gotten you this far safely, haven't I? +Yes, ladies and gentlemen, play the game. +If you were so worried about Mrs. Hooper's safety, why didn't you turn the video over to the police? +... no one can catch me. +the wax and wane of caribou populations; +Mr Cohen? +No, I ain"t saying you steal it. +No. +You've translated all of them. +That word was the true name of God. +- Mr Cohen? +Eight! +It's a mitzvah Jewish men should do. +Five. +I'm sick of you following me. +At first, it blinded me, +If you graph the numbers of any system, 'patterns emerge. +- Farrouhk? +Mitzvahs, good deeds. +Aaargh! +Have you met Archimedes? +My name's Merlin. +If he is... let him draw Excaliber from the stone. +I'll never condemn you, Arthur. +It's traditional to open it, first. +Gawaine, I hope that you don't win... you know I need you to come with me. +A wise answer... +Where is he? +That is your fear... not mine, Mab. +He could have been my star pupil, Morgan... but he proved... disappointing. +I've seen better... +That's my advantage. +I give you... +COME. +( grunting ) +I HAVE TO BE MAD TO STOP THIS MADNESS. +GOOD NIGHT. +AND I WAS CURIOUS. +THE BATTLE... +She'd served her purpose. +Mother... that's... +Do you wash behind your ears? +- Sure thing. +The first three are strictly mercenary material... +[ Gasps ] +He has a lot to live for, and so do I. +Ohhhh! +That would be terrible. +Vulpix! +This belongs to my grandpa. +No need to buy these cheap saris. +That fortress could be one of Molly's wishes, made real by the Unown! +Pika! +AAH! +THE CLONE IS TOO FAST. +[WHIMPERING] +Stronger even than Mew. +Your Powers Are Not Being Suppressed. +None. +Why don't you take him? +Please all help him out. +They won't match your memories exactly, so please just use them for reference. +In Aoyama, I don't know if it's still there. +Well, what about you and that little trapeze slut down in Tampa? +Come on. +Let's go. +That thing you got going tomorrow, can I still get in? +- Why my place? +- What's that? +You're not paying your bills? +You're always dying to do something for me. +- Go ahead, give it a squeeze. +Great. +- Hmm? +- l'll stay put. +Do it! +- She's not your daughter? +He saved me. +Yes. +But I don't understand why you're being so kind. +We can't afford to pay for them. +'Like my mummy's,' the sweet angel said. +Where are your documents? +Wait a moment. +The day begins... ..and now let's see... +Listen to me! +is he alive? +[Groaning] +You understand that? +FUBAR. +This is all that's made it? +- You all right? +I'll wear him like underwear, Captain! +Damn it, stay down! +Upham, switch off with Jackson, and you linger in the rear. +Well, you think about something specific... something you've done together. +It won't be much longer. +Tell her that when you found me, +Orders, sir. +Shore party. +Look at this. +I feel it's my duty under your command to suggest that we wait until it gets up to 1,000, sir. +You stay here, you're dead men! +D.'s hurt so bad he's sprung a hundred leaks! +Help me up. +-It's about the size of an acorn. +I need another bandolier. +No, no, no... +One is a waste of ammo. +If He was to put me and this sniper rifle anywhere up to and including - one mile of Adolf Hitler with a clear line of sight, sir... +Parker, get down! +I'm a captain. +Does he know him? +I say can you see I say can you see I say... +But that means I've saved the lives of 10 times that many, doesn't it? +There's a little defilade over there, but it's the perfect fire position if we get some goddamn armour on the beach. +Covering fire! +We got anybody speaks French? +- Yeah. +22 men dead. +I´m Juden, you know? +You be right behind us! +Well, you let me know then. +Put some pressure on it. +And this position right here, this is the Alamo. +I thought you were my mother. +"of a loss so overwhelming. +Who's your CO? +Reiben. +We do that, we got a fighting chance at their flanks. +These 2 minefields are actually one big one. +Like the one he gave to take this machine gun. +He was dropped about 15 miles inland near Neuville. +The last 11 years, +Wade! +All my strength, haste thee to help me. +Oh, you might want to check these out, sir. +"...no words of mine can ever relieve the grief..." +Here it comes. +"The loss of Lee and others like him is a distinct blow to the regiment." +Ben Rubino. +Priority. +You all right? +This is a football town, let me remind you, and, yes, the team will get new jerseys and new knee pads... and new jock straps and anything else they want in the name of education... because that is what the school board wants. +[ Girl ] Okay, now listen up. +Get off of me! +The, uh, thing I found yesterday-- Where is it? +Wait. +She got some bad shit. +They've been calling students into the office. +- I've got a very large grocery list. +- [ Stokely ] I think so. +It's late. +I'm saving my sick days for when I feel better. +It all started yesterday when I found this thing, this new species. +- You're not playing tomorrow? +Contacts. +[ Announcer ] Oh, somebody stung by the Hornets! +Come on, Miss Burke. +His behaviour was slightly odd. +You know, in my world, Casey, there were limitless oceans as far as the eye could see. +Yeah. +Open the door. +Jack Finney's The Body Snatchers is a blatant rip-off... of The Puppet Masters by Robert Heinlein. +You know what I'm saying? +"Individual Action in Society." +It's beautiful. +Come on! +- But the company... +There are not enough drugs in this world. +I'm the one with no tolerance, you pathetic little runt. +Everybody gets hung up on the science part, which has nothing to do with it. +Please let me finish this so we can go home. +- Oh, man. +Find him! +- What? +One took after her mother. +No! +I'm not afraid at all. +I can't believe it! +Got it? +We shouldn't have had a kid in the first place. +About a video? +We'll have to send the plant new data directly. +That's Julie Derikson. +-Good. +Look, I'm gonna grab some lunch. +But we'll never see her again. +Ah, Lupi. +Oh! +- Alistair's role model at university. +- Something missing? +At first, I thought it was some cryptic threat, like in that Sherlock Holmes story, "The Pictures of Matchstick Men". +There's more. +It can be fixed. +Wandering in my own Musashino I'd stumbled on the place he was. +His dad's like, OK. +Oh no. +Go on, sit down! +You could have killed him! +- Coffee's better in St Petersburg. +I've got something to show you that's better than a teddy bear. +I'm sure he's just trying to help. +- Thank Bob. +Maybe a giant baby losted his choo-choo. +It lands on bad flowers. +- Let's go the other side. +But I was doing just fine! +- [ All Screaming ] - [Timon] Yeah! +¶ ln a perfect world ¶ +Wait! +* Can I still just be me * +I saw it with my own eyes. +** [AfricanInstrument] +All we do is dig... so we can hide and hide so we can dig. +No. +¶ Disgrace ¶ +Tomorrow your training intensifies. +- You brilliant child. +Hmm. +- You've killed your own brother! +All of us. +No! +Without a worry or a care +Aw, she'll never believe me. +- Nuka! +They do? +Cool! +Go on! +Mother, are you watching? +Hello? +[ Grunts ] +Huh? +Hello! +- There's trouble with the boy. +[Cuckoo Clock Chiming] +I couldn't breathe deep enough to fill my lungs. +I want to cross check with the raw records. +- Areyou okay? +that you recheck your figures. +OK, calm down, everyone, calm down! +But it opened really hard. +Frank will help me. +I came up with it. +Scare her! +None of your business. +My boyfriend Joshua. +You can't give up on your dream! +What information can you give me? +We are 4,000 miles from the United States. +My spice rack. +- We came to say good-bye and to wish you good luck. +How would you know? +Kenichi, the r est is up to you +I hear you buy anything but children's organs +We've never dealt before +What, too heavy? +That's why so many black men run the country. +How'd we get scheduled for a drop when he's the main speaker? +He'll sit and snipe. +Right. +Polls are still open in New Hampshire. +She has no proof, no credibility. +We are outside the mainstream. +Hey, Mr. Burton. +charlie turned them all down. +- It's not a visitor. +- [ Hangs Up Receiver ] +[ Henry, Country Accent ] ¶ I don't ever want to play that song again ¶¶ +Some of us got more time than we'd like. +-Bullshit is right. +Do it. +to the awful allegaion that you are the father of a child by a teenage girl? +My friend and I are very, very grateful . +Nice meeting you. +You are my sunshine. +- What was that? +We have about as much in common as... +- Excuse me? +He means the world to me. +- Did you even look at this? +What are you so excited about? +Where are they? +Your parents, or girl problems ... +- It's called being neighbourly. +You're going to spend the rest of this quarter and all your vacation studying. +- I know. +You just do it, all right? +- No. +That was the end of my driving in America. +- Maybe you just don't like girls. +So, what's the story here, Ed? +Face right. +- I think so. +[RINGING DOORBELL] +I mean, exactly? +If you're going to behave like a fucking schoolgirl... +The doctors say he'll be out soon. +This is our destiny, and we hold it in the palm of our hands. +I'm gonna tell you a little bit about tonight's festivities. +And now's as good a time as any to die. +Three. +Just a little bit more and I'm done here. +No, I did. +-No, Sherlock Holmes. +Madam doesn't tender her services. +She didn't seem lost. +GOD. +So, why are you showing this to me now? +- That's better. +You should give it to him yourself. +If so, they'll be officially classifiable as hostiles. +Ho, ho, ho! +He's in the meeting room. +Whoever they are, they don't belong there. +Go back! +Replaced? +We have no doubt that you are a very, very good soldier. +Well, we won't. +Jolly. +On what day was your mother born? +Four Joys! +Even if Young Master Zhu weren't engaged already... how could Jade expect to be his first wife? +No flower girl relies on just one caller... and no gentleman limits himself to one flower girl. +They're just checking on gambling in the alley. +You could torture me to death with accusations. +Are you really that good? +Jennifer. +Then let's go to Chubbie's, okay? +If it's not the truth, I'll break under the cross. +If it's not the truth, I'll break under the cross. +Depends who asked. +Hey! +You could start out with a little one. +Come on, let's go to the balcony. +For some people. +It came with the pants. +-No, I don't want to get attached. +- Hey. +Okay. +Doesn't that get confusing? +- Jem'Hadar patrol. +- Sir, we're being attacked. +- Ouch, my nose! +Kevin? +ONLY IF YOU WANT ME TO. +Yes Yes... +Tauna, comes up, already! +Whoops! +Fine. +- And Panic ! +I'm afraid being famous isn't the same... as being a true hero. +Sorry. +# You're doing flips Read our lips # +Boilerplate. +[ Laughing ] +Come on, Mandy. +I am your Elizabeth. +The Duke Has Some Other Game. +I Will Have One Mistress Here! +COURTIER 2: +(MUSIC PLAYING) +Not with the head. +The people will always remember it. +You serve your master well, Elyot. +I have been waiting. +And the dough? +Hey... +Are you? +I came by to visit with Timmy. +WILL CHANGE THEIR LIVES. +- Gonna have to wait -- +I mean, you're not really... dodgy? +- In your dreams! +Shit! +Listen, if you tell anyone, it's off. +I nearly pissed my pants! +- Thanks you to +I rock ? +I don't know, guys, it's getting kinda late. +I just borrowed it for the night. +Seven million. +We have nothing to lose. +- Let me take you to the hospital. +- No, I'm not. +- Just take care ofyourself. +I got myself locked up in solitary to get away from some guys. +Jeff ... +Uh, well... +I don't know. +How you doing? +Yeah? +US ENGLISH +Yes, but... +This is none of my business and she has every right to loan you money. +What do you care whether he's dead or not? +What do you mean sort of? +Right. +The report says four of the Bradleys sank during testing. +What? +- I don't want to. +Voyager may be alone out here, but you're not. +No. +An old friend Just walked in. +BERNIE (laughing): +Oh. +Even the Home Shopping Network has 24-hour operators. +Sure. +(delivery man groaning) +I saw it on the Discovery Channel. +No, Dad, don't do that. +Your credentials +You never see a man do that, see a guy take a suit off the rack put his head in the neck, go, "What about this suit? +- I'll put Elaine's stuff in here. +- But you didn't have to take it. +- I'll bring the car around front. +- With what? +- What? +I brought George up to see some of your paintings. +Well, really, they're dark brown, like rich Colombian coffee. +I am breaking up with you. +I never even saw the ball. +- Yeah? +We're one out away from losing the series. +Nobody ever wants you to come over and see their grandfather, do they? +I have no control over it. +Then you flush. +End of the night, I go in for contact. +- Should we have some coffee? +Seinfeld. +You know what I mean? +- Maybe. +They owe me $10. +Shut up. +Hi! +It's not over yet. +There have been tens of thousands of deaths in the rural south by the time Joseph goldberger is assigned the case. +Osgood: +It's said that probably more soldiers died from infection than died from direct bullet or shell injury. +Once the girl is gone, it's only me and two men I trust. +I know what they're thinking-- we get it approved now, say we're sorry and fix it later. +No operation goes exactly as planned. +I don't care. +- [Woman Screaming] +The guy's got a family. +Forget about it, Cyrus. +Where are we going? +Or you can throw away your whole career. +I was hoping it'd be you. +They told me what he was gonna say, and he was gonna be the signal to go down. +Hi. +Um, you remember I told you that my glasses, they had fallen off, and I couldn't quite focus. +Walt ! +What is this, a heroic stand ? +- two, one, go! +He got no snap in his punches. +Let's go. +Do we have a Ned Campbell staying at the hotel ? +You'll never leave Sin City ? +It's time. +I gave Koo the gun. +- It's not responding! +Oh, thank you! +- Closed-circuit monitors active. +AND THE REMNANTS OF OUR RECENT TRYST. +* I'VE DONE A LOT OF FOOLISH THINGS * +LET'S JUST LEAVE IT THERE. +-Just go with the flow. +Let's just say sometimes people sort of catch you when you' re down and try to take advantage of you. +- Maybourne is flying in his personnel. +This facility is frontline. +It is, in fact, getting worse. +I don't know. +It is as it is +Because, like you, Joseph, he didn't know what the Immortals really are. +The government is as capable as any corporation. +- You want some tea? +Good man +I played ! +Some poor guy searching a list for my name and not finding it. +New York! +Ya-nk my ch-ain. +I learned to live that way. +Fuck poverty +His nead bursts with memories and there's nothing he can do about it +like rich folks puts that in the middle, don't you think? +The captain said we'd be passing the Tropic of Cancer soon +I don't know +Never mind the money +If I tell you there's a man aboard the Virginian +"under the Eiffel tower, for the people who throw themselves off" +- Let's sit down. +Once you've finally heard it, you know what you have to do to go on living. +So you want to to say that ... +The developing organism is using his life energy, digesting bone and tissue. +I told OPR everything I know. +- Why do you think I'm bored? +Come on, Mulder. +You're quitting. +The coincident invasion of a host, the fireman, and an environment that raised his body temperature above 98.6. +Where should I start? +Mulder? +- I'll call my CO. +They're just fossils. +We follow procedure now. +This is weird, Mulder. +Yeah, I have it on my business card. +I'm gonna be the new office assistant. +- Ok, bye-bye. +Look, I just wanna get on the plane, go to Morocco and start having some fun. +which may not have quite the impact I thought it would a moment ago. +But he-- oh my God. +To Joe. +We don't need another scale. +Follow your bliss. +When I said before that I wasn't married... +You know, we've narrowed down the identity of Jack's father. +We got no choice. +I TRIED TO FIND HER. +I LIKE IT HERE. +"plus the secret ingredient that unleashes... the awesome power of apples." +Urgh! +It was his life. +- Mm. +Yes, sir. +- This, is quite beautiful. +You're coming back to me! +You're a cold fish, so what? +He's given the whole thing away. +Six, seven, eight, nine, ten. +I will kill hostages at 60-second intervals. +- Yeah. +It's essential. +As long as I've been living, the French have been fucking us. +- Did you catch any big fish? +Geller's got one hooked! +[CLICK] +so called because of his time spent at the local gymnasium perfecting his musculature. +Theyre not swollen. +Lt"s Buzz. +Sarina, +Yeah, but AIDS doesn't really exist, so that doesn't count. +So, let me tell you exactly how he told me, but you have to swear not to tell anybody. +Help me! +You're going to be fine. +Franklin stopped him to marry his daughter and boom! +Let us! +It's a big case, James, and have started well. +You lied about where you were, about what happened, about Shelly Webster. +Not much has to do with the process. +If Sarah has been good, it's a step forward toward everyone else. +You have been a model prisoner. +Do not you learn at all. +Internal Affairs checks were made, they have found nothing. +Evil will never be directed. +- A good beer. +He doesn't need to know about my problems. +This new power that she has The ones that make you relive your past it's a toughie. +I've handled plenty of plastic bags! +Please! +I don't give a shit, you stupid cow! +That plastic-bag freak! +I have to go. +I'll stay with him. +I always said someday you wouldn't know what to do. +But I remember that I really had no clue. +A dumb-ass! +I'm waiting. +Well, not anymore! +Why not? +I have been told of this dark deed. +But I have learned through you, Sir Boss, that to be free is to be seen, heard, spoken to as no slave is. +You have the right of challenge. +15. +Are you sure about this? +NARRATION: +Generally speaking, chatter is an abomination, because there are two or three or four maybe who are involved while a great crowd of people stand around and fidget and think that it's terribly boring. +That's good enough for me. +- A mortal? +His name's Noob Saibot. +- Where is he? +- Yeah, I'm stickin' with my first guess. +Sleep, Byron? +I won't allow it. +- They should go to the children. +It's too cramped. +I'm your beloved son, the crown prince, your one and only heir. +Don't tell me, Father. +Young and innovative. +Let's see you try it. +That explains a lot. +Too bad, though. +- No. +- Hi, Clem. +My throat is on fire. +There ain't no law against playing' army. +This is a restricted area. +[ Male Reporter ] The question on everyone's mind: +This is foolish. +Hey! +- Depositions by all those involved supporting my use of force and the nature of the combat. +My mommy dresses me funny. +We just received a BabCom message from someone who says she knows about the murders in Downbelow. +No, I don't suppose that you would. +No! +Probably just a pod of whales. +Well, let me see. +Joey! +[ Loud Wail Ends Abruptly ] +- They didn't make it. +Billy. +[Man] Come on, boys. +[ Screaming ] +- [ Growling, Roaring ] - [ Operator Continues ] +- Who do you think gave you those blueprints ? +You want some? +I'll bet. +I haven't done, Korean. +[ Rumbling Stops ] +[ Shrieking ] +[ Growling ] +how's it talking? +look there! +I must ask one more service. +A king you hate! +No, sire! +My son! +Is that the king you wish me to be? +The king is having a ball, a masquerade ball, +Catch him! +I know that to love you is treason against France. +They have declared His Majesty's wars unjust. +I taught Raoul to believe in that dream. +- A dog and a coward. +About to hang himself. +All for one. +-Listen to this. +-You're bothering me. +Look at me. +Listen, Kazzari- +Smart kid. +But $15,000, I... +You keep grinding out that rent money, Joe. +He told me anytime I wanted a game when I got out, just look up his nephew. +Johnny Chan, the master-- +What the hell are you doing? +I took a shot and I missed. +- That's you. +Check. +No, I'm not going anywhere. +Yeah, I'm... +- I just got top two pair on the flop... and I want to keep him in the hand. +Read 'em and weep. +Oh, what, that fuckin' Knish rat me out? +Should have paid me off on that. +Look, old days at least you never lied. +[ Announcer] Will Eric Seidel fall for the bait ? +Just--Just step and throw. +Come on. +I didn't mean that you should try to con your way into a summer job. +You just got out. +Hey, Mike, you here to play? +Rolling up a stake and going to Vegas. +I'm really sunk now. +Hey, thanks, but I mean, that's, like, 11 bets. +I don't play the game straight up, and then if I lose, go get some real work or something, okay? +Listen, man, I'll help you. +All municipal workers. +You go in there, I'll be back in eight hours. +Check. +Amarillo Slim to my right, playing in the World Series of Poker. +I consolidated your outstanding debt. +Don't give anything away. +This'll all blow over. +- Hey, you were great. +What you got in here? +So, like I said, the Dean's bet is $20. +They use our chips for coasters. +Hey, Mike, you here to play? +You were hiding from your troubles then. +What's your ambition, man? +- Want some? +- I got cleaned out. +You were my partner. +Mike, please. +The judges' game. +All right. +- Who do you think I am? +I'll catch up with you. +That's six. +Generally, the rule is, the nicer the guy, the poorer the card player. +Otherwise, you got one day, or this'll feel like a Swedish massage. +And we don't stop until one of us has it all. +Michael, +- Please. +- Yeah, yeah, actually. +- I'm just sayin', it's three of a kind. +- Your money. +They were playing cards and I read his hand blind. +- Listen, man, I'll help you. +And after the ten going back to the professor, +All these seasons +Where the fuck do you get off? +- Yes, he's going all in, and Chan has him. +This is Whitley. +Don't get so agitated. +- You got lucky there. +How did you fare in the blackout? +Yeah, aren't they? +Hey, hey, let's go down to wardrobe and weigh you. +I think he needs some male help. +So... so she hasn't... huh? +Let me do the talking. +Just kind of leave that behind. +Te...? +Sorry, man. +and all of a sudden it was like I couldn't breathe. +I'll see you at the office, huh? +The one about Ted? +I can't believe that he remembers you. +- Good. +Think about it! +Oh, really? +This is a huge misunderstanding. +That's true. +OK? +For instance, you know the guy in the green house down the street? +- That's bullshit. +I'd love a brewski if you got one. +We had a deal. +A little foofy. +Come on. +(Mary) Ted, are you OK? +- Shush! +(sniffiing) +Ted Stroehmann. +That's good. +Magda on radio: +Are you sayin' that Brett didn't say those things about Warren? +Not until I get something to remember you by. +His friends would say stop whinin' +So, uh, what's up? +No, no. +God, I couldn't live with myself. +I don't know, if maybe you wanted to, and... or not. +Just my luck. +Sounds like a loser. +My turn now. +He called you gay? +-Bet your ass I have. +Hit me. +Fuck kindred spirits. +It's Tucker. +Let's not forget here, you put me through a lot of bullshit, OK? +Just one pair! +You mean I'm free to go? +Oh, my... +ln a pageant orchestrated by Rosenberg and captured on film, the Nazis celebrated their newly-conceived version of Aryan culture and history. +The military offered the Fuhrer a deal: +Himmler and a group of high-ranking SS officers led a torch-bearing procession to the candlelit crypt. +Sometimes, even the devil deserves a little privacy. +He's left two suicides and half a dozen psych discharges in his wake. +What do you want? +- I told him to drop by. +He loved our eldest daughter. +Oh, yes. +These fucking crabs... +Everything OK? +I don't quite understand the terms +- Father. +I guess we never actually progressed to talking money. +- I know. +- ♪ Once I get you up there ♪ +♪ I love it, bet your bottom dollar you'll lose the blues ♪ +♪ Shout hallelujah Get happy ♪ +- LV? +Sing, for fuck's sake. +Ha ha! +♪ Boo boo be doo ♪ +LV, cool it! +Shoo, fly. +By wasting my time listening to singers that don't sing. +Let's go eat. +It's all right, Mari. +Leave 'em out! +Fuck me. +[Continues, Indistinct] - # A spider's touch # +[Sighs, Clicks Tongue] Didn't handle that very well. +I've got a list. +- What do you mean? +- He's still a man. +You wore your nightie to dinner? +That would be great! +They're across the hall. +They can smell the fear. +Say no more. +It's amazing to me how many people are excited about the show. +So I'm going to play my songs on this drum. +Making us late for the airport. +We'll be eating and, of course, you'll be wearing that. +- She can't be. +I have to leave. +Okay. +Then how? +Oh, wow. +One of your customers left his billfold. +There was no heat. +I'm quitting. +I acted like the biggest idiot in the world. +-Absolutely, and if not, can I go? +You know, I mean, I know for me, but... +- How'd it go? +This is my house. +What? +Good idea, sir? +Why not keep a bird? +A life of luxury awaits you. +Go! +You rang, sir? +Watch me. +Hello, doctor. +Get ready for a great ride. +Technology. +I know what you thinking, and the answer is yes, playboy. +It's all or nothing so... +They had him on the carpet down at headquarters. +You remember how I almost died giving birth to him? +-You're absolutely right! +But I'm forming a social network of people with similar interests. +Hmm. +What are you doing on the com line? +First, let's lose those threads. +- The only thing you enjoy is your work. +Room service. +- Not really. +We are under attack. +- What do you want? +- Okay, when? +- Why? +- Bloody hell! +It's nothing, really. +- Pearl Harbor. +Sorry I dragged you along. +Hey, who's making all that noise? +Oh, I got one here. +- No, not exactly. +No-ooo, not gonna risk it this time. +Let me tell you something, Will Truman, +GET OUT OF THE WAY NOW ! +What do we have on the Gerrick murder? +- Any eyewitnesses? +Two dead white girls in two days? +I want to see Detective Higby. +Where? +Did you give him up? +Sandoval wants to bring Maiya for more questioning. +Which I will be happy to provide. +It's all right. +- Always. +I remember. +BBC cameraman? +We don't have much time! +He wants a stable marriage. +- I'm not going. +Good, we've finished. +I've told you we take the horse here. +There's no other animal so similar to the man than the pig. +I was told something different. +Quickly! +I could be a bit of a loan shark in my life. +No. +MS. LANCASTER: +Nobody's ever thrown me a bon-voyage-Emily party. +Ready. +She's still in there enjoying her fake party. +- Hey, you're right. +Emily! +Anyway, she takes off her bra under the shirt and pulls it out the sleeve. +"Joshua, give me a call sometime. +Good, good. +Well, it's not your time. +-Xander is a guy. +Goddamn it! +I don't know. +You remember Syd. +Is Delia coming over? +No, not at all. +I don't know if... +We'll leave it at 15 quid! +Probably have this phone tapped, baby. +Get the fuck out of here. +I'm gonna let myself out. +Yeah. +- He told me he was gonna turn in early, so-- +- ~ Mama told me not to come ~ +- [ Engine Revs ] +Yeah, hi. +- You're under arrest ! +What the fuck? +Shit! +- ~ Try to love one another ~ +Everything is arranged. +They must have brought the car around by now. +Right. +I don't know what they done to me, but I remember... it was horrible. +- ~ With the Memphis blues again ~ +- [ Clapping ] +She's doing her masters thesis on, uh... well, Barbra Streisand. +Come on, you fiend ! +- Wrong door. +[ Shrieking ] +Oh, God. +You pink motherfucker. +Just press play. +- One of these days I'll toss a fuckin' bomb in that place. +I had to get rid of the Shark. +- Hello ? +That's right, man. +I mean, what is going on in this country... when a scum sucker like that can get away with sandbagging a Doctor of Journalism? +For just 99 cents more you can have a voice message! +I should go up there and castrate that fucker. +The dope fiend fears nothing. +Don't worry. +- ~ Memories we've been sharing ~ +Here's an extra ten bucks. +- Husquavarnas, Yamahas, DMZs. +Oh, oh. +- Dogs fucked the Pope. +Don't worry. +Thank you. +- Mm-hmm. +- Hmm ? +I thought maybe, um, we could use you. +- ~ Is talking backwards ~ +~ A fortune won and lost on every deal ~ +That's Mr. Duke, the famous journalist. +But we have a problem. +[ Voice Extremely Slowed Down ] Does anybody want some LSD? +This is serious. +Fuck off. +Even if you manage to beat that, they'll still send you back to Nevada... for rape and consensual sodomy. +Get the hell out of L.A. for at least 48 hours. +- Oh, you evil bastard. +Remember what happened at the airport, okay? +That's so ugly, man. +¶ All you need is sonar and nerves of steel +Stop talking like that. +Come on, man. +- Hey, honkies, I'm serious. +- And eat them. +- Where are my shoes ? +Big whiff. +That's right. +Yeah, hi. +I knew it. +- Let us taste this cool desert wind. +- Jefferson Airplane. "White Rabbit." +You realize what you did when you drive like that? +I had to get rid of the Shark. +- Not until we know how to use the computer. +Another riddle. +You know what it is! +Vrelk is hailing. +They want to play dirty. +- This woman here thinks you're... +No. +One, two, three. +You put on that goofy smile to cover up your sneaky little hidden agenda. +Harry? +And if it doesn't, we have a new alliance to be made. +I haven't told anybody yet what I found, though. +JUST BECAUSE YOU STICK A GUN IN MY CHEST, I'M SUPPOSED TO BELIEVE YOU'RE MY FRIEND ? +WE'VE ADMINISTERED THREE INTRAMUSCULAR INJECTIONS OVER THE PAST 20 HOURS... +WHERE WE RELAX SOME OF THE FILTERING PROCESSES. +Move on, or spend the night in jail. +Oh, Lord. +Yes. +They were going up the river, trying to get free. +It looks just like it did. +It's a pretty short trip. +Thank you. +There are some places... that the road doesn't go in a circle. +I know you miss her. +They have a lot of potential. +TOGETHER! +It just feels wrong, that's all. +Roads and rivers. +OK, here's the deal. +- Vandelay. +I just have one thing to say to you boys. +But how do they design them? +- Would you mind? +Meaning? +Get out. +Wait a second. +Hold her steady, Tom. +The chalice. +My little seekers are a far cry from the forbidden arts. +¶ where there's confidence and wondrous peace of mind that's the spirit, whizzer. +-Please pumpkin! +Well ain't that a shme, cos honey it's too darn late. +You two can, uh, pick up where ya left off. +I'll make you some tea and we'll talk this out. +That said it was my sandwich! +That was the underwear I was wearing that night in London. +- It's perfect. +Naturally you were foremost in our thoughts. +Vienna swarms with miracles. +No, no, no! +Excuse me. +This year, they called early. +I want you to rest, relax. +No. +It's French. +US$ 1,850. +If you want it, you can have it... or else no one will. +-My love, don't be angry. +Before we begin, it is my duty to direct you to the conditions of sale... that you'II find at the front of the catalog. +C.S. +Do you think they'll sit idly by while you keep your chaotic empire right next to their perfect order? +Who gets it? +- I'm sorry. +[Echoing] No, Mama.! +- I understand why you lied. +- Cute! +Yes. +She unconsciously senses that you both share a similarity of maternal abandonment. +I don't know why I keep fallin' off those things. +Get back, Gabrielle! +The sensible thing would be to enlist me on your side. +Next time, maybe. +You say it's your little sister who's getting married. +Come off it! +Checkmate. +Just do it. +John! +Then I would have to kill you. +You're marked with every drug dealer. +You've turned... shall I say it? +Of course, I form part of a Support Committee. +Madam! +I'll suggest it to Dickie. +Arresting Miss Jinnah. +We can discuss building in some safeguards. +I always thought that one day +Please don't say anything to anyone, Pacey, because I don't want my mom to become the town gossip. +- 16 years old. +- What are you talking about? +Taja's right. +What's the point, Bart? +Look, Skinner, we haven't got all day. +I'm gonna-Aah! +It's like they find me wherever I go. +Guy needs an enema in 3. +- He has conflicting symptoms. +Amp of bicarb. +It's off now, you can come out now, Mr Brinway. +- Just give me my money. +What is he talking about? +GOOD. +OH. +[GEARS GRIND] +THIS IS A RED ALERT! +THE SHOW HAS GENERATED ENORMOUS REVENUES NOW, +JESUS! +LET'S GO NOW. +Why do you want to have a baby with me? +Rushmore. +I must have sprained this ankle. +Truman? +You do? +Resume transmission. +You can get the coordinates for that. +Fine, fine, fine. +[cheering] +A LIFESTYLE. +- A bit farther, please? +OHH... +THEY GO AROUND THE BLOCK. +JUST ABOUT DONE WITH THE SQUARE. +HA HA. +- It looks so small. +I know you're in here. +Nope. +A month? +Oh, great. +Some of those are out, aren't they? +Out of my job, +He was just tidying up His garbage. +You're crazy, you know that? +- Then don't talk. +Uhh... +Not a problem here. +Then, out ofnowhere, everything went black. +I hear your company's really taking off. +Oh, God, I don't know why I agreed to come. +Bollocks to him. +What are you trying to say? +I've bloody done it. +Congratulations. +And those glasses were not used at the party. +I love this bridge. +Well, I made up a reason, to be brutally honest. +Do you love her? +Oh, it's a bit of a nasty cut +You going out? +shag day, remember? +Helen. +Are we still going? +Let's have a good meal? +Brazil got a penalty, and their fans are going wild. +You really want to help me? +Then we can hire ten private eyes to look for your wife. +France scored first. +2 Won Ton noodles and a plate of vegetable. +- What are you doing? +Desailly seems to be hurt. +It's not a choice. +- Now I'm really a Russian hero! +This is Russian space station. +We lost 'em. +Get 'em back. +Mayday, Freedom, mayday! +Hey, little man! +Does that mean that there's actually a job that Mr All-Go-No-Quit-Big-Nuts... +This is CAPCOM Houston. +That's what you'll have to do. +You okay, buddy? +Whenever they said it couldn't be drilled, this guy drilled it. +We turn the thrusters off, we jump this thing, we float right over it. +O2 vents locked, pressure loaded. +I'm trying to learn from the man. +Mr. Truman, I don't keep any secrets from my daughter, Grace. +Probably the only black man on a big hog in Kadoka, South Dakota. +Gracie grew up to become a fullblown hottie, you know? +That man's a salesman. +Okay. +Let's go, Independence. +We got a hole to make! +You remember old Frank Marx who worked with one hand all them years? +It's too late! +She's tumbling on all three axes. +I love everything about my life. +- How do you figure that? +Requesting permission to shake the hand of the daughter... of the bravest man I've ever met. +Manolo, take the kids in the kitchen. +I'm not... +Come on! +Blow the bomb, Harry. +Softest parts of the rock as we can figure. +Okay, so you drill, you drop the nuke, and you leave. +- Hey, Rock, you know, wait a minute. +The shuttle's another 75 feet! +- Harry, this is not funny! +Flight directors on with the go/no-go for launch. +- Now, listen, Karl, this is top secret. +Let's go. +I +This is Freedom. +- Why don't you put the gun down, boss? +You've gotta give us more time! +What if they get up there, and they forget what they're fighting for? +All right, ladies and gentlemen, it's pucker time. +Freedom, stats are good. +Seven ninetyfive! +It's working! +- Houston, we're comin' home. +We got front-row t¡ckets to the end of the Earth. +- l can do ¡t. +Nothing. +Ivy, let me do the forensics this time. +A ghost? +You know what? +The door is broken! +We turn the thrusters off, we jump this thing, we float right over it. +Let's go! +Because I don't want to stay here anymore. +Please wait. +Slow it down. +Your Stouffer's pot pie's... +[ Screaming ] +[ Screaming ] +Harry, get up here. +Two hundred, bad disaster for space station. +#* Tell me that you'll wait for me #* +I'm Colonel Willie Sharp. +They're all yours. +- I can do it. +I don't know When I'll be back again +We got sparks and fire in the fuel pod. +- Oh, that's so sweet, Maxie. +Listen, that NASA computer is just playin' it safe. +Ooh! +No disrespect, man, but we all helped to raise her. +Come on! +- We're hot! +- Yeah, I'm listenin', Bear. +She left us both. +- What's up? +Right. +Burn your hand, right? +Half the world's population will be incinerated by the heat blast. +What's up, Harry? +You'll then use lunar gravity and burn your thrusters, slingshotting you around the moon, coming up behind the asteroid. +The court says you can't. +Harry! +Five wonderful years. +I... +Let me tell you something, fellas. +- Ready for transfusión! +Oh, we're gonna die! +- I'm stepping outside. +Somebody tell me what this is. +All right, ladies and gentlemen, it's pucker time. +Guys! +Apollo, this is Houston, fire your rockets! +I don't think it's too much to ask to let 'em spend it with their families. +Wouldn't you like to spend tomorrow with your girls? +[Man On P.A.] Tracking men to the shuttle. +♪ You say you only love him but you got to have it all ♪ +- We've gotta-- +I think we're almost there! +Eight Gs. +- What does this do for communications? +That's your daddy. +Let's go back to the ship! +Well, keep goin'. +What did Watts tell you, Bear? +That's it, baby. +It's what we call a global killer. +That was idiotic. +Yep, you are on your way, A.J. +White Horse, the- +- Three, two, one. +You should know that the president's scientific advisors... are suggesting that a nuclear blast could change this asteroid's trajectory. +We're takin' a hit. +Three. +They better. +We're going, Harry. +Something's not right. +- How long you worked for me? +Well, as an example... +Two hundred degrees in the sunlight. +Shut it down! +Come on, Vic. +Yeah. +Excuse me, I know this is a terrible thing to have to ask you, but do you think you could turn that down a bit? +You shouldn't trust him. +Hi. +- No man! +She's not only alive, she's amazingly healthy. +Hey, Kenny, I need you to- +Well, I was just reading about employee validation in Business Week, and, Dennis... +Huh? +You've been behind Kraut lines for the last thirty yards or so. +Said he'd been kidnapped by two men who had warned him about staying away from his assistant's girlfriend. +Sounds good. +The new job's in import and export. +You're getting to that age. +(crowd cheers) +If you don't, they'll shoot US down! +Your babysitter? +Bring him in tonight. +Well, kiss my shorts. +Uh, free HBO? +The honeymoon was exceptional. +Forget the house. +Yeah, it's had a good run. +Where could it be? +Don't know why his grades aren't better. +Quite strange building. +Lupo, that's Karl. +On the balcony. +Then check it out. +A screwed-up coke addict a mental case. +World history is war between secret societies." +I told him our story. +- A dollar. +- No don't! +- Karl! +- 'Frankfurter Rundschau', reports '8,000 organized against atomic power.' +- Anyway, 'Illuminatus' is fiction. +Oh, yeah. +Biathlon? +What's wrong, Lain? +- Oh. +His name is Hector Del Rio. +Stay down on the floor where you belong. +- I know you two had nothing to do with this. +Same old, same old. +Wow ! +Wait. +Take it from me, honey. +They think Andy did it. +I say, "I do." +What? +You can't keep us from seeing each other. +Ooh ! +Tonight. +I'm sorry to call you so late. +- [Screams] - [Groans] +I owe you one. +Tiffany, where the fuck are you? +"Hackensack, New Jersey. +You're a good friend. +[ Organ Sting ] +They were mass murderers, David. +Wait. +Miss Marianne, supper is ready! +Your ad caught my eye! +I'd arrest you. +Studio "A, " this is master control. +Where's The 20 Bucks You Owe Me, Bitch? +I Love This Picture. +What Makes You Gay? +Ok, I'm Sorry. +♪ Of Catalina ♪ +AND SHE ASKED WHAT WAS WRONG, AND I TOLD HER. +IF UNCLE REX CALLED YOU WILLIE, WOULD YOU? +SO WHEN'S THE NEXT FERRY BACK TO THE MAINLAND? +There I have what? +I'd like to introduce you to a couple of friends of mine. +Just one. +I'm going to give you the great honour of being my horse. +When I was young I used to sneak out at night and ride across Andalusia. +His name is of no consequence. +No more nights waiting up. +Get over here now! +My wife was murdered before my eyes, and my child was raised by my enemy. +I need to catch my breath. +To have found you at last, only to lose you again. +- After all, it's only one man. +Not enough? +Lustful? +-Murrieta's brother or not you are more than you pretend to be. +My father and I would like you to join us at our table. +We must find out what that design is. +Charm. +My wife was murdered before my eyes and my child was stolen... to be raised by my mortal enemy. +Yes. +Soon she will have no time for them. +And someday, when he is needed, we will see him again. +- No, sir. +Like you, Nora. +-How come you're not returning my calls? +We'll send you the address. +Why don't you use a handkerchief so you don't get peach juice all over me? +Come here. +Then don't. +It talks about the union of Heaven and Earth. +- 2222 West in. +It's Rosales. +They don't listen these days. +You stay warm now. +Uh, yeah. +I want to play. +YOU DON'T UNDERSTAND. +I CAN'T SLEEP. +She dreamed Russian soldiers tried to rape her. +She likes to laugh. +You gotta be able to roll into a place, walk up to the hottest thing there. +Have I told you that enough? +Your friend Carrie tell you about that? +In some cultures, heavy women with mustaches are considered beautiful. +Well, not yet. +I felt like I was in my bedroom when I was 16... and I used to hang out with this guy who was really beautiful... and my parents thought I was helping him with his chemistry homework. +I was invited to a housewarming party for a new arrival, Stewey. +Which means, one of them has to be controlled by the switch. +Dude, you're not even man enough to order the channel that carries the sport. +-Joey, trade lives with me. +It's in my pocket. +Poor baby! +No, I'm not stopping. +But most importantly, these types are dispassionate about their work, anti-social and bound from the outside world, he probably lives alone, and has no friends, a loner +Did you kill all those people in Shang's office? +You always were a lousy liar. +Girl: +Yeah. +At any rate, they and the students ha ve played this game before. +- Hey Scott, do you like apples? +You're looking at several months of retrofitting, depending on the size of your fleet. +Oh, it's close enough. +How do we last another two years? +A little snack? +Twiggy is Nina. +UGH. +Oh. +Killing firstborn man +Keepers of the flames, can't you feel your names? +Well, I've fucked a sheep, I've fucked a goat +For you're the one who's shamed, ah... +War horse, warhead +Down and out, where the hell ya been? +But am I evil? +Make his fight on the hill in the early day +Wish I may +Quench my thirst with Gasoline +I don't want it +The evil ones have my mother. +But it might not prove to be that easy. +How long before you return to care for her? +Rya'c... +Let me go, you cannot keep me here! +My son is strong. +- Where do you get that? +Perhaps taking a page out of Billy and Irene's guide to marriage. +No. +It's the mosaic Danny worked on. +For a bunch of Jews. +He said something. +J' lfl trust in mine +- [ Gasps ] +Hey, hey, hey, hey. +You'll never know love again. +She just assumes I'd make myself available. +"as a case of power going to one's head" +I don't feel like going out any more... +It's noon +No, it might look suspicious +Here you are. +Your people will use our knowledge for war. +Oh, no, no. +We'll need a ship. +Most cultures usually assume things the other way around. +We have defenses that you don't. +Cor- ai mandates that only Hanno can make that decision. +General? +We're not sending them anywhere, Sir. +- Nobody spoke. +- [ Grunting ] - [ Camera Clicking ] +- Okay. +Well, if you're ever in Botswana and feel like taking me out for a good meal at a fine restaurant-- +- Okay. +Now he's a public relations nightmare. +Run! +Let's get out of here. +[ Speaking ln Swahili ] +Eight of them remain hospitalized today. +We gotta go! +- Hang on. +Only the farm takes up most of the day and at night I just like a cup of tea. +He's getting his claws removed. +Anybody call a taxi? +It's strange. +I mean, the kids getting attached. +Yes, Mr. Denslow ? +- That's not cool. +- Why is that low ? +- No, no, no. +The search for greener pastures went on unabated. +You know, this game is pretty badass. +Well, if I know anything about this country, +Aw! +Come on, kids! +- Of course. +I mean, whoever it was that month. +And the real beauty of this game... is anyone can play. +- Oh ! +No, I'm not gonna give up on this kid ! +Come on, bitch ! +I wanted this. +- until I come back. +Dad! +Have mercy! +Brother, you're hurting me... +God will begin to overcome this evil. +Not far. +We should just go. +So! +Shimla! +Our prayers are definitely reaching him. +Don't you know, wearing short skirts is banned in this college? +- Never mind. +"This girl is crazy. +Hello! +Move. +See you, dude. +Say... +- Right. +And didn't even inform me. +His life lacks a friend. +I've fallen into a trap of a madman. +But this does not mean that you're going to the summer camp. +Our Bunty speaks good english! +- Really, it's very bad. +- No, I've some more time. +It'll be different from any happiness or sorrow. +What are you disturbed about?" +"I've found someone..." +She played basketball? +Oh! +Mr. Malhotra... +Okay then, bye. +But what've you been doing out there in the wide world for the last two years +This isn't over. +Come on, Peter. +Don't blame me of being nosy. +What's so valuable it has to be guarded? +What are you looking for? +What do You think? +He ran off with my money, smart-ass. +The "1"'s are ladies and "2"'s are the gentlemen. +Mother... +Although Master! +They're not in there. +I love you. +Smell something funny? +I don't have time for this shit. +Keep yours. +"Fortunately", "they found it" and sewed it back on. +I was in L.A. +- That's great, honey. +Fuck! +This is just about all that... all that I have. +I appreciate it. +- Hello. +there's this one thing... +- I'm leaving. +No, man. +Chris, don't plan anything tomorrow night. +It was Michael. +- A pig liver is compatible with her? +Now he's playing hockey. +Yeah, she's OK. +Oh, my. +Here it comes. +You look like you're lots of fun. +Why do you need to leave Ridgefield? +You're dead, buddy. +Very creative, though. +Oh, my God, Robbie is so amazingly cute. +Me! +Shit, I got water all over myself. +Just feel better, all right? +Mazel tov... +I'm afraid he's not. +I hope you find her. +He created the Macedonian state in 20 years. +For the moment, that knowledge eluded him. +Otherwise you will tilt it and get water aboard. +Ha, ha, ha, ha! +You had me spooked there. +Just think. +And make people understand +Turn down a flag billet for your family you want your son to make the grade. +But you don't love me. +She's not in bed. +Definitely she... +I'll put you down for tricks. +Only expedience and necessities. +I'm catching flak left and right over this. +No... but as I said, nothing is impossible. +That's great news, sir. +Yep. +Duty calls. +Let's go. +The Aid Program is a noble effort... to bolster the civilian population in the hamlets... and particularly to help them resist Vietcong infiltration. +Maybe we should hand it all over the communists right now. +Well, good. +The chairs can face this way and-- +What's up, Dad? +It was this disagreement over-- +I gotta work. +My mom used to put her head in the oven. +Ha, ha. +The plane could leave early! +I'm gonna have to go into the map. +-Thanks. +Now we are late. +Burning leaves. +They closed it down. +I got myself together +BOBBY: +- We don't want it. +What about you? +What's a couple of ribs? +Well, I've already got some balloons, but they're not this nice. +Yeah. +Why won't you believe me? +What has he done to Nancy? +Then you could've met my boyfriend. +Just like they were steaks +All back for the night. +It means he's gonna win... ain't it? +I know. +Joe Dolan? +Astronema, wait! +- Transformation? +Mega Missile! +Boy, that Evilyzer really did them in! +That some alien is walking around with only one shoe on? +Hang up the phone. +I'm in this program... and it's, like, part of the program that we're supposed to... ask forgiveness of the people that we hurt when we were drugging. +She doesn't want him to know. +I'm just some dumb girl from Philly. +What comes out of your mouth is totally irrelevant. +One cheese steak, one meat ball, one salami provolone. +In fact, talking at all is not really required in this profession... or even encouraged. +Don't make me do this. +Do you forgive me, Kathleen? +And you are amazing. +Drink the water. +What do you have? +Work. +But you're free of it now, aren't you? +Plenty of time to rest when you're in the ground. +- Do you think this old guy's her boyfriend? +Where you been hidin', Dick? +- And Foley hadn't been there. +Karen-- +You don't try to make the bust yourself. +- Where the fuck is Foley, man? +They changed the date. +- Who? +Maybe she thought we had a lot to talk about. +But you protect her. +- I'll tell you... +Really? +Karen. +They're not up here. +the one I gave him, yeah. +the next thing I knew, the paramedics were pulling me out of the car. +Doesn't have to know anything. +He could accidentally hurt himself falling down on something real hard. +Sir, sir. +- Oh. +Midge! +Oh. I had it. +Like a shiv or my dick. +What do you think? +- As a sales rep? +Put the damn gun down, now. +- What's up, brother-in-law? +I'm in. +I gotta go make pee-pee. +I wish things were different. +You with the bad boys now, baby. +- Don't, don't, don't! +Whoops. +- Where Foley at, man? +Because I have two extra tickets... for the concert tonight that I would be honored to give you. +""What did I want ?"" +Yeah. +I didn't know you were back in the picture. +just you. +Rose, you like the dark? +And she has met another man and married him as you may know. +Um, Patrick, what are you doing right now? +When you get back from running them livestock you give me a holler, you hear me? +- Where you been? +You know what? +Dawson, hiding in my Gramps' bedroom is really, really low. +- Episode 10 "Double Date" +Look at me for a second. +I'll wait. +What you guys did on the stage wasn't BS. +It's all right, Andrea. +What about Greg? +I just never would have thought that someone could also be something to admire me. +We're Thrift Store Apocalypse. +♪ She'll lift her arms up to the sky and say ♪ +I'm a hunter. +He could push this top right off. +You don't have to lie in it. +If I did I might come in here and let my hair down once. +Davy. +Multiple choice, of course. +Put a little crocodile in it. +Do you know what it's like... to be shut up in a lonely room night after night, with only the sound of the rain on the windows... to lull you to sleep? +You swore to go directly to the bank... for a loan of 200,000 francs. +Oh... foolish boy, what have you done? +[Music resumes] +I'm not in the mood to listen to everything he says +Does he still want you to go to him? +I like it. +Hold! +Always getting in the way! +Your bed stinks of salami I cannot conquer my dreams. +Pervert. +Better use it more. +Cyane! +I still have to face all the trauma of being my age so +- Because it all falls into my master plan. +I'll fall if you leave +What can do without pinching? +you had put a watchman at entrance He speaks Tamil well +That's too correct! +- OK. +Get outta here. +I'm very self-absorbed. +- No. +It got up and ran off. +Don't tell me there wasn't a gift shop at the loony bin. +- This really hurts. +He's not in his cage. +- Need some help? +The whole woods are talking about you, you know. +He certainly didn't learn it from his mother, God rest her soul. +I... +It's shifted to the left. +What is that about? +- Call the fire department. +- Prozac. +Now would be a good time to wipe that horrified look off your face. +All I could think was why aren't we having sex? +I think it might be worse under there. +I want you to know how much I appreciate your patience. +Forty-five minutes and three animal positions later... +Go out and buy a dog? +Women. +I don't wanna waste this. +How do you know it wasn't your fault? +- You're on the air. +- Thanks. +Are we in love +- I'm harnessing my chi. +- Unless you're that guy. +He asked me to hold his laser pointer. +- Shh! +College women. +Which means that we are going to have to go shopping. +Yeah? +- Rosie took it over. +And now, to top it off, I got to go back to the motel. +If you want to hear Clarence Carter scream, you just have somebody scratch my back. +You two go get the cunt and our stash! +hull fragments... +I was just a pup. +-hello. +Hey! +Your Ronnie! +Why did you kill him? +- But you... +Whom are they playing next? +So! +Yes, Ma'am? +Then, come on. +Stop! +- Then is he lying? +Come. +Okay, um... +Good thing we almost went to war with Canada. +"The Lord is my shepherd. +The woman Henry was seeing. +I know what to do. +It is Gresco right? +Sorry friend, I am in a hurry. +Yeah, I hate that. +look Trevor, we've been through this. +(Harpsichord) +- [ Sighs ] +- Well, he's a lawyer in need of lawyer. +You see how this makes so much sense? +Yes. +I haven't had a lot of friends in my time. +- You knew, didn't you? +Come on! +You are versatile. +I have a sports bottle on Daddy's desk. +Oh, tragic accident. +So what do you say? +Thanks. +And that does not deserve your heart. +I should never have let you talk me into that duck blind. +Will this structure hold if we blast through? +All hands, brace for impact! +Were we Picards always warriors? +Look at me, Shinzon. +. +- Bring them out. +Prepare to enter the atmosphere. +What you're seeing is a computer-driven image created by photons and force fields. +But some of the darkest chapters in the history of my world involve the forced relocation of a small group of people to satisfy the demands of a large one. +Taking the captain's yacht out for a spin? +The shields in that section won't protect them from the heat. +Data was rehearsing "HMS Pinafore" just before he left. +- Specify. +The artificial life form would not allow them to leave. +Took us a day to reach a location where we could even get a signal to you. +- Or the tang of a tyrant tongue +I don't intend to let them. +Understand? +The system prevents anyone from taking advantage of his memory loss. +Another 43 reported taken. +He can anticipate tactical strategies. +Sensors are reading over 100 Ba'ku onboard and one Klingon. +Their ships are rumoured to be equipped with outlawed weapons. +- Jean-Luc Picard. +On screen. +I know what Data means to Starfleet, but our crew are in danger. +Can anyone remember when we used to be explorers? +We'll be safe there. +Have you ever experienced a perfect moment in time? +- The planet is in Federation space. +Perhaps. +We could be there in two days. +- Such as? +Someone's on board. +Do I see... lt's tradition, Worf. +No one on the Enterprise will survive. +We have to assume he had Romulan collaborators. +How long until he can fire? +l`m only half human. +It's called a Cascading Biogenic Pulse. +Just get me Data's schematics. +Come in. +- The Federation ship has been hit. +Sure, it could be sold for more than $30 +Don't panic +THIS WHOLE THING HAS GOTTEN WAY OUT OF HAND. +[GROWLS] +♪ WHATEVER IT TAKES ♪ +If you make me listen to any sexist, racist or homophobic jokes, I'm gonna have to slug you. +If you had even one decent chromosome in your DNA, you will not lie to me. +He still has 15 minutes. +- Azouri! +It's always like this +Captain, what do you think happened last night? +I saw your body. +All right, whoever's in there, come out with your hands up. +Oh, I only meant-- +How did you get this number? +And if outside help is needed, women shouldn't feel guilty. +Between Boddington's and Marston's. +- Sorry, I've just... +- That's it. +I would think you're doing this because you WANNA play with girls. +Excuse me, I would appreciate it if you keep this whole area clear. +- Nothing I feel confident talking about. +Let's just pretend that this didn't happen. +This could be the most significant discovery in human history. +Bernice! +There's a little guy at the end of the counter, seems real interested in Doc Caine. +( Opera music playing ) There we are. +Let's have a look, shall we? +- Marlon made me mad. +We need our money now. +Once I was gone for four days. +No, go down. +Hercules possessed a strength the world had never seen, a strength surpassed only by the power of his heart. +[ Moans ] +Yeah. +It never goes out of style. +Just be cool. +Another probable depression has developed... +- Hello? +Doss? +He's right up there in the lever room. +I'm just wired from today, so I could use the drive, but, you know, whatever. +Stand up. +- I don't get this. +Your friend want one? +The unspeakable. +Okay. +I want you to kill me. +Hanna, this is not what you think it is. +Open your eyes. +- Are you all right, Jimmy? +Remember? +- Fine. +You want them to question you about Mr. Jimmy? +My God! +Please, no. +Whatever damage was done by your stroke, it left your motor abilities relatively unimpaired. +You, Mr. Kay? +- Our little chum appears to be arranging a reunion. +Maybe that's why you're so willing to bail on this bet. +I got the feeling... +You're mad! +- Roll them. +Would you rather sleep alone? +Well? +Full feather! +You think that you can play God? +Are you in trouble? +You look healthy, I'm glad. +Dammit, hurry up, Spike! +The Chessmaster! +Appledelhi Siniz Hesap Lutfen. +I'm a bounty hunter. +Got it? +Honestly disgusting. +? +Stay away from Decker! +Wait! +Why did you doodle on Earth? +Yes... +Because now you don't have to worry about the fundamental defect in the Gates leaking out. +It's okay if they don't find out, right? +The view from here makes me sad that I must leave so soon. +This is for Mao! +You got a little bit of mercy in ya, right? +It will be ready in about an hour. +Ruth! +Give it back, you dumb-ass! +Why did you doodle on Earth? +Yes, yes. +My 12 million... +In front! +Must be the "Way of the Dragon" model. +Show me. +? +You'll be killed. +It is men, one by one. +Dick Byrne's lot have a new fella. +Yes! +Dougal, er...you didn't go to a fire station by mistake? +Exactly 2 seconds after the retirement of Officer Barbrady looting and pillaging erupted in the quiet mountain town. +Where are the cables? +If I miss it I'm a dead man. +Familiarise yourself with the terrain, observe entrances and exits ...and analyse the situation. +Where? +Hey you, just take a number over there. +By the way I know a Korean... +Anyway she's too good for me... +Don't move, sir. +-What do you want? +Explain to me Daniel. +the evidence we would have found them later we are used to that. +-Ah that's reassuring! +You can't do that, Lily. +We've got more power. +You think it's them? +I'm sorry, I feel bad for you and for me... +you should put a mouse in your car, instead of your steering wheel. +-19 and 20, get ready. after 20 there's nothing. +They'll need to change them soon. +They do cars now? +-it's mine? +What are you doing naked ? +Yes, I see that I'm disturbing. +You're miserable. +What about them? +Well then tell me clearly what you want instead of babbling for an hour! +Sunday he prepares all his meals for the week, +1 minute, end of show. +I'm not naked. +140 km/h? +Almost no casualties... +It's my job, baby! +Oh, the nice flowers! +But that would be wrong, wouldn't it? +Believe me, okay? +Do you mean he's already a suspect? +It lasted from five minutes before ten to nine minutes after. +So what do I get? +Do you love him? +Who is this? +Besides, I beat them last week. +I'm sorry to hear about that +What blackmail? +They'll never get anybody to fill in. +- What happened? +- You want a rematch? +-The shogun was like the school stud. +Spare me. +Are your exploits worth describing? +- Then she will not be yours. +Why the old man is enraged? +It's not so hard to... +Tongie! +What? +- It's no joke. +- Shut up. +Down the street +Good night. +They'd want someone more experienced. +- You know what's in it. +I'm rerouting the... +Set quantum torpedo warheads to maximum yield, full spread. +Never mind. +Or some stupid student takes hold to me for a philosophical discussion.. +The cagamos to kicks. +- How did it go? +Eve... +You're ignoring orders from HQ. +Just keep on walking, as if you are in your own world. +Executive Officer Ohara has taken care of the necessary paperwork to have you treated as short-term exchange students at this school. +Let me see... +! +Hi! +The one who killed Kanie was me. +The place was completely destroyed. +Your life or even tomorrow's lunch... +I see signs of blood under the skin. +"Better", "better". +-50. +What about Faye? +I had no idea they killed someone. +- What did you do about the baby? +I am not aware of anything. +You're in early. +Or ever since. +I was looking for you upstairs. +- Yeah, sure. +I envy that about you, always have. +- Come on, you guys. +Besides, if anyone should be concerned with being bad, it's me, right? +I didn't mean to upset the officer. +It seems that Barbie is a boy. +I must remain alive for the sake of the Tokugawa clan. +Where is Oyura? +And bringing in Thatchers is a priority. +-What? +Because I'm not going to pay interest charges. +You know, I couId have toys for underprivileged kids in here. +You guys hang out at the coffeehouse way too much. +Can we keep this organized? +I'd imagine. +If you want me to tell you what you want to hear, just say so. +[ sniffs ] Uh-oh. +You want to lie to yourself, to me, to her. +- [ Grunting ] +You can sit down, if you'd like. +Holdsworth is gonna bring it out from nine yards deep. +- * Sooner or later ** +That-That was... +Set! +- Happy New Year, Mama. +I'm Brent Musburger, along with my colleague, Dan Fouts. +Mr Coach Klein, are you afraid of Red Beaulieu? +He happens to be a finely tuned athletic machine. +- Oh ! +I could try to-to get another waterboy job for-for a different team. +Mud Dogs! +- [ Laughing ] - [ Grunting ] +Just relax. +I know. +And she showed me her boobies, and I liked them too! +Uh, basically a snake don't have parts. +The waterboy handed them the game. +Oh, please, don't hurt me! +- Of course, it is. +Gain some yards. +- What's he calling time-out for ? +Hey, Dad. +♪ HAPPY BIRTHDAY ♪ [HONK HONK HONK] +- God, I hate the holiday season. +- Yes ma'am. +You can live without good manners. +- Resign yourself. +Your da's here. +Desperate, isn't it? +- Look, Martin... if I'd done that, I'd sooner kill myself. +Good luck, Gary. +Wear our own clothes under. +Well done, men! +Yes, indeed. +What do you want, Martin? +Have you any comment? +Inspector, the press want to know why was there no Garda in presence. +Ah, it's class, Gary. +My nerves are shot to bits. +Here's me offer. +Hephaestus? +(squeaks) +(muffled snicker) +They could be anywhere on the station by now X-factors in this whole equation. +But I do know that blaming each other right now is the worst thing that we could do. +Thirty-seven. +Well? +It means the sequence Greg extracted|from the code is self-modifying. +Hi, Barry. +This is nothing compared to what they-- +Hey, Carl. +If somebody comes searching for it, +I mean, it looked real. +Hang on a second! +"Heiress's body ID'd by feds." +Don't bring him up. +I followed him, but... then, when I heard the shot... and Nancy got killed... +Skipping the appetizer, coming home for dessert. +Do... do him crossing the field. +See, I don't wanna sit around the rest of my life thinking about this shit. +All the tracks- +Why are you both always talking about sides? +I think-I think about that stuff. +What do you think We should do? +I mean, this is Really silly. +Where he went every day? +I'M SORRY? +You know? +Thanks. +It's back there now, Flat as a pancake. +I looked, +Hello. +Come on, +He says "moo. " +What do you think We should do? +What the hell Dad would do. +Aah! +And then we're gonna both Gonna be fucked, aren't we? +Do like you did that night, the snow, he had... +You know that, Hank. +She'll have to find out about it sooner or later. +I'm up to the part where you're gonna agree to testify against us, ok? +Oh, Jacob! +Look out! +Why wouldn't we? +Hey, hello, Jacob! +Come on, man. +Shh. +I invited Him for dinner. +! +But we gotta hurry. +Well, you probably better tell him that yourself, OK? +Of the situation We're in? +It's ok, nancy. +-You don't understand. +Would you stop? +[ Laughing ] +- I don't know. +1 0 years later +I concentrated, but I was all off key. +It was Francois. +You're not well. +It's not the end. +I fogive you. +I'm here live in South Park, Colorado, where citizens of Los Angeles, are arriving in jobs for the town's first annual film festival. +I'm not sure. +- In his room. +- So, let's make a pact. +. " It's a good one. +No? +Yeah, he took a turn for the worse +I've got some business To discuss with kenny. +Larry, That's the way The world works now. +I've heard some strange cases but yours, frankly, is the most intriguing by far. +Automation? +Sometimes you have to dive deep into the mind +And my guess is you're not gonna be up to it without me talking. +- Shut up. +Hello. +No, just from what his sister says. +He sounds good. +I say we wait. +- They're not gonna get away. +Say the point of sex isn't recreation or procreation or any of that stuff. +Gays love houses. +we can hear them, eh? +Or in Oz, there's always boy meets boy. +Don't leave me! +Only too well. +How do I know you're not just trying to get Oakley for accusing you of watching La Croix jump to his death? +You'II always be mine +Why are you doing this? +I wish I were the bride... +You know me well +You have a different mission +You can't possibly be good men +It suited them fine. +Marrying her was a mistake, I warned you. +- Did you find it? +I was there. +Who's going to stop me? +I decided to buy a white female camel. +- That's awful +For God takes His revenge on earth. +I don't know any more. +Take him to the Chateau d'If. +- You've told me enough +Come on. +You're right. +Wife? +Legato Bluesummers, a man fascinated by Death... +You walk out of this house, don't even think about coming back! +I was just comin' out of it. +[ Clattering ] +HE COULDN'T GET OUT THE... +LAY DOWN THY HEAD UPON MY BREAST ? +Maybe you don't know what it was like for me to get away from there. +- [ Rattling ] - [ Screaming, Babbling ] +Anybody know you comin'? +Waitin' on her daddy to come. +What you think? +Trying to. +Why would she want to go back? +A Russian girl. +- You can't go off half-cocked. +I feel like I lost you. +- She killed you. +- Claudia. +All of history is recorded here. +Get out of here! +Did she act peculiar? +Cut the crap, Carter. +It might have been a canal bed. +I figure it's got somethin' to do with women. +I sure as hell ain't no damned bounty hunter. +Drill bit shows signs ofwear and tear. +And why you have to be prepared. +I know what you thought. +Oh. +Oh, God! +Swain never mentioned that. +Your client, your ex-client, tried to pay off his lawyers with a forged cheque? +Generation unto generation, that's what your good book says, isn't it? +- But when his condition worsened, do you know what I prayed for? +- Is that what YOU want? +- Nothing. +You are. +Starring NAOTO TAKENAKA +The inside of the Ark was an alternate dimensional space, but now, it'll be swallowed up by our third dimension! +Scum like you have no right to be here. +Jean... +Could you write a song for my girlfriend, Wendy, with these lyrics? +The linguist guy's here. +You're making me do this. +Moohr? +What's that? +So, what's this? +Where do they buy coffee with dirt in it? +You know how weird this case is? +Hmm. +But if you'd spare me a copy, I'd be more than happy to work it. +-Mr. +-Yeah? +-Okay, I will. +Hate to see the mighty fall, you know what I mean? +Example: +Excuse me. +He's not asleep, is he? +Will I get a cup of coffee if I say yes? +Moohr? +This is religion, Mr. Hobbes. +Oh, hi, Uncle John. +You can talk to me. +Put the gun down! +This is where things get a little tricky. +Jonesy. +How do you want to do this? +I'll be looking for ya. +There are certain phenomena which can only be explained if there is a god and if there are angels. +You wanna talk? +"Exact," because Noons and Muskavich were killed by the same person. +. +- Thank you, Denise. +What the hell is this, huh? +He was one of the most notorious inmates. +You're home early today. +It's not actually a quote from Naomi Woolf. +Only in so much as do you think that you can tell it's another guy? +Den, you're working too hard. +Just coming to this group has really... (party music) +Shooting and editing are done outside, but the other staff are in here. +Oh, and this is for you. +I see. +- She's having a good week. +I dare say they like each other. +- Boring. +- Shall I talk to Johan? +Who is it? +I'm just going to say one thing. +I'm just changing pants. +Okay... 'bye. +- Well done, Elin. +Come on! +But darling. +- My room? +- You've got a skirt on! +I don't know. +We want to know! +- Must have been my brother. +- Wasn't anyone there? +You never done any time. +How did you two meet, anyway? +How are you feeling? +What's that kid-Mormons again? +Well, Daphne suggested it. +Welcome. +Richard will argue it. +[Viesturs] Over two dozen climbers were scattered along the route to the summit, many of them caught high on the mountain... much too high to get down safely. +He'd say, " Jamling, my son, you didn't have to come such a long, hard way just to visit me." +) Have some first... +Not true. +I hope these guys aren't who I think they are. +We were very close. +She was.... +-I bet the British version is good! +Go hug her, for God's sakes! +don't worry about her. +"ALL THE BEST COURTESANS HAVE ONE." +SILENCE! +MARCO! +IT'S GOD'S VENGEANCE ON YOU, WHORE. +One last time before you are condemned: +I confess I embraced a whore's freedom over a wife's obedience. +By the order of the pope, the holy inquisition has come to Venice to seek out heresy and beliefs anathema to the church. +I am not alone in loving this woman, though I love her far, far more than they. +Look at these gowns. +Beautiful, I mean. +- We're poor devils! +It's a little late for that, isn't it? +Good. +That doesn't pique your Sherlock Holmes brain cells? +Camera three, you are roaming on product. +- Oh! +It's so wonderful to see you too. +That doesn't pique your Sherlock Holmes brain cells? +You know, it's not you. +Don't you feel good about this place? +That doesn't pique your Sherlock Holmes brain cells? +- Oh. +- Oh, well, we like to think so. +Ahh! +That doesn't pique your Sherlock Holmes brain cells? +[ Thunder Rumbling ] +- Hi. +He's staying at my home and this is his gratitude? +2:00 A.M.? +That doesn't pique your Sherlock Holmes brain cells? +And then you pop them together, and the fear leaves. +And that's what life is all about-- connecting. +That doesn't pique your Sherlock Holmes brain cells? +- This is so great. +That doesn't pique your Sherlock Holmes brain cells? +That doesn't pique your Sherlock Holmes brain cells? +Okay. +And don't tell me there's nothing left to transfer. +What? +That doesn't pique your Sherlock Holmes brain cells? +Say. +Knowing that you were back on your way... searching, healing, following that golden, golden path of yours. +What we have here, ladies and gentlemen... is a beautiful woman who's trying to convince you that you're not enough. +That doesn't pique your Sherlock Holmes brain cells? +You know. +Well, here you are, Hayman. +That doesn't pique your Sherlock Holmes brain cells? +You all right? +I... +That doesn't pique your Sherlock Holmes brain cells? +Going good? +l'm flattered that you asked me to help you with your algebra homework. +He did it as a one-man show. +Can't go on hiding them forever. +I'm no pothead. +- It's on me. +A friend of mine from Beverly, this rich kid. +No, no. +Girls need privacy. +I'm in the best shape of my life. +The Trix was an offering. +Hey, guys. +Two-year old Canadian boy, two-year old Canadian boy... +Gotta be wearable, usable, durable... +Join... +I got singing practice... +If we succeed this time I won't let Rose sing in those dodgy places anymore +Anything I can do to help? +We've been working real hard on this for a long time. +- Say again. +Surp... +Yeah. +- Don't start. +Hey. +Big problem. +No, it's not broken. +Are they still together? +[Chuckles] Look. +- Hi. +Up. +- Oh, don't give me that. +I cleared it with Marjorie. +Hey. +Oh, my God! +- What? +- No, you didn't. +We need a doctor! +- Who slept? +It's a date. +The truth, Captain. +We've obtained exclusive fire department footage... taken immediately after a container... of deadly MZT foam ruptured during routine storage. +I saw myself. +Yes. +If we bring back a profile on a warship... they'll be handing out medals by the bucket. +We cannot destroy them. +I've had a go at that. +That mouse is glowing! +All of them died from heart attack. +- Only for a moment. +- Yeah, I guess you could say that. +- That's good anyway. +Sold? +HENRY: +Good day, ladies. +I'm following orders. +Now, you really brought this upon yourself, you know. +- No, wait, please. +And it is going to be a beautiful day! +I'm afraid I scared your servant... +But there is something I must tell you now, before another word is spoken. +Well, I can't be sure. +It's been a very long day. +- It's perfect! +We don't have to announce anything tonight... +- She is an impostor, Sire! +PLEASE LISTEN TO ME. +The King would like a word with you. +I believe, Your Highness that she is staying with a cousin. +Ah, Monsieur le Pieu. +All that I ask in return is that you help me here without complaint. +- Marguerite. +To grant us a year of goodness and blessing, +Someone tipped them off, and they're hiding. +YEAH. +THERE HAVE BEEN AN AWFUL LOT OF PEOPLE NEEDING OUR ATTENTION. +- He'd never really asked for anything before. +- Ben! +Read the qualifications. +. +OK. +Hawaii's what my baby gets. +- Can you get me a simulator? +A wealthy scoundrel seduced and betrayed me. +I've worked with her for years. +Cops. +You're a good girl, Deirdre. +- What's a simulator? +Repeat system check. +I don't know her, but I was ready to blow her brains out. +- Thanks for coming. +- Drive. +Shut your mouth! +47 samurai whose master was betrayed and killed by another lord. +- Just go. +I'm just trying to get a vague notion of the opposition. +Fur hats are expensive. +A lot of heat. +- But you understand it? +You have the money? +- Vincent will sort you out. +If he agrees, we have no problem. +Through your fucking contact! +- Gregor fucked us. +He's got to work it out soon before the Irish find him. +- I'm gonna have to take care of this. +- Well, let's find out. +Where's he been ? +At the end of the day, we're likely to be punished for our kindnesses. +Get rid of the case ! +- Vienna. +- I'm busy. +Excuse me. +Who were these people? +No one needs us out there +- Let's eat first. +It's like I said, there's no way to know the truth. +Michael Garibaldi. +If he just disappeared... would anybody notice? +I look about the same. +Wait. +What more is there to talk about? +That's true. +You are Hakkin people, aren't you? +Hurry up then, walk faster. +Stop the bull shit, would you? +You wanna go? +Just grounded for a few days. +"To increase our production fourfold, as the engineers have requested, a... " +Your friends will be released. +Goodbye, Jack. +T'akaya, my friend. +It's OK. +- They're taking care of them. +What would Sunnydale High do without you around to incite mayhem and disorder? +- Wants who? +James needs her to re-enact what happened on the night he killed Miss Newman. +There's just too much pressure. +- Does that mean I'm right? +- God, I'm sorry! +Has a bunch of adopted kids workin' the farm for him. +So what kind of a vehicle are they driving? +- We didn't have anyplace else to go. +We weren't. +Okay. +I'll smash your head in! +Let's go Altan, we have a long way to go. +Hi Tuncay. +Whose was it, any way? +Let me tell you something about Dr. Morgenstern. +You know, I've been thinking all day about the proposal for a Pedes Attending. +I don't mean to sound like a wimp. +It's pretty cool, huh? +- It's a disaster. +I'll just see you at dinner. +This one. +There's a bunch of other stuff in the attic. +- The premonition. +Yeah. +I'm the new warden. +You're certain the Swede is not aware of this? +And we'll only be a mile down the road. +Have you no homes to go to? +Get your own. +Get you at the corner. +Thomas, it's Michael. +-What about her? +Engaged? +See you later. +Clam sauce. +It could be. +Y ou don't love me. +I keep on bumping into you. +[ANNABEL SNEEZES] +That's amazing! +Time to open up! +I have a dollar. +-I know. +So you're going to offer her a job? +Good night. +Welcome aboard. +- Welcome. +Yes, that's right! +Lovely woman. +It's business. +Brinkley and I will be waiting. +I knew you weren't listening' to me. +Look... the reason I came into your store because... +And there was a phone. +Don't worry about a thing. +I said we were great! +And there was a phone. +It's from The Godfather. +Twirling. +Whose moon turned out to be in someone else's house. +I knew it wasn't possible. +-Thank you. +I'm very sorry. +WOMAN: +-What? +It's cloud's illusions I recall I really don't know clouds at all +Who cares? +Here's a good-Iooking guy. +Hi, I'm Father Mukada. +Jack. +Don't worry. +You won't. +I get nervous when you're not around. +Rule number seven: +Wait, stop the car! +The doors shut. +Unkillable. +Sorry. +I'm sorry. +-ls there another way up? +End of the line, Valek! +Meanwhile she hides in back of the van, hiding from sunlight... while you make it for the border? +He wants to meet with you tomorrow. +Listen to me! +What are you doing? +You cant kill a master at night. +Plus. +You told me if I came after eight I could run into Buffy. +You think he and Faith are connected? +When I'm fighting. +It's OK. +I've been holding onto that for so long, it felt good to get it out. +In Dejima, there was this camp, right? +He suffered a stroke, the Ieft half of his body is paralyzed. +A rat bit him. +What? +kill him. +-Tea ...? +The master's back. +Then I went to Asakusa andsawa historical drama at the movies. +Lots of us have ghosts. +Nothing. +YOUR WOODY SEEMED TO THINK IT FELT ALL RIGHT. +AND SOME REALLY FLY GEAR. +SORRY. +♪[Buffalo Jump by Sit-'N' +I'll be there in an hour. +The fresh air will sure do you good. +Told you, it would cost you. +I can help you. +No. +Hurry! +- Any sign of support vessels? +- Excuse me. +Today you're going to be taking a photograph of me kicking Bishop Brennan up the arse, and he won't like that. +I'm done with it, Cam. +I'm lucky. +Jew by Jew by Jew. +Maybe it says something about prejudice... in the judicial system. +Come on, sweetie. +You think I haven't thought about that? +Are we all meeting together for the game tonight? +I'll catch up with you later tonight. +I got an English exam. +I'm gonna watch the sun come up. +Shut 'em down. +What's fucking happening here? +-Later. +Step forward. +Throwing them around ain't gonna do a damned thing but gives you a fucking heart attack. +I read. +Sorry that happened to you. +Lfeel sorry for you, Danny. +Just take it easy on the brothers, all right? +- Good morning. +Get out of my way! +You want to go, Adolf Hitler wannabe motherfucker? +It's never gonna happen! +- Okay. +Yeah, I'm clear. +-I thought you turned that paper in. +Oh, God, man. +You got a woman? +You can learn a lot from him. +Deal. +Yo, is that that fool you was telling me about? +I don't want you to do anything. +Yo, is that that fool you was telling me about? +-You sure? +- Get out of here. +I read. +I won't stay in my room the rest of my life. +You all right? +I just hoped that it'd be quick. +- Yeah? +...gets a pat on the head. +James Worthy? +America's about "best man for the job." +I'm not kidding. +Don't fucking eyeball me, boy, or I'Il fucking skull-fuck you! +But it never came. +Ben's Burgers, 7:00, then we go watch the big guy play. +What's going on? +To find new fighters. +Ah. +He says no, no, no. +- Yes. +You're welcome. +I don't understand them. +There was all this talk about my putting my feet on this table. +(DISTANT SIREN WAILING) +Fill the trucks, trucks drive off, trucks come back empty, we fill them up again. +But Woburn has something else. +I don't think so. +And this is the deed to my house. +I can't go to them empty-handed. +- Stop. +I'll just go up there, and... +Can I have this? +What's it about, Jan? +- OK? +Natalie, nothing is gonna happen to me. +Well, I've got a legend that you may or may not have heard of. +I was just messing around. +Dusk, at the edge of a Pacific island, 3,000 miles from the nearest continent. +They don't scatter their eggs but lay them on pieces of flotsam like this palm frond. +As the weeks pass by, these group rubbing sessions will become more overtly sexual, but now it's just flirting in the sun. +- St Trinian's? +Oh... +Osgood: +Well, that's what I'm here for. +You mean breaking up? +Do you feel better now? +- It was Thomas Edison, Dad. +I am not jealous of Hercules. +Is that why you came back? +Get me a gown and gloves now! +- Mr. Gardner, how are you? +So, what's the problem? +If that's the case, I'd ask you to consider signing a "do not resuscitate" order. +We're late! +That you're Rhea Malroux. +It's a big story. +Oh, God. +That's how we met, Harry. +Okay, let's move you two in. +As a young graduate student, +What do you think? +It's OK, I'll do it myself +I don't even know myself +You're Chan Ho Nam, I know you pretty well +He's all fat and stuff. +...and the winner is...squash-o-lantern by Stan Marsh, Kyle Broslofski, and the Evil Eric Cartman from a parallel universe. +I knew you would. +Is that the way to welcome an old friend? +That one's yummy. +Normal. +♪ Little Kevin double jammed On the lam now in Vegas ♪ +That building's old. +There's a lot of competition for that Smythe-Bates job. +What say we get some beers and nuts? +I will exceed ... +Dad, we were just making out. +Jo will hold out and then he'll get sick and tired of it. +- Well, it's a good photo opportunity. +Oh. +It is not funny, but I get it. +I want out, now. +When I was a boy my father used to take my brother and me on camping trips in the Ural Mountains. +Dax was a quick study, too. +Go away. +Of course not! +Don't let him in again! +- "His profession was?" +- Space cowboy. +It worked for a bunch of girls in my high school. +Stop it! +It's not like he has a job or a child or a life of his own. +You guys are dead! +- Is it? +- No, I don't! +So this broad is always here. +Artie brought by for us. +I just... +That could blow the hatch instantly. +Absolutely. +Good evening. +I'll miss you too. +- Sarah. +We're both in this for the long haul. +We copy. +There's two up here. +When it happened they were waiting... for the test to resume. +upper right. +Everyone knew they'd be going to the moon, unlike me. +Coming down at two. +Okay, Houston, I believe we have a problem here. +Promising young field geologist. +And, boy, I wish I could say the same for the rest of us... but, you know. +In Houston, Flight Director Gerry Griffin... managed the activities through the voice contact... of Capcom Bob Parker... who tried to keep the astronauts on schedule. +Someone will be with you. +Air bubbles from the stab wound. +Two weeks ago ENT said it was an ear infection. +OK! +Now I think I can forget him! +He's here. +Come on, wash your face. +I am sorry. +Too far from here. +## Ooh, wouldn't want ## +Getting infatuated with me again, is there? +To the disco movement. +I think that's what made me a little more tolerant +Then, every time you made love to me... +Fine, cool. +Oh, you see through me completely. +When guys wanted to ask you out, +I didn't realize it was so controversial. +Of course, if you talk enthusiastically +## ## Till all our strivings cease +Don't worry about it. +From the list. +You said you weren't taking anything. +You two really look great together. +I don't think so. +Employ you? +You two really look great together. +"Has some disgruntled employee, +No, wait. +Van told him you were letting people +Guess not. +I.E., making a definitive break... +Shh! +Dawson, don't try to get me to go back out there. +-Good night, Mom. +A nightingale on the old tree +How long does it take to return one book? +No, I've written a lot of stuff, but it's not up to my standards. +That's exactly what I asked him. +He's a landscape engineer. +And did you say to Dr. Semenko that Michael didn't deserve to live like this? +Hearsay. +If it is, we'll have to cancel the canoe trip. +Take it from someone older and wiser. +Nice camouflage. +Sabrina, your wig-thing's on the back of your jacket. +I'm sorry. +Captain Daniels was murdered in his apartment last night. +It will cost you. +DON: +Sixteen hours into mission, destroy Robinson family. +JOHN: +I need a pilot who's more than just spit and polish. +Rambler-crane series robots. +I kept hoping he'd make it back. +We're not getting any altitude. +Any monkey in aflight suit... can pilot thatship out of the solar system... and sether down on Alpha Prime. +Greetings. +Nice work, flyboy. +They found a replacement pilot. +I never said for how long. +We're doomed! Boy, that felt good. +Aren't we the poor cousin? +Back in Kansas at last. +That's how it can be in the same place at the same time. +That's a direct order. +I'm such a klutz. +It's all over school, what happened with Debbie and Pete. +I don't! +-Maybe I wanted to play with Jesus. +Lincoln! +I ain't never been nowhere. +Whatever they payin' you, I can do better than that. +- And for the boys upstate. +-I ain't accusing you of nothing, baby-- +-Let me show you what you taught me. +89.95. +You're on. +[ Announcer ] So Jesus has led the Railsplitters... to the Promised Land despite being down late the second half. +- [ Pounding ] +- Jesus. +You tired? +Hmm. +- That don't mean shit? +He's supposed to be, taking care of his little sister. +Your food was getting cold, so I put it in the oven. +- How you doin', man? +What? +- I don't eat my boogers! +- What? +Did you meet any women at the parties, in the dorms and stuff like that? +Mr. Shuttlesworth, you are now wired. +- You lost your wig? +No money, no cars, no job for your family? +You knock on this door on the left. +Huh? +What is that? +Uh, sorry. +The deeds of the farmer and his remarkable pig... became renowned even in distant lands. +- But we can't keep licking the carpet, can we, Alan? +Whay are you doing ? +Come on! +- Whoa! +How are you? +- Did you call my parents? +We're gonna find him with or without your help. +SO, I'M ALL EARS. +HER PRINTS WERE ALL OVER THEM, MULDER. +Two-time loser looking at life. +I made her take a polygraph test. +Yeah? +I don't believe Debbie could do what you're accusing her of. +Then I realised I've got a skill that gets you paid in this town. +- I can't say at this point. +Where's the newspaper, Munch? +You might as well come down to the country with us, then. +- Would you excuse us, Mrs Bale? +And why keep the bidet? +Objection. +- Who's Louella? +So what have we got? +Carter's going saiIing-- +-You said I couId lead. +I ain't from the silly sort Who venture too far from the nest. +Well, let's see it. +You're such an ass! +l-I don't want to, you know... +Once you give me the name +So? +Finally this fucking radio is closing. +I'm sorry, she won't. +His son sometimes gets him in some of them. +- We don't pass you bad songs. +Anyway they look like a nice couple. +No drinking for 2 hours. +It'll make the going easier. +Well, I can't leave you on your own. +That woman swallowed Greta! +Well, uh, I, um... +Ship, full power to engines. +White Star bearing at 116 degrees. +-lt was a hallucination. +OH, MAN. +How could you know that? +is there any other money? +That's what I'm talking about. +Dyke. +The guy's dirty. +The witness has been threatened by defense counsel! +- Look into the Kennedy assassination. +He told me to stay away trom Lombardo. +- Hi, Mr. Lombardo. +I mean, that's how it sounded in my head. +Hello, Kelly. +I miss him too, sometimes. +Ken, I don't fuck my students. +- This is where they did it. +That one right there. +We've all heard the terms "date rape," "sexual harassment." +Bring me a case. +Guy's a swamp rat. +Trust me. +You get off this. +- No, it's my day off. +Good shot. +What do you got? +What are you talking about? +Then we're just gonna have to change their minds. +It was strange. +- Almost. +But, Tal... +Your hands? +Step on it! +You're dead! +Asshole! +My vase! +Tomorrow'll be great! +Hey, guys! +And stop bleeding! +It was that I was an idiot. +- I know, I know, +Put the key in and turn it on. +- I don't know. +And it's a question for Grace. +She's from New York, Mom. +I mean, I'll be fine. +[ Frank ] One of these places where women wear masks... and everybody's runnin' around in robes and-- +If you leave it up to these people-- Excuse me. +You handled that pretty well. +- Nope. +What do I have to do? +It ran right into Judith, and... +Frank. +- Hi. +I can oversee things from Montana. +I, I can't explain it, Robert. +- No, that's not what I said. +There's this thing on the TV about a guy who does it with geese. +- [ Both ] Yeah ? +Are we in the way ? +[ Sobbing ] +When I work with a horse, I like to know its history. +Let me know when you need some help loading' Pilgrim, okay ? +Grace, it's Mom. +Well, it's got doors, Diane, and private as can be. +- Grace? +My grandson Joe is named for him. +Straight back. +- Well, that'll be a little complicated. +"We weren't right for each other. +Uh, no time, I guess. +I, uh, like the sauce. +- Let's go. +Ever Get One Right Behind The Ear? +To Get His Hands On The Inheritance. +Arf! +Oh Boy, Oh Boy, We're Going For A Ride. +"to the next stage and the next stage" +And the pictures that she painted +That I didn't make the move before you +- Hi. +You go with Debra and the kids in our car and this way there doesn't need to be any talking. +You scared me today, Bobby. +I HOPE MY DIRECTIONS WERE CLEAR. +WHERE'S KARIN ? +Bobby! +What happened to Karin's father? +There's just gotta be a better place. +Where am I? +Otherwise, I would just curl up in a larval position and weep. +Okay. +Oof ! +You know, 'cause now it has a very large indoor swimming pool. +There goes another rubber tree plant 0ops, there goes another rubber tree plant +As a matter of fact... it does. +I am? +[ Laughs ] I'll check my calendar. +- Get moving. +´Cause I´m going to Insectopia. +- Yeah. +After all, it's not about you. +- Nine! +Princess ? +Do we need to go through with this ? +I hope you're not just here on business. +It's even worse. +Don't we need the queen's approval to declare war? +Mizoa, the most beautiful village in the Peloponnese. +Oh, yeah? +I mean, first of all, it's, like, a half hour out on the boat which is beautiful, and you're looking over the expanse of the ocean. +Just my pants, right? +I mean, they always escape. +Can I just drop it, I mean, really? +Oh. +Then you are with me. +It's going to be weird not having a job for a while. +Right, Monica? +What's up with that girl Monica? +Ahh? +I am not a sex addict! +Look, I hate this. +They need a mother. +Try to be back by four, even if it is your last week. +Didn't you want to come? +Emily, did you know that that ring spent two days in a duck's colon? +I'll never get to be a best man! +-My God! +God! +Yeah, that'd be great. +Yeah? +Do not tell your mother. +- Are you kidding, I was first in high school. +I didn't want everyone to think I was stupid. +If you're Ross' friend, why aren't you here? +- No, okay? +- So we're off. +It'll be Chicken Kiev, not Tarragon. +This is just great. +But it appears events have passed us by. +[ Widow Twanky ] Okay, this way girls-- room assignments. +You're such a talker. +I'm yours. +There's a guy in there. +When did you get it? +You don't chuck stuff in the street. +When it happens, you see it as a door opening. +They will find for him all the things that are hidden all the things that are dark and all the things that are secret. +Use them now instead of waiting till the last moment. +That should add a few years to your sentence. +We used to work together. +Very slow, but is breathing. +Above all, it can build these stupendous structures, with columns and buttresses and air-conditioning ducts. +I hope not. +It's the only way you can follow something as seemingly simple as the movement of a limb - dozens of joints and bones moving in harmony. +- Would you believe it? +What appears to be just the normal clock in the dining room is actually a special infrared glass and concealed behind here were two cameras. +Stick him, boys... +What do you think so far? +And I saw a tomb. +Of this I am unsure. +- It's not an order, Captain. +Kel Apophis. +I guess we all should go through the gate. +- What are you doing here? +It's a Presbyterian church, not a Catholic one. +He goes to church with his mother? +The hanged man, a new awakening. +- but I love you, Samantha. +He's showing paintings to Lan Fang. +Get this gate open! +That's 11, 000 years. +Now, I-I-I know this is a bad time, but... +Okay. +No. +-Police food! +Cut me loose! +She writes those cheesy sex novels! +They told me that she left or something. +MURTAUGH: +We found 3 bodies full of holes, so now it's a cop problem. +You got a phone? +Only in China. +- He don't look tired. +Check out the gun. +Are you out of your mind? +Never liked it. +Drop it. +She's heading for the home stretch. +I need this glass! +- Whatever. +He's got a nightclub, some restaurants. +I'm on the take? +! +MAN: +I wasn't drinking. +It looks exactly like their dog. +Meet the kid. +There's a Chinese person in the kitchen. +Like, on the ship when that guy nailed me. +As payment for bringing you to America your uncle's working for us. +Can we exercise a little maturity? +Stop! +Go home. +I'm coming! +Dearly beloved, marriage is a spiritual unity.... +The scratches. +I see the tuition. +Roosevelt? +What do you want? +- They fit in the station wagon? +Marriage. +Will wonders never cease? +Go, go, go! +Why you call him my son-in-law? +I am not ready to have this baby! +What'd he say? +Who's doing this? +Watch out! +I can smell a cop a mile away. +He looks unhappy. +I got some big nuts! +-lt does smell good, huh? +! +No, nothing at all. +$3 to answer a call. +LORNA: +MURTAUGH: +Time! +I'm coming! +NURSE: +I'm so sorry. +Don't be a Don't-Bee. +-Chewing on Leo will wear him out. +Now what do you do? +He went to the INS and they're giving asylum to the Hongs. +You guys are always kidding. +We'll work together when I open a cereal shop, you leprechaun! +-Here you go, captains. +It's all right. +Meet me and Butters on South Spring. +Dads and their kids. +I.A. Says you're on the take. +What is it? +Would you like anything to drink? +I'm testing to see what I can do. +- There's something else. +In winter, it'll contract to keep warm... so as to protect the millions of offspring inside +Someday he might even finish us off. +And you're the third. +Well, let's send in the rest of the men. +Caine 607 proceed to the settlement and commence bombardment. +- I'd have seen him fall. +! +I operate a fishing boat. +Tomorrow at the Borough Club around 6. +I'll find out what they want us to do. +Never heard from again. +The one person who did a really pure and good thing for me. +And from the time she could understand, she was taught to fear. +I like that. +* Coquette * * calling for an ambulance * +The other artist's name was... +Sounds like a story I'd like to read. +Hello. +- In the words of their captain, +Vicky! +Agent Mulder and I came across a situation in Nevada, which we both felt needed our immediate attention. +I got her in the truck and was takin' her to the hospital. +Do we all have a drink? +Are we done? +Thanks, Jim. +God bless her. +Annie, bring me me apple tart, will you? +- Right! +No, no, she's left cuddling my pillow. +- Nineteen. +What a performance that was! +I am mad! +Starting today, +We're driving. +Can you fuck now? +I have learned... everything. +Mane! +- The fish are guilty. +I shit on God! +First call your sons! +- Probably a curve ball. +I traded them all for one player to be named at a later date. +He connects with a right! +Bunt him over into scoring position. +[ Thumping Continues ] +I hope your partner finds you a lot more charming than I do. +Oh... (laughs) +Yep. +Come on! +Sir, I don't think that thing in her head's gonna tell me anything. +Teal'c! +Can you be sure he is who he says he is? +That's the name of the Goa'uld in Sam? +Our 6.28 carat. +Fitzpatrick received a fax in Houston. +You like it? +How about this? +Two of them. +thanks. +How badly bitten, Mr. Frees ? +- My lady! +A thousand times, good night. +-It is only yours you can know. +It's a beginning. +- Oh, Mr. Fennyman, I think you might have hit upon something. +Their love should be minded by each, for love denied blights the soul we owe to God. +And love. +Now spit. +For one kiss I would defy a thousand Wessexes. +Nurse, come back again. I have remembered me; thou's hear our counsel. +- Twenty pounds to the penny, Mr. Fennyman. +" Shall I compare thee to a summer's day? +-Virginia? +-You cannot. +Where were my seamstress' eyes? +What man art thou that thus be screened in night... so stumblest on my counsel?" +- You cannot marry Wessex. +I must be gone and live, or stay and die." +From ancient grudge break to new mutiny, where civil blood makes civil hands unclean. +You will have a nice part. +- Another little problem. +Yes, by God ! +It would take an entire team of specialists... to program those missiles in 72 hours. +I'd like to know what he got in return. +'Cause there's only 7 hours of darkness. +Captain Spurgeon Tanner is now in charge of the mission. +When you came to the studio and brought those pictures, +Don, what are you doing? +Lily, that's a pretty name. +Our strategy has been twofold. +And the priest says, "Dearly beloved--" +Yeah. +I'll see you soon! +So gather your things and follow me to the orientation gallery. +All plant life will be dead within... 4 weeks. +You want to do something on the price that wives pay? +Hello, Caitlin, there you are. +Come on! +Thank you. +- Excuse me, Jenny? +We'll all have high schools named after us. +"During this 2-day period, no unofficial travel will be permitted." +Whenever it is a damp, drizzly November in my soul, whenever I fii nd myself knocking people's hats off, then I account it high time to get to sea as soon as I can." +Well, that's what we do for a living. +I woke up this morning and I realized none of you want me here. +Medical Officer Gus Partenza. +A mob attacked and killed a Miami rental yard operator who was charging $5,000 an hour for backhoe and tractor rentals. +* The further he goes... * +It was about to come out, so he resigned. +"When i became a man, i gave up childish ways. +No. +What an ego. +Dan: +I don't think so. +10 seconds, Mr President. +Yeah. +Tattling is not a crime. +Sam... +Come on. +Feel kinda dirty. +'Cause, you know, we got a lot of pictures to hang here. +Here's your money, girls. +How are you? +- You're such a jerk! +Something's happened to the Prophets. +We have a good relationship. +- They can't quit. +[ Children Chattering In Distance ] +I'm going to New Orleans to try out a new career. +Just do me a favor and go away. +The band, the girls and I, want to do a song for you. +"Wanna see somethin' else here? +"Just a little bit +So, it's your mother's style that embarrasses you? +Oh disgust! +Yes it is, my friend. +You're getting soft, Groucheen. +-Yo, brother, what's up? +I took my son's troop on a nature hike and Noah got a bee sting. +The last two cases he had won. +Now there is no family. +- No. +Harry... the clock on that nine-foot nuclear weapon is ticking. +- Give me a depth reading, Max. +- Fine. +With you just like this +Some joker cut me up yesterday, man. +Go. +- I'll talk to these two. +There's this... +You're thirsty. +I can cook too. +We're not accusing you. +No one. +- Dad! +Hi, Karen. +You know, some people are just begging to get pounded. +- That's what I pay. +Stay there. +- Three times. +But a part of you is reacting. +Thank you. +I have told to the only one who should know. +Prettier than every city. +Well done. +Don'tyou remember? +- Mum won't like that. +How long have you been in Morocco? +You have done something horrible and I need to know you feel bad. +It's Mrs McCloud, your second grade teacher, the woman who taught you that honesty is the best policy. +Careful. +- Who? +- Son, what were you doin' in the church? +They're not coming. +Right. +- But you're the sheriff. +Where'd you go? +Get off of that thing! +Right. +Anybody who hasn't been planted too long just pops up. +- That was a smart move... +yes, but we compromised for lumiere and chaud. +mrs. potts: i thought something was amiss, miss. +You always think you're right. +Helpless. +Mrs. Potts. +My! +My dears... we really must be getting on with our chores. +A boxer! +I think I've been trying not to see things that are important to me. +Don't worry, I won't use it on you. +In your dreams, you kill people but don't get caught. +- Here, Dad. +- We'll clean it up later. +ldiot. +I've been thinking ... +All right. +Okay. +Your life is retail. +# Yeah +- What we have is real. +# But you never get to sleep +I want her to want me, desperately, so I can break up with her... ..and subject her to the same hell she's been puttin' me through. +I've been in your bed before. +But I'm rewarding him anyway. +The water in the sea, the ocean. +What's wrong with him? +They're not her children. +See how fast they could get out of there. +[ Gasps ] GIBSON ! +WHEN THE ASSISTANT DIRECTOR TIDIES UP YOUR OFFICE. +Cat. +BUT DRAW THE WRONG KIND OF ATTENTION, AND THEY'LL CLOSE YOU DOWN-- +I've done OK without you. +You said that you could get it. +The thing is: +Good afternoon. +Don't do it. +Titanic is, it's still a very, very beautiful ship to see. +That's enough! +I shall be the first... +Hmmm... +Buss the buss the bride... +But, wasn't he impotent? +Put your panties back on. +Oh bravo, Lola when it itches it itches, which of course has nothing to do with your being a bride +Zaira, you know what you are, huh, Zaira you know what? +Stick it out, stick it out, stick it out majestically. +You'll remember. +. +Cordelia has a point. +- Curse him again. +- I don't wanna make up. +And you don't give a shit who you kill... +We buy and sell! +They're waiting for for me... +What the hell happened to him? +[ Heavy breathing ] +This is my partner, agent Dales. +ARE YOU ALL RIGHT ? +- What'd the watch commander say? +He brought those spies, the Rosenbergs, to justice. +Xena, beware. +Everything about this Illusia place has been bright and cheery. +While you were on the bus, did you see anything unusual? +Whatever. +tell your mama to quit paging me. +How many tails does that thing have? +Here. +You said the north side of Wonhyo? +But I just don't come out with my entire life story over martinis and a Coke. +- At least not like this. +Hannah? +- I mean, you turn a guy down... a-and wham, he just metamorphoses into an anger ball. +It's okay. +You're robbing me blind... but I will give up Pottery Barn if I can just have the cat. +Mom, Dad... this is Trent. +- And I feel... +I don't... +That Loser's never coming back. +Not that you would need a telescope to see that. +-What? +-It was an accident? +-Ooh! +So live it well +Come on, wings. +- Flik, I owe you an apology. +- Flik ! +Excuse me, pardon me. +- [ Snarls ] +- You got it. +Each. +Before long, we are up and running. +We've gotta run. +And that's how my 12th husband died. +-What? +- Your dad´s right. +And I heard a grasshopper say that when they´re finished... +Oh, this! +Let´s go! +An owie? +(NERVOUS LAUGH) +- A little lower. +Squish them. +NEVERLEAVE ! +[ Chuckling ] +[ Snapping ] +- Come on, girls. +Flik, no! +- [ All ] Ready. +What are you doing? +Present stalks! +- Please, Flik. +My leg ! +- You sure you can't come on tour with us ? +Uh-uh-uh. +little Speck! +No more picking individual kernels. +[ Grunts ] +- Just go. +- Really? +But if you could just do me a little favor before you leave. +You don't want to make him mad. +Dot ! +- [ Snarls ] +Ta-da ! +- Dot ? +- Helpers to help us. +She's the one that sent me to find you! +- Are you kiddin'? +Pardon me, sir. +I knew you could do it! +- Let's come on out. +Here! +The bird went-- [ Whooshes ] and it just missed you! +- There. +And I'm scared. +Ladies and gentlemen, allow me to present Manto the Magnificent... and his lovely assistant, Gypsy! +- They came just in time! +[ Screams ] Help! +- The caterpillar's using himself as live bait ! +She's the one that sent me to find you! +Wow. +**It's the time of your life * +(BUZZING) +(GONG SOUNDING) +There's just not enough food left on the island! +- Excuse me. +- Thrust, parry, lunge! +- - - +Solitary sucks, man. +That, and he had a terrible hygiene problem. +Would you hurry up? +- C-C-C... +'So, deep down, people would understand if you stole it. +(Snorts) Huh? +(Woman) Marie! +I'm doing my best! +Uh, I'm looking for someone named Marie Alweather. +- So, he flew down your chimney. +Liar! +Uh, I've come cleaning office. +In Philly, Animal Control was better than Public Health. +is he alive? +640 feet. +And that's the answer to the equation. +This is Norman. +See you soon. +Plane crash? +MEDIC: +BETH: +What's that sound? +That's my voice. +Can you tell me what to do? +Why, Jerry? +Always wanted to say that. +Damn, I think we lost him. +Why? +You can. +Listen to me. +I'm on a list of psychologists the FAA brings in when a plane goes down. +Anybody else wonder who the hell opened that door? +Perfection. +BETH: +... itmeanswe nevermadeitback. +-Nothing. +... spiralingout. +It's a bogus report. +-Figured that out yet? +I can't bear the feeling in my ears! +Why'd you put me out? +What the hell is out there? +Made them come to me. +FIetcher, inform the Navy we've gained access... +It's human. +I'm glad you like it, Harry. +You went inside the Sphere... +You know that. +There's a lot of liquid hydrogen left on that spacecraft. +What do you mean? +That's the same image I saw when you were looking for Edmunds. +If this is right, this alien sounds like an idiot. +The hell with you, life's short, Pete. +I wish I could, but I can't +No hope. +- Jarod's father. +I was wondering how you'd feel about some one-on-one tutoring. +Finch, are you crying? +No. +(Gunshot echoes) +Mike left me hanging. +Have you travelled far? +Mom and Dad. +You I can't trust. +Oh, no. +- Do you know the stables on 37th and 11th? +You're a little tipsy, there. +Silence! +The witness says "Have pity on her" +- Know what he said? +- Ifhe doesn't bring pride to the name of my arena... +If I ge his job. +Look. +It's thin, smooth. +Just go freak out about your book. +Mr Keeney. +Hold your centre. +Keep repeating the phrase, "It's only college"' It helps sometimes. +It's just, I don't like how that feels. +We've got children onboard! +Besides, in 500 years the Centauri Republic has never attacked a civilian target. +It has been identified as belonging to the uniform of the Centauri palace guards. +And this letter...she wrote on the 25th. +But For what you have done despite not being a cop I am handing over to you this priceless memento. +Why should you die! +Right little linger and left middle finger's injured. +I need to get going. +That's right. +She was my child. +Hey, you've gotta talk to Andy. +So you'd like to take off, go home, take care of business? +Twenty-four-hour time limit. +Umm... +Hi, John. +Saw on it. +Well... +- EI? +- Hi. +- I'm gonna go through the whole thing. +What are you gonna do? +I'm giving her Dilaudid for her pain. +Well, you know, there is plenty of time. +Hey, did you see my dad tonight? +- I do. +- No, absolutely not. +- Then Casey... +Great. +Well, you know what I think is rude? +- Uh-huh. +Sometimes bending down. +- We'll bring you more... on this chalk shortage as it continues. +But that trivializes the whole idea of Kidz Newz. +I hate to crimp your social life, but forget it. +It was strange. +And maybe beauty can finesse the timer out of the beast. +What is your commander gonna say when he finds out you've been carving up his guest? +Boy, are you loaded! +This is Stacia Vela. +That's not my intention. +You're selling secrets to China. +-I got the same thing last Christmas. +I hate boats, bugs and boats. +You're welcome. I'm going to take Sam away from you for just a minute. +- Nobody home. +When he grabbed you by the throat, I thought I'd take a dump. +What's up? +Drive! +Want the illustrated version? +-Put Kim on. +I can move out anything you don't want. +You have to believe me. +- Did you bring it? +Can't. +I love you. +He might've made it into Kentucky already. +- Unknown. +Yes. +- When I marry her... +- I'm Oscar. +[ Thunder Rumbling ] [ Grunting ] +We really wanted to believe. +It takes two to four minutes. +- I'm no dancer, but I know I'm really gonna like it. +I don't remember anything, do you remember...? +- I know you guys aren't drug dealers or anything. +The Stargate was destroyed! +The president thought if he granted the senator the appropriate clearances, let him in on the existence of the SGC, he'd recognise its importance to security and authorise the expenditure. +(sighs) +Colonel, listen. +And then she tried to kill Joyce? +( Screaming ) +Oh, hey. +Shot there by an unknown assailant. +More like a face launch. +- Dead. +Now stay close 'cause I don't know everyone here. +All right. +I think you've become a fascist. +Out, out, out. +And it's my fault +Punk rock. +I didn't really feel the particular urge to talk to anybody, and then I saw you walk in the room. +- I'll see you guys in the rebound. +By himself, alone in the wilderness. +I wasn't ready. +- Say, Bob? +And mayhem and punk shows... +Come here! +- Hey, it's me. +And he doesn't know what to do. +Down the street +Something's happened! +On one hand is mom's deteriorating health. +They twist everything you say. +Our system created this situation before you. +Why is it so freezing in here? +I'll watch +I'm here +All right, I got to go over to Harry's and tell him we need another uniform. +That's what does it for you? +-What are you doing? +We were happy. +committee to deal with this? +Well, then. +Cordelia and Oz are going to meet us here later. +[ Up-tempo music plays ] - +What any r easonable man would do -- +-Yeah, right. +Wardrobe. +Ramu was fearless in death. +I told you not to move. +Will you return? +All gone. +Yeah. +No, this is about a baby. +LOOKING FOR SOME ACTION ? +I'll get some sleeping bags. +I'm not either. +- Well, then you start it. +It was fate. +You cannot help him. +What an elegant place! +Yes! +I understand that would be difficult. +PBS Telethon. +Hi, sweetie. +I have to do this without your help. +This'll be your phone. +Close with my "please" summation. +LAWYER: +Yeah. +You almost killed him. +Quietly, Londo. +Okay, I grant you, on a strictly idealistic level it's understandable. +Certainly not the décor. +I'm afraid that's not possible, prime minister. +They say he talks to himself. +I won the game! +- Ok, what've you got? +This poor woman is forced to live in the shadows because she feels like an outcast. +- Dr Crane, I didn't... +I hate this apartment! +My insurance will pay for it. +- 10 years ago, when we started going out, if I'd come to you and said I was pregnant, what would you have said? +Hi. +Look at you, Bill. +I'd like to be alone for a while. +Where are you going? +Therefore, I'm sorry to say that if we're to examine this new offer responsibly, as the Board of Directors of Parrish Communications, we must do so without its chairman. +Quince, man, thanks for the offer, but it's all set for just me and Bill. +- Bye-bye. +Right there. +Please help us. +- This merger is the vehicle. +My daughter's fallen in love with Death. +If music were the food of love, play on. +Not you. +- Bill? +Archers from the State College of New Paltz will shoot flaming arrows at it. +Oh, haven't heard that one before. +Hi, Dad. +I'd like them to have dinner with me tonight. +My mama is sicker than him. +- Um... +Yeah. +He's taking a nap. +Also, can you page me when C.T.'s ready? +Good night. +Hello, Quince. +Now I gotta go, so... +- More. +I haven't been the father to you that, uh... +~ High above the chimney top ~ +- l thought this was practically a done deal. +Are you going to fire me, Bill ? +It's for the party, Dad. +And I want to have music that pleases you, but doesn't put a thousand other people to sleep. +So what are you gonna do? +- I'm sorry. +Anyway, so you're a doctor. +- You ate ? +We've gotta talk. +Busy day tomorrow, everybody. +- No good ? +Crisis, his company. +I hope you'll respect its nature. +[ Several Members At Once ] Yes. +You're the big shot, the biggest shot of all. +What matters is that I stay interested. +Why don't you choose whichever cake you'd like? +Yes, he's, um... +- Glad I could be of some help. +- Right away, sir. +Oh. +- What's the matter, Daddy? +- Good morning, Mr. Parrish. +- Goodness, no. +More than you love peanut butter? +Be where trouble melts like lemon drops ~. +- Mm-hmm. +Mmm. +You're here. +Did you have a nice nap? +- Confused, huh? +- What's the matter, Daddy? +The jelly ones? +You know what I mean, Bill? +- Doctor? +Talk to me, please. +I don't like the way he looks at you. +What a glorious night. +Come on. +That's, uh, practically a first. +I don't think this is the lightning you're looking for. +Archers from the State College of New Paltz will shoot flaming arrows at it. +- Yeah. +Thank you. +Wow. +If we give him license to absorb Parrish Communications and he has his eye on a few others after us, in order to reach the world, you will have to go through John Bontecou. +No. +With all due respect, Bill, I'm not asking your permission. +-I don't care, Bill. +Because of me, he has lost his work, his company, his reputation. +Great. +Our... +Um... +~ I ~ +- Any jocks? +- We're all ears. +But what? +No, I've never known you to talk to yourself. +Are you going to fire me, Bill? +You're talking through your hat. +You, my father, here in this house. +That's great. +- Have you spent much time in the islands? +- Yeah. +But who is he? +You come for me? +I haven't been the father to you that, uh... +No. +Well... +Joe, you do get around. +I never tried. +I chose you for your verve, your excellence and your ability to instruct. +RUBER: +It's a griffin! +And after I came all this way just to see you. +"More than enough +Stop? +CORNWALL: +Let me lead. +CORNWALL: +Whatever. +Give me an environmental suit and you can pick me up after you've repaired the Flyer. +And significantly more powerful. +Here you go. +There's money. +You hardly knew my mother. +No. +Trust me, I know the feeling. +# You may look up in the air +# He is quiet, he is small, He is black +( When the Blue Bonnets Come Over the Border) +I have tried to live my life just like you. +SUBTITLE BY BIGMARIUS +You're an endangered species, my friend. +You got a second? +- Hey Dawson... +Their beaks are quite adequate for tearing off strips of flesh, and vultures, after all, do not kill the animals that they eat. +This is one of the bigger members of the family, the belted kingfisher. +Then in autumn, he sees them again on their way back to their winter quarters in the warmth of the south. +But some nuts are particularly tough. +Another remote and isolated island, on the other side of the Pacific +Another inhabitant of those prehistoric woods had a stubbier, more all-purpose beak, rather like finches do today. +If they couldn't fly, they wouldn't last long. +They can even swim to the sea-floor to do so. +There are knock-off artists here? +- We're entering the Buddha. +We'll be back. +And the 4th guest? +Honestly, I... +I can't keep play-acting. +It's totally cosmic. +♪ Frosty the Snowman +Ha ha! +♪ What you need +Listen, Charlie... +Dude, he ditched us for a snowman. +I am holding on. +Nothing, really. +You're big enough to handle this now. +- Yeah. +Yeah. +She will gather strength. +It must be cool remembering stuff like that. +/ Jack. +You know, I'm really... okay. +Okay, I got it. +They're made of wicker! +How was your class today, dear? +- Furious. +Florence! +- Oh. +No. +I shall fear no evil. +- Yeah? +If you have any aspirin or B-complex, all the better. +But do you believe there are people out there who do believe in UFOs? +Since Species 8472 invaded the ship, you've become increasingly agitated. +Thanks for bringing it generally can take care of himself. +Meanwhile, Miranda spent another wonderful evening with Ted... and began to reevaluate her options. +There you go. +You toss a handful of seeds, no matter what he's doing, +YOU WANT US TO GO TO DALLAS ? +YOU WERE GONNA TELL ME WHAT WAS SO MEANINGFUL ABOUT FINDING UNTIED SHOELACES. +You don't think it's the Mexican goatsucker? +- Yeah. +But I'm sure she'd be proud of me night. +She doesn't like children, she despises women, she hates men and she wants to do them all the harm she can. +She would never want to go through that again. +That's not it. +California State Supreme Court Ruling states that every citizen has the right to stand and observe a police officer carrying out his duty, as long as they stand a reasonable distance away. +Uh... what happened new year's Eve... +Have you ever met these terrorists or their leaders? +Yes, there. +Three? +Send this with the tape to Bangalore? +You kids have been troubling me alot today +The wedding is on our heads and you're inviting strangers... +Will anybody say something stupid in such a holy place? +He's swallowed it! +Amar, Preeti asks where's the groom; +Look at this. +Be Happy. +PICK UP... +Ladies and gentlemen, Mr. Tooth Fairy. +It was a lucky play, that's all. +(announcer speaks) ...has been brought to you liv e by... +I can swim to the deep end. +Apparently my plan to blow up the snake worked perfectly. +Oh she would dude, she would. +Where are we? +this. +Come two, Harm. +Was there a name or a rank embroidered on this cap? +You'll have to go to him. +What does that say of women? +You seem like you have a good heart to me. +Yeah, it's like a condominium, we have all these bushes. +WOMAN: +We knew about it, but didn't believe it... +Prepare departure. +First they take a turn, then they return home. +Come. +My loco doesn't make any noise. +Can you help? +Mr Hung chose you, about a month ago +Hello, where's the key to the safe? +Let's meet at 7:00pm in China City, see you there +Okay, I'll keep an eye on it +Hey, you're driving +Someone's gotta take a stand. +- I'm sorry, Angela.! +Perfect. +Mr. Lyle, Bobby Bowman it is, faked his own murder, and framed his father? +I'm not capable of being made a fool, not even by a woman. +Yes, and what about the girl? +- What's that all about? +When my folks were around, I used to go there to be alone. +Oh, that's me. +Fine. +Oh my God. +Don't get it! +- I'll be fine once you get this thing off of me. +"Now we are engaged in a great civil war. " +the old one sucked. +Dave stinks. +I see you all the time. +He's a poor man. +I'll be dead by then, bet you'll be able to eat them, thanks God. +Time to start having babies. +Jen. +I'm good. +Almost over, man. +They look great. +I should have specified I'd need a grown-up doctor. +What? +I'm going to the washroom +Aren't you leaving now? +He operates a tutorial school +Stop... +Ben Hon! +I asked her for my grades. +I'll look out for the ghosts, OK? +- Yes, we'll, er... ..we'll get those vampires later. +- Buffy, are you OK? +I didn't press charges. +Will you listen to this? +( upbeat rock theme playing ) +-Should I set up an appointment? +I'd like to be alone, Richard. +A brunette? +Give me the... +- Very. +Well, you're a hero. +(laughs) I know what you've heard. +Rachel, this is a very thorough list. +I don't think it's your children you miss. +That's not it... +What matters is that I noticed him without knowing it. +I concur. +Allow me to introduce myself. +Here's your chance. +That was Clarence, the guy who's coordinating +What? +# For beauty +I've never done this before. +One man may be the difference between victory and defeat. +The Yi family. +Back at me? +-Sweet and pungent shrimp. +Honourable ancestors... please help Mulan impress the Matchmaker today. +- What's your name? +I can see you. +# We must be swift as a coursing river +Stony? +-Get your clothes on. +Forgive me, Your Majesty, but I believe my troops can stop him. +Mysterious as the dark side of +I was this close. +Ha, I see you have a sword. +- lt's Ping. +¡Ó Just for luck ¡Ó +Get ready. +Open your eyes Your heart will tell you no lies +Who is that girl I see +-Well? +-¡Ó When we're through you can't fail ¡Ó -¡Ó¡Ó +Yao. +Pull! +Come on, smart boy. +{Y:bi}But you can bet before we're through +It seemed someone called the Admissions Office, A young man, +. +To meet the people that made you. +Please? +And I really wish I hadn't just said that. +- So, how's it going? +AND HOW. +YOU KNOW, SOMETIMES I'M BEGINNING TO THINK +- You have difficulty... +- Welcome. +Welcome, son. +The whole place...her illusion. +Creative H²O Subtitle Services +Whoever you are, whatever you are, |did you think you could take him from me? +He's feeling better. +Huh... +Marie... +You can't. +she doesn't need glasses. +Keep thinking of me. +feel the beat! +okay? +We'll find her. nothing will make her recognize you. +Papa? +Albert Lewis? +Does that hurt? +How sick is that? +That is aware that I exist. +For us. +I'm not leaving him. +You can see the dead. +She's here. +Why is that you? +You haven't. +I think I'm a little under-dressed. +I'm going to help her die, yes. +THEY SORT OF PUSH YOU INTO IT SO THAT YOU CAN GET IT DONE +That was our heaven, see? +THAT AGE CAN BE DIFFICULT FOR A CHILD +OVER THERE, PETE. +NOW! +MAYDAY! +- Five centers is right smart shooting. +Cutting, come up here with that bayonet. +Is it true what Mom said? +Andy"s dead! +Good job. +( breathing rapidly ) +- I'm so sorry, I've got another call. +You've done one thing, and by God, you shall do the other. +Oh, come on, now, enough of that. +You, like every other on-air personality at this network, has a morals clause in your contract. +Are you okay? +Mai, I´m sorry. +Great. +We'll put on the History Channel and just... ( husky voice ): +Your witch's licence photo. +You and me. +I mean, it was kind of fun for a while but didn't you feel kind of silly? +Good night, doctor. +- She's come home! +If you don't want me, just say so! +You'll say: "How can I reach your co-author, Christine Le Guirrec?" +Marlene. +If you don't, I'll do something silly! +Sure she's back... +We must save her! +We're in a hurry. +Run home and take a shower. +Serves him right! +Pr. +It's Jean Cordier. +Who are you talking to? +That's good news. +Sorry, I'm out of my depth. +his wife left him, but he doesn't care. +Thanks, Mr Brochant! +- The address is in here. +We met briefly, my name's Pignon, +I only have great wines! +I may never come home again. +- Shout, "Go Marseilles, go!" +What did you say to her? +And what is my mother doing here? +What? +Very generous. +Ha-ha! +Listen. I put some time in this. +-Nina. +- That kind of mistake can hurt. +Hey, you sing, hey-oh +MURPHY: +Action´s on and we get jail from that +I have nothing better to do than wait around. +Did you actually see the guy? +No. +Sweetie, can you move your leg? +AND SHE KNOWS EVERY ROCK AND ROLL SONG EVER WRITTEN. +[ Laughing ] OH, NO. +I will put you to sleep for 1000 years. +Well, I am not gonna sit here and wait for the next one. +(Phone rings) Excuse me. +(Ain't No Mountain High Enough playing) +♪ I'll be there in a hurry You don't have to worry ♪ +- Thank you so much! +And, of course, the magician +"The guy I see is in high school and, it has to be said he laughs his ass off whenever we talk about you" +So stand back and trust me, why don't you? +But this good-looking was beyond my imagination. +Yes, of course. +All right, ready? +Once you've all settled in, I'm sure she'll fit in just fine. +- A new and finer age. +The Yogurt "Shopp-e." what the fuck is a "Shopp-e"? +And mine is already in the making. +That's all there is to it. +On liberation day the boy finds out who his father is. +The people who do that understand the human race. +Thank you. +You're right, you're right, I'll get back to work. +Oh, you're kidding. +But I guess that's normal? +They never give a good spot to a rookie but I'm the only one who can say "Merry Christmas" in 25 languages. +Focus... +I bet we'll split our sides recalling how we feared going out. +I'll teach you to speak with hands. +Once we're close enough, we can fire an EM pulse at the sun. +- lf the Romulans fire on us, they jeopardise our alliance. +Isaidlookout behindme. +-Hi. +Hide till I come get you. +- One for each day of the week? +What if you found out that Sam was cheating on you? +It's alright. +- How many times? +Look at some of this stuff. +They're right on time. +If there's, um, anything I can do... +- You've got one on your shoulder! +The mental ward was the best thing that ever happened to me. +If there's, um, anything I can do- +Last night with Rudy, I connected to another human being. +Whatever it is- +Uh, I h-heard about this place... and I, I thought maybe I would get some, uh-- +Very good! +Somebody ! +Yeah. +And no one's gonna bend or break me +We'll talk later in group. +- You can see her in one moment. +I hated men so much. +- No, no, no. +If you don't like me, just say it. +"Howdy, gyneroos! +And... open your eyes. +- I reached her. +You need my help. +Welcome to real life. +What? +Yes, sir. +I heard something about you. +Yes, um, thank you. +Howdy! +The point is, we have to treat the patient as well as the disease.. +That I was in a mental hospital? +Uh-huh.. +- Whoa! +Hey, Patch? +Who? +I'll get the strippers. +They're patients. +I was just thinking that. +Can you not kick my car? +- There's nothing here. +What do you know about Africa? +"to an ordinary prison... +We'll make some smores, man. +Hey, Mary Jane, I can explain everything, all right? +I'm hungry, man. +Four years just for weed? +- And we were no different. +- Look at that! +Mr. Nice Guy was blowing up, man. +Cecil? +You're the only man who Smoka Lot knows. +Somebody wanna? +- You hungry? +I didn't know it was a diabetic. +Especially on weed, man. +'Cause I bought a dog, B. Bought a dog? +Drug dealers belong in jail. +I got some booty. +Bully, man. +- Hey-Hey. +I... +I'm sorry, God. +You know he killed him? +Come on, then! +-Light hair, dressed in black. +- Did you give him a little nectar? +- Is that a fish? +- How long does it take to work? +You're kidding me? +Was anyone charged in the Vazquez murder? +we`re broke, the moneywe make doesn`t even getus enough to eat +my darling, I love you! +Were you concerned that the "subject" that died was Isabel Martinez? +Have you been practicing? +- Dad, about this table... +- Must be the uniform. +This calls for something calming. +I didn't give it to her. +They'll stop at my gate and they'll be still like the wind. +Roses... +Yes, everybody. +- Hi. +What are you going to do with all that cash ? +No! +You know, she's right. +If he's really that great, I'd like to be attacked by him once! +will you? +Annette, are you still here? +Opposable thumbs. +- The rhetoric sounds political. +You said they needed to get help. +This then activated the work of cell two. +You can tell me now or you can tell me downtown. +- Sir, they need you in the lab. +Ripped the front off the dorm... exposing just how vulnerable U.S. troops are here. +You don't fight a junkyard dog with ASPCA rules. +Where's Frank? +- Shut up! +Sharon, I beg you, do not make me do this. +How many people you got in Hamas, huh? +It's what they use in funerals. +You sponsored his student visa. +Lead us not into temptation... but deliver us... from evil... for Thine is the kingdom... +Man: +[High-Pitched Beep] +I told you. +Today with the invocation of the War Powers Act by the President, I am declaring a state of martial law in this city. +Doing what... exactly? +- Sharon's been compromised. +- So you got nothing? +FBI spokesman Anthony Hubbard: +What d'you think, Hub? +And when this is over, I promise you we'll get your boy back. +They're working on both bridges. +Hands in the air! +- We got him. +Some of you may not know Sharon Bridger. +- We can't call off the Army +- OK. +No fear! +- You better be running! +Hands in the air! +Uh, Libya, Iran, Iraq. +- Is this some kind of a joke? +Jerry, look at all these pagodas, huh? +I did that a couple of times in my life. +Beep-beep. +It's dry clean only!" +"They check the heels, they move on." +This is the attic. +Hey, what happened, honey? +It was totally my idea. +¤ That's what it's all about ¤ +No, it's not, is it? +He's going to Pentalofo in the north, not far from the border. +I lied. +- I saw the photograph in the trailer. +Stop attacking my town. +You know? +. +Yeah, you do. +What's this? +- Why do you look so disappointed? +No. +I fell. +Not the way you do. +His rhythm will be irritable. +Touch her hair. +Down a liter. +I'm one of the doctors here. +Sheffield. +-"To take Mr. Balford"? +Or what am I doing here? +Earl, what are you doing? +-Dive. +What are you doing? +I'm scared. +You are so beautiful. +He is living. +Or what am I doing here? +-Down a liter. +SETH: +No one can see you unless you want them to. +I was so small. +No, I'm asking you. +Hit it. +Not until you give me Seth's phone number. +I don't know. +Couldn't get a job. +Oh, he won't be there. +I should've massaged longer. +I'M SORRY. +Was it you? +-I wasn't even there. +Floating, floating. +NOTHING. +No. +I- +- You want some? +She's nice-Iooking. +See you later then. +Shit! +Like everyone else. +Sir. +Come on..get up. +By then we'll have probably frozen to death. +- There's an extinguisher behind you. +Quinn! +Last month's issue- "Message from the Publisher." +Someone broke in and stole their most prized possession. +Never heard people talk like that though... you know, about... +I'll tell you what, beating up a bunch of straight wankers is not the solution. +That's a gnome. +- [Moaning] +All right, let's have everyone fall in. +How are you feeling? +This may sound stupid but Were We together in a Wet forest With wolves? +Gentle servant, we have a grave problem. +Run, Crass! +You have to be patient. +You're all villains! +Let's just ask for tooth money! +It's the UNICEF calendar. +A book! +I am relieved. +I hear he jotted things down in a notebook. +- He's a thief. +Yes, it's him. +It's a secret. +Is it Gales? +In my lock box. +Wasn't it Smitty that saw Jetson at the fire escape? +You own nothing and you don't even have a plan. +I want to be in love too. +How is your mother doing? +He's CIA. +All right. +Sure, we like to entertain, we like to inform. +I wasn't born here. +The forecastle is completely flooded. +Soraya, we'll need some splints. +You know, you had me worried for a minute, there. +Two million dollars? +Beckett, no! +That's because it was just uncovered less than 20 minutes ago, Your Honour. +Enough! +Carrying his picture with you... +The oldest living thing on the planet. +- Come on! +Thank you so much. +No graves. +Why are you here? +Honey, I understand you're upset. +Good news, Mr. McKenna. +We're gonna get you the $50,000 for your heart transplant. +The washing machine with an unbalanced load. +Why are you always here? +So... you give an employees' discount down there at your store? +Yeah, I liked it. +Do you want me to peel an apple for you? +- Well, everywhere is God's house. +"Miss Daria DeLongpre, 24, +- I'm expecting a call. +She's back in two weeks. +460)}LESTER THE MOLESTER. +460)}AMANDA WASN'T THE NICEST PERSON IN THE WORLD. +Earl. +Ooh, someone's touchy, hmm? +Hey. +♪ YEAH ♪ +GOOD. +WHO'S CAROL PIERCE? +That's way too scary. +And good luck! +We're just going to the market, right? +Pilaf, huh? +What's so funny? +I picked him up after the show and took him back to the inn. +Hi. +I can bang bang you, you know? +Thank you, I'll be back. +- Don't thank him! +Yes, of course. +We're happy you've woken up. +Thank you +The rest of the research files have been completely deleted +How's your brother? +Did you talk to anybody? +Why the hell would my guys break into a hangar they already have access to and steal their own aircraft? +Well according to my sources, there was one survivor +Come on! +Get us out of here! +Well according to my sources, there was one survivor +- Yes? +Just like this +- A couple of guys who might be able to help you out. +- It was only a kiss, Grams. +Do me a favor? +- The best. +Actually, what did he transported +Oh there... +We need more speed. +Such as? +I'd expect from you, Ass-istant Principal Scampi. +Mr. Tobey? +Like that woman yesterday thought you were a rabbit. +- You'll be fine. +It's cold outside and I want my food... +It's not safe for you here. +Wh-What's your sign? +Which one's the real Hercules? +-Athletic? +Joey... +I know, I saw her and Phoebe. +- The priest, he got away from us. +- Your name? +Although they have no roots, they still manage to survive. +This is the site. +It's your responsibility. +Sumire-kun! +He's in luck, I knew it! +Oh, yes? +For double the money! +I had a doll married last week. +I am quite calm. +Let me tell you once and for all. +Go away, and you can never come back. +Heh. +It says they're temporarily out of quizmasters, so you'll have to be home-schooled. +I can't figure out this chemistry problem and I can't even think about trying to pass my elements test. +- Dean, do not tell him who we are. +- Hold your fire! +Let me have the phone. +Daddy! +- Well, another day at the office. +You can come on out now. +Puzzle line. +It got impounded. +- She won't talk to anyone except Art. +- You still alive ? +Since when you worry about overtime, Jack ? +Give him up. +That's it. +- We find somebody to talk to about this. +I talked to 'em. +You like these puzzles, don't ya? +Goddamn it. +When it's completed I'll read the message. +No. +Ring, watch. +Good-bye, Xena. +Okay. +Here. +What do you mean? +That's the truth. +It could explode. +It's only giving us standard atmosphere options. +You'll frighten the children. +- What? +These orders have forced us to declare independence. +I have narrowed down Eric's possible father to the people in this room. +- How much do we need? +We're gonna win! +I hope I don't get hit by a train. +- Dahak. +- You know what I'm saying? +Where did you think I was then? +Yeah, I'll bet there are a lot of women who are brokenhearted losing you. +- Yeah. +Mr. Walker. +So if you can make it past the initial intensity of that impact, +Most of it is based on what you never see. +That's the biggest wave I ever saw. +Come on. +This is futile! +Look out! +Well, you don't have to go, Private. +Fife, where's Witt? +Are you prepared to sacrifice the lives of any ofyour men in this campaign? +You get a man to 'em right now with orders to attack! +This is C Company, of which I'm First Sergeant. +I shot a man. +You know, cos life ain't supposed to be that hard when you're young. +And if some of the men... pass out, why, hell, they'll just have to pass out. +Walked into the golden age. +Give me more. +Somebody ought to do it. +You told him you would. +A glance from your eyes, and my life will be yours. +No. +- Hey, hey! +Hold my hand, Fife. +She just shook her head. +(explosions continue) +Calm down. +[Japanese Continues] +Take top side to the signal bridge. +I would if I could. +Just sent First Platoon forward to the ridge. +OK. +And if you don't have the stomach for it, now is the time to let me know. +The only things that are permanent is, is dying and the Lord. +Is he OK? +What are they doing? +Strife from love. +Maybe somebody ought to go tell the captain. +Sico? +Because you are trying to take a shortcut to settling. +- My office? +- Uh-huh. 1:00. +[Laughing] That's right, make her smart. +- Sure. +Please. +Hello ? +You see? +How old were you? +Statistically, at least one of us should be divorced by now. +The paper I have to present in Taiwan tomorrow. +I gotta dance. +Praise Calliope! +I'm amazed. +Mom! +If ada's still alive, she'd be 93 years old. +I heard your father died. +- Hello. +Yes, but we waited for you. +Calm down. +- What's its name? +We were very afraid for Sophie. +That's all I'm saying. +They won't accidentally shoot my daughter as well, I trust? +Out of all the men in Manhattan, how did Katharine Lansing find you? +No. +Look out! +We'll Get Behind You. +[ Woman ] Look. +Oh, Thank You. +Ruby, +Tell 'Em Just To Leave You Alone? +Her Scores Are Too High, And I'll Change Them As I See Fit. +And we're all looking at each other and saying, +As for doing harm to either himself or others, if a friendly exchange of phone numbers is cause for alarm then I guess this guy is dangerous. +I'm still doing it. +Ricky! +Where to? +We found out who'd be reviewing the hotel. +We just don't know who they are. +- Then what? +- Fabulous. +Carry on with your prayers, Father Luca. +Great to have you on the team. +I will not let him die like this. +But...are you excited? +Listen, I gotta talk to you. +So they're probable phosphozine poisoning cases, too? +It's fun, isn't it? +- We don't have much time. +- Okay. +Not to anyone but me! +That's the situation. +But I was wrong to trust you, wasn't I? +- I know an all-night drugstore. +I notice that men just stare at you. +Personally. +No, I am sure, he's wonderful. +You mean now? +Trust me. +- They don't get it. +But he married a young, big-bosomed woman and now he loves every movie. +- Hey! +That was just a little Halloween skit that we do. +Until she can no longer stand it and decides she has no choice, and she must kidnap him. +A voice of a 12 year old girl. +Yeah. +Yeah. +- A mineral water. +Yes... and they've been coming here a bit while the house has been empty. +Child's Food. +- No, everyone's asleep. +- I think you may say so. +It could be too sophisticated. +- Where are you going? +I think it's quite fantastic. +Or spass at work. +- Good morning, Honey. +Is there any left over from the +Excuse me... +You're in a spot. +A man's got to go when a man's got to go. +- Aim? +You first notify his wife, I'll take his duty tomorrow +Exactly my ass, you weren't paying any attention to what I said +Well, you should have seen her, Ma. +It's dumb. +Chest wound alone should have killed him. +"Ain't this a hell of a way to make a living?" +Anyway, he comes to me, and he says-- +I'm gonna work some things out, all right. +- You touch the damn siren, I'll blow... +That was an awful big score you guys made last night. +Then what you're saying is you got drunk and you lost that money. +The deposit box is in my name. +- Let's go. +- Howdy. +Hell, I will be soon. +Hey. +Thought we was the law. +- Isn't that Ty Cobb? +Uh, yes, sir, Your Honor. +How you doing? +I wish that I still had My show so I could have you on. +I see you! +Well, it's a delicious sight, Doctor. +Just as you said, Stil. +Can you not see it? +Do exactly as I do. +And then you will squeeze, like the grips of a vice so our treasuries become fat with the profit of spice. +Good to see you again. +What is the matter with you? +I taped it. +So. +[BIRDEE SOBBING] +We have a full range of arts and crafts... to keep our loved ones happy. +Oops, he's headed this way. +And the whole world is on your case +- Yeah? +- She's marked for happiness. +Bye. +- Be quiet. +Ribbit. +This is nice. +You put Tuvok in his place, right in front of everybody. +Tom, how long can you keep us flying? +I could teach you all some Talaxian rondos, and I know a Vulcan funeral dirge, not to mention the classics of Klingon opera. +What happened to them? +Alive? +It's not fair. lt's wrong! +- Turn around. +Let's go! +I'm not cut out for this job. +With or without flies? +All right. +No problem. +- Sums it up. +Yes! +- I just want to be left alone. +- Don't talk to me like I'm a kid! +Keep the girls warm! +But I don't wanna dress like you. +OK. +- Yeah, I guess. +I'll tell Giles in the morning. +Hah! +- Him? +I love you, Sally. +Jimmy, please. +Yeah. +Just keep working on your spells. +Twelve's better. +I found it here when Mommy and Daddy died. +Three days. +Or is that outside your jurisdiction? +cyclist 2: +Oh. +Now listen. +Wow. +... calledAmasVeritas. +Gilly. +It's your ring, is it? +Then why don't I take a sledge-hammer and crush that Pobeda to smithereens? +Her name was Joanne, all right? +Ah, he's all right. +Welcome, Movementarians. +Outsiders have kidnapped some of our property. +- That's why! +- You think I should go home? +Did he ever talk about his past? +I mean, I do like you. +Take your filthy hands off me! +A big. +Sure... +Give it up for the slayers. +You look good. +Two of them... unlike some people. +Twenty-four hours. +Guys, what's the least sexy book you can think of? +You always want guarantees. +- So describe your boyfriend and we'll tell you if she's bonking him. +Please, don't go ! +Nice work ! +Bird ! +Who put cat hair in my water? +Fine, here! +- Don't tell me your family's not totally loaded. +The health department called they're coming here tomorrow morning and this place is a total disaster. +So now you're driving cars for the bluebloods? +(engineer) Can you identify? +If we can't track the Touchstone, we may be able to track the second gate on Earth. +I can feel it. +Come on, let's go and see. +Watch me drop dead? +That's twice. +Maria! +He is the Chief's son. +There're no sightings of Hung and his gang at the checkpoints. +Yes, so long as you steer clear from the guys at the rice store house +You'll get rich soon +No +Under normal circumstances, you could avoid it. +Get it, man? +Want a drink? +I dig it. +Hey-- +I still think we should skip today. +It was a triumph. +Thanks. +I think I was number 48 on a list of 50. +We weren't speaking of jokes. +-Now major and minor together. +No, thank God! +I'II never go back to Hunsrück. +-You don't belong here. +Suits, shirts, paintings... photos, records, everything. +Merry Christmas! +-What? +-And to mark this occasion. +Number 3's on the blink. +There was hardly a day when I didn't know where you were. +"Better concrete goulash for the mind than concrete poetry for the stomach." +We waited for you. +In August, the nights are still warm. +Who's it from? +Hermann, don't you recognize me? +-No hum! +Could we still make it? +Only the big key fits that. +He wanted to study medicine, too. +Seven seconds of musique concrète. +You of all people. +What do you hear? +More manpower. +So let's just give him a white shirt. +- Where's Edna? +I been making on this doll for Possum. +[In German]Untie him! +Nobody will hurt you here. +People want to have fun. +Lie or whatever explain to me +Long may she sail. +See that cracker stop a tank. +Not too hot. +- Hey, itwas nice ofyou to be here. +I don't know. +Willie? +Eddie, shut up. +Let's go. +Yeah? +Who? +Are you trying to kill somebody? +'m In a hurry, very much. +That was an articulate outburst. +This self-sufficiency thing really is amazing. +I daren't show my face at Lady Fanshaw's bridge evenings, now you've taken up with those television people. +Roper is married to a Vietnamese national. +He'll recognize me right away because I look a lot like my mom. +I love you. +Let's practice our English. +Crazy. +I am Russian! +I'm not ready for another marriage. +I shit on them! +Laurie Bascomb. +That's great. +[The Internationale in Greek] +You have a great imagination. +-You're doing it on purpose. +So you were after me. +Don't talk to me like that. +What do you want with the nanny after you've chased her away first? +[ Moans ] +IT, UH- +Perkins! +I mean what.. +and obviously in the uh.. +Yeah, I'm not sure if it's going to work out either, but at least it's a first attempt. +All this time it hasn't been good for you. +You wanted the truth. +- (Cries) +What did these guys do, back up a semi? +What's our E.T.A. on these huckleberries? +I really do. +I'm fine. +Mom! +- What's your name. +Hey, you know how the Harbor Freeway's always bumper to bumper? +Check those rooms and I'll check this one. +I understand you lost your parents in Godzilla's attack thirty years ago. +It was designed to withstand extremely high temperatures. +Nuclear Facility Destroyed" +We're out of cadmium rounds. +What is it, colonel? +It's unforgivable... +The government orders, and you obey. +Excuse us... +Maki! +It might save us all! +No, Kamil didn't want it. +To Sherlock Holmes, she was always "The woman," +Goodnight, Mr. Sherlock Holmes, and Watson. +Mr. Sherlock Holmes, I believe. +"My Dear Mr. Sherlock Holmes: +Yes, it was I who followed you to your door, just to make sure that you really were the celebrated Mr. Sherlock Holmes. +and I remain, dear Mr. Sherlock Holmes, very truly yours, Irena Norton, nee Adler." +And that was how a great scandal threatened the Kingdom of Bohemia, and how the best plans of Mr. Sherlock Holmes were beaten by a woman's wit. +To Sherlock Holmes, she was always "the woman," +Not a bit, Doctor, stay where you are! +Goodnight, Mr. Sherlock Holmes, and Watson. +Mr. Sherlock Holmes, I believe. +"My Dear Mr. Sherlock Holmes: +You did it very well. +Yes, it was I who followed you to your door, just to make sure that you really were the celebrated Mr. Sherlock Holmes. +and I remain, dear Mr. Sherlock Holmes, very truly yours, Irena Norton, nee Adler." +And that was how a great scandal threatened the Kingdom of Bohemia, and how the best plans of Mr. Sherlock Holmes were beaten by a woman's wit. +To Sherlock Holmes, she was always "the woman," +Goodnight, Mr. Sherlock Holmes, and Watson. +Mr. Sherlock Holmes, I believe. +"My Dear Mr. Sherlock Holmes: +Yes, it was I who followed you to your door, just to make sure that you really were the celebrated Mr. Sherlock Holmes. +and I remain, dear Mr. Sherlock Holmes, very truly yours, Irena Norton, nee Adler. " +And that was how a great scandal threatened the Kingdom of Bohemia, and how the best plans of Mr. Sherlock Holmes were beaten by a woman's wit. +To Sherlock Holmes, she was always "the woman," +Goodnight, Mr. Sherlock Holmes, and Watson. +Mr. Sherlock Holmes, I believe. +"My Dear Mr. Sherlock Holmes: +Yes, it was I who followed you to your door, just to make sure that you really were the celebrated Mr. Sherlock Holmes. +and I remain, dear Mr. Sherlock Holmes, very truly yours, Irena Norton, nee Adler." +And that was how a great scandal threatened the Kingdom of Bohemia, and how the best plans of Mr. Sherlock Holmes were beaten by a woman's wit. +To Sherlock Holmes, she was always "the woman," +Goodnight, Mr. Sherlock Holmes, and Watson. +Mr. Sherlock Holmes. I believe. +"My Dear Mr. Sherlock Holmes. +"that you really were the celebrated Mr. Sherlock Holmes." +"And I remain, dear Mr. Sherlock Holmes," +And that was how a great scandal threatened the Kingdom of Bohemia, and how the best plans of Mr. Sherlock Holmes were beaten by a woman's wit. +To Sherlock Holmes, she was always "the woman," +Oh, there was once some talk of marriage. +Goodnight, Mr. Sherlock Holmes, and Watson. +Mr. Sherlock Holmes, I believe. +"My Dear Mr. Sherlock Holmes: +Yes, it was I who followed you to your door, just to make sure that you really were the celebrated Mr. Sherlock Holmes. +and I remain, dear Mr. Sherlock Holmes, very truly yours, Irena Norton, nee Adler." +And that was how a great scandal threatened the Kingdom of Bohemia, and how the best plans of Mr. Sherlock Holmes were beaten by a woman's wit. +To Sherlock Holmes, she was always "the woman," +At the very first moment. +Goodnight, Mr. Sherlock Holmes, and Watson. +Mr. Sherlock Holmes, I believe. +"My Dear Mr. Sherlock Holmes: +Yes, it was I who followed you to your door, just to make sure that you really were the celebrated Mr. Sherlock Holmes. +and I remain, dear Mr. Sherlock Holmes, very truly yours, Irena Norton, nee Adler." +And that was how a great scandal threatened the Kingdom of Bohemia, and how the best plans of Mr. Sherlock Holmes were beaten by a woman's wit. +I don't want to. +Move out! +Michael, what on earth is this? +Get away from the plane, it's gonna blow! +Karina's right. +Of course not. +That wasn't very thoughtful. +We just took those other three out to their yacht. +If it ain't Sherlock Holmes himself. +But, Caleb, that still doesn't explain what he was doing in your Sherlock Holmes costume. +Well, the point is, someone killed Sherlock Holmes. +That New York gumshoe was no Sherlock Holmes. +After all, the captain was the one wearing the Sherlock Holmes outfit all night. +I just got off the phone with Karl Teretsky. +Baxendale took the Sherlock Holmes costume out of the front closet so he could mingle, then lured Grady out to the pool area. +I can respect that. +That's the same distance the killer was from Sherlock Holmes when he was shot. +That's why you dressed Baxendale up in the Sherlock Holmes outfit... to make the police think that the killer had intended to kill Caleb. +"Then I'm gonna turn around and kill myself +And after what Joe Louis did to Max Schmeling... 24-hour standby alert. +Twenty-four-hour standby alert. +I was assigned this case and I intend to file a report, sir. +Is it? +Sit down, private. +And everybody seen it too. +No, he wasn't a nice guy. +Good to his men. +No, speak up. +I CAN USE YOUR HELP 'CAUSE I HAVE A THREE-PART PLAN. +LET US OUT. +YOU'RE GOING ON. +Let's go to Broadway! +He's investing millions of dollars in Manhattan Melodies! +Here's your ticket. +Lennie, right. +Rubber balls. +Sherlock Holmes of Baker Street. +No, The wires were disconnected thanks to Mr. Sherlock Holmes. +He hasn't got Mr. Sherlock Holmes to deal with. +Fancy me pulling Mr. Sherlock Holmes' chestnuts out of the fire. +So you see Mr. Sherlock Holmes +Due primarily to the brilliant work of Inspector Lestrade. +Brilliant work of Inspector Lestrade, rubbish! +I give you my word that Sherlock Holmes will be the first person to open it. +My name is Holmes, Sherlock Holmes. +Okay. +Hey! +- Does she do what? +This is really happening. +Well, it's too complicated. +- Hello, gentlemen. +- Driver, you can't park here. +- Shall we have a drink? +- Across the street. +Thank you, baby. +No, honestly, you did. +It's all we have. +She's here, asleep. +Yeah. +You are a baby. +What house? +I can't hear you. +All right, that's it, buddy. +I got witnesses to back up your story. +I like to watch. +I get $2,000 a day, and I don't work without a contract. +- May I help you? +I know, but it's the truth. +That's right. +- On VHS? +She knows nothing. +Take it out! +Whoa, whoa, I withdraw the question. +At least I'm letting you know. +You're absolutely right. +Nah, thanks, Shafti, forget it. +Five years of prospects. +-No. +If they try again, I wanna be there. +-Goodbye, Mr. Stetson. +Huh? +It's right beneath the President's room. +Friends? +Jane, I'm coming back. +I'm waiting for the sugar. +But married people have to eat, too. +Kids. +How are you? +Yeah, yeah. +Well, that's done. +I wanted to but... +- Anything. +Like you, you're smarter. +This is a perfect comment on your lifestyle. +He's trash. +- Something bad, Normie? +- I did not cheat! +The way I figure it, you can let me in in the morning when you come to work, and when everyone goes home, Iet me out. +She's a nice girl. +What are you doing, hooligans? +I can only suggest that if your fears persist, you should contact Mr. Sherlock Holmes, +I can only suggest that if your fears persist, you should contact Mr. Sherlock Holmes, +I can only suggest that if your fears persist, you should contact Mr. Sherlock Holmes, +Julia! +Please help me. +I can only suggest that if your fears persist, you should contact Mr. Sherlock Holmes, +I can only suggest that if your fears persist, you should contact Mr. Sherlock Holmes. +The strongest possible motive. +I can only suggest that if your fears persist, you should contact Mr. Sherlock Holmes, +Gesundheit. +Maybe we should call Mildred... +We'll see about that when we speak to the magistrate. +Fearing, your taxi's waiting to take you to the theatre. +Gisburne. +We can't smoke here, anyway. +Why ? +Come quickly so that the supervisers won't see you. +Coffe will be in a minute. +You are tormenting yourselves with those test-tubes for half a century already, without even knowing what you have deprived yourselves from. +If everyone has spoken out, let's proceed to the voting. +Feeling impulses! +Don't get it... don't get it... +Why should they do all this work? +They will get us everywhere ! +Stop goofing, wake up ! +Lamia Reno. +I couldn't! +- Didn't I say so? +- Due to the situation we are in and we are here representing two sexes... we are +What? +Put these on! +I protest! +But our brave girls are here with males, let's go and see them, I'm very curious. +Dr. Yanda is unconscious! +And I was hidden by my mommy. +Excuse me, perhaps I should leave? +Or two. +Thank you. +Yes? +Come with me. +You did win your bet, didn't you? +- Where is she? +Yeah. +Where's everybody else? +- Yeah. +Well, if you were me, what would you be doing right now? +I'll do it. +- Robot? +Now face it, Alex. +Wait till they´re all in Death Blossom range! +Yes, Father, your mighty Frontier grows weaker by the moment. +Do not trigger D. B. until we're within range. +Hello. +Yep. +Prepare for blastoff. +Step into my office. +Never mind. +Hey, hit the brakes! +Forget it. +- Grig! +Albert Leonard. +And, of course, Shipley was just a thug who worked for Mr. C. +Perhaps I'll manage it? +I just like to invent things and I'm an expert story-teller. +As you know, these creatures all speak in verse. +Nerds! +- These guys are never gonna accept us. +(SCREAMS) +I take great pleasure in officially opening this year's homecoming carnival! +You will be provided with the best possible food, shelter and accommodation. +I wanna be with people my own age. +Don't touch that boy. +So I say I got... +- You put what? +Ogre! +But I must tell you, gentlemen, you have very little chance of becoming Tri-Lambdas. +# Here an oink, there an oink, everywhere an oink-oink +Eat Pi for charity. +# So, Wormser, come on out here on the floor +Excuse me. +Aren't Alpha Betas, like, all jocks and face men? +It's OK.I understand. +Take three of these kings out, and replace them with... three fresh cards. +Move it! +No. +(WHISTLING, EXCLAIMING) +I'm not sure. +But she's at the estate, you know she's safe. +Hold on, we're not gonna change our whole lives, are we? +- So what's with the girl? +Spotter control, there's no sign of the carryall. +Cha-aksa! +A third-stage Guild Navigator will be here within minutes. +8. +Now! +My lord? +- Greater than treasure, Usul. +[ Paul ] With the storm, their air power will be useless. +Did you really think you could bear the Kwisatz Haderach? +South. +- Always? +Do you know of the Water of Life? +Yes. +Stand by for a fix. +Many machines on lx. +Please excuse me if I can't talk about it. +It is by the juice of Sapho that thoughts acquire speed, the lips acquire stains, the stains become a warning. +Our storm. +Things have been so serious here lately. +You thought only of a duke's desire for a son? +As I said, they defend the spice sand. +Now, guard yourself for true! +Muad'Dib! +Do you know of the Water of Life? +Calm yourself. +You think you've defeated me? +Ether bender, 75 percent efficiency. +My brother is coming with many Fremen warriors. +What happened? +No, Paul, please. +Send them back. +It's something for your father. +How dare you! +Long live Duke Leto! +PAUL: +ALL: +Please move quickly but safely inside. +Robin! +What is that? +Nikhil will ask them not to keep.. +..to answer the government. +But you do as I say, +He is my hero, Ba, the Baracan God. +[ Let your body lead you [ +'Cause they were out of green paint. +I don't know. +And so has my husband. +Hey, Gladys! +♪ Agita, my gumba, in the banzone +Are you finished? +- 78. +Yeah, well, I had a change in plans. +What do you want me to say? +And Danny follows. +- Yeah, he's a comedian. +And, Barney, may God forgive me. +- Who's Tina? +Sweetheart, I promise you, he's cheating with you. +You got it wrong. +- What the hell did you get me into? +When I eat, he gets a treat +He would wriggle... and what happens is, the ropes gradually... start to get some play in them, they start to get loose. +Let's get out of here. +This is the greatest Danny Rose story. +- I feel like Moses. +Well, we'll do it again tomorrow. +You were brilliant. +% And handle +A cheap blonde? +You know this man. +I told you, Ebenezer. +- I was thinking of modest as a violet. +If you don't like what I'm saying, why don't you tell me to shut up? +You know my mother. +-It's a piece of shit. +His legs are stuck. +I'll get you more from my brother if you want. +- AI. +Why do you want to be a hard-nose for? +You think I was hitting on her, don't you? +You talked! +It's our car. +You play sports? +She's right here. +All right. +That's great. +You take a water taxi right outside your hotel. +- I'll call you, OK? +- That's great. +- How much? +I'm Joan Wilder. +- Were you always into birds? +She doesn't know where it is. +No. +I'm sorry I even dragged you to this place. +Is this the bus to Cartagena? +Yeah, that's what I call a campfire. +- The one without the bridge? +Bullet head, if they're hiking through the jungle... there's nothing I can do about it. +All right. +Like it? +Birds just seemed to be a fast way to get what I wanted. +Half a year's work just flew south for the winter, all right? +The Joan Wilder? +- [ Screams ] - [ Groaning ] +i¡¡AÀÀNDALE! +Extra Five million +Help me, comrades. +- You bring girlfriend? +You think you're so smart, man. +I know my son, Colonel. +It wasn't so bad. +Except for Robert. +We're finished... for now. +You left me with her all day, she kept talking and talking... +- I can't see anything. +- Of course not, it's stuck! +- The grub... +- What now? +Do the same thing with that fancy wrist watch. +Non! +We just got their dog. +Guards! +Sure, be the first to die. +It really hurt me. +Stand up! +We made it! +- Oh, good. +# Oh, Nadine +Yeah, right! +Pardon me, that I'm now interrupting, but my boat is out in the fjord... +I have to get home. +As advertised. +If you don't want people to know who you are, senor woparico, why are you... +Yes, your advice was sound. +Don't worry, Ariel. +Thank you, Lieutenant Taylor. +-They're psychic projections. +Let me show him my men and my horses. +Lieutenant, we're leaving in the morning. +That's where you come into play. +We do have a plan, don't we? +Your hate for him is eating away inside of you. +I graduated, NYU. +You should start. +[POP MUSIC PLAYING ON RADIO] +You're under arrest. +- Please fasten your seatbelt. +Little Garwood was playing on the kitchen floor. +- Move it! +- Bye! +He knows Vitor has more mojo. +That's the film with Jimmy Stewart. +Yes, S.B. College. +sub duration: 2,239 sub duration: 0,399 +The law can change from day to day, +I'll not debate you anymore. +That's so unfair! +Objection, Your Honour. +All the grain in inside. +Mr. Sherlock Holmes can return to London by the morning train. +It lies with me now to tell for the first time what took place between Mr. Sherlock Holmes and Professor Moriarity in that fateful year. +It fell out as Sherlock Holmes had predicted. +But in spite of the lovely scenery all around us, it was clear to me that never for one instant did Sherlock Holmes forget the shadow that lay across him. +Good bye and good luck and believe me to be my dear fellow, very sincerely yours, Sherlock Holmes. +singular gifts by which my friend Mr. Sherlock Holmes was distinguished. +Don't forget it, etch it in your brain. +- We ask the questions. +I'll handle it, pal. +We ate 'em. +Ow, shit! +The Rodriguez brothers are... +- Don't you feel funny? +I'm so tired of giving you money and you squandering it. +I've been thinking. +Where the fuck is he? +Don't you like your job anymore? +Destroys people, leaves buildings standing. +I'm encountering a strange, eerie kind of forcefield. +Hi Otto, it's Leila. +- What's that? +Open the door! +The two hemispheres are fundamentally at odds. +- That's nonsense. +Screenplay by Hiroo Satsuma +Report it to them. +To the coast? +T. C: +What do you mean? +Hey, Ben. +Lie down. +Skin it and gut it. +I don't understand... +That's it, I know: +Nobody... no-one can accuse them +Now, let's go +Who is your boss? +That guy at the table - +I regard it as a most depressing development. +I can explain. +To live in it. +Stop it, please. +She finds you very attractive. +I don't know. +That's why I'm thinking maybe Saint John can use some backup going in. +So, do you know any good places to eat? +You don't mind if I take the pain personally, do you? +"You can do it, Vicki! +DWAYNE: +MIKE: +KIROV: +Great. +We must have Airwolf to become mobile. +Yeah, I asked Jason to run a check on him. +Russian MiGs coming in fast from behind! +(SIGHS) +Not pasture, R and R. Bull. +Yes, and it wasn't a very pretty sight either. +LOCKE: +Don't return fire. +All right, let's go over this one more time. +Did she say anything when she was in Airwolf? +I'm switching to automatic. +LYNN: +- I beg your pardon! +- It is? +Why is that? +Nothing could save her from a terrible fate. +The great Stephano, king of the gypsies. +Another hoover class graduating... +Or shape. +I suggest you get your father here immediately. +- Not Hopwood. +We can't take her with us, and we can't let her go. +- Leather? +ANNOUNCER: +You have a plan? +Yes. +-[ laughs ] Who, me? +- Two-and-a-half lakhs? +Shall I? +Sit down, Natwar. +Understand? +There are 25 references in the current encyclopedia. +No. +That's true. +I can't explain. +Fifteen minutes to ignition. +The answer is: +It's been 12 hours since my request for information. +CURNOW: +Easy as pie. +i know you people are caught in the middle of this. in a sense, we all are. +This line here, this is the main power supply to the control bay circuits, right? +The possibility of life of some kind where it never existed before. +We use the docking ring in the Leonov to attach to the Discovery. +Grab something, now! +Dr. Craig, Dr. Craig, Room 5. +This is very difficult for me. +Hungry, I think. +Max, get the hell out of there! +Dave? +-I don't know. +I enjoy working with human beings and have stimulating relationships with them. +The time has come to put ourselves in an orbit around Io which is where the Discovery is. +HAL doesn't know how, so he couldn't function. +The war is over. +How do you get it mad? +Oh, my God! +Yes, I I know. +How long before it impacts on Io? +I'd like to see the effects when I reconnect your systems. +Warm? +Sherlock Holmes. +Sherlock Holmes. +Sherlock Holmes. +Sherlock Holmes. +Now, this is Miss Violet Smith. +Sherlock Holmes. +tried to call last night, as nobody answered , worried. +You gonna go spin the story? +Bullshit, we'll keep these, run some check on 'em, but they're good, Ernie. +Today we're gonna go to the beach." +Mexico. +Whatever happens should've happened years ago. +You're the no. 1 suspect. +I'll do it for you +It's much less +I'm telling the truth. +What kind of a husband are you? +For you. +Sure. +Go ahead. +Claudia, please, I want to handle this my way. +Impossible. +Get on. +I am totally thrilled! +It's a fragrance sample. +Good night. +Leviticus? +Really fantastic. +Not the kind of guy you bring home to mother. +Yes, sir. +- Understood, sir. +- Uh, the major has kind of a throat injury. +When did you actually find out about the bomb? +I know what I'm wearing. +-I didn't know whose side you're on. +We'll talk more later, lKristine. +As you can see, terrain doesn't hamper my performance. +Come on, guys, who's betting? +Some sought refuge from the hostile nomads of the northern deserts. +Senior, you are so stubborn +Professor Moriarty. +Let me through. +Professor Moriarty took advantage of the chaos... and stole the blue ruby, the only one of it's kind in the world. +- Right. +And there are plenty already here, sheltering, like the turtle, among the still unrotted leaves. +Oh, no! +I can't wait a minute longer +- Αnd the answer? +So that's his love! +Programmes for the show, wine, water, cigarettes. +- I just got out of jail. +The thing hissed and sparked at every turn. +- Gregor said, you knew about it. +Transmitting altered control data for reactor activation. +I just-- +You're off tomorrow. +Oh, gee. +Kay, you've had a little too much to drink. +I'm telling you all this and yet... don't know how to express myself +Got a little advice for you, pal. +Amanda? +Easy. +I don't want to hear you complain about business, Elias. +Your Honor. they're charging each other with aggravated assault. +Harry. for heaven's sakes. do what this guy wants. and take the tests. +"Wait!" said the driver but James wouldn't. +I think I broke my nose. +I'd spend my life kneeling before you. +I want something else, Clara. +-Ladislao... +The honeymoon. +You take two pieces of bread, jam 'em together... +It's incredible. +Any of you guys from out of town? +Bitch! +I'll hold them off. +You're actually marrying Rick! +Oh, baby... +twins! +Guys! +Go, baby! +No kidding! +We're talking marriage, kids, the whole thing. +That's that meat with that cheese on it. +Debbie, I don't believe you! +I think the man has done a very good job with the party so far. +OK. +Yes, I am, sir. +Girls, let's get outta here... +Stand back! +I'm talking about hookers. +Whenever she goes to cocktail parties. +I may be a writer. +Speak to Philipp. +Everylhing's on me. +Your mother, Professor Ishigami, is a scholar of superior genetic engineering! +Okay, you don't need to stand. +That creature's name is Bagi. +Why don't we talk about what your motives really were then, and what they are now with Peter. +I thought I heard your car. +No, but I'll start you on your way. +- Enjoy it. +It's fading. +If you're gonna yell, I'll come back. +He's at the post office! +I was in Keng Kang this morning. +Come on. +You got nothing to say about this. +Could we not all look at once, please? +To take a photograph and help him because his child was wounded. +- We can't let him walk out of here. +I'm sorry. +You know what I mean? +Stop, please. +You know how important it is. +This head... +-No. +[SPEAKS SPANISH] +I've had 10 days in this horrible place. +Oh, God! +I know you're not, and I'm trying. +Take him to a Mexican jail? +She's worthless! +Where's that? +I'm not talking about floors, Bryson. +He's been in prison since you helped put him there back in August, 1982. +Some birds exploit the force of gravity by dropping not their food but themselves from the sky. +They will be using the thermals to provide them with an observation post in the sky from which they can scan the plains below, and I'm getting just about the same kind of view as they are, and it's +Each o f you seem to think he's a real Sherlock Holmes. +The devil could torment us, his slaves just as he pleased. +Father said that Alexander can live here. +Each o f you seem to think he's a real Sherlock Holmes. +Yes, we do. +She's Urgl. +BOTH: +Be confident! +And to save our world. +[READS] On and on they flew, until they reached... the Sea of Possibilities,.. +I had another dream, Dad. +I must keep my feet on the ground. +( RUMBLING NOISE ) +You brought him with you. +Comic books. +And it got bigger and bigger. +"...would sink into the swamp. " +There, I think we've had a nice talk. +For breakfast? +Night Hob, this could be serious! +The observatory. +Weren't you afraid you couldn't escape? +(Screams ) +Don't worry. +There's eye of newt in there. +Stay here. +So the Nothing grows stronger. +Please. +Come on, lazybones! +What a shame they don't ask me. +- His head must point to the North. +Yes, they're leftover from the kitchen walls. +Oh, your holiness... +Get them all out of here At once! +Come on. +There he is, Professor Moriarty. +While I was wondering about the book they had stolen... the Rosetta Stone incident happened. +I, Professor Moriarty, will take action tonight! +I can imagine Inspector Lestrade must be very eager to find them now. +Could this be Professor Moriarty again? +Professor Moriarty's new weapon saved us. +I finally found it! +Professor Moriarty got angry and threw it. +Inspector Lestrade is here. +Mrs. Hudson, please call Inspector Lestrade. +We give flowers to the soul of our worthy opponent, Mr. Sherlock Holmes. +I'm Inspector Lestrade from Scotland Yard. +As I thought, the suspect is Professor Moriarty. +Professor Moriarty keeps failing. +Inspector Lestrade makes a bombshell announcement. +You're the famous "Sherlock Holmes"? +Inspector Lestrade, I'll send you a rescue ship right away! +A golden statue of an angel was stolen by Professor Moriarty. +Here comes Inspector Lestrade. +Inspector Lestrade, have you found any clues? +You mean someone like Professor Moriarty? +Would that be Professor Moriarty? +Don't speak of promises when you break them, Professor Moriarty! +Professor Moriarty! +Inspector Lestrade has failed. +Please inform Inspector Lestrade. +Inspector Lestrade and his police force have arrived. +Professor Moriarty! +In fact, Professor Moriarty has done exactly that... or so he thought. +Inspector Lestrade. +In the newspaper, Inspector Lestrade declared that the case was simple... but he still hasn't found any clues. +Yes, Inspector Lestrade ordered us to leave them. +Inspector Lestrade experimented with ways to carry out the gold bullion. +Did Inspector Lestrade investigate this room? +No, Inspector Lestrade's investigation was for the most part outside. +Holmes pursues the mystery of the Wizard Sword of Saint Cross... in a dead heat with Professor Moriarty. +I don't know. +Professor Moriarty stole gold bullion from the bank's underground safe. +Professor Moriarty! +Professor Moriarty, who loves lobster... stole the most expensive lobster in the world form Brydon mansion. +The famous Professor Moriarty. +Professor Moriarty has discovered the route used to transport cash... by horse and carriage. +The Evil Genius, Professor Moriarty +I'm Inspector Lestrade of Scotland Yard. +This is the street where Sherlock Holmes lives, isn't it? +Inspector Lestrade, I have no intention of disturbing you. +Oh, Inspector Lestrade. +I appreciate that Inspector Lestrade. +Inspector Lestrade is in a big jam. +This must be the work of Professor Moriarty. +My name is Sherlock Holmes. +To complicate matters further there's to be a showdown on the Thames River between Holmes and his arch rival, Professor Moriarty! +Professor Moriarty. +Professor Moriarty took advantage of the chaos... and stole the blue ruby, the only one of it's kind in the world. +Thank you for coming, Inspector Lestrade. +But when I spoke to Inspector Lestrade, he said... +We'll probably need the help of Inspector Lestrade. +I am Inspector Lestrade of Scotland Yard. +I'll just tell him that Inspector Lestrade's deduction was correct. +Sherlock Holmes. +I'm Sherlock Holmes. +Oh, it's Inspector Lestrade of Scotland Yard. +The shadow behind this crime is that evil genius, Professor Moriarty. +(The Evil Genius, Professor Moriarty) Whenever you find yourself in a mystery, please come see us at Baker Street. +I am Sherlock Holmes. +I am Sherlock Holmes. +He was the king of India, but I heard he was killed by rebels. +And we'll hold you, too, Professor Moriarty! +You're now under the thumb of Professor Moriarty. +You've just kidnapped, of all people, Inspector Lestrade of Scotland Yard! +Look out! +Holmes sets a trap for Professor Moriarty by pretending the bell hasn't been stolen. +Now you know the true genius of crime that Professor Moriarty is! +Where is Inspector Lestrade? +When you said "them", you meant Professor Moriarty, right? +Never think that Professor Moriarty can be beaten like this. +So long, Inspector Lestrade! +Brother! +The cunning Professor Moriarty aims to win the air race... by using the stolen engine. +As long as Sherlock Holmes is here no criminal can commit any crime in this big city. +Even Professor Moriarty? +Inspector Lestrade! +You must be Mr. Sherlock Holmes! +Inspector Lestrade searched for him down river. +Let's get some help from inspector Lestrade and the Navy. +Not only Inspector Lestrade, but the famous Detective Holmes is having a hard time investigating this case,he's already given up. +Can you tell Inspector Lestrade... to have the ship leave in five minutes. +I have a great respect for Inspector Lestrade's fighting spirit. +Considering Inspector Lestrade was test driving this time... he must be really angry. +Mr. Focus, that is Professor Moriarty. +I am Sherlock Holmes. +I believe that this scrap of cloth is from the cloak of Professor Moriarty. +Professor Moriarty. +I wished I could have asked Professor Moriarty how he liked the dessert. +Get a bottle for her +Your tears won't change my mind +You said we'd meet in a budding grove... +Sometimes he says to me, +I doom you to a hideous death. +[ Laughter ] +Good, Yun Fei Yang +These two idiots are here two days too soon. +- No, it is French and is very nervous. +Do you wanna go for a sundae, maybe? +Hey, Hopper, what the hell are you doing? +- Yeah, you're probably spending it +Right? +and I just wanna give it to him. +- Alice, this is beautiful. +The war. +- She's just tryin' to talk her way out of this! +Jessica, please don't treat me like a mental patient. +[Chuckles] But, uh, ladies, don't you worry about that. +Another morning, you are on my mind . +- There's those girls! +What a nerdy! +Gwendoline? +The total's a little off, Sam, you know. +- I see. +This is ridiculous. +I'm supposed to have cheese today. +I know. +- Don't even think of it! +Your firebird makes such a noise. +A couple of weeks ago. +This man can't still be alive. +No, very black! +What would you show me? +We brought cash for 150. +Doctor? +Ooh! +Understand? +I think you pay... more. +Because is beautiful to have love +I thought divorcées didn't wear their wedding rings. +My wife and I are kept awake half the night with its infernal howling. +Okay, my England man. +You cox coxes! +- New man. +Cheerio. +- 8. +Do you like your father? +- Sweet. +Robert, he's your son! +Get out of here. +Yeah, when it needs it. +What's really coming down? +This place, Coober Pedy, is south of the geographical centre of Australia +In a film by paul Cox, a friend of mine and fellow director, asked me to take on one of the character roles +- Where did you spend the night then? +That happens all the time... +Do you have an envelope? +Who's destiny are you preparing us for? +I have faith. +Why? +Let them have a little idol. +- Not your business. +Because it took the three guys and threw them away. +Chief, what have you got? +I couldn't leave you now. +Oh, Melvin, I find you irresistible. +Easy, guy. +Let me see. +- I said it's all right. +! +Do you bet a lot? +But not you. +Because this deal is a natural, it's a once in a lifetime thing. +My name is Sherlock Holmes. +He's middle-aged, has grizzled hair which he has had cut within the last few days, and which he anoints with lime-cream. +My name is Sherlock Holmes. +My name is Sherlock Holmes. +My name is Sherlock Holmes. +My name is Sherlock Holmes. +Nay, but he brought a goose as a peace offering to his wife. +My name is Sherlock Holmes. +And I'm gonna have to re-examine all the evidence in the case because somewhere there is something we've overlooked. +I'd like to help you with this. +(TRIPOD TRUMPETING) +Oh, yeah? +(ECHOING) Get up! +Tonight's client would like a whip... +- You sure are hard. +You don't think she did it, do you? +I... borrowed a curling iron from Cristal... +I have a small problem and only you can help me. +Why don't you go back to Germany? +- The lift, but not Juani. +Just sniff it... +I just saved your life. +- How did it happen? +What would you do if I decided to tell them? +She is unskilled, but strong. +l`m feeble. +I'm not being greedy. +Don't do it. +How are you going to repay it? +People all put the blame on me. +No! +My poor son. +Excuse me, sir. +Go! +In short, a clean environment or indifference or a reckless attitude, they are all interlinked! +And everything will be as it should! +What's up, Sherlock Holmes? +Take a seat. +Take me hostage, bargain with them. +998, Ah Lam. +Oh, there's a girl I picked up in the Black-hawk sleeping on the couch. +You think you can ride into any town and kidnap anybody you want? +You'll never know what it means +Tonight +♪ Oh-Oh-Oh, Oh-Oh-Oh Oh-Oh-Oh-Oh ♪♪ +I want you gone. +Yeah, and not one of them's got a pot to piss in. +Don't tell them I told you, though. +Look, if you love me so much, go away and leave us alone. +You better pray you get out of the Battery. +I'm tired +Oh, there's a girl I picked up in the Black-hawk sleeping on the couch. +Just keep going straight ahead and then make a left under the bridge. +# A high price +Hello. +Oh, yes. +You don't love this man. +- Okay. +God! +It's an idea i had for a new kind of sympathy card, sir. +I finally realized i can't live without you. +- Larry, that's all the time we have today. +Maybe they lose it and it just stays in. +MY PONY. +SO, GOOD NIGHT. +SO, GOOD NIGHT TO YOU, TOO. +THEY WILL LEAD HIS FRIENDS TO YOU. +[ Workers ] i' La migra! +And it's gonna happen again and again and... +That was Ramon's idea. +Lazzarelli, this is gonna take forever. +I know ? +Just look at her friend! +- Why you still stop there? +You better remind yourself. +I don't know... +As long as it's honest money. +Down the throat. +Down the throat. +- No. +Just leave me alone. +Alright! +Don't dump our chances now. +Me neither. +They've been gone too long, to be funny. +- What? +We sure ran a lot of scams together. +Start thinking. +B.A.: [Narrating] Crazy man can fly a plane, but never knew where he was going. +- Travis. +He never looked back at the fire. +- Uh huh. +No, no, no. +I thought I remembered Jane telling me once... that you flew to Dallas together... +I never even told Walt or Hunter. +Well, Trav... think maybe you're ready to... tell me what the hell happened to you over the last four years? +He has to sleep somewhere. +Yeah. +Looks like a girl's car to me. +It costs him a little to get him out. +It was floating around. +I think you'll maybe want to talk to one of the other girls. +He had this idea... +Can you tell? +His arms were burning. +- Why? +What size shoes do you wear? +So do I. +This is a bank? +I can't see you Jane. +You mind telling me where you're headed, Trav? +What? +Thought maybe you might like to see some of them. +Clean up. +Come on! +You showed me I was. +Well, Travis went to meet you at school, +Sequine. +Sir, I think you'll maybe want to talk to one of the other girls. +And he threw himself outside, and rolled on the wet ground. +He meant... +- Hello. +Now I'm working here. +Yeah. +Match their speed before firing at them. +3 of them? +Tell Claudia goodbye for me... +No. +I wanted to prevent that from happening to you. +- Steven Carrington? +- What'd I say? +Charlie! +Daddy? +Oh, thank you, thank you. +I've always loved you. +We're here. +Oh... +What do I always want? +He will greet her, talk to her, get her to smile. +Not the girl! +Are you hurt? +Well, some certainly come by sea. +- Mother. +I've never felt that way before. +Lydia's personal shuttle is gone. +- A new life isn't everything. +I'm Inspector Lestrade from Scotland Yard. +As I thought, the suspect is Professor Moriarty. +Professor Moriarty keeps failing. +[Shrieks, Giggles] [Man] Get out of the way. +Isn't that the guy who wrote the book that Lydecker was filming? +RATCHET: +The Evil Genius, Professor Moriarty +I'm Inspector Lestrade of Scotland Yard. +This is the street where Sherlock Holmes lives, isn't it? +Inspector Lestrade, I have no intention of disturbing you. +Oh, Inspector Lestrade. +I appreciate that Inspector Lestrade. +Inspector Lestrade is in a big jam. +This must be the work of Professor Moriarty. +I'm working like a mule. +But the way he handled the people there - +There's just too many candidates, the vote is split all over the place... and there's too many things happening nobody knows about. +I felt like someone of worth, you know... and, uh, some respect - the teacher thing. +Here he's trying to run, you know, in a very big district. +[Narrator] Proposition 6 brought the issue of homosexuality... into the homes of millions of Californians... and it thrust Harvey Milk into a statewide spotlight. +- Sir, I dind't mean that... +He died in Russia. +- I believe it's called "catching"... although "chasing" would better describe my experience. +- Yoo-hoo.! +- Are yοu the receptiοnist? +I have to go now. +For no purpose. +Norman, has it come to this? +- Well, you roll that one over there. +You was better off you stayed in the Bronx. +I'm the father of a baby boy. +Get the fuck out! +- Max tell you I was getting out today? +Well, already we took care of fianc2e! +- It is not good, Hauser, nothing good. +It is necessary to find the form. +Take it easy. +Here, it's all in the papers. +I'm not gonna be home tonight. +Who you calling a cockroach? +God bless America +He said that I was lucky. +We got 4 for the silverware, 6 for the typewriter. +Can't ask for more, right? +No, it's Noodles. +Fifth Precinct. +I wish I could be of more assistance to you, Mr. Williams. +Yeah. +All right, boys, let's settle up. +Let me know when you're gonna dump me. +We won. +I don't know what you're talking about. +Deborah... papa says you should help. +Peggy, Peggy, I... +Hey, Maxie, everywhere you go, I go, too. +What a shame! +It can happen the first time. +I'm dancing. +MAX: +I seen you go in there after that ball-buster. +-That's my son. +Yeah, but he looks like my old man. +Sorry, Fats. +No big story. +When you've been betrayed by a friend, you hit back. +(LAUGHING) +No. +- He has no worries. +It's Saturday. +Tomorrow. +He's got balls like his papa. +We put up with each other for Max. +Do you know her? +He came to the USA as a starving immigrant to make... a lot of money in San Francisco and Los Angeles. +You got pots to clean. +- He's a romantic. +It leads right down to the street. +It means... +You and Patsy and Cockeye. +It's Max. +Deborah, open up the door. +FRANKIE: +- The secretary has no worries. +Good night, Mr. Bailey. +Besides, I'm afraid if I give you a good crack in the mouth, you'd probably like it. +There are a lot of thieves out there. +No. +- Oh, yeah? +All right? +I'm drinking with the boys and he comes in with his wife. +Come on, come on. +First, I wanted to see if you did the right thing... turning me down to become an actress. +It's a pisser. +I'm afraid if I give you a good crack in the mouth, you'd probably like it. +- Today. +He's my uncle. +The jerk leaves her. +But you let scabs move in and start working. +You decide. +would you fill this out, please? +-feel good, BuBeleh? +IT WAS CREATED IN AN INSTANT. +Come on! +- What is it? +My coordinates are 283 on the Iona projection. +It's moving five times faster than anything I've seen. +No. +Yes. +- It's the first we've heard of it. +- Legitimate? +Let's go. +Liquid. +"LV" is short for Las Vegas. +Are you sure? +She's so vulgar! +What about her? +Listen, please step aside, or she'll start talking again. +-You're all lying to me, lying! +we've got two children Nicky's six and a half +you know, when you're told you could endager a babies life, you have to rather sit.. sit still the death of one of your close family is probably something you don't ever get over and it's a different kind of +and that's a great thing that's really tremendous what I'd like most of all would be +- That's why. +- Aye, I know it. +Hi, Dicky Bird here. +You haven't said if you liked it yet. +Hello, folks! +Gonna have you! +So, it's gone about as far as it can go, eh? +Alan, the resources of the station are yours to make use of, you know that, but I don't see any need to tamper with "The Dicky Bird Early Worm Show", do you? +Let me ask you a personal question, have you ever tried to fart and blow your nose at the same time? +Let's hit it. +God wants him to keep on living. +Looks like their mama never taught them how to dress. +Electro Rock. +Hey! +She has a fast spin. +What is the matter with you? +- I was not a quitter. +[Chanting, Cheering, Applauding Fade] +Yes, I knew they were using me. +- No. +Now, what is important now is her future. +- He's a joker. +- What do you want to make? +I am enjoying it. +- Yes. +Mr. Pickwick rang the bell. +Christina! +I got thrown out of a window! +May I help you? +ETA...11 minutes. +You playing or what? +- Louis, how goes it? +You have the right to have an attorney. +And? +Look, I want to get back inside the warehouse. +Who lured Taggart and Rosemont into a gross dereliction of duty at a striptease establishment? +Then tell me, how can a black man, dressed like me, just march in and start poking around without being asked any questions? +Maybe I should give it to him myself. +Stakeout? +This is my buddy Billy Rosewood. +- Taggart... +- You didn't tell we were together? +OK, listen, everybody knows that Victor Maitland is a hot-shot art dealer, OK? +OK? +I'm trying to figure you guys out, but I haven't yet. +Great. +- Not sexy at all. +He visited me in Detroit a couple of days ago. +Sir... +Tell Taggart to check out the warehouse. I'll explain later. +When I can prove it you'll be the first to know. +Dave, can you get me a printout on all monikers with Bird... +I guess not. +I don't know. +I'm fine. +How you doing? +- Yes. +Everybody's got their weak spots, pal. +What're you going to do about the Colonel? +Let's go on the sun. +You know that Spasoje engaged? +Wow, terrible handwriting +Ho Minh has been transported to a Russian air base at Omrylkot, Russia. +Yes, sir. +Flying horses. +-Quick. +Who was it? +And I also forgive you for eating bread during the night. +Who? +How are you gonna make any money with English Lit? +[Man] Safe. +But we didn't do anything? +Are you so illiterate you don't know how to write Pizzuschi? +Sure I believe him, he isn't a murderer... +And inspector Giraldi? +...I need you... +Well, it'd be a great help... if you'd leave now... if you'd leave the room... +All right... now you're pulling a face again but just don't you think, son, that you've won. +♪ Christmas Eve +You don`t have much choice if you want to see him. +You know, I'm awfully worried. +And from a heretic. +I'm very happy now. +At first it was tough. +We are coming. +$200. +- I know. +They were acting real creepy. +- I ain't got no gas. +He's a God of blood and sacrifice, not ceremonies. +He hit Malachai! +- How about a month? +In this? +- I asked why he sent you? +There's a wacko here, you understand, a wacko! +Mildred! +- Mildred! +- Was I, uh-Was I prying about Christmas Eve? +And them I thought I would get hit in the head and die. +The public is... for sa... +You, Saro? +No television! +- Excuse me. +How about I take this one? +What's this? +I saw you on TV too, but you didn't go in the house. +Jack, this is a police nightmare. +I will verify that Bobby brushes his teeth. +Where can I find him? +-'The Wolf and the Lamb'. +Goodnight. +- Have more. +- You too, Stéphane. +Another nothing. +De Gregorio takes delivery on his new toy this afternoon. +Because in the last six months, you've made so much progress. +You can speak too? +I don't remember. +But you couldn't buy watermelons yet. +My name is Sherlock Holmes. +- What criminals? +- My name is Pavel. +- Nothing. +Find a job as a builder. +Have you been to the Moon? +She has amnesia. +My name is Sherlock Holmes. +I've sent letters and messages. +There was always something lurking in the shadows. +Pay you? +That's the way it is. +We're still going to be okay. +Then they will go. +I'm gonna see what the ETA is. +You wanna lend us a hand? +Because it's all channels of power. +(Jimmy) I'll be right back. +I'll be back. +- Come back to the board with the cases! +It looks like the work of the mafia. +- Conan. +Maybe they want to capture us and torture us to death. +Well, you can't say we didn't try. +[ Chanting Stops ] +Take the jewel! +Wait, Conan, wait! +This is what the world has come to. +Let the girl come forward. +More than qualify. +[All gasping] [gasps] +People who asked for me were told I didn't exist. +Elsewhere, they got long jail terms. +Oh yeah? +- Master. +Be careful! +Pay up! +- It's like playing dominoes. +The only thing is, he didn't know how big. +They'd really shake up the Decepticons. +Who's been taking care of you? +- So that's what? +Very much like... +Fuckin' wanker. +But their legacy remains. +This is beginning to be a refrain here. +That's the film crew. +IAN: +You're musicians, aren't you? +Let's try. +Well, I'm doing my part. +That's Smell the Glove. +Other way. +Sex farm woman I'm gonna mow you down +- I would never have dreamed in a million years, that it was her you were talking about. +- You couldn't manage a classroom full of kids. +They've been at a Ramada Inn there for about 18 months. +This, of course, is a custom three pick-up. +- I think we should go in. +But we haven't got the equipment. +Would you play a couple of slow numbers so I can dance? +Do you play... +Denis Eton-Hogg, President of Polymer Records, was recently knighted. +I'II tell my little angels the tale of the fountain. +- Sir. +And I fear that this new evidence sent to Madrid... will have its effect. +-Probably looking for them at the bar. +George? +Mahoney. +You shot Pitt. +SPEER: +Maybe. +I'm low. +- Who is this? +Pres, Buffy, Boo, Binky, everyone. +- Where you going? +It is gentle and contains carbon dioxide. +What is that smell? +They go into old buildings like this. +I don't have to know nothin' in this deal. +- How's the calamari? +Hey, don't be so fuckin' selfish, all right, Paulie? +Uh... +It's nice. +-Are you sick? +What are you so involved with there? +That's a smart move, Mike. +It blew books off shelves from 20 feet away and scared the socks off some poor librarian. +Funny, us going out like this. +No, you're being moved off campus. +It just went into a ballroom. +She claws. +I know you're into this stuff, so I figured we'd check with you. +Forty years of darkness. +This is very big, Peter. +. +We have to get out of here. +Come on. +You're very handy. +- Never met him. +I'm studying the effect of negative reinforcement on ESP ability. +- You can keep the 5 bucks. +- What are we doing today, Zuul? +People think they're seeing ghosts. +This job is definitely not worth eleven-five a year. +Come on. +- To our first and only customer. +More sightings are reported. +I'll be in my office. +No human being would stack books like this. +Do you have some information for me? +Stop disturbing Dr. Venkman and relax. +You're right. +Janine, someone with your qualifications would have no trouble finding a topflight job in either the food service or housekeeping industries. +I'm warning you. +I've got to split. +- Broken. +Turn the chair! +If you'd be so kind as to nestle behind these curtains. +So what the robotic presenter of 2084 could say might be this +It has has it? +What you mean we`re going for a ride? +Da. +Well, in the beginning, Michael was a bit of a womanizer. +- Come on, Steele. +Good heavens! +The result is lousy. +These buckets of water are for father. +OF COURSE. +I SHALL NOT YIELD +There he is, Professor Moriarty. +Quickly! +After all, he's the highest police official. +We saw you outside a disreputable place in Ostermalm the other night. +-Milk? +How about telling me what you're doing? +-Korovshin has been on him all along. +I thought a women's newspaper could talk about more than love. +- No. +Hey, doll. +What did you say ? +She's expecting a baby, you see. +Bye, Cis... +If I lose, they're all fair game for you. +Carla's got my station. +Terminator! +I don't have to put up with that bullshit, man. +- Let's go back... +Shut up! +- Send a unit. +You must be pretty disappointed. +This isn't real leather, is it? +Anything. +He wouldn't feel it. +- OK. +I put a cigarette out in it. +Same shit. +Go ahead. +I'm on my break, Chuck. +Please don't hurt me. +Go ahead. +- You cold? +Was there someone special? +Yeah, it's enough. +Do exactly what I say. +Not yet. +A machine? +Nice night for a walk. +Get out. +Don't make a sound unless I say. +What? +But they're not too bright. +Fooled you. +Yes, friends, if you're into stereo and you're into sound, for the greatest sound around you, come to Bob's Stereo at 25000 Sepulveda Boulevard. +Later. +Something's come up. +Doc. +Ah. +If it ain't Sherlock Holmes himself. +But, Caleb, that still doesn't explain what he was doing in your Sherlock Holmes costume. +Well, the point is, someone killed Sherlock Holmes. +That New York gumshoe was no Sherlock Holmes. +After all, the captain was the one wearing the Sherlock Holmes outfit all night. +Baxendale took the Sherlock Holmes costume out of the front closet so he could mingle, then lured Grady out to the pool area. +I'm gonna give ya a free blood test. +Sounds of life. +That's the same distance the killer was from Sherlock Holmes when he was shot. +That's why you dressed Baxendale up in the Sherlock Holmes outfit... to make the police think that the killer had intended to kill Caleb. +- Here we are, then. +Tell her to use it to buy herself a husband! +Well, as a matter of fact, we don't come across them socially. +You're going to ask me to let her off paying 20,000 rupees, right? +- Aziz! +Doctor Sahib, when are we going to get you married? +For goodness sake. +No. +I am your friend. +I could hardly see Chandrapore except through Mr. Heaslop´s binoculars. +So may I make a suggestion? +He could. +I made rather a fool of myself in the chamber of horrors. +- Ha! +Extremely inauspicious, Mr Fielding. +Where's Adela? +It is to be your big surprise. +Yes. +I've had 25 years' experience here. I have never known anything but disaster result when English and Indians attempt to be intimate. +I'm going! +How could Kruger get a hold of such weapons? +You just cool your tail rotor there, hotshot. +- Yes. +Come on, now, and have a look at the wall. +This was your father's room. +Steady, old chap. +- My god, what are you talking about, ladies and gentlemen! +What is your question? +My estate, my house... +Someone just busted through the north fence. +I tried to follow you. +But don't taint the goods, OsWald. +And the rack is amply long enough, even for you. +Oh, that's a stroke of luck. +-Panic at any moment. +I don't understand. +-Find the Doctor. +I see you have succeeded in failing again. +It's between my legs. +You better get her before Pedro Navaja does. +Where? +- Where's your brother? +Come upstairs. +Now, watch out. +Let me look at you. +See if you can get me a reading on it. +He's not here. +Wrong. +Circle around outside. +Doc says I have to quit baseball. +Are you... +Son of a bitch! +- Are you kidding? +Come on, Hobbs! +Sometimes I wonder what I'm doing in this game. +Youngberry, excellent control. +Well, let me put it to you this way: +Well, the eyes. +- It'll be in 110 papers. +You don't mind if I just look? +All right, you come at a bad time. +Let me see the ball. +"Dear Old Girl." +Does it matter? +Do you want an apology from me? +Olsen's hitting the ball. +You're up, you're down. +Come on, Roy! +Stand back. +What are you doing? +Dear ghost +But you may be wanting marriage because of this, rather than in spite of it. +- Yeah. +(laughs) I'm sorry, that's not possible. +Open. +Promise to love, honour... and what? +I mean, we do get along. +You promised I'd get to see her again. +Come on. +- Like the man says... it's a question of bark versus bite. +- Till you fail to get the air to cry! +Besides what we'll do when our wagon arrives? +We'd have put money into welfare, found alternative sources of energy. +- Get the standbys working. +I mean, you know, this is the first year that I've missed. +Get off! +Come on. +It's working. +Not yet, Excellency. +Do you know this? +Mom, can I go with auntie? +Oh no! +But it's checkmate, and your youth has betrayed you. +What have you worn? +our country is so weird, there is a guarantee for pizza to reach in 30 minutes, but an ambulance? +Huge! +It's come for you from Hungary! +Mine costs only 150 yaar but shows the same time +If we don't dump these ... the whole residence will stink +Stop it +Pan Mei the traitor +Does she ever speak? +- ♪ It's a fever that tears me down... ♪♪ +Karen, what's wrong? +The girls. +I have been here. +Her diary? +Yes. +The man is gold. +I'd been working in brazil out of Sao Paulo, the new york of brazil. +The beat's wonderful. +No, thanks you're not seeing that little lady from last night again? +I don't think the poor bastard ever thought he'd get so emotionally involved. +It's not anyone we've seen! +How about now? +NEVER SAID A KIND WORD. +BUT AFTER THAT, YOU'RE ON YOUR OWN. +. I THINK SO +WHO ARE YOU, MY GODDAMN WIFE? +Are you tryin' to tell me this alligator works for the police department? +So we're just gonna leave the island just like that, huh? +Hallelujah! +The things are more important for us then a couple of inches of at extra nose. +Been wearing uniform all my life. +Thas the life. +A carriage. +A Princess at least. +Quickly! +You kidding? +I was lucky. +Uh-huh. +I MEAN, AS AN ONLY CHILD, +-YOU KNEW HIM? +- No, I'm crazy about you. +- Yes, yes! +Stronger? +You! +150. +But I'm getting my own nightclub. +We delivered half of Harlem to you. +Ladies and gentleman... +Doing this could get you in trouble. +What about you? +- I don't want a drink. +Wanna get into everybody's life and ruin it? +- Forget it! +- Yeah, he's in. +You been home? +Inspector Lestrade makes a bombshell announcement. +You're the famous "Sherlock Holmes"? +We did it! +Inspector Lestrade, I'll send you a rescue ship right away! +A golden statue of an angel was stolen by Professor Moriarty. +Student of Goddess of Mercy +Shaolin ten style fist set 5 animals styles are the lethal moves you've done it for some time, show me. +How about stopping the machine? +Go home! +And kicked you into the water +fang shiyu,you still have today +- You think Teacher is okay? +Freeze or I'll shoot you. +Good idea. +Recite some more. +Kitty can't stay with me. +- You must exterminate them. +0)}Grown Ups In Spandex Present 0)}Super Electron Bioman +-That's crazy! +Why isn't there any Mecha Giant attacking then? +What are you doing? +Super Electron Bioman! +NO! +He don't know his left foot from his right! +- Hi, Andy. +I'm talking to you. +- That's right. +"I'll sing to you of silver swans, of kingdoms and carillons". +Impressive. +I guess you didn't hear me the first time. +Stop it, Chuck. +Am I? +Oh, hell, Ren, just remember to stay calm. +I told them... +No fights. +HUH? +[Railroad Crossing Bells Ringing] GREAT. +- Have you seen the new high school? +- Glad to meet ya. +When this hat flies in the air, you better have your butt in gear. +The Holy Bible? +- Smile. +I don't want you to be afraid. +- Greetings. +After you left me in the lurch I saw something that should worry you greatly if you're serious about taking over this planet. +The cards have decided that people will do anything for love. +Who's this little twerpette? +You're right. +THIS IS A MIRROR. +Go back, sign in and climb out the window. +Are you suggesting that he... +My little wimp! +Don't you understand that I'm losing my son! +loved by everyone, our highly esteemed Varlam Aravidze. +But Mikhail and Yelena kept me waiting... +Koreli, Elizbar. +What's wrong? +The released power of the atom changed everything but our way of thinking, and thus we keep sliding down to a catastrophe never seen heretofore. +He had lived a big, eventful life. +Nothing or part of the loot. +Jim, go! +Hello? +Bad. +The original teenage Wailers group included both Bunny Wailer and Peter Tosh. +Find another way to say it all over again? +Here we are +The smell seems familiar +Right. +Hi, Mike. +You mean now? +Neil, do you go to discos? +Sir! +UP TO A POINT, YES. +Where do they all belong +No kiss for your aunt? +Don't move! +We should have seen her off. +Dr. John Watson, formerly medical officer attached to the Royal Berkshires, now in civilian practice. +Dr. John Watson, formerly medical officer attached to the Royal Berkshires. +Dr. John Watson, formerly medical officer attached to the Royal Berkshires, now in civilian practice. +It must have been difficult for the Barclays at first, +Dr. John Watson, formerly medical officer attached to the Royal Berkshires, now in civilian practice. +Dr. John Watson, formerly medical officer attached to the Royal Berkshires, now in civilian practice. +Dr. John Watson, formerly medical officer attached to the Royal Berkshires, now in civilian practice. +Dr. John Watson, formerly medical officer attached to the Royal Berkshires, now in civilian practice. +I'll blow 'em up to Cybertron as dust! +- Just going to hang around here. +Eddie's a nice guy, I like him too, but he's a drunk. +A-ha! +I want to get to the bottom of this, once and for all. +Relax, try to take it easy +My personal line of credit, okay? +OW! +A woman who suddenly reappears in his life... twice in one day. +Interesting question, wouldn't you agree, Anna? +[ Ringing ] +What are they doing? +Zapped my spaceship right off the screen. +Change that shit, man! +You're right. +- Is it new? +There's a side road up ahead. +Yeah, I saw it. +Inga, you're truly amazing. +All right. +There was no stopping me. +Tough. +Well, come on in. +- Where's the ham? +We'll ask Toño to come with us another day. +Twelve and a half. +Psst. +- Zhihua? +Sorry, Xiaoyun. +Think it over, Dyapanazy. +It won't do any good. +Yes, it's a mask. +Don't move. +No need to yell. +These flowers smell rotten. +Prostituting myself and playing polo are my minor jobs. +Oh, Lamai. +I've gotta get Jonathan to school and catch a train. +Housekeeper? +Magnum, I demand to know where you're going. +We're going to the old tavern, I'm told it's open sometimes. +the moon now shines and reflects in the sea, you can't hear the guitar playing any more....' +He used to be my brother-in-law. +Took care of everything. +- Abby. +No, no, no, no, no, no, no, no. +# # [Continues, indistinct] +Am I fired? +Like maybe he's sick? +Yeah? +That's the test, ain't it? +Where in the hell's my windbreaker? +Mmm-hmm. +Where was I? +You leavin'? +Have you been very, very careful? +Ever since she left, I've tried to phone her in Paris every day. +What for? +Will you stay with me while I sleep a little? +You mean in Turkey? +How would you translate that? +Forgive me. +You have shown us something quite new tonight. +at an absolute beauty. +- That should cheer him up. +Arpeggios. +What is it? +Did we vote in the end for German or Italian? +I understand. +Excuse us, Fräulein. +You're a funny fellow. +... andGodforcedtolisten. +It's one thing... +I liked the horse. +-Wonderful! +Or at least in lust. +Selfish. +You won't do this. +It's a French play, Kapellmeister. +The costumes succeeded because I had a hard head. +is that good! +You are "cattivo",court composer. +- Yes? +Herr Mozart. +The man you accuse yourself of killing. +"Excuse me. +It's a march, Majesty. +... ifyouhavesomethingtoconfess, do it now. +What are you doing here? +Next time you wish me to instruct... another of your dogs, let me know. +Stanzi. +I was a model of virtue. +Come, come! +- I'll put it here in your hand. +Shouldn't it be a bit more...? +Well, I heard you met "Herr Mozart". +Is there a part in it for me? +I don't understand. +This was my own idea. +Another one! +Why bother? +Thank God. +Understand, I was in love with the girl. +Another one! +I have no one else to turn to. +Tell him to go away. +In a seraglio. +Go on. +He killed Mozart. +I'm sick to death of that tune! +I think I found out about the money, sir. +Are you sure you can't leave this and come back again? +- No, I'm not playing this game. +Because His Majesty wishes it. +... whendoyoumarry? +Would you tell me why? +Well ... . +Looks don't concern me, maestro. +Those whom God hath joined together... +And protect him against the emperor's anger. +Second beat of the third measure, on E. +I can't think of a time when I didn't know his name. +This is the instrument. +The penalty must be performed in the room. +Look at that face. +ALL: +-Brewer. +-Come here. +Four. +His name is Sherlock Holmes. +Oh, well. +Sherlock Holmes. +I'm Sherlock Holmes. +Oh, it's Inspector Lestrade of Scotland Yard. +The shadow behind this crime is that evil genius, Professor Moriarty. +The Evil Genius, Professor Moriarty Whenever you find yourself in a mystery, please come see us at Baker Street. +The Evil Genius, Professor Moriarty +AND ACCEPTED A GOVERNMENT PENSION OF 950 PIASTRES A DAY. +Accordingly, I located them outside of the community and habitation of the other citizens, and I surrounded them with a wall so that they might not be disturbed by the insolence of the populace. +A quarter century later, pope Gregory IX took a step that would strike at the heart of the Jewish heritage. +Abba Eban: +RELATIONS WITH THE ARAB MAJORITY WORSENED. +AS MANY AS 40,000 JEWS WERE UNDER ARMS IN THE EAST. +IT PASSED AND SEEMED TO LEAVE THE WORLD UNCHANGED. +SOON CAME TO BE RESENTED BY MANY OF THE PROSPEROUS COLONISTS. +WHO WITNESSED THE DECLINE OF THE THIRD CENTURY... +FIELDS ABANDONED. +Perhaps I should Speak to our new engineer. +Zut! +# I said, "Romp and stomp and slide like the devil on a thread" +I'm taking the back. +# I wish they all could be double-barrelled +And by all rights I should be. +I just hope you realise that's all he means to me. +"M* A*S*H" was OK and the old "Mary Tyler Moore Show". +I just want to finish by saying a few words about the impact of this imminent neurological breakthrough. +No: +Times" 14-2-84, Page 3, Byline 2, should read: +"I have committed, even before setting pen to paper... +Waiter? +But somehow you'll fail. +For 30 years, I have plotted to bring down the Party. +Julia. +How can I do it if I don't know what it is? +I accuse myself of the following crimes... +- I ought to suit you, then. +"Oceania has always been at war with Eastasia." +Power is not a means, it is an end. +Because when we can cut man from his own past... then we can cut him from his family, his children, other men. +Request photo. +Say what you're about to say, Winston. +(crowd screams abuse) +I was personally contacted by the archtraitor, Goldstein... and ordered to assassinate certain Inner Party officials. +They won't shoot me, will they, Smith? +There is no love, except love of Big Brother. +I accuse myself of the following crimes: +What do you want? +And then... when there is nothing left but sorrow and love of Big Brother... we shall lift you clean out of history. +Everyone is cured sooner or later. +And I ask only for you to accept my love of our leader. +There's another room upstairs that you might like to see. +"I've been waiting for it. " +No. +We must meet again. +As a result of mental disturbance from my experiences during the atomic wars... +23:30. +Perhaps you are not familiar with how it operates. +Sooner or later, they'll tear you to pieces. +- Aren't you pleased? +Get down! +- They got you too? +(INDISTINCT CONVERSATIONS) +© P@rM! +I dunno, let's say 100 systems in place. +And it's got to stop. +-They'll survive. +Let's get them! +Let's go. +- Observing. +Yuli Edelstein was arrested in 1983 on trumped-up charges and sent to Siberia for 3 years. +Listen. +Maintenance team to Building 5. +It's Eastern Standard Daylight Time down there, too. +- Yes, Brian the Lion. +A baby goat. +Basic detective work. +- Ah yes, the good Müller. +Aha. +- Who? +- What are you guys doing? +- No. +She's getting me back. +Look, I may not have talent, +Maybe I should take her to a shrink. +It's done +Look +I'll give you a cigar. +I hope she is with the Biddles. +Go on! +Lucia, please. +There will be no problems. +You really wanna know? +You Brits really love your gardens, don't you? +A FEW, HERR FLICK. +Everybody here? +It's okay. +Well, I gave them some chicken. +It's in the back of the theater. +Hundreds of them? +Weeknights, so Dorry doesn't have to pay an extra waitress. +Sure, go ahead. +I see the cigarettes. +Mom! +I am not drunk! +... he'sinforaslow death. +I'm glad you're back. +Thursdays. +You said everything here was for sale. +So the police began a search. +- Soft drinks. +- +The only thing is, there's no police force. +First part, the body. +I didn't expect much from Kramer, but Osborne should have said something. +It's something I should have realized long ago. +Water, water everywhere... and not a drop to drink. +But... +- No. +Shhh. +I really don`t know +Conversation's over. +We must focus on the rebels. +-Are you okay? +-Let's get these bodies out of here! +That's right. +- Nice legs. +You have any bandages? +You know what this is? +Here's a close-up of it. +Cooper. +Is this why I was invited to this meeting? +-Have you? +Enough... +I'll camp out here. +Go on, get moving. +I'm at Max's. +The child for my sister. +That's what tourists do. +You've seen how a woman must be made to remove her own clothing depriving her of her dignity. +- Edwina? +Speaking on behalf of the dead, I find this disgusting! +Oh, no! +Go fix bowl. +Come in. +- You can say that again. +You are insensitive horse's ass, do you know that? +This way. +No more thieving, no more swindling just runnin' and prancin' and jumpin' for the rest of your life. +~ Can't you see, I'm no good without you. ~ +So what can. +Right, Fakru? +On the verge of dying, yet the spirit never seems to sag +shameless creature! +Alcataraz, what are we doing going to a prison? +[thud! +Maybe you were right +It can make you feel happy, Sad... +"We'll see about that". +Both of us. +This black one won't want to fuck around any longer, you'll see. +I know. +- Cells metabolizing. +Charlie! +Hey. +"No", he said, "I didn't drink it on my own. +- Look at that rod. +Rosa... +Wait a moment, I can't hear you +- You still lived with your parents? +And that's good enough for me +- Good day. +Forget it. +Hi, sweetie! +The Declaration of Independence. +- Give it to him. +I'm happy to announce that a high-ranking delegation will travel to Ohtar to sign an agreement with the emir for a military base. +At george washington university hospital +Me and my cousin madge saw him +Mr. Hassler, mr. +She's not here. +Set fire to the palace +What do you mean? +I think you have some other motive +Several? +Better for love, and worse for love. +I've spent my life trying to live without hate and harm. +What are you talking about? +Get up! +Chain guns 1 and 2. +Come on in. +They grow all over the jungle, and often the people have to make long journeys to collect their fruit and walk for hours carrying the heavy stems back to their huts. +- Moreland and myself. +(LION'S "LOVE IS A LIE" PLAYING) No way, not tonight, no way +we've got ten in the barn. +would you care to dance? +I need the keys. +Let me go! +Tangerine +[TOMMY SCREAMS] +Yeah, I hope so, too. +You'll be all cut up... with your face like mincemeat. +How cute is me? +-Hey, just like Sherlock Holmes with floppy disks! +Yes. +Normally, my duty would be to inform +What about Roxanne? +We're gonna share some time with them. +Please. +It's hard to say in English. +Hi. +What? +We did it! +I've got some whispering for you! +Just drill. +Well, left my wife in New Orleans +Walter Kornbluth is not to be taken advantage of. +Get her! +Now you do? +- I'm gonna teach you a lesson in humility. +Come on. +- Stop the car. +- Why on earth did I say that? +Hmm. +I'm sorry. +- Where do you hail from, Doc? +- Penny, get off the phone. +Your overthruster's for shit! +Fuel pressure... 1800 torrs. +Hikita! +Were home free.. +It's a bivouac, man. +- After a bloody reign of terror... +Let's go! +You take care of business. +- This is left! +Remember the Viets and Vincent are childhood friends. +But then I slept. +Long live Bogosav Popovic! +A new apron for the old doll... and a Wrinkled apple With a fir twig on it. +Three! +Mr. Sherlock Holmes? +Mr. Sherlock Holmes, Mr. Percy Phelps. +Excellent. +Mr. Sherlock Holmes? +Mr. Sherlock Holmes, Mr. Percy Phelps. +Mr. Sherlock Holmes? +Mr. Sherlock Holmes, Mr. Percy Phelps. +Since about 7:00. +Oh, by no means! +Mr. Sherlock Holmes? +Mr. Sherlock Holmes, Mr. Percy Phelps. +Mr. Sherlock Holmes? +Mr. Sherlock Holmes, Mr. Percy Phelps. +Leaving the room unguarded? +Okay, Luci. +Accidentally we have the fir going. +- Sherlock Holmes and Dr. Watson. +- The pervert! +[ Sighs ] Sherlock Holmes and Dr. Watson. +Sherlock Holmes and Dr. Watson would want to harm you? +Have you seen Sherlock Holmes and Dr. Watson? +What he means is, did two men dressed like Sherlock Holmes and Dr. Watson come through? +In for a penny, in for a pound. +- Sherlock Holmes and Dr. Watson. +[ Sighs ] Sherlock Holmes and Dr. Watson. +Sherlock Holmes and Dr. Watson would want to harm you? +Have you seen Sherlock Holmes and Dr. Watson? +What he means is, did two men dressed like Sherlock Holmes and Dr. Watson come through? +- No, no. +Go ahead, say something. +You got them where you want them. +There is a sheriff in this town, isn't there? +Do you know what that does to the land? +Drop him down! +If I offended you, then I am sorry. +What does that mean? +Ooh, what big birds! +So, as a scientist, you do a lot of research? +What exactly was it they say was stolen? +You can do it. +It'd be another rock collecting dust. +No, no. +It was Siva who made you fall from sky. +Madam, it's the best I could do on such short notice. +Be careful. +Hang on, lady. +Chilled monkey brains. +Do it now! +Move the box! +You know I did. +No mistake. +- Let me in! +That's Siva? +So that's what you've got these slaves digging for, huh? +- Look out! +Too much to drink, Dr. Jones? +Fortune and glory. +Listen, I just met you, for Christ's sakes. +- No. +Willie, Willie... +What is Sankara? +No way they can shake us. +Wait a minute... +Oh yeah? +That doesn't matter. +Get into the car. +- Aren't we going above the speed limit? +In fact, we were sort of in competition over it... because a bust like that can mean big political Brownie points. +I'll come and pick you up at school when I'm finished. +- Oh, don't make a sound. +I have to take it off first. +- You know, that beat of the music... +- Nicki. +- This might sting a little bit. +Be careful. +Come here. +It did. +Get up these stairs! +There's gratitude for you! +On how I feel and what the competition is. +too. +I could not answer for what +[general laughter] +No, I will not! +Miss Ray remembers seeing State of Maine perform with Pop when he was touring all those years ago. +It's me. +I need your body. +Wrong? +Bullshit! +- Why were you in such a hurry? +Well, one can lose and win at the same time. +I'm sorry, Larissa. I can't. +- Thank you, Sergey Sergeyevich. +I'll close the window. +Why do you doubt? +Breuer gives me morphine. +- What are you doing? +Ask leave boy alone to train. +No, I got it. +You can tell them about it later. +All in wrist. +- Never thought I'd get this far. +Does it? +Great, now I've got something to look forward to. +When are you jerks going to grow up? +There were times when you were scared to fight? +Balance good, karate good. +You remember lesson about balance? +This is what it's all about, folks. +- I'll deal with it my own way. +- With whom? +Daniel LaRusso, Miyaji-do Karate... +Ready. +China here. +Bonsai. +- Very good. +- More like Uncle Louie. +For me, good idea no get involved. +- Ali with an "i." +- All right! +She's got an excellent smile. +J.C. Penney. $3.98. +Breathe in, breathe out. +Who is this foul slanderer? +Hold it! +I wait for you there. +Come on. +[Instrumental rock ballad continues] +He doesn't care about you. +"And Nikki started 2 grind +You're in the best possible position you could be in. +"I think I want to know ya" +[Sex Shooter continues] +What difference does it make? +They left. +You belong here and no place else! +- The babe walks in. +Gonna get you. +There's no sign of pathology in her EEG. +I'm gonna go and look for somebody... +His life and his death... attest to the scriptures' warning... that he who lives by the sword shall die by the sword. +It's her. +Now, you can't mess up. +I pray the Lord my soul to keep... and if I die before I wake... I pray the Lord my soul to take. +If you don't mind. +[GASPS] +I mean, don't leave me alone with this lunatic. +Apparently, he was crazy jealous. +Glen, you bastard. +You mean those bars? +I had a hard-on this morning when I woke up, Tina. +And it's not what you're thinking. +Let's do it. +We play on your court. +I've heated up some warm milk for you. +- Meanwhile? +Just a minute. +Goddamn you! +Feel it. +You look like the Prisoner of Zenda. +Take away its energy and it disappears. +That's enough. +Tina, honey, you got to cut your fingernails... or you got to stop that kind of dreaming. +Kitty, kitty. +Three... four... +The killer. +I'll go get him, baby. +Was he alive? +Everyone hold hands. +The cops were supposed to pick this stuff up. +"but Gretel ran and left her there to perish nonetheless. +Good. +You probably remember where the office is, right? +3200 francs +But Natasha is too much for you. +But you have nothing to fear. +-Hello, René. +-Yes. +I'm going to ask Bloret for an explanation. +Business. +Same age old technic. +Because he sees his path there. +someone with a stone. +You have a vivid imagination! +Enough! +It's my job. +Like a Fontana. +What do you care? +This kind of thing happens around here. +Inspector, I have to talk to you. +- Leave me alone. +Well, Cirinna, be honest... +Shoot me. +I'd love to be able to answer that. +- She's pretty. +No, I don't want to abuse my position towards you... your weakness and loneliness. +I'm afraid I'm unable to tell you anything specific. +Died in the line of duty. +Well I do that sometimes. +My dad said we`ll have to knock out a wall pretty soon. +Kill him! +Why? +Come here. +JOHNNY: +-Yeah. +And make it quick. +- Like Miss Holt said this afternoon, it's a long story. +My old friend David... the man who now insisted on using the name Sigerson... the most famous alias of sherlock holmes... had received a medical discharge from the army. +My old friend David... the man who now insisted on using the name Sigerson... the most famous alias of Sherlock Holmes... had received a medical discharge from the army. +! +He says it' s f ate for those living by the Sea of Decay +I should have come sooner +Really? +It' s far too la te to turn back +Why do they go berserk over a little f orest or two? +How do you feel? Where are we? First of all, let me thank you. +We fell down from up there, with the sands. +Why can't I shoot them down? +Tolmekia's a savage military state, far to our west. +I'm so sorry. +The Sea of Decay consumed two more countries to the south. +Our hook's broken. +! +It's OK. +But a single one slept in the earth for 1000 years +Obaba, what is it? +Emergency! +The tanks have come! +I wish I could have been there for her +It's spreading all the time, further and further every day. +If not now, when! +Amazing +When the waters quiet, take off and wait for me above +The tools that burn spores can also be used as weapons +Lead everyone to safety by Acid Lake +You're not scared. +Yupa is a man who is fated to search forever. +- Princess! +A God Soldier? +What a strange place +Mito, bring Mehve, please. +I'm all right. +Three weeks? +"That's how it goes..." +Geek, can I be honest with you? +I know, honey, I know. +Oh, my. ls everything all right? +Do I feel funky. +Okay. +This is my friend, Randy. +Even if she doesn't... +I know. +It wasn't too terrible. +Hi. +Uh, we're being graded on it... +You eat it. +She grabbed me. +I guess those guys who thought we had to get married feel really stupid now. +I betcha you big teaser, huh? +I could deceive you +Brother's deaf, and everybody in the world worships her. +To the max. +No way. +Breakfast is ready. +I catch her lookin' at me a lot. +Will you guys grow up? +My God.! +Come on, wolf it. +I was just upstairs, and I couldn't sleep. +What for? +You're in my place, Quintel. +And he was also a coward. +Aye, aye, sir. +Because all I can promise you, lads, is relentless pain and hardship. +What are you threatening me with? +It wasn't bloody me! +What are we going to do, sir? +They can stay, but not you. +Toss oars. +Hey, Lamb! +Prepare to make sail! +I think your brain has been overheated, sir. +Think of my wife. +Look at me, Luke. +That's our secret. +Come on, man. +I see what you mean. +- What murder? +We'll be staying at the romantic Hôtel des Artistes... for a whole week. +I'm so sorry it happened. +Peter! +The performers squabble among themselves while they wait for their audience. +These pictures were taken 20 years ago. +But that sleep doesn't last throughout the winter. +I give my face mouth a wash to urinate. +It is stuck tightly, it is fine that I still get the alternative, I can walk through the buck path. +Now, Thurston, you told me, four weeks ago, had an option on some South African security which expired in a month, and which he desired you to share with him. +Sherlock Holmes is cheerful, so, Sherlock Holmes must have a case. +Mr. Sherlock Holmes. +Holmes, I do wish you would try and eat a bite. +This is Mr. Sherlock Holmes, and I am his friend and colleague, Dr. Watson. +And I beg you, nothing, absolutely nothing is to be moved. +Sherlock Holmes is cheerful, so, Sherlock Holmes must have a case. +Mr. Sherlock Holmes. +This is Mr. Sherlock Holmes, and I am his friend and colleague, Dr. Watson. +Sherlock Holmes is cheerful, so, Sherlock Holmes must have a case. +Mr. Sherlock Holmes. +This is Mr. Sherlock Holmes, and I am his friend and colleague, Dr. Watson. +Sherlock Holmes is cheerful, so, Sherlock Holmes must have a case. +Mr. Sherlock Holmes. +This is Mr. Sherlock Holmes, and I am his friend and colleague, Dr. Watson. +Since we are too late to prevent this tragedy, +But yesterday she sent me a letter! +Sherlock Holmes is cheerful, so, Sherlock Holmes must have a case. +Mr. Sherlock Holmes. +This is Mr. Sherlock Holmes, and I am his friend and colleague, Dr. Watson. +Sherlock Holmes is cheerful, so, Sherlock Holmes must have a case. +Mr. Sherlock Holmes. +This is Mr. Sherlock Holmes, and I am his friend and colleague, Dr. Watson. +I tell you Jake l`ve got work to do. +So how can we lose? +Why are you pushing this? +Yes, sir. +Some people want to know. +Wig! +Oh, so this is very, very, very bad. +[MIMICKING ELECTRIC RAZOR] +Run! +- Interesting sideline... +prostitute: up here? +[ln a squeaky voice] I'll be right back. +- Oh, thanks. +And you are the perfect complement to it. +I don't know, buddy. +We're picking up radiation from the lifeform. +Destruct 0. +All my hopes. +These are the continuing voyages of the Starship Enterprise. +Lock on. +Speak. +Our readings are well below danger level. +One quarter impulse. +Good evening, Commander. +Of all the souls I have encountered in my travels, his was the most +May I join your mind? +(screaming) +How soon is now. +He is not himself, but he lives. +Why did you do that? +Aye, sir. +This? +Up your shaft. +- Because he asked you to! +What about Spock? +Why did you do that? +Your son meant more to me than you can know. +Back, 0.77. +I'm waiting for you! +Toni Sanderson +They're moving him to the Federation funny farm. +- Out of danger? +- Yes, sir. +You don't want to be discussing this subject in public. +You will treat them with respect +- and... we can't hang out at your house.. +- Marissa. +Oh, I... +Your dress... +[Grunts] +Hey, where's mine? +I feel great! +You know, Spyro? +He is a displaced person. +I'm a journalist. +I don't know. +I can't leave her alone. +Look at this face! +- Hi, Al. +You can? +I can hardly say what I have to say. +He's lying. +Do you know how to read "Fung Shui"'? +You will be alright with this. +. +- Yeah. +I didn't hear you ask permission to smoke in my office. +You know I got the money. +I think I like it. +I could've taken two out already. +You didn't pay for that snazzy new suit with marked bills. +You better give me something strong. +That's why we got to do it in the fitting room with a woman. +What? +I'm not sayin' another goddamn word. +Can you do it or not? +She's dead. +And then somebody fuckin' killed her for it. +It was Ordell. +Absolutely. +If you count cheese. +- Mm. +Where are you planning on puling this off? +- It's this one. +Haven't you ever borrowed somebody's car before? +That's what the motherfuckers get paid for, to scare the shit out of you. +You understand what I'm saying? +- What the hell's wrong with you, Jackie? +Designer Clothes. +I mean, you wear that... +I sure will, partner. +I guess it was... +I need some help, and you can help me out. +- I'm telling you what I have to do. +- They already know it's you. +It's okay. +Not bad. +It's a half a million dollars all in Cabo, and more coming in... +[Gunfire On Video] +Bigger? +- Well, you earned it. +The charge is possession of a concealed weapon... and striking an officer. +I walk. +Bye-bye. +If she wanted to set you up, you'd be in custody by now. +- What did they want to know? +Otherwise, I wouldn't have done it. +- Ha, ha, ha! +- Butit wastoo late +- Can you cover that? +If it wasn't for me, you wouldn't have that motherfuckin' boat. +I already sold 3 of them, 20 grand a piece... +That's their motherfucking job... +Thank you, thank you... +So, what are you trying to tell me? +Under the table, next to mine... +Hey... +-l am. +No. +Look here, Louis, I got to run out for a little while. +I don't care how conspicuous, you fuckin' stay here. +Thank you, thank you. +- Who was that? +Looks like about 50,000 from here. +"I want to talk to my lawyer". +Now, you gotta listen to this, man, 'cause this concerns you, all right? +Chicken shit. +Which one? +- What the fuck? +Got some OJ? +- l am. +I knew you would try to pull some shit like that! +Henry, I can't hear you, you're breaking up. +© +What about Hostage Rescue? +Let's get something straight, Marks, and you, too, Major. +Get him in here. +( coughing ) +I'll be back soon. +But there isn't any park here... and there wasn't before, either. +I seen them on the number-2 train. +I don't know what's going on. +Oh no, you are not getting back on the train. +With all this outrage... you could be signing your own name. +Oh, who isn't? +\just give me the painting. +"l had to go--" +14 very compelling reasons. +What am I going to do? +Sex with an endless line of women must be unfulfilling. +Know why? +This apartment is empty to me! +What are you talking about? +Really bitchen. +Saw the new furniture. +It was so moving. +(female voice) Stasya? +Keep it with you at all times. +- Uh-huh. +There are several bases there. +I just know that now I'm not ready. +The only thing that keeps you is your refusal to leave. +Is there anything I should know? +-George your parents can't blow their savings in this community. +Yeah. +Why is that mirror sneezing? +Not in your face, huh? +Really? +Hi, Maya. +Really? +No, Dad, you don't. +Well, this is all I need. +- And you? +I'm asking how many times and how long! +- Yes, darling... +No croissants for us? +- I just flew them here, Lois. +- You're gonna blow up your own building? +Oh, wow. +Oh, wow. +Yeah! +May I please finish my acceptance speech? +Are you a man? +Cam. +That's the problem! +Adjust yourself. +What do you mean, "ooh, nice"? +They are just settling your last lawsuit. +You're crazy. +Hey, easy on the brakes, Sebastian. +If it was him, yeah. +You got one of them type of flows. +What faggy shit? +Wilkins' final throw, 175 feet, four inches. +Somebody Forget To Tell You Guys The Season's Over ? +"I Must Get The Support And Experience... +Take It Outside ! +I've been taking care of you for 26 years! +If a man had any sense, it would stop there. +The towns there have "Cleaners." +Sure, give it to Lisa. +Or maybe right over the line? +But... +What's it matter? +If she has problem with money in New York... +I just had an abortion today I'm really in bad condition now +What's wrong with you? +Stay still +I'm 'Lisa' +Everybody supposed to meet us by 1 0:30 +I'm a 'straight-line-phobic' +'Trustworthy relationship' +Everything's same +Two of you come +Unkind? +I don't want to. +I have great night vision and I'm super, super clean! +- It is. +I'm going to... +I'm sick Of your old idylls. +I mean it, baby. +The little ones. +You are his fiancee. +- Wait, there's more. +I want you to call Inside Edition, Rescue 911 and Entertainment Tonight. +IT'S A LOT OF STARS. +JASTROW: +BY ANALYZING LIGHT FROM DEEP IN THE UNIVERSE -- +You must come. +Where have you hidden her? +Why not forget that stupid arrogance, and just speak to me? +We'll look for a mattress. +He's balding. +What does he do? +If you want. +But this man Kritschgau had convinced you otherwise. +(Bill) So the parrot says "l only got one question." +So you're saying this has all been orchestrated? +But the ice-core samples checked out. +I'm on my way. +He served in the gulf war. +Are you sure, sir? +Now, for a sub-space energy disturbance, I'm dressed perfectly. +Worst are those guys who just let it grow. +He's coming! +Take the moonlight by the tail. +That is now my war! +Come on! +But I did everything I could to comfort him. +Buffy, I love the hair. +- I promise. +Everything is strange. +Lost little lamb. +I have yet to see the day you can make a deal with a mad dog. +Jump! +I'm not surprised. +Pick it up! +I mean he really did have an English accent, just like in all those old movies. +- Another long story. +- G'Kar, you are a depressing person. +What would any of us do... if we were really pushed? +Became a copper. +I'm a good policeman, you won't find a better one. +In the same spirit, there's something I want you to think over. +Like what? +My client plans to plea not guilty in court. +You're alive. +- You're a witness. +Asshole. +Without glasses? +I'm counting on you. +I am here to convey Caesar's will, the universal lord. +Get to the hospital! +- You may be wrong. +Oh, so you are! +My wife treats him like a brother +Let me see how this tea worth Rs.25 million, tastes like. +Boone. +The Theater of Life. +Look who it is. +BORIS: +Still, they might find him interesting, being in the film industry. +It's more dramatic, I guess. +If you hold it a bit lower down, you get more of a flick. +It's three and a half hours long. +It's good silly. +- BORIS: +I can't! +You're going to have to catch me! +Pick up the phone. +Break a leg. +[Scoffs] He tried to hang everything on Eugene. +I checked the file. +"morado" *purple*? +Where are you? +I told him that if he didn't give me the solution, +following the instructions of your parents, you're going to spend three weeks here with your family in this house. +- Wearing? +- I love this song. +- What happened at school, Clover? +I promise. +- Excuse me. +How are you? +Tell him his rent's two weeks late. +The lights. +He is mähälerad. +- Yeah, it's just a bad sprain. +SURE IT WASN'T NIKKI'S IDEA? +Friends, then why did you chase me? +Move! +Listen here, dude... +Them ugly-ass sneakers? +All right. +No, no. +- No, but we have to operate. +- lt's called style. +Come here. +That Lopez guy didn't have a gun in his hand when he was shot. +Damn it! +Now, Frankie... are we going to go through with this? +You don't deserve to get killed for stealing a radio. +You fucking try. +- Leave it out. +If I'd endured what he's endured... +Hey! +In the north. +One. +anymore. +I'm Stéphane. +There were big jams at the port... boats everywhere honking their horns. +In the meantime, your digestive system is fully functional. +I did. +I want a responsible budget. +The final count, +I must hear how such an attractive woman +On the new n-Board computers. +They're avro kids. +What is your status please? +Claire! +Don't wreck our whole futures here. +Man, it was a beaut. +Sort of. +Yeah. +And, uh-- +Just tell the man at the door Claude sent you. +Oh, Khan Chicken, say... "ah". +At first I thought it was weakness, but now I see it makes me capable of so much more. +Less than nothing, +It was all a dream. +Oh for crying out loud, it's not your last conversation. +Oh, God! +Then you have a go for a standard recon mission on P3-575. +It'll be here within the hour. +I'm a two-striker. +(laughs) +Turbo Megazord, spin out! +Y'all look gooda-than-a-mug! +You need to get a grip on life. +- Yes. +Maybe it'll help Mewtwo. +Okay. +Yeah, I think he'll make time. +I got one word for you- cannoli. +Done with what? +Bolus start. +! +I'II keep up. +will you kill them or just put them off the ship? +Well, we can't really afford the apartment now, so it doesn't quite matter, really. +She... +Reporter: +Everybody can hear. +- You don't look like a house. +Shut up! +Nice day, huh? +Dee Dee, I don't believe it. +I must tell you, though, we have to end this fun right now. +It's unbelievable. +Love you, man. +Ohh! +107 FM... +Uh-oh, Al? +Gino, let the donkey go. +So we gave them some characters, right? +Ross Buckingham. +Howard: +[Together] W N BC. +There we go. +Hey, look, all I want is for my artistic courage to be an inspiration to others. +- Hi, you're on the air. +'Cause you're smart. +This is a good discussion. +She just wants pictures to show her friends. +- but that goddamn son of a bitch... +You're doing so well, Francesca. +Here, let me get that for you! +A letter that was on the doormat the day he was killed, from the Inland Revenue. +And I said, "Yes. " +Understood. +"that will scatter trilithium resin into the atmosphere +You have to trap him first. +O Queen. +Oof ! +sail north. +- lareta. +Kull ! +Valka allows the unholy flame to burn as a reminder of godless times... and as an omen of things to come. +It means it's ours. +I won't say another word. +Now, James tells me y'all are fellow travelers. +Such a sacred fight must be fought in the noblest place +It's, um, a bedspread that I ordered two weeks ago after I painted my bedroom. +Cumberland was ready to march home after the rout, but I convinced him that we had to finish it. +Well, you and me both. +That's what the wrappers for! +It's brother against brother. +Keep your eye off your balls. +- What's that. +- What about my job, Joe? +Oh, my God, Joe. +All right. +Forget about it. +Sonny Red's got a million dollars a month with his trucks in Jersey. +Thruthfully he has been an FBI agent all along. +Yeah, that is a beautiful thing, but it's not my thing. +I gave it to him! +It's 12 degrees here. +Where the agents dress up like Arabs and try to bribe congressmen? +Wait till you taste this coq au vin. +$8,000. +- There it is. +Nothing I could do. +Now clean it up. +Jesus Christ. +You're right. +I got him. +- You vouch for him? +If Donnie calls tell him +Go to the bow. +- What kind of food is this? +-There's good money in it? +That's for the fucking drinks, pal. +Wait till you taste this coq au vin. +Forget about it. +Break it up! +Oops! +- How about five dollars? +That's for the fucking drinks, pal. +- Where's the kids? +I don't punch a clock for Rusty. +I'm here. +- You can say that again. +You get it? +One thing I know is boats. +No, it's not that. +Nigger, just 'cause you a doctor, you think you know every fuckin' thing. +When you find a way to put sickness on a 8-hour, 5-day schedule, you let me know. +-About that thick? +You don't want them? +-You taking a dip? +I've seen him around. +(laughing) +[ Thunderclap ] +Chulak? +You need my help to stay alive, human. +Did you authorise Dr. Jackson to reveal classified information to this civilian? +South is good. +Easy. +I knew you would come. +I am? +I was named for a saint who was a very wealthy man. +Don't think, 'cause I understand... +We appreciate your taking the time. +I still have some sequencing that I have to work out... to make sure that it's safe, but I did it. +- Aah! +- No. +PRIEST: +I can see... like nothin' else... in me, you're better than I wanna be. +EMMA: +OK. +Sit down on the floor. +Tretiak! +But then day after day we find nothing, he grow sad again. +You'd prefer the leader's son to piss his pants on live TV? +I'm his business manager. +I don't understand. +- Yeah? +How does it apply to masculine and feminine? +You think you can do anything you like, then act all innocent? +Come on, it's wild. +If it's positive you have 2 solutions, or else no solution with real numbers. +Got 3000 francs, have you? +How about you? +Don't let that moron Choquet get you down. +- Underage? +- would consider this clinic idea? +[ Moans ] Ow! +[ Laughs ] +HE KNEW THAT I WASN'T JUST STROKING HIS... (BUZZING) +The spook is with a powerful force. +Just be your normal self, Shine. +Yes! +Thank you! +!" +I'd be ever so grateful. +- I don't wanna die. +Does it hurt, Estrellita? +Saint Burt Lancaster, man! +Some day you have to tell me your secret. +Romeo! +Because although in here this place is Jewish, out there this place is Islamic... and tolerant and in deep trouble. +Well, just this once, meet somebody who changed the world and is still alive, in this case, somebody who would have made Sherlock Holmes green with envy. +All that hits your retina are the primary colors in the spectrum: +Detective McParlan is made famous in England by the greatest detective of them all, because "The Valley of Fear" is the last Sherlock Holmes story +The idea of doing all this stuff to music. +Music to the ears of a dull and uneventful young mathematician in Holland. +Christ, Doctor, at least give me an anesthetic! +Then you have a problem. +That's because you don't go to the movies enough. +I know. +♪♪♪♪ IT'S GETTIN' DARK ♪♪♪♪ +Where? +I made the dip. +[ Laughs ] +I don't have a minute. +I would have stopped calling. +- It's just... +It's not good or bad. +Deiiver the cotton of gains completely to a slave to sell get g Sa Si state is born to celebrate can +Stop! +Brian, don't you think you're a little late? +Okay, Brian, do you understand me? +- Shut up! +Polish these for me. +God! +We'll say a prayer, take their watches and wallets, and burn them! +Roz? +Place the rope. +Food! +You mortals understand so little here, in my palace. +- as gifts from Dulichium! +Master! +He asked me to serve him. +Don't let your mother's eyes fall on this room. +Tell me. +I don't love you. +Oh, for the love of fuck. +For all we know the Vorta could be gluttonous, alcoholic sex maniacs. +OK. +Stop. +Here's half a million. +Take the tape. +That's right! +Meet me in the lobby of the Beika Cinema at 10:00 pm! +Very well. +Garden spots, all. +Excuse me. +Michael will not... accept our offer... while he works for you. +I'm chasing Michael on Michigan Ave. +Maybe it's congratulations. +I am wrong. +This just makes everything so perfect. +It's only six months. +Blended, no salt. +However, do reserve some love and affection for my son, too. +- Commissioner! +He wanted to teach Rana a lesson by killing Raja... and wanted to implicate you in the murder. +I feel, I feel much much better +I like it too. +Yes? +Do you want to go back up again? +Oh, no no no, I don't believe you, you're not Isamabard Prince, you're Prince! +Is that right? +Can you identify yourself? +I know how important she is. +- Let's get this show on the road. +I hope you packed snowshoes. +Tamazula. +I'm not saying I'll like it. +-No wonder you stink. +MAN: +I shouldn't mind that much. +She was Xena, a mighty princess, forged in the heat of battle. +No matter how fast you run, there just isn't enough time. +You're right, I'm sorry. +YOU GOT HIM? +Look, I'm talking to you! +We're gonna die! +STEPHEN: +They're better than good. +That's what it is. +- Good. +[Laughing Continues] +GOD. +Why can't you get your rifle sighted in? +Happy birthday, Charles. +ROBERT: +Should we lay down and die? +Shit. +- What do you think? +Come on, Charles. +Ah, it's not important. +Hey! +Wait! +Our model's gone bear hunting. +You're gonna be all right. +IT'S GONNA WORK BETTER THAN THAT COMPASS? +May you wear it in good health. +Going to make some story to tell when we get home. +STYLES: +Do you believe it? +Come on. +- They're gonna make another offer. +Tenez mon cheval, voulez-vous? +- He was with me. +It's... +Talk and lies won't help you. +I heard you pacing all night. +I'd been hanging around the Shakaar base camp for a couple of weeks... +The year of pain. +Animals! +Valen was still partly human, as I am partly Minbari. +Valen said: +But there are still many years ahead of us in which to find out. +- I'll go and see to our things, Delenn. +In one form or another. +Amazing. +some bod in the orchestra pit, who'd be reflected upwards, to look all kind of eerie and translucent. +OK, let's say tonight, have a bite to eat or something. +Current value? +Anyway, you have a great night there! +It's just I had this amazing last-minute thing come up and I had to dash off again, after you'd come in specially. +Well, that's always been the challenge, but I'm afraid no one ever got rich from me yet. +Jonathan, I've got a horrible feeling we're not alone in this place. +It's a mild throat infection. +When the dancing circle is made +Only humans can ever become Buddhas. +You start by grabbing all the good ones. +When I'm down and don't know what to do, you always say weird things to cheer me up. +That's right! +She's my junior. +Right. +I'll also be going to Tokyo next year; it's better if you come back. +For a very long time I was really in love with you. +Why is the animal in such pain? +No! +Bondo´s cancer looks nasty. +Tell him, Arthur. +There are no eligible men! +Sure. +Mine and Arthur's. +- I'm doing some laundry to help Kryten. +This is garbage, isn't it? +Yep, yep. +Where's Leeta going to put all her clothes? +I have a small problem with the radiator... +A brothel! +Don't forget, the doctor said you only have a few days. +He is seriously ill! +You are completely nuts! +Trinidad! +The game is over! +How far will I be able to swim in the sea? +- Start digging immediately. +But remember! +Yes, I talk to myself! +Here. +- I spent the whole day with Uncle Hank. +I don't care. +Saint Michael, Saint Michael +You don't wanna be late. +But they're no match for the alien cells. +-Put 'em on so you can see me. +Can you believe they're honoring me at Adair? +Just a false alarm. +Focus is off! +Sleep here, come up with me tomorrow. +I love it here. +Kill the black magician. +I don't want you to get married. +-You're speeding. +Your wife, they told me, is dead. +No. +"Jewish," "too Jewish," "professionally Jewish." +You gave me those lectures on love in the Western world. +And now you've actually taught me things... and I'm completely grateful-- +Lost in thought, I think. +What are you doing? +Who are you talking to? +Some bury, some burn... +Tell me, was she the only one, or were there others? +Does she love me? +Oh, they're so grateful. +is it Larry? +What's the man like? +She's not coming with you. +I just hate going alone. +The man is incapable of an act of faith. +-Yes, it's Larry! +That's what it was, and that's what you loved. +You're too serious. +I became discouraged with it. +alcoholics, ex-cons trying to get to heaven. +I saw them. +Jack Taggert, this is my brother, earl. +I'm in charge, Lloyd. +My sister. +* snake in the grass * +Uh...helicopters, stuff like that. +And you are obstructing justice. +I got $1,000 says he's on the ground in 30 seconds. +That's probably the headquarters for the UFOs. +These men are with the FBI. +I should've known you'd be a worId-cIass screw-up... +Don't do it. +Hope residence. +I never touched her, and she never touched me. +Listen to my love song... +Aw... +We got more presents. +With my iron cloth martial arts, you can't beat me! +Fierce Eagle! +I've waited a long time to ruin his. +Yes. +But, of course, you couldn't trust him, could you? +I'm sorry. +And the advances in collating in the past five years... +Right. +What should I do? +Could I please speak to your supervisor? +Knock, knock, knock, knock. +- Hey, honey. +I told them I wanted to watch the History Channel. +God£¡ +Remember how you were on our first night? +Hey£¬ Raymond. +And inatead of working up a drinking problem like a normal guy... +This is what Eden might have looked like. +Is that so? +Say you and, uh, your girlfriend here were found dead-- +You'd kill yourself if Commander Ikari told you to, wouldn't you? +Can you explain this? +- What's in the box? +There's an exclusive club. +Must be poachers. +She's the hostage here. +Go for a Bobby Charlton – with a rogue hair from the side teased over! +Now, robots! +Till this morning, she was. +- Yeah. +Oh, Lord. +The union boss official who got shot. +Okay. +Just the way I taught ya. +They haven't spoken in 20 years, not a word. +Furhermore, he saved our group... +Guys, look out! +Whatever it is, it can't wait. +Don't touch me! +Maybe. +Alice, when do you think Jerry first took notice of you? +– Alice. +The President. +I know they're song lyrics, but I know how I feel... . +Good morning, Claudia. +Please, help! +It's a fun experiment. +No, no. +... wasfoughtoverabet... +-You have an appointment? +Did you call him about the earthquake? +They want me to bring you downstairs. +Where did you get that? +-Did you kill my father? +Johnny Dancer. +... tellmehowshe eats,shesleeps, her kindergarten teacher's name. +My subjects were taken from me, used in the private sector. +That would be the power station. +Let's go. +Tell me what it is! +Bomb! +I want to see Alice Sutton! +Their goal is to maintain stability. +Years ago I worked for the Central Intelligence Agency on the MK ULTRA program. +- Come on, honey. +I called out pot roast. +It's my new scent: patchouli. +I'm afraid bad news might affect his jousting. +- When I referred to the defendant as Joe you knew exactly who I was talking about, didn't you? +I don't need to get screwed up waiting for something good to happen. +The rest of you go on out. +- Yes. +♫ Off the lick and weed, cocaine mixed with speed ♫ +Do me a favor. +J1 Lost souls, lost souls, nigga +- Oh, I love to make people laugh. +' [Frank] Fuck! +They're already hailing us. +I can teach it to you if you're interested. +I can't explain that. +You really have been special all your life. +I was going to tell Malcolm's dad about the pulsars. +So, you admit, then, that you're spies. +Admiral, the man is a monster and probably guilty, but military law entitles him to the best defence available. +And it was shooting the base. +Sure. +Can you describe the mood of the affair? +Yes, your wedding ring. +-- +The bail bond on Ray Goetz was issued from a company out of Las Vegas called "McMillan Bail Bonds." +- Yeah, that'd just be our luck. +Turned out okay for that rat Jan. +-I'll give it to you. +Yeah right... +I thought they might be back with you. +Now, gentlemen, there's no point in arguing. +Wait. +Danger is exciting, huh, Gary? +They worship giant snakes. +- How dare you! +Take my gear up to the pilot house. +Westridge, I wanna get a shot of you with the totem. +Yeah, to keep us out. +Thank the Lord for you! +Poaching is illegal. +And get in the water? +They can grow up to 40 feet long. +Goes for the eyes. +- Westridge. +What you say? +[Both] # No, you don't know the one # +No more significant than "like" or "lust. " +What are you— What-What's going on? +I would never lie about whether or not my mom was well. +You know what? +-l'll ask him for you, if you want. +-it's professional misconduct because we've been officially ordered by Wersén to stop. +-...is beating the bushes... +- Which one? +I'm never gonna get this thing. +And she's got some body on her. +In here. +She runs a little outfitting place a few miles down the road. +Victor's eyeglasses were on the left-hand side ofhis sleeping bag. +Jarod! +- We need to brighten this place up. +# 'Tis the season # +Who the hell are you? +Hey, Dong-gun! +- [ Humming ] +Where is she ? +Hello? +If you could see things clearly you would say that I've been blessed +- A cut above +- l said, "No more." +It won't start, huh? +It'll pass. +You should see the ballroom. +I don't think I can compete against her boyfriend. +You don't deserve a bit of her love! +Shoot on sight. +Come on, son. +It's an honor to be a Hellspawn, you hear me? +I love you, Al. +When did a threat from a grenade-toting psycho get treated... +How do you address the accusations from some... quarters that the CIA only acts to protect... protect the government's economic interests... in the regions of conflict? +Hey, mister, you thirsty? +Sounds like a country song... +And feel that butt. +Tell him he's next. +How we doing on your front? +- Get away from me. +- One more question-- +... thengodowntothedocks and see about that boat thing. +Although I might need some convincing. +I'll have an office with walls and everything. +Oh! +But there's this thing about bumblebees on the Discovery Channel. +Are you ready to party? +No-no, I don't think you heard me. +Oh, Sophie, I guess you didn't hear about Joanna... +Well, no problem there. +Do you guys know how to get a chick out of a VCR? +Can you believe he offered me a restaurant? +Where did you get this, Jeremiah? +Sit down. +No one ever comes up here apart from me. +How is Vacuum Pack doing at the moment? +JEZ: +♪ My corduroy britches I put on +All the time, you've got to be tough, tough, tough. +You diabolical bastard! +Well, uh, what about having people take them as pets? +G'day. +- It was so touching. +One-three-bloody-eight. +Cut it out. +I promise. +Ow Oh, yeah. +Bugsy, shut up. +Life just seemed simple then. +Sorry. +No, th-that'd... +I'm the first Chinese to go to America via South Pole +There is a time to live, a time to die +Quickly +We were not sure +And a prolonged war will drag the Japanese down +Let's return to Nanking at once. +I'll help you this much. +Sorry. +He left to go north. +And who the devil are you? +So was I. +No, copper! +You see what men do? +Here, I'll slow it down so you guys can see it. +Those are some huge breasts you have! +I just sell the stuff. +AC fucking Cobra. +People even stupider than Duckman. +And get George to put those boxes in the garage. +What happened to you, pal? +All right. +Yeah. +Hey! +But I passed, why's Harvey still a frog? +I'm innocent! +Why? +Mr. Beaupre! +... it'sAlex,isn'tit? +Ten million dollars for the missile chip. +UNGER: +There is a price to be paid for being a good citizen. +Yep. +They're looking for something special. +Are you a musician? +Fucking carburetor! +Yes. +Him. +My children... +Let go of me! +- (Alarm blaring) +- Well done, Peagreen, you're alive! +What tools of destruction might we find here? +Ow! +Just my dad, my mum, and my little brother. +I was sick with worry! +What's a bean? +He jumped right off the fridge. +Borrower-squishing, 10-year-old bean. +We gotta get out! +- Hello. +There is only my grandfather. +A series of sprint races are to be arranged... for different age groups in our province. +Don't say anything to Mom. +OK. +Farouk, I lost. +So they're big. +- Yeah? +Shit. +- No? +Fun to be dead, fun to be dead +This is the hellified love music. +No, no, no. +- Right. +OKAY. +I'M ALIVE ! +* WHEN YOU GET THERE * WHEN YOU GET THERE +Stop the car! +What's up? +I'm thinking my big brother pointed you in my direction, right? +- All right. +What the hell is this, your merry-go-round move? +You will be... in March. +You're only going to hurt someone's feelings. +Somebody mention my name? +You mean, like, physically now? +Well, I look forward to meeting you, too, Rita. +You know, what if we finished our meal with these people and... +Yes. +So if you don't wanna cry like I do +I was, uh... +Now I know how Gulden's feels. +You wanted to be a Surgeon... but you weren't sure you could, and you picked Internal Medicine. +If he lives, Constance gets everything and Felicia gets nothing. +I won't! +By dragging you through a painful litigation process! +Weight? +Respondent calls... +It completely accents your facial features. +What are you doing ? +- Whoa! +She promised we'd talk about it tonight. +Pardon me for interrupting. +What? +Is that true? +Well, Mr. Reede, you may proceed. +You have bad breath caused by gingivitis. +Um-- +Max ! +It's my last chance! +The colour of this pen is... +I feel sorry for them already. +Boxes? +This case has been delayed several times, Mr. Reede. +How's it hanging? +Order. +I feel sorry for them already. +I humped her brains out! +Well, I can't remember when I've had more fun, but if you'll excuse me, I have a class. +Mr. Reede! +Mr. McKinley phoned to confirm your meeting tomorrow. +Hi, Mr. Reede! +Didn't it seem weird to you that I kept tellin' the truth all morning? +Do I dare ask you to call your next witness? +That's far enough, folks. +He can't believe it. +I'm all out. +I'll get right on it. +I know, but when he does come over, Max is so happy. +If I don't show up, I'll pack you myself. +How much ass do I have to kiss to make partner in this place? +- Okay, go ahead ! +Okay. +I am not going to end up a 31-year-old divorcee on welfare... because my scumbag attorney had a sudden attack of conscience ! +Fletcher, pleasure to see you. +Dana. +Wait! +He wouldn't even come over unless you reminded him. +- Just in time. +They weren't even among the first abducted. +That's one of the reasons I picked you, Kate. +- It's all politics. +You all take upstairs now. +You think I'm some kind of tourist in all this... because I wasn't raped? +ALEX: +- Thank you. +I see you're making friends fast. +CASANOVA: +I can be better. +Tell me about his eyes, his mouth. +Two years ago, this guy ordered enough... to treat leukemia in a medium-sized country. +REPORTER: +(BELLS TOLLING) +Can't. +MAN: +- It's all right. +- How far can he run? +I heard something. +And the turtleneck you're wearing, is that to hide bruises? +Come on, girl! +You don't know what my style is, all right? +- Yeah. +Roe Tierney, homecoming queen. +It's not on the police inventory. +DCPD, cousin, compadre extraordinaire. +EDF 40, full military specs. +Hold on. +You feeling like you're getting back on your feet? +You paying attention? +- Wait. +[Speaking Chinese] +ALEX: +Look...we can talk anywhere you want. +[Coughing] +ALEX: +- Ha ha ha! +SAMPSON: +Doctor, doctor, can you tell us exactly when... she'll be able to talk to us? +He sounded so sincere. +Don't worry about it, Ray, I won't be long. +I'm sitting on the bed looking at him. +But the geezer that cut him has got fuck-all to do with the Danny business. +What do you think of the tan? +Where do you want me to take you? +And he found out that his dad was having it off with some young bird. +All right, babe? +Get him out or I'll kill him! +- Had a bath? +- What fucking happened here? +It's got nothing to do with you! +Who? +Listen, I gotta tell you, I've never been to a guru before, so... +Let's see what we're dealing with. +How's it going? +It's not visually accessible to me. +No! +Hey, I'm a busy man. +- She was Hermann Graber's housekeeper. +I do my best, Stan +Say, while you're up here, why don't you contact some old friends? +Kill him, before he gets big enough to eat you +Stay behind me, professor. +Give me a break. +- Okay. +Go again. +Okay, Pablo. +Sit down, bitch! +Emma doesn't have to cook tomorrow. +You gave it up because you were afraid you might have to finish something. +Exactly 50 years ago there was a great technological breakthrough. +Tell me, do you have some sort of club? +- Will you wait for me? +Oh! +(HORTENSE GROANS) +Aren't I your best... +Goddamnit... +[Man Narrating] +And where do you propose we do our stakeout? +The warden just called. +I don't think I'll do that. +He'd have learned that that's how food was put on his table. +It's the precise moment. +- I gotta go. +- Blood, semen. +Thanks for letting me know. +# Than watch my sail boats glide +I'm capable of commitment and all that stuff. +I'd bloody love it! +If I've got Steven Downing to read a book, there's no challenges left. +They'd throw you out. +Can you believe that? +It's pretty. +Ok. +I pick up the rest. +Nurses' time isn't billed for. +After my interview, I didn't think I had a chance. +How could you tell, it's a meter away. +Do you get it? +Goddamn duty officer. +Tell the Commissioner to send all units. +Sir, Officer Bowman. +What? +He's mad! +You owe me 30,000 Francs! +Excuse me, David. +After breaking into the bank. +That's Uncle Joey. +Fuck you. +Great. +We're being probed. +Is it true she made a positive i.d. From the photo? +You know what he wants, and we both know you can't give it to him, not without dragging that nice, clean uniform of yours through the mud. +Soldiers who dedicated their lives to the defense of this country. +Talk to me. +- [All] Chiverly! +- No, I can't take her. +- Oh, it's all right. +Mrs. Savic has gone into hiding... and Emira is very happy where she is. +Oh. +- Hi, Jane. +All right. +I'm told you need help. +Syndicated worldwide. +You can't fly one of these things too, can you? +Everybody okay? +Not much choice. +Get out of here. +My own recipe. +This is a really good show, man. +Distephano! +What the hell are you? +Yeah. +It thinks you're its mother. +Now I can't even remember her name. +Robots designed by robots, right? +Call. +Approaching Earth's atmosphere. +Agreed? +Call. +What's home base? +I can smell it. +Oh, fine. +She makes an impression. +Non-human presence detected. +You want another souvenir? +Please repeat. +Hey. +- Excellent. +- Clemens! +- Come on, you. +Christie. +I hear them. +We're not leaving him here. +Ripley? +No. +We can make it! +Before the recall, I accessed the mainframe. +CHRISTlE: +Don't ever touch me. +Thank you for your cooperation. +Grab the sticks! +- Who am I? +I'm the monster's mother. +No! +Remember? +Do me a favor and run this keyboard, will you? +- I have to see it. +Follow the litpath. +The bottom line is, she looks at me funny one time, I'm putting her down. +Who are you people? +- Fine with me. +Security breach. +I'm not the one who needs to sit on his helmet. +Man, that was dope! +Stop! +A phone book. +- I know how to get the plates. +Hello, is this the Auto Club? +I can climb! +It's in our interest to resolve our differences. +Your lies bounce like Ping-Pong balls. +Something faster due to the emergency. +NICK: +All right, look at it this way-- in a couple years, she'll come around, man. +Wait a minute. +Hey. +The tour is about to start. +They're giving away free sandwiches at the blood bank. +Any gum! +There you go, you heathens! +Oh, no. +All the years I've waited for this! +Little Ruby-Sue must have grown a foot since you saw her last. +War! +Simone? +I will cut you so badly that even the murderer of Cholera will get jealous. +Is it your heart? +Doyou know what he did to me when I was a child? +-Right. +Okay. +Well, if I don't hear the word "object" for another ten years it'll be none too soon. +No. +-So call now. +You know, Frankie, I was wondering. +- You got it, man. +- You're full of shit. +What's wrong with sending for the doctor? +However, there's a word in the Old Testament... used to call for silence between passages. +Do you know where you are? +- How exactly can we be sure? +Put down the knife! +Min. +Kid, what do you think you're doing? +My friend. +As soon as we go to college, let's get married. +The only thing that picks up slower is Rimmer in a disco. +We want that planetoid turned back into Red Dwarf and we want you to build a new arm for Mr Lister. +Sorry. +May I ask, uh, what about? +Empty calories are no calories! +Roll, roll here. +I'm with covert ops. +What to leave, what to take, what he wants us to see. +- At school. +- It's OK. +lchaya..no. +Oh..no. +please....please... +- No, boss! +Once you come out, you don't get scared. +What was her name? +- No, it's her birthday tomorrow. +A fair, chic maiden. +Private area! +I got to go call my wife and tell her that I'm coming home. +Daddy's coming. +Quite clearly. +Come on! +Yes, I'd noticed... +We'll be fine. +I'll spare you the speech. +Oh, I can't imagine them in a room with a bunch of admirals unless they're going to teach them how to dance. +Duckman, didn't you say the same thing about Cleopatra and Martha Washington and Vicki Lawrence? +And she had a job at the Jewel helping people with their groceries. +- Sex. +Mr. Koo, nothing's impossible +I'll do anything you want. +You having a good time, little girl? +THIS GUY. +PRIME TIME. +Never! +I understand that the fire had gone out. +- Bart. +I love you all. +Why on earth? +Well, that's fairly self-explanatory. +Yeah, if she left of her own free will. +Why? +Do you just like certain women? +Wet Wet Wet. +I don't know what would I do to talk you, listen to you it's awful how much I need you. +-I love you. +-Are you insane! +He just loves having complete strangers on his ship. +I don't have time... +Is now, Doctor. +The gateway's contained behind three magnetic fields. +Gateway opening in T minus five minutes. +They're fine. +Captain Miller, I've got some problems here! +## Oh, my God, that's the funky shit ## +- The reactor's still hot. +Go carefully here. +It's possible. +We have an emergency. +This is Peters, medical technician. +We can't break the law of relativity, but we can go around it. +But not you. +- Is there a consensus? +But I was right. +- No. +If dressed to kill were on right now, you'd be humping the set crying out "mama mia!" +The only medicine for a sick soul. +Blessed Mary! +Don't you want to marry me? +A handsome Gipsy boy gave me a ring to keep. +Verona! +Are you alive? +We can find an example of how much passionate this desire was in his correspondence with the leading dramatist of the Main Stage- +I do hope they sit tonight only here on the left... +8:00. +They were the peace promised by Valen. +But you didn't. +Now if you would please excuse me. +I heard her say it as I passed by her quarters. +Roger that. +You may go now. +It's Tony Orlando and Dawn. +- Yes, you do. +You don't know how glad I am to hear that. +Am I allowed to give you a kiss? +Quite strange. +- Apprentice, apprentice. +I can't see these people terrorising anybody. +(APPLAUSE AND CHEERING) +The head of the family, Paulino Esteban, helped the Norwegian explorer Thor Heyerdahl construct two reed boats which they sailed across the Atlantic. +The lady over there is a house. +How many years will it have been there? +(LAUGHTER) +I tried to stop it. +My last arrow's broken. +He's coming, Jiko. +Where is it you come from? +He's done for. +. +Won't that be nice! +Nobody knows your heart +Look! +Stay on your toes. +We'll never find her. +Go to the lake. +Quiet your rage, I beg you! +I don't listen to humans! +Deer God will not fight. +The rifemen are with them. +There he is! +My legs are so weak! +Beautiful and haunting but cold +- A trap? +Ashitaka! +Now I'm going to leave the same way. +Listen, Eboshi, the boars are gathering for battle. +Here ya go! +Anyway, we have fought the boars before. +End it all. +Yakul... +I killed two men. +I'm fine, thanks to you and the Forest Spirit. +You are handsome! +No... it takes ten men to open that gate. +Okkoto! +It's calling him! +The wolves! +He used to rule this whole forest. +He's hurt! +What's wrong, San? +The scouts put us out there to lure the boars in. +Be at peace! +Hurry. +There might be a way to lift the curse. +Number 2, fire! +Soon the forest spirit will let me rest forever. +Moro, why can't the humans and the forest live together? +Help us! +No, don't. +And after that? +You know, how about doing my show? +Hmm. +So I hear. +Carlos! +I couldn't find a vase. +While you're on parole... don't let yourself be drawn into any kind of trouble. +A man calling himself dojima dropped by earlier. +You say he was in prison with you? +I'm scared that it's hereditary. +See you. +She naturally ran off. +I hear the ocean, but... +He knows he can't survive on Earth for very long. +Good luck, and may the power protect you. +Let's do it. +Man, Ray! +I'm a dork. +Whatever, shoveling manure, grooming the horses, whatever it took to keep up a good front, and make us look good with George. +We could use someone with metallurgical knowledge. +We do the drop at 12:30. +Stan, what if I told you there was gonna be a shooting. +You-you just should have told me, that's all. +I know he's a marshall, but he cannot possibly wear that suit tomorrow, okay? +Jimmy, you remember Elaine. +I gotta take my blood back to the bank. +Get up. +That kid. +- He looks really bad. +What do you think? +I'm buying. +Here. +No, I really do. +ALL YOUR SPORTS TEAMS ARE A BUNCH OF PUSSIES. +Have you asked her about it? +It sucks. +She's not human... +Yes. +Out of the way. +- The hurricane set it adrift. +[Bart] I think he may have spotted us. +They had this charity yard sale, and I think we may have accidentally given them the cradle. +Where's my sword? +I'm ok. +Well,um,if I could talk to him +Come on, y'all. +Well, um, I have-I have been working out a lot lately. +See if I can get laid. +You want me to do it my way? +Now the no-look. +- Aw, Dad. +- Don't mess with a dead man. +Let's try an infrared scan. +Definitely seven. +Tell mewhere he is. +Hey, hey, hey. +That's not bad, is it, Ray? +This? +# And I turn grey +Just this. +- He was the picture of health. +- And not a very good one. +He's gonna be OK. +- Meant to conceal what? +This is Agent Mulder. +He was killed in an automobile accident. +This man would have been long dead before reaching such an extreme metastatic stage. +- What do you mean? +* A time of confidences * +- I spoke to Dr Schlossburg three days ago. +-I love playing Sherlock Holmes. +I couldn't find a single fingerprint. +-I love playing Sherlock Holmes. +-I love playing Sherlock Holmes. +... noone'stouchedhim . +Lieutenant, I don't know the man. +Got to. +-I love playing Sherlock Holmes. +Wish we had him. +- I love playing Sherlock Holmes. +-I love playing Sherlock Holmes. +He's a burglar. +- I love playing Sherlock Holmes. +We upped her from 250 to 500 milligrams. +-I love playing Sherlock Holmes. +Since he got out last... +- I got him. +- I love playing Sherlock Holmes. +You mean the chair. +- I loved playing Sherlock Holmes. +Two guys broke in? +- I love playing Sherlock Holmes. +-Luther. +Yes, but he's very moved by your concern, sir. +-I love playing Sherlock Holmes. +-Real good. +Secret Service is taking over surveillance. +We all lock our doors now. +-Can you run? +Look, you chose your life. +- I love playing Sherlock Holmes. +He died of lung disease. +How is he? +Bill Burton from Secret Service in the parking lot. +- I love playing Sherlock Holmes. +How the hell did he know she was sick? +You need some help. +Gus bank. +All right. +The english Ministry has already collected a tax on this tea, and added it to the price. +Don't dare to write it down for fear it'II fall into the wrong hands. +Your detective work puts Sherlock Holmes to shame. +Your detective work puts Sherlock Holmes to shame. +Excuse me, gentlemen. +That was selfless of you. +-of nature. +How you doing? +- Yeah, sure. +What else can I do? +-Hercules? +- I've been repairing the kitchen garden wall. +She is YOUR daughter, you know. +- Cheers. +Maybe I've always been this angry. +- You were great. +"Heard this wailing. +What can I say? +One super-duper protein shake coming up. +Aizawa will be out soon. +So, I found out Aizawa wasn't so special after all. +What an acoustical miracle! +Oh, let's go, take me away! +... +Anything else? +- Twenty-five. +You got a bunch of people waiting on you in Curtain 3. +Wakey-wakey. +That's a two-week dog sled race in 35-below weather. +I killed them because I had to. +-No. +Who else do we got ? +I'm not here to be loved. +- Excuse me ? +I think I love you So what am I so afraid of +- Gale Weathers, author of The Woodsboro Murders. +- Okay then, book me. +Miss Prescott and I... have a very complicated past. +- Ah-ah. +Shit ! +It was just my head. +Letme tellyou about reality, Mickey. +- [Sinister Laughter] +- To Troy! +You are dead! +Let's just go. +- Where's Gale? +JUST DO WHAT I SAY. +But He's Gonna Break Something. +Yes, It's Very Cool. +Or Sarcophagus Or Refrigerator Box Or Whatever It's Called +So He Can Be Reunited With His True Love. +Best not to take any chances. +Oh, that's right. +♪ It's a ringing in my ear +Are you scared about getting infected? +Okay, here we go. +I've got to go. +Go find the child where he is-- in the clutches of evil. +Sometimes it`s better to land in the muck, huh? +-Grandma, look. +Nobody fucks with me. +What if you were called a safety risk? +Oh, okay. +Hi, Sabrina. +Where did the "son of a carpenter" idea come from? +You don't deserve to die. +Hey! +- Oh, my God, call 91 1! +Wait till everyone sees my Chewbacca costume. +- Why, hello, Chef. +Why the hell would I dress up like Elvis? +Eric! +I don't like Kenny any more. +Why don't you take a seat? +- I'll call them. +It's invisible ink. +Stop the car! +For nearly a decade... +I play my part. +CHRISTINE: +I did. +Conrad! +It's just that ... +- Mr. Van Orton is a valued customer. +How did you let this get so out of hand? +I did. +No, thank you. +Push it back to Wednesday. +Here. +- That's what you hired us for. +No! +Sorry about your car. +- I'm not you. +Didn't I give you one last night? +Amy, who is it? +Because if you didn't, +Alamine Bank, Zurich, Switzerland +Long as you disappear +I just have myself laying naked on the beach near Bisa and all the sudden it click. +- Don' t you fucking start with me +I'm with you +Have you really believed that just because you publish children' s books... people's gonna care about my reputation +That's irrelevant +Attempted murder. +You're tired. +Nobody asked you to play dad! +- Mr. Van Orton! +# And you've just had some kind of mushroom... # ...and your mind is moving slow... +Happy birthday, Nicholas +Well, it's good to talk with you... +You may hang up, or press "pound" for more options. +- Don't do that. +So if there's really nothin' to this, why come all the way down here middle of the night ? +We don't know who they are. +I'm sorry. +- Is this part of our deal? +♪ the sound of my brother ashe when he hit that ground. +Gracie, you dragged me over here to help you with that garden. +Okay, okay. +Please, I'm not kidding. I can't stand it. +He put the mower in reverse, chewed them to pieces. +Yes, it is on the other side of the hill. +Who, him? +U ou must be the first Indian to have earned so much money and fame there. +But he never mentioned this. +Verdana}{S:14}{C:$FFFFFF}And you'll have to endure it. +{F: +Verdana}{S:14}{C:$FFFFFF}This truck driver says, he left some Indian girl... {F: +Verdana}{S:14}{C:$FFFFFF}I had seen you off in bridal finery. +Verdana}{S:14}{C:$FFFFFF} +Verdana}{S:14}{C:$FFFFFF}recognizes the importance of a lover's glance... +I don't love you at all. +You'll have to shift him because Rajiv is allergic to dogs. +Look, I'm not your wife. +Go! +What's up? +And they'll click only when they chat. +Last night the party that was given in your honor... +Lost it! +- There are still a few days left for our wedding. +You! +I have no knowledge of this area, love dumpling +I will never leave you +Divine Shadow +Who? +I thought I'd never be able to fight you +WILLOW! +I TOLD YOU THERE WAS SOMETHING GOING ON WITH HER. +- I really like your outfit! +- We stay calm. +Come on. +(Ring) +- That must be Angel. +And I'm a science nerd. +- I've checked all my volumes. +I'm ready. +You were destined to die. +Isn't he? +I got rotten fruit. +Your dog must have knocked her over. +Yeah? +Bailiff, remove Mr. Porter from this courtroom. +Carmine De Soto. +I think, by anybody's estimation. +How are you doing today? +Hello. +What are their grounds for denial? +Go ahead. +Number 585, Southwest Second, page 431, argued by Bruiser-- by J. Lyman Stone. +Mr. Keeley, doesn't it explain precisely how claims should be routed and shuffled and rerouted, anything to avoid payment? +We now deny it for the eighth and final time. +Not that, either. +It's a privilege to meet you. +- CEO? +Right here. +You do agree that we need to record his testimony. +Just have a seat here. +Some from claims, some from underwriting, and most people give up. +No, he's here. +[Rudy Hits Cliff] +What do they stand for? +Damn you, Kelly, what the hell is going on here? +Nothing, I guess. +How much do you get? +Nothing will happen. +How long will you wait until he decides to hit you on the head with his bat? +- They have a right to their day in court. +Hey, deck! +Oh, I was gonna take that with me. +Give me the bat and leave. +And if you cross it enough times, it disappears forever. +There are police reports, there are ambulance reports, there are hospital records. +[Whispering] He can't do that. +Why don't I just go and explain? +You know, Hank kept wondering... why I went through the whole fridge... looking for a really old bottle. +If you don't decide on a boutonniere... they won't be able to make them in time. +Put me on the stand. +Dad mustn't hear us! +I have been given these men of Grimnir by Agne the warrior. +Duckman, huh? +Every film script is like a copy of another one. +Go! +- Oh, okay. +Strong words. +Prove your mother wrong. +You get the whole set of encyclopedias for $1200. +And there's no way to know which one. +Wow. +We don't know. +Xena, what do you think they wanted with me? +Eighty. +Have you ever heard of Dahok? +On the bright side seasickness'll be a romp after this. +How nice that a boy has found his way to. +It's true. +- Sure. +Want some wine? +They've had a lot of success very quickly... so get ready for the backlash. +Just promise you'll always be there +To feed your pretty bird. +But I know who the killer is... +I had to, to deceive others. +So spirited and yet so gentle. +Ah, we´ve met before, I believe. +You said you wanted my advice on a delicate matter? +You deserted him! +I couldn't get them yesterday. +I should withdraw. +The question is,o can you go on living with your husband? +Mama! +What I'm saying is, I've never performed an operation... that I didn't feel would be cosmetically beneficial. +I'm going to Thoracics. +( screams ) +I still got caught. +Hmm? +Tiralo! +Please? +We'd like to know what your intentions are toward her. +- Why doesn't she talk? +She asked more than a thousand questions. +- Thank you, sir. +Both of you. +It was an impromptu visit. +- Hey. +Please, let me go. +You can do anything you want. +- ...in tomorrow's personals? +Isn't he the cutest thing? +PHOEBE: +[ROSS SIGHS] +And I was just wondering how you were. +Man, he took the five of spades! +Copy that, sir. +Uh, Mom, yeah. +Thank you for your patience. +I mean, first you hate me. +- I think we're here. +- Hi. +My boyfriend. +With all his training! +And you know why? +You telling him I want a fling and me putting out he's so going to get the wrong idea! +... beforeI talkedback to Chef geiler. +Now that I see them, I win! +I am sorry. +Oh, God, I'm in trouble. +Mom. +Looks like there's a new Spider-Man in town. +I didn't ask to be needed +I want to know what it's like to be hugged. +I wanna hear something that loud I'll stick a gun in my mouth. +You're not the first woman to feel this way. +Well, um, your laundry smelled so good that I thought I'd curl up in it. +Yeah, I'm a big surprise. +Why is Bill hugging Pete? +No. +Then all you need is the chassis. +She smiled for a week when I won the Miss Seattle pageant. +It's true, I swear. +Stop it! +Quick! +Everybody HP- +The last we heard she was living up north. +WOMAN: +I don't believe this! +You're famous. +! +Can't we just let this man eat? +That's all there is. +I had a shovel. +You're weird. +Know that? +Get her! +We don't even know their names. +I mean... +They said, "Fear not, Macbeth till Birnam Wood... +What rule? +I'm supposed to take you to Foster's. +Look I don't know how long I can stay. +Virtue of benevolence, force of water. +- Just listen to what she's saying. +YEAH. +It was a mistake. +- Please stop! +What? +Amy's a lovely girl, you know, she's feminine... delicate, attractive. +You just dab it under your eyes, that's all. +We'll open it, but we own what's inside! +You just need to make sure your father-in-Iaw pays as soon as possible. +- This is a nightmare. +Susan and I decided not to tell her. +The cause is gone. +Cute one. +-Well, me neither. +We kissed. +Huh? +Gunther, be a good little boy and bring me a whiskey. +No, wait. +I'm a very bad person. +- I am no such thing. +Yeah, Willow. +- I panicked. +- If CRD opened, it woulda been on the news. +What's he look like? +THE PROJECT IS ALMOST COMPLETE. +AAH! +I promise. +What was up last night? +You must have mentioned it. +- Carpeting. +[Andy moaning] +But which of us can give it? +That's why I intend to die a Catholic, though I couldn't possibly live as one. +# He loves me +You met his brother there too, I believe. +The sentence of the court... is that you will be imprisoned... and held to hard labor... +"After the heel-lick I shifted my day goods." +Thank God you didn't when that Jew queer Roseberry... can become Foreign Secretary and bugger all the juniors, including your brother. +"What? +Fur like winter grass. +Maybe he just smelled all the skins and stuff. +'Cause I read on the Internet he killed. +I need more. +I might have another shot at a pilot. +- [ Gasps ] +See ya. +It's just changed everything. +I'm agreeing with you. +ROSS: +- We were on a break. +Put your hands inside. +I've predicted that! +Yes. +HELP ME-E-E-E! +Shut up. +Hello. +Genital apparatus, forget it! +Yeah, right. +and it was delicious and plentiful. +Ah! +It's the most extraordinary thing. +I'm too old, too tired, and too hungry to go chasing some hot rod. +Down there. [ALARM BLARING] +Leeloo Dallas. +Control room. +"We're not gonna make it." +This is a normal human DNA chain. +I know how you drive. +...I'm, in fact, encouraging life. +Earth for Earth. +Do you understand? +Helm to 108. +They got big teeth, big foreheads, big ears, and they stink. +Yeah, yeah, hold on. +Both times, you've ended up in my arms. +I... want... the stones. +I'll take you on vacation. +Said he was an art dealer. +Really? +The Mondoshawan have in their possession the weapon to defeat evil. +Nice apartment. +Hello? +Thermal bandages. +I am a little... +♪ A little light of love and freedom ♪ +Thus adding to the great chain... of life. +Ruby Rhod is broadcasting live and needs to interview you. +Sorry to have disturbed you. +Is that a Z-140? +What you're saying is you don't know what it is? +She doesn't. +His dreams... his desires... his most intimates of intimates. +Are you making fun of me? +Seven on the left. +Mr. President? +Korben, there's a general on the phone. +Able to bring life to the farthest reaches of the universe. +I'm so sorry. +I just smashed my cab. +- I think we should go. +You. +On the trail of the sexiest man of the year: +1... +-Major-- +Lucky day. +Bravo! +Listen to me. +I was there when she landed. +Let me explain. +Sorry, it will never happen again. +She'll give you what you've come to get after the concert. +The cell is, for lack of a better word, perfect. +Ideal for quick, discreet interventions. +We do hope that you've enjoyed your flight for today and hope to see you again soon. +Normal human beings have 40 DNA memo groups which is enough for any species to perpetuate. +We're on a mission. +Yes, the gun. +They were so tired from their ordeal, we put them in the reactor. +Have we arrived yet? +We brought you a case. +Come on, get in. +Trying to keep you in the DJ business. +And for the grand finale... the new Ice Cube System. +Don't breathe. +Missiles are loaded Mr. President. +Korben? +Thank you for your cooperation. +But if it is... destroyed. +Go ahead. +Technicians, engineers. +Commercial! +Cornelius... +I swear! +We risked our lives. +Korben Dallas! +You learn that on your screen? +Zorg here. +Tell me. +Run an id. +I never felt this way before with a human. +I'll explain everything. +Listen, you gotta bring me your hack for a six-month overhaul. +You have an unauthorized passenger in your vehicle. +Life, which you so nobly serve... +How many of them are out there? +Let me see if they're revived. +Is it possible to fire 500,000? +Four full crates... delivered right on time. +Thanks, Ray. +That's an order! +If we make the fog... +That's me. +- Trying to save your ass. +The Mondoshawan have in their possession the weapon to defeat evil. +Wake up! +Leeloo. +Who took another route... +See yo tonight. +Don't breathe. +In 300 years, when evil returns so shall we. +And what about you, my dear Aknot? +Done. +This divine light they talk about. +It's Aknot. +- Shut up and count! +If I knew... +Leave him one crate for the cause. +The police control is now terminated. +Get some heat! +it's been breached three times in the past two weeks. +- [machines beeping] - ...ninety-nine ninety-eight... +Hitokiri Gentatsu, we fought all those years ago for one reason. +Himura, we are in a very critical situation. +And Kaoru had aged and she was now in her thirties, so I was really looking forward to how she had changed . +Yes, they insist. +Did you know her? +- Can you move over a bit? +You look good on TV. +¶ lies a memory ¶ [midori laughing] +I don't think you'll forgive me, no matter what I say. +This is, gullbuddin, my brother, and Tony, a good friend of the family. +- It was no joke. +He looks quite normal. +- Is it because you brought yourself up, sir? +# Let me fly far away from here +-Could you explain? +... looksmatter. +BAA! +He says he´s a lawyer. +I just wanted to say hello. +He´s a liar. +I am... half KIingon. +Good work, Doctor. +This is incredible. +A sequel? +I know, and that's why I agreed to do it. +You pig! +Can you climb the wall with that thing on? +Hamster style, Ben! +Joe, it is wrong! +What makes a man? +You know, last month somebody robbed a bank in Daly City. +Stop right there, motherfucker! +And besides, I'm seeing Greg on Saturday. +- Hey. +All done. +- His name is Kevin McCall. +You got it? +Yeah. +Screw you, man! +Fuckin' try me and see what the fuck- +- He's gonna-- He's gonna kill us. +Those are mine. +My boyfriend taught me how to play. +Backwards! +Huh? +I'd go back so far none of you would even be born! +- Uh-oh. +at a picnic." +I didn't hit a mailbox with the car, and besides if I did, +I bought it according to your manual, it was only some 9,000. +You have a great voice? +It would be worthy if you met someone good. +I won't. +You understand me? +Answer me, is he really sick or not? +But I need it. +Bye! +In a sec. +Frankly, I was disappointed. +WE WENT TO FORDHAM TOGETHER, IN THE SAME ETHICS CLASS. +- Can we talk to him? +I'll stick with that. +Who cut off my music? +Jake was with my mom. +That fucking Darrell! +You don't rip up the mother. +That's because he's dead. +Time. +A cheeseburger bleeding. +- Are you the owner? +Two. +- No, you ain't. +A man without ethics is a free man. +We could still make this work. +You know, it's the whip-- the one Uncle Frank got me from Mexico. +- What do I think ? +"Libbets" ? +- Let's go to our weather map now for the grim details. +- About - [ fires Squea/j. +Honestly, l-l - +How you doin'? +Jimmy? +Whoo! +I'm not sure how to take this. +- Hey, Sandy. +You know, with the beer. +We were waiting. +No, that's not it. +Greetings, Charles. +You know? +It was on the dash of the car. +This knot's called a hangman's noose. +He wouldn't blow up. +- It's okay, sweetie. +I'll try. +- [Blowing Nose] +It wouldn't make for a pleasant evening, if that's what you're after. +About the only big fight we've had in years was about whether to go back into couples therapy. +- It's so ironic. +Good night, Dad. +When was the last time you rode a bike? +Even the Invisible Girl herself becomes visible... and so she loses the last semblance of her power. +Moisture. +In order of appearance? +Commander Rabb is requesting your location, Captain. +- You guys hear Muriel's in Cedar Sinai? +You're our favorite person in this whole, wide, scuzbucket world +Stand up. +Now, listen, Cinque. +[Covey translates] +Yes. +No. +Is freedom. +(Counts in Mende) +Does the Commonwealth of Connecticut +At least they certainly don't look it. +Were about to do battle with a lion that is threatening to rip our country in two. +And that ship out there to my clients, +We have Mr Baldwin over there. +- You needn't worry about that. +[Chanting] +Mr Tappan, I'm talking about the heart of the matter. +Bye. +No, I only model part-time these days. +Actually, I'm in a tight corner right now... +Yet. +I'm sorry. +Touch that. +Not offhand, but I'd be willing to bet it involved three goats and a jug of wine. +SHE JUST WANTS YOU TO BE THINKING ABOUT HER, +BUT LOOK WHO WAS RIGHT. +IF I WAS STRAIGHT, WITH GIRLS. +WANT A BEER? +Here, you ride alone. +Shouldn't we get rid of him before too late? +And I got him right in the +Our time has come. +Are you about done? +Well, what about all your Jewish jokes? +I'll tell you later. +Well, obviously, that was a mistake. +He would've died. +- No. +Carter, the patient is critical! +I can barely keep this glass steady. +Nobody's foolin' nobody as to where it goes +Yeah +Oh, Mother! +Sir! +- Get me some masking tape! +How many scenes was she in last week? +It's a bit much, even if it's a complaint about how you changed your image... +- Mima? +Yoko Takakura, the original persona is nothing more than a character in a drama for her. +Is that rumor true? +Good morning, Mimarin! +A HOME PAGE ON THE INTERNET: +I thought you were a man of your word, Chakotay. +I can see you need a little help. +I want to go back there. +Under the circumstances, I believe my time will be better spent assisting you in your effort to justify the trust the Captain has placed in you. +Either nobody knows, or nobody's talking. +-Perhaps... +Everything is glowing with its own energy. +When Ulf began to count Lasse fell asleep. +I have to tell my father about this. +Neither am I. +No. +[Clears Throat] I'm sorry you had to see this. +Doctor, you can't just... +Alison would kill me. +For the second highlight of our day, +I'd like you to meet our curator. +Wake up! +Oh, God! +BEAN: +Hi, I need Jennifer Langley's room. +I was thinking tomorrow we might really do LA. +This is a once-in-a-lifetime opportunity. +It's a lovely green there. +- All in favour? +Nice to meet you. +- Your mother was a special person. +- That's all it took him to figure it out. +- [Man] Get her on the elevator! +Let's go. +Move it out! +Oh. +Is subjugation perfume and bubble bath. +Don't look at me like that! +Is that so? +Poor... +No. +A minor point, but go ahead. +We're turning away from the shore!" +No one does that to me! +- Why don't you just tell Leanna how you feel about her? +-That is, if she's still alive. +They're my responsibility! +Up. +I am really not prepared to go into an in-depth-- +-Lieutenant, they're waiting. +Hoo-yah! +Squat-pissing in some third-world jungle... with some guys looking up your behind. +Get on up here. +- Didn't know you smoked, sir. +- Suck my dick ! +Half a night, Lord. +Huh? +Find a phone booth someplace and stop and call the office? +He gives you everything? +Thompson? +You can't move. +- How old do you think you are? +That's why he took the liberty. +You didn't know. +Lieutenant, Steve. +- Is that clear? +Come on, honey bun, walk! +Blessed is he who expected nothing, for he shall not be disappointed! +Scrape your plates ! +Carry on. +No, sir. +It's my understanding that she just finished the P.T. phase of her training. +Yeah, sure. +Huh? +You're sore? +Who do you want? +I have to get back to the city. +Try to get as much air on those abrasions on your back as you can. +All right. +How about you, Royce? +Two is one, one is none. +- Sit down, Lieutenant. +Newsweek. +- Unfortunately, I do, Skipper. +We have four stable engines. +Move! +Okay, come on, we gotta get back to our seats. +The seatbelt sign is still on. +It all turns out to be the things you don't want it to be. +I tried to stop them, Doctor. +Uh, Livingston. +Oh, yeah, and all my friends and family are going to see it tomorrow. +I know. +They took the flubber. .. +Let him have it. +Very interesting, Phil. +She`s losing power. +] +This watch we have here is called the scarab. +Ooh. +Ooh! +Yeah. +Oh sleep, you who carry babies away I gave it to you only a baby bring it back a grown up child grown up like a high mountain... +- I say. +Bit of a beauty when she was younger. +They're in here! +You, like, walked into my life, and you- +It not only excludes me from going back but it produces juveniles like me. +Those who deserve a good life are all dead. +The street is full of people like Fat Chan. +Yeh, as I always said, Chinese people like tricks. +But I'm penniless! +The next day, the hospital called me and said she had died lying next to you. +Not exactly Home and Garden. +Place is prime Halloween target. +You have a brother? +A day at the beach. +Hey, Beecher. +You brought me some tea? +-Well, what about this? +Suddenly so much oxygen enters, it'll cause back draft +I didn't oppose you being a firewoman. +Girl friend... right? +- Oh, Al, you're home and all in one piece. +You're scared? +So you're working? +Good to hear Toots and the Maytals, huh? +Exploiting the oppressed. +- You´re on a flight tonight, right? +Hash browns, well done. +Couldn´t stand that class. +- Yeah, well, you know, no less than you deserve. +- Yeah. +Right. +- Oh, it's been ten years. +- What can I get you? +- Lardner? +Martin's back. +Cool. +It's Martin. +- I'll just let myself out. +- Yeah. +Thank you, thank you. +- ... or do I call security? +- Did you get a call? +Oh, nurse Scott. +And I would like to catch up with you if that´s possible. +- How so? +But this, this night... +I wanted to see you, you know. +Ask me how I'm feeling. +...beg like a beggar. +Do you know how much time I spent on this masochistic cycle just trying +- I´ve always felt very temporary about myself. +Because we are not assassins, Mr. Grocer. +How we supposed to work together if you won't trust me? +... ifnotan efforttomasterthechaos that sweeps our world? +... GossipGerty of "Good Morning Gotham" and I... +Then I will hold Gotham ransom. +It's Batman and Robin, not Robin and Batman. +She was all I could think about, like I was in love... +... tomyadvantage. +It's Nora Fries. +... theworld! +But to give life... +I hope that I have taught you at least that much, Master Bruce. +I want a car. +The Iceman cometh. +MR. FREEZE: +Let the poisons and toxins burn a grave for you deep into the earth you love so much! +Thanks to you, son. +- You are there or no? +- Mr Lange... +Well, here's a little bone we didn't know it had!" +But maybe it's okay that you're not a part of it. +I'd love to go with you. +- Hi. +And you've got this whole other life going on. +Don't worry, Tuvok. +Now, I hope that before the end of the the evening, with your help, we'll reach our final target. +Simone's family, theyjust wanted to start a new life. +Let me help you. +I can be. +Webb. +I'm gonna go call the police. +So cute that I'm thinking about jamming this pen in my eye. +I know! +He's nice, right? +Thirty million, in cash. +Do you think you can manage that? +I don't like being kissed. +Didn't see. +Cordelia, you don't remember me. +Ask around. +My face is numb. +She is the Slayer. +I don't even know if they like me half the time. +Hey, do you want to come to our place tonight for dinner? +All right, get the airlock doors sealed and pressurized. +It was the year of rebirth. +- Ship-to-ship is down. +Your birthday's tomorrow. +Hold it right there. +I'll buy you a drink. +It's a full life, if a trifle banal. +I was going to tell you. +That should help me breathe a little easier. +No need to strain your eyes anymore. +You're the Captain. +I thought this nebula would be a safe haven until we finished repairs, but it's turning into a permanent residence. +I could be... +All right. +We're busy. +Not that he doesn't deserve it. +I'm the sick one. +Here. +So do I, Major. +Maybe. +So what do you think? +See? +[Groans] I can't get the smell of slurry out of my clothes. +With the money from this.... +[Laughs] Hey! +OH, UH, JAMES. +I HAVE A VERY KEEN NIGHT VISION. +- What did you think I'd ask? +The important thing is that your son is happy. +We'll both call him. +And the fact that I get it makes me feel good about me. +Come on, sweetie. +You have feelings for... +Dad! +- Ah. +Excuse me. +Can you believe in our little mix you're the "good" roommate? +Your skin, your long neck, the back, the line of you... +- I owe you and I told you today. +- Fries today? +Come here. +Sweetheart! +- You don't have to answer. +- In here, Mrs. Connelly. +I'll call when things get back on track. +You want to know why? +- You can answer. +"ln the dark she had confessed and he had forgiven." +Over an ugly dog. +What does it mean to you? +Does getting me thinking about all that's wrong have some purpose? +I messed up the same line. +- No, I promise. +- I can't. +Clear what up? +- Eat up. +What do you know? +Doc! +I always painted. +I actually will turn the ringer off on my phone and sometimes put a piece of cardboard in... +Okay? +They... +You're taking him! +You know how this will turn out. +If you can't feel good about this break and step out a little, then you ought to have Mr. Udall send you over a psychiatrist. +Mrs. Connelly, there's still a lot of tests I need to do... a lot of things I have to find out here. +You know, my- my dog with the little face, little adorable face. +How's Verdell doin'? +.Ut Wh/st//hgj. +Let me get this tube out for you. +You seem different. +- Even if they win? +Max, get down here! +You shot others? +Anyway... +The black man's no longer gonna play the minstrel in comics and sci-fi fantasy. +Banky just goes ballistic on her. +Father, Son, the Holy Spirit. +-Bank Holdup. +If you say the smell, so help me, I will slug you. +Why girls? +Fuck. +And when it's over, all that hostility you feel toward Alyssa will be gone... because you'll have shared in something beautiful with the woman I love. +- It's not love. +See, I can buy fags, a bunch of guys that need dick. +Holden. +So I'm like, "Yo, I'll give it a shot." +That boy loves you in a way that he ain't ready to deal with. +All right! +You know I need this. +-Well, so, you're still a virgin then? +You know, at that moment I felt small, like I'd lacked experience, +Next! +Enough. +I like the idea of a chick with a horse. +I don't know what I'm doin'. +That would take care of everything. +That time is over for me. +Next. +I know what we have to do. +- [ Together ] Snootchie bootchies! +And I don't know why I can't let it go, 'cause I'm crazy about this girl. +For me, it describes any sex when it's not totally about love. +We're only gonna be gone for two days. +Curious? +- What are you doing? +. +You know? +Look, I'm sorry I let you believe you were the only guy I'd ever been with. +Skywalker... +- I told her you wouldn't be interested. +You can't go. +Good. +Mmm. +Over here we have a male-affectionate, easy-to-get-along-with, nonpolitical-agenda lesbian. +-This is all gonna end badly. +- Hooper. +Virginity is lost through penetration. +Never will forget this +Period of adjustment ? +Well, that's how I feel. +You said it yourself. +No. +- What were you treating her for? +WHAT WERE YOU TREATING HER FOR ? +Wouldn't you rather be doing something else right now? +This is how I can cheer up my dad. +Kandra Vilk. +So I come to you, Emissary. +Let us not forget, that you tried to solve the problem of your mother's low ceiling by cutting off her head. +I've overslept! +Yes, but Jerry is safe underground in concrete bunkers. +We all did... joining the local regiment and everything. +I said I don't know. +This is the first brilliant plan a Baldrick's ever had! +Makes you want to jump over the top and yell, "Yah boo, sucks to you, Fritzie!" +That's the spirit! +- I've just remembered the Snivels. +Do it. +Kiss my ass. +Where do you have to go to get a six-pack of beer around here? +-Henry, we have to talk. +-Never said a word. +-It isn't about money, Simon. +The family could hardly get in the church. +- Klingström? +- Deliver. +Tell me you're sorry. +- Paranormal. +Buffy's a superhero. +- Or ex-enemies. +A very sensitive man. +- Apparently not well enough. +Cut a piece of your hair. +Video segment A- 19. +Don't be late. +For me, it's personal. +Yeah, we got a prison full of guys who are experts at moving shit through any system. +So you're hiding behind the bitch's skirt now, huh? +My true self lay in that quixotic little drug. +- We are melting! +Go this way! +- No. +Cindy. +The Times-10 Kamehame-Ha is my greatest technique now. +- Ahh. +Maybe a little bit too much lace on it. +I told him they'd be ready Tuesday. +- I promise you. +You look a little tired. +I think you should take mum-in-law's shop model. +Discomfort. +- l guess I'd like to be alone with you. +- Did you stop off anywhere? +Mrs Svendsen, there is a solution to almost any problem. +He just is. +Yes, what does it depend on? +Tekeny will do. +And the way they ran... it was like kicking over a mound of barrowbugs. +I'm afraid the prognosis isn't good. +I thought he was different but he's just like the rest of them. +I found high levels of methyl bromide in her blood workup. +- Good luck. +So they have to make these fantasies just to keep on going, to feel alive. +Oye, mi amor. +Don't move! +Stay safe! +Whiskey? +Thank you. +Advice only. +Five minutos! +She's obviously under a lot of stress. +No, no, no. +(Yells) +What am I gonna tell my mother? +Everybody stay in the car. +Have a nice day. +Jesus +Oh my God! +Any fruits, vegetables, native plants? +- Oh! +This always works on the Camaro +I should at least be a teensy bit stronger... +You had better wait outside. +You know? +Tell your dad what you saw in the park with Eddie. +Crane's up." +- Well... +- Do you know why I'm here? +And the castle's commander? +Hey... +What is it? +It looks like you are going to try for one final opportunity by relying on the length of your blade. +Don't expect to get much sense. +To Brighton. +Neither would I. +Cancel? +They'll be all right. +Fifteen made it to Mexico, but these seven aren't going anywhere. +Is that what I should've told Georgia? +What does he want me to do? +On, no, Mr, Ross, I promised Mr, klein nobody touches this but me, +- You are a real boy scout. +- I'll worry about you. +- And was he on the seaplane? +Can I ask what you plan to do with me? +But you're doing fine. +Meef us In the park. +I'm a hell of a person. +- Something with his fingerprints, +I also wrote that the cosmos is not built on a human scale, and that man must adapt to it with little gain, except those with power and fame, which even rhymes. +- [Groans] +Have you seen Sparky? +Make him stop! +- We're all a little gay. +You of all people should be sympathetic. +Father closes the door +[Sighs] Ladies and gentlemen, the fabulous Sherlock Holmes. +[Sighs] Ladies and gentlemen, the fabulous Sherlock Holmes. +[Sighs] Ladies and gentlemen, the fabulous Sherlock Holmes. +You are one of the family, aren't you? +Sold to Sherlock Holmes. +Ah, my little chick. +I want one! +But I don't get it! +Ensign Sims is a very hot worker. +I just gotta say this has been the most boring summer ever. +Buffy killed a vampire last night. +It's a desert. +The army has arrived to take charge, sir. +Why don't we simply get it over with? +The Commander wants to meet you folks! +You're handling a gun! +- Don't forget the porridge! +Last week, you were, uh, in a total upheaval about all this. +Make sure we get the shot. +ADAM: +Say cheese. +- God. +It's going to be terrific. +what's the word? +Help me! +Whoa! +Oh, that's precisely the problem. +Are you all right? +You were so incredibly beautiful... so incredibly sexy... +You just don't get it, do you? +-No! +Should I take care of him, possibly with a gun? +Come on, roll over. +At the age of 14, a Zoroastrian named Vilma shaved my testicles. +What? +There's a company in Las Vegas called Virtucon which we think may be linked to Dr. Evil. +Did you ever want to? +There's nothing more pathetic than an aging hipster. +Make me tea? +And right here. +Right. +-Was that so hard? +Well done, Mr. powers. +Yeah, do I? +Come again? +You shot me! +Gentlemen, I give you the Vulcan... the world's most powerful subterranean drill. +Mister Powers. +It's a shame he wasn't more headstrong. +-Well, you know... ~come on and love me now~ +~BBC heaven.~ +♪ I can hardly wait to hold you ♪ +My name is Number Two. +How do you do? +All right. +~And taken away your name~ +Come in, come in. +Youngsters all over the country and Canada have been asking for us to bring back George Carlin! +[Hank sighing] +There's some nasty type out there on the prowl. +Good to see you. +- All right, um- +Get outta the way!" +I have to tell you something. +Thank you, Will. +Will didn't show for work today. +It was normal, I guess. +Did I ever tell ya what happened to him when he was drivin' up there and got pulled over? +I didn't have to watch you throw it all away. +- Why? +Because, uh-- +- Larry ? +- No. +'cause they don't give a shit. +- Unless you wanna have a drink with me tonight. +- No students work for me. +Only if you grab my ass. +Probably fit right in. +Um, ladies and gentlemen, we are in the presence of greatness. +Keep fuckin' with me. +That's it. +Look, if anything was stolen, I should know about it. +No, we haven't gotten into that yet. +- That's right. +[ Woman ] % I am happy with you % +- Then don't set up any more meetings. +- They're just beautiful. +- Come here often? +- They're just beautiful. +Saddest of all chords. +How ya doin'? +- Well, you're from the same neighbourhood. +I can't handle this. +Come on, Morgan! +- And, um... +Grand theft auto, February of '94. +On your own time, you can do whatever you like, Will. +I had to let him help with the car. +It must have been a survey course then. +You resent me, but I'm not gonna apologize for any success I've had. +Just submit! +He wrote, uh.. +- That's filthy. +Yeah, so am I. +Superstring theory, chaos math, advanced algorithms. +- Oh, hello. +I mean, hey, if they don't trust you, you're never gonna get them to sleep with you. +Don't let him know what you've got. +- Are you mad? +- Yeah. +- Skylar. +The whole works, right? +Once they have that location, they bomb the village where the rebels are hidin'. +- It has to look natural or else we'll get busted. +I can say with certainty that I am not anti-Semitic. +I transferred back here. +YOU'RE JUST IN TIME. +SIR, THIS THING IS WINDING DOWN. +SIR, YOU ARE AWARE THAT ALL THOSE PEOPLE OVER THERE WITH CAMERAS +Wait till I set him right... +Let me talk to him. +- What's this? +'Once is not enough, turn and look at me once more' +If your sister is not operated on, in an hour it'II be impossible to save her! +What's wrong, Camille? +Show the world you exist! +No, no, it's all right. +The y're full of energy. +In 1933? +Throw it back. +Ouch ... I've been to see him. +Hi, Stig! +Oh, my God ... ls it any good? +Yeah, possibility, but I don't think so. +She was in Blackpool with her sister. +- Absolutely. +Yep. +My father! +What time is it? +A cheeseburger? +Mr. Kirkland says that it's not all that rare. +OK, and you guys had an ME paged to the scene because? +So I wanna write a script, but then I figure maybe I'll take a nap for a couple hours, get things stirred up that way. +Yeah, you're gonna have to go up now. +Gohan! +child, you must not shoot your father over trivial matters! +- Have you met him? +- Have you seen your attire? +Did you want to review it before I gave it to the cops? +Merry Christmas. +I'm Angela. +Mr. Gafoor Yes +What? +Fake as usual. +What can you do? +We'll run out of time. +Hear that? +Don't I look like a salesman or something? +I object! +Says right on the back of your ticket stub there's still no proof that our nacho cheese topping causes genital herpes. +I am trying to say I won't show economy in pulv... +- Sure. +You Believe There'S A Cure For Him In Here Too. +Is it him? +Jaris is gonna die? +Wait up! +Great. +They're going to come back and rape us! +My wound will heal. +I tried to heal you but I did not understand your injury. +Where are my friends? +My mother there? +HERE'S THE MAIL. +I think we should let him live out his fantasy. +That's not the point. +What? +Say anything, it's yours. +We have something to toast. +Who's next? +Girl or boy? +Although far out they still orbit the sun +what Mars is like, what its weather patterns are like, what its geology is like, where there's potential sources of water and other resources, can we generate the substance of life, +Umm... +PEGGY: +We have to be men here. +- I wanna leave too. +- The directory has to be somewhere. +You know, you even fined my father. +A Renault. +You've been watching your handiwork, but now we are behind you. +I know it. +That's right. +But you changed! +Call it the law of averages. +- As you wish. +Yes, Zathras understand. +- Identicard record indicates Security Chief Michael Garibaldi. +I know, but sometimes you got to take a step back before you can take one forward. +I told you, it's only gonna be for a couple of days. +Wait. +You can only try... +After all, we're both members of the primate family. +- George, watch out for that tree! +Oh, no. +- I can't do it. +I'm losing you. +I love that. +its sparkling rivers... its lush veldts, its billowy cloud formations... and its hidden mountains. +And look what's in it. +Possibly there is a stirring of special feelings within you? +What did I tell you? +Hold your hand. +We can't sit here. +You've got me? +Guess that explains the superhero costume. +Hook it to the school's man electrical grid or zap us a nuclear reactor? +I hate this. +- The future. +Are you with us? +they're following you, not the cause. +Let's go. +Make it two minutes. +We had a very important meeting. +Tell me, who gave you permission to go out? +What were the names on the last three tombstones on your right? +Then we'll answer some of your questions. +And that cafe in Paris? +What are you doing here? +I'll do it. +Extaaoadinary. +Who do you think you are, Sherlock Holmes? +How they did it, I don't know, but I guarantee you this-- it won't happen again. +Who do you think you are, Sherlock Holmes? +Who do you think you are, Sherlock Holmes? +And now as time goes on, +I mean, they... they... they let you play with them. +All right? +However, all of a sudden, Shen Long appeared without being summoned. +It must be wonderful to travel along with a great hero like Hercules. +There's a fork in the trail up ahead. +I was right about you from the start. +But stand by. +No. +It hasn't always been easy. +It's not the Nausicaan way-- they're thugs. +- I want you to stay away from the vehicle and lie down on the ground. +- Put him through. +Whoever did this is an animal. +Yeah, but what'll happen to me? +This is a shelter for 1 2 children who have suffered enough. +But I've seen her. +- What a terrible thing! +Look at the sidewalk full of people. +Don't worry, I'm with you. +You mustn't fall asleep. +Non-drinkers think not drinking solves everything. +He's a psychopath. +- Me? +Look on this declaration of guilt... as a declaration of love... and as my Christmas gift. +Centro! +- Sancho, don't provoke him! +Lay off! +Drunk already, Pepe? +No one can prevent that. +Is that why your brought me? +But soon again +Sometimes it takes a lot of time. +- Fine. +Peculiar. +I get drunk and I babble on but I've only myself to blame +I took one of them massage courses in the mail. +Open your mouth. +Crunky Chocolate. +LUCKY CHARM +Why don't you keep it? +We will hear the sound in the evening. +In this very short time ... +I name the babies alphabetically, for practicality's sake. +That's very kind. +Pleasant evening for a stroll, isn't it? +He killed himself. +- Mike! +I'm a scientist. +All right, that's it, Chief. +You, too, man. +The flow's gonna turn. +This, to me, seems more like a MASH unit than a major metropolitan hospital... +- Look, watch. +Magma can find one of those fissures and rise up through it. +Let's tube him. +There's no reports of damage yet to any hospitals, but 911 is off the hook. +I don't want anybody hitting that. +- Oh, God. +Emmit, get hold of that geologist, Amy Barnes. +Roark! +Yeah, we copy. +She's only 13. +- He likes you. +The judge sent him to an adult prison... +Emmit: +- Then there is. +Norman... +- Because it's my responsibility. +I need that back. +ls love waiting just around the corner? +It connects here to the Holly Hills trench. +We can't hold out that long. +Get the cutters. +You know, fuck you! +-Newman. +No, no. +I've never looked at them, but they exist. +- Wh... uh, the... +Fourth of July. +Very major. +Not losses is right! +And he told me everything. +What's the problem now? +Jesus! +Well, these old rocks here will give us some idea of when this area was last active. +Thanking me for what? +Sulfur dioxide. +- He started screaming, ""Thanks, NASA !"" +Oh, my God! +- Excuse me, Harry. +Paul called. +Get the crutches. +- Keep your feet up. +Who cares? +Hello. +Go down the alley! +[ Harry ] Watch your eyes, children. +We'll, uh... +Yes! +Coffee, coffee, coffee. +Commander. +Yeah. +Come on, jump. +No. +But I don't play with Horace Derwent's toys. +One way or the other. +He must've stayed in Boulder. +Little while. +Seize your destiny, Mr. Torrance. +What Danny has didn't come from outer space, you know. +Is anyone here? +Redrum! +You're only making it worse for yourself. +I mean, I'm the one who knows how important it is to keep the Overlook nice, the way it is. +Kissin', kissing' that's what I been missin'. +But I can't just stand around waiting for Buffy to decide it's time to punch me out again. +What are Kyle and his buds doing with Lance? +"Hey, kids, where's the cool parties this weekend?" +- He's... +Xander? +Are you gonna say something to me? +IT'S THE SAME STUFF FROM LAST WEEK. +GOT INTO HIS OFFICE SOMEHOW. +- Oh, my God! +YOU KNOW THAT. +? +That's enough training for one day. +Wait, Frank! +Know what I'm "sizaying"? +How is that? +It's an alien energy source, isn't it? +Mayday! +_.along with you and your employer and the government that finances its contracts. +- One? +- Gone. +Where you coming from? +It was for an assassination. +- Lemonade? +You hand me that head. +- "Deliver the Galaxy." +You can kill us both, but you will not find the Galaxy. +I'd appreciate it if you eased up about it. +Some night, huh? +It's over. +Eat me! +Damn, what a gullible breed. +A man came in here earlier. +Not much of a disguise. +You're useless, Beatrice. +Ten minutes, you take your best shot, tough guy. +Man! +Those books are way too advanced for her. +Let's start wherever you started at. +Right after... +You'll get used to it. +And exactly why is that? +What the heck is it, Edgar? +You idiots! +You just gonna eat and run? +It just be raining black people in New York. +Whoever you are, you'll have to show me l.D. +Let her go! +Dee, shoot him. +He thought it was funny as hell. +Stomach, liver, lungs... +I have not tricked you. +- Do you know what I wish? +We are not mad. +- I'd rather Pittwater. +Two seconds. +Let's talk about what video means to this industry. +ROLLERGIRL: +Bill. +- Sure. +- You all right? +Yes. +I'm an actor. +Will I close the door? +Okay, now get in the back and, uh, unload those new 484s. +I mean, if there's a certain amount of, you know, violence or action in this series of films, you know, that's the movie. +Yeah. +You're a dancer. +Just let me do all the talking. +You asked for it! +- You're kidding. +I know they're going to be reviewing this... and I know they're going to try to knock me. +I'm fine. +It's my big dick! +I'm sorry. +You shouldn't do this sort of thing, faggot. +- Yeah. +- Do you like my car, Dirk? +I now pronounce you man and wife. +I want you... +Congratulations. +I was going to see about taking the GED. +We did everything right. +No. +Yeah, I do. +And I know you're not the only one she sees. +It's a surprise, surprise, surprise. +But he allows me to block my own sex scenes and gives me the freedom to develop the character and stuff like that. +I don't know. +You're fucking nothing without me, Jack! +AII right. +Who's Dirk... +You're a loser! +Let's party. +I've been looking for clues and something led me back here. +That's a lot of money. +I have all the papers, though. +How's it at work? +-Good night, Eddie. +- Oh, ho. +I asked you first. +I wanna watch you. +- Yeah. +Can you believe it? +I was thinking something. +The other one, the left leg... +Shot of tequila, straight up. +I want you to go in there. +Remember what we talked about? +You heard him. +What the hell is the matter with you? +Perfect timing. +-Yeah. +And let's talk about how all of us-- Not one of us. +They look at the movies and say, "Hell, I can do that." +[GUNSHOT] +Pal, buddy... +That the future is tape... +Yeah, I believe you. +I told you I got a plan. +I'm a really hard worker... and if you give me a job, I won't disappoint you. +It's hi-fi stereo equipment at discount prices. +We've got a good hand going. +- Rape. +They've found a lawyer, Karen Borg, attacked and injured, and a young guy in Kristine's bed, totally out of it. +-Hello? +- Yeah. +Of course. +- I gotta see what they think of her. +What is that bubbling sound? +No, your mother found it. +You were right. +I got a little slicer happy. +Right. +- Brilliant. +Problem solved. +Doh! +- Forget it, Zim. +- Good as new. +Fleet's mobilized for a big operation. +Come on! +So, you haven't done it yet, have you? +One, two, three, four! +Sorry, Mr Rasczak. +I'm sorry your parents were mad. +And, hey, you still got me to kick around. +Give me three up on the tower, now! +I better pack it in. +I would. +I want to command a ship of my own. +We need retrieval now! +Johnny, I'm sorry it had to be your unit on P. +Get out. +It's that teacher, isn't it? +We're going in! +- I repeat, we're gonna be attacked. +Help me! +Set. +- Don't talk about Carmen that way! +- This is Flight Command. +He's always late when he walks you home to fish for a kiss. +Don't get any ideas about my girlfriend! +- Hi, Carmen. +Yup. +Yup, you either got what it takes, or you don't. +It's a lot easier to get a license if you serve. +Take it there. +Yes, sir. +She was a soldier... but more than that... she was a citizen of the Federation. +It's that teacher, isn't it? +You knew, and you sent them anyway? +Deploying wings. +God! +Boat coming down, sir! +You gotta have nerves of steel. +But what makes you think you're good enough? +Hi. +I have operational knowledge of what we're up to out here. +Is over! +Police these bodies. +You said you were getting me a Sherlock Holmes outfit. +They were out of Sherlock Holmes. +I'm going as Cyrano de Bergerac. +Dad, I will find you a Sherlock Holmes outfit. +I'M OK. +You know what? +Who are you? +I don't have $1,900. +I'm Ed. +Hey, man, what you think you doing? +Good Burger's about to open, man. +I think I like the girl better than the voice. +I did all these figures this morning. +I'd better start Moby-Dick, then. +They had to, it was cracked. +I'm not saying we had sex last night. +Come on over here. +But you must be very busy. +There's a reward on your head. +get on the street and get my money. +do i hear 240,000? +if anyone can show just cause why this couple should not be wed, please speak now or forever hold your peace. +Get on with it. +OH, HE DEAD, MAN. +JUST LEAVE ME THE FUCK ALONE. +VERY GOOD. +[HANGS UP] +I'm not in the family like that. +Are you gonna let me talk? +Wait a minute, wait a minute. +- Cut, cut, cut. +Stop! +- What the hell happened? +Oh, sorry. +A bridge. +[ Screaming ] +[ Snort ] I am. +god! +Quentin: you missed your boat, holloway. +If you don't smarten up, I'm gone like that. +I do. +Let's get to the bridge. +Can you grasp that? +My parents are these people. +Will you look at yourselves? +I'm boring. +- Give me a minute. +math! +It's like Chile. +Whose brain? +trap! +I don't wanna die. +I can't believe I didn't see it before. +Even Holloway's holding up better than you. +Astronomical. +-3. +There are only 566 millions 400 thousand rooms in this thing. +We are the key. +[ Scream ] +YOU HAVE TO USE IT, OR YOU ADMIT IT'S POINTLESS. +TWO HALVES OF THE EQUATION. +Merde. +Well, he's just peeing. +I say we cross the bitch. +but i'm getting outta here no matter what. +uh, oh you know, i'm the free kind. +we have to backtrack? +oh, god! +all you did was freak out, you... murderer! +WHAT'S THE MATTER? +How do we get out? +We gotta get out to tell the truth! +Hey, I'm sorry to shake your foundations, Quentin, +[Rock music playing in jeep] +Who has shame, modesty, self esteem. +And, in a pinch, an automatic hibachi cook. +Tells me we'll win +Let's give out! +Put me to the test +Thanks. +Wait! +What's this? +Why are you looking at me like that? +Come over here. +Welcome to Mercer House. +I'll show myself out. +Your intention is to paint Jim Williams pink then rely on some prejudice in the jury. +Mr. Williams, will you describe your relationship with the deceased? +I've finished my Christmas party list and you made the cut. +Oh. +All right. +- Correct. +I can't clientele with uptown black-ass people? +He became verbally abusive and I ordered Billy out of the house. +Now sit back, relax, enjoy your brandy and tell me your life story, John Kelso. +You got a hole in you. +What's the matter? +That sounds like a dead battery. +We're like the Steve and Eydie of Savannah. +Billy pointing the Luger... +You've rendered great service to Savannah and Chatham County. +Bad juju. +... youknow... . +Because I was very pleased. +We have a little business to attend to first. +Damn gunshot residue test. +You've got a-- hot spot for the killer babe, and when push comes to shove, you follow your, uh--lower instincts-- know what I mean? +(INCESSANT BUZZING) +Strangest thing I've ever seen. +Come on, if you keep thinking small, we'll never make any money on you. +The doctor. +I'll be back in a little while. +- Eugh. +OK, at this point you're abusing sarcasm. +Call 911. +Nearly getting killed made me feel so alive! +JUDGE SCARLETTI: +The prosecution says we robbed and murdered. +I was talking about taking you to your seat. +I might be here a couple more days anyway. +Boy, your name Jesse Hunter? +Come on, let him talk. +Y'all shoot Sylvester, Ellis? +♪ Dress her up and take her to Paree ♪ +♪ +- Kind of light-headed? +♪ +She'll be mine! +Ah... ah... +Yes. +- No. +Well, I-I've always had it, ever since before I can remember. +No one knows what happened to her. +- You tell me. +Impostor! +- Are you afraid that he's going to be in control? +I must say, I'm so sorry. +Oh! +Anya, Anya. +I am heartless. +♫ Have you heard what they're saying on the street? +♪ Life is full of choices. ♪ +♪ She's radiant and confident and born to take this chance. ♪ +I found the city extremely charming and hospitable. +# How stands the glass around? +- It doesn't matter. +- Please come in so that we might explain. +From the group you met, there's only Penny Northern. +I feel nauseous. +Why not? +That depends how often they dispose of their waste. +- Yes. +Access. +So, you were saying... +These guys are crazy! +All right, I heard you! +- [ Laughing ] +Amazing, though. +- After only the first one? +Pleased to meet you. +Seven seconds! +Here's some! +It's really a lot. +Go away, dog! +It really makes me laugh. +Right now +- What's your name? +This is my story. +[ Yelling Continues ] +What a nice hat. +There he is! +You sly old dog! +- We're winning? +Boy, is she pretty. +Boy, are those guys ever mad! +- I'll never make it. +I'll change it all. +Take your seats. +Considering that the average, is four marks a day... and there are 300,000 patients, how much would the state save... if these individuals, were eliminated? +It goes with the territory. +Go on, go on, ask me. +Good night. +But, now, there's Christian crosses, too. +Poor guy could barely even face me. +Hold off on the bombings for a while. +You can take their offer to the religious caste. +- It does no good and it never has. +Setting a course for Babylon 5. +Yes, Lennier, I see. +What's gone? +A perfect replica. +It's not your tongo wheel. +The new christian church +Which can contradict the idea of the genesis. +THE GREEKS HAD LONG EXPLAINED WHAT THEY SAW +IF HE MADE ONE STAGGERING SHIFT. +OUR SUN, AND OUR SOLAR SYSTEM ITSELF, +[ SIREN APPROACHES ] +HUBBLE BEGAN THE PAINSTAKING PROCESS +FOR HIS THESIS HE HAD MADE A GUESS, WHICH IS UNLIKE HUBBLE TO HAVE DONE, A SPECULATION. +ONE THING STOOD BETWEEN SMOOT AND HIS DATA -- +Small stars would then simply cool and gently fade away whilst large stars would suffer a more violent death. +IT SOUNDS VERY SCIENCE FICTION-LIKE, +Frenk: +WITHOUT BOUNDARIES, +AND THIS WAS PRETTY DEPRESSING. +BUT AT LEAST THEY MAY +AND SO ROUND AS PEOPLE BELIEVED, +WAS AWARDED TO BOB WILSON +THEY, BECAUSE OF GRAVITY, FORM CLOUDS. +A SPRAWLING, COSMIC WEB. +AT DIFFERENT PATCHES OF HOT PLASMA, +There was a cosmic explosion of energy... +AS A HUMAN BEING -- +Narrator: +IT COULD BE THE DARK MATTER, +WHEELER, ALWAYS BEING AT THE FOREFRONT, +- I'll take care of it. +In about 60 seconds you're gonna pick up your portable phone and you're gonna call someone, and you're gonna have them deliver to me a certified check for $650,000 dollars. +Gabrielle won't even know you're gone. +I am a police inspector. +Oh, my God, +- No one's going to hurt you. +There's nothing like the real thing... +enough strength. +Oh, yes, that. +Your Sean is safe. +You let me out of here. +- [ Sighs ] Oh, my God. +Over. +Can't the two Sherpas get him down? +- Sure! +See you tomorrow. +- No problem. +He's humbugged the Duke, stole a march on him. +If they come. +Ah, trying to sell you something. +Even if they win, it'll be a good few months, years before we can go home... back to the farm. +Prussians. +Me. +Fire! +My lads. +You give me a sign, meet me out front. +I forgot something in the car. +You made that clear. +I Would you love me if I had a hundred fingers and they were all singers I +They disagree with each other almost everything from trivia to vitals. +Pi Note is pleased to die rather than live without love! +Where the hell am I supposed to find it? +- Photographs? +You were a private investigator. +That's a sick man. +What have i done? +Of course, when we all went cow-Tippin', +These lines you see here running outward from center... those are what we call fatigue cracks, caused by cyclic stress on the fuselage. +[ Screaming Continues ] +Sally says he tried to kiss her in the smoking-room. +- I'm loose it here. +It's frightful... +I shall tie this with silk and hide them away. +Bertie, how lovely of you to come. +Have I lost the thing that mattered? +I know. +- You're the boss. +[Groans] Welcome aboard. +[Leah] Ricky! +No, i... i don't want to. +Oh, Carter, I don't even remember your earlier behaviour. +- I'm glad. +Colonel O'Neill. +Wish I knew. +There! +' Because I care about her. +De-dah! +Celebrate what? +The upshot is we had to let Matthews go. +Tamarindo... all our comrades! +- Want to come with? +You're absolutely right. +What's wrong with him? +Ngawang keeps me up-to-date on all China's war news. +If I did not know that, I would not have been appointed governor. +They bring old muskets and spears as artillery. +Guess what? +Not so foolish, really. +It's impossible. +It is incredible. +I could sew it up. +Better a dead father than a lousy father. +That's all. +Forgive my presumption, but I made arrangements to get you out safely. +- Did you hurt yourself? +Not important. +Have the Communists won? +I'm afraid the dream will come back. +Family friend. +- No, I'm having fun. +And never, never harm anything that lives. +If I did not know that, I would not have been appointed governor. +Please, no more. +Your war, my friend. +There you go. +Hmm? +- No, you can't. +Skylar Feldman? +You ain't helping'. +Dispatch, I'm 10-86 at the Tri-Mart. +No, I think we should hold up 'til the morning. +We gotta get somethin' to eat. +♪ I need her ♪ +Is everything cool between us? +All right. +Perhaps. +This has nothing to do with Hong Ling's murder. +What is... +Your lawyer is very persuasive. +We could be an unbeatable partnership, Jack. +I mean, I have to stop it. +-... petty, petty... +Absolutely. +It's not, like Phil Spiderman. +I'm really starting to feel like you guys have a history. lt's nice. +Oh! +We need a doctor for him! +- I know what you mean. +Leave me alone! +"The Scottish one, he killed the old man burnt the teacher and stole my shoe." +It's just a day off. +- We need to tube. +Which patient smelled the weirdest? +Shithead asked Birdie to get him medicine. +Ohh! +Go away! +- In the car with Maria. +So, where are you and who with? +Yeah, I love it. +Most of his file is sealed. +Hold! +But I don't know how. +For a giant-size pizza you need a giant-size pizza cutter. +- What's happening? +There are going to be sacrifices. +Colonel O'Neill. +He wasn't happy when I broke off the engagement, ...but he seemed like he really pulled himself together when we met up a Stargate Command. +(Rembrandt) Hey, help us! +reacher..reacher +'_he queen of prospperity, friuts, flowers and decorations" +Uh, anyway, thanks for being so understanding. +Some people never learn. +Tell him he's not an animal to be cuffed. +- Right. +THERE'S A REFERENCE IN HERE TO A BROTHERHOOD OF 7 DEMONS +RIGHT. +IT'S OVER. +That's that then. +Or something. +- Oh, of course. +All right, we'll assemble on the stage in five minutes for the power thing. +Look at the goodies. +is tiresome, Doctor. +It's the B'Moth. +What's that? +LOUSY WAGES +There's a huge, black snake right in front of me. +You'd have to be really stupid to start on the third book. +Rubbish. +We were both 14. +One minute. +- Thank you... +# Funny, but when you're near me +Well, I need a gas station. +But who has? +What did you think you were doing? +You asked me if I'd made my bed. +Whatever we want. +But his presence was as real to me... ..as my own breath. +Comfortable. +There's this man on the phone saying you've been killed, Charlotte. +Ow! +For all practical purposes, I am your father and I'm responsible for your welfare. +See right there? +The witches now! +♪ No, no, don't go under the apple tree +I'm sorry. +I feel dreadful. +What happened? +Teacher... +Hey, how's Ryo lately? +Put me down! +It's actually very simple. +Everyone else stopped too, but nobody could afford to buy it. +because they wanted to go home anyway, because they had hardly anything else to eat. +We shared so many hardships, hopes and despair. +I knew that it was the right time. +They're tiny, tiny creatures. +I don't have that kind of money! +Nobody move! +They ran your photo. +That was, uh, some article. +I went head over heels. +Cameron Diaz dressed pretty flashy in Charlie's Angels. +They also told me that if I were interested, I must be prepared. +Samuel Bissainthe may not be a great man, but he is good. +This highly prestigious assignment was guaranteed Jerome at birth. +- We're too far out! +Chronically ill. +But no one takes the law seriously. +It is illegal to discriminate. +And when a member of the elite falls on hard times their genetic identity becomes a valued commodity. +I hope I'm not out of line. +I bet I could be one if I wanted. +There's a 90% chance the owner of this eyelash has already died himself of natural causes. +Oh. +They don't say that anymore. +Thank you. +Who do you have to be, to be here? +What's with the plungers, Lamar? +Early fatal potential. +- What about the interview? +I'll be out of their jurisdiction. +Vincent, you could go anywhere with this guy's DNA tucked under your arm. +-Not long. +Aren't you, Irene? +- I kissed him five minutes ago. +[ Computer Rings Softly ] [ Man ] BY THE WAY, +Would a janitor come back to kill a man he never knew? +You didn't beat me that day. +When our parents weren't watching, we 'd swim out as far as we dared. +That's a crazy idea. +I can't hear any more of your lies, Jerome. +Are you serious? +Only seconds old, the exact time and cause of my death was known. +You couldn't see, could you? +The detectives fear my methods may have been compromised. +- I thought you wanted to dance. +I hurt my leg training, you moron. +I guess you know that. +- Is that the new or the old excuse? +He's ill with nausea. +We found an unaccounted-for specimen. +Guys like him live only for their work. +I hope it doesn't turn into mah jong. +I would like to say that my step- mother is an extremely amiable lady. +At that time it wasn't a problem as Mrs Vogler realised that her beloved husband was happy. +Autopilot. +Thank you. +It'll only give it a change of scenery. +Giles lived for school. +- What about me? +Eyghon will find us. +- You miss your friends. +The spirit of the past haunts Japanese life in the most surprising ways. +I know. +There is nothing here that points directly to your guilt. +You're in shock. +- Probably injected. +(groans) +You guys take it easy. +- Take care of it. +I want you to have this. +That don't mean you can't trust me, Ray... +[ Yelling Continues ] +She's pregnant. +- What the fuck is this ? +It's quiet tonight, huh, Freddy? +You want to save your ass? +Help you help what? +He´s off the force if he does not start answering questions. +Amen. +And, um, and Joey called and told me that he was stuck, and that he made some arrest. +- Work this +- Uh-huh? +- Oh, I know. +Number 243. +Oh, Michele. +Michele, I think maybe we should leave. +Oh. +I have a respectable property of 2,000 a year in addition to even greater expectations as Lady Gresham's heir, +It was. +Young gentleman? +I'm here, too. +Well, to each his own, I guess, huh? +Come on! +Always listen to your heart. +Help me create a totally new genre of art. +Let's start right away. +you'll be my lover. +I'm sorry I, I can't let you in, unless you have warrant. +What? +Is so tall it can be seen from Inkley Moor. +Uh, sorry. +Will you be quiet? +I told you before... +Lie down with me. +He no longer has a home or a family. +You're guessing. +You'd do that to me, man? +He knows you, Tork, +She got invitations, so she made up her mind that despite all her reservations, she was gonna speak at least enough to give it some publicity, so she went reluctantly. +- That's real pretty. +Laurie proposes to Jo and she says no... +Harm! +Are you looking for forgiveness? +It's okay. +But there is one thing that I don't understand. +You don't hassle me. +Buffy! +I would not be here otherwise. +- I did and you weren't. +Great. +And drink for seven days and seven nights. +No, you're an intern. +It's been good. +Shall I defibrillate? +Does he have brain damage? +- I know. +You're not ready to get married. +The lie has set me free! +Oh! +I think he suspected. +Perhaps, but... +But the truth of the matter is her plate is full. +When you come by, call me first +- Exactly. +My hand is throbbing. +Oh, great. +- What'd he say? +I've decided to play the game, that's all. +We'll dump them by the banana trees. +It wouldn't even occur to him he's been had. +- Are you disappointed? +She has got to go. +I got a lot of love to give from the mirrors in my hand +Baby, baby, it's all right +I think La Hare will make a great addition to the house keeping team. +We wanted to see if you would come to the same conclusion. +But i owe you so much. +It puts a whole new spin on being your own worst enemy. +Try again at 360. +This couldn't be more serious. +Man, I've missed you. +What's going on? +You know, you can't understand unless you're there in that-- +And you wrote the word love too. +Three stooges back together again. +But I don't think he's gonna tell me anything. +If for no other reason, it's such a tastelessly melodramatic way out of this life. +But there is, I fear, a bar. +Help me. +Yes! +So? +Do you mind telling me, what is all this stuff? +Gentlemen, please, I'm sure she has a legitimate reason for having this weapon. +- Fraser! +Oh, baby, yeah +I don 't want no short people Around here +You don't work fortime you make time work foryou +Which means she's the No.10 daughter of my paternal grandfather's 4th wife +All the utility bills forthis month are inside the drawer +We don't know each othertoo well +Aren´t you young to be watch commander? +I got a license for that. +You think it means getting your picture in the paper. +LAPD. +He said you were smart. +What are you doing here? +You think you can talk your way out of this, Lieutenant? +Yeah, I wonder. +Excuse me, we got an l.D. on one of the victims. +who's in charge of this investigation? +Your courage, kid. +The press love to label. +Jack Vincennes. +-Hello yourself. +But I don't. +Have you a valediction, boyo? +Thank you, gentlemen. +But I don´t. +But all is not well. +I'll get cozy with your parole officer. +When I walk out, get the movie premiere in the background. +Celebrity crime-stopper, Jack Vincennes. +Call me Dudley. +But all is not well. +Burning clothes Casitas Youth Camp... +You can have all this. +Officer White. +I needed a Rita Hayworth to fill out my little studio. +- What's he doing here? +I want 2-man teams to scour that entire neighborhood. +Dudley and Patchett, they... +Call Sergeant Vincennes. +Or drugged him. +Dance with a man for a change? +Indictments may be handed down. +I think she'd been hit in the face with a tennis racket. +I need some good copy. +They're 86'ing Cohen's lieutenants. +It's in the back. +They "might" have? +I'm just the guy they bring in to scare the other guy shitless. +He bankrolls B movies under the table. +I can't think of a man on the Bureau who wears them. +- For a date or an appointment? +Just come in. +Got it! +COP: +You did the Casitas Youth Camp with Louis. +Let my daughter rest in peace! +So far, you´re not denying it. +Something juicy for the Sidster? +Yeah, Patti DeLuca, the night shift waitress, and a Susan Lefferts. +"lt's Christmas Eve in the City of Angels and while decent citizens sleep the sleep of the righteous hopheads prowl for marijuana not knowing that a man is coming to stop them: +-Hold it. +Anyone seen Jack Vincennes? +Hi. +- By all means. +But my Susan was a blonde, not a redhead. +You're right. +Hi. +And I'm impressed with the results. +Jack´s connected to Badge of Honor. +It's best to stay away when his blood is up. +It´s confidential. +I want confessions, Edmund. +Dudley what do you want? +I´m really a brunette, but the rest is me. +-Yes or no? +... andyouhaven'taskedme what this is about. +It makes me sick! +Not for long. +Pinch them, I do you up a nice feature next issue. +Come on. +The married men have Christmas Eve off. +He hit one of the Mexicans. +I will, I promise. +Are you okay? +Mickey C`s the head of organized crime in these parts. +Could he be behind the hits? +All he found was rodents. +Call me Dudley. +What's her name? +Captain? +- Taking over Mickey Cohen's rackets. +Remember, Bud, we need evidence. +We have rubber glove smears on the register and forensics... +Rain check. +It has to do with a murder I´ve been working with Ed Exley on. +- Oh, no. +Shooting a man would fix him right up. +They are all bribed. +This is signed by the Commissioner +When it's no longer useful they think you stink +The members are all wives of senior officials +You know how much Madam Chau paid? +She is your disciple +Not compared to what I've been through before +No! +- Lois! +Well, here I am, babe. +The convicts used extorsion and.. +Because the prisons were capable of receiving this. +(SARAH STOPS LAUGHING) +This? +We have Mr. Ludlow's test results. +How do you do? +Sorry. +Thanks for the two-minute warning. +She's out of town. +Yeah. "Ooh, ah," that's how it always starts. +What are you doing? +- Nick? +You think your Marlboro men will help? +You can't shave three days off my deadline and expect to be ready. +Honey, the queen? +They're protecting their baby. +- Yes. +Roxton is a great hunter. +I do volunteer work for Greenpeace once in a while. +She's out of town. +me. +Hurry! +If we can get here, we can send a radio call to the airlift. +Five years of work and electrified fence couldn't prepare the other island. +Velociraptor. +A buck. +And now... +This is your wake-up call. +We have not lied. +The year of great sadness. +We don't need you. +The suggestion that we're not treating this case diligently is not only false but offensive. +Disgusting. +You are totally insane. +Well, I'll, uh-- I'll come down to the station. +Yeah. +Would you please put this on your desk? +Age? +Mr Brittas, we did it because... +Now, what would be a suitable trade for our joke-in-the-box? +You look a little gassy. +- This is Scratch. +First contact with the alien visitors. +- Really? +- Visitors! +- He's dead, Cartman. +- Oh, my God, they killed Kenny! +No, Kitty, this is my potpie! +WHO IS THAT? +# IF YOU BELIEVE # +THAT BOY NEEDS REAL DOCTORS, +HEY, WHAT'S GOIN' ON OUT HERE? +ANNABELLE! +How's the boy? +- But you didn't see it yourself? +He was killed as a result of what that woman took away from him. +- There you have it. +Will we ever get out of here? +Municipal Health Code 1914 expressly prohibits the consumption of alcoholic beverages without posting proper health warnings. +It shows fortitude, which will take him a long way in life. +I never should have left you. +- Any luck? +Do you know what the Father did? +Ensure it Zero then fill it +You all are like brothers to her! +Zolpidem's a pretty safe sedative. +And you went home to your mother. +- And why were you seen giving her money? +Can you ever forgive me? +You gotta admit, we're pretty good at what we do. +Oh, Dios Mio! +Damn! +B'Elanna. +those are my personal under garments. +Luanne: +Yes it did! +Stupid kid stuff. +Perhaps Cardassian physiology is more compatible. +-You said it was a crap holiday. +Where are they? +I know that. +Scattered, just trying to survive the dino. +He's like Sherlock Holmes on our world. +There are thousands of bets made per day. +Maybe he is a whiz kid, but Jesus Christ! +Horace will be disappointed. +Kevin, honey, just-- +Dr. Robert, I'm telling you he's a miracle man. +"Right hand." +London, Kinshasa, Karachi: +I didn't move. +"...that the young Lawyer's unblemished string of victories... +Promise me you won't leave me alone in there. +This isn't really your first visit to New York, now, is it, Mrs. Lomax? +You've got a problem with documents I suggest you put together one of your late-night shredding sessions. +There's a hole in the wall to the next room. +It's about $2,000 a panel. +He's the boss. +You Look Like you could use a drink. +What did you do to yourself? +A woman's shoulders are the frontlines of her mystique. +He's your father. +I throw these parties twice a year. +You feel confident she'll back you on the time? +Let's talk to her first. +Was he drunk? +God, how do you handle it? +- You haven't met him yet? +You know what I see? +You're standing there, you look down... there's the gun. +Mary Ann. +Why do you always have to change things around? +How did he know? +He did this to me! +Finish the story. +Real or not? +- Shit. +God will crush him Underneath your feet. +Felix tried to talk to her. +-Oh, thank you. +Oh, shit! +You swore you would! +Tell him, "Take all that noise back to Africa. " +I hope you're kidding. +I was just telling them the Moyez story. +We have gathered to seek shelter in our common grief. +It's you. +How the hell do you know that? +I had 15 more minutes. +KEVIN: +The two of you. +Now, Mr. Merto may find that bizarre. +But may I make a suggestion? +Where are you? +My father? +You may answer the question. +Just Like you. +She's tough. +What can I say? +"Behold, I send you out as sheep amidst the wolves! " +That is so good. +Today? +Are you okay? +"...though the mountains tremble with its tumult." +Who am I? +Baby how'd you get here? +We need to talk, Kevin. +Fuck! +You can handle this. +Your mother... what's she like? +The doctor. +I knew it was 6:10 because I heard the weather coming on the news... +I know what they're doing over there! +-Get your things together. +Open the door. +- Oh, really? +No, it's okay. +Well, Kevin, here they are. +Right knee. +I told him if he didn´t leave us alone, you´d kick his ass. +Did Cullen´s assistant admit to the affair? +We´ll talk again. +"Behold, I send you out as sheep amidst the wolves." +It's our time. +Rephrase your question. +Good night, Mary Ann. +It was a dream. +"A long time ago" +ALL rise. +You told them to lie, to falsely claim that Mr. Gettys had hurt them. +Kev. +I love her all the way. +There's a good possibility I'm about to catch a triple-homicide defendant... who also happens to be... one of the largest real-estate developers in this city. +- I doubt it. +What am I going to do? +You can jerk off for the judge. +-Then what are you doing? +I'm sure you've heard of it. +I want to see both attorneys in my chambers immediately. +You ever pass notes in class? +Got to go with your gut. +We may not need a good cop. +The death of Barr's first wife. +The second from a thief who wasn't his mate. +Pubs, clubs? +If you're so interested in Mr. Mak, +DOING THOSE POLAROIDS IF YOU WANNA GET ONE. +- Of course. +They kept yelling "Ari, Ari. " All those beautiful women. +But it's a fact. +And when he does, it rattles her. +- Rebs use San Pablo for trading. +Can't I have my supper without hearing a plot to commit murder? +- What is it ? +I hope you'll wear it 24 hours a day. +Come on! +This is not...natural. +They are gone. +- Guards? +Drop your weapon. +You are? +Really? +Hey, do me a favor. +He couldn't. +- You've never heard of it. +I'm him. +- S-dash-2103411819-dash-577-K. +Nancy kassebaum. +- What of your ship, Na'Kal? +I think you two know each other. +I am sure you are aware of his reputation. +[ Laughing ] [ Booing ] +Finally, David, my stealth boat. +- just to be on the safe side. +- Hey! +Mine it is! +Why is the Centre doing business with drug dealers and murderers? +- [Line Ringing] +It's obvious a man likeJarod will settle for nothing less than complete justice. +Oh, My God! +I think I understand dangerous, Mr. Broots. +It's no good. +I'm sorry I didn't come. +I've done it before... tapped into the computer of a passing alien vessel, examined all the little details of their lives. +- You would have done the same thing. +Our patients may be dead, but we're still doctors, right? +When do they want to see me? +This is Terry Bradshaw. +- I know you are... but its line of credit has been revoked. +When I say responsible, I mean I was responsible for this. +A glitch? +Ford, who is it? +Good night, Fred. +Him! +Gary Hackman? +How'd i do? +Formula collection is certainly there. +"The running time was the length of the reels." +Hang in there, baby. +- Eddie. +Oh, now I gotta go to the dentist. +I'm trying Sir! +You.. do you talk too? +Hey, there's the fifth hand. +And Gauri? +No Shankar +But eating this potion won't help me +Tell us, whom do you love? +Ashok brother is here, brother Ashok is here! +You can't kiss him, Harvey's my boyfriend. +Hmm. +Don't ever do that again, Jarod. +- Of everyone who was at the shoot. +-What you call it again? +Because that's my voice over. +Well, what a party here! +Woo! +Where is Miss Shui? +Chan Mon-gut will be represented by Wu Man. +You are a pervert! +Who the hell is he? +Madam, don't mistake it. +I'm afraid I broke his heart. +That's not his spleen. +Clean up. +Then just take a gun and shoot him yourself. +But she controls me. +- They've even programmed the TV to criticize me. +- [Runch Connecting] - [Lisa] Ow! +Go to hell, cloaky! +- I was just about to accuse her. +- Yeah, if you put your time in. +Johnny? +I offered her the best parlor, but she desired your quarters, sir. +Despite my advice that we concentrate upon Truman only. +Englishmen, I suppose. +But you are not new, John. +And I will have some ash planted. +That is better. +- Now get out. +- Forgotten how? +Think your man could hook the brothers up with some jobs? +OK, then... +Mr Bishop's unavailable. +(SECURITY GATE BEEPS) +- It is to me. +- This has nothing to do with him! +Whose the jockey on Goosebumps? +- You ordered 30 mgs of keterolac. +That's a big number, Jack. +A Christmas Carol. +- Tell them, Lennier. +Share you thinking, Boone. +Unh! +How could you, Katie? +BO: +No, this woman is an angel. +Take a break . +Kiss me ... my morning dew . +I guess you could just sort of say I'm a single mom now. +He never let me meet him, thank God. +Wouldn't you even be tempted to try on somebody else's existence for a day? +- Babboo, I'm home. +Everywhere. +One of those guys you look back on and you go Oh, my God, what was I thinkin'? +That's a gain of 18 points. +Oh, Rom! +I thought Chief O'Brien trapped the last vole on the station months ago. +I'm not going to reverse the FCA's decision. +You mean... equal rights for females? +Where the hell did he put the marketing report? +We've got a lot of work to do. +The whole town's under surveillance. +People come and go. +Careful. +Where is she? +Where? +There's four of 'em. +I didn't even see you. +I love my wife. +They're ready for church. +- Oh, yes! +Am I right here this evening? +I tried quite a few times, and there's no answer. +- Get some good publicity. +- You'll get the same thing again, won't you? +Glory to God. +Jesus! +This is just part of our responsibility. +Did I tell you to hang around and chat? +Now Shane here, on the other hand, well, that's a whole different story, see? +Hey, honey. +Look here, son. +- Help me get him in the bed. +The word maa in Mandarin in the different tones, +You weren't seen? +- Londo... +I'm in position. +you'll find him in Moscow. +he has. +Right here. +Yes, she said MiGs. +You can finish it on the plane. +- That's what I keep telling them. +He's a very good negotiator. +Listen to me. +So you know everyone on the plane? +President. +Then I kill them. +- Five. +This is Marshall. +We gotta get her slowed down now. +- And the snow coming in. +Please! +She traced it back to the White House satellite account. +NdeR M@nkÖÖ +Okay, I got it. +But thanks to the support of one of the world's greatest leaders... +So will the next president. +Sir, this plane carries the president of the United States, although we— +- Yes, sir. +We need options. +Joe, over here in front of me. +Oh, Gus! +- Not lately, though. +- that's the three-dimensional sonar. +- What? +- I KNOW YOU'LL LOVE THAT. +- A KNIFE? +I'm glad y'all didn't buy a bridge from that gentleman. +- What do you mean? +- The little guy. +- It's tough. +- Yeah, that's a strawberry grouper. +Can I help y'all? +Gus! +Yeah, we can rent one. +I'm sorry. +- You know that's Catch. +No, they dont wanna cooperate. +His operation would make him a much diminished man. +He wanted me to have the transplant more than I did. +I don't know what to do. +I will not cooperate any further. +Now, I know you feel that they've won but as long as you don't break inside, they can't win. +Oh, right. +Yeah, but we have a serious problem. +These images are graphical representation of the basic elements: +That sound familiar. +Yes. +I beg you. +I sounded pretty smart, huh? +What you doin', peddling this gold-can jive? +- l'm on it. +- I see you still kiting around with the large size ladies. +- You know, this guy's a real tornado. +- Good day. +Only in its strategies. +(speaking in foreign language) +- No, what? +Insult the man who holds your destiny between his fingers. +- You go to hell! +Present from Bumpy. +That stock exchange figure they used for the numbers was 579 last week! +- We right with you, Bumpy. +That's one more than I'll take! +- Come on! +That's the problem. +Enough of those loads your love load is sufficient +Ok ok ok come on girls. +I saw this camera beneath your bed. +REALLY? +Thank His Majesty for his kindness +Yeah, bring it on. +Yes. +No. +They think I'm BooBoo the Fool. +Agent Chance, when did they remove you from Kyle's detail? +I don't give a shit! +Think we should strike the North Koreans. +He didn't assign me one. +No semen... +Craig Nisker and Associates? +I just can't believe this. +Take it easy this evening, huh? +Oh, hi, girls! +Phillip, amazing facts! +Joe! +- Come on. +So you've unlocked something very precious, have you? +Yes, Francie? +- She's right down here. +- I said stop right there! +you have your weapon ? +It seems that they need Emily to continue the tests. +HE SAID EMILY WAS IN HIS CARE, +I... +What can you do? +Where in the kitchen? +I wanna talk to you about the discipline committee. +I'll kill you-- +Maybe I can't prove it, but he fucked up Cesar and killed Benny! +Rita. +I've got all this stuff I have to put into the computer. +Yes. +In time, all of you will be hurt if they're not stopped. +You know, out back. +- You all right, Grampa? +- [Grampa] Oh, quit your bellyaching, you big loser! +The one thing that we knew we had to do was create this cartouche that showed there were hundreds of Stargates out there. +Sam belongs to the network, okay? +What's going on? +No way they'll let you do another interview . +But I didn't mean to hurt anybody. +I don`t. +They`re forcing you to do something drastic. +No, no hearing problem. +Why didn't you take the camera if you're going to be so humane? +-Go ahead. +- Thanks. +I don't think you have anything to worry about, Mr. O'Brien. +Calling control, the maniac is now going towards staircase B. +No further questions. +Well... +It's going to be great. +Channel 6 says yes. +[Man Narrating] Dateline, Springfield. +I saw lights on... +- ah, you got me mixed up with something from the movies. +I meet a lot of nice people. +Hey. +It's numb. +Th-that's what the man does to people when they disrespect him. +Here's the gun. +AND TAKE YOUR PLACE FOR A WHILE ? +- I DIDN'T HEAR IT THAT TIME. +IF YOU GET THE GODDAMN STORY STRAIGHT, +WELL, THAT'S HOW I FELT. +- Okay ! +- I'm gonna blow your friend's head off. +- Hey, Mr. Barret. +- shit! +Who cut his fucking finger off? +Where is it? +No, I'll meet you at the site. +Killer Minister of the Interior Kali escaped from prison. +Thanks, but we already have a doorstop. +So many people come and go, I didn't know. +I'm just babbling. +What a mess. +Let's see. +- You don't need this. +Further upstage, way, way upstage. +Get rid of those chairs, will you? +I believe that's marked in the score. +Have a good time. +- Thank you for your genius. +- What's happening? +Never lose control. +Coming out of there... you were already in the restroom... +- What? +Thanks. +Yeah! +? +Kevin greeting people on streets Brendan Benson +we're not really supposed to... +You son of a...! +Well, uh... yes. +OH +TOO MUCH MAYO . +We're not saying that. +Might save your life someday. +Come on! +It's unlikely they understood it. +All power sources on core induction bus. +I have to keep talking. +Glad you could make it, David. +Mr. President. +You're wasting my tax dollars! +Why? +David, explain this to me, please. +Ellie, did I miss something? +I'll try to keep recording! +Come on, hurry up, Dad! +A couple guys wanted to build something called an airplane. +Now, I'm going to recommend that Dr. Drumlin coordinate the decryption effort. +- Headsets. +There's a lot more here, folks. +This is yet another example of science intruding into matters of faith. +[CLATTERING] +The signal's been transmitting for 26 years. +I don't want excuses. +We've got video on Ellie. +Thank you. +I'm really confused. +Like all discoveries this one will continue to be reviewed examined and scrutinized. +One Nobel Prize winner noted, his words: +Security problem! +It's coming from the bottom. +How is that new office? +This Machine if it works, and you travel to Vega at the speed of light when you come back... +Right? +Would you consider yourself a spiritual person? +Does it show? +Want the new data? +It could be a weapon. +Every time they detect a new civilization they fax construction plans from space. +All systems ready for drop sequence. +We're in 45%. +You'd need a satellite to transmit it, but it would be impossible to... +You could be marooned, unable to return. +They all travel here through that transit system you built? +What happens now? +-Go. +The IPV dropped straight through. +It's true, you pulled the plug? +Science fiction. +How you doing? +It might be some type of advanced communication device, or a teaching machine of some kind. +Dad. +Excuse me, Dr. Drumlin, sir? +STEVE: +Then why don't you simply withdraw your testimony and concede that this journey to the center of the galaxy never took place? +No. +Told you. +Richard Rank, head of the Conservative Coalition. +They will actively participate on-site, during the construction process. +Senator, I believe that the Machine opened up a wormhole a tunnel through space-time, also known as an Einstein-Rossen Bridge. +How guilty would we feel if we destroyed a few microbes on an anthill? +Do me a favor, go get the blinds. +Center that segment. +WOMAN [OVER SPEAKER]: +I think it's great that you listen. +Come on! +It doesn't work clear-cut case of eminent domain I've never seen it. +until such time as the President can decide the most suitable course of action. +Michael Kitz, National Security Advisor. +The message was received Friday at 6:31 a.m. Mountain Standard Time. +Hello. +It's better that way +Alpha, Bravo, Charlie. +We're cooked. +80%. +I flipped through it. +That he engineered this? +Over half a trillion dollars were spent. +No! +What you don't know is, I agree. +Are you going to sit there and tell us we should just take this all on faith? +The usual. +We're all impressed with your candor and your stamina. +As soon as I found out about it, I called the President. +I've done it before. +You're not real. +[Grunts] +CRUSOE: +Perhaps. +[Gasps and grunts] +That's it. +Brittany. +Uhh. +let alone a week... or a month. +Stay in bed. +As a doctor, at least. +Thank you. +- How much blood was here on the rug? +I respected Garry more than any man I've ever known. +William Garry murdered his wife and children. +- l'll be sure to tell Worf you said so. +Willow's been... +The ugly man. +No. +Having you, raising you, seeing you every day. +DOCTOR, IS THE BOY BILLY STILL HERE? +That's what he calls me. +Hello! +- He's the ugly man. +Hey, Brad. +Protomatter's one of the most sought- after commodities. +We will adapt. +We don't. I've designed a monitor for Neelix to wear that will alert us at the first sign of necrosis and we'll continue with the daily injections. +It was necessary to repair the necrotized tissue. +I should remember something! +- Where's my daughter? +Hmm. +Oh , it is a little slut, isn't it? +Come on , pull! +-Good-bye, Wallace. +- Put the Degas in the bedroom. +Back and back. +Thank you. +Hey, who thought of the name Titanic? +But I thought, tonight. +- All the right ones, of course. +She's splendid. +They were quite charming. +Bugger me! +It's all right, miss. +- All the way down here. +Outwardly , I was everything a well-brought-up girl should be. +She can stay afloat with the first four compartments breached but not five-- not five. +I couldn't go , Jack. +Rose and I differ in our definition of fine art. +You're my little sailor. +She's kind of old. +It would hurt. +You stand back! +( Chuckles) +I'm your fiancée. +Fire and foe,... +Turn ! +For the time being I shall require only women and children. +- Rose ! +- Sir, you're not supposed to be in here. +Rose, they put it in my pocket. +I understand. +I know. +Do you want to hear this or not, Mr. Lovett? +Mrs. Guggenheim is at home with the children, of course. +I'll have the salmon. +Hold on. +No, the Chippewa Falls Dawsons, actually. +No, mate. +No, you won't. +All right? +You're being very rude. +All right! +Lower away! +Hurry up, give him a hand! +Is my destino. +[Soft instrumental music] +We need help! +Don't you say your goodbyes. +First-class dogs come down here to take a shite. +No, you won't. +That's right. +My God. +- Right. +Water... 1 4 feet above the keel in ten minutes-- +Come on , Ruth , get in the boat. +All right, you have my attention, Rose. +Sounds like you're a good man to have around in a sticky spot. +Tell us of the accommodations in steerage, Mr. Dawson. +You're not to see that boy again. +Come on, come on, come on +Hello? +Pull. +No matter how hopeless. +What do you see? +Practically goddamn royalty, ragazzo mio ! +Almost. +- Can you shore up? +- He couldn't have. +- That's the bedroom door! +If only you'd come to me sooner. +Wearing only this. +You'll be killed. +Shall we go dress, Mother? +Dawson. +So, now there's talk of an iceberg. +- Make your turn. +That's typical. +That's all that I want. +- Hard over. +- No, stop! +Brock: +Go on! +- Steward: +Crewman: +- Give me my hands, man. +I'll take more of that. +Come on! +Good of you to come. +It's flooded eight feet and the mail hold is worse. +We're rolling. +I got it. +Take her to sea, Mr. Murdoch. +So, it's all's well and back to our brandy? +Okay, drop down, and go into the first-class gangway door. +- No, stop! +- I see it. +Rose DeWitt Bukater died on the Titanic when she was 17, right? +We'll ride horses on the beach, in the surf. +I was here last night, remember? +That's all I want. +Amen. +Okay, go. +You know, it's a pity I didn't keep that drawing. +We have to move! +- Sorry, Trudy. +- I just need to speak to someone. +Get rid of that! +It's stuck! +- Hi. +I'm interested in the untold stories, the secrets deep inside the hull. +Rose Calvert. +You think you're big, tough men ? +Yeah, roger that +That's the bedroom door. +Hang on a second. +So this is the ship they say is unsinkable. +The boats are all going. +Yes. +This way. +So good to see you. +I trust you. +Ready on the left. +- Hi. +slow at first... she's got her whole ass sticking in the air. +To spread abroad the firmament by Thy might +What is it? +I onlywore it this once. +Notjust for... for pulling me back but foryour discretion. +There's no, uh-- There's no arrangement, is there? +- One ! +Mr Andrews... +There's yourfirst clue, Sherlock. +- ( Growls) +- All the way down here. +All ahead full. +Cal, stop. +- Any more women and children? +I can't do this. +Pull her in! +Sir, they need you in the second-class purser's office. +Now I know I'm in first class! +It will ensure our survival. +I was just here last night, you don't remember me? +Yea, though I walk through the valley of the shadow of death- +None of the stewards have seen her. +(TV) Treasure hunter Brock Lovett is best known for f'nding Spanish gold... +They're inbound! +- Lifebelts on! +There's plenty of room for you. +- This whole place is flooding. +It's payday, boys. +(Cal) So good to see you. +Yes, get on the boat, Rose. +Wait, wait, wait. +Oh, yes. +Bye Carole, see you tomorrow. +Yeah, you do. +I heard about your mishap. +-What did you do? +What do I have to be grateful for? +I'll write you a check, Dad. +I'm not going to hurt you. +Didn't know I was for sale. +You jam it into the door, and then you arm it right here. +This guy right here, JB. +is that it? +So she told me to get out. +Does she care that Robert is sensitive? +I don't see any that aren't broken. +And I just talked to the Joint Chiefs. +I have just received word, that the Asgard have arrived. +Good work Doctor, both here and on the Alkesh. +Have we met? +Yes. +General Kiselev found out we were trying to rally support against him. +Ojun Fruit. +Were these things also found in the ruins? +Can you tell me why you stopped me from killing Anubis the last time I was ascended? +Don't say that. +You don't know what he is. +It's okay. +That's a flammables carrier, Dave! +- Oh. +I know you do. +- [Sighs] +No one touches that money! +- I did. +Why? +Good... +Everyone will be a Communist by the end of the century. +Don't do it. +You have met? +I wondered if this was the moment he'd been waiting for. +Law without compassion the curse of the poor. +Do you watch "The Young?" -"The Young?" +You want the sword? +I'm not staying. +All right. +- You don't have money problems? +God entrusts man's body to him +You want to get married? +What does "help" mean? +What sun, what scenery, what greenery! +Hit it! +I told you I was here. +What do you think? +Please don't go! +A little crystal and such... whatever your flavor is. +And plus, you know, I got some things I gotta figure out. +What? +I don't remember. +What do we do? +...and a glass of fresh, cold milk from grandmother's cow. +! +We're going to check the windows and doors, see if anybody tried to break in. +We, the jury, find the defendant guilty of murder in the first degree. +Alice? +What is it? +Come here. +- Yes, sir. +- Come on, Siracusa. +Please groom me. +Robo Racer, Battle Mode. +Hi. +There's something like ammonia in that that kills the pain. +So do I! +You read the poem, right? +Mm-hm. +She eats the apple! +I beg your pardon? +Well,this is one of them. +Honorable, amusing. +Please. +No, sir. +Yeah, they already know you +Nice to see you down here. +♪ Then straight to her arms +I knew it! +! +Anyway, I'm just tying you up so you can't escape in the night. +You want to get on with this or not? +Having something ruins everything. +No ordinary sin +You demand, and he complies. +Mm-hmm. +You're gonna learn the essence of business... about money and how it flows relentlessly back... towards he who owns it. +The point is, who are you? +Gaah! +THAT'S WHAT FATHER USED TO SAY. +[Indistinct Chattering] +Bye. +Listen. +(SIRENS WAIL) +Kick it over here! +Anyway... +Experience how beautiful it is, man. +If I could just kill the bitch, then she'd be gone. +Listen to me. +I have made a list of things that have to be done... +Had a little party, did you? +My kid used to do that when he was little. +- Come on! +Come on! +But these wormholes we go through,... ..they're not always there, right? +Now, close it! +- What's the problem? +Pick me up a T-shirt. +- What the hell's that, sir? +- Yes. +Yes. +You two have been doing housework? +Hey, thanks for the condoms. +Then everything's okay. +Sir -- +Good. +Oh, I'm Nelson. +Albania's hard to rhyme. +I got the copyright on the Albanian kitten thing. +That's what I want. +Fine. +It's a direct buy-out. +Wednesday, I will produce Schumann. +6 to 5 and pick 'em. +I'm just kidding. +No. +Yes, you get drunk, John. +What does your fellow Motss want? +I'm going to get these people straight. +Why? +They come from people like you. +Two Generations to Agree, yes. +Whatever you walk in he will get you through. +What is it? +What I'm hearing and this is a quote... +Got big? +Three of the horsemen died. +Please give me a new song. +Who`s gonna tell them? +You don't need missiles. +Well, my agent would be real real miffed with me if I... +Connie, how we gonna explain in fact he was in prison? +Not like Kelly green. +This is your security clearance. +Shoe, you in there? +Perhaps someone could analyse that. +It was great. +But I'm washing it, right here. +42 baht. +Come on! +How ignorant I was of everything! +I guess. +- Here's my card. +- No, I don't want to. +Nazi-like? +- Hm. +We'll need it to cast our counterspells. +The bracelet, she was wearing it, right? +I did it. +You can get that in the science lab. +Ooh, hey, juice! +They must not be too tight to be uncomfortable, or too loose to allow leaks. +The best size is about 19 inches by 23 inches which can be purchased in the "foils and wraps" isle of a supermarket often marketed as "Oven Bags", turkey size, 19 inches by 23.5 inches. +Run! +- You're thinking of Sherlock Holmes. +Tom. +Their car's still here. +OK, let me think. +Dr. Wax will have that Isley Brothers CD. +About Joe. +Listen, Roz, there's something we need to talk about. +That's it. +All this talk, Maggie, you know? +A wee innocent child can see the truth. +Apparently, there's been a really big mix-up. +Seriously, don't get me wrong. +She was definitely in the Taraka gang, and way gun-happy. +Bye-bye. +Oz chappie, he's all right? +You know. +From high school? +You bought food. +What's Monica like? +If you get five points, you get to make someone take off one item of clothing. +So maybe this weekend we can go to the beach. +I just... +Harold, what you mean he's ill? +Mine! +I found you. +He will not leave Tibet. +- Don't be afraid, Rinpoche. +When they returned the next day, the baby was alive. +What is happening? +There were crows. +Send a delegation to China. +Can India help us? +- I shrugged. +And attacked him. +- It's a delicious, spongy, golden cake,... ..stuffed with a delightful, creamy white substance of goodness. +- I will return to you. +Saigon. +Not really. +I killed an innocent kid. +- What do we do now? +Souplier approved of! +So you'll persuade your parents, won't you? +You must never see him again. +- Twenty three weeks is way too soon. +I can't take any more of this. +- I knew you would. +Society condemns working mothers that don't stay at home. +Bracelets... +Freudian slip, I expect! +Fire! +No, I certainly am not. +The acid-spitting frog. +That's a good dog. +The gal's panties! +You tell me. +It's all true, George. +Tell your penny-pinching boss to add fewer greens and more meat next time. +Werner! +That´s absolutely incredible! +The men you will be commanding must know nothing of this mission in case of capture. +But we didn't enter any police raffle. +His policies haven't been very kind to your homeland, have they? +Major Koslova. +I'd love to. +Oh, I'm sorry. +Okay. +Do we know if he ever operated in the US? +- Is that cool? +- Yes, ma'am. +Would it matter that you might be saving a human life? +Coming through! +- What's your name? +Okay. +No. +Go! +- Easy now. +I mean run, now. +Well, the only way he can make the kill and escape is from a distance. +- Mexico and Canada have... +It's all right. +I'll be back in... 30 minutes? +Jesus Christ, my fuckin' car! +We have to stick together. +Angela Lansbury always had a plan. +I had no idea her breasts were so ample. +There's liquor all over the car. +Last year, neale would've been sending that pitch... +Max, you're fucking dead. +- Actually... +Somebody tried to kill you. +He doesn't have a tattoo. +I'll let you do things to me. +If we go to the police, we're dead too. +Hey, dad. +I've never seen anyone like you before. +All right, yes. +Don't you know payback is hell? +We have to get to the Power Chamber pronto. +Willie, this is the first eyewitness account +- Done. +- Lieutenant. +The enlisted men were fed scraps and shackled to tree trunks. +Yes, you are. +They'll catch us all! +And tell all soldiers on the wall to prepare for battle. +May I leave, sir? +- What's "that ? +"The window pane is becoming cloudy with rain... " +- Who will sing? +Hello. +I already am, but with luck I can fix that. +Only chickens use the bridge! +What's wrong? +See if there's any supper, and heat it up. +The woods can be very dangerous. +That was easy! +- The mountain, it's blown its top! +- The geologist is here to see you. +God, please deliver... +He should be punished +I've been trained to kill you +My lips are sealed. +The Spaniards want peace. +A lot more than you think. +I DON'T RECOGNIZE THIS. +Why! +- Rya'c. +Sam, Teal'c, glad you made it, something to drink? +I don't know what you want me to do! +Yes...um... +Queen Sindel unless anyone has a different point of view +Prepare for Rayden to make one last attack +Too bad you... will die. +I can't free you. +I don't know how much longer I can take this. +If we die... we will die in battle. +The same could be said about you. +You seem confident that Sindel will capture Rayden and his mortals in your trap. +The earth was created in six days... so shall it be destroyed. +You're a little jumpy, aren't you? +The ball scene is just so disgusting. +Two left. +I'm just saying that if you did... you wouldn't be able to finish the alphabet... let alone sit here and tell me what you did that night. +-No. +My fingerprints were everywhere. +At the very least, my family humiliated... the Wayland name ridiculed. +-Stay calm! +Hey! +Good, then you won't mind us listening to your messages, we'll clear this up, and we'll be on our way. +No, no. +We're not offering a conclusive match, Your Honor, but a probable one in light of the other evidence. +- I know exactly what you mean. +- "What I heard and saw." Who are you, Sherlock Holmes? +You look good in everything. +- I only did it to save my skin. +You're not really saying-- Look, Bailey, I made a mistake. +Okay. +I got a special on these. +You leave my son alone! +He's a wacko, but he's clean, as far as we can tell. +César! +I don't work miracles. +I told you, it's to stop infections. +That finger, it's making me nervous. +What's wrong with him? +-Fuck! +will you explain to the people who look at me in the street? +-For you, it is. +-And am I? +How are you? +-See you tomorrow. +-You took pills? +Today, people change their breasts. +I can! +If it is possible. +-Whatever. +I don't see what this has to do with your case. +- To God +No, no, there must be some way. +What he said is impossible. +-Who knows. +Easy. +Cesar... +Nice photo, isn't it? +What? +Yes. +Sofía! +Let's get things straight. +This is real. +Don't bother. +How was your house? +Who are you? +I had to see it before I could dream about it, right? +I tried to warn you in that bar. +You think my house is cold though, explain? +-Do you like clowns? +( whispering ) I SAW THE BUTTERFLY, HAMISH. +Our week at the ski chalet? +I don't know where she gets the energy. +- He seriously shot it! +There are still three Dragon +If you had settled for 2 on a straight cash deal this firm would have made an extra $ 16,000. +If you would like to reserve water skis paddle boats, jet skis, or wave runners for use while we're docked at one of our upcoming ports... +- We've got to find Drew. +- Wow. +This all the diving gear? +Get another line! +Does anybody copy? +Oh, my God! +Are you a good tipper? +! +It's dead. +Ow. +I can't believe it. +Yeah. +Sure could use a drink. +OK. +- Look. +Do you need more confirmation than that? +Mum. +(GROANS) +Okay. +- Huh? +See what you made me do? +Sir, get yourself to a lifeboat! +Mm! +Go play with your dick, Rick. +Move over! +Abandoned men are dangerous. +Well, you have to hurry. +And I've put the car in the shade. +I'm sorry, sir, but it's not here. +# There... +I'll be forced to make my own way... in... in this strange and I'm quite sure dangerous world. +I... +I hear you're looking for a position. +I wish to see him. +No! +| +What's up? +- Buttons? +Where the hell is the male? +You still think making the Judases was wrong? +Just go back the same way we came. +- [ Gasps, Laughs ] +Look out! +It's been a hard year. +Of course you did. +I have to get to work. +Oh, goddamn. +Who are they? +- Yeah! +GUARD: +I love this place so much. +Like a pluperfect queen. +You're gonna make it. +The injured have been spilling into a hospital there over 50 at last report. +I didn't have nothing to do with that thing. +Oh, yeah, heh-heh-heh. +Why this farce? +Fall! +- And the answer? +- Hey! +- What? +I'm gonna try and keep you warm. +Sir, you are shot. +Boss... +How come the oath really works! +I can solve it, sure I can make it. +Can I use your phone? +The workshop seemed unchanged, the machines were on, as if she had just stepped out. +- Take it, Eisuke! +Xena's capable of profound loyalty, Borias. +Back away! +Detective ? +AGAINST THE UNITED STATES GOVERNMENT. +[ Ringing ] +Absurd! +Power. +She'll have to pull a seven "G" turn to convert. +Look. +It's burning. +-You. +- You gonna recite the list? +Glasses. +- Greta's Club? +Yeah, but maybe Trent will share his with me. +That was more than a castle, just wonderful. +Himmler's victory ensured that Poland was still the scene of gigantic upheaval and even the ethnic Germans did not escape cruel treatment. +"would in no way be strong enough to protect the country +People couldn't look ahead. +Anybody could come up to you and do what they want, and that's it. +I'd rather have him writing than fending off the police. +We have to draw Velasca there. +I can't believe I'm related to that guy. +Mario-- +Let me see that. +And don't you forget it. +Do I dare ask where those three fingers had been prior +He told me that while the FBI was limited by State action that private citizens had sometimes successfully taken things into their own hands. +Where are we? +The one what? +Your precious little +You bastard! +It's my last day here as I'm emigrating to New Zealand day after tomorrow. +And since then Baco hasn't even touched the ball. +Get lost and I'll take care of Barbara. +A magnificent goal to tie the score from Merenguez! +I can move some things around. +And I'm gonna do you a favor and show you that when you give someone a chance, they can surprise you. +Offer no opposition or you'll be nullified. +And the men I fought beside-- none of them was real? +I mean, after all, the core of pugilism really is more of the mental and spiritual quest, isn't it? +- Yeah, well, we like to call that resisting arrest. +- Right. +Get these people out of here. +Now, just be careful. +- Indeed, I did not. +Mr Jones and his wife appear to be the happiest of humankind. +So let me have the tea! +"what will happen when I do?" +- No. +Nisha, please. +Sometimes, there's so much joy in making someone else happy.. +Look into my eyes just once.. +But the one good thing is that in all this fuss... you get lots of goodies to eat. +I have been calling you everyday. +Nothing. +It has to be cooled to avoid a meltdown. +They're just strays. +- l'm lifting. +I'll put a gun to my fucking head right now. +He got a haircut. +All right. +( Man ) 1-0-1, bravo lima, +You remember me? +This fella who killed old Claire, he ain't no man. +Yes. +It Looked Like A Goddamn Bat's Wing, It Did. +You're going to marry someone you don't love. +- What does your dad do? +Give me a pain shot! +... soyoucanplayhero tomorons who think you're Sherlock Holmes. +Name's Cleve. +Where'd they go? +Mr. Garrison, what the hell do you think you're doing? +- I'm not fat. +Watch what you say. +On the double, dirtbags. +With any luck, a badger or two. +NO, HE COMES FROM THE SOUTH. +Yes! +Have I read it ? +How is he a genius? +"Three years of modern dance with Twyla Tharp"? +We started talking after she did her thing and she's got a boy about Ben's age. +Look what you did! +-Doing? +OK...uh... just for the book's sake... next time you take money out, inform me, all right? +I'm there for you +'Family pulling' together in times of need makes you strong.' +You're worried, aren't you? +You treating me all good. +You hear me? +We have the hospital bills for Nicole. +How are you? +Mrs. Otto? +I waited for the second Zoe's breath stopped... to make the incision. +Wait 'till you see what we've got waiting for you at home. +I used to come to your house. +Here, you can have mine. +Collect call from Zoe. +To give your anger a voice. +The fact that you like the doctor, I mean... it's half the battle... (Wendell): +(humming) +Maybe I'm in the wrong place. +But otherwise. +So what is all this about? +- I don't know. +"She is a rare little jewel", replied Goffredo +I refer, as you will have guessed to our illustrious President +Let's push her fluids. +I had one. +Is did he violated? +Hurry! +You are asking a priest to help you to committ suicide. +Where? +Everything will change now I promise. +Yes, I suppose so. +Then why are you letting her go? +They're searching for Ivanhoe. +We summon a priest to wed you tomorrow at Rotherwood. +- And I have my prize. +- A vote on what? +Let's take advantage. +Welcome home Kai +Thank you +Supernova? +Okay, just calm down. +- Is there someone I can call? +You need a shot of insulin. +I've got enough feelings for both of us. +Initiating another burst. +I know. +AND I GET PULLED OVER BY A COP. +¶ You want the psychedelic and you came from miles ¶ +Oh. +[Softly] I didn't. +Set your faces to stunned. +It isn't nice! +Come on. +[Whooshing] +Give me your hand. +Here's the real science. +- Get in there! +Cas... +What are you asking me to do? +Cas. lf the fbi finds out that you were here, I'll lose my son. +- And wake up-- +Sit. +Oh, bravo. +- The poem you sent me was pretty kinky. +Bravo. +- I know who you are ! +Next question. +Hallelujah +It isn't nice! +Really? +Hallelu... +That's a good idea, baby. +I can cover for Jamie, but if I'm not coming he's gonna know that something's up. +Yeah. +Send it back. +Here's the real science. +- Peach. I can eat a peach for hours. +Come on. +Hallelujah, hallelujah Hallelujah +Uh-- l, uh-- sleep with his wife. +Can't I +-Hold that lockdown. +Give me a break. +Sorry. +If I were to let you suck my tongue, would you be grateful? +- And wake up-- +Next time she kicks your ass, tell her, "Shelly, you're my sister. +Aren't y ou the boy s who got in Unit 01 's entry plug? +Is that it? +But you're not me. +I'm getting used to it. +It's my duty to remain here. +The train arriving on Track 4 is the local shuttle to Gora departing at 4:32. +No, somebody will see us. +This is a greater punishment than we deserve. +Misato! +She's been here for a long time. +I don't understand. +Or that it's going to destroy us from up there? +I want to help you, Asuka, and I want to stay with you. +A Level 2 Alert is in effect. +- Yeah. +- Don't get too optimistic... +-I'm in deep shit. +She won't leave Paris until I'm married. +Is not just her bra. +But when I was on that stage it was nothing I ever felt before. +Everything will be fine. +You and Dad were just as young when you got married. +No, we don't want to be old-fashioned. +"I need you by me +That means: +- Nothing. +I'm not out to scam anyone. +Leave him alone! +Courses. +Mast less balls, Nance! +Watch: +It makes me feel important. +Coffee. +What do you do , huh ? +Why don't we jack up Cantwell's crew, toss them in the Box, see what gives? +Hey, Gee. +Gotta get this nonsense taken care of before I can deal with anything. +Were those the graves of past members? +Would you like a coffee? +THE SHRINK +(owl hooting) +So simply let me do my thing, no complaining I tell you +Raise your voices, no false restraints +You know-- +But when they filed that lawsuit saying they hate the way I dress and look I had to assume they weren't looking at me to become friends. +I know exactly what you mean. +- [ Together ] Timberwolves ! +- Yeah, Mom. +- [ Booing ] +I could be there in 15, 20 minutes. +Then how did you know the dog was abused ? +I think that's the point at which we might begin to discuss the question about whether we are a hung jury, or not. +Come on, Mr. Foreman, come on, what do you say, let's go here! +Man, you can talk till your tongue is draggin' on the ground, ok? +Now, now, let's not be so sensitive. +There could be ten knives like that, so what? +Now, does anybody here got a second hand on their watch? +Nothing. +Kinda surprising, isn't it? +I'm talking here! +Jenny. +It's all I can do. +Is that why you've never invited Jenny for a sleep:over, because you think we're weird? +Oh hey! +They know he is too weak. +He took the baby, laid it on a table, drew a sword from a nearby soldier... +to put trade before faith. +They will tolerate these things no longer. +Close. +I'm arranging to marry the daughter of the pharaoh! +The motion, Great One, it brings on the sickness. +Your Majesty, may I be permitted a question? +that promises us a whole year together. +It is for me, too. +Was there... a school bulletin? +I know. +- This Harvest thing... +That the Harvest is coming. +See? +Well, actually... +It was nice to meet you. +- Why not? +My eyes? +- My father had a lot of books too. +- Could you pass me my cigars? +YEAH I MEAN, IF IT'S IN THE +OH. +OF COURSE. +EVEN YOUR SISTER! +Where did you get that dress? +Last time I saw you, it was kimonos. +You're not exactly living off quiche. +He's faced the Three. +YEAH. +- One second. +- You find anything? +Amazing. +Maybe it's not the ten nations of Europe. +WELL? +FROM THE LIPS OF ANY MAN OR WOMAN. +UH! +There's something strange about Grandpa. +Dr. Katz, I'm not gonna leave this job until I find a better one. +Be careful. +Shit. +ALL: +Richard Fish is turning down my business-- +Unless he's resident locally. +Henriette, tell me. +Stop. +The whole thing defrosted and now it needs eating. +- Oh, no! +Watch I don't smash your balls as well! +Not an ounce of flab. +Is that possible? +Hello. +Haven't you ever been hunting with Fred? +Or shall we carry on with Georgie senior? +- Where? +- Credit card? +But like me, you're here for friendship and brotherhood, too +Sh-She's uncomfortable. +Hercules! +But I don´t care, cause people stink from the mouth. +You won´t be sorry. +well, I actually do have a sort of a boyfriend. +So, you're new here, huh? +That bag of mine there... +He is right on an attack, nobody can press it down. +I can't. +I have been ever since you left. +BOTH: +Johnny Bravo. +What? +It looked just like an accident, didn't it? +No idea. +You spent all the money! +- Your bed has fleas! +Due to flight problems, I returned to Buenos Aires. +presents +Due to flight problems, +No charge. +Keep moving! +You ask a sick man to cook for you? +Try it by yourself. +- He's gone to Uffington for the day. +I'm glad you came +Not even a little bit? +Why did you let him in? +I can't read the signature. +Olga replied in the same way. +Good. +MONICA: +Are we talking models in their underwear? +What does the sign say? +Oh, my. +Oh... +Oh, wait. +Let me be with you. +Well, the last time I saw you, you were getting ready to go to tennesseeand act in a play. +I was Tennessee to you? +She drops by every tenor 15 years just like clockwork. +- Ah. +There were a number of different sketches and characters, all of which had elements of what later became Mr. Bean. +You'd laugh at a Shakespeare comedy. +Eh up, security guard's back. +Je vais +That were your bloody maintenance! +Find Auntie Jean and tell her Uncle Dave wants a word outside. +Therapy! +Well, that makes sense. +Security guard's back. +Of course you don't! +- All of 'em? +All right. +- Your willy? +I need hot stuff +- Come on, Gaz! +The temporal shielding has protected us. +"There's no coffin in that tomb; +- You don't have to do this. +One, two. +Then it seems you've outlived your contract. +- Personal injury? +Get him out now! +We've got a situation here. +The British will think the Chinese are being belligerent. +According to Eastern philosophy, the body has seven chakra points. +White Knight, come in. +First we have to find the boat. +Sorry, Elliot, but we didn't do it. +I've always enjoyed studying a new tongue, Professor. +Excellent. +That's very interesting, Mr. Bond. +Jimbo! +It comes from growing up in a rough neighborhood. +Get on the back. +COME ON, ELLIOT. +Follow me! +This is our momentl +You've been invited tonightto a party at Carver's media centre. +That is the goal of the Carver Media Group Network. +It's no fun +! +I'LL TEASE AND TANTALIZE WITH EVERY LINE +I.D.s. +The high-altitude, low opening jump – the HALO jump– is where we get the most fatalities, so listen up. +Excuse me. +Yes, sir. +- Make that 30 minutes. +Are you sure you want her up here? +It's the opportunities for travel that I like best about banking. +SOMETIMES I THINK +PERHAPS. +Are we still on for tonight? +No. +You owe me one bald girl! +-I didn't wanna make any noise! +My friend Bonnie. +Don't get me wrong. +It's a line of ants! +Monsieur? +I tell you, when I used to run shuttles +I simply issued an invitation. +Let's pack up. +Wait until tomorrow, Misia. +You have to keep them coming. +That's the hotel. +But how come I'd be there? +- And that's funny because? +He gets to see you in the sunlight. +That's new. +Cordelia. +Now, is it time to talk about the facts of life? +What I saw didn't add up to three whole girls. +I mean, making someone from scraps, actually making them live. +- He's into corpses, but we don't know why. +Their mother doesn't even leave the house any more. +Witches. +- Um, Denise... +What are you talking about? +And Jojo was driving, so he would've been too close. +But you tried. +Were you practising the guitar again last night? +- You got fired? +Yeah, right. +Would you let it go already? +- Beautifully +Shit, I'm hot +'There's still no word on casualties. +The blue-blooded backbone of our country. +colonel Vertikoff identified the KGB guy, and we were able to stop the nerve gas from getting to Iraq. +'There's still no word on casualties. +it's me, Vlado. +- Yep. +'I'm not asking for analysis, I'm asking for a decision.' +- Bring me up. +Shoot him. come on. +Your area of expertise, Colonel? +General, we have to close down the east side of Second Avenue from 55th to 42nd and the north side of 42nd from Sixth to the river. +- Do the Russians have troops in the area ? +[ Devoe ] Expect he's comin' your way, One. +You're right there. +- Yes, I did. +- because of a personal agenda. +- Check it against banks in Sarajevo. +Give me your hand. +Saw his dentist Tuesday, dined with some attractive people on Friday. +Welcome. +- Stay on. +Oh, my God! +What's going on here? +... youjustdon'tknowwhereheis... +Do you have any idea how strange this all sounds to me? +He's like some missing link Sherlock Holmes. +Like a person? +(light switch clicks) +- No, he never came back. +Freeze some for later and you could have identical girls seven years apart. +What happened to your fan club? +Maybe some kind of exchange program. +- What can I get you? +I want to show you something. +Maybe they have the answers. +Whoa! +Have a nice day. +Alcmene, over here. +Five isn't an even-- +Him! +Hmm, yes. +I trained all those would-be heroes. +- Gone, babe. +Move! +He's gonna... +At least out loud +He just can't control his strength. +You're doin' great, son. +I'm hoppin' the first barge out of here. +Huh? +I know, I know. +I would go most anywhere to feel like I +To be a true hero, kid is a dyin' art +Now, at last, my son, you can come home. +Fire! +The car has been identified by the number plate. +- Pretty. +She worked hard to look that good and people don't appreciate the effort. +Oh, well... +- Hey. +- What? +But apparently no one took that into consideration, 'cause I'm still dyin'. +- You had good teachers. +It's not a question of just the boxing. +I'll phone home, or take the bus. +I'm sure it was someone else. +What the.... +Your American music is shit. +Is it true that their new album "Yablokitai" has come out? +Their best songs covered by friends. +The line's bad. +Where were you? +Speaking of which, he's making dinner for us tonight, so I'd like you home promptly at six. +Don't worry about me and your mother. +Hey, how about that? +Ted, I... +Well. +Babylon is very important. +Thank you. +"It's time for my date with Joey!" +Wow, what is with all the negativity? +What did you...? +And I'm a wuss. +Can I borrow your apartment keys? +So what is she, like a spokesmodel? +Hope she wins. +Etube, are you in recess now? +George, do you come here often? +well, you did a great job with it, no question. +I can't hear you, Captain. +Is one of you preparing for the kut'luch ceremony? +There was only a mild concussion. +That's when a little thing called "nepotism" kicks in. +No. +If they can do it, so can we. +- Good night. +Care for anything? +sneaking around yourwife... and pretending there's nothing between us? +I told you I wouldn't let you turn away from me. +He didn't give his life so that you could destroy everything he held sacred ! +L'm very sorry. +You know I love you. +- That's the voice we heard in the woods. +- YOU'RE ON MY PROPERTY ! +- A shameless publicity stunt. +My husband grows roses. +I'll be late, Daddy! +[Screams] +Because I have no respect for you! +- I promise, Pop. +- Why? +- Sure. +Aha! +Alexander Falko! +Believe me, I know. +Pop's lucky string! +Your father acquired it many years ago as payment of a debt. +You like them? +Bridge to Chakotay. +I made a tactical decision. +May I ask where we're being taken? +It's a singularity. +You know how much fun +Hmm. +There is this girl. +# And with the token bird I made # +- What's new with you? +- Gang-related? +Get her out of here! +Shit. +- You can leave that. +Sure. +Nobody can take today away from us. +Now, for your boots. +- A ghost? +You got my message. +I'm supposed to. +Now. +So, what do you got? +Don't be a fool. +How's Twitch doing, Sam? +You don't understand. +Am I? +This is me you're taking to. +You... +Merrick, that you? +Civilians have been evacuated. +Fofget me. +What about my family? +"I wish you could see my wrinkled old face... the love I still have for you in my eyes. " +That means she probably has... two left. +One... +- I think we're missing it, sweetheart. +- Leave the luggage where it is. +You want a refill on this, kid? +My competition? +It's an overseas call from Mr. Donald Trump. +Hang on, Charlie! +- Well, I'd love to... +I saw you... +Da-da +- Go for it, Mom. +- I want you to behave yourself, Charlie. +- Isn't that nice? +It's nice, really. +Charlie! +AND YOU ARE CORRECT. +SimpIe' One sneeze deserves another' +Because, I'm not in your room. +A round head... +I want Aarshi to be my daughter-in-Iaw at the earliest. +The place is swarming with them' +You're a convict. +You hear that, boys? +This man is in an irrational state of mind! +Holy shit! +One of them's me. +Dostoevsky said that after doing a little time. +- I'm Tricia Poe. +I know a good body shop in Fresno if it's insured. +- Look, don't worry, baby. +Now Watergate does not bother me +The Last Supper. +Now you're Mr Popovitch. +What's up, man? +The only problem is, we're not doing 228 miles an hour. +Before somebody gets killed. +-I'm glad you told me. +He's not gonna-- +This is our last chance before the fbi gets him. +He's too far along. +Sorry, boss, but there's only two men I trust. +You keep the decibel level down. +They're headed southeast toward Arizona. +- Not yet! +- What? +My wife and I will have our Margaritas on the yacht. +The issue here is how the plane is brought down. +- l repeat, target is locked, sir. +- Larkin, I got it. +Oh, boy! +They need to be armed. +- He's a regular. +- Wasn't my fault. +Listen, I need a syringe. +- This is Cameron Poe. +Cyrus, this is your barbecue, man, and it tastes good. +And who is that good-looking brother on screen? +The only thing we gotta worry about is stale peanuts and a little turbulence. +This one's done it all. +Hey, Gomer! +It's funny, but here I am in maybe the worst place on earth, and yet... somehow I feel like the luckiest man alive. +You are clear to release. +Are you tellin' me what I'm gonna be doin' here, numb-nuts? +Goddamn! +- That's right. +Good. +Foxtrot Charlie, perimeter is secured. +I was on north block. +That's my fuckin' plane! +- Open up. +Go! +Can't you see I'm in the middle of somethin' here? +Stop rushing'. +WHO ELSE WILL HELP YOU CHILL OUT FRESH +BRAIN'S REALLY NICE IF YOU GIVE HIM A CHANCE. +Well, see if you can find him on the monitor. +Can 't you just see it +Santa didn't come? +No surgical intervention. +How about that? +You take this. +- Darlene? +Maggie Doyle. +Well, fine, I will leave now, taking solace in the certain knowledge that, in time, you, Ms Langer, will join all tyrants on the ash heap of history! +That would work better without the vanity plates, Dr Dorfman. +He's still in the hole. +Yeah, break the tie. +Hold it! +Just spotted a conspicuous white male. +It belongs to the world, but for the moment it's mine alone. +Her mother brought her to me when she was nine. +Thank you. +I'm talking about this Al. +He's a great driver. +I'm really glad you're OK. +Promise me you won't do anything rash. +" I already met you..." +Ohh, well, it's hardly their fault. +Factoid 2... +The cheerleaders were modelling their new skirts. +Like how even used Mercedes still have leather seats. +How many things am I afraid of?" +It's gonna be OK. +Ouch. +Nothing wrong with an aggressive female. +- Wait. +I like that. +Powerful, magical, evil. +Yes, please. +Right? +- He's never heard of it! +Thank you. +SCULLY, I CAN'T LET YOU TAKE THE BLAME... +I'm used to it. +I'm not gonna let her die. +We can take you to a safe place. +To protect us. +- He supplies G.M. +We don't hear a word about that, though, do we? +Flint, Michigan, 1996. +Excuse me, son. +There's only one empty space. +I mean, I still am. +-That was Mom and Dad? +After I'm gone you'll be able to move again. +It'll please him. +What is it? +Come to us, Tokisada Shiro Amakusa! +I mean, why would Feeny feel the need to attack what I believe in? +Big and loud +It just takes longer now. +Oh, now he'll never get back into a romantic mood. +There'd come a day when the illusion I created would vanish. +You just don't know what it's like to be so much in love that you cry all night. +The girl's coming up the path. +I'll see that she doesn't ! +What good is it to insult me ? +Come on, young man. +I can see that Mrs. Pierce is moving towards the bow. +Yeah. +We better put this away. +Oh, thanks. +I pulled a big job, and they're after me. +Have they gone? +We're located up here on the platform, right below the bow of the great ship. +Calling all highway patrolmen. +That's fine. +I think I told you. +"Next door neighbour." He lives 20 miles from here. +You must be tired. +- What can they do? +- No, I'm on the level. +Do you mind? +Now, to complete the particulars. +I've had a curious feeling that I remind you of someone else. +She's always late. +I worked as a waitress, a saleswoman. +I'll bring him in. +- Yes. +I hope Harrison has made everything smooth for you. +I can guess. +- I thoroughly approve. +You may even have brushed by her in the street. +Forgive me, but I must be going. +Denis! +A taxi sent from heaven! +- Tarzan. +Why, you... +Anybody else starts throwing slugs at you, doc, don´t forget to duck. +Much trouble. +Take me for instance, kid. +Hardly. +Thank you. +Some joke, eh? +Don't you find, Mr. Leland, that the United States is inclined to forget that most of the world is at war already with more war to come, perhaps in the pacific? +- Bellboy, señor. +The Crossley rating doesn't agree, Heller. +The way I feel right now, I could devise a murder... that would baffle even Sherlock Holmes. +Take your time. +- I'll make it worth your while. +Who's there? +But you came too soon. +Your wife, huh? +Give me, I pray thee,.. +- Ginevra? +Enough Neri! +I want thou to taste it, in remembrance! +Here, drink this. +I always make it a practice never to hunt down ghosts on an empty stomach. +- OK. +Sherlock Holmes of Rue Saint Denis. +Oh! +That's very aptly put, sir. +Don't faint, child. +STEVE: [Throwing voice] You might go in, but you'll never come out. +Loxi, I think you're so brave going out to that wreck. +No. +That's what he's trying to do. +What's your course? +Don't argue! +How can I get my hands up, you walleyed... +Hand-hewn beams! +No, but at least he has the temperament of a dive-bomber. +Only around southeast. +Drink. +Schweinehund! +Heil Hitler +The defendant please rise. +Silly name, isn't it? +Oliver, take Mrs. Vale home. +Hilda! +You like making fun of me? +- Welcome home, Miss Charlotte. +-Come on. +Let's go in here, shall we? +Every book's got a number. +Oh, what did I do? +It'll have to go, Ruby. +-Why? +Lots of girls get married when they're 18. +- Paul. +I told Taylor that he was ruining my political career. +Most of them come from a reform school. +Get a load of that. +All right. +I don't know. +I get along very well with Paul because he's on the dead up-and-up. +BUT +Well, don't be upset, Jim dear. +Ted Hanover with his new partner. +If your nerves are wearing thin +♪ Happy holiday ♪ +Of a white Christmas +- Who dat? +[Minuet] +Jim, would you be decent just once and let somebody else here have a chance? +(PLAYING HARMONICA) +I'm turning the farm into an inn, but what an inn. +I thought you were alone, Jim. +Oh, you got to dance. +I feel as if I've known her for months. +Everything is perfect. +Here. +Please! +Mamie says these go up here. +That's what I want you to do with Linda Mason. +Have you taken shower this morning? +I do not want any graveside speeches. +POLICE ARE PERPLEXED +THE MERE MENTION OF YOUR NAME, +YOU WILL NOW PROCEED, MR. PROSECUTOR. +Betsy here's gettin' nervous. +You've abandoned your old friends for him. +You're right. +I am the Light of the World, he that follow me shall not walk in darkness, but have the light of hope. +Get those stretchers. +- Good night. +I'm sorry, sir. +You lost? +The Army attacks! +It's not that bad amongst soldiers, Luise. +) +- A bit. +- Where are you starting from? +It's out of one of your speeches. +Eh, that's very handsome. +Oh, he is so naughty, that little one. +- That's all right. +* +Argh! +It is not sacrifices the Lord demands! +Enemy eight-inch gun cruiser sighted. +Uh, it's empty, sir. +She and the official spoke in hiding. +NO STOPS? +AUSTIN! +It's simple and practical. +[Announcer Over P.A.] Attention, please. +I'm perfectly normal. +In fact, I'm sure of it. +- That's the first time I've said it. +It's lots of fun. +- I'm very unhappy, as a matter of fact. +Whoopee! +If I don't do it now, I'll never be strong enough again. +I'll be very lonely without you, Gerry. +Yes yes, father, now come already... +This is Sherlock Holmes. +If anything happens to me see that it reaches the hands of Mr. Sherlock Holmes. +Mr. Sherlock Holmes. +Inspector Lestrade. +That is if Inspector Lestrade doesn't mind. +Yes, I was afraid of this. +Get me Inspector Lestrade. +Sherlock Holmes calling. +Yes, to take a sealed note to Inspector Lestrade while you search through holes. +I would say you were wrong and Mr. Sherlock Holmes was correct. +Perhaps your good friend, Dr. Watson, can entitle this adventure, the end of Sherlock Holmes. +Brilliant man Sherlock Holmes. +Inspector Lestrade's orders. +That's Mr. Sherlock Holmes. +Oh, very sorry, sir. +Sherlock Holmes. +Mr. Sherlock Holmes. +Still the same old swaggering conceded Sherlock Holmes. +Yes, thanks to Mr. Sherlock Holmes and to Mrs. Tobel. +And, of course, Inspector Lestrade. +This is Sherlock Holmes. +If anything happens to me see that it reaches the hands of Mr. Sherlock Holmes. +Mr. Sherlock Holmes. +Inspector Lestrade. +That is if Inspector Lestrade doesn't mind. +Get me Inspector Lestrade. +Sherlock Holmes calling. +Yes, to take a sealed note to Inspector Lestrade while you search through holes. +I would say you were wrong and Mr. Sherlock Holmes was correct. +Perhaps your good friend, Dr. Watson, can entitle this adventure, The End of Sherlock Holmes. +Brilliant man Sherlock Holmes. +Look at that man staggering. +- Inspector Lestrade's orders. +That's Mr. Sherlock Holmes. +Sherlock Holmes. +You've played into my hands, Mr. Sherlock Holmes. +Still the same old swaggering conceded Sherlock Holmes. +Yes, thanks to Mr. Sherlock Holmes and to Mrs. Tobel. +And, of course, Inspector Lestrade. +This is Sherlock Holmes. +If anything happens to me see that it reaches the hands of Mr. Sherlock Holmes. +Mr. Sherlock Holmes. +Inspector Lestrade. +That is if Inspector Lestrade doesn't mind. +Get me Inspector Lestrade. +Sherlock Holmes calling. +Dr. Tobel has disappeared. +Yes, to take a sealed note to Inspector Lestrade while you search through holes. +I would say you were wrong and Mr. Sherlock Holmes was correct. +Perhaps your good friend, Dr. Watson, can entitle this adventure, The End of Sherlock Holmes. +Brilliant man Sherlock Holmes. +- Inspector Lestrade's orders. +That's Mr. Sherlock Holmes. +Sherlock Holmes. +You've played into my hands, Mr. Sherlock Holmes. +Still the same old swaggering conceded Sherlock Holmes. +Yes, thanks to Mr. Sherlock Holmes and to Mrs. Tobel. +And, of course, Inspector Lestrade. +This is Sherlock Holmes. +If anything happens to me see that it reaches the hands of Mr. Sherlock Holmes. +Mr. Sherlock Holmes. +- No he isn't. +Inspector Lestrade. +That is if Inspector Lestrade doesn't mind. +Get me Inspector Lestrade. +Sherlock Holmes calling. +Yes, to take a sealed note to Inspector Lestrade while you search through holes. +I would say you were wrong and Mr. Sherlock Holmes was correct. +Perhaps your good friend, Dr. Watson, can entitle this adventure, The End of Sherlock Holmes. +Brilliant man Sherlock Holmes. +- Inspector Lestrade's orders. +That's Mr. Sherlock Holmes. +Sherlock Holmes. +You've played into my hands, Mr. Sherlock Holmes. +Still the same old swaggering conceded Sherlock Holmes. +Yes, thanks to Mr. Sherlock Holmes and to Mrs. Tobel. +And, of course, Inspector Lestrade. +─ I don't want to see it. +You are wonderful. +I don't like liars. +The County psychiatrist. +- Good evening, mother. +We're flesh and blood. +I was scared, I got out. +- Are you cold? +He's doing everything he can to prevent Nicole's name going public. +You saw me at your house and recognised me in the bookshop. +We picked up many suggestions for picture ideas in the pottery designs of Oaxaca and Guadalajara. +- Got here too late. +You'll be out of here tomorrow. +What trouble can you be in that you can't get out of by witchcraft? +Why? +) We must stop. +Don't get too close. +But I wasn't here! +Back to the tree! +I'm terribly sorry. +Yes, Father. +It's you and me, and let the rest of the world go by. +Oh, Mr. Reed. +You won't believe this, you've probably heard it before but I've never known any artists. +- Well, hello. +Such intimate things about me? +Well, ain't seen you here in some time, ma'am. +BETTER SNAP IT UP WITH THOSE DISHES, MARTHA, +I've asked Mr. Sherlock Holmes to come here. +- Sherlock Holmes? +Sherlock Holmes may have a new approach that will solve the problem. +I'm positively and irrevocably opposed to calling in Sherlock Holmes. +BBC Request Station, this is Sherlock Holmes. +You're Mr. Sherlock Holmes ain't you? +Mr. Sherlock Holmes. +Someday I'll be getting out of here I kept saying to myself, and when I do someday I'm gonna come face to face with Mr. Sherlock Holmes. +Mr. Sherlock Holmes. +One to match your own, Mr. Sherlock Holmes. +I've asked Mr. Sherlock Holmes to come here. +What, Sherlock Holmes? +Sherlock Holmes may have a new approach that will solve the problem. +I'm positively and irrevocably opposed to calling in Sherlock Holmes. +BBC Request Station, this is Sherlock Holmes. +You're Mr. Sherlock Holmes ain't you? +Mr. Sherlock Holmes. +I kept saying to myself, and when I do someday I'm gonna come face to face with Mr. Sherlock Holmes. +Mr. Harrison, Mr. Sherlock Holmes. +One to match your own, Mr. Sherlock Holmes. +I've asked Mr. Sherlock Holmes to come here. +- Sherlock Holmes? +Sherlock Holmes may have a new approach that will solve the problem. +I'm positively and irrevocably opposed to calling in Sherlock Holmes. +BBC Request Station, this is Sherlock Holmes. +You're Mr. Sherlock Holmes ain't you? +Mr. Sherlock Holmes. +Someday I'll be getting out of here I kept saying to myself, and when I do someday I'm gonna come face to face with Mr. Sherlock Holmes. +Mr. Sherlock Holmes. +One to match your own, Mr. Sherlock Holmes. +Those are not Messerschmitts. +I've asked Mr. Sherlock Holmes to come here. +What, Sherlock Holmes? +Sherlock Holmes may have a new approach that will solve the problem. +I'm positively and irrevocably opposed to calling in Sherlock Holmes. +BBC Request Station, this is Sherlock Holmes. +You're Mr. Sherlock Holmes ain't you? +Mr. Sherlock Holmes. +I kept saying to myself, and when I do someday I'm gonna come face to face with Mr. Sherlock Holmes. +Mr. Harrison, Mr. Sherlock Holmes. +One to match your own, Mr. Sherlock Holmes. +I've asked Mr. Sherlock Holmes to come here. +What, Sherlock Holmes? +Sherlock Holmes may have a new approach that will solve the problem. +I'm positively and irrevocably opposed to calling in Sherlock Holmes. +BBC Request Station, this is Sherlock Holmes. +You're Mr. Sherlock Holmes ain't you? +Mr. Sherlock Holmes. +I kept saying to myself, and when I do someday I'm gonna come face to face with Mr. Sherlock Holmes. +Mr. Harrison, Mr. Sherlock Holmes. +One to match your own, Mr. Sherlock Holmes. +Certainly, Highness, but humans don't grow as reliably as trees. +For example... [clears throat] ...you're walking along, minding your own business, you're looking neither to the left nor to the right, when all of a sudden... you run smack into a pretty face. +[Faline] Bambi! +What's going on around here? +That I'm looking for romance +Right on the big dog's head. +Did the young prince fall down? +Flower. +For I'm seeking romance +We will drink to our betrothal. +I am neither afraid of Kamar nor any man that lives. +Come! +We are your friends. +I'm strictly big time. +That is it. +Just dance away from him. +- Three weeks. +- You two are the funniest couple. +Huh? +Hey, judge! +Do you mean Peter Jackson himself? +All except one, Mr. Sullivan. +- I saw him fight Sullivan. +I guess so. +I got plenty of time. +Go on. +Get out of here, you dog. +Caution! +Your father achieved that, splendid Mr. Jobst. +That is modern. +She made it far, this Mrs. Tandler. +You're that far already with the farmer? +Why don't you just say, "I love you, Emily"? +Hank? +No, don't bother, I know it all. +You couldn't have. +But I'm no brainstorm. +And that's how we'll lick the Axis. +A little after dawn. +Then... +Oh yes, they told me that she was pale and blonde with big blue eyes! +"Dear Lord, of power and of glory, who gives us rainbows in our skies..." +You may damn excuse, I haven,t tried that before. +These things don't happen in northern Italy! +- Thanks. +And then they wonder why I only had two children. +It's chipped, but clean. +Sherlock Holmes, I suppose you think that he's Leopold Dilg with a beard, huh? +I have loved it for years, especially with an egg in it. +Your gentlemen friend is dead, isn't he? +They're after your scalp. +You get upstairs. +Some of the best examples of early American architecture in New England. +Sherlock Holmes, I suppose you think that he's Leopold Dilg with a beard, huh? +- The prettiest woman in Lochester. +Sherlock Holmes, you think that he's Leopold Dilg with a beard, huh? +They wore beards. +Sherlock Holmes, you think that he's Leopold Dilg with a beard, huh? +For 15 years, sir... 15 years. +I wonder if I can say this as I want to. +I mean I never knew who they were. +I told you I wouldn't have it with me. +- It will stop all crime. +WELL, BLESS MY SOUL. +WHAT YOU DO IF WITZEL FIND OUT TONDELAYO BACK? +PLEASE REMEMBER YOU'RE NOT YOURSELF. +I CAN'T ANSWER THAT. +ARE YOU CRAZY, TOO? +TONDELAYO LIKE MUSIC. +ELLEN: +Are you nuts? +I had you mixed up. +Run! +I'm so glad to see you both. +We'll set it for then. +But I gathered Mr. Craig doesn't share your sympathy for children. +- The Athletics and the Yanks. +- No, to take me to the airport, silly. +- Sure you want me? +- Sam. +It's a fine hat. +Oh yeah? +I didn't mean that literally. +We've got an hour's extra petrol. +I found five soldiers. +- Forbes? +The ballpark will be crowded, and the fans will give you an automobile. +All the things we've never had time for before. +We've been married 10 minutes. +Here he is now, the pride of the ballroom. +- You're trying to be funny, too? +But I'm gonna be an engineer. +- You'll excuse me, I'm sure, Miss Beldon. +You see that German plane come down? +- Clem! +- Well, I... +Not me, Horace. +- Yes, it makes you look rather ridiculous. +MAN: +I just wondered if you had a nice time in town, that was all. +Every day while I'm around. +I shouldn't have asked you. +- I'll be very glad to see. +'Tis said, as Cupid danced among the gods, he down the nectar flung which on the white rose being shed, made it forever after red. +Thank your father too, darling. +He may be killed any day, any hour. +Not only for real flying but real... +Fine, Mr. Miniver. +-That's all. +Not me, Horace. +-Vin! +Yes, dear. +They are going for the aerodrome again. +-Yes. +Hurry. +Come along. +I have killed Shere Khan. +The memsahib refers to the storyteller? +He looks in the river, he sees the fish he wants, then who. +Harder. +He speaks german quite well. +Close the door, please. +Get out of the way there, make room for Sir Henry. +The night is fair! +What are you moping about? +In the name of The King of Naples, I order you to open the door! +He looked about eight feet to me. +- He's dead. +- A private investigator. +- The villagers are getting out of hand. +I'll write as soon as I get to Tokyo +That's all. +- Thank you. +She's gonna dance with the guy what brung her. +But this is something that'll benefit all humanity. +How can you close me up? +He needed me. +I have my orders. +You said the enemies of the Reich could all be replaced. +Capt. Renault, I am under your authority. +-You finish locking up, will you? +-Don't tell me. +For accessory to the murder of the couriers from whom these were stolen. +Yes. +Suppose you run your business and let me run mine. +It's been a long time. +And don't forget, there's a price on your head. +No. +-I didn't count the days. +I was misinformed. +You understand how I feel. +I don't like disturbances in my place, so either lay off politics or get out. +-I reserved a table. +Germans will be here pretty soon and they'll come looking for you. +Serves me right for asking a direct question. +To the Germans, that last will be just a minor annoyance. +- You know where they are? +I can't do it again. +One hears a great deal about Rick in Casablanca. +-l wonder if you do. +Well, drinking! +Oh, too bad. +All that he's been living for. +My car, quickly! +- All except one thing. +- Yes. +I'm not. +You'll still win at roulette. +But you were able to arrange everything? +Perhaps tomorrow we'll be on the plane. +Thank you very much. +Thank you very much. +If we stop fighting our enemies, the world will die. +This is a pleasure I have looked forward to. +Boss, let's get out of here. +Ask Monsieur Rick. +In 1935, you ran guns to Ethiopia. +But then I never was much of a businessman. +We hear very little, and we understand even less. +Come, Mr. Laszlo, I will help you immediately. +I can't find her. +He tells me he can give us an exit visa. +How much I still love you. +Then by train or auto or foot across the rim of Africa to Casablanca in French Morocco. +- Fine, but I'd like to buy your café. +Naturally, there will be a few incidental expenses. +Shut up and go home, will you? +They'll find out your record. +I'm sure in a little while-- +And if it should change? +For the last time, put them on the table. +And the honor of having served the Third Reich. +- Don't listen to him. +I don't think I will, Rick. +Mr. Blaine, I wonder if I could talk to you. +That was his way of protecting me. +Don't bother to deny it. +Well, you are in pretty good shape, Herr Rick. +You carry your love of country like a flag, right out in the open. +If you think I'd put any of my wife's money into that trash, you're crazy. +You'll have the audience standing with excitement. +- Well, think we should? +- Goodbye. +Mother and Josie threw out handbills. +It's a wonderful feeling having your name written in music. +Thank heavens, it's like a thousand miles from all the noisy, neurotic people in our profession. +Gee, I never cared much for my name before. +Do you really? +- Thanks, kid. +- Good evening. +- Don't do that! +I mean for Mr. George M. Cohan. +I feel as though I've known you for years. +- What? +Oh, buried. +If you haven't time now, maybe you'll give us time after the show? +Like it? +Oh, they'll all have to be destroyed. +- No. +I'm too tired to argue. +You could stay here and live off what's left of the fat of the land. +I have vouched for you. +-Look at your meter. +Over here. +No. +Oh, hush. +It's wonderful, Pressure. +Extra. +Hey, Pressure. +You men have discharged your debt to the state and are going back into the world free men. +Come on. +Twelve thousand dollars? +Oh, hello, Leo. +- All right, but it's still gonna hurt. +Thank you. +I never thought of it that way. +You gotta keep your eyes peeled for Bigelow. +- But why not? +Have operated this business for five years. +Cabin B-101, please. +#[Band Playing Hawaiian] +- Well, good morning. +Heart, spirit, the feeling of the Corps, the thing that makes a Marine different from any other fighting man. +When did you last see him? +I'm going to turn you over to the cops and you can do all your explaining to them. +Quite a shock, wasn't it? +What are those bags over there? +- It's been so long, I don't even know what he looks like. +She's a woman! +Come on! +I'll cook it. +- A child. +Try not to look at it from the banker's point of view, Foyle. +Grierson. +Yes. +Shut the door behind you. +I'm just a little tired, so much running up and down. +What about it? +Here! +(SHUSHING) +Mother told me there'd be moments like this. +There's something very strange about it all. +What? +Neb Jolla, so great is my joy tonight that I wish to share it with you. +I ran through the train. +If you are, the next time I go up, I'll make it 14. +All right, fellas, synchronize your watches at 10:55. +No got- +Singh for a physical checkup. +You don't really need it, do you? +I just want a chance to get back on my feet again. +If I get any closer to that bridge we'll have to pay a toll charge. +- I'd better not. +That he'd run away from... +She wouldn't set out to hurt anybody. +That's all we want. +You'd like to put your arms around me right now. +What are you talking about? +No, dear, not for a moment. +I'm just anxious to get back to sea, sir. +- No sir. +Gun "er! +Here it comes. +Lucy, haven't you perfectly well understood that I don't intend to go into a business or adopt a profession? +Lucy... +I'll be quiet. +Wilbur? +- And we could be together. +You stop that, you! +- But I'll tell you something in confidence... +I see. +Those who were still living had forgotten all about it. +- That's it! +I think, sir, that I'd better leave immediately. +If you knew who you're talking to. +He was peacefully crossing the courtyard and the guards killed him with an arrow... just for fun. +I know where. +How beautiful! +When she spied it on the ground +Wait a minute. +There's another wave on the port side, sir. +It seems she can't keep anything down. +It's... +You're right, Yeoman. +- You never do anything else. +Frightened the wits out of me. +- [Sobbing Continues] - ♪♪ [Ends] +You think they had a romance? +Come on, Professor. +You know I'm never any good unless I have my peace of mind. +Yes, my father promised me one if I got a good report card. +What addresses? +We can't take any chances. +- No, he just rushed in... punched me in the jaw, and rushed out. +- All right, I'll get this wrapped up. +Why don't you stay here for dinner? +Form your own opinion. +All I had to do was to carry a spear. +She's the most famous actress in Warsaw. +Quick! +Yes, the scene is loaded with dynamite. +Of course. +... withoutJews,fagsand gypsies, there is no theatre. +Never mind Siletski's body. +No card again? +- What did you do with Sobinski? +Will you please announce me to Professor Siletsky? +But he walked out on me. +But he's no particular friend of mine. +A possibility. +- The Professor left quite a while ago. +-What is that? +Step up! +You better remember! +That's him, huh? +What a beefer! +Detective Crane, proceed immediately. +Hello, Herbert! +Why? +Mr. Davis, I'm going to live with my daughter in Canada. +What's the pulse? +A what? +We are meant for each other. +That was my leading man. +Ken. +It sounds so unaffectionate. +It happens every day. +Not me. +Oh, you wouldn´t know it. +I need someone to help me and there isn't anyone. +Because she's a stinker. +All the cadets must wear them, too, just as dancing cheek to cheek is a must-not. +Where's my hat? +- It's in your room by now. +She'll be down as soon as she's ready. +Well, it's just the lightning. +The first time I saw him was in Africa and then in an airplane and then in the wizard's palace. +The boy? +You'll never change! +Slander... +Number 13, if you don't mind. +Look! +You see? +When you're ready, go ahead please." +I didn't have nerve enough to tell her so uh .. +The picture made page one. +Not if they are not flying too fast. +Won't be a minute. +Oh it's siamesed into two one-and-a-halfs. +Tad, you're probably the nicest person I've ever met but .. +Well don't take it too hard. +That's what Hank Allen is trying to do. +Speak for all the things we dreamed together. +This is the story of the Roosevelts. +Apologists like to try to play this down. +"So pure and holy, " he wrote, +You can't, you can't sanitize that. +By then, McKinley was dead. +I cannot, 'twixt the heaven and the main, +Well hurry, because soon we won't need your lands and woods, not you, not I. +- Thank you. +- Why assassinate the Minister? +Gilda, here's what you're gonna do... you're looking for Father Ramirez at the church, okay? +- Where's Diego? +He enjoys a powerful position in Bakufu. +Kimura-dono +Recently in the name of Dainagon-sama, +I don't... seek God. +Still, do you want to leave me? +Bye, Hank. +♪ Can make a window ♪ +She's looking at you. +- Yes, it's good. +- Hank! +It is a model of clarity +Okay,hey,wait,wait! +So what can I do for you today? +Innocent bystanders. +What would Sherlock Holmes have done? +I have a gift for poetry. +With cruel destiny refusing to point the way +- He looked at you. +What would Sherlock Holmes have done? +We agree on some things, but it's superficial. +No, what I was thinking was that I wasn't interested... in anyone but you. +To gain her confidence +What would Sherlock Holmes have done? +Don't get excited; +Where is he? +- I said follow me! +Perhaps you will. +Cabren! +What principle? +Why? +What do you want? +Sleep tight. +We cant take the picture without Paula. +That's why I'll get the gold medal-- breath control. +Try and close the CO2. +Love a drive in the country, don't you? +What else can you tell me about my rival for your affections? +There is Wolf Ghul from Austria, Kerel Behrta from Switzerland, +Leave the legs free. +- Go back to your room. +Whoops. +(croupier) Banco suivi. +Your father was using the temple as a front. +If you play the odds. +Where are we going? +We'll have to tell the Prime Minister +Right! +You between jobs? +Uh. +What is it? +- Oh, please. +I know. +But I think I did some terrible things last night... +(howling) +A werewolf. +- Right. +Isn't this a fun place? +- No problem. +David's lacerations were cleaned and dressed before he arrived here. +- At least it's warm in here. +- Where's the lamb? +A drink for a very cold man. +# You heard me saying a prayer for +What is that? +That's enough. +- Madness. +-Haven't you heard? +He wants help. +♪ Blue moon +Will I have to take such drastic action again, David? +Is he rational? +- I never promised you any such thing. +Please, Mr. Kessler! +I've had seven lovers in my life, three of which were one-night stands. +You've gotta kill yourself, David, before it's too late. +Mary, mother of God! +- (intercom) +Of course. +No, he's fine. +I just shattered the bottle. +We are people who try to catch fish without a net. +You'll all come and dine with me here and keep me amused. +He may be lying as though dead. +She's not listening! +Thanks very much, but My Car is here. +Those are the first words spoken by all articulate robots: : : +Something like that interferes with the normal processes of the human brain: +What... +That's hardly a judicious thing for a lawyer to say about a young bride. +And you are who? +I used to work for you. +I think it'll be fine. +I'm a little broke too. +And for reasons of distance and health those who have responded have declined. +How about the magician? +I don't care about that dirty business with locals. +Gets himself in all sorts of trouble though, don't he? +(Both) Ow! +Did you give it to her? +She knows I beg of you dont come out or I wont pay the rent +This is the last chance, comrades, to raise the question of responsibility, that everyone reports his work, and if necessary to suffer the consequences for his work. +Sounds like a law firm. +So, how'd the meeting go? +I thought you said Carmen. +Mmmmm. +I got revenge! +! +Moron! +I really want to be fair about this. +Elliott, how come you're investigating the DA without telling the department? +- I try to be. +Wait a minute! +What? +I have no idea. +Come here. +(SIGHS) I mean, today, I shall take them down Shoreditch... ..and show them the house where Sherlock Holmes was born. +Sherlock Holmes was fictional. +Well, I'm seeing him on Wednesday. +It's come alive, that's what's happened! +Why did you want to see me again? +Have you any idea how much money we've made recently? +She been in anything? +I'm going on a tour. +No you ain't. +Rodney, take the man's money. +Let's show you your vessel. +# Some Trevor Francis tracksuits From a mush in Shepherd's Bush +I've got 25 of them, all told. +- Yes, I did! +- Friend of yours, is it Vimmal? +He had a beard. +A-ha! +Let me speak to him. +OK, the camp bed it will have to be. +- I went to America on my own. +Am I right? +You may be getting a call from the Archbishop of Canterbury's office. +No. +Really? +I mean, isn't this the servant's entrance? +Anything you need. +- No, she's not. +- Get off the sidewalk! +- Are you all right? +Oh, Mr. Travis, won't you please help us? +You are... +Why don't we try blasting through? +Llne up again. +It's also the day ofthe young. +- Hold. +Surely, Dr Philmore, we're not talking about a flu epidemic. +- Satisfied? +OK. +In every case, the child was born on the morning of March 24th. +And the daggers? +- Harvey! +- They're all God's children, Harvey. +Yes? +What are you doing here? +Ben, Corabeth was not tired when she got here yesterday. +I found this for you. +I think it's too late. +Not only with him. +- Why are you still here, then? +Why didn't you show up? +I did it for you +Coming down with me? +Unlock the door, what's the idea? +Can you do homework with such a row? +-What did Babsie want from you? +Do you down a dog ? +Mahjong? +I'll give you a hand. +I'm sorry. +[Hawk] Attention, all personnel: +Mr. Lam +What is it? +They got a four-alarm fire in the east projects. +Five days later, Officer Harris would die... during a routine investigation of robbery suspects. +Nis, nis Tu, Tu, Tu... +Did you see her eyes? +This is the tape I found downstairs. +Yeah. +The book is bound in human flesh and inked in human blood. +Give it to us! +This kind of looks like your old girlfriend. +I like a mountain comic. +-Aw... +What's the job? +Taxi! +-Oh! +No! +Hmpf! +Just a stupid accent. +I don't understand. +That way! +The critic. +-Ha ha! +Stay +Sheet! +Perfectfor rat stew, rat soup, rat pie, and the ever popular ratatouille. +Except for the beauty mark and the mustache. +Did you try to kill last week? +Yeah. +- Yes. +- Get lost! +Not wise, considering. +[Growling] +Hey, wait! +Hopelessly inebriated. +Hey, wait up! +Guten Abend. +I plan to return those things. +But I'll tell you something, pal. +Okay. +We need each other, Bobby. +Francis, I really feel terrible disturbing you like this. +No! +Get him! +No one else would last. +At least I'd wish to know if he loves me. +-No. +Oh, he's a very, very great friend of mine. +Do more... +Bring her with me. +- Why! +Tod, do you need help? +I saw you comin' back with Chief and the hunter. +Come on! +You can't come bargin' onto my property, Amos Slade! +Sure, Dinky. +Uh-huh. +- His sister? +Murder goes against our godly ways. +I'm all alone again. +I told you so! +On Ushana, we found a friend of the chatterer who the bird had told about the Medusa system. +For being plain stupid, forgive him, o Lord. +Irrelevant. +- Listen to me, please. +Stop! +All right. +Stay here and wait for Mummy. +Oh, of course, darling. +If they capture you and torture you? +(FOOTSTEPS APPROACHING) +How do I get onto these islands? +Mama, I'm so happy. +- Oh, dear. +Here are the keys. +- He wants to hear from your own mouth. +- I'm awfully sorry. +A love censored by me, excited by my own severeness. +Immediately. +My husband is in town today, He usually dines out. +I found a strange woman, with sick face. +Probably hurt you from time to time. +Yes. +Thanks, we'll get back to you if anything new comes up. +Mrs Chadwick, how kind of you to greet us. +So? +I think she needs an ambulance. +Aah! +You must learn to think about other people. +I'll get by. +I'll tell you what you're going to do. +They think I'm slipping. +I DON'T KNOW WHAT I'M GOING TO DO. +[CHOKING] +Hello, arthur. +More than you know. +Depends on the circumstances, Lemuan. +It's true. +You're crazy. +Quickly'? +Forget patriotism. +) +You pig. +Please give out orders. +We have to start off early tomorrow. +Life is like a dream. +Only the late chief and I know of it +Quick. +I am apologizing to all of you. +Give me the telescope. +KENNY: +- Kenny's my husband. +Why don't we address ourselves to that, gentlemen? +Well, talk to Klinger when he gets back. +I mean, today I shall take 'em down Shoreditch and show 'em the house where Sherlock Holmes was born. +Sherlock Holmes was fictional. +I'm gonna chuck this down the chute. +You have to be carefulwiththese people +who has the guts to block mywayhere in Shanghai +what's so funny? +You, take care of him. +'In the entry in which it talks about dying of asphyxiation '30 seconds after being thrown out of a spaceship... '... which, amazingly, was also the phone number of an Islington flat 'where Arthur once went to a very good party, +- A couple of guys we picked up. +C'mon! +- What is he wearing? +Mister, mister! +- lt's a toy, a straw one. +A murderer and a fraud! +As a punishment for letting me free. +Where is it_ Knows somebody? +Come to think of it, even I would be happier in Iowa than here. +Oh, my God. +[Vivian Continues, lnziistinct] +Do I cry. +What you gonna do? +You, me and Dakota, we go pee. +What's the matter with you, man? +I at'; do it again! +My name is Millard Gregg, and I'm from Texarkana. +I am not going to St. Louis to defend Wilson. +So, moving you out of here, huh? +- Max! +- I'll only be gone for a day. +I told you what I thought about the Armory piece. +- Hello, Jack. +Keep your eye on the grand old flag +Thanks. +You know, you left without saying goodbye. +I've been completely unable to communicate with my wife or with my comrades in the United States. +I only want to say that if you strike, the American workers will not feel betrayed. +Russia. +Love, Jack." +- Why? +- Fired her. +No, we didn't get scared. +- Is he? +- Thank you, Comrade Reed. +Mother's glad when I'm not in jail. +Communism, Bolshevism. +You know, in fact, I don't... +Stop. +And when you purge what's unique in him, +"The railroad's opening new frontiers, +Don't tell me that Gene gave you a love poem six or seven months ago, but you put it in a book and you haven't seen him since. +We'd be back by Christmas. +- He thinks it is. +- OK. +If we get this out in the open, there's no one that can hurt us. +I gotta have a 20. +- What happened to you? +- OK, but just 10 minutes. +You were a cop? +Captain Kennedy, this is Milt. +- Sam. +This is disgusting. +So I don't ride the subways. +- No. +- Yeah. +- What are you doin'? +How you doin'? +That's gonna say it was? +Or maybe it's ayatollahs in the street with blowguns. +I worked for the Kean Commission. +- Oh, you need the money that bad? +How did he get your number? +- Oh, yeah. +- I'm Jack Terry. +Who gives a damn that you were there? +And they're gonna ask a goddam fortune for it. +- I'll do it later. +[ Whoosh ] +[ Burke Sobbing ] I don't know why. +- I can't calm down. +Was he a great king? +I saw the Grail, Uryens. +Rise, Sir... +-That thing they call the Grail? +It was just a dream, little one. +-You are my husband. +Let the boy try. +Thanks be to God, you're alive. +Look! +You must be greater than ever I was. +I think we do too. +... God has left the world. +KNIGHT 1 : +MAN 1 : +Is it you? +Yes. +Oh, that's grand. +What must I do now, kill them? +Hold me, I can't live without you. +Wait till you hear what I have to tell you. +I, too, am from Earth. +- What is this Loc-Nar? +No. +Oh. yeah. +Jack loves ideas and he can do so much with them. +See you later. +Why not? +Yeah. +THE ADVENTURES OF SHERLOCK HOLMES AND DR. WATSON +SHERLOCK HOLMES +Sherlock Holmes! +The outside porter will direct you to the hall porter, to whom also you will give a shilling. +- Mr. Sherlock Holmes. +And Mr. Sherlock Holmes? +At present Mr. Sherlock Holmes has other cases which engage his attention. +Sherlock Holmes? +THE ADVENTURES OF SHERLOCK HOLMES AND DR. WATSON +SHERLOCK HOLMES +My name is Sherlock Holmes. +"Inspector Lestrade's accurate shot in Devonshire". +He does not. +This is Detective Henry Goldblume, Hill Street Station. +Time flies. +Okay. +Come on. +Once the Partisans find out her kid's half-German-- +- Now we're in the Royal Navy. +When do we get some orders? +Kriechbaum ... +They won't be expecting us. +Hurry up! +It's not like the old gang. +Destroyer approaching! +- Thanks. +Why are we diving? +Very nice. +"To be heading into the inexorable, where no mother will care for us, +- We'll soon be running. +- And an end to the war. +Full ahead! +Take her down! +It's been years since I saw snow. +Over there! +That destroy won't let us go. +Shall we risk it? +We have got plenty of fancy torpedoes, right? +That's really good. +Horst! +- 1.8 percent. +We're going to surface. +One moment. +Apply compressed air. +One minute. +- Bow planes up 10. +You should be careful. +- Man on bridge? +Do you want some glucose? +Don't be too sure. +Good morning. +- First watch, stand by. +Oh, I'm sorry... +... .. they are so extremely weak that ... .. the death, that is to say, aggression to themselves ... .. is readily converted into aggression towards others. +They always hurt people. +Wayne did not participate in homosexual rape. +About 3:00 or 3:30 in the morning, +- Where's the teleport? +and "The Adventures of Sherlock Holmes' Smarter Brother". +- Whoever it was would... would... +Hold on! +It wasn't a castle, you know. +It sounded like a ton of bricks. +I couldn't line it up any other way... because when you had the opera glass on the lens... you couldn't see nothing. +So then I had this lady copy the checks... you know, on a copier. +"Lord, I don't know if you want me to have this lot or not. +"before the end of the present session." +No, if I were not to go to Europe, would I go up or down? +I've got an idea. +Aahh! +You've done all right. +Now how about this for the entree? +Tits, lungs... no wonder we get a congressman. +Arch, for Christ's sake, are you in on this? +I come over here, and the fuckin' tapes are gone from here, too. +We'll be artists... one last time. +And it'll all be over just like that. +That raw shit. +[Blows] +I ain't gonna save him for you! +Now have fun, girls! +Just read my report, OK, Friscoe? +Stained-glass windows your idea? +Me either. +I should've known it was a fraternity prank. +Yeah, it's probably some of the guys on the team. +What's that? +It is an island. +Amy! +You won't regret this, I promise you. +One... two... three.... +Tough one to explain. +Hey, what are you doing? +- Why did you shout like that? +In an ever-nicer place, thanks to professor MueIIer. +This place gives me the creeps. +Now, which ones are you gonna take with you? +Were you playing? +I can't really say, but I don't think so. +And lures me on. +But knowing Petersen, I'm sure it's something fascinating. +With special appearance of and +[Electrical crackling] +Anytime you're ready, Sherlock Holmes. +He's gonna call the cops now. +It belongs to my trainer. +I'm the night janitor in the building here. +Man, she is thrilled. +Okay, okay. +Mr Long? +- She doesn't. +Push. +How'd you like another kick in the butt? +- Stop that. +Remember the last time, baby. +It's peaceful and quiet ltjust costs a hundred bucks +If you can't find Sha Tung +We have a lot toto work out. +You haven't got 50 pairs of short pants hanging in your closet! +Please stop that! +And I want you to make her happy. +Although some do. +Hobson, do you know how miserable I am? +Be a person. +-Likewise, I'm sure. +Here's to you! +I'm glad to have you here, sir. +We understand it's small, Arthur. +Bathing is a lonely business. +Oh, my God! +As we all can see, it's a lovely day. +This must be the building. +He gets all that money. +I want to be younger. +- Fine. +Pardon me. +ConSec had hardware, it had contacts. +What does that mean? +Not much of a place, is it? +You mean voices? +We can destroy Revok together. +- Just about. +Thank you. +Telepathic curiosities known as scanners. +Fast. +I'm afraid I can't. +How? +- +I mean, I'm hoarse.. +I'll tell you something. +OK. +- Pa- ... +Scoundrel! +Getting married? +It's not cheap, childish sentimentalism. +When I've gone, see you keep your nose in your books and your hands out of my reagents. +Stop it! +( deep rumbling ) +( rumbling ) +Master? +Don't slow down here. +Surge mensa. +You're going to die tonight. +- Yes. +If you want a fight, give me a weapon. +- Shall we leave the men to their cigars, Phil. +Take them out of here. +No. +- I wouldn't do that, sir. +You're wrong there. +- You don't live here. +Shit! +A frightened retard? +Hello? +Bullshit, Paul. +Femme entretenue of the world. +Wife? +I feel faint. +I accuse you of cruelty, of infidelity and inadvertence. +Majesty. +Thank heavens you haven't left yet. +- Murderers! +- Where's Michael? +You're 500 to 50 on that ramp! +Open your mouth, Willard, and I'll smear Krazy Glue on your bedpan. +I can't see. +- Where do you think you're going? +They stole! +- Yes, I do. +This is Ben Coogan. +[ PANTS ] +I COULD HAVE MADE BETTER TIME IN A COVERED WAGON! +I remember. +Now damn it, everybody just take five and pull yourselves together. +- Yeah. +WE'LL SHARE THEM. +- Freddie, would you check the hood? +The first is the home of 32-year-old Bernard Coudray, his 28-year-old wife Arlette and their son, Thomas. +"I'm alone because I love you" +I'd find there were dirt in it, too. +[sighs] Yeah, as soon as Faith was born he was over the fence and gone. +A little pearl gift a little booze, a little drugs. +It's very weird and it's very strange, just like you. +- Any Jack the Rippers out there? +- Did you miss me? +Ex-Papa Doc Secret Police. +Why take them out? +- Right. +- How do you know that? +More finished, more complete. +SR says he didn't even get a shot off. +But we're southerners and I won't put up with this. +What about the havoc they caused us? +- Your life is already unbearable. +Masaniello has grown up Masaniello is back +But the reason I was surprised was because you had the kindest eyes I'd ever seen. +Namajinheung Inc +[ Chuckles ] GOD. +She's cold. +Hello. +Come on, it's early. +YOU TALK AS IF HE WAS 12 YEARS OLD. +SO WAS ALMA'S. +YOU'RE NUTS. +I GOT AROUND TO TELLIN' HER. +JOHN, TAKE A STEP TO YOUR RIGHT. +Me too. +I find even less appetizing. +you missed the best part again. +Been drinking whisky up here. +I almost feel sorry for him. +Goodnight. +I wonder if you remember the story that Mummy read us the evening Sebastian first got drunk that bad evening. +I'm sick of the pictures already and never want to see them again but I suppose I better put in an appearance. +Come on over and say hello. +My dear you look simply marvelous. +Was that a crime? +Hello. +That means everybody is going to be watching you. +I hear something else. +Ah, well, I rather like the way Buck put that: +Do what? +Pull! +It's her dance. +And when drunk, he developed an obsession for mocking Mr Samgrass. +Yeah, it's a ship all right: +We'll put you on the screen: +- We'd better get out of here. +Servalan, nobody lives here. +Yes, Mr. President. +Over there... that one... +Our scheme panned out well by a miracle. +But I'm going to the president! +My sons are going to give you what-for. +- We're staying here. +Suite number three. +He hit his head, Mr. Bens. +- What is that club? +Hello, Dad? +I often forget faces too. +It's no use. +Help me and you'll get $1,000. +Are you hurt? +- What a good idea. +Steady +Not if it means going in there every day with blinders on. +She hasn't got a friend. +Enemy speed to 1-0. +This clay figure looks it's been moved +Probably. +[LAUGHS] +Sherlock Holmes, hieroglyphics, Popeye +- What is this? +The general laws of the organism don't tolerate metaphysical connections. +My supply of solicor ended, and I'm in great need. +At last! +Your blood is good to the last drop. +You can start on that when you come home to us ... if you come home. +- Now you don't have to start that. +the sun rises to greet them. +Anyway, not till Thursday. +No, he's not in the way. +Don't hit that with me. +'Course I've been invited, I wouldn't go without an invitation. +You think we could mug a horse? +You never had to deliver any blackmail letter. +How're you doing? +In a fight there are no relationships. +Not that. +- You girly... +I'm not stupid, you just can't teach. +He's great actor +I've got inspiration for a poem! +But he was not bad for a first timer! +Wing Chun's horse stance is based on strength, concentration and quickness. +They say your family pays people to lose to you, so their delicate vase isn't hurt. +It is that priest who is hurt, who lost his life. +Ten year old boys in my village can run carrying that much luggage. +We come to a point when liar is lying and telling the truth at the same time. +-What a pity. +Well, we have to go. +-I don't know, don't know, don't know. +You have to know a lot about it. +Who told you that Elisabeth is here? +I'm sorry I'm a bit late. +and Inspector Lastrade in "Sherlock Holmes". +I mean, ship... sun... bang! +An okonomiyaki and quick! +You'll kill yourself! +Since Antonio's death, you've become a coward! +Insipid and pale the mixture has only your blood in it! +We've nothing against the Moslems, only... +But I'm goin' row dis little boat, trust me Gawd, +- Sorry, Randall. +- Wait, please! +Stuck out in Greece. +That's it! +Return ! +- Wally ! +- [ Robbers Shouting ] +Run for it ! +Get down ! +Help ! +like good and evil, men and women, night and day. +[ Growls, Groaning ] +Quick ! +[ Creaking Continues ] +You saved my life. +Shift ! +THANK YOU. +[ Horse Neighs ] +Well, it helps pay the rent, sir. +Well, He created you, so He can't be totally-- +- And the ointment for the leg. +Come on, boy. +There are two holes, Randall. +Choo! +- No! +You mean God? +- Oh. +Yes, it's wonderful to be making a fondue again +- Get down! +Huh? +Kill me ! +- Right away. +Oh, I'd like to stay. +Drugs ! +[ Fidgit ] Help ! +Would you get your filthy tentacles out of there. +Don't see my face. +And God knows how you've got the courage to walk down dark alleys wearing all that gold. +A few birds get down there, we might be able to pull a couple! +No? +I'll take you with me. +- Aw, man, don't tell me... you let him weasel you out of more bucks. +[Horn Honking] +Mr.Marquis,is thatyou ? +- We're innocent! +- But everything is wet! +Good, you are good. +- Then you'll spend the rest of your life in the dark. +Everything is a urinal here. +- Are you sure? +- Why is that? +A tribe of desperate men launches themselves against their oppressors,... and they have all the advantages on their side,... even justice, and yet they always fail. +- There's one patient. +Not today. +He won't take a step against my wishes +You look there +I forgot. +- It looks it, doesn't it? +She caught some pretty respectable fish wearing this. +That ain't no stupid sunfish. +We might. +I don't want crowds of people coming on my birthday. +That's French, you know. +Get the net! +- You are an old character. +Oh, I still have him. +Don't you forget it. +Maybe something from Reader's Digest abridged. +I can't open it. +I know how to drive. +- Good. +Good going, boy. +For the Lord's sake. +And don't worry. +I'm going to bed. +Get back! +The brain tissue is rebuilding itself. +I think you'd be good models. +I don't want to see her! +- Rubber Tarzan ... +Hello, Ivan. +Of course. +- F.S.U. +But he didn't have the goods, this guy. +-That's it. +NED: +I should be there by 7:30. +You're watching the fire. +I just want to be sure. +- I want to see. +I noticed that. +Costanza doesn't like me. +Would you get me a paper towel, dip it in cold water? +I was afraid to go back to sleep. +You are better plugged in than I am. +You ready to hear something? +Tell me exactly what it is that frightens you. +I know. +Don't pop round with your bare anything! +- A boys' night out. +I don't think we'll have to tow it away. +You come down and join us whenever you can, okay? +Ramona. +Would you stop? +- Yeah, Vic's wife, that Ramona. +I must be seeing things. +Well, actually, I wanted to talk to someone. +I'd say you got a real problem there, Earl. +Cut! +After you. +I'll add a secret ingredient to every meal... flavor. +Markham is my patient. +The regular army rube whupped the Beacon Hill big shot. +Don't talk to me like that, Serge. +Caroline! +You've got yourself into a hopeless tangle here again, you know. +Will she come to my party?" +Looks you will have to get married alone... julie is suddenly missing. +Sure, move. +Hey, tell me, Mac, is that... is that Brownie in KH-14 still pickin' up nude sunbathers on the Baltic? +Bob Cobb, here. +Silva must have known that. +The city of Tanis is one of the possible resting places of the Lost Ark. +No? +What is it? +Not much time, then. +Sallah! +I was in love. +Help! +(EXCLAIMS IN FOREIGN LANGUAGE) +It's a date. +Slimy pig, you let me go! +(CHATTERING IN GERMAN) +How odd that it should end this way for us, after so many stimulating encounters. +Please, my friend, what is the matter? +(MARION LAUGHING) +Indy... why does the floor move? +They're not my friends. +A friend of yours? +[quiet creaking] +We can at least behave like civilised people. +Which is exactly what the Nazis are looking for. +Belloq's staff is too long. +Give me the whip! +Are you sure it's necessary? +The city of Tanis is one of the possible resting places of the Lost Ark. +That's it. +The poison is still fresh, three days. +Try the local sewer. +Come on! +Carefully, carefully! +All your life has been spent in pursuit of archaeological relics. +Get me out of here! +Blow it up. +Hello! +You would use a bulldozer to find a china cup. +I'm an American. +Ah... +Good-bye. +Turn it there! +Sit down before you fall down. +- Worth a ticket to Marrakech. +That thing represents everything we got into archaeology for in the first place. +You're as stubborn as that girl. +Quick. +Police! +And if there's any way, Wulfgar will know it too. +- Are you sure? +I want you to be a bit more careful, that's all. +Wulfgar's on the tram. +Nobody likes your crap. +I said he ain't worth it. +- What are we doin' here? +What do they want with us? +- Get him! +- How do you know? +Are you sure that this guy's even in the city? +- I'm gonna kill that son of a bitch. +She has no maternal instincts. +[ Doors opening ] +You're welcome to attend, it's no trouble +Now these brave warriors lie buried here. +They're very important people, doing important jobs. +Everything you said is kept confidential. +It's over. +- Shouldn't he be in school? +A home we all ought to take care of. +Don't be angry with me. +There isn't much. +Almir, that son of a bitch, drove off with some of the kids. +We were there for a long time. +Calm down. +Take this road maybe five six miles it's on the right you can't miss it. +Your whole life's been controlled by sentiments +You've always loved plum blossoms, right? +Who? +Aren't we all in this together? +I can't think about this right now. +I'll be right down. +She believed in justice. +Release him. +Don't turn around, and you won't get hurt. +You'll see! +Come on, fucking hell. +You don't like that. +Where did you get the money from? +Let's play, pass the card, let's go! +Mathias is still in prison. +Another little drop? +- Because I saw and I know. +What burned you out, huh? +Four days I was up here. +You happy out there, are you? +MAX: +You have one full day to decide. +Quiet! +Oh, hell! +Delicious. +Once you're outside there, split up and go as hard as you can. +- A cracked water pump. +Listen to me. +We'll never walk away! +There has been too much violence, too much pain. +What about you then? +But I don't understand... +- Perhaps with animals and children? +- Yes, sir. +Glazebrook? +Shame on you! +Let me put another question to you. +Doctor. +And Rose? +No woman'd look at him, except Huguette. +All the bastards who look away when you're in shit, who wallow in their cash, praying through their assholes that nothing happens. +So what? +- You mean still water. +You miss on purpose? +It's about your job, putting folks in the cooler, you know. +Today I'm inviting you for a treat in Trastevere +Pork meat, lamb meat +Exactly what's the intention? +Mash that tea bag a bit harder, will you? +We could be... +Oh, good. +- OK. +- Don't blame yourself. +- Ah, we're trying to catch a jewel thief. +- Radar gun? +That you've got to go +What's happening? +It's that guy sitting next to Lady Holiday and those girls standing in the back. +Pitcher, you couldn't hit the broad side of a barn! +Hey! +Thieves aren't breathing down your neck. +- Who? +This man looks bad. +We couldn't even go through Denver it's so high. +No. +No, I just gave her a little prick. +Where's he gonna sit? +Go! +[Banging] +- Brakes,J.D.! +Your friend came by. +Come here. +Here's a fine little animal. +What? +Change, sir. +My name is Katz. +Live with the guy. +-You folks need somethin'? +- No, don't call them. +(SHOUTING) +Hey, neon, huh? +I might kill for her. +What's that? +Your relationship with my daughter is over. +We've just established our rule and we have to keep it. +I can drive. +Well, I won't sell myself for one slap. +What do they want? +Get lost! +I saw the guy's card . +There's nothing to report. +We both like it. +Then , of course , it's normal . +- He's one of my informers. +Another one . +Someone is looking for him and this I can't control. +To your left. +My partner handled very few adoption cases. +Will those letters go out today? +Jessica? +What're you thinking? +Lend me a piece of paper. +I played with her for days on end. +I thought... +No. +I was tipped off by a girl there 2 and 6 for race 6 $20 each Good tips? +That's it for the day +What a silence, I do not like it! +- That is just perfect. +Hello? +Let it loose, then pull it. +Then it is excellent. +-You're at the best bank. +What kind of surface might he be running on? +-l'd want you to call the number. +I mean, I love you. I know I love you. +-You can't be careful enough. +Those retaliations have nothing to do with our assassination. +Is that all you can think of? +You're a good boy. +It was all a mistake. +Party aboard, make safe the hatchway. +Have a good trip. +I doubt it. +Another of your works! +I will pass it on. +I am not losing my deniability. +Well that sounds fine. +- If I might render an opinion from the bench... continued hysterics from the witness might tend to undermine her credibility. +My deposition ought to help. +I've found absolutely no hard evidence that points to Corporal Klinger's guilt. +Don't leave a drop. +We could debate that. +Hi, Doug. +Excuse me, could you tell me where Cartier's is? +Stab one of the guests. +But will notraise a fingerto lift the IoadthemseIves. +Say nothing... say nothing and be still... +I've... got a neutrino beacon. +Your father felt guilty towards your mother +I'll have the baby +Why are you here? +Maybe it's just me. +Very interesting. +Of course +Brother Shimen now we can continue to fight... without stopping +I don't know them... that's why I bet on Shimen Chueishiue +I have come to kill you +That's a good way to stop him. +I expect them any moment, but due to circumstances beyond our control, they've double-booked. +With your permission, Black Duke, you are the one responsible. +A day. +Excuse me, do you have a toilet? +Have you turned the gas off? +- What's wrong? +We're not going to get busted. +Sherlock Holmes does coke and he isn't so stupid. +Sherlock Holmes? +Noodles, get your hands off me. +I feel like doing something real freaky, you know? +Sherlock Holmes does coke and he isn't so stupid. +Sherlock Holmes? +You go to the bank to cash checks. +Sherlock Holmes does coke and he isn't so stupid. +Sherlock Holmes? +- Thanks a lot. +Sherlock Holmes does coke and he isn't so stupid. +Sherlock Holmes? +I won't hear of it! +Midho, write. +Dad's calling you. +Come on, give me your hand. +I`ll be like this... +We're gonna go to clinic, all right? +- I know. +- Well, come with me. +All right, Annie ... +LOOMIS: +I didn't. +Stop! +He doesn't want anyone from the mental health department anywhere near Haddonfield. +Do you have any idea of where else they might be? +Tonight after I shot him, where did they take her? +Pending notification of their families ... +Dr. Mixter! +Carr ... +Dr. Rogers is just afraid that this could jeapordize our whole rehabilitation program. +Hi. +Get you that Coke later. +I want a sweep from Chestnut south to the bypass. +You were late again tonight. +In the fall we have a competition to see who's best at skinning a hare. +- lt gets sold out right away. +I think we're beginning to make it work between the two of us. +She did fine. +Until he hits the operating table, we're not responsible. +- Margaret! +You're crazier than I thought. +OK... +I guess she went home to change for school. +Please, don't do this! +"Ju bin restaurant" +Come on, don't be afraid. +I... +- I'm going to take a shower. +Last night you were so passionate ... +Don't raise his blood pressure. +Major Moreland requesting permission to speak. +Yeah, well, don't rush into anything. +You killed him. +We couldn't trust them to stay with us. +That Bache will come in and save the day. +- Thus spake Saint Bache. +Might I remind you of something you said years ago? +Halfway between Bismarck and the King. +Bayreuth is in danger of never opening again. +Do you remember a bust you made when you first came into SIU? +He's all shook up because his brother Tiny was on life parole for murder. +She's been wearing a wire for six months. +- Easy. +She's been wearing a wire for six months. +It was a very sweet bust. +The risks he took for us. +Next time we go first. +Yes, it is. +Ladies, will you excuse us? +- What will I do there? +Never. +- Drop your shorts. +Quote, "I'm not saying I did anything but if so, can I get the same deal as Ciello?" +- I'm okay. +She's going to be okay, thank you. +Bees. +Long, long, long, long time. +- Yeah, I take a bust. +I mean, much faster. +I'm just askin' you, you know? +Aah! +Ten or 15 years ago they'd have dumped 'em in a funny farm somewhere. +That's lovely. +You're lucky you've got such a nice baby. +Here. +- Hold it. +Ten months and you're on the street. +You give Joseph 20,000 for month number one. +Have Julio wax the floor, will ya? +[Man #2] Wanted for robbery and escape... +You gotta get to where nothin' means nothin'. +- You are scared to death. +You one of those burned-out, demolished wackos in the joint? +Yes, he is a good friend of Constable Tieh +Spaceship Astra has left the Solar System. +Of the henchmen that blew up your "Gaya". +Of the henchmen that blew up your "Gaya". +He's in his second year of pre -med. +Listen: +-No, he's not here. +No names. +It makes no sense. +(yelling) +He just might. +Those teeny motors. +(gong rings) +I'm betraying him, but... this brings me small rewards. +It isn't normal, it wasn't even human. +There's only a smoking hole that the police won't allow anybody to come near. +That's the way it is. +You must be... +If you really thought about him, you'd give a thought to us, for Christ's sake! +What's gonna happen to us? +I can't exist by myself because I'm afraid of myself. +Tired boy. +My Mummy! +(WOMAN LAUGHS) +(LOUD PANTING) +[ STOMACH RUMBLES ] [ GROANS] +I went to see this agent I know to tell him I was interested in directing plays again. +And later, when I got home, I realized I'd just been desperate to break through this ice. +I can snuggle up against you even more because it's cold. +You see, he'd invited me to come to teach that summer in Poland. +- You know, Hitler's architect, Albert Speer? +I mean, I sort of feel, uh, I'm not sleeping quite in the same way. +- Well, I could give you a good example. +I mean, he could literally go like this... +Well, what we'd do is just sit there and wait for someone to have an impulse to do something. +And, uh, then we joined the dance again. +Must have been left there for about an hour. +- Yes. +Well, so he got to know the faun, and he got to know other fauns and a series of conversations began and more and more fauns would come out every afternoon to meet him. +The gales blow, and the roof should fall off, but it doesn't fall off. +-We're just going around all day like unconscious machines... and meanwhile there's all of this rage and worry and uneasiness... just building up and building up inside us. +I mean, I read it. +A baby holds your hands... and then suddenly there's this huge man lifting you off the ground... and then he's gone. +Hold it! +Little acorns. +Enter, illegal move. +It's Sidney Poitier. +Isn't she always causing you trouble? +He can come down himself. +The bearded, barefooted brother in whose charge I was put the man of no scientific attention who bit the dirty drops of the work had a different story. +The bank manager was very helpful. +You banged into me! +I'm married. +- No, not really. +There has not been a day in your life that I have not carried that same picture. +I'll take a look around up there. +- Come on! +On cue, the one on the camera was simply revolved 90 degrees, making the filters on the glasses appear totally black Cliff Pinnock's idea, that was. +We're going to die! +'In order that some sense of mystery should still be preserved, 'no revelation will yet be made 'concerning whose upper arm has been bruised. +But you shot at us. +- Shall we go out there? +- They're hot, I'm tellin' ya. +- Go get him, Tiger. +You'd be an idiot to mess with those shitkickers. +But if we find out he's drunk, we're gonna book you as accessories. +My, you look nice this morning. +[Laughing] +Hey, Turner, if Pee Wee's with you, you better cover his eyes. +- No. +Manslaughter. +- Pee Wee. +Excuse me, but I couldn't help but notice what's been happening here. +Hey, listen up. +I don't know why. +I... don't... don't... +I thought she had better taste. +mickey: +My name is Mindy. +PORKY: +mickey: +She's drooling. +Wendy! +- They're for you. +- That lying' bitch. +- Stop talkin' and start drinkin'. +Hi. +- Man, this broad is really hot. +- You gotta let me do it to somebody. +- Yes. +Goddammit. +These broads are hot. +- Yeah? +Moral turpitude. +The 400 metres. +- Thank you, sir. +Everyone runs in her own way... ..or his own way. +I know, and I'm glad to know you, sir. +Many a dead man would have liked a share of it. +I was sure of it. +(starter) Silence! +To dinner? +- He's half Arab! +To make folk sit up and notice. +He's just set eyes on her. +His head's not back yet. +(Eric) Good night, sir. +Now... +For his country's sake, yes. +Dear Mum. +(applause) +You're being trained by a professional. +Best of luck to you. +Aye. +He ran them off their feet. +It's so full of it, you've no room for standing still! +Hear, hear. +Leave him be, can't you see he's whacked? +Aye. +To win is to honour him. +Are the Yanks so well trained they'll wipe the floor with our boys? +ANDY: +I'll lock you in the room +You're being unreasonable +Don't let them run away +What are you talking about? +- Get away +You're from countryside. +No +Well? +- No. +Suppose the Loop will protect the Earth from the glass virus. +Go ahead. +A broken nose and teeth was the damage. +I can hit a seven iron 500 yards in this place. +No one here will stick their neck out for anyone. +But that doesn't happen too often. +Not detonators. +You're so bad. +Get me a violin. +You must appreciate the position we were in! +He's a leader prophesied to deliver us from our enemies. +Fat! +- Okay. +I'm on a spending spree! +I was caught in an unexpected problem! +What do you think Mr. Amit? +Inspector, where is my wife? +And you cracked your nut. +I can't live like this torn between him and us! +You figure it out. +Wanna play Spin the Bottle? +Come on! +- No problem. +Yes, sir? +- Yeah. +Who are you? +You ain't got none of it. +When we first met, I thought you were kind of screwed up. +- We'll just look? +Black guys, help the white guys, okay? +I'm gonna blow it. +Which is perfect for me. +I had a real bad day. +-What are you doing here? +It's me. +Now, sometimes the Army's your best shot. +And now? +You're gonna finish basic training you're gonna keep your mouth shut and do everything he tells you. +You're kidding. +Okay, let's go. +This is the EM-50? +Do you know what it's like, loving you? +Thank you, you reassure me. +- Is it true, daddy? +- For four people? +He plays at the Grand Hotel's bar. +[Growling] +Into an orbit 1,000 times more vast, an orbit which was to return Buck Rogers to Earth: : : +Are you all right? +Even so, it could have been just a coincidence. +lt`s lime powder. +Here we go. +l`m right behind you. +Oh, good night, Sarah. +- Come on. +- Where are you taking us? +T.J., you get your ass up top to 217! +I'm scared of heights, you guys. +- That's where he probably is. +As the years come and go +We were told there's a property due south. +You're mad. +lost our train. +Tally-ho! +Have a look at this, fellas. +(CHEERING) +- You registered? +Don't know exactly, but it was the Germans' fault. +No bullets. +Quiet! +Hey, Archy, him wash. +I reckon the Turks got machine guns everywhere up there. +Who knows it better than him? +Yeah, I know, Henry. +And this- this animal came after him calling him filthy names! +Have you been doing that a lot? +If I was your daddy- +Unless you want to die young. +Don't forget the vitamins. +I just went for a swim. +Bravo! +Awfully clever the way you've hit off the impression of heat. +It wasn't my idea in the first place. +Not for how many nights? +The director of this institute, Dr Gowe, has stated: +Oh Maria... +- Yes! +- Welcome to our home, dear. +- Agnes! +- No, but Frederik ... +Not anymore: +Tsk, tsk, tsk: +Please, please: +I haven't fallen so low that I'd go crawling back to an old lover. +Mother, this thing... +Let me help. +and it will be fine. +- Over here. +- Hey. +He had to go the hospital this morning, I'm sorry I was rude to you. +- See if you can find it for me, Dan. +- You get away from here. +And the little boy? +Look, just let me go upstairs and get the boy's medicine. +- Sir. +Do you mind if we take a look around? +How do you feel that went, Minister? +Welcome to Joppa, Prince Perseus. +The priests prayed, read the signs and declared that Thetis was angry. +Toward the swamps! +As I bind their hands with this silken thread bear witness that as she is my heiress so Perseus becomes my heir. +I will speak to them in dreams and omens. +Acrisius must be punished and his people with him. +The gods are truly remarkable. +Come a little closer so that we can get a better look at you. +I turned myself into a shark. +- We've searched the lakeshore. +-His name is Bubo. +Far to the east, across the sea in Joppa in the kingdom of Phoenicia. +Only from a dream. +Nothing. +Isn't that right, Manu? +Let's go. +Dogs are strictly stimuli-motivated. +I'm fine. +Passion has known better times. +What do you think? +Once every 2 weeks, 3 weeks. +(GLASS SHATTERS) +From the looks of 'em, must be ballerinas. +Your problems are over. +Yeah, the Vaqueros. +No. +I was just saying what a great cop he was. +See? +You can imagine, it took a lot of explaining before they sent me down there, before I would slide their guns into my suitcase. +That was smart, now you have no more coffee. +You heard it, reason dictates what politeness forbids. +Hurry, they're coming. +We'll stop him. +How many are there? +No, I'd go see yours. +What is it with this shitty neighborhood? +Where are you going to put him? +Even if I did, what for? +Then how come my dishes are dirty? +You ever hear about "Summertime"? +Everyone in? +It's terrible the way the papers write about your sister. +You exploitet me, wrote about me like every bourgeois journalist. +And every morning he ablutes for church, or for the Ritz +Shakespear e ! +A leather coat, at least? +Dr. Kr oge asks you to appr ove the next poster. +They are completely drunk. +You, a German. +Hendrik, will we look lovely in this play? +I'm so cold. +You're an actor yourself. +Hendrik, Berlin awaits you. +Hamlet is the tragic conflict between action and inaction. +I told her you wer e abr oad and didn't dar e r eturn, for certain r easons. +Here. +There we are. +Early birds ready to catch your early worm, ma'am, us Londoners. +That is so. +And you were no longer... cruel? +- They're growing up like wildfire. +I shall never, like them, have children and a husband and the pleasures of a home. +- Mr Charles? +You will kindly remember that he comes from London. +- do you wish me to leave the house? +So are you, Charley boy. +- Like some more wine? +What did you do with those birthday candles, Franz? +-Release him. +Hello, Blondie. +I THINK WE'LL HAVE MAYBE 6 PUPS. +TO THE LAST TANK, TO THE LAST AIRCRAFT THEY POSSESS. +-l keep thinking-- -lf the war is lost... the people of Germany will be lost also! +-Oh, no, I couldn't take it. I couldn't. +"Red One". +Come here, you girls. +OH, COME NOW. +How's the water, doc? +Do you know at least if he's a good man? +There is no vegetation, either. +But on Oxo, there's almost no change in us from beginning to end... +Not that little... we're both 20! +What's gotten into me is that I'm a cuckold! +If it's icy cold, it slices through your stomach... but this one...it slides down your guts... like the morning dew on the leaves... +- Mmm. +Uh, take anything you like. +Oh, God. +It'll be fun. +[Door closes] +I had a cousin in the boy scouts. +Oh. +What is it? +Not one word. +esus H. christ, where the hell were ya? +Hi. +If there are any questions, Dr. Porter will be more than delighted to answer them. +But he's back in our lives. +And who beats all the odds. +You're worried about your parents. +[PHONE BEEPS] +I see, and where do you intend to raise the capital for this new venture? +I've had a hard day. +Where's Krystle? +I'm gonna tell you what or where, but you gotta give me a little time. +I'll get to them before I leave. +Come on. +You might have phoned from the lobby to tell me that you were on your way up. +- She can stay as long as she wants. +No, in this case they've asked me to contact you personally and to tell you that they have invested in a recording studio here in Denver. +You bitch. +In the next room, Mr. Carrington. +- Well, thanks, Max. +If we can work out a horse trade... +[Clears Throat] One, two, three. +I'm the only person that knows where the gold came from. +Is this all, I will tonight. +Well... +That there. +Good morning, Sophia! +If you can mount him, he's yours. +Here's my library card. +- Two, I think. +Whatwas I to do? +- Who said it originally? +Yes, ever since 1867. +Have you called the police? +Really tore him off a strip because of your economies-honours scheme. +Minister, her Majesty's civil servants spend their lives working for a modest wage and at the end retire into obscurity. +Bears have these too +So. +Has been issued +And-where is Ine? +AMERICAN LEGATION +And tolerance for +Janet? +I'm looking for trade +Scrumptious, meine Liebling. +As a matter of fact- +Mr Martinaud didn't say exciting, but informative. +How was the weather, that evening? +My wife's not waiting. +Occupation. +It was Eights Week. +While you are here, you shall not be dull! +That day, too +Everything is shut up. we'd better go in this way. +"The lovely daughter whom Lady Marchmain is bringing out this season witty as well as ornamental the most popular debutante. " +I had added a sad and grim strain of my own. +- Of course you do. +Nine-Finger Beggar told you come to visit Emperor Duan ...not anyone else? +Taoist formation and secret equipment is matchless +And the locksmith. +Go to sleep, Hatch. +Give me some balls, Charley. +Now, that will be all, Colby. +And we have seen some very good football. +All right, you're sworn. +[Both Shouting In Foreign Language] +Every two weeks. +We ain't gonna just give it to you. +Sugar? +Do you want to leave? +Where? +There are 100 billion stars in the Galaxy. +I picked up news of their arrival a few hours ago on my sub-etha radio. +- No! +Here, the script called for drunken aliens in the style of an 18th-century Hogarth engraving. +Separating trash? +- The regional Secretary. +I'd be at the shipyard today... with the boys and with my daughter. +I've been reading a lot lately because I've had some time. +They wanted to fire you. +L'll take some gasoline and set the party committee on fire. +Let's go. +This thing isn't over yet! +The best way to screw them is by taking the money, Bengoa. +Nd he's also well mannered. +But I've only just arrived. +You couldn't have made it more beautiful for your own daughter. +But the question about goals still stands. +I told them I wanted something a little sporty. +It's so rare that a man gets flowers from a lady. +You don't like plants? +It wasn't that funny. +Well, as long as you're here, aren't you going to go? +Registrar's office. +Now lay down on the bed! +When in Capri the blood- red sun sinks in the sea +Anywhere. +Oh yes, Father. +Sweat those extra pounds off. +A little far from the front, unfortunately. +Look how beautiful they are. +I do not know... +It's a baby! +This is a real blonde? +However, he is cleverer than you are. +"I don't say it, it has be,en written in scriptures. +I too will have a father like you. +If you help him today. . +Look at him. +Kunwar, at that time I decided not to marry. +He may dirty this place. +You have made me a brother. +Bhima, beat him up. +It's my town. +Remember that my name is Kailashnath. +Certainly. +When are you both going to meet again? +Siegfried will not even look at anyone but Odette. +Alright, calm down... +Teacher Yamagata and +Quick. +I'm going in. +For what? +PLISSKEN: +If you're not back to the car in four minutes, you're on your own. +we're gonna have their best man leading the way from the neck up. +Snake, Snake, Snake, Snake! +No more Yankees +My diagram of the bridge. +Nobody wants to meet the Duke! +AIR FORCE ONE." +- What do you want? +We are in a standby situation. +Nobody else made it, Hauk. +We're moving down. +Yeah! +Harold Hellman. +Figure out things for him. +'Cause I got orders, that's why. +I got caught after dark. +- Go away, Cabbie! +- What does he want? +- Hello, hello. +- Yes. +I'm late. +- Stop? +Why did they want to kill you? +- Yeah, but who does? +" [Quid] H I +Alright, alright, make it three. +He is only a part of it. +[ Floor Creaking ] +Well, Doctor. +- But the thing worked. +Get out of here! +One moment, please. +We panned a gravel at the Manyoca River Bed for over a week with the help of some local indios. +No Pat. +(speaking foreign language) +How could they not be uptight after what happened? +ONLY THEN WILL HE HEAR YOUR WORDS! +I KN... +I-I-I PREDICT... +WHAT'RE WE DOING IN HERE? +Some of this time with you, is that true? +- Is that Sturgis? +THIS IS POPPY. +Did you have any problems? +I was your guest once, now you are mine! +Thank you, Wilcox. +It's my mother's way. +This will only take a moment. +"I will bet on nobody else but the Ogaki-ya boss from now on. +A brave worker, right? +- Yes. +- Ok, let's go. +Don't cry. +- Are you a good shooter? +Talk to me about Savelli. +- Where's the girl? +It really looked like it was dancing +Little boy +You said a lot of people. +Please forgive me but I had to do. +Ada's friend. +My baby looks like him too. +What's so strange? +See good matter that you do! +170 over 100. +- I can't afford to get sick. +♪ I'm talkin'about ♪ +♪ If you go to Harlan County ♪ +We want you down there at 5:00. +- Who did it? +- What happened to her? +Oh, Dad. +It's full of grease. +I think he can even imitate you. +Mr Jerome wanted a lock that couldn't be picked +Does Mr Santini do this trick at the same time every night? +Oh, I didn't know they had one +HA HA HA. +I would have talked you out of it. +My son, I've something very important to tell you, so listen carefully. +What a pretty thing a fire is. +-Well, it looks as if it's all clear. +Both the women. +- The meeting right here, two months ago when you said high priority was: +Nothing. +We're very proud of her stunning professionalism. +That frigging McKay, he's something, isn't he? +The dirtiest. +$75, you pay me first. +Not this time, Frank. +What is it you want, Callahan? +Damn it. +They said the mayor was killed. +Karl, there's 25,000 volts in this thing. +Good joke! +I've had only three real friends in my life. +You can't, Hsiao Tieh's my friend - and no-one can take anyone out of my hands +Have one more mouthful +On finding out that, father had him killed +Yeah, that's only the beginning. +Or to Paris. +Ruxandra ! +You were a Judas in 1907, and what did it bring to you ? +Yes? +i'll have a look +shit +Get him a little bit of rub-a-dub-dub and who knows what all. +Look. +Breakfast is ready, Mr. Blake! +It's just Thor upstairs balling a goat or something. +- Mary Tate, let's go. +Yeah, you do. +My dear Craig... it has been five months since your father... and my beloved sister... died. +Black belt. +But from what I've seen, you were the underdog. +- Yes, ma'am. +Of course not. +Germaine, you'll tell Charles to turn up the heat. +- I don't know, I never asked her. +He's breathing. +Soon there'll be huge damnation +You must have learnt a lot already. +You're so unreasonable. +It's good that the new comers talk about... what Wu and Fang did in Guangzhou. +You know we must stick to the programme +We can build roads instead of houses +What abut the Warsaw trip? +What will you do with it? +And the frequency? +- Hello. +Here is the menu. +- Up there, Dora. +Where's my husband? +Let them think I'm a pansy. +No doubt, same as you. +It's just the cat. +-I don't understand, sir. +Never underestimate a Frenchman's nostrils, Miss Twain. +I think we picked ourselves a queer bird, angel. +Indeed. +Get up. +She's giving my palm the finger, the dirty broad. +Forget it. +- It's behind the bed, sir, there. +You saved our lives. +Gas! +-I wouldn't, Goldman. +I need to talk with the cook. +A stunt done with mirrors. +Cow say they in room. +Not steam. +- It's behind the bed, sir, there. +What did it sound like? +No one could get in. +And if I was, I wouldn't haul my own kin seven mile for nothing. +Turn out! +Any attempt for a compromise... +On my left is - Tiger and Crane Fists, Lee Kun Man! +Your room is on the second floor. +Inside the Flying Guillotine, there's a ring of knives which can't be thicker than an axe. +But the distance is still too short +We finally find him! +To consolidate his power +The king is fortunately in good health +in the year 1730, during the reign of the Emperor Yung Cheng, one of the early emperors of the Manchu Ching Dynasty many kung fu experts were recruited by the Emperor +Yes, your Majesty +Mister +We're expecting guests. +It was, Your Grace. +Now, we'll start off with two nights a week. +Why are you telling me this? +So, I couldn't even attend his funeral. +Don't worry, mom. +- I'm taking my rest period. +Well, where is he? +(general conversation) +What do you think? +Gazzo wants the 200 now. +I may have broke my ribs. +- Oh, Mick was lookin' for you up there. +Apollo Creed does. +A very happy New Year. +- Go out and enjoy life. +Why did you do that? +I get the robe. +Rocky, you got any representation? +You wanna help me out? +They really wanna know how you got into this. +Uncle Sam himself! +Foryou in foreign countries, during World War i... the picture of Uncle Sam with his finger pointed like that... was a recruiting poster for our fellows in the service... the army and the navy-- ¨¨i want you.¨¨ +Well, no. inventing' jokes ain't so easy sometimes. +Do you wanna see me get my face kicked in? +Hang out with nice people, you get nice friends. +Mick was looking for you. +Enjoy life! +He's working now. +Rocky. +You ain't never had any luck, but this time Lady Luck may be in your corner. +The buzzing in the background could be the challenger getting into the ring. +Why don't you take off that hat? +Hey, we ain't got any beer? +Come on, Rock! +He's always in a bad mood. +I think it was around Philadelphia... and his arm... he was left-handed, and his arm was facing towards New Jersey, you see, and that's south. +You become a very dangerous person. +Rocky? +Paulie? +It works. +WYBG +- You're breakin' my jacket! +It's very smart. +'Cause you can't sing and dance? +Mr. Rocky Balboa to see you, sir. +- We'll make some money real soon, huh? +Whore. +Right on! +- Don't leave town. +Listen, Bob. +- You understand? +Nothing. +- Of what? +Anyway, he put this vegetation on my ear. +And now for the main event! +Don't go. +I wanna let Rocky out, then I'm gonna talk to him. +i been out there, walkin' around, thinkin'. +He's working now. +Stick that up your business. +Just a little. +Rocky, you got any representation? +- No! +Don't leave town. +You don't like me? +Who am i kiddin'? +Some meat sign on the back of his robe. +Look at my dress. +After which you'll thank me for whipping you into perfect condition. +Have you decided about restaurant the Petit Versailles? +My son has a giftt for you. +Are you any relation to Machiavelli? +Careful. +But dad, you just fired me, remember? +- That's what it is. +- Where to? +Gina, escargots. +The test of the childrens' deserts, sir. +Gérard, speak to me. +Well... +- Yeah? +I'm sorry. +Oh, yeah. +Not Mom. +Ow! +Mrs. Matthews thought Mrs. White was gonna handle this. +What's with her? +Why didn't you tell Mom about your secretary? +That is an important playoff. +Four. +Okay. +I'll sign it when I come into the office tomorrow morning. +We won't be long. +Stefano. +Stay there. +They're going to the furnace. +He had a credo that went... +Yeah, but it's kind of smelly. +I guess his fame was why somebody or other was always after him. +All right, I'll examine you. +No. +#John Bernard Books # +The death of others? +Don't worry. +That's still my money. +- What? +You're rocking the boat! +Hey, come back! +Well, I'll tell ya one thing. +Come on. +Bluebird, take a seat anywhere. +Don't yell at me. +That's why I'm goin' back and get my money. +They are not half as smart as you are. +What the hell are you doing here? +I'm late for an appointment. +- It was Ellen. +- There's no way of testing that. +Okay. +- Hurry up. +What else is there to do on this earth? +- How soft your hands are. +That's right, pal. +Giving our position away to the Nazis, eh? +Why are you at Columbia for your doctorate? +Please, Babe. +Erhard! +- I'm talking to you, mister! +- Why? +- He must have. +Tell us the subject of your dissertation, please? +I was down... +He had a bunch of political hacks called The Tweed Ring. +You're a menace! +- They were afraid. +Why didn't Doc tell me? +- Anything we can show you today? +- You really are uncouth. +We're all gonna take it easy. +We've been in Rue Daguerre since 1933. +And now I'm asking the Spirits... to make my hand appear on any of these slates. +They're consuming me... +That will have to suffice. +I'm coming inside. +All you learn is to hate your body. +Do you ever worry about dying, Fitz? +Well... what do you girls do for a living? +- He loved life. +Harder. +Who are you? +Behind! +They're not really to be pitied. +Anything you want except rum baba. +From Beauvais to Lourdes... even as the crow flies, is quite a trek! +He hasn't even been tried yet. +Jean-Baptiste Clement's songs for the Commune, +Presenting Mr. Esbrook's new and improved paregoric. +Like Dr. moriarty did to Sherlock Holmes in the case of-- +Tommy, no more of this Sherlock Holmes nonsense. +Sherlock Holmes was almost killed solving that case, wasn't he? +Have you read Sherlock Holmes, too? +Yes, Hans. +Navy or merchant? +The bread goes boom. +- What about you? +He's very susceptible to flattery. +Let us sit and tell sad tales... about deserted daughters and lonely husbands. +Why do you wanna do that? +It's all yours now. +Please hurry. +Don't shoot unless you want the kid to get it! +Be quiet! +Thank you +He's gone +Ms Mo. +I don't have to explain until I've completed this experiment. +I can tell you now, this is not gonna work. +If you're gonna copy him, don't copy the destructive parts of him! +I look at an old photograph... and I tell myself I'm looking in the mirror +- The part in the back near Chapter 83 about the Bigfoot who was supposed to be a creature from space left here to spy on us? +Come on. +Five. +- Who was that, Nick? +- Oh, I love you. +- Do I repeat myself when I talk? +Stop this foolishness. +I'm in a hurry. +That's true. +Show it to me. +Hey! +That good-looking friend of Papa's. +You are lost if you yield to them. +Nonsense. +Oh please, I'll take it off +Puffy! +Of all cars he stole an ice-cream truck +Kids nowadays are too smart +You're finally going to get what you really need. +- Unfaithful? +Do you have to jostle people? +Bloodfarts. +Yeah, I do. +You're very fast. +Mr. Harrison is here with his 2:30 appointment about the police bill. +I'm just through with all that tomboy stuff. +That's got nothing to do with it. +Joey! +- l'm a damn loser, and you know it. +YOU'D BE A TOUGH OUT. +WITH LIBERTY AND JUSTICE FOR ALL. +Got a big surprise for you after too. +With Suketomo's child +This is Wakabayashi, I wrote the letter +And you witnessed it +I curse you +Don't worry about me +Tell me. +I asked you if you love my wife. +Come in! +Carter. +Hey, we'd best not get too mucky or they'll wonder where we've been. +Well, what will you do, Bert, after the ponies have gone? +Oh, a river +Good Friday. +Making any movies? +There's a child here. +I can't see. +No money, but I found 2 tickets. +All right, all right. +Well, it's all very peaceful. +I don't think I've got over you going off like that to London. +-Yeah, he looks harmless, doesn't he? +I can't hold on any longer +Don't take my money... +You will +Then he died for nothing? +3rd Brother, stop +Captain Radl? +Forgive Elizabeth, but he and 'the last person who could give advice to anyone about anything. +If there will be 'a war, if Andrew will have to' go away Is rest alone. +I climbed the wall. +- The gallstones? +- Er... +All my love is yours. +- John, I've had inexhaustible patience. +Man, that was great. +- That's why I brought the pizza. +Let the stretcher through, please. +- Excuse me. +Are you an alcoholic? +- Let me finish before I forget. +I'm too loud for the songs, too quiet for the jokes. +The tour's a disaster and the promoters won't take that kind of shit. +- Who would send us an empty bottle? +You're the only one I ever met that didn't claim to know everything in the whole world. +- Dammit, woman... +And the dust clouds rolling +I'm in the mood for love +I wouldn't wanna be caught by them guys with a sign that looked as awful as that. +No. +We been all over. +I'm a hard-workin' ramblin' man and I go from town to town police make it hard, hard everywhere I go and I ain't got no home in this world any more +What's the matter with you ? +In Meursault, they tore them down vine by vine. +Paul... +You'll get all of our affection, since the others are gone. +Yes, sir. +Then you will die. +I don´t believe that story about Josey Wales. +I've seen patrols of soldiers all day. +I got the gold right here, Pa. +Where´s he going? +Let Wales be. +I got you a horse. +One dollar a bottle. +That is I'm sure they'd sell you one. +- Like what? +So you can pledge loyalty to the Union. +Never heard of Comanches traveling in two-wheeled carts. +Here we go. +You drink it. +I ain't holding back on account of you, you thick-headed grasshopper. +Shut up, Lige. +Now wait a minute. +Leaves dead men wherever he goes. +Damn you, Senator! +You were here. +Daniela darling, where have you been? +Shall I turn off the lights? +You mean, you have friends out here? +You reminded me of someone. +This is America. +No, I'm just Daddy's little daughter. +We'll have to call it off, Red. +I'll tell you three things: +Well, I guess some of you believe in it. +- Oh, I'm looking for someone. +Everybody, slow down. +Behaving like a couple of pirates. +Talk? +It was October 24 in the year 1891, that I heard for the first time in four months from my friend Sherlock Holmes. +Have you ever heard of Professor Moriarty? +Professor Moriarty. +I come to you sir, because I know from your published accounts that you are Mr. Sherlock Holmes' most intimate acquaintance. +Professor Moriarty? +And Professor Moriarty as well. +We are here to see Professor Moriarty. +-This is Sherlock Holmes. +I warn you, you best confess or it will go bad for you, Professor Moriarty. +He and your brother paid Professor Moriarty to journey here, in the hope that you would follow him to my door. +The viper... turned into Professor Moriarty. +Professor Moriarty? +Sherlock Holmes' attempt to escape the coils of the cocaine, in which he was so deeply enmeshed, was perhaps the most harrowing and heroic effort +Do you remember Professor Moriarty? +Professor Moriarty truly occupied the role of my nemesis... was when it took him... three weeks to make clear to me the mysteries of elementary calculus. +I think you'd rather come with me. +Fräulein Devereux, this is Sherlock Holmes. +Dark haired... he wore a bowler. +My name is Sherlock Holmes. +Professor Moriarty? +Professor Moriarty. +Professor Moriarty, I mean. +We understand not only the origin of his addiction and his hatred of Professor Moriarty, but also his suspicion of women, so well recorded by you, Doctor, and also his choice of profession: +It was October 24 in the year 1891, that I heard for the first time in four months from my friend Sherlock Holmes. +Have you ever heard of Professor Moriarty? +Professor Moriarty. +I come to you sir, because I know from your published accounts that you are Mr. Sherlock Holmes' most intimate acquaintance. +He says it generates an unhealthy excitement in the criminal classes +Professor Moriarty? +And Professor Moriarty as well. +We are here to see Professor Moriarty. +-This is Sherlock Holmes. +I warn you, you best confess or it will go bad for you, Professor Moriarty. +He and your brother paid Professor Moriarty to journey here, in the hope that you would follow him to my door. +The viper... turned into Professor Moriarty. +Professor Moriarty? +Sherlock Holmes' attempt to escape the coils of the cocaine, in which he was so deeply enmeshed, was perhaps the most harrowing and heroic effort +Do you remember Professor Moriarty? +Professor Moriarty truly occupied the role of my nemesis... was when it took him... three weeks to make clear to me the mysteries of elementary calculus. +Fräulein Devereux, this is Sherlock Holmes. +My name is Sherlock Holmes. +Please, gentlemen. +Professor Moriarty? +Professor Moriarty. +Professor Moriarty, I mean. +We understand not only the origin of his addiction and his hatred of Professor Moriarty, but also his suspicion of women, so well recorded by you, Doctor, and also his choice of profession: +It was October 24 in the year 1891, that I heard for the first time in four months from my friend Sherlock Holmes. +Have you ever heard of Professor Moriarty? +Professor Moriarty. +I come to you sir, because I know from your published accounts that you are Mr. Sherlock Holmes' most intimate acquaintance. +Professor Moriarty? +And Professor Moriarty as well. +We are here to see Professor Moriarty. +-This is Sherlock Holmes. +I warn you, you best confess or it will go bad for you, Professor Moriarty. +He and your brother paid Professor Moriarty to journey here, in the hope that you would follow him to my door. +The viper... turned into Professor Moriarty. +Professor Moriarty? +Sherlock Holmes' attempt to escape the coils of the cocaine, in which he was so deeply enmeshed, was perhaps the most harrowing and heroic effort +Do you remember Professor Moriarty? +Professor Moriarty truly occupied the role of my nemesis... was when it took him... three weeks to make clear to me the mysteries of elementary calculus. +Fräulein Devereux, this is Sherlock Holmes. +- What has happened? +My name is Sherlock Holmes. +Professor Moriarty? +Professor Moriarty. +Professor Moriarty, I mean. +We understand not only the origin of his addiction and his hatred of Professor Moriarty, but also his suspicion of women, so well recorded by you, Doctor, and also his choice of profession: +So I said me, I'll take this, waiting for something to complete +And I worked for Gaumont only since January 1st +Since have already compensated +Sit properly to sit here +Good of that I go to buyed +-Nothing here ever changes. +And the people who translated the i Ching into French called it the book of changes, the book of mutations +See? +Pierre will find those plans within 24 hours, and you'll be none the wiser however long you stay. +... +- I know that guy... he's a bitch! +You are not my father! +Miss T, I understand why you might not want to trust us. +She hasn't seemed upset about anything, has she, Ike? +Lucy Arnold was my best friend. +How many hair ribbons you got now? +Let's go! +No, no. "I think it was GK Chesterton who once said, +Now, Charles, please, I'm not going to have to speak to you again, please, really. +Your father has spoken, dear. +- That I want to read. +We'd like a car and a moped comes closest. +Doctor, is it possible that we can ask Prof. Warren a few questions? +Gentlemanly? +To assume, you didn't fill it up before we started? +Buffalo Bill... +The fans won't like it. +"The Honorable William F. Cody." +Our distinguished and delightful First Lady has an announcement. +Hello, Mr. Cody. +Mr. Giovanni gave it to me in change for my frogs. +And change your clothes, was is over! +Everybody will! +Imagine us in the living-room, in silk dressing-gowns, listening to the radio, while a servant pours us two glasses of Marsala wine... +Coal for sale! +Kill them! +What do you want to do? +What did my kitten do to you? +Oh. +Have a good look at those subversive swine. +I don't want it to look elegant. +What do you think of Alfredo? +I have one thing to say. +Can I speak? +Anita, this is a popular trial, what do you want to write? +(LAUGHING) +(SHOUTING) All I need is a real man! +Two of us have read them. +They're taking them away. +And then you know what happened? +Tell me! +What do you want? +Look what a nice baby I made. +I know that whenever they go out like that, there's trouble in the making. +Come on, let's search through there. +Why don't you stay here and eat with us? +Shoot! +-We're not in school now. +-Sit down. +Pass them. +You're not Alfredo. +Oh, stop it. +Your son's filthy. +This one's still squirming. +You know what they'll do. +The villa. +(WOMEN CHEERING) REGINA: +He prefers the novices, and he neglects me. +And you belong to me, too. +Let's go! +Jofren Zuelli, age 72. +Huh? +Why give them the guns? +Mine was born first. +There, you see? +You'd rather she were dead, huh? +I bring you the accused and you ask me for a lawyer? +Want a shot? +You even pick on puppets! +Nine. +Take little Anita and run away. +You're all gonna end up like that! +What do you see? +- Yes. +I would like to model you like a wax statue, like the statue I thought you were. +Run, Carluccio ! +He distracts the faithful from thinking of God. +Only a body supported by cleverness, intelligence, and culture can reach such peaks. +Eight seconds! +He is lovely, he is my best friend. +A female whale. +However, with your permission, I want to say that my capacities go beyond what you have just been a spectator of. +Filthy syphilis carriers, thieves, leaches! +that I am to face the moment of death, +Up your sleeve? +Oh, well, that's a little r--ray of hope, anyway. +Carlos, please. +I would kill her! +I have since then played two other stammering parts on stage. +We did the whole fight and the whole scene in one. +If you move..." +But that hasn't been entirely his fault. +(Whooping and yelling) +That's damned unkind. +We should be getting back, I suppose. +- Thank you, sir. +I shan't be moved. +...Two minutes to dissolve. +A couple of thousand oil workers and their friends showed up when they opened up the Elk Hills oil reserves. +You're under arrest. +Congratulations. +Hold! +But he doesn't hold it against you, do you understand? +I think you're very nice, but I hope he stays here. +-He ruined everything. +His ideas are dangerous. +They're in the boot of your car. +Here... +- It's not about confronting him. +- You start the 40 days all over again. +- A cook, engineer, stokers... +His throne was overthrown at home, so he was fleeing to America with the national treasure. +Then come to the fortress, we'll be there. +Who knows, perhaps even pirate's ? +I must admit I wanted to, all along. +To the boats! +Music by Played by +Go on! +- A worm this big must be a snake! +This'll be the scene when we're all alone here. +- Let me out. +Well, if you're coordinated, once you start, you won' t stop. +Shut it off. +Everybody? +It's impossible. +I'm tired of waiting. +Not everyone. +When I began working here, I had the same problem. +- You sing a bit longer. +So you think I'm mad because I can't stop thinking of you? +The knucklehead. +You're a dirty double-crossing rat, Dandy Dan. +- Get Baby Face. +Some contender. +Everything's gone swell. +It looks like a splurge gun. +- Of course. +- I've been busy. +- What do you do? +I spend my whole life doing that. +# Rumors are a-buzzin', stories by the dozen +But I prefer to rest, but not the eternal kind. +Oh, well. +But, uh, to get involved, uh- +- Okay. +Well, that's it. +- [ Cheering] +Come on. +Go ahead, for Christ's sake. +- I'd be willing to pay for it. +[ Lamarr] Oh, for-Where's your class? +Goddamn it! +- Mio padre... mi ha detto... +"Hai fatto... una bella cacata. " +- I'll be with you in a while. +Here it comes. +He promised me one thing. +- Oh, howlovely.. +- Wil I you excuse me, please? +- Twenty. +And I stayed true to slides +Victory +Come with me, I'll take you to a place where no one can lay their hands on you. +Having second thoughts? +- I still don't understand. +I want her to scream today. +I hope you don't mind my saying so, Comandante, but I think you ought to order an autopsy on Rangel's body. +Oh, so if the cape is wet, it won't blow in the wind. +Senor, I have insurance +That's funny +Make sure he gets here. +You're not seriously gonna pull Beale off the air? +We'll see. +That'll be just fine. +The leader of the group, known as the Great Ahmed Kahn, escaped. +You can't piss it away. +I'll do a lead on Sarah Jane Moore to May Berry in San Francisco. +- Everybody hold it. +I hurt badly! +And every mountain and island was moved from its place. +You're late for your screening, Max. +Max doesn't work at this network anymore. +It's not a religious feeling at all. +I feel guilty and conscious-stricken and those things you think sentimental... but which my generation called simple human decency. +So I figure a year, maybe two, before you crack up... or jump out of your 14th floor office window. +And all you graverobbers think about is that he's a hit. +Not any more. +We're in the boredom-killing business. +There is no America. +NARRATOR: +But he's got about eight minutes of a bank robbery that is absolutely sensational. +And on October 15, Diana Christensen flew to Los Angeles for what the trade calls powwows and confabs with our West Coast programming execs and to get production rolling on the shows for the coming season. +She's my contact for all this stuff. +This was the story of Howard Beale... the first known instance of a man who was killed because he had lousy ratings. +I'll have you thrown out if you're still here. +The first attempt on President Ford's life was 18 days ago and again yesterday in San Francisco. +Ladies and gentlemen I would like to announce that I will be retiring from this program in two weeks' time because of poor ratings. +Frank. +Just once... +Who's "they"? +Please note an increase in projected initial programming revenues... in the amount of $21 million... due to the phenomenal success of the "Howard Beale Show. " +The voice said to me, "I want you to tell the truth. +Yes, I noticed it, too, Diana. +Really, you know? +-We've made it. +What an exciting finishi +Here. +Mummy must've told you not to say it. +Am I happier? +That's why I came to a small place where everyone knows everyone else. +Matter to be elated over! +"This is the first time I've come to your home" +I became yours. +You aren't coming with me. +Let's get inside. +Easy, boy. +Where's Tom Logan? +Something... +Let her go. +Well... the Cannon Ranch is for sale. +(chattering and laughter continues) +He was a thief, with probably a million good reasons for being on hard times. +Never thought Mr Braxton would call in a man like that. +- No. +Yes, son. +Get that son of a bitch away. +in about six months? +- Right. +Yes, sir! +I work for Mr Clay +From His lighthouse evermore +It holds it on top. +Your orders are to aim only for the legs. +You ought to be a little better informed there's a load of about 70 kilos in circulation and we don't know where it's going. +It is just my idle complaint +Of course, I'm no Sherlock Holmes, I admit! +A father's obliged to talk to his sons like that now and again. +We want you to try it out for comfort now. +Can I have some water? +Great! +If you allow, I can do more. +And because of this I want to tell you what is the new rumor... +Let me in! +Now, if what that man has in the bus is infectious, then all of us will have it. +- Let's try to... +-Daddy, the ice-cream man. +What stops it blowing the hell out of us? +We got a right to know what's happening. +Let's move. +Obviously, Mrs. Seward has never taken any big steps outside of the sixth grade. +- Hmm, out of this world. +I wonder too. +It's last thing he'll expect. +Good, Alan. +We are but tenants of the brain... for a span of a thousand years. +- Of course, it's Christmas Eve. +Come, Jacques. +Pardon. +I didn't have nothing to do with it. +Is that true? +the Condor Legion, +Insult. +Egg or omphalos or seed. +Never seen by human eye nor walked by human foot. +-You said it. +But you wouldn't want to? +It always happens to the same people. +Do you want to propagate productivity through hunger? +At my place, I thought. +Oh, Ross. +(Drum roll) +Why don't we call him? +I don't know if I'll be able to get it up +I thought you had said you'd bring me more Germans! +Why do you say that? +And why I stay as an idiot? +Yes, very it is excited +- Where are you going? +Nothing. +That's all. +Field Marshal President, +-No. +This is where the Princess Alberese, our cousin, lives. +Madam, now you're abusing me. +Who's a snob? +A line people like me wipe out +Yes, Rani. +Send for an ambulance immediately +I don't know if the bank will agree. +You'll wear yourself out. +I close between 3 and 5. +These heavy bracelets are more for older ladies. +Officers, sergeants ... +well, then all of you will take the rap for it. +And God knows it didn't matter much to me. +Well, if I like repeating all the time the same things... it's true, repeating the same things I want, unbelievable! +Wallenberg wants you back. +No, not Hans. +Your illusions don't belong in here. +This is my report. +- I'm his mistress. +What do I have to do, to give myself up? +Is there something wrong? +Mmm. +No. +Is your pride keeping you from doing it? +Too colorful. +- What do you intend to do about it? +A gold statue, 3 foot long. +. +- Ah! +I'm afraid. +- You've no need to have one anyway. +He's not. +What, under here? +One question. +Mr. McKlusky. +I'll see you in the morning. +No, I'm not. +Now, we have their check, and that brings the grand total to +Then how about some breakfast? +Colonel, sir, allow me to set fire to the school? +What is important is... that you stop boasting and lying. +These men here, they are the finest marksmen in the Bavarian police. +It is vanity when you ask me to walk away so the world will think I'm not a bad man after all. +Let's have a beer. +There's always work. +We have to be more forceful so they never come back, to end all the slander. +They won't find us there. +... whatever you do, use Zaga shirts and ties. +Do you have a backpack? +Maybe it'll pass. +Keeping a cow? +You are here I'll bring you the money tomorrow +Sherlock Holmes? +I can well imagine the profundity of your disappointment, Professor Moriarty. +And when the world discovers it occurred within arm's length of the incomparable Sherlock Holmes, the world will sneer, the world will ridicule. +Mr Sherlock Holmes. +Irene Adler. +And, yet, if I were Moriarty, and my one unwavering determination the destruction of Sherlock Holmes, +Is Miss Irene Adler in the theatre, do you know? +Sherlock Holmes. +By Irene Adler. +Due to the sudden indisposition of Miss Irene Adler +My name is Sherlock Holmes. +To Sherlock Holmes? +One cannot pretend in front of Mr Sherlock Holmes. +"The life of Scott Adler depends upon one thing alone, Mr Sherlock Holmes: +Mr Sherlock Holmes? +The life of Scott Adler depends upon one thing alone, Mr Sherlock Holmes: +Have we been talking to Sherlock Holmes? +When the crime's found out, and it's learned it could lead to a world war, and Sherlock Holmes knew about it and didn't lift one finger to assist the police, what's the world gonna think of the great Sherlock Holmes then? +With mankind trembling upon the brink of unimaginable devastation, +Professor Moriarty will come forward and reveal that the gold is in his possession. +The life of Scott Adler depends upon one thing alone, Mr Sherlock Holmes: +- Forgive me saying so, Holmes, but if you're prepared to stand there and fiddle while the world goes up in smoke well, then, you're precious Professor Moriarty deserves to sit on his mountain of gold and tell the rest of us to jump. +My name is Sherlock Holmes, and if you value your life and freedom you'll invite me to your room at once. +My name is Sherlock Holmes, I dare say you've heard of me. +Within the half hour, Professor Moriarty and his entire American organisation will be in custody. +Sherlock Holmes notices nothing. +Professor Moriarty, drop your hands. +That's a lot harder than it seems. +If I wasn't married... +Now, what I'm suggesting is that we charge them for it. +I thought you were here. +I told you... +Everybody is a little crazy, sometimes. +I do. +Caine Road +It's congested, I go to another route +She hasn't left her bed in years. +To communicate with the dead mother of Legnani. +What does this mean? +Maybe he... +Sid Daley? +Sort of like Sherlock Holmes and Watson, sir. +More like Sherlock Holmes and Sherlock Holmes. +Yeah Sort of like Sherlock Holmes and Watson, sir +More like Sherlock Holmes and Sherlock Holmes +We're gonna crash! +- Come on, Annie, let's rehearse. +I mean, emotions get involved, you've important decisions to make - it's really a problem. +- All right! +- Stop, stop. +Me, sir, for instance +Is he wearing an undershirt? +I was wondering, do you... +Yes, but why would somebody tell him to, madam? +Actually, why did you speed up? +I am not the one to pay, and anyway, your coffee sucks! +- Yes, but of very l-low birth. +There's gonna be a little blood, but that's okay. +His tongue is swollen, and he can't breathe. +Stay clear and report his location. +Typical. +What girls, what are you talking about? +-You try the boot. +Whatever you've heard, it's true. +- Oh, I'll be here. +No, Mama. +What I was gonna say is that, if you'd like to, we could stop in at the Beehive for a couple of minutes. +Come on! +- No, Mama! +Yeah, well, we're all a little edgy. +- I will. +- No. +Come on downstairs. +Okay, line up. +I'm goin', Mama. +- Be quiet. +Because it is a very big deal for Carrie White, and you know it. +He ran away with a woman, Mama. +I know you're listening. +You've got Satan's power. +All right, now look at me, Beak. +Let's go. +Right. +That's up to you, Chris. +He doesn't let you know he's working through you. +- Come on. +- Don't count your chickens. +Won't even be close. +Thank you, +Good. +I'm no stranger to the Senate. +Only the Elixir of Life can save him. +Tell me everything! +- Of Ice and Lice. +Listen, darling. +I'll just empty it. +Date? +Drive on, drive on. +Yeah, terrific. +Are you sure? +Are you kidding? +Each one is hand-stirred with a different finger. +Yeah, I didn't want to snuff that teller, but that bitch went for the alarm! +Well, you're doing it in a very nice way. +I'd love it. +. +He doesn"t even know English. +The policeman changed it. +I won"t give you the description of the place in detail +- I told you +I have a roaring panther in my pants! +- I have another one, but it's heavy. +I'll eviscerate you and hang you from your guts! +Where did I arrive? +-Where? +You are very nervous, relax. +Wait a minute. +-Yes. +I had proof. +I'll look elsewhere after it closes. +It's humanoid. +Five hundred. +Or should I say Shoebridge? +You owe me $2.47, mister. +And I'll... +Oh, but, Mr. Adamson, here you are,: +You better believe it. +(BeIches) +Then you must be, uh, "J. Maloney." +This is a practically new stone. +Mmm-hmm. +The whole, lovely millions and millions of it. +Cheer up, Fran. +"Shoebridge: +We get no help from that quarter. +It'll be one forty. +My nice little whore! +- You know that the other papers... +- It's in there. +- Wolf hunt? +Grey's not a wild animal. +- Stop it, Drogo! +- Guard returning from the out post. +Ok. +- Huh? +- So tell me about that... +The first time you could after all those years in jail. +What'd you do back in San Francisco? +It was something real bad, Bobbie Lee. +It won't. +Here we are, the second half of the 20th Century. +Can we get on with this? +What, me? +Well. speak up! +That's it. +Martina told me it was right for a god. +My room. +So tell me, do you ride horses? +- Let it go Francois. +Mauve Peumey +Hello Samantha, can I speak to Charlotte? +(ALL CHEERI NG) +Some of the trees will stay. +Means he didn't talk to diane or see her before he sublet his apartment and took off to europe. +I thought that was your job. +Bruises. +Do something. +Go to sleep +It's Queen Bee, Queen Bee, you've been telling me about Queen Bee for months now Joe. +Yes, it is. +Oh goodie, son you've brought old momma a customer. +- What is it now, Ma? +Go away +Try it +Don't say you never suspected. +I don't think so. +I need one. +- God knows that I have nothing to hide. +To a new Earth, a new Eden, where you can begin again. +No, that was a projection of himself. +The door straight in front of it. +I understand +But he was worried about whether he had contracted a venereal disease and he asked me if I knew a doctor. +Want me to call the cops? +It didn't look very clean. +Come on! +What world you from? +-You don't have to. +Well, if you are, it's entrapment already. +Would you like to have some dinner with me in the next few days or something? +Put the meter back on. +I just wanna go out... and really-- +- I try to be real quick. +She'll get your cock so hard, she'll make it explode. +No! +Come on, baby. +Yeah, I see them all the time. +I think I got stomach cancer. +I saw you coming, you fuck. +May 10. +Just waiting for the senator. +He's also a dope shooter. +I gotta xerox that New York Times article. +- No, we wouldn't want that to happen. +You know, eye shadow, mascara lipstick, rouge. +Pull over to the curb and sit here. +Yeah. +- That's it, man. +Weird lt belongs to that Ma fellow in the last room +To Fat...run +No, just the part about the contradictions. +- Are you a Scorpion? +I don't know why not. +is there a zip code? +Did you see what it can do to a woman's pussy? +Sen. Palantine is a dynamic man. +I think it's academic, though, because he's not gonna win the primary. +What's moonlighting? +That bitch! +So long, Iris. +Bitch, be cool! +But it's a good thing to have just as a threat. +You wanna go to a movie with me? +Okay, okay, my man. +Well. +Then suddenly, there is a change. +Look at that. +- Yeah. +Taxi ! +I just typed, "You want to see something?" +Excuse me! +Shit. +But it's not gonna be easy. +Let the numbers go on. +What's that? +What's happening? +No, don't-- +This is no place to do this. +-No, the guy was a midget. +At headquarters. +We all work together here, day and night so I'm sure the gentlemen will sign you up over there. +Driver, hurry up, will you? +Let's go. +I said let me go. +Don't shoot Thankhune. +Here comes the storm! +Oh, yes! +Farmenesh! +I'll make you do it again. +Down there. +Lafont! +You have time to come to Yanagimachi's place. +- Yes, sire. +How amazing! +- Bad. +- Then it's our ass, isn't it? +I guess because you were the head coordinator... of Nixon's sabotage campaign against the Democrats. +You'll have to find that out for yourself. +-We're sorry to bother you. +-Do you have to see him? +Okay, if you get in the car... and there's music playing in the car, hypothetically. +Yes. +Go on home. +Nixon's guaranteed the renomination... and the Post is stuck with a story no one else wants. +We do that a lot. +We had one like that before. +is it AM or FM? +Okay. +In other words, by their very silence, there was a cover-up. +I just got off the phone with the White House librarian. +Betty Milland? +Let me go through the story again. +- I think the investigation... that has just concluded itself... has probably been one of the most intensive... that the Department of Justice and the FBI has ever been involved in. +Look who they're running against. +Steuben, what's the name of that girl that you bombed out with... +You can trust me. +The vote for Paul McCloskey is 1. +That should tell you a lot. +But the message was clear, though. +As soon as you're done, we're going to do a story on all of you. +Yeah, but I think I woke him up. +- Jesus, look at this. +-No, I don't think so. +I am not talking to you about Haldeman or anybody else. +Bob, listen, I think I got something. +-757-6521. +- Hard evidence? +This morning I get a tip to call a guy by the name of Alex Shipley who is now the assistant attorney general of Tennessee. +- What else did he say? +SLOAN: +If you didn't want to see me why didn't you tell me when I was in Washington? +- Mitchell knew? +We know that everybody who works under Haldeman does so with his knowledge. +-This was all one conversation? +Hunt took out books from the Library of Congress but what's more important is somebody got to her in-- +Haven't the slightest idea. +--so help me God. +-Yes, ma'am. +Where you claimed that Muskie slurred the Canadians. +And they're off! +Fifty taels? +Which one? +Sometimes, I even think of doing something bad. +- What do you do with the money? +'Break it up, would you, fellas? +! +' +CB radios, uh, hubcaps... +Nothing bad... +Don't tell me you can't tie a suspender belt! +- Okay. +- We called you Gay Boy. +- Fuck you. +These kids are all the same ! +Was the man you mugged at the snooker hall ? +No! +- Let's get some water. +Giacinto's. +- Homo, trannie, faggot... +- Almost killed me! +- Can't you guess? +One Sunday, Esther can play, and then the following Sunday, Zelda. +Now, we'll rinse it, and then we'll give it a good soaping. +I haven't spent my entire life in concentration camps. +Katz. +Let's hang him. +Come on. +Violence has nothing to do with it. +Near a little villa. +- Certainly, Admiral. +Wait and see. +Sweet Mary, how did we get so lucky? +"When you're in command, command." +The Japs are bombing Dutch Harbor! +Looks like we just about broke even, Admiral. +We've got broken cloud cover up to 2,000 feet to conceal us from enemy scout planes, and above 2,000, unlimited visibility straight into Midway for our flyers. +Matt, we have more planes than pilots now. +Matt, we've cracked Yamamoto's staff level code. +Well, I'm still in a state of shock. +You mean that's all? +I appreciate it. +You ought to go on the radio. +Hell, that might be the smart play, Commander. +Bandits behind you! +I got 3 ... +There, northeast of Midway. +It should be transmitted in the clear, so the Japanese get every word. +She was ambitious, calculating and cold. +Go! +Well, it's your place. +How's the family? +Earl? +(PLAYING) +It's a bomb! +Myrna, is that all, Myrna? +¶Workingat thecar wash, yeah +Hey, that's the truth, that little ol' man. +Shit. +Say what? +Tell it to the judge. +[bell tolling] +(Hattie) DON'T YOU TURN YOUR BACK ON ME. +START AGAIN. +[telephone ringing] +Yes, even the wallpaper. +And take the phone of the hook. +That's not it. +You're not going to ring all night, are you? +Damn! +Or for dinner. +- You mean Major Houlihan, sir. +Sir, I think the Chinese have captured Major Houlihan. +At the right moment. +With these colors she looks like Donald Duck's wife. +Dwayne, you don't have any friends on the team. +You must be Eldrad. +Help me. +I think he suspects us. +I am a free woman, really, not only a word... +Please, help me +Mr.Hermil, is waiting +I saw him again after our first meeting. +That's not true. +I have even wished that he died when he was born +- I am coming +MELANIE: +For my scrapbook. +- [Anna] If you want to sell your services — +We got everything. +Uh, where'd you get this ring? +- You okay? +I don't want it. +I want you to think beyond that. +- That damn thing doesn't have a mind. +I knew I was gonna be given a proper chance. +We seem to have spent so much time on this question. +- dMake the world go away +Why not? +Do you see anything of Mary-Lou? +Not +Wednesday. +Bob, maybe she doesn't know what a dribble glass is. +More of a comfortable old country inn, where friends would gather for conversation and companionship. +Now, let's try it again, boys. +"as we decide the fate of the old Whitley House +Yeah! +We've got enough saltpeter for World War IX. +- Oh, potty stuff and... +Now the Muppet Players are proud to present a little-known classic of Arthur Conan Doyle entitled Sherlock Holmes and the Case of the Disappearing Clues. +Sherlock Holmes here, Watson there, +- Anybody see Mary Ellen? +I guess that means little girls shouldn't accept candy from him. +I can't imagine what made any of us think you could be happy here. +No, it's 11.15pm on my watch. +Which one of these ridiculous, humiliated, discredited, chased Draculas +Will you open it, please? +"'Come out,' said the wicked old otter, or it will be worse for you. +-All right, so? +Business. +No... no... no... rules! +Thank you. +A real beauty. +There were four at the party. +Help doesn't simply mean that we give you weapons. ++30 +Yes, you are, aren't you? +- Hey, don't run with the bottle, Janie. +-Take me as a Hostage +-It's all she's got. +You want to know where he lives? +- Good level? +- Oh, hello, beast. +The toes, they always curl under a few days before. +The whole world was affected. +What? +Headlights night have just been lit! +Okay, let's go. +Yeah, they sure do. +Oh, I'm sorry, miss. +If you don't make it, no one can say you didn't try. +(bright music) +(laughing) +♪ Celebrational, Muppetational +Assistant Director: +Er Meizi, go! +-Yeah, at Nottingham. +Where? +- He was unloading something. +Boss, please get us a fresh bucket of water. +You're our Queen now. +No, that's not possible. +The civil war in Nigeria has been waging for 2 years. +What else? +In that case there's no problem! +Sherlock Holmes hat, with Robin Hood style feather, +I want to stay with you. +Evan can't get out. +We didn't do anything! +She's risked everything to save me from the evil Scarpia +My love-nest has been defiled I'll surprise them there +How do you do? +The beefsteaks are numbered, if some have taken two, what can I do? +I'm at your disposal, Colonel, Sir. +caret don'! +"Thank you, Miss Clark, for attempting to entertain me." +This has been the best. +I'll come. +I phoned Mr Beale on the 21 st of March. +-What's that, Keith? +Now, be quiet! +I reckon. +Oh, dear. +I'll do as you command. +-He was too old and too tired. +If he is being false to his Prydonian vows, his fidelity is already suspect. +(splashing) +(Water pouring) +Paris has a theory. +- Operation Looking Glass? +A little test, perhaps, hmm? +I was just making sure that you're not a better liar than I am a psychiatrist. +I know that. +Was it hard for you in the Resistance? +It's irrelevant. +We've come a long way, haven't we? +I've just washed my hands. +Hugo Fassbender and his daughter have been kidnapped. +- Wait a minute. +- I hear something, but I can't see anything. +George Caldwell. +Came in here spouting'some bull about shootin'some people on the train, wanted to confess. +People seem to like it, so I let him play. +Help! +Huh! +Nature is strong. +Awful man! +Come on. +I saw your equipment. +Men are all the same. +Listen to me +Philo, I dont like that +I know how you feel +- Why did you separate? +No, no, no. +It's still got its fizz. +We'd like to see an impression of a bear leaving a stage. +- I won't be able to control my inhibitions ... +Let's see who would supposedly be opposed to this. +Could've fallen into the mixing vat. +You brute. +Did I ever tell you about the time that I was a sheep farmer in Montana? +Jones, they're trying to tell us something. +Yeah, all you gotta do is light the fuse. +It's a Suzuki 750, with a water cooling system. +Let's see are we going to explain it this time to the Manager. +Yes. +Grievances, tax cases. +Father! +- Welcome home, Elizabeth. +Now, do I have the pleasure of doing business with you? +Yes. +Well,yes, I might be. +My letter. +Georges, call the dog. +Are theyJews as well? +When we met, she told me that she had found another job. +Hips naturally large and flaccid. +Yes, a German shepherd. +No, it got blown up. +Why? +Children are good for the place. +The boards...some of the boards and tiles they are being replaced by new ones. +He's out in the garden. +I can't get it out of my head. +- I can't. +Mrs. Allardyce, if you would at least speak to me. +Marian? +(SPEAKING GERMAN) +Fellow, you're swell. +Ha! +Well, could we take the horses? +Now get that down. +Five. +She became crazy to never see you again. +- I want you to take me to someone. +Thank you. +What're you doing? +I don't know. +It's a magnificent place you've got here. +Then his neighbors let him stew in his own juice. +I'll bring some food back this evening. +Who do you think makes all that noise? +There's a fee for water. +Oh, look what that pig's doing now. +I think I've got some... some things here. +The graveyard is where you belong. +- My boat. +I want to visit Mademoiselle Choule. +If she's sick, why doesn't she go to a hospital? +Drinks for everyone! +You're a good person. +It's perfectly reasonable. +Thank you. +They gave me the idea. +What about? +- Three thousand Hong Kong dollars. +But if I did I would not tell. +FINALLY GOT RID OF HER, EH? +You lead a team using the iron ruler ...to fight Huang Fei Hung +Let it go, he's just a kid +I'll take you as my pupil +How will you thank me? +- Aren't you gonna count it? +- Sure. +Get out from our land! +Whom? +Aww, thank you my dear... +I have one and she the other. +It came to me in a dream. +With plenty of room in the back! +Don't be mislead by that... +No! +Kisra, Emperor of Persia, Mucacus, patriarch of Alexandria +So you are giving us your city +Let all your feuds be abolished you must know that every Muslim is the brother of every other Muslim and all Muslims are brothers one of another +He is your fortune +Hamza! +"For skies of couple-color as a brindled cow +Tell you the real reason I'm here. +- Why does he keep saying that? +When will you leave? +(CROWD ROARS) +Well. we'll protect each other. +Twenty years ago, Augustus ruled with Mark Antony, but I could see that wouldn't last - I could see one man would be king. +There's too many people in Rome. +I want to really celebrate my appointment as City Magistrate. +I want you back because that's where you belong. +You know it. +(crying) +A few breaks. +- We made it! +- Oh, my God! +Have a little class. +Partner, to us. +But we must think of God. +- What you shoot him for? +- Yeah? +- Come on! +I don't need to be told to love thy neighbour when I've been unofficially engaged to Nurse Gladys Emmanuel so long! +No, you missed it. +Your language is getting atrocious these days! +The ideal man for the job, eh, Herr Oberst? +- No, I think I prefer Liam. +Would you have me in my grave so early? +- How much of a surprise could it be? +(Shouts in Polish) +Only Father Verecker. +The men are required to ride the larger torpedo craft into enemy shipping. +Today I leave, boy, but from now on, when you see me, you leave. +Black market... or worse? +- Let the dogs do it. +None of my men led the convoy. +'But it will not end here. +It's monstrous, you won't stand a chance! +This message has been sent out. +- But... +My God, you're a German! +Sir? +Churchill will spend a weekend in a country manor less than seven miles from a deserted coastline. +Straub was doing his duty... +Me, too. +He bears scars that show how bravely he fought. +Where is Zobar? +Let Rada marry me. +No. +- Tell me how much it costs. +- Where did you find that? +Mr. Yu please +I guess more songs have been written about Paris than any other city. +He's hinky. +Smelled something in the hallway. +I'm not like that, Mr Arkwright. +Single file. +Sergeant Major. +- A man could do himself a mischief. +By fighting with ladies? +Suffer! +Er...woman? +What's the matter with you, man? +Hang properly to attention, that man! +(Rhythmic honking) +Hey, I know some people. +It's even better than the last one. +- So how do they get along? +That committee is dangerous. +They're not exactly people but for $50 they'll break a few legs, and you're not bothered anymore. +Yeah, I was not knocking it, you know, because you do what you can do. +You'd be interested maybe in playing one-on-one sometime? +William Phelps Herbert Delaney Florence Barrett Hershel Brownstein also known as Hecky Brown? +You quit your job? +I don't like this game. +Who the hell are they? +Come on, Florence, you know that lying is not in my nature. +I'm handling it. +Did he widen your hole? +Just a passing fancy! +But that... +Over— over there in the south side. +Unit Able? +Fortune wasn't fooling any, was he? +It's not every day they authorize a new Sandman. +Welcome, humans. +Come on! +This means nothing to you? +You're a Sandman. +Fish and plankton and sea greens and protein from the sea. +This means nothing to you? +No. +Renew! +Did you hear me? +We'll bring them to you. +MAN [OVER PA]: +- Listen to me. +But now... +It wasn't your color. +Don't! +Well, there it is. +Crossing. +Now you're authorised. +A thousand lives are at stake here, including you and your men. +Great. +- Lt's fake. +Major Stack Yes, sir +I don't even speak Italian. +I haven't completed a full medical analysis yet. +How long have you been going around cinemas? +-But I know you +A film in which... in which... +Three, +-You said it. +and with the towel wrote "pig" on the door. +-By whom? +One third of mankind, the white race. +Susan Atkins has announced that she denies everything she told the grand jury. +Object, on the grounds this witness is not competent and she's insane. +I don't know what we'll do when we get to the desert. +Look, just so you know, last month we found a stiff out in Malibu, stabbed to death. +- Yes, yes. +David Parry. +- Yes, favourites. +For what? +Come off it. +Eh! +Why don't you try to get in touch with her? +-just stuff. +Almost done. +This is Big Boss's wife. +Then only will I allow you inside. +Whatever you ask for. +But I can tell you the killer's name. +Do you know her? +Look at these to see if they are familiar. +Father, a brother will avenge a brother's murder! +Brother, what question has come up now? +I gave you my promise! +(dialling) +- He wanted to send flowers. +Less than a hundred, I'd say +I'm dying of thirst. +All right then, toss off. +Like before the revolution. +Turn around, Doctor. +Or maybe gin would be better. +But he never remembers. +Your letter. +Crystal, darling, what are you afraid of? +My God. +- Let me go. +Ugh! +They seem a pretty subhuman species, yet the master race. +WHERE WH-WHERE WAS I? +YES. +YOU INSULTED DIA. +SHE BELONGS TO HE WHO WINS. +Setting up and training a strong group. +Hello. +Suspect is fleeing on foot. +- It's all right Lieutenant, come on in. +Is it a nice motel? +Keizo Kanie Rei Okamoto Yuri Yamashiro +It's insane. +No, Daddy! +My God. +I have... fears. +The fire started in the hall of records in the basement. +You said it could be ours, but... +- Want a bite, Daddy? +Excuse me. +I'm what? +- Forgive me, Doctor. +- Where is he? +Drink his blood. +Every inch of wall-space covered, even the windows. +There you are. +I left all that behind a long time ago. +Well done. +- He told us. +- In a minute, Horton, I think. +If only you could remember the name of the man you're supposed to see. +The third floor became an inferno. +Frosinone? +- Not true. +Yes, this is he. +June 6. +Answer me. +- Never heard of him. +We're beautiful people, aren't we? +- That's the poem again. +If there were anything wrong, you'd tell me, wouldn't you? +All right, then. +He even made jokes to make us forget our distress. +But I I heard nothing. +. +- Hello. +I swear it. +I see a dark-haired moron pretending to be Sherlock Holmes. +I GUESS IT'S TIME I QUIT PLAYIN' THE BAD GUY +I TELL YOU, THERE'S SOMETHIN ABOUT THIS KIND OF LIFE +OR YOU'RE A PIECE OF LEATHER. +NOTHIN'. +ALL YOU GOTTA DO IS STEP OUT ON THE TRAIL. +YOU WOULDN'T KNOW THE HIND END OF A COW FROM THE DROTHER. +WHEN I COULD BE MAKIN' ME SOME DOLLARS. +Come on, sit up! +Completely totaled. +-Hubert, this is Greg. +Ooh. +Oh, what prospects the man has! +- Must be running out of air. +Yeah! +- Hi, Mama. +She's coming to the party? +And when they went, "Doo, doo, doo, da-da-da." I loved it! +They're both excellent combatants. +Alissa didn't betray her team-mates. +And, then spend decades complaining about your crumby apartment like every other New Yorker, who isn't a millionaire. +No! +What else did she say? +I was thinking of taking it up myself. +Yes, well done, Jordan. +Not one what? +Have you found anything on the Black Farm Murder? +Evidence of identification, your problem. +Whatever it is, it can wait. +- What's going on? +Mother issues. +You look gorgeous. +Where you going? +By 1888, that price had reien to five dollars bbut by then, the wolves had gone the way of the buffalo and had disappeared. +- I don't know. +- On the ball? +And I'm pretty certain it's because all people I see, they're doing it, they're doing it, they're doing it, +He made me feel... +I mean... +Fine. +Which is exactly what you've done, +So silly. +Oh! +I've got a hangnail on my pointing finger. +Hangnail...caught...help. +[ Grunts ] +That hurts, bitch! +He can't stop us anymore, not with this thing. +Me too. +But why are you here with me now? +Go, girl. +£­ Oh, really? +There's a lot coming out! +I'll get her to go. +Every week there's one. +Shut up, you lugs. +The little old alma mater. +I want to mold him, see. +This boy's coming back here tonight... +- What about music? +I once played Sherlock Holmes, and I always insisted on authentic props. +I played Sherlock Holmes in The Hound of the Baskervilles. +Tell them. +I played Sherlock Holmes in The Hound of the Baskervilles. +And by then, the news will be even better, won't it? +It's funny, isn't it? +please sit. +I know we wanted a child. +Jakob, there are thieves in your apartment. +I played Sherlock Holmes in The Hound of the Baskervilles. +If we listen hard enough, maybe we can hear their artillery. +I played Sherlock Holmes in The Hound of the Baskervilles. +Nina, let's stay focused. +I'll stay with him. +She's back and she's brought the Italian with her. +It's about a conspiracy in Florence, under the Medicis. +My son keeps me informed of his work. +I'm in the pink. +So you don't love me. +It's too dull, isn't it? +I'm tired of telling you: +What are you looking at? +They are perverted degenerate, sex maniacs, sons of- +She's probably gone to the beauty parlor or shopping. +Spicy food, as our guide tells us, excites the palate and inspires gluttony, the twin sister of lust. +If he can handle that, maybe we can handle this bunch. +But it's weird how it was so separated from mainstream Parisian society. +- He's a big fan, Professor. +The rituals are all different. +- I hear that. +- Are we sure it was her? +- Where's the kid? +Boss, you have two seconds? +Sir! +Mother is also too much! +- [Screeching] - [Roaring] +I've spent so much time walking down that road... and wondering if eventually it would take me somewhere I'd wanna stop. +In return, we declare a truce. +There's got to be some explanation. +Do you know the risks I've taken to save you? +No way, dude! +That seems to stop 'em. +All were exhumed from their graves in a ritual desecration. +These four members of the Millennium Group, the ones that truly liveth, who were dead, these are the ones we have to catch. +- Follow the profile. +OH, IT'S PEEPING TOM. +COME ON. +WITHOUT DRINKING THIS-- NO NAMES. +You say it is your duty to defend the government? +- Mr Conolly has spoken to the Lord Lieutenant. +And there is a patient. +He is married. +We've got a lot of samples in the museum. +Just because you're in the Navy, petty officer, doesn't mean that you have to stop being human. +Get me out of here. +Go! +Are they here to save you? +- Yeah ! +Oh, man, you know, I can't catch a break. +Harry, Paul, Queen, 8-6-3. +For police orphans. +Cheers, Ron. +I got too much other shit going on +Do yourself a favour. +I can't do it. +I'll go get him for you. +Very good. +Thanks a lot. +"Fish"? +Please don't make me go. +You did do it. +Kind of adopted a kid. +-You just killed me. +That guy doesn't count. +Off to a good start. +- No. +well one more won't hurt. +That was awesome! +First witness. +-I'll come home. +I don't wanna control you. +- First name? +{y: +- Shut up! +- Because I have a foreskin. +I'll see if he knows the score. +Put it on the list, mate. +Xybo: +In order to ensure people to cheat the government, +Shall I call 9-1-1? +Look how big you've gotten. +I'VE COME TO THE CONCLUSION +And the stove. +But, Dad, I was gonna... +Go back there, would you? +That's my money. +The stuttering child, what's her name? +Yes, near here. +I came for me. +One! +Sure! +I stand too long. +Miss Gibson, you astonish me. +You don't think can win? +! +I don´t know. +What do you got? +I hope. +You mean like deep down inside? +That's it! +What? +What was the exercise? +Now is definitely the time to buy. +During my army service, +Because people like you exist! +quickly, come in. +I'm next. +Ah, so you're the famous Dr. Daitokuji are you? +Our economy is fundamentally-- l wasn't Helen there. +-Sorry you canceled an appointment. +Josh, let's go in. +-Now, why-- -l just like asking. +... andwithoutstretchedfingers, we touched the face of God. +There we go... +Come on. +Just go. +- Has she been crying? +The audit went through. +That's all we fuckin' need. +I sold at 590. +Filled! +You will station your men there in due course. +-It's the Indy! +They don't say. +Stanley, you tease. +No visual, no issue. +No, it's a lot mor e like beating the crap out of you. +If there is a proceeding involving women.. +Sir, give the phone to the inspector. +By taking Gauri's fault on yourself.. +Take this. +..because of father's encouragement. +Come. +Poor people, twinkling stars. +- Mint? +Anyway, we all got interviewed, after which, about half of us were invited to leave, told to leave, I should say. +Madam, I don't think we should just let them go. +Face down on the ground now! +No, it's too late. +Not right now. +Yes, and now that I can reason as an individual, +This way. +How are you doing? +Allegra! +Look at this. +Their corporate slogan should be: +Don't be ludicrous. +- I didn't mean to say that. +Seems like most everything used to be something else, yes? +I'll have some. +And am I right, Merle? +What if they're hungry? +We can't play until then. +He wanted to kill you. +Do you feel yours yet? +You gotta get out of here! +It's an entirely new game system. +And right now we need to stop. +The victory of Realism and you were part of it. +That's what I expect to hurt. +I know exactly what to do. +Please, help me. +- Yeah, that was me! +Not now, Stan. +- It looks quite inviting! +Sho... shouldn't you be hangin out with your wife right now? +Okay, let's do it. +I don't understand why.. +Oh, I got you. +The other-foot-hopping defense. +I'm sorry. +[ Continues laughing ] Two mudslingers, please. +Welcome to our show. +I might as well drive. +Oh, there he is. +Don't mess with me, kid! +Ready. +Let's go to the races tomorrow. +Let's go. +Boy, it's hot. +- Buy something nice. +Let's go. +There's this woman on the wing. +You'll be all right. +They promise you the world, then they dump on you. +- Good. +Anything. +Them? +Well, we don't have very much, +And yes, call up Dr. Sharma in case of a problem. +Good children don't cry. +S ir has asked y ou to s it i n the aud itorium . +If y ou have no goal, no amb itio n, I ife is po i ntless . +Analysing voiceprint. +Look at what that crackerjack did. +The other boy. +And to get his professional opinion on how it's affecting you. +Yes. +He's a danger to anyone. +Destined to be great friends. +- You've heard of this? +- I want to talk to him. +Hi, I'm Chandler. +Especially not above Kim, who is an integral cog in the Ralph Lauren machine." +- You're arranging flowers! +Okay. +Oh, honey, come here. +Here. +We're all college girls. +I feel weird. +Right? +Fumiya. +They'II kill us, John, Grant and me both. +Man, she is seriously jet-lagged. +- No. +I'll begin with the Y-incision. +ln general, we don't want anyone to suffer like I did when lwas little. +lwant a new life. +talk about it. +- These two are friends of hers. +And don't let my dad see that necklace +I've never been in a relationship this long before. +Oh man! +Maybe you don't have complete control of the power. +Of course, the Thebians' legendary flatulence had nothing to do with this. +[ Sighs ] I used to think I belonged here, but... +Come on! +What? +- l tried to help, won't bother next time. +They'll have me to deal with! +This story is a hymn to the courage of street children +Crime is a growth industry. +Well, you know, he has been a ... a wonderful father to you in so many ways. +Kinda whiny. +- Everybody knows, man. +Right to the point. +Maybe not. +This crap belongs to Spike. +He'll be punished. +Without you, he would have had a different life, a real life-- a good profession, a regular income, and a house never constantly under siege by creditors. +The Queen of Hearts? +Later, they wanted money to buy expensive things for vanity. +y ou'r e h igh u p in the sky. +I j ust don't want you t o misu nderstand hypnosis. +Mouse might have used a pseudonym to register. +I'm afraid. +There's a manual, isn't there! +But I... +What did you say? +Uh, I don't "share." +Gonna heat things up a little bit. +Have you been... +Um... +Oh, I see. +Who asked you! +But his briefcase... +Go to sleep. +Syd! +- Nothing! +Frank, I can see and hear you. +I'm working on a spell. +I got that summer internship in Berlin. +Great. +I'm late for my soccer game. +- I have to feed it again. +All right. +I know I grumble a bit, but... +We can't lie. +And that's what they did the first time he's ever left my apartment... +No. +Who has cookies? +Who have to defend our Earth Realm from the forces of Outworld. +I won't eat. +Do it tomorrow. +Ichiro! +Get me a bowl. +Yes, let's. +I'm not a woman who forgets favours. +You can hear it in a drama. +He seemed to understand. +Pervert, eh? +- No, you can. +Sure! +I know tons of superheroes. +Please don't correct me. +Quickly! +How about the Super Squad? +Not really. +That's what I just said. +I'm not Stab Man. +With my griddle of justice, I bash the enemy in the head or I burn them like so. +-Let's get out of here! +You guys are gonna have to go fight this battle without me. +-It's been 12 years. +Shotgun! +you should probably think about where you saw it last. +Keep moving. +Sorry. +Well, it is wonderful in my heart to see so many familiar faces once again. +[ Amazing ] No, you little freak, there´s no button for resetting. +- He's immature. +We must have hit a trip wire. +Well, I guess... you will be pretty far away. +I wasn't lying. +- Sherman, what's goin' on? +I'm just about to do it. +Think melody. +Fuckers! +'Cause I'm in hell +- Ooh, ooh +Or not. +Maybe I'm just not good with girls, period. +- What's that? +But you know your Uncle Mort? +- Hi, James. +You are beautiful. +- Gentlemen. +- And let's get this- +[ Chuckles ] Right. +Oh ! +Spank me ! +Tha-Tha-Tha... +- Looks like you could use an extra hand. +Okay. +♪ Let me down ♪ +It's true. +What am I supposed to do? +I'm sorry. I really blew it. +Oh, yeah? +- Who told you that? +- Yeah! +- [ Door bell Chimes ] +You know, that he's... equipped. +So, Iike, what else do you do ? +Oh, God. +Jim ? +"Your feet start tapping and you can't seem to find" +It's a big, thick envelope, Vicky. +- Guys! +[ Gasps ] +- Get out of here! +I know that Vicky's gonna ask me if I love her, and... +FINCH: +I'll see you guys tonight. +It was just my time. +Go over there and ask her if she needs an extra hand. +- Eat shit. +- He's got a dick. +Hey, uh, thank you for letting us have this wonderful party. +Last night, though. +Once he tried to screw a grapefruit, but that's all. +- I know that one. +Well, you know what I'm going to do, Jim. +- Stifler told me. +-** More than I could give -** +Fine. +Next step! +Open it. +- Oh, there we go. +Well, you're not. +But it's gonna be cool, because the game's at State... which means afterwards I'll be able to stop by. +- Hell, yeah! +You can't really ask me that. +- Oh, man. +Please, God, let this be it. +- Here. +- You know you're supposed to be supportive. +I thought you might know a trick or somethin' to make her-- +We just got to make an agreement. +[ Slapping ] +We're gonna take a little break. +Thank God. +¶¶Till the evening ends ¶¶¶¶ +- You're the only son I have now, Jack. +Ding! +So, where's your dad anyway'! +Check his pulse. +He thinks he's gonna stay in a room, and that's it. +Let's go. +- Yes. +Now, according to the police, the murders were racially motivated. +Get down ! +Ready ? +I can feel the hate. +I'm running shit around here. +And I say, "Hey, I know all you guys. " +The State's biased. +Ed? +You all right, T? +Let's get 'im. +I don't know. +You have my word. +I can make sure you weren't strip-searched, okay? +There"s our man. +- You all right, Cooper? +I'm asking you to do your job, which is different, but I thank you for it anyway. +In the basement Down in the basement, yeah +I'm innocent. +He even signed a statement for that detective. +- Sam. +Prosecution hired him in the second trial. +Rubin Carter has never enjoyed a full, fair... and unforced disclosure of the facts to which he is constitutionally entitled. +You. +Now, how did the British government destroy the rights of our forefathers? +Fair enough? +I think she's pregnant or ready to hatch. +Now that... is the most... beautiful part! +Find them! +So you get in here at 7:00 in the morning, you work until 10:00, you have lunch in the park by yourself, you don't have any friends at the office- +- No. +Will he survive unscathed? +Bet I can help you get the test back. +- So... +- Dawson, nice to meet ya. +No, he would not. +Yeah. +You misrepresented the properties to us. +-He gave us his license. +I feel like shit! +We have transported a dozen breeding pairs of blue pelt foxes and put them in their pens. +Not too long. +Well, it comes down to the fact that-- +I don't want anything to do with you. +. +I'll set you up. +WELL, I DON'T KNOW. +I lost it. +But look, I found my sunglasses under the couch! +What? +And if it's not that, it's my sunglasses. +-Did you find it? +That's okay. +- I was not flirting. +It'll kill my grandmother if she finds out. +Fire? +Skeet is dead. +Thanks. +Sometime. +What was that about? +In a city as cynical as New York is it still possible to believe in love at first sight? +I warned you, Fraser pettigrew! +No, I know, I know, Fraser, but, if, um, when, uh, in the future... +What was in the works? +Come on. +No violence. +You called me. +Do you see a heartbeat? +- Four hours ago? +It's so out of the way and impractical and that's precisely why it was chosen. +I was simply trying to make him feel better. +You want a certainty? +Coal and oil supplies are being exhausted. +Are you? +Only in bed, before going to sleep. +Cheap works out expensive. +Do you know it? +It's gone. +Baloobas, that's right. +You're hardly going to score at a sandpaper exhibition, Ray. +Aunt Eller, thank y'so much! +You hurry and pack yer own duds! +The breeze is so busy it don't miss a tree +Things we know are out there. +I need aloe. +What was that? +Sammy, O, brilliant! +Keep at it. +I've just been getting settled. +I really liked 'em. +. +God, he's a dish! +- How do we do that? +- nobody should be in those shoes. +Like... +We will take care of it. +Believe me, he can see you. +I picked up some things at the store. +Well, there is a, um, old run-down building off to the left. +OK. +Jesus, what are you doing? +Virgil! +I want you to hear one thing. +- Hi. +An evacuation order was issued for Shinjuku, Nishi-Shinjuku, from blocks 1st through 6th... +What if the nuclear plants are destroyed? +This is a blessing from holy Ajari! +Hey! +Fortunately, it's going to be sunset soon. +You're too close! +All right. +That's my big man. +I noticed something wrong a year ago. +- I have practice. +- We got wings, right? +And hello! +And? +Movies are fuckin´ bullshit. +We already used that excuse when we killed Christ. +No. +The whole fucking world's against us, dude, I swear to God. +- Jay! +What do you want with me? +Not born. +Why are we enemies? +Then we'll play. +It's not Divine Mandate. +The remainder of the crowd have dropped to theirknees... identifying this as the fable da pocalypse. +Creating an empire out of simplicity." +I'm sorry, old friend, but you lost the faith. +Why is the last scion here? +no. +They´re kissing. +Run´shouse +I came from Heaven. +Somebody sent us this in the mail. +That´s the only thing I couldn´t figure out. +Now, if I remember the protocol correctly... the powers... will attempt to contact the last scion. +Well, now please rise for the recession of faith. +We're going home, no matter whose pride it may hurt. +But periodically the glass has to be refilled. +Walk? +Good for you. +Die with a mortal sin and you burn. +-Amen to that. +He begged me to take it all back. +I can kick the shit out of kids in Red Bank and make myself a profit. +Why don't you name the kid after me? +A person who should be out of the house on a Friday night. +I'm going to put this away the magical way. +I want to make a toast. +Never underestimate the power of tears. +Destructo beam. +Alone, without telling her anything. +Could it be that the children are an excuse? +'"You wanna play Sherlock Holmes, look for a Jap with a bloody gun butt.'" +She teaches me to be Japanese. +"You wanna play Sherlock Holmes, look for a Jap with a bloody gun butt." +"You wanna play Sherlock Holmes, look for a Jap with a bloody gun butt." +She's married, Ishmael. +Wanna play Sherlock Holmes? +"You wanna play Sherlock Holmes, look for a Jap with a bloody gun butt. " +"You wanna play Sherlock Holmes, look for a Jap with a bloody gun butt." +"You wanna play Sherlock Holmes, look for a Jap with a bloody gun butt." +You say here that it was made by a long, narrow, flat object. +Wanna play Sherlock Holmes? +"You wanna play Sherlock Holmes, look for a Jap with a bloody gun butt. " +Looks like we have a good turnout. +- Wanna play Sherlock Holmes? +I even told Art, "You wanna play Sherlock Holmes... +- You know that as well as anybody. +Who? +- Hear about Willow gettin' into Oxnard? +Not just because I plan to kill the both of you, but you got a bumpy road ahead. +He doesn't know what a lasting relationship is. +Why can't I tell them we live together? +- Yes. +Hey, Monica, you're doing Thanksgiving next week, right? +Well? +For real? +- You are. +Then I met a man, an Italian I think... +There, all of sudden... +He always ran after other women. +Thank you for all your help. +The clock starts now. +What do you want? +He can't see anything special. +Thousands of times. +- Right here. +Maybe, I can help +To my relatives in Mainland China. +What the hell are you trying to pull, kiddo? +Officer Ho is blocking the suspect, we can't get a good shot. +Me too. +We can't see what's going on. +So, you don't really have an addiction to anything, +I thought you were going to The Late Show, +He invited a girl he met on the street. +I'm OK. +. +- What do you think? +I owe money for school, I've no money for food and I won't borrow from Julie. +Relationships are hard, They just are, +Lots of boisterous fans in bars; +- Come on, boys... please. +- Get in the back of the van. +Oh, dear. +No, I don't wan t one. +quickly. +Pero, Iet me tak e you by the hand . +Terrible, isn't it? +Sorry, Kevin. +! +No way! +Hey, did anybody lose their keys? +Oh, name one stupid thing that is as stupid as this one. +Here are our forms, all filled out. +Kind of my idea. +We are all responsible for our own babies. +Are they having fun? +I've never done that. +- I don't know. +- Kapa. +- Hello. +- Sure. +- I've made a decision. +There's only one thing that's gonna make this all okay: +Be thinking of Dad right there. +That's what I wanted to tell you. +What sacrifice? +- What have you to tell me? +Her life's been in danger goin' on 30 years. +Kawalsky? +Kree! +Ours is the only reality of consequence. +She never joined the military in her reality. +- Well, good night, sir. +'Cause I'm using that to see out the back window. +Okay. +Tell me... could it be a sign? +Hey, I just suggested a line of handi-capable toys, you know to show kids the fun side of being physically challenged! +Son of a bitch! +Yes! +"on which we used to rely?" +But with number two on the way, Joe thought it was time to move. +Can't marry! +- Yes, my lord. +Look, I know there isn't any hard evidence. +Excuse me! +You're dead to me. +Amen. +Why do you ask? +- Everything. +I feel like I've died and gone to heaven. +Screwed is not the word. +What's up? +University of maryland. +You know, if you still got a thing for her, this could be your chance. +- They know. +1906? +You're gonna have to pray to God. +But I'm not sure it would've been worth dying for. +Not bad. +What's going on? +- The money? +I ain't seen this color before. +Took my love And now you're gone +What do you say we get something to eat? +I see, sir, nevertheless... +Strange. +Man: +Go away! +We'll have to stay at sea and ride this out. +And row. +- Not anymore. +We're not there yet? +Hi. +He's the man, the man with the Midas touch. +I don't think that will be necessary. +That's why I had to see you now. +Bill? +Thank you. +What else do you want to know? +[ Ringing, Whizzing ] +[ Screaming ] +- Somebody help ! +[ Whirring ] +- No, that big head ! +Final score: +They said two years as a security guard isn't enough experience to be a cop. +- Hmm ? +Increase magnification. +Here. +Is she there? +- Yeah? +I, um... +! +Don't count me in, I still prefer cutting hair +I lost +Curtis +Can you do another prediction? +TV is coming! +I don't know. +Imagine the potential for education. +- It's a beautiful song. +You are quoting from this Marlowe. +Oh! +- Don't forget, they are the biggest whores. +I've failed you miserably. +What in God's name were you expecting from a Communist? +♪ And the other way about +Macbeth. +Aldo Silvano. +- It's Bert's line. +- This is work! +- My name, not the color. +What'd they get you for? +I will try. +When were you going to tell me? +The crime of assault against my personal guards carries the sentence of death. +Doesn't matter, anyway. +Thermal storage casing. +Hmm? +Doesn't matter, anyway. +Perhaps I can... +Perhaps I can... +Is it so bad to make a living at what you're good at? +This is Sister Iphigenia. +We too, are debt collectors like you. +Is it about the talking? +[Growls] +Not anymore. +But crew were left in no doubt that infringements would lead to serious disciplinary action. +There was also a training wing, and a wing of Ilyushin bombers at Cat Bi and Phuc Yen. +Hey, sir! +Don't try it! +That's some tang it's got. +I'm really sorry that I pushed you. +Because I'm working in a mysterious way here. +My Bobby's doing his braised meatballs tonight. +So, how did it go last night? +Can you believe it's already Christmas? +I mean, to be honest, he just seemed like he was a little more interested in hitting on you than helping your career. +OK? +See for yourself, Sherlock Holmes. +I'm leaving too. +Saddam's to blow us up anyway... +bad... +Everything's fine. +You didn't listen. +Hello +I'll take him to my flat. +-Me? +Tomorrow I'm going to Vegas, and the drive... and the time away, will be good for me. +Grooving right along. +No. +Are you the President's dog trainer? +Hello, Arlene. +I honestly love you +I'll be a monkey's uncle if these aren't the yummiest cookies I've ever had. +- And you made the call, didn't you? +Yes Meister. +Ron, do something. +I try my best, Stan. +What is it? +When they hit the super-slippery floor, they'll slide onto this mining cart, which should travel down this path, into the next room, where the fish net will fall on them. +Well, let's keep trying. +We love Chinpoko Mon, too. +Hey, you guys wanna go to the toy store after school and get some Spaceman Greg cards? +Of all the boys in the world, this is the worst boy. +Flying high! +- Good. +So it should be somewhere typical of what we might expect. +-Not under that key code. +! +♪ Now that we know you ♪ +Let's eat +- BETTER GET DOWN THERE, KERM. +I WILL CONTINUE TO PUT SO MUCH PAIN ON YOU, YOU'LL BE COME MY "PAINIAC." +YO. +I thought you were gonna leave without... +I'm an alien! +Thanks. +- Yes, sir. +Stop! +Everyone around the world Come on +Something wrong? +No nostrils. +- Doctors in the hallway. +He raped me every night for 23 days. +The machine seams to seek out our DNA across time. +Here it comes! +What are they trying? +It looks just like the proctor. +Gourmet Hunter Menchi! +You're quite smart, kid. +However, the more valuable an artifact is, the more it ought to stay in its rightful place. +You should be able to estimate how much time we've got from its speed. +In short, the objective of the Fourth Phase is to steal each other's ID badges. +Leorio! +{\fad(350,0)}#Shindou-Anime@irc.rizon.net +We've made it this far; we've just as good as passed this thing. +In a few minutes, we will be arriving at the site for the Final Exam. +You seem to have made good friends. +I'm getting off! +There are seven gates in all. +You can never cross this line! +I'll choose your left hand! +You both did very well today. +Here it comes! +What a fraud. +250 wins means we've made 2.5 million jenny so far. +{\blur3\fad(0,800)}mune no oku aketa mama +Take it easy, Zenji. +Sure! +It appears as though your daughter is already inside the Cemetery Building. +If I remember correctly, she doesn't believe in an afterlife. +I've left open the depths of my heart +Move! +There's even a Rock-Paper-Scissors Tournament for September. +Well, let's start then. +The map with just the basic shape of this city is 20 thousand zenni, and the map with the cities, provinces, best locations, and back allies is 650 thousand zenni. +Where should we go? +You collect bets on football matches by using my name. +Kit, why are we here? +They kept part of me behind. +Now take care of your father. +It is. +Sure, let's see what we have. +Hey, women will make the list someday as soon as I learn to speak without my tongue inflating. +Old people freak me out. +14 presidents and four different Batmen. +Grab him! +I don't know. +From being a family. +Pretty kitty. +Of course. +-How's it prepared? +I've never ridden a cat bareback before. +He had us cornered at the bottom of the cup. +Sorry, Smokey, that was me. +May I say something? +Sleep tight. +Aaaaaaah! +In the orphanage, we used to tell fairy tales of finding our families and having a party like this. +No, it's been an adventure. +Because I'm too small? +The photographer promised to send a copy to each of us. +I hope I never see you again, you fascist son of a bitch! +Made it a hundred times more difficult for me. +Tissues! +We are reconstructing reflections. +! +- Hello! +! +But not more than that, because in your 8th life, you'll belong to me! +Your grandpa was flying a kite on the adjacent roof. +After finishing his court case Vanraj will go for honeymoon. +I think you're upset. +Move your eyes Nandu, you might lose the rope. +Love! +what if someone had seen us? +"I now belong to you..." +Teacher pinched my arm today. +Hello! +What's with this girl. +Do you want lunch or not? +Yes, just a minute. +Hello. +I can't let you go but I can kick your ass! +Security is coming. +Shut up! +- Hurry! +You... +Wait for me. +Hurry +THE HEALTH FARM +The stewardess method? +At first I was employed, but now I am not. +All right. +I'm having a baby. +What is that? +Grab him! +[BEEP] WELLES TO GIDEON-- YOU NOW HAVE 4 MINUTES LEFT. +More important? +I've got it. +- Respect. +I hope you has learnt something. +Don't move, Michael. +- When's he gonna be home? +There was no ceiling on the room. +I was 17, just three years older than you are right now, honey. +Lerma, you sleepwalked again last night. +Not the blue ones +No, ladies. +I wanted to be that way again with you +I'm trying to reach Tess Bell. +Hey! +Everyone, get out of the lake! +I can't go to Woodstock. +- Look in the AP bag. +What was that? +When I was 10, I knew I wanted to make movies but I knew no one was going to give me that. +-I must get my umbrella. +Who? +Every day it delivers important papers to people all over the world. +What? +- What thing? +- I mean Universal. +Shoot me today? +Goodbye. +Will you be okay... +Only one thing can stop them now. +Let's eat out next Sunday. +You're supposed to love me you son of a bitch. +- Abby? +Sir, we are ready. +I lost club to sit in the dressing gown? +Engleansikt. +Maybe? +Little further. +Now coming in? +- Doesn 't panic? +It was an escape artist. +What d'you say? +Hanna, wait till we get the room. +The gangsta rapper. +No, i play minnisink, the public course. +WHOO ! +I SEE IT IN RICHIE. +Live off the juice. +What is it? +Hey, King of Rock, you're out of your depth. +Fresh champagne, gentlemen. +Smaller than my Hamptons crib, but that's bigger than Steven's. +/nobody loves me but you/ +He is very dangerous! +What! +I can't see anything. +- And you wonder why they called you Andie McGeek on the playground? +Looks like we're both destined to see the future as single women, Grams. +- Summer camp? +- It takes a good beating... +-You're my guy. +Continental 2478, slow to 140. +What's Bob got? +What'd you think of the Bells? +Now, just take a seat. +Under your patience, gentle Empress. +Too like the sire for ever being good. +Who should I swear by? +He by the senate is accited home from weary wars... against the barbarous Goths. +Marcus Andronicus, +Tomorrow, an it please your majesty, to hunt the panther and the hart with me. +Victorious... +What, ye sanguine, shallow-hearted boys? +Lo, as the bark that hath discharged her freight returns with precious lading to the bay from whence at first she weighed her anchorage, cometh Andronicus, bound with laurel boughs, to re-salute his country with his tears. +Here, Tamora... though grieved with killing grief. +Rape call you it, my Lord, to seize my own, my true-betrothed love, and now my wife? +I will most thankful be. +Note how she quotes the leaves. +He must be buried with his brethren. +Noble Tribunes, stay! +Here, boy, to Pallas. +Go home! +'Cause he doesn't ever seem to come in. +It seems unfair to presume I won't be able to learn. +Turn it over. +Let's just all sell our souls and work for Satan 'cause it's more convenient that way. +Look at those arms. +- What's wrong ? +Can you hear the sirens moan || +And the first time I saw my cousin Tony's... brand-new Firebird. +# Ahhh, ahh, ahh, ahh, ahh +Fine. +I don't think my dad would try to come in while someone else is here, but you never know. +@ American woman @ +The ad said this pool was "lagoon-like." +I'd go to dinner with my parents. +Have you done something different? +Remember those posters that said... +Good night, Son. +I feel like I can't take it. +We just wanted to say hi to our new neighbors. +Are you kidding? +- I'm sorry. +For me, it was lying on my back... at Boy Scout camp, watching falling stars. +[ players Shouting To Each Other ] +It's very soft. +You're stiff, Silvia. +- +Ohh. +Right, Homer? +Are you ok? +Come on! +-Get 'em! +So, what does this have to do with this boy, Max? +It means I can move things I can't see. +- Hey, stranger, good to see you. +-Don't come apart at the seams! +-This better be good. +-He's not my uncle. +No, no. +Whoo-hoo-hoo! +[Man #2] Copy, Houston. +I know Vandenberg, chief. +-Yes, sir. +You're sitting on it. +Oh. +- Nobody said "cut." +I was putting together a story, and I was gonna get it on the air, +Are you catching a cold? +- [Scoffs] Incessantly. +- Stand on it, Stan! +Oh, this is crazy. +- It's not only a ball but it turns round. +Hana! +Will no-one taste the grapes from the land of Canaan of which each one must be carried individually by two men? +I wanted to kill him! +What's the video about? +Look, this may come as a surprise to you, but the truth is your father and I really don't have that much in common. +- I don't think so. +You nearly came to blows. +Willow, can you access the mayor's files? +Can you be more specific? +Uh, first word "jail," second word "bait." +I know. +BOND IS ALIVE. +WE HAVE ONE CHANCE. +Construction's not exactly my... speciality. +Gabor? +Brought me something? +Care for a drink? +Atomic Energy Antiterrorist Unit. +He would've wanted you to have it. +Don't blow us up! +Ready to load your cargo. +Faster! +No one will believe this meltdown was an accident. +I won't ask again. +Let's go. +- Yeah, Maiden's Tower. +Not a woman you've loved. +You're here to do what I tell you. +Me. +James Bond. +- Elektra, look at me! +Hey, all of you, to the surface now! +The money! +So is she. +But what? +You almost killed us. +- Perhaps that girl isn't so innocent. +If only you'd kept away we might have met again and become lovers once more. +Me. +Hold me steady. +I'm here to see Elektra King. +Thought I'd forgotten you, eh? +Yeah? +YOU'RE THE ONLY ONE WHO COULD SEAL HER FILE. +I SAW THEIR MESS ON THE DRIVE IN. +IT'S A TACTICAL FISSION DEVICE. +TAKE THE ELEVATOR DOWN THE HOLE. +- I didn't know! +Elektra. +Family motto. +He was operating in Moscow in 1996. +You're not retiring anytime soon are you? +We're 10 minutes out. +HOW WAS YOUR DAY?" +[BUZZER sounding] +For the first time, Steve took Miranda back to his place. +But, of course, when I went through the window. +He is a man with a serious respect for tradition. +- Oh, sure. +To tackle something that got the best of her the first time around. +We're gonna take him in through the window. +Hero +We Chinese help each other +Eddie, I can't hear you. +I'm Bing. +Expressing emotion requires a soul. +-A land use rider. +- What's next? +- Can you tell her I'm not in? +- Have a good day. +Tell him that. +The acceptance speech, the inaugural, State of the Union. +. +- Bill, where's Moore? +. +You're just a guy who's got by on his smile and his charm. +Cal, we got the dog tag report. +Now, you listen to me, funny boy. +Sometimes I draw a tub... and then, ah, fill that tub with skin softeners and bath beads, +Hey Bill. +I want you to tell me about this Mr. Billings. +I think he's growing up. +Well, I don't know. +Cool. +HEY, I GOT AMY'S PHONE NUMBER. +The medical treatment was hysterical paroxysm. +I don't even know if she's gonna show up. +/ No! +So there was an original video that people copied? +I've been worrying. +There are other Tok'ra operatives in his midst who I will not betray. +Found a flaw in your plan. +- Oh, come on. +Oh, my God. +You may go in. +- Why is that? +D I'd better be a flower forever. +I don't know where. +How did you find me? +At ease! +Fantastic, huh? +"Woman who saw her on the street said she was asking for a man called David." +But now I'm not so sure. +Either I'm fucked up, or something's totally weird. +All right. +You almost ready in there, little dude? +Like I was saying, when I get to the house, my sister was totally naked and totally on fire, right? +[Sighs] If you don't mind, it's just necessary... +Lana and her mom. +It's fine with me, I guess, but... +- Sorry, I forgot mine. +- No, and I'm worried. +- Me neither. +[Sobbing] +Lana, you okay? +She'll wear a smile +Yes! +Hey! +Hey. +Psst! +He's a pain, but he's great. +All right... we should go. +You're so handsome. +Just gimme that, honey. +I feel like I'm dyin' and I wish I was dead +Lana's? +Come on, son. +Tomorrow mornin'. +You almost got us killed. +Lana! +- What the hell is that? +You know, Tom set that fire hisself. +Get away! +Come on. +Come on. +I wanna touch you the way you touch me. +If you're gonna get into fights over girls like Candace, you've gotta learn a few moves. +Candace. +The disks took off from here. +Go, Brandon! +Well, he didn't. +Lana... +- Yeah. +Teena Brandon. +You are not a boy! +And some of them fall +-Let's go. +- Brilliant. +I will not forget you. +Hey, you can't run. +This one takes me back. +They cut down huge pine trees for a handful of tinder wood. +-lt's an apostrophe. +-You were cold last night. +- What's your ETA? +Hey, heck of a night for a moonlight stroll! +- Goss, you get a fix? +Until retrieval, stay with Alpha Team under the command of Lieutenant Razak. +In there. +We need a diversion. +And the incident to which you allude is forgotten, sir. +Lots of them. +All right, guys, knock it off. +Check the mirror. +- claudia. +You're silly! +What? +He is not dead! +He must be kidnapped. +They took Big Head Man. +That I can never get away from it. +Honey. +In order to create an artificial blackhole, we need at least a 100 LHCs +I know you don't care about others +Dammit +OK. +Y-yes. +Her children would have hooves. +- Uh-huh. +It's a staff meeting. +In +- Of course. +We feel... that the problem isn't with Peter. +Here's how I see it all going down. +Can we discuss the plan? +Doesn't it bother you that you have to get up in the morning... and you have to put on a bunch of pieces of flair? +Well, this is not a mundane detail, Michael! +OK, Lawrence. +Not this time. +So, Michael, what's to stop you from doing this? +I looked into it more deeply... and I found that apparently what happened... is that he was laid off five years ago... and no one ever told him about it... but through some kind of glitch in the payroll department... he still gets a paycheck. +Damn, it feels good to be a gangsta +[SLYDELL] We... we can't actually find a record... of him being a current employee here. +So that means that when I make a mistake... +No, thanks. +But this... +If we had more experience... +The key is early detection. +I'm sorry I was late, but I was having lunch, and I... +I thought you'd want to see this. +'Cause if I let go, then I'd be spineless +If the unemployment line ain't that long +But I was told that I could listen... to the radio at a reasonable volume from 9:00 to 11:00. +All right. +SLYDELL: +Mmm... yeah. +What? +Do you know what this is about? +I thought you'd come in here and start shooting. +I don't know, man. +What's happening? +Heh heh heh! +Yeah. +Not this time. +Lawrence, what would you do if you had a million dollars? +So don't call me, OK? +PETER: +Table for three to-- +I do. +Hey. +Hand them a check for the exact amount they're missing? +Have some fresh guavas! +We made her a stranger in a moment! +Whether my arm gets better or not... +I got results in three months, less excess skin. +It is a tense moment. +Negotiate, try to get 'em to come out peacefully. +- For what? +- I say fbi, they say ATF. +- You got it. +I trust your tour was a success? +You have peanuts on your... 0h, my. +You criticize everybody. +I MEAN... +I am a No.1 boy. +No. I can never do such a thing. +What happened? +They have eyes but they can't see. +All right, that's all fiction. +At last he phoned and I said what I had planned to say. +Then where is it? +He wants me to give them the CD. +Say, "oy, oy!" +I am bad to the bone, bubba! +How do you do what? +Let me take care of Simon. +Is that okay? +All he did was try and help a loved one in desperate need. +I'm coming. +- Hi. +At one point, they did have violent leanings." +She didn´t mean anything to me. +My stupid dad. +Well, as long as you pour me a drink, all right. +Oh, my God! +I don't know! +I´m gonna do anything I gotta do to keep her from fuckin´ talkin´. +- Come on, bro! +- Whoa. +It's a beautiful story. +But you're gonna have to give me the gun and let me arrest you. +Drop your weapons! +All 500 kilos! +I'll rip your lips off and kiss my ass with them shits. +What are you doing? +Do you know? +Now, if you and your bunch wanna feel important you can help secure the outer perimeter. +Yeah. +- Captain Penelli? +Oh, man. +- That's the shit. +I've been looking through your record. +Just talk to him. +- Believe it, man! +But I'm getting that whole speech impediment thing-- +Get your butt-naked ass down! +I checked. +Hey, wait. +- You were awake all the night? +You said my people have been interfering with yours. +We're just innocent puppets, forced to obey. +BUSINESSMEN, FARMERS, LAW ENFORCEMENT. +You know the truth as well as I do. +I have nothing on my conscience. +- Margareta! +- Over here, Dad! +Take this and go home +Ok, How do people manage to tell something which is not true? +One house for him Father and mother, wife children.. +Pilot ended up on the flight deck with a busted knee. +That time on the Seahawk, when I grabbed your parachute... +Can you stick to that, commander? +Please don't take him away from me. +He calls, tells me what to wear. +He was in the Marines about 45 years ago. +I don't know. +Look, I made my first snowball. +Everyone. +Okay, I see what's going on. +Now, listen, all right? +Okay. +Well, I wish I had that luxury. +Hey. +! +! +Close, but no. +For they and thee a thousand errors note. +- Something true. +- Meaningless, consumer-driven lives. +- How can you say that ? +Hey. +Oh, f- +Look at me ! +Looks like you'll just have to miss out... on the witty repartee of Joey "Eat Me" Donner. +- Who ? +Run, Bogey! +You don't strike me as the type that would ask your father for permission. +! +I'm Joey. +Well, you know I don't have to be home till 2:00, so... +[ Clears Throat ] +- Daddy ? +You can't drive a person to kill themselves. +The cops are making some serious wrong accusations here. +If they did, they wouldn't be the Red Sox. +You thought a blimp was God? +- It's a business meeting with a customer. +John! +- The tap dance certificate. +Try getting a job and earning some money. +- [ Screams ] - [ Grunts ] +Alright +It's quite a chic place +Who taught you how to make that box? +What are you doing? +You leave. +She always spoke her mind with great certainty. +Come on up. +How could I not know? +Hoping for the exuberant rainbow after the rain +Doing well +It's only a bouquet +What's the hammer for, Barris? +he's our soldier. +Come on, General. +Stronger? +It's a trap! +Something... something... had changed. +-Yeah. +Uhh! +COLQHOUN: +As did the black thoughts. +he F-111 had a unique swing wing design. +- Look, I just wanted Fridays off. +- That I spoke to the adjuster and agreed to accept a late payment. +She's dead. +- What? +Hans Strauss, 8. +Ah, that one sounds right. +Upstairs. +Friends? +- Yeah, that's great. +That's just it. +It's not talking to strangers if you're in your own house. +You saw that picture this morning. +Merry Christmas! +If you can give him the family he deserves goddamn it, you give him that! +That's right. +How's it going with Vincent and Sam? +Here. +It was in poor condition, but it was a remarkable deal, and I wanted to celebrate. +He was overloaded on a psychedelic STP cocktail. +Off the web. +It's cool. +WHAT? +I WANT US TO BE GOOD, YOU KNOW? +0:25:15.170 time really burying myself here Comment: 0,0:00:00.00,0:00:00.00,Default,0000,0000,0000, +Coming through. +Yeah, I'd like to see him again. +Oh. +I never was a student. +Listen, I heard Liz's grandmother isn't doing so well. +Thank you. +There they are. +.Mi estómago! +- How could you close the school? +I admit it's kind of cute. +Holy night ? +I heard, I guess I should thank Lily for driving. +Which is why he always goes to you. +You guys have made a lot of progress. +Thank you. +- I will not be held hostage. +It wasn't like anybody was going real fast. +Jake, why haven't I heard from you? +You already did it here. +- Not that I can't handle. +Okay, you know, we'll put it on my card, okay? +Thanks. +I just--I can't. +Come on, sweetie. +Even when she was a baby... +Mom. +And I thought about that all afternoon. +and I'm completely reorganizing my closet. +Hi! +Look, I can't talk about this now. +I want to go over there right now. +Mom, who is that? +I know I keep telling you this, but I got to tell you, Karen-- your kids-- I really like them. +- I weren't sure you were worth it. +- No, I didn't think so. +Hello there, boys. +"Mistakes are most common these days and deadly for it. +Cover your tracks in the snow too. +You folks go ahead and sing along. +[Whimpering Softly] +# It haunts me when you're gone # +Let's go! +His daddy's place is just downriver from the Chiles'. +Holt and me... +- Shut up. +How about tonight? +- You're falling for her? +wait? +something was strange. +It's a rough ride for the mini-sub, but the resulting footage will be spectacular, once the hippos relax. +(Chirping) +- You are bright and beautiful and talented. +- [ Farting ] +Hello, Chad. +He's fed to us intentionally. +They know where we are. +Thank goodness, the line wasn't busy. +Stan - you probably don't remember because you were frozen? +Get a table. +Wait! +- You don't understand. 'm not doing it. +Thanks. +I'll give him a Jimmy Olson. +She was all I could ever ask for in a woman. +For now. +I need the murder weapon for case R-13658. +Okay, I got it. +Okay. +This is even better. +It is a world planetary scientists are more eager than ever to explore. +Titan has brought back the spirit of the early days of planetary exploration. +I can't tell you what you want to know. +You know, um, a party on Friday really sounds great. +See you around. +Daphne! +You tell him to stop looting or I'll finish off what I started. +Will you talk with me? +What's the matter, can't fight without your powers? +I've got work to do. +He's senile. +I don't think it's that...it's like he's in some kind of a dream. +How did this happen to me? +Nobody's saying anything. +I know. +That's something you need. +[Music playing] +What? +You should wear a bell. +-l know. +- Who'd want to stay at the Consulate, Fraser? +That is the big picture, Ray. +- Yeah, sure, but... +Emergency Command Hologram, at your service. +Now, with what they gave me for Christmas, +I'LL BE ALONE. +No. +No. +You know, I just had a Iot of fun tonight with you, Dad. +I do this all the time. +No, nothing strange. +It's Jillian Armacost. +OK. +Now,when you get home... you take both pills and then go to bed. +It's gonna be really bad. +Let's just calm down and talk about this, OK? +What's the matter? +You already know. +Sherman Reese. +- Nice to see you. +He did something to me, Nan... and I didn't tell you. +They talked to him every night. +- Please. +- Based on the date, graduation day,... ..and the Mayor being impervious to harm, I've cross-referenced... +How did you... +Chances are, you're all going to be thinking whatever you least want Buffy to hear. +Ever. +I came to see if you needed a hand. +Rygel ? +Relax. +What is that? +Start talking, Thorrn +Like I care. +What do you care? +I- +I will buy you some candy soon... +I am eating. +My goodness! +- [ Scoffs ] +Let it be written in 8 and 8. +You have her father's love, Demetrius, let me have Hermia's. +I could play Ercles rarely. +! +Jove shield thee well for this! +But it doesn't matter now. +Naoko! +Hi, there. +Maybe the skirt is too short? +Heisuke, come and help me. +One order of Sushi. +I'll live for mama's share, too. +Sexy Boy) +- Insurance for what? +Nah, I'm watching my input. +Idiot. +Oh, humans. +Bender? +You were an excellent student. +Siro hired some guards to take them back to the country. +Dad, look, how many times would you say that you and Mom... +You're soaked. +Can I have your autograph? +Take mine too. +What, to me? +WHO IS IT? +HIS INTELLIGENCE WAS FINALLY APPRECIATED +I'm sorry. +Well, I guess that's it. +"We" aren't going anywhere. +-Bye, Autolycus. +We are about to try our first transfer. +Liam, Liam, come here, it's important. +You won't. +Maybe the defendant. +It loosens inhibition. +At first glance, you just wanna bite him? +You overestimate how much you underestimate me. +2505 Arlington Road in Reston. +You called me Friday? +- It's for all of us. +What happened? +I'm bringing this child in! +- You're killing children ! +As God is my witness... +SEARCH FOR ARTICLES THAT CONTAIN THESE WORDS: +- How long you two been married? +Don't just dive in. +Come on. +He was just in the middle of the road, walking in the middle of the road. +I don't know what you're doing. +William Fenimore. I want you to run it through your system. +What about you? +Now, certain offenses cause files to be flagged. +- Where? +Tell me, is he? +3:00. +IA already cleared him. +- Nothing. +Strange as hell, but deep. +Everyone, please, stay in your seats while the officials sort this out. +- I can't do this. +A what? +All the schoolchildren on a field trip from Marian Anderson Elementary School have been accounted for. +A few weeks? +I thought we agreed to tell each other everything. +It wasn't Tom. +Besides, if we get too close to a star, we have multiphasic shielding to protect us. +Tom? +What are you wearing? +- Come on. +- Tell me where you were tonight. +Don't save me from a life of crime, man. +Sorry. +I beg your pardon. +I bet he thinks he talked to me and now it's all taken care of. +The hour is upon us, sir! +Dad, what's that? +All right, give him his money. +Looking for this, Mr. Powers? +That means I'm single again! +Of course. +But do we really have to be here, Felicity? +Mini-Me,you complete me +-That was. +I looked into it. +to be awakened once again. +[ Arabic ] +Yes! +I can't believe Vanessa my bride my one true love the woman who taught me the beauty of monogamy was a Fembot all along. +Attention. +Number Two, you want to wear the Daddy pants? +Just the two of us +I'll kick your...punk. +Be evil, but have my feelings, too +Chin up. +That 's where you should put it. +I just may keep you alive after all... +You! +EXACTLY THE SAME THING. +Why don't you tell usNsomething we don't know? +you pussy. +I have a medical condition. +How the hell did you two find this place? +Call N.Y.P.D.! +You are fine. +No. +He keeps his promises. +Gun ! +I need to know. +And you'll be right there with me on the ground floor. +Good. +Follow 3 is on approach. +I'll tell you what I want. +That's pretty cynical. +Both parents deceased. +After all these years of waiting, it's finally happening. +There was no one else on that fire escape. +Gun ! +Doesn't make any sense. +Don't hurt my baby ! +- Let's go ! +Excuse me. +[ Chuckles ] It's gonna take a lot more pulling. +- I like to get a head start. +Take it easy. +According to the Scriptures, he can't see inside of the house of God. +Me, I don't do guilt. +♪ You gotta keep that dog ass breath ♪ +- I think you need to be reminded... of how painful reality is. +What's happening? +I'm not on your side, and I never will be. +Yeah , like that. +He's gonna fuck you, Christine. +Ahhh! +So, the men that attacked me are devil worshippers? +Come to me. +I'm comfortable enough. +I do hope so. +- What's this? +When he to rule our land began +Ah, Milano. +# While Love, the housemaid +Do take care, Miss Morton! +I'm told her right heel is much admired by connoisseurs. +♪ It all took place +Is but a useless mass +Il est bien, Clothilde. +Granted. +I cannot appear on stage without a corset. +They appeared to me to be ambling along the Strand. +You was late, Mr 'Urley. +"Or 'HMS Pinafore', the most popular." +Dickie, it's just this heat. +# And love is over all +And in 1877, it was an elixir. +With reference to your engagement for the opera I have a great concern about your little weakness. +Sicilian lemons. +That's the way, yes! +if one feels one deserves it. +# With ever-living glory +By the by, "monsieur", you do realise I have a little boy? +He hasn't said otherwise. +- Oh, thank you. +Far more appropriate. +Otherwise -- +We shall both be splendid tonight. +Yes, yes, yes. +Let's go. +But, how in the hell is he ever gonna get it down from there? +First thing tomorrow, take Mr Vargo to his castle in the woods. +- Good. +You see? +I may have a buyer for the estate. +What do you want me to do? +You just iced a woman, you know that? +Why don't you go in the other room to read your book, darling? +- She's... +I'm frustrated, frustrated, frustrated, frustrated! +I don't mean you no disrespect. +Why don't you go in the other room to read your book, darling? +Did he have a message? +Well, thank you for returning it, and thank you for your comments. +- You read that? +Take it easy, Raymond. +- The underboss, Valerio, too? +You're gonna make it. +How big is this thing, ranger? +Unidentified? +I believe you. +That's Hogarth! +It's got me beat. +You worry too much. +Forgive me. +What would you know about it, Poindexter? Don't make me come over there. +You work for the government. +Tonight. +We gotta hide! +Take this! +... stop. +Don't wig out. +All I know is, we didn't build it, and that's reason enough to assume the worst and blow it to kingdom come! +- What kind of pet, kid? +Boop. +Yes, sir. +PLEASE, SIR... +YOU'RE UP ALREADY? +IT WAS AN ACCIDENT. +Good night, Hogarth. +Banzai! +You are who you choose to be. +Where is this guy? +! +That's the stuff that makes them shoot at you. +- I want a memo distributed. +You are who you choose to be. +- hell! +Love that one. +Yeah, sure. +Lay him flat! +You better do something about those nerves, sweetie. +Kenny, come. +We're happier than the day Hankie got acquitted. +Oh, crap. +No way. +Iowa, Wisconsin, South Dakota. +Open it up. +JANG Jung-ll +Blow on it. +Calm down. +Let me deal with him. +Boss. +Cry now! +Let me order sunny-side-up with tomato. +Any problem? +Never! +How's that? +I don't think I can make it... +Director, the actors are ready. +It's OK... +Remember to bring your dad and mom too. +Don't remind me. +I'm new. +By a Mexican fisherman who would be just about the same age as the bike cop. +Takashi forced Kar-pek out of the circle in less than three seconds. +Yes... +What made you think that Bryony was having an affair with Rutherford? +He's done nothing, do you hear me? +And there's no handbag. +and the September 10th special umbrella meeting? +..."Mrs. Stella Schwartz"...its not that bad? +- Can I take this? +He talks about me, he complains. +Do you hold your father responsible for what you've become? +That you were in the Mafia. +Where you spitting? +-I made my point. +You are all very bad kitties! +I don't get it. +They killed me and think I'm a stiff now. +But this year, I thought I'd beat her at her own game and find something to surprise her with. +I've been staying in. +Why? +Mr. Lessing has agreed to show you how to adjust the sensors. +-Belay that order. +You? +I changed the future, and I made it worse! +- Bugs ! +We need you, D'Argo. +Data's not the only unreliable thing around here. +What kills you is his audacity. +Maybe he imagined it, like he said. +They're out of season. +- You still mean what you said? +My operating thesis at the time was that the mind is the single most powerful force in the universe. +The dupeys must escape the bigotry and random seagull attacks that characterize this world. +I feel this was meant not for me to find, but for you to make sense of... make the connections which can't be ignored. +Jesse, this is Elizabeth Blue. +I've been up all night; +Yeah. +It's what I do. +What? +Do you suspect someone...? +You want me to believe you did it out of jealousy? +So when Fahrid suggested opening a base in Sicily, +..and so the long list of fishing incidents with North Africa countries grows longer, but this time it cost a man's life too. +you better take care of this yourself! +Why do you always say it that way? +What's my job gonna be? +There's no need to use force. +I pulled the tab and I just fogged his yeti ass. +Happy Holidays! +It's amazing to me how many people are excited about the show. +I can take a couple days off work. +What, are you crazy? +What are you doing? +This is the housekeeper. +There's plenty of things for you to do. +-And on your anniversary. +Pheebs, you speak Italian? +Come on. +Just bringing some culture to the group. +Phoebe's going to have her babies! +Oh, look! +That came up quickly. +What- +We can make a date to set some other time. +I'm sure she remembers me. +Glad you like my work. +The life and blood of my business. +- I'm asking you that. +Comes around, raises some shit, screaming and yelling. +I'm all right. +Three wedding rings. +Mistakes like this you don't make. +– Donnie. +You do. +Okay. +Give me. +-I'm her father. +And in the diamond, it's in hard form. +Hi. +Frank, I'm saying that in trying to figure out... +I'm made to feel like a freak... if I answer questions... or I'm smart... or I have to go to the bathroom? +She knew all the fucking stupid things I'd done. +I don't know. +If you fire me... +And if he's worth being hurt, he's worth bringing pain in +I'm trying to put this as delicately as I can. +This isn't meant... +Back up, Max. +She knew all the fucking stupid things I'd done. +Good morning, Linda. +I got a call to this apartment, report of a disturbance. +Let me start by asking you... +Shall we drinkto that? +Get a calendar! +-You're a rapper. +Well, the kids have an even 2,000... and the adults are way up with forty-seven. +A little kid, and I'm not there. +Go to the card. +I said... +Serve and protect and all that other blah, blah, blah on the side of the car. +This is Chad. +It seems that all the arguing and fighting... and violence was far too much for Sydney Barringer... and knowing his mother and father's tendency to fight... he decided to do something. +This is Gwenovier from the show "Profiles." +So, me, I am... +I see you got your TV on there, too. +- Shut the fuck up! +Did you ever go out with someone and just lie... question after question? +I set goals for myself... and when I say I do not want to take it anymore... I will not take it anymore. +We both don't know. +Nobody's ever done that. +I'm trained. +Well, if this joker shows up again... or you got your music up too loud... maybe we can have another cup of coffee. +Take it on headfirst with the skills that I will teach you at work and say, "No." [AUDIENCE] No! +I was misguided, pathetic. +- Are we doing this? +"The cause of dullness in others." +It's so boring. +You pissed your pants? +The tale told at a 1961 awards dinner... for the American Association of Forensic Science... by Dr. John Harper, president of the association... began with a simple suicide attempt. +You want to take my statement? +I'm not going to write you up. +- I don't know! +Andfor a bonus 250... 250... you can sing it! +Next voice. +All we really wanted to know was the common element... but thank youfor all that unnecessary knowledge. +And if he's worth bein' hurt +Please. +AVI: +[BELL RINGS] +Well, I guess my question is this: +It hurts. +Yeah. +We figure it out. +You know? +An accident. +I can't let this go. +Say, an eight-day waiting period before next contact. +What I say is, "Denise..." +I got sick and lfell down... +Carbon. +I think maybe you've known. +Linda. +Tell me for what. +You could have come in the front. +- My own reading time in the library. +I have sickness all around me, and you fucking ask me my life? +But I'll make my dreams come true. +Uh, three, um... +I have no idea. +Their, uh, love? +They are who you call when he dies. +Just a regular deal. +But it's a 24-hour deal. +She's hereforthe interview. +And what did she say? +-Braces! +You wanna take my statement? +It's not... +Because we do bad things, don't we? +No, women don't cheat. +We've tuned in each day to see the human interaction... between Jimmy and some very special kids... and we hope there's thirty more years of watching that happen. +Samuel Johnson never had his life shit on... and taken from him and his money stolen! +Where is it, now? +You didn't like illness, though, do you? +-lt always is. +-Don't try to make up. +-Sam cut the paragraph 1 0 minutes ago! +-Believe it? +I tell them, for Joseph? +How long? +He must know. +Sorry? +Go kiss Grandmother. +Did you ask her? +He's out? +Not at the same time? +You know that besides looking for a way to make gold... the alchemists were also seeking eternal youth? +H ow much further is it? +You only get to make one mistake. +But, Jim, you don't know how upset I get! +It's a new way to learn how to read and spell. +- Hello Eric. +She really got me thinking. +The answer is one piggy! +Get ready. +And if it's not funny, it's over. +We were outside, trying not to piss ourselves. +Or called. +- Don't say anything. +He throws them away without even opening them. +Uploaded by [ sRtFeVeR ] new srt source +For what? +Did you give her a letter or a note? +Why don't you look in the glove box? +- Turned it off. +Shut it down. +Thank you. +I'm looking for a young woman... named Jane Fuller. +Name's Tom Jones. +It's all smoke and mirrors. +I know why you pass out from time to time. +I know them. +-Would you excuse us, Mr. Hall? +You're free to go for now. +Jesus! +I'm looking for Ashton. +Hey, man. +-Why would I? +Maybe in another life. +I want to see it. +-Yesterday at 5.:14 p.m. +I fell in love with you before I even met you. +A message or a note, maybe. +I was just doing my job. +A lot of money involved. +-Thank you. +Any idea where to? +What did I do? +Took everything: +Did you talk to her? +Your usual table? +I disappear. +Have you seen this person? +With an other. +Decoru m? +You call that reasoning? +We do things for Father. +- I'm so sorry. +[Yelling] +I gotta run. +And they were just scared to death of him my babies. +This priest's an asshole. +Not again? +That shit Didier. +A precise operation. +Oh, God! +Peter, you remember Coco, my friend from Newport? +Money doesn't buy happiness. +Oh, boy. +Aunt Marguerite! +- You call a student spitting in a teacher's face excessive? +I can't imagine what about. +When your papa died I made him a promise that I'd always look out for you. +Your heart is just fine. +My father was a nickel-and-dime shitheel. +- That's it. +Jesus Christ! +We only have a few days left. +I feel like shit. +This prick won't stop with the questions. +I'm not treating him. +Think this is a civil service job? +They were after Paul. +Why? +- I missed you so much. +No. +My friend told me to stay as long as you needed me. +I have interesting patients. +Why would I say it if I didn't think it was good? +Eight times is not catastrophic. +What a world What a life +Right now, we're the only ones that know about it. +I'm also about to get married so I'd like to go back to my hotel and.... +What is that? +Happy? +What's the big secret? +I betrayed you? +Who is this patient? +I think you want to talk about it. +- Oh, no. +All right, tell me about your dream. +That's the point. +- Then what? +-lt's all right. +-How you doing? +This is a gift. +I've never been to Italy. +Where is it? +You going to change your face like Sonny Black? +Ooh, wow. +Dizzy, chest-breathing, constricting attacks. +- I'm his friend. +- Hey. +Ma still grieves, remembering the apple trees. +We search everyone. +Hi Vicki. +I'm nervous myself. +She pushed me down the staircase. +No problem. +The Stone Fish +When they reach 15cm long, they become unisex. +Tomorrow's heroine +I need to use the toilet. +Oh really? +I've paralyzed your body but your nerves are still awake. +Shit! +I'm going to lie down. +You're my love, my little boy. +I'm so happy. +But something didn't seem right. +Joining images of myself and beautiful things. +I love to do that +Which one? +Pianist. +That's the most painful spot around the belly. +Deeper, deeper... +I hope I'm not asking you too much, and... +Come on. +I don't mean to say... +We need politicians to vote funds for the parks. +-Sure, Archie, if that's what you want. +"If you smoke marijuana, you will become an, unmotivated, dysfunctional looser." +-Come on. I'm an old granny. +Forgive me, good father. +- Please get out of my way, Teal'c. +This is Dr Jackson. +Not someone else's. +Right! +I'm not comfortable talking to people, that's why I watch birds. +- Maybe she's afraid. +God! +No, Jackie, then my dad will find out. +The fresh air will do you good. +Deep in the unexplored psyche... of a confused young man... is a wilderness called... wild Wisconsin. +- I'm not the one playing games. +We buried his body. +We'll talk later. +Santiago? +I convinced her to let us go. +Put that bully in irons! +The Police Chief? +,Remember this: +Will you put up with that? +But you, Maciek the Switcher, and you, Maciek the Club, must make up, and then so help me God! +I'll sprinkle them! +,Down with the Soplicas!" The gentry rushed in, stormed the estate and with great ease, captured it. +I know you're good at plucking the balalaika. +So I had to humble myself. +What we're here to talk about is real magic. +And then there's composer, songwriter George Gershwin, who took jazz off the streets, dressed her up, and took her to the concert hall. +I'd drown. +Come on. +You wish to know where I learned compassion? +-A whole box? +Pour me a glass, May. +Don't play with fire anymore, superman is fine +How is it? +No. +Get your inputs to Section One by Friday. +Talking +You have betrayed me +My first wife and I were divorced. +Bank bills were left unpaid, while we focused on the events going on. +Relationships are not about games. +There's sense in that, Trelawney, something we could profit by. +0rnithalestes displays his long quills in a futile gesture of aggression. +Because today it's up to me and you +Look, there's your hair. +We are now in the afterlife. +What do you like? +Yeah. +Did it work? +They'll get used to me. +Forget about everything but getting my amulet! +We got a body count? +- No, man. +You are the one who came into this church speaking about beliefs and feelings. +And he goes... +I had a goddamn turkey shoot over there. +- [Murphy] No, man. +Motherfucker! +Oh, really? +We'll do this guy right, and you'll feel a lot better. +Even if we get suspects in the case... we got nothin', nothin', nothin'! +So you're telling me it was one guy with six guns... and he was a senior freakin' citizen? +Mitchell, Langley! +We haven't really got a system of deciding' who, Roc. +- How many? +–Gotta go. +After the astonishing display of vigilantism... during the Yakavetta trial yesterday... the largest manhunt in recent memory is being undertaken... to capture three men the media have dubbed "the Saints." +You know why I fucking come here? +That's your new thing, right? +Now these guys dove under the table. +[Chair Banging] +I'll get it. +Number one. +- My -- +Well, not armed. +- There were wearin' masks. +I'm not the rope-totin' Charlie Bronson wannabe... +- Well, there are ways around that. +Just for him- the package boy? +It'll take five minutes. +Sick fuck! +- They should be in every major city. +Come on, man. +That was real fucking funny! +Vincenzo came in here shootin' his mouth off. +The wife says she doesn't know what happened after she hit the code. +"So we shall flow a river forth to Thee... and teeming with souls shall it ever be." +Whoever you all are, I have good news. +- I didn't know where else to turn. +-I call top bunk! +- There is nothing going on here. +- How did you...? +But you can't. +Does anyone hear that? +That's really dumb. +Cheers. +You thought we could go together after this? +She left an hour ago. +I'll tear you to shreds! +When do I leave? +My outfit! +Your health! +- You challenged him. +I'll speak. +Rzêdzian! +- That's nothing to you. +- Where's the envoy? +He avoided your pursuit and went to the Sietch . +Why do you hate me so? +Tuhaj-bej has taken his captives to Crimea and will be gone a month. +No! +-Well, I tried that for a couple hours-- +- A gigo-who? +Now look at this little fella. +Dad probably has a lot of paperwork to do and.. +Dad probably has a lot of paperwork to do, and-- +See ya, T.J. +% I can't smile without you % +% I know who you are % +Martini. +- ♪ Oooh-ooh-ooh-ooh ♪ +Yeah! +Hey, fishy, fishy, fishy. +- Really. +Don't worry. +[Man #4] That's a huge bitch! +Can I please use your phone? +See that red spot over there? +What, you got, like, six toes or something? +I'm married with three children, one at university. +Since you said you don't work Thursdays... +- Hello. +I've got a hangover. +And to talk to you. +[ Rex Gasps ] +- Here's the rest! +See? +HAMM: +Remain seated, please. +- I'm Buzz Lightyear! +I'm Buzz Lightyear! +- Farewell. +- Whoo-whee! +I have a laser, and I will use it. +Slow down! +I'm breakin' up! +- This way! +- for the times I'm not around. +Buzz! +- Ha! +- I'll save you, Miss Peep. +Let's see what's up here. +- # Meet the old Prospector # +- My arm is completely gone! +What? +Well, if you knew him, you'd understand. +My hat is not under my boot. +- Pizza, anyone? +He'll lead us to Zurg. +And the pièce de résistance! +First class all the way! +See? +Here we come, Woody! +- He's safe. +How about a ham sandwich with fries and a hot dog? +Left is right! +- Buzz, it was a national phenomenon. +I'll do my best, son. +Look, Jessie. +We did it! +It's the least you can do. +Is the specimen ready for cleaning? +You take that one! +I have won. +- Bless you, Woody. +- No! +- Mine. +Uh-oh. +I'm packing you an extra pair ofshoes and your angry eyes. +'Cause you've got a friend in me +Ares! +Late night? +- [ Gasping, Murmuring ] +Well, I'll be reading yours personally, [ Growls ] +Fancy a choc-ice? +It's none of their concern. +You're that nice-looking you'll find a bloke in no time. +Think I'll go trim my toenails. +- Ghost! +- See you. +I'll protect you. +Except for Billy. +I know it. +How could you flush Nibbler down the toilet? +- He's no different from you organisms shooting DNA at each other to make babies. +- You all right, Bender? +- She's not under arrest. +Remember your truthfulness is important, Mr. Ginsberg and as a prospective federal employee, I will remind you to answer as honestly as possible. +I don't want him in sight of my sister. +[ Spectators Gasp ] +Oh, lhve dreamt about this since I was a little girl. +[ Evelyn ] We must stop him from regenerating. +Your strength gives me strength. +I only want four! +- Two questions. +Oh, no. +I put up with you because your father and mother were our finest patrons. +"...the undead... +Evy! +You are my only friend. +- Now, get out. +I get him, but... +- I-- +Hamunaptra's a myth told by ancient Arab storytellers to amuse Greek and Roman tourists. +That's it. +You talk about something of which you know nothing. +-Do I know you? +It's a trapdoor. +I don't care how you do it, I don't care how long it takes. +On a dig down in Thebes. +I've never heard of this curse having actually been performed. +Forget it. +You have to find the person who made this. +We've uncovered alot. +Elizabeth Hornswoggle. +Strings. +... andgettingthatbook he borrowed from me? +/ Hey! +- Oh, man. +Really? +Sprinkle some on. +You have the nerve to say that! +You picked up my hat +I hadn't heard what you said +And then the next three, tell you what frame you're at. +Anything on that 911 call? +Hey, you wanna get something to eat or uh, do you wanna see how long we can throw this ball back and forth? +You're all up. +What's wrong? +I'm sorry I doubted you. +- You were trying to get into my pants. +And... you're really special to me. +I had written a screenplay about a 27-year old directing assistant who was living with an idiot woman. +-A brandy. +The paramedic said you almost died. +It's too late. +Right. +Yeah. +It comes out of your end. +I could always be a plumber, no? +I didn't sell you this heating equipment. +It just felt nice to have something special, for us. +Livingston, North Caldwell maybe. +Yeah, sure. +I said, "Because Grandpa's been in Special Forces." +- Right. +Say it! +- Don't worry about it, come in. +Two. +Jesus Christ, if I wanted Patsy in charge... +My mother there? +She's still paying for her hysterectomy. +You were down at the shore with your parents that summer. +[COUGHS] +You should've seen your face! +What? +- You write Sammy's "Saracen"? +It's really very pretty. +They're larger-than-life space-age comic-book heroes... the most sensational phenomenon of the past decade. +Satin underwear? +Nosedrums. +Cool. +I see you've met premature Peter. +Oh, yeah, man, you got my solemn oath... as a public servant. +Jeremiah, really? +what we were talking about, +Nope, he misses them both, +I was ashamed that I'd listened to my parents and given you up. +- We called earlier today, +if you leave, we probably won't resolve it at all. +- I'm running a little late. +I'll be right back. +Nice hat you got there. +You want the head of Willis Richland in a cut glass fruit salad bowl. +Along with that rifle there. +- Wild Turkey. +I got to go. +10-23 for 10-34. +- Then we talked about art. +- What? +All right. +Well, you're just -- you're just sitting there. +- Deborah! +- Please don't join the ranks of the disapproving. +- She's getting dressed. +- Okay. +Wahoo! +Do not fear anything. +Do you remember what happened last time? +One can finally eat a little meat... +Oh my god! +Oh, but this decoration is true a oeuvre d'art! +I decided to entitle this meal... +They are the Kurahadol's band of pirates! +Uh-oh. +Don't you mean, the one with the most people? +But it's harder than I thought it wouId be. +Your intereferance has made me lose track of my friend +Yeah, he's one resistant frog! +Is that man dead? +But Ace, tries to include/understand what Vivi-Chan feels. +Don't meddle with this village's business anymore. +I stole it to him, as a pirate. +Look at over there! +All that one knows, it is that it has funny cry. +You ace carried out your movement after me... +I've only finished my first page. +Why did it come one second time? +Ahhh! +Pride of father of the Garp vice-admiral +It is well what you said? +Forgiveness! +A hostage? +I-I'm so sorry! +You shithead! +Yeah! +The beach! +W-Why are you pinching me? +I do not declad my katana to play, me! +I am unaware of which kind of girl was your friend, but there it is rather me which should regret! +You survived! +Oh, of water! +? +You are helpless, you little fox +Luffy, looks at its face well! +It went too far, hein? +And then I am worried too much by the state of Nami-san and Robin-chan. +Do not let this young girl escape! +Capture it! +I am too strong! +Another has just disappeared. +Oh shit. +Eh well, I would like to discuss a little with v... +CYB3RFR34K-ISO +Serious? +Hey! +And he fought with our ancestors and led them to victory so he became the legendary hero of the Tontatta Kingdom! +Ah! +You are about to die after all. +If one looks at around, there is everywhere! +Lower Ribs +DEMON CUT! +What does it occur? +Hein? +Father? +Something seems to have left a trace in the back-yard! +The calm one, of agreement? +A city which loves the pirates? +You all. +Well! +If one could catch them good once for all! +Yuba! +One mustn't believe everything one reads in the newspapers. +Gertrude, I don't mind your talking morality. +That is my offer. +well, I mean a letter gravely compromising one's position. +And yet? +Oh, Gertrude, there is nothing in my past life that you might not know. +You are unfit to enter it. +I mean, face it, Dawson... +I give you advice. +Made me smile. +Try and find the homo now! +Cicci, can I have a word with you? +- Then what's your problem? +And... nothing. +- Really? +Viagra? +Just a little pain. +Cheuk +This is... I think you better not see it +Mr. Cheuk's on leave call again some other days +I know what you mean +Come out! +ALL RIGHT. +Tamara: +LOOK AT YOU. +( birds chirping ) +One moment, pretty. +Very strong. +- Go ahead. +- I need to talk to you for a second. +Giulia! +Stop. +-Oh, that's good. +I, uh... +Angie, can you talk to me? +Over here! +Did you get your period yet? +Girli? +Is that car yours? +I'm sure that you killed her. +I already apologize, Juan. +What's the matter, Vargas? +Listen, Pek. +Listen, Licenciado, this isn't a good idea. +Now I'm sure this Doctor is also involved in the murder of Doña Lupe. +Go inside and see if you can find a bottle, Pek. +none of this would have happened. +Oh, I'm sorry. +I'd like you to put your hands together for this year's Kind and Queen... +I caught it from Kinky. +There was plenty of love in our house. +Wait five minutes. +- Hello, girls. +This has been Lydia Perl with Channel 8 News. +- lt's not fair! +mr. fontaine, may i speak with you, please? +- i'll see you later. +(wind chimes tinkling) +Being uncooperative? +Happy New Year! +- [ Tape Player Clicks ] - [ Band Playing March ] +It's like looking in a mirror. +I see the signs. +- What? +Go find your mama. +- Oh. +I don't think I've ever been stressed out. +I know CPR. +But no-one said anything +He's driving me nuts. +- Falbalá! +For Tutatis. +Caesar! +No! +Don't insult my great-grandfather. +There are no rules here. +Is that any way to greet your dear departed brother? +It's gonna be all right, that's why I'm here. +A set of coordinates. +All that? +The larval Goa'uld you carry within you is your master even now. +"And he will make the face of heaven so fine... +- [Raucous Laughter] +- But you're not here to take over? +Come on, come on, come on! +It has to be you. +Bernard... +Well, if you want to watch it, no one's stopping you. +(phone rings) +"He's a family guy" +-Are you sure? +Excellent. +See, as much as I would love to do that... we want Theo more than we want you. +- I'd like to ask you one final time... to surrender any weapons you may have in your possession. +Honey, I think he just has a lot of information to get through. +No. you know what? +He's even got one that holds booze in it. +- But that's my life. +This is in case someone asks why a carrier group is in the North Atlantic. +It shifted direction with no warning? +Or it's just wasting food. +Workers were blinded by the mercury while making them. +-l read it. +Get the ships out. +-Okay. +I'll tell you, if I don't get some floss it's gonna bother me all night. +- Wow! +Where should the three of us go on our drive? +You slay me. +Good. +English? +Might as well go to the hospital. +Exactly what it says. +I wish it was neither of us... but the fact is, I'm glad it's not just me. +-You keep watching. +Do a better job of keeping us informed. +I don't know. +Uncle Benny, yeah. +You have the right to have an attorney present... +Nothing. +Uncle Benny. +The man is dead. +Now he has the Books of Ascension, we must take definitive action. +Right. +I thought I'd find that slayer that's giving you so much trouble and torture, maim, and kill her. +Any old time +- I don't think so. +She has significant social adjustment problems. +- I'm sorry. +Ohh-ohh +- No, next, okay? +I want to see if I passed. +- Bye! +This is my apartment. +- Let's go... +- While I was soliciting petition signatures at a sorority house... +- Marcia and Jan. +Cover me! +As of now I'm your grandmother. +I won't forget. +- Thank you. +Seiko better sit here. +So-so. +You're a little bitch ! +I'm going to need some equipment, special issue. +Hi, Aunt June. +Stefanos! +I can't help it. +I GOTTA KNOW HOW THEY DO TH IS. +Help me push this thing? +NEXT TIME I FIRE, YOU GO BACK THE WAY HE BROUGHT US. +Well, I guess I'm just gonna have to get myself a cup of coffee. +- So he wins. +What software company? +(SINGING) In old Montreal, they are having a ball. +I'll drink it. +Of your friend, Conner. +Come on. +WHO ARE YOU, ANYWAYS? +- Kiel! +In Hotenhau, on the West ring. +But in the chaos all anybody saw was Gabrielle pull her up. +He sat there frozen like the tundra. +Phase 4, this is Radio 320. +But Nurse profession is more divine than Love! +Sir! +No,I am Vellpandi's son Palpandi +You will do Caesarian and search for baby +D'Argo: +Her behavior was inappropriate, which is why she wears a collar in the first place. +You think Moya's gonna take you out of here after you kill her baby ? +You don't do the things I ... +Because I had the intelligence to know when to retreat ? +Ryu! +Hey, Ryu, you look a little out of it. +N-No. +Ryu. +Rules are rules. +Tasteful. +The ubermenscher wants you, Laura. +Not that it makes much difference. +Course I think she's hot. +Richie... +We're not alone. +- I don't know. +I wanna keep her in my sight. +Ah, come on, Richie. +Of course, you know that, don't you ? +Steve, over here ! +Maritime law says she's a derelict. +What the hell is that ? +I mean, what's so precious about your goddamn cargo, Captain ? +[ Foster ] Somebody's running this. +Looks like some sort of ejection seat. +- So that's done. +I worked for a group called Bottenheim. +We've launched on much less than that in the past. +It's in The Blazing Gun of Lefty Slade. +Get out. +- Episode 81? +'I have told you all I know. +- Wait, Jason. +Which way do we go? +Fred, what are you doing up here? +Laredo, take us out. +Tev'Meck... +You're not gonna die on the planet, Guy. +Go! +I'm sorry to wake you, sir, but your presence is requested on the command deck. +Is that all ? +- [ All Murmuring ] +It's, uh, uh-- I don't know. +This should be interesting. +I-l-- +Hey, Gwen. +I'm really enjoying it. +Listen, I'll go in. +We're approaching in five ticks, sir. +We've been all over the universe. +May I remind you: +I knew this was gonna kill me. +Let's take a look at a few more clips. +Alexander Dane! +Okay. +We might be able to get there... if we reconfigure the solar matrix... in parallel for endothermic propulsion. +- Find them! +- What did he say? +This way! +Gwen, Fred, Alex and I will get a sphere. +Come on! +If you think you can reinvent the wheel-- +This is Transporter Room 2. +Well, look, if no one comes forward, that knife goes unclaimed, I'll take it. +Quirky. +Hey. +It's a repository. +I am not afraid to make difficult decisions. +Wait! +You wouldn't get it. +Take your squad on the east side, move! +No matter how many promised guys you throw at them, they won't stop until we're dead. +You don't put down money if you've got none to spare. +Well, until it's straightened out, we can't help you. +I thought that might be easier. +- Thank you. +- Don't feel bad, Peter. +Who would've thought getting drunk would get me $150,000 a week from the government? +-No! +Yeah, I know. +Come on, you bastard! +Perp thinks he can slide one by. +And you are...? +Jesus! +-Hmm. +Oh, can't you use another color, honey? +Are you a cooze? +You do that for me, okay? +Mrs. Russel, I could kiss you. +Because after today, I'm gonna haunt the shit out of you. +That Robinson man on TV, I saw him. +We got to be honest about what's going on. +Yes, that's it. +I've had it. +Riley thinks I'm engaged. +Now, do you wanna be "William the Bloody" orjust "Spike"? +You know, I just figure, in the grand scheme of things, we're all just... +You know how? +And the big contest is tomorrow night. +- Nazi. +Bitch. +Would you mind? +There's really nothing to worry about. +How you doing? +Why? +Please, take a seat. +I feel a bit of an antique myself. +Marsh paid for it. +You ran away. +No. +Kohler or Partridge wouldn't have done such a neat job. +Put it down! +In fact, I'm gonna have to give you detention this Friday. +I knew an addict when I saw one. +-Get up. +I like you. +Very loving towards Manav's dog. +Certainly. +Because your sister-in-law behaved like a bitch. +Y ou probably don't know the girl. +- Yes. +Stargate event horizon without the gate. +Umm, before we go further, if there's anybody here who has reason why Joel and Risa should not be joined in holy matrimony, let him speak now, or forever after hold his peace. +And we make love right there inside of the car wash ! +Let's just do this, this is ridiculous ! +Yet you read them as easily as I would decipher the latest Sherlock Holmes. +I'll tell you what. +And you never, not even for a moment... aligned your sympathies with theirs? +Yes, father. +That's an average of 46.73 Miles an hour. +How long were you there? +We were discussing how to proceed with the case. +She admitted she couldn't be sure of the time he came in. +Hard work, father. +It is a situation which, after most careful consideration, +Is that so? +You are accused of blowing up DOOP headquarters. +I want you to put me back on the active list. +To defeat an occupying army takes careful planning. +If you really want to end it all, I can take you on a trial basis. +Shoulders out. +The man I've been waiting for. +I preferred to live with a boy, instead of my folks so I grabbed the first available one. +- Do you? +It's funny how you disconnect. +Am I abnormal? +Thanks. +- Before you. +No. +Do you know Cheng Lam, owner of Eight Immortals Restaurant? +But they didn't, and they haven't_ And they won't_ +I thought I might get a description of the animal. +She is the one who told me about his case. +Okay, Duke. +Where's your case? +I haven't seen anyone with a case like yours +So we wouldn't forget the boy. +I just couldn't before. +I told Rachel that it's just gonna be the two of us. +-Yes. +I'm not sure. +Shall we go to the restaurant? +And I want to stay away from you. +So here I am and I am sorry Priya. +- With considerable success, I guess? +The doctors say that she has lost her mind completely. +- To your Mummy? +It's good to know he won't be hurting anybody else's children. +What do you want? +He's still alive? +I wonder why Sky employ you, you stammering guy +Sky, don't be like this +I haven't seen him for 1 0 years now +I think she's not mature yet. +I don't know where l am at present. +Ending Happy +So you're better off taking the g.W. Or the lincoln tunnel. +I'm so proud of you. +All right, Your Majesty. +I'm performing a psychic reading. +Excuse me? +I'm sorry, Meg. +Crap. +She did leave a note and her stupid boyfriend dumped her in California so I told the fbi. +- I thought we had a relationship. +Other than that, trusting your artistic interpretation I only have two stipulations. +Can you tell me if you had to make a choice, if you were forced to choose between imagining her out there somewhere living a good life, being happy but you don`t know you never find out or the worst being true her being gone but you know. +I don`t endorse it. +Did you get hard? +WAIT A MINUTE. +JUST LET HIM GO. +LISTEN CAREFULLY. +-I'm not accusing you. +You want a beer or something? +A listing for Celebrity Films, and I need an address. +- I had sex. +It made me sick. +[Phone Beeps] +THANK YOU FOR SEEING US. +Welcome to the world of Dino Velvet. +You've been stabbed? +I want the proof. +What do you got? +Feel how hard I am? +You were praised for your discretion your strict adherence to confidentiality. +I told her I'd give it a couple of weeks. +-Any good? +You got hard fingers, Kresten. +What is going on? +She ... they ... they ... +Mine is very pretty. +Wanker... +Thanks for the invitation. +He really raped her! +Over. +And I had mentioned that maybe we should get together +Oh, it's okay. +- What's he paying you? +He turned into something. +We're gonna be okay. +This isn't a come-on. +At ease. +You like to sit with me? +- We don't need one. +That's what Lieutenant Buxton does for a living. +What's wrong with that? +-Again, Richard Simmons. +So you bumped into Richard. +He's probably in your room. +-ls that so? +-Really? +I didn't tell you because you'd get mad and I didn't wanna spoil our anniversary. +Great idea. +- Really? +What else did he say? +No. +Sorry I didn't tell you. +Hi, you guys are here! +You want to see it, right? +Let's go, let's go let's go! +Nelson! +He was the best tenant. +- Look at this. +I understand you tried to resign over the matter. +I should've never represented my father. +{\1cHCCE2F9}Where are the others? +...I don't believe that there is happiness that can come from the death of people. +Oh, right. +Could you peel the potatoes over there. +It was my fault because I never told him how much I loved him as he was. +The pomegranate trees are blossoming. +Himura? +he wouldn't have gone into the chaos of Kyoto with his inferior sword skill. +I am asking you if I can borrow those skills. +Katsura-san! +(Applause) +# And you'd stay +Of course, the danger is your imagination starts filling in the gaps. +- All right. +I've teamed up with Belinda, and we've taken the first steps towards improving Capeside. +Good game! +The game has become more than a sport. +The strange snowmen who play on a lake... the Mystery boys. +- He'll see you now. +- Yeah. +I didn't come here to sleep with you. +What? +All right. +Can you still remember it? +Humiliating you is what everyone else did in there. +I just believe he's listening to you. +Livid. +Fine. +Is that supposed to be a joke? +-Okay. +Yeah, caught that. +Her bridal exploits were taken to task by New York columnist Ike Graham in USA Today. +[IKE CLEARS THROAT] he runs the newsstand. +Maggie. +Focus on Bob. +If you're still in town, you should stop by. +- That's flattering. +That's what I said. +Oh, I'm hearing it here. +So what's in store for us in tomorrow's column? +I'd like it better on a scoreboard. +Why do you think she ran? +-% Give me back my ring, whoa-oo % -% My ring, whoa-oo % +"They're elbowing you in the subway, stealing your cabs, and overwhelming you with perfume in elevators." +You're a goddess! +- [Banging Continues] +- Okay! +- That's enough. +% She's got everything I need % +- Okay, Maggie, remember what Bob said. +- He's the one! +Why don't you just let him sleep it off here in the truck? +She might need this. +It's only a few carats. +They were to be here at seven, but no one has showed up yet. +I'm saying that you're both pretty and a good cook. +Isn't our business about the survival of the fittest? +Go ahead first. +We'll pay you back, okay? +A friend and I. The rest were untrained. +Please come again in 3 weeks, for the last talk of the week +- Yeah, you got- +! +For fuck's sake, save it for Vegas! +I got it in my first divorce. +You never have waffles before a fight! +- Because I don't have any cash. +- Now? +- We're just not equipped to go the distance. +Happens every day all around the world. +- Round one ofthe scheduled ten. +-...fnally manages to Wrestle them apart. +♪ Baby, why are you so mean to me ? +We figure they'll reject one and accept the other. +Come on, Cesar! +- I wouldn't call it nervous. +-You have our leave to go hence. +I just heard Vendela's in town. +Yes! +We're dating. +Don't project your frustration with your sorry, lazy life on me. +Subtitles by BloodLogic +-Hello. +Hear ye, hear ye. +Get back to work! +I think you just answered your own question. +Spike: +Now, "pillow." +You are really fucked now! +That you've become an addict And must get back in touch +The rest is up to God. +Sing it! +Better seen, not heard. +We're running out of time. +I should not have sent a boy to do a man's job. +- Can I finish? +So, boys, you saw that movie again? +Did you bring the punch and pie? +And city life's a complete disgrace . +I don't listen to hip-hop. +Oh, yeah. +- You fucked your uncle yesterday +TERRANCE: +- Is it Cartman's mom? +Guess. +Little boy, it's time for you to pay +Hi, there, little guy. +[ Whimpering ] +- What have I done? +For security measures, our great American government is rounding up all citizens that have any Canadian blood and putting them into camps. +God has smiled upon you this day +- There isn't any. +¶ Secrets. ¶ +- What do I say now? +The start of something? +Something wrong with you? +They might even stumble on the truth. +BUT THAT DOESN'T EXACTLY APPLY IN THIS CASE, DOES IT? +BOTH ARE CREATIONS OF TECHNOMANCY. +It was a gift from the one who taught me. +I thought you'd want to know the phase in Moya's converters is getting worse. +This ship is legendary, even in my culture. +Durka! +Why didn't you tell me this before? +Toilets are clean, boss. +He's a typical American who works hard... loves his family and has never cheated on his tax return. +I wish Jackie would've thought about going on the pill. +WHOA, DON'T WANT TO MISS SANFORD AND SON. +No. +Is that not proof enough? +It's a very complicated matter. +Come on, bastards. +Father Vincente. +You can't see her. +Jeanne, of course we still believe in you. +Forgive them, then forgive us. +I didn't mean to. +- Can you take me to him? +To avoid killing anyone. +I'm here to answer their prayers. +Hurry! +Peace will only be got with the English by the end of a lance. +While the people of France lie bleeding... you sit around in your fine clothes... trying to deceive me... when you're only deceiving yourselves. +She's in the guards' room. +I don't believe in the Devil either. +No. +Sign, Jeanne, and you'll be free of your chains. +My dear loyal Trémoille, I know I can count on you... to-to ensure our privacy. +Wake up! +That's something I enjoy seeing. +You have to start with yourself. +Please come home or call be back. +I could help you work on that conscience of yours. +Carry on. +- Assassin. +Yes. +You think I'd lay down and die? +You Know Why? +Urchins Board And Stay At Air Summit. +Now You're Telling Me I Can't Even Hang Out +I'm going out for a while. +That is so disgusting. +- I'm gonna need his support. +Fellig's asleep. +- We should get going. +- Scully. +- Are you okay, Mr. Potter? +I need one. +For example, if Miss Watson... was expecting an A on her history project, she might find the actual result to be... rather ironic. +Miss Tingle's a bitch. +Leigh! +By one point. +I blew it. +No, I ran into Ron MiIbank at the K-Mart... and he's moved back to re-open the plant. +[growling] +Hey, Donna, great writing. +Well, everything seems fine. +Is this not worth more than the life of one archaeologist? +Two billion of my people died rather than surrender me to the Goa'uId. +... everythingfallsapart. +Over the next year, we moved a lot. +Well, maybe I won't even pay the bill again. +No. +There's not a cloud in the sky today, huh? +Bye. +Thanks for knowing that, Mom. +-You must be the owner. +-I'm starving. +Who's speaking? +Olive? +They'll still be there +As soon as I get something... from the two bombers we picked up, I'll know more. +Yes, same group as the embassy. +Boy, you under arrest for murder. +Watch this. +You see her? +Huh? +You get to know it. +- All right. +He's in the damn restraint room. +Finally hit the big time. +JAN: +It`s interesting. +But we don`t know her like you and Jan do. +Heaven, heaven +There are no exceptions. +Yeah? +You're 10 seconds away from spending the rest of your life in the padded room. +He'll be fine, boys. +Come on over here and see this lady. +- The finest. +Briar Ridge? +You done good, old-timer. +What is Mouseville? +E Block. +You would think that. +I`m a done tom turkey! +Sentence imposed by a judge in good standing in this state. +Do you feel up to taking a walk? +Paul. +Help! +- Maybe it's rabid. +MAN 1: +I'll be fine. +Do you know where we're taking you? +I punished them bad men. +They bust the springs? +That should do real nice. +Goddamn it, hit him! +Hell, yeah, I been behaved. +Learn when to shut up. +Tourist attraction, I said. +You know, I fell asleep this afternoon and had me a dream. +So what? +Got "Billy the Kid" tattooed on his left arm. +He a bad man. +Are you all right? +Heaven +One thing I don't understand. +You'll have to answer for sending him off the Mile. +I support change, Elizabeth. +- The coast is clear, captain. +- It's not like I'm gonna fly it. +- lt worked... +It was a witch-hunt. +Go! +And I appreciate it, Howie, thank you. +The doer is saying he's got her. +We're taking a flyby at the Brooklyn Bridge. +The press is here. +Tell me everything you know about the crime scene. +And you ain't gettin'any, either. +You know, they say, genetically speaking, that we come into this world with a preordained destiny. +Photograph it. +Eddie. +The steam pipe was opened, and she's tied down right in front of it. +Look at me. +Very good. +-Rhyme's orders. +Any one of them could put him into a vegetative state. +You talking to Rhyme on that thing? +Cement walls. +On the phone. +- Probably not. +Yeah. +I can't decide what I should wear for the wedding. +While we're on the subject, are you taking the job at the firm? +"Kaceyjust wanted to be held. +- Hell, yeah. +He's running a little late. +You two are ridiculous. +It's on like popcorn! +After all is +Lockdown! +But she still don't sound like Jordan. +Or what? +- No, baby. +Then you got this music thing going. +I saw how she was lookin' at you tonight. +You ain't no better than the rest of us. +- What? +SHEKICKSBUTT . +- Where are you coming from ? +Fire ! +Yes... +I couldn't stop my men neither. +She is my youngest girl, but one. +- Shall we reach the house itself before dark? +Got some muscle on hand. +Where is the truth? +The big ones picking on the weak ones. +We won't judge you. +No, you. +I have no idea where he is! +You think this guy has a primary dumping ground? +- We're closed. +- I'm just... just... +I was working the register, +It's not that. +Speaking of our year anniversary... +Take your mark. +Hey. +Don't let her talk. +Not quite like amber, they're a deeper tint, changing with the light. +I will do anything to oblige you, anything, except... +Oh, they're lovely. +- Don't you, Roger? +Hands in new places. +- You know this isn't your world, right? +Oh, thanks. +No, but I want to live. +A hunting accident. +The Israelis were fighting for their survival and after three weeks of fierce resistance they brought the Arabs to a standstill. +Particularly with our Soviet friends at the time. +THE SYRIANS MOVED TOWARDS NAZARETH +TO KEEP THE STRAITS OPEN TO PREVENT WAR. +MARSHAL AMER DIDN'T WAIT +ANY TERRITORY +ABOUAN TO ENCIRCLE BEIRUT. +FUNDING FORTHE FIFTY YEARS WAR: +IN EFFECT, POWER OF ATTORNEY +FOR A PALESTINIAN STATE +HE WOULD GET THE SUPPORT OF OTHER ARAB COUNTRIES. +No, Willard. +And we are positively inspired by your solar power plant. +[ Gasps ] They picked Springy! +I say that we- [ Gurgling ] +You and Oto are... typical railroaders +At last you're off duty It's New Year's Day +You're a widower +But they wear track suits now +"I'll be thinking of you tonight"? +I'll go around the back! +That's fine. +Look, tell him Paul Hugo now goes under the name of Barry Grible. +- Good. +More corpses, and you were there! +Could we say your novel, "In the Light', is a... +As things stand, there won't be any witness protection. +Tie some string around him, make a cripple puppet or some shit. +Now they gotta learn how to talk dog. +I was to be his wife only for a year. +Nelle,...there's a rumor at Kirby's school, he kissed another girl today. +Hello? +Stop, stop! +Naycen Mason? +It shined and sparkled in the light. +Hey! +Want anything? +You will be taught palace etiquette... and how to conduct yourself in the presence of the king. +Guards! +And to the Jews in our script and our language, by royal decree of Ahasuerus, King of Kings, to all his governors and officials: +? +- He's dead ! +[ Clayton ] You' re the captain. +Ah ! +It's a piranha! +- Whoa! +Stop! +[ Yelling ] +kerplop! +You there ! +- It was amazing! +- Wait! +Yes. +A new life is waiting But danger's no stranger here +Tarzan. +And it´s you who´ll climb the mountain lt´s you who´ll reach the peak +Terrified I was. +Professor, you are here to find gorillas, not indulge some girlish fantasy. +Terk, all you have to do is get Kerchak out ofthe way. +Wh- +[ Clears Throat ] Ooo-ooo-ee-ah-ooo. +Hold still. +Can you teach me? +Is that what this is all about ? +It's you who'll reach the peak +[Terk] I was right behind ya if you needed me. +- Little baby monkey. +. +. +if you were to be a knob. +. +Watch your head, Doc. +Oh, what a pair of bottoms! +- A citizen +When all you do is hide. +We are the Brunnen G And we once were great. +- Pills. +It can't be her. +Jihee! +Tomorrow +It happened before. +- Hooray! +The king's lost his crown +So what? +Shut your eyes. +You don't leave such a post! +Why? +I'm doing it, I think. +On her reports she used to get straight a's, but over the last couple of years, now that things are starting to go well for us, it seems like all she wants to do is annoy people. +Stick with me here. +It's gonna be too dangerous for the girl. +I went back to my wife at the table at Beefsteak Charlie's... +You're damn straight I'll bring it up again! +High/Low. +Anything comes up with the kids, give me a call. +But at this point you still hadn't met. +His wife could eat no lean. +AII couples go through this. +We're here. +Try the bread-- +I'II call the camp and let them know you're here. +In Mesopotamia or ancient Troy... +All that therapy was a waste of time and money. +... yourmother." +! +High/Low? +- Hand to God. +And I do mean that. +! +That jerk of yours is causing me troubles. +There's been an accident! +Look what they gave me. +- ( laughter ) +No, don't do that. +All right, there you go. +Oh, hey! +She's made them done it. +-Which numbers are you missing? +Where are you going? +I was just, uh... +That's standard procedure. +Dr Fraiser's right. +Daft. +- Is that why there are guards outside? +- But I am not contagious. +- I'm not Ke'ra, am I? +Since the Vorlix, close contact has become... almost taboo. +Yes. +Idonotknowwhokilled Phillip Chandler. +I say go away. +What a miracle it is! +Kiss. +But tell me about your intentions. +Hello. +Now whether Raj or Nihal fires.. +People sometimes come to me... and can't explain why. +I would rather be dead or see you dead than with another man. +Praying. +Good-bye, Maurice. +Good. +- No, I'm afraid he doesn't. +You don't want talk. +- The ministry needs him. +No. +Sarah Miles. +I know you don't believe in Him... but try to. +I knocked on your door. +Yes, how long has it been? +- Go back home. +And that's the theme of As You Like It. +Hey, dude. +Hey. +To high school, because I'm a high-school student. +You know what it was like for me in high school. +I like a man who gets right to the point. +You owe it to yourself, to your writing, to go to college. +You remember that story? +I have to go die now. +- It was a pleasure, madam. +The glass is way more than half full here, Prue. +You don't get it? +You know how Papa gets, don't you? +Scared to death of that. +MOVE OUT BEFORE THEY COME AFTER US. +Attached to the Earth Alliance starship, Excalibur. +- Capt. Gideon. +You are to proceed at top speed to Sector 85 by 4 by 20. +PREPARE TO FIRE. +It would have destroyed all of Moya's data. +- You must let me past. +I'll be coordinator! +It doesn't count if you have to read them off your hand... +There are other ways to win back your money. +Thanks, but I'm done taking money from you. +You know, does Rachel move the phone pen? +I will be okay. +-Great. +Nothing! +In fact, look. +You love it. +No way. +- Why not? +Nothing's changed. +- I am! +before my very eyes. +- Yes! +I will surely help you. +They have paid the price I demanded, for my song and dance. +How 'bout you try? +I'm kissing your feet. +Where? +If I would've known this was gonna happen, I would've watched it. +Let's go! +- Fuck off. +At the end of the road, you gotta be thankful. +What the fuck is this? +A car ! +This chick's bobbing up and down on my dick like Marilyn Chambers... +We got John Sherlock Holmes in here. +We got John Sherlock Holmes in here. +We're good. +-You get in! +We got John Sherlock Holmes in here. +We got John Sherlock Holmes in here. +You got that one, babe. +Where can I get something to go with this juice? +We got John Sherlock Holmes in here. +So what we do is we look for people in other industries... +I need you to run a credit card. +We got John Sherlock Holmes in here. +I took Music Appreciation. +We could've been rehearsing. +You're a pro. +Yeah, Tommy, it's Vic. +We got John Sherlock Holmes in here. +You did your part. +We got John Sherlock Holmes in here. +We got John Sherlock Holmes in here. +- The wine, the wine. +At 20, uncertainty's not a problem. +What's your name? +I don't know. +You come here out of the blue asking for 20 hits when 20 is the magic number where intent to sell becomes trafficking? +My best mates are going to Las Vegas this weekend. +You work out, don't you? +We got John Sherlock Holmes in here. +Don't say anything. +We got John Sherlock Holmes in here. +What do you mean? +Our stop. +Look, the love of a wife for her husband. +Not yet. +Can't you see he's under duress? +This damned Leviathan has no idea where we are. +Hey! +Weird, amazing... psychotic life... and, uh... in technicolor. +No one but Velden and our people walk away. +- Or I'll call you later, OK. +That's not what I meant. +I'm an old Gypsy hag having a party by the camp fire, having a fine old time... until this complete bitch, who I can't stand, turns up. +Please... +- Let's go. +I just can't leave. +All right. I'll come over tomorrow. +This is my hundredth case. +Hah! +Don't be scared. +Hello? +It's a bit of a hectic day for me. +But I was a bit faster. +[ Laughing ] +- You strap yourself in and feel the G's! +This is fabu- +What do you mean? +I inflicted a lot of putrefying diseases on men when I was an avenging demon. +- You got a flight? +Buffy, Xander is in danger. +- So what do we do now? +It's just like a 52 drop in 'Nam." +Unknown to the West, Safronov had taken a giant stride towards a theory of planet formation. +In this case, the shortest path is a straight line. +I'm going with you. +Landing struts on line. +ALL RIGHT. +I CAN SEE THAT. +I COULD FORGIVE HIM DYING +(chuckles) +I'M AFRAID HOW I MIGHT FEEL. +Lolawanted her dolls to look like her. +Yes, Abella. +I'm serious. +Miss Las Palmas! +OK, OK. +- ( Karen laughing ) +I'll take one in every color. +You and that story you kept telling about Demayeus and Rhodes... +GOOD AS NEW. +[Moaning] YOUR DANCIN' DAYS ARE OVER, OLD MAN! +Could I get some clean sheets this time? +Fuck you! +- What hired gun? +Larry is right, we should. +She's not worried about you. +Get out of town! +His dad is better than me. +Or else? +Whose is that, then? +Come on, move! +Get out of bed. +Maybe he's got that disease. +Ooh, this is a good one. +- What? +(whimpers) +Shoot it! +We will bury the gate - immediately. +We're not gonna... hurt her. +Well, he started bringing home this smut-- women bound and gagged. +OK. +Okay, let's go again. +- Yes. +Tstatsiki, Tstatsiki! +There are lots who fall for that. +Shall we shop for souvenirs or something? +Why did you hit me? +Thanks! +I will get it done. +You said that women don't have to be smart. +Supervisor TAKAHASHI Hiroshi +You are the dealer, you have to pay $200,000 more. +I'm right here if you need an assist. +- Thank you! +Your name is Luc? +Don't you start crashing, either! +Is this of any use? +Pick it up! +Then, you are able to spend as much money as you want. +How do you know I can't afford buying it, why do you despise me? +Wrap this for me. +How dare you fool around? +So? +I have much work to do. +Uncle, l`m from Chiu-yeung +Right back at ya, pal. +Oh right, you have a group session today with your family. +My name's Lola now. +I've gotta do my homework. +Don't tell me it's yours. +Embalming! +The eyes of the soldier were staring at me and being eaten by maggots. +To change the furniture, just say so +Has the eclipse already taken place Midhat? +Take my place. +- That desk. +- YES +So that's how he gets all these things +This is so beautiful +I started singing La Bayamesa when I was a little girl +People always said Arsenio liked to pick fights +I was only five +I could have sworn +So that was the end of our par is vacation. +Melanie: what does it say? +Oh, that's right, you don't have one! +Yeah, Doc? +He means your mother. +- You probably told him not to do it. +Don't you fuck with me! +We were a couple for the standard three weeks. +Let's go. +I'm gonna be freaking all the fine skeezers up in here tonight. +- Yeah. +Geez! +Damn, Jackie. +Eric, meet me under the table. +Stay where you are! +She's not in the kitchen, is she? +He asked about your uterus. +Have all the drone been deactivated? +And we eat well. +Heh, heh, heh. +No, that's not the same. +I'm afraid of death. +I lent you a diskette containing my essay. +Can you imagine? +Shut up and get comfortable. +Nice to meet you. +Drown in shit. +McKee, Keller's hit! +Keller! +It's like the barrio or the projects or whatever. +It's a good offer. +- Nothing's wrong with it. +They never said, "What should we call him +"No, I think an O in." "OK." +I know you won't. +-Yes. +Um, let's go to the movies. +He didn't consider fucking below 23rd Street cheating. +I was embarrassed. +We should have a real first date. +Yeah. +Saw him once switching twin barrel carbies butt, yeah with a beer in his hand. +Well, thanks, eh? +-Yeah, pretty much. +-Yeah, yeah. +Have you checked his place? +Yeah, I've been there. +Fuck, the batteries are gone. +But I think we can narrow it down to these three here. +-I don't know. +Thanks. +-$67154. +-They had to give money to Vuk. +I took over, and he went to do the taxes for Mrs Jespersen. +Indeed, Lord Beaufield. +What is millipedus? +He's come as one of the kings as well. +How I had things I needed to figure out. +- No, we are! +- It's for patients in Chairs. +I'll check. +Pulse up to 170. +Fine. +- Unresponsive since the Valium. +- What? +I have to work too. +I won't be long. +Success has got no taste or smell. +It doesn't mean I'm intolerant. +He rips everybody off. +I like to say good-bye to the people I love even if it's only to cry my eyes out, bitch. +- You should go see a psychiatrist. +A machine is breathing for him. +Yes, wait outside. +- I like to see you look nice. +If you need money, just ask me. +Can we go through Medinaceli Square? +No, but it's easy to find out. +We reckon she's about three months along. +I understand. +it doesn't matter. +And Nina? +Look, I'll suck you off to show you how open- minded... and how sensitive I am about these things. +We helped her through detox +LIVER RECIPIENTS +I Iook like the elephant Man! +I'm replacing some nuns who were murdered. +It's finished. +It's Manuela, the new cook. +May I? +Anything else? +- So I threw him out. +Work, you have to work. +If you want we can look together. +There you are. +We can't help you. +- It's always the same. +The one in the sunlight? +Karma this... +It's been a while indeed. +Careful. +There is enough food for four days. +You'll be a witness. +Ninth is impressive enough. +Why don't you answer me? +- Trellon oil. +Let's do it. +You ever wonder why ? +Before you vainly try and do me harm, behold this glimpse of one whose death you've sworn. +A third choice, but I know there are only two. +I know, and you look 50. +It's time. +Easy. +Third law: +Good morning, Mr. Martin. +She's uncooperative, abusive, confrontational-- +-May one speak frankly with you? +-Then Andrew should get the money. +I am growing old and my body is deteriorating. +-Who's Portia? +There's a party next week to celebrate the opening of a building that I restored. +Thank you. +Then the ballet is not "Swine Lake." +As a matter of fact, I've actually gotten to a point... where I can pretty much exactly replicate the external physical appearance... of a human being. +You'll feel nothing. +-He has a stomach. +How do you feel? +Eventually I'm going to wear out. +You're screwed! +What I want to know is, do many of your other robots have feelings like this? +Who else would put a waste-processing plant next to a recreation area? +-What a piece of shit. +Because I'm not human. +There is another option that one is obligated to point out. +-l've made a decision. +Perhaps we should sell them. +It arouses too much jealousy, too much anger. +Ok, mother. +Nope, but we got no choice. +It's too big. +You're a nurse, and you can't love a guy in a coma? +AND AT SOME POINT, +About what? +Yeah. +I... am speaking. +Halt! +All right. +Come closer, Pablo. +Cool down. +Don't touch her! +- Two what? +I know you can't get away with shit in life any more. +Ritchie's the Son of Sam. +(Cockney accent) You ain't Bruce Lee. +We're gonna have fun. lt's Saturday! +I'm gonna wait here until somebody comes along. +Get against the car! +I only saw victims. +- You're gonna need me, Ritchie. +Didn't I take you to Yankee Stadium? +- Oh, my God. +- There's a psycho killer out there! +(male voice) I want you to go out and kill. +You know who wrote that? +- Who found them? +- Mick was the guy! +I don't want any trouble. +You're a pervert. +Play my Dead Boys. +Bobby the fairy tells me you're a nude dancer at a fag club. +I didn't see nobody. +Hold on, ma'am. +Will you just-- +Now you listen to me, okay? +You have to study the classics. +It's made me so nervous. +You're a washout, son. +The problem's at their end. +I mean, he's actually kind of cool. +I haven't seen my parents in a few days. +Let's go! +Come on! +All right. +Intense. +Look at that nasty thing. +Who's your fucking--? +And shake a hand ev´ry day +Maybe that's it. +Actually, I was looking for Phoebe. +What's she like? +You said Hercules would be gone by now. +You just have to call their pride, their ego and their masculinity into question..., ...and you can manipulate them into doing... just about anything! +Just got word the Shibuya group's working its way here. +When I first got hit with one, I couldn't sleep from the pain. +Medics! +No. +You can't have him. +They have shield generators! +- Stopa dare! +Keep away from those energy binders. +Go, Ani, go! +Did he crash-ed? +Amazing! +I don't get it. +You can't take Her Royal Highness there. +Uh... +[Announcer #2] At the start of the final lap, Sebulba's in the lead, followed closely by Skywalker! +We haven't much time. +[ Whimpers ] +Master Yoda, I gave Qui-Gon my word. +- Do you think she suspects an attack? +- Do you have transports? +I spake. +Better dead here than dead in the core. +(DARTH MAUL THEME PLAYS) +Vote now! +It's not my place to disagree with you about the boy. +- What options have we? +I assure you I will not allow that to happen. +- She's right. +Andtheregoes Skywalker.! +[JarJar ] Yay, Ani! +U h, that doesn't compute. +We will tell her for you. +We could use a transport. +My lord... +He always wins! +Then pack your things. +Today. +But guess what. +See you tomorrow. +Long time no see! +Okay. +- Yeah! +Er Ming! +We'd be happy to look after him. +- Her body chemistry has been altered. +The last is Hill Horn. +He stopped. +Now! +They became overconfident. +I can't beam you out. +Better than being one of you. +Stay with him! +Giant Clam ejecting sperm +Oh, Mike, I'm the stupid one, I've always been the stupid one. +Of coures, getting them out will cost, jewelry, silver, gold Even currency +He hanged himself. +Don't try too hard, or you'll never get it. +Fine, thank you. +Our new pianist has fallen under your spell, too. +- Can I get you anything else? +We were brought there five cycles ago from a number of different worlds. +Mmm... +Last chance. +Why have all the Jaffa masters left? +But sir, he can't swim. +Hello, sir. +There are the children! +Orleans. +But it had rained all night... +Ready! +Kind and gentle. +-The cops? +An entire planet is at risk and all you care about is your own skin. +We do this quietly. +I'VE BEEN ALONE BEFORE. +WHAT IF I SAY NO? +THERE WERE 6 DIFFERENT COMBINATIONS-- +Full power to engines. +Oh.. it's just... +Seen Valentina? +- And you? +- We're Silvio's friends, too. +Well, Martino's smart. +♪ Hey, Hey, Hey ♪ ♪ I'll Huff, I'll Puff ♪ ♪ I'll Huff, I'll Puff, I'll Blow You Away ♪ +She's just waiting for your permission. +They look so different once they're dead. +Tell me. +No one lives there. +In his police station. +Here you are. +But short. +Like cattle. +- Looks fine. +- No sir. +Shiva, it's the police. +No! +- Where are you going? +The higher-ups are the ones who decide. +That is why he went against everyone... and he gave this job to a "mohajir". +Sometimes. +Your shareholders would be proud. +And one thing you can't deny: +In advance of what? +And various pockets. +Are you alright? +And that doesn't mean you get a free chocolate biscuit. +I will go. +(Dog barks ) +(Chuckles ) +Ruby, listen to me, OK? +The policeman comes in and there's all this hostage stuff! +They're searching the reservoir, but I have a feeling she's not dead. +Fucking... +After you've seen Dr Silverman. +Quiet! +You're a fucking cancer. +He's a friend. +He ate my mother's titties. +That song-- "Nah-na, nah-na, nah. +Amen-- and so by the blood of Jesus, +Here. +Shake hands. +Heel! +I drove off, that was it, we were arguing, +! +Chucky, tell him to wait a minute. +- Dad, you're depressed. +You know her? +What do you think? +All right, time is still on our side. +Hats for the family! +Hyah! +I'll take care of them. +-What's in there? +-Sit down! +Your friend never did tell me yours. +SO HE DOESN'T SPEND A LOT OF TIME WITH ME. +And then there was Marc. +- Stand by 57 and 58. +In the forest, the Leaellynasaura enjoy the summer bounty and, despite the dangers around them, sleep. +They are just two metres long and their most distinctive feature is their large eyes, which help them find food in the dark winter. +Would this be a bad time to tell you you're sitting on paint? +I just know I'm not gonna get into college, and I'd bet anything Harvey's gonna break up with me, and the economic instability in Russia is really affecting my sleep. +The world changed. +You can't come back! +Listen to me. +Anybody at all, huh? +We're going bananas down here for Hawaiian Week. +If there is anything you need-- l mean, anything-- don't be afraid to call me. +She happens to be the president of our wine club. +I threw a blanket over it. +What about clay? +[EZRA shouting ] +Nothing, nothing wrong, nothing, everything. +Witnesses say the shooter was in a pick-up truck. +- No, Stan. +Hi! +- Money? +I'm communicating with nature! +That wasn't the car. +I'm the person who says how things go, that's who. +Back up. +Tomorrow. +We overindulge him, Okay? +Thanks, but no. +Big whoop. +Waste management consultant. +- Get outta here with that fat. +Two guys. +[ Phone Line Buzzing ] +But quite trankly, a series ot rabies shots sounds like tun... compared to another evening with these two. +I thought you would. +Hey, life is supposed to be a ride, right ? +Can do! +But he's not going to get it. +Hero? +Yeah, I didn't think of that. +It's not my fault her hair got in my face. +I am not in love with her. +Interesting idea, umm, talk about it. +I'm-I'm so happy for you guys. +What about Denise? +RACHEL: +No, the session needs the doctor but not the patient. +Of course. +I swear! +We all looked. +I'll cut you in for a share. +- Ammo. +Uh, I got my wife around back. +SOPHIE: +- Why are we getting weak? +Right here. +But please tell me why being such a modern guy makes me feel like a bearded girl! +- Cell phones. +West L.A. +I know how you feel. +I wished she'd die. +It's beautiful stuff, though. +- Is he your brother? +You drive, I'll direct you. +- Shut up. +(QUACKING) +Andrea. +That way the restaurant closes, the hit goes down someplace else. +- Paulie, are you listening to me? +Life in prison. +Go ahead. +Cool. +Naked. +Ha ha ha! +I have killed someone with my lovemaking! +Will you come on! +Hey, Canteen Boy. +Please let it be a gun! +You all right? +You know what, I'm beginning to like your booing. +I'm an imaginative guy. +Yeah, just, uh, Just a little queasy is all. +If he gets mad, we'll deal with it. +"Larry, take a flying leap off the balcony"? +-You're very good at it. +-Penthouse. +You are saved! +I feel like I've been shaking somebody's hand... one way or another... +Me? +You did? +Understanding that it was very important to our being here that we meet with and speak to mr. +-Did you say Fuller? +I think it's important to let people know what you believe. +Do you understand? +I wouldn't waste my time with him if he wasn't. +If you get use to talking to yourself, you know what happens? +And famine's hand will stalk the land +For I have been promised a land of my own +Everyone was nervous, no one could relax +WASTE NOT, WANT NOT. +AND SAY YOUR NAME +YOU OVERCOMPENSATE AND MAKE NEW ONES, +Charge me for one clip of 7.62mm and two clips of PPK. +That's the condition. +I can't get over the size of this place, Bobby. +MAN: +Of course they're gonna come and give you a needle. +♪ I ain't lying +That was good. +Hello, how's Ruth? +- No. +I really want to do some real stuff. +[ Panting ] +You're a shit. +♪ I saw mommy kissing Santa Claus ♪ +[ Guitar Plays Intro ] +Well? +That's weird. +Just leafing through some DOD frames. +After him! +Pots for sale! +She's about this tall, with a round face. +You're messing with me. +What do you think? +Fifty thousand. +I've been living on Navy bases since the day I got married. +I got it! +- Your love +And we're still a family. +- Oh, baby, I told you. +You people are my very best... beginning and advanced violin students, and that's Why you have been chosen to be in the Fiddlefest. +Lexi! +- That's why we got him the lasso. +- There's a reason I'm in charge here. +WHEN THE GOIN' GETS TOUGH, THE TOUGH GET GOIN'... +I haven't had a good night's sleep since February? +Lately I've been getting up earlier every day, I don't know why, +- Yeah, you too. +Noel! +It was a woman. +There's Princess Diana holding burning mistletoe over poor +A solution came from an unlikely source. +'That experience can never be duplicated.' +Rather than slower winds, we found faster ones, over 1,000 miles per hour at Neptune. +Come up here, bigmouth. +It bothered him very much. +Now it's gone. +You're worried about Xena, aren't you? +A. J. he was desperate. +It's a new way to learn how to read and spell! +No! +We"ve got banded anteaters with fluffy tails. +If you take unilateral- +You know, when we get the money... +Perfect. +She's the one who had the date with Rojas. +It's your mom. +You were looking for me! +Their will to live was so great, they even cut off the finger that wore the cult's ring +Continue with the violence and you'll be sorry! +The monster's relationship with the birds hasn't been verified. +- I usually get what I want. +- It's just to check things out. +What do you think? +Don't you fuckin' lie to me. +I was fishing. +TAKE YOUR CLOTHES OFF. +[ Doorbell Ringing ] +ABOUT BUSINESS THAT ISN'T YOURS TO TALK ABOUT. +Look at this. +You showed him up in front of town, he ain't gonna forget that +It's not as simple as that +You have an appointment? +I'm so sorry. +Blessed are those who endure in peace... for they will be crowned by You most high. +Mr. Ballard, the governor will see you now. +I'm looking for a man named Henry Ballard. +I go to buy some. +What would the salary be? +You think I want to come? +But... +- Yes? +He was messing with a computer tape. +Look Dominga, how come I'm always the one who ends up fixing dinner? +Without orders from the Forensic Service... +That's it! +Death. +You think I won't do it ? +Move. +- So you came by to check ? +Hey, look. +He lives with the animals, takes on their behavior. +They reached across. +But guess what? +No! +- Goddamn it! +If I cut your medication, will you take me there with you? +I just need you to... help me to understand who he was. +Do you know what that means at a maximum security prison? +- Let's play, Pete. +"It's there on the other side of those fences we build all by ourselves." +How, uh... +I'm not the one who cut your medication? +- No, you can't come in here. +Because you're not to blame, not for any of it. +I'm gonna have to ask you to try to fit in with our scheme of things... and treat Powell like every other inmate. +My father did this to you ? +He calls you that ? +[ Growling ] +And you ? +what you doing ? +SO THE SAME THING DOESN'T HAPPEN +IT'S AS IF THEY'RE WAITING FOR SOMETHING. +I don't understand. +That's your version of +Oh. +I try to get a reaction from the shark, +[ Snorts, Yawns ] +- Listen, Robert. +What are you so upset about? +How about now? +I just had to... +I was ready to go. +I'm a little upset. +You haven't described anything that you can't do yourself. +You know her treatise on Dietrich's work? +Bike path. +It's still your room. +- Come on. +Yes. +He didn't come with a political agenda, with his mind made up. +-l just wanna hear this one. +And for 12 pounds... +Sweet dreams! +My brother went out, I thought I'd stop by. +Selim, are you serious? +- Thatyou what? +What did Leo Want? +Here, in my office. +Some allegorical theme. +Let's show her what she's giving her life for. +If you move, I'll beat you up +AAH! +I did it! +Pilot, stay behind the debris. +- Oh, no! +Yes. +You were doing fine with her until you thought you had to£­£­ +The activity seemed to point to an imminent attack on hill 881 South. +The most successful new method was called LAPES the Low Altitude Parachute Extraction System. +O-O-O-h, y-y-yeah! +She had become an embarrassment. +Let's see ... +I want to do more. +Cell phone. +Oh, heaven forbid. +Why are you looking at me? +He said "who"? +Oh... +You're a hero now. +music +Detailed user specifications. +Oh, really? +[BOTH GRUNT] +I was devastated. +There may be more than one Ted in the company. +He's got the dagger. +Oh, it's you. +What are you doing ? +I returned calls, I did paperwork, I was here for the rest of the day. +- Drop this, Fox. +- I don't have the key. +I've been expecting you to show up. +Excuse me? +Nothing has changed. +I just can't take your games anymore. +I believe you. +"Spartacus" is on TV tonight. +It is ten o'clock, but we are reasonably young. +I like it better when I'm on top. +"If you want to know the truth, please read it. +I wouldn't be surprised if he was your rat. +Do you want to have a sleepover? +I've discovered that Mrs. Caldwell urged Annette to stay away from me. +I just got my licence two weeks ago. +I'll see you on... +- He said, "Which we already knew. " +And I discovered that these girls did not love me for myself. +Does that make me some kind of deviant? +When I was in high school, we used to come up here and make out. +Oh. +Jeremy won't mind. +We'd better get going. +Lily, I want you to meet skip. +My brother said you were about to fire me. +¶ or you don't get no spending cash ¶ +Jesus. +Hey. +Okay, put him on the air. +No, no. +HIS FAMILY ? +So, we make him feel like he's got a little wriggle room, right? +Tactical, chemical and biological weapons. +I need the cabinet on the ground, so we should put the deputies up. +A successful detonation and the destruction of that city. +[ Watch ticking ] [ Franklin Delano Roosevelt ] I have seen war. +And have you explain to your commander-in-chief... +Nice gun. +CLEVER, HUH? +No problem. +Perform a worldwide search for any DNA match that will confirm to my first-degree relative. +- What's she doing? +That's for sure. +They'll park here. +It's a bit fucking late. +Sorry, I guess. +Great. +That's good. +Knock yourself out. +My father would rise from his grave +I maybe frightened enough, to think about it. +that you alone who felt concerned. +Why is he eating by himself? +Celia, is she even a Catholic? +Free the other girls. +Yeah, I guess I am, Melvin. +I was changing her diaper... and I turned to get the powder... and while my back was turned, she rolled off the bed. +Not here. +I think you should lock the door. +seclusion. +Tell me that you don't take that blade and drag it across your skin... and pray for the courage to press down. +So by Freud's definition, I have achieved mental health. +They just gave up. +You like it. +- Oh, God. +Georgina, will you take Susanna to the dining room in a half. +What else? +Did you enjoy the fresh air? +That girl, Polly. +What is it? +But why do you eat it here? +Susanna, that's bullshit, okay? +Whatever. +I guess I haven't really thought about it. +You've been feeling bad in general. +And you pretend you're a doctor. +-What "" borderline business""? +-Shut the fuck up! +It's what I need to do the show. +Stop the music! +I'm worried about Andy. +Don't you touch me! +Praise the Lord! +This is not funny. +Don't make me laugh, George. +There's a drug in those cookies. +- Hi. +Yea! +- Yeah? +[Sighs] Listen to me. +I can quit anytime I want, baby! +- No. +You're insane! +- [Game Theme Song] +- Oooh. +- Hey. +I will survive! +Yeah, Mighty Mouse! +Don't turn around now You're not welcome anymore +[Mock Foreign Accent] Thank you very much. +[Booing, Jeering Continue] +The dancing bears +- It's up to you to pin me. +Okay, guys, let's do our dirt! +It's too late. +Every show is worse than the last one. +But please, let him down gently. +- Okay. +- But why can't I make a gag out of this? +Lung cancer. +Without you by my side +That's not true. +Not a problem. +Look out! +- Hmm? +Gee, restaurants are amazing, aren't they? +- Let's go, let's go, let's go! +If you believed +- Nothing. +What's happened? +Do you get off on all this? +Do you want me to stop? +You and Dad. +I could take her. +Yeah, I'll be here. +Are you just lying or do you believe it? +He's the bomb. +Out of hundreds! +- Crichton! +The man is mad. +I once visited you because of the tunnel construction in Shisuoka. +June 2O, 18...- +I'm going to drive you home. +Now, the way I'm seeing it is like we give you a fourth of what we take. +Yes. +By the way....... +Do I scare you now ? +Lexx 2.20 End of the Universe +- Lyekka? +Yes. 790 defeated a very small number of Mantrid drones. +What? +Oh man... +No, huh? +I just can't take this anymore. +Where's Ten? +(HUMMING) +Knocking +Oh, he was going. +So, why share all this juiciness with me? +I got another note from Daughter Judy. +Hey, you must be real proud of Nicole... her dreaming this up and putting it all together. +#If you see her running would be wise # +Okay, Zozi, with the cliff and the thing. +#It's more than courage orjust being strong # +- Hmm. +Here you go. +Bye, Bartok! +Gee, who does her landscaping? +More than just the peasants are revolting +- Careful now. +Really, thank you. +Not quite a rat, not quite a bird. +Well, not real gifts, but gifts of warmth and affection. +How amusing! +I myself treated Mrs. Verdurin's valet, who almost died of shock in the fire +Artists and men of exception, Iike you. +- You want to see a picture? +Is this more of your bad-day therapy? +What you say is impossible. +Which one of you... ..shall be host... ..to our new friend? +- When I heard the news of Apophis, my heart soared, Teal'c. +Yes, 2 cards. +I--I think we'd better call the police. +Well, little guy? +Just looking +Tuesday is couscous day +I'm not paying off my car with it +100 Yuan each should do. +- Very well. +You did? +I saw the car and I knew you were back. +His name is Luo, Luo Changyu. +They'll build a tall and wonderful school just as you wished. +"Everything starts to grow again...." +So how does it work? +Let me see. +For a short distance, only 10 but this is a long trip. +Stardate 51462. +You must be able to interpret the data and enjoy the process. +Get that data down to B'Elanna. +That'll give me time to check Seven's database, take a look at the evidence myself. +Request denied, Captain. +Tom? +Well, that's no excuse. +That doesn't sound like you. +Hey! +I've gone through dozens of histories written about twenty first century Earth, all of them biased in one way or another. +Oh, maybe just a little. +Unfortunately, he doesn't listen to anybody but himself. +Look, I know you've got a job to do. +I'm- +- A date? +I am afraid that someone will beat him up. +Mom... +Mr. Fat, don't be so rude. +Now, on to my latest achievement. +The original owners just one day decide to move out. +We better order another bodybag. +What are you doing? +Cops like plague. +I won't let you down! +I don't know. +Come here. +Look, I realize this is hard for you to get your head around, Opie... but you're failing to see the upside here. +Jesse, am I kissable? +Come on, man. +§§ [ Loud Rock, indistinct ] +- What are you doing ? +And I remember knowing... that things were never going to be the same. +Who the hell does she think she is ? +You go, girl. +- Oh, excuse me. +Why ? +If you're gonna help me out this summer, you're gonna have to know this stuff. +- Tell him ! +THE DRAKH WOULD LOVE TO WIPE THE REST OF US OUT... +MUTATIONS, +LET ME CARRY THIS ONE FOR YOU. +OPEN HER UP. +THERE ISN'T TIME. +All right, so we'll just talk to the players, +Hey listen, I don't know how you do things out here in the sticks, okay? +! +I've brought them something too. +- He's coming. +Granny! +While you were gone this summer there were days I would just get in my boat and come riding past your dock. +- Guess we did. +Angel's only been human a day. +When they fight.... +Would you excuse us, Miss Price? +A ball at Mansfield Park in honour of Fanny! +This is not the first time, nor the last, such a thing will happen. +- Yes, Mama. +- My dear Fanny! +Your brother is an actor. +That truly sucks ass? +Is very attractive. +See, I got you the airport delivery, because I know you like watching the big planes take off, huh? +Mount Zion, Wisconsin? +Mind if I join you? +- Where's that? +Uh, your social security cheque? +A Ford. +HOW MUCH LONGER ARE WE SUPPOSED TO WAIT HERE? +YES, I SUPPOSE YOU'RE RIGHT. +It's serious. +After Paul got the bad news, +God. +It's not fair, it's not fair. +Do you want an apple or do you want an orange? +especiallywhen certain young, naive people's mothers are paralegal secretaries at the city's biggest law fiirm and have won many successful lawsuits. +I mean, when I think about my new life and all the exciting things I'm doing, and then I think about what her life must be like-- probably still getting up at 5:00 in the morning +I just don't get it. +They say we're all one now, don't they? +All right, Luke, come on, it's all over now, it's all over, good boy, give me the gun. +And we share common laws and common rights, I think. +Why? +Good morning. +Origene said in his prayers... +I am going. +It makes me dream, I wonder why +Your desperation makes me stronger. +But this is Gupta's house; there is no Malhotra! +You wanna see? +I beg you, wherever you are, come here. +Meet the nastiest damn dog who ever lived. +Hello? +Don't. +Then what good are you? +Here we go. +-Why? +Then he breaks into my apartment-- +Were you to handle this problem on your own... there would be no doubt... that you're the kind of man we want. +Get in there! +Hubba, hubba, hubba! +The principle or something, huh? +When did you decide to leave? +Yep. +-The Outfit? +Make it quick. +Come on, sweetheart. +And who knows? +What took you so long? +1 40 grand. +You okay? +No, is all right. +See you later. +See you! +There's somebody here to see you. +Now it appears it has become our business. +LEARY: +Back off. +Yep. +Did you evacuate the college? +- Shall we try? +Not again. +Would you know where he might be? +- Easy, mister. +He had a spur. +Does this look like the Senate? +- Now you're my judge? +Wanna take this to his deathbed? +That was pretty cool. +We're gonna do good. +I don't fucking believe this. +There's a lot I could say right now that I am not gonna say. +That's perfect. +Come si dice? +-Why? +Sometimes it's important to let them have the illusion of being in control. +What is that, huh? +I almost got in a fight today. +Jeez, Anthony, you'd do that for me? +How many times I gotta say it? +Who else, huh? +Jump. +-Anomalous surface details. +-Daltron 7. +-We got them, sir. +There was no reason to treat me this way. +Aren't we, Drake? +Switching over... +The Shadows gave the orders... +This is out of the-- +Enemy ships closing in on our position. +Ready main guns. +What's going on? +The big question is how'd this client know we were meeting? +At first, we had problems with its delicate detonation conditions... but the test we did last month was successful. +It's not too late. +You don't look so good. +The CTX! +People around Lim? +There were people who thought the same as you in 1950. +You have one new message. +I'm sorry, did someone just order a Victorian straight up? +The first people on my "call in case of emergency" list are my parents. +-You should be. +In the computer room? +What? +It's kind of like being present at the birth of something. +Isn't it funny how life can be full of strange coincidences? +-You mean all by ourselves? +What? +Zoids episode 28: +Moonbay! +Rudolph! +Manufacturing shells in this moving Ultrasaurus is bad enough. +Maybe you should just give up now. +We've gotta go rescue Rudolph! +Don't do this. +I like to party with my friends. +- Side benefits. +And if it is the end of the line, do I still have to shave? +How old is she ? +Who knows what we'll uncover! +Well, just watch. +- Ah! +Yes. +- I'm eleven. +I learned from the best, sweetie. +Boom! +Now, in the meantime, just get rid of the cat. +Thank you very much, Oscar. +And, anyway I've been meaning to tell you guys that you won't see me with any women for a while. +I can always use a little help. +-Absolutely. +-I hate that. +Good. +What are you doing tonight? +Run me through this one more time. +You tricked me into telling you things I never would have. +-Everything and more. +And all of a sudden she wanted a commitment! +Okay, guys that's enough. +BYE. +IT'S NO CAKE-WALK EITHER. +WAIT TILL I'M-- GO! +dd dd DE DOOD DOOD +Although the situation was desperate, American commanders in Saigon also saw a major opportunity. +She's gonna tell us something. +Newscaster: +Thank you for fucking my brother." +I'm giving her the house and she's giving me an ulcer. +I do not trust humanoids. +I've decided to stay. +I didn't wanna fake it again, so I just forgot to return his call. +No message. +Listen. +...Where don't they work like that? +That's good, yes. +No. 0f course I don't mean something as dumb as that. +So, why are you here, then? +0h. +...Can you hear this? +And your mind works very fast, and you calculated, +The air is perfectly... +I'd have to put my hand inside! +JOY: +According to our intelligence, the Dominion has withdrawn from Klingon, Federation and Romulan space. +I don't know. +The people in the streets. +You can't dump industrial waste as it may harm the "natural habitat". +You were waiting for me? +-Read it, and mark what you chose. +Mr Black. +Our marriage. +Okay. +NILES: +Is everything okay in your apartment? +Right like that. +Deputy, just try and relax. +Maybe you are a member of the Manson family. +From there it gained access to the sewer pipes in this building. +- What time was that? +- Just like a nightmare. +Don't pretend to be Sherlock Holmes, show you something new +- No, no, you wouldn't have known me. +Worth killing for? +Kranda? +- What do you think? +I have sent a distress call to the Peacekeeper Carrier that passed through here earlier. +I have to overhaul a Prowler engine... but apart from that... yes. +[Boos and moans] finish it! +What's your point? +Thank you, Discord! +You're here, baby. +Careful! +When did she say she'd be back? +Don't even ask how much? +Or I'll shoot! +Don't shoot! +You want to do it backwards? +That fucking loser. +Playing rough now? +What! +Small cars aren't worth your time? +- No. +Hello? +Throw the gun and kneel! +This ship. +They're just insane. +- What did Jadzia see in that man? +Somewhere out there, a whole world full of Crichtons, how useless that must be! +Your rations! +I might even get a fix on the Milky Way, maybe even Earth. +Give him a moment, it's a big responsibility riding on those not-so-large shoulders. +Never lay your hands on me again! +What the hell? +You stay here. +Don't f orget tomorrow's a big day as "March Madness" heads into the ronde de seize. +Jindřiška! +How dare you talk about mother's cuisine like this? +I let these vipers into my heart. +- What would you like to know? +- It's good. +-What do you mean? +He's bright as the sun +What +Shed your light upon my pen +The bells I ring +He will wear the crown +And there may be other lands ln this world +Set free! +I don't want to! +Er, some twat says hello. +Therefore, it is utterly impossible that I be up the duff! +It's not that I don't appreciate your offer. +No, I stand up to Darkon or I don't But either way I am not gonna let you take him on for me specially pregnant. +I +loads of stuff and just a couple you know don't put loads in - just a couple to sort of liven it up a bit. +Look, Prue. +He's joined the Sherlock Holmes Society, he's very... +- +Yes! +You've outdone yourself this time, Reg. +Are you sure they're here? +You know, I would've invited you back to my place, but-- +Who is? +Do you wanna spend all night listening to him bitch that the beer's flat, the food stinks, the floor's sticky, the fans are dumb? +And he wants you to wear this. +That's the last species. +Oh, I hate atoning. +- Liz, are you okay? +- You're babbling right now. +He has two daughters. +'And with that abusive obloquy... ' +Good! +Tradition, see, Son? +Son? +Nothing, Grandad. +Rasoo Lallah. +I wouldn't be doing art if I couldn't draw. +Cynthia, I won't talk to you about him. +However it's come about, I've no money to spend. +Molly, don't say any more just now. +No legal or no moral right? +At all. +Your way you just stopped returning her phone calls after two years. +Ice? +If I don't fire him first. +Is she still in the conference room? +- Shit. +Warmer still +See you later +Hong Kong, Albert? +This? +I sound so invincible +Your outfit +So are my friends it rubs off +- Gloria, this is Bu. +- How many are you? +Don't worry, I'm footing the bill. +I mean him! +Kiss her! +This one girl told me there's a saying: +A real fuckin' shit. +A couple of weeks ago, me and some friends, we were doing speed. +- We have that kind of relationship, you said. +Why not hang out with them? +You gotta think evil, man! +Yeah. +That's my dad. +You keep goin', you're gonna have my job someday. +We're gonna launch the rocket in a minute, but we'd like to say thank you first. +Where? +I felt like I was, like I was Wernher von Braun. +That was his decision. +[ Whistle Blowing ] +You have these boys in handcuffs in a high school, Mr. Turner. +(STUDENTS CHUCKLING) +Give me that. +That was his decision. +Besides, shoveling coal has got its advantages. +I also had a disastrous occurrence during the launch of my small rocket. +Yes, sir. +Well, maybe it's not for you. +Miss Riley, this does not concern you. +It wouldn't matter if you lived in the governor's mansion, they'd still think you're weird. +It's really cool. +Since here in Coalwood, everyone's much more interested... in what's down below the earth than what's above it, there isn't a whole lot of material to be found on the subject of rocketry. +Leon. +Hut two! +# Oh, well # +#Is to linger with you # +It's not like we got a hell of a lot of time, Roy Lee. +- Wernher von Braun. +Big deal? +I want candy? +? +Oh, great. +Oh, you're Monica. +Come on. +Mix me up another shot. +Hold your fire. +Senator, you'll be attending the conference, won't you? +The markings are typical of a humanoid infected by the disease, but not yet in the terminal stage. +Bad waiter, bad waiter. +Do you like them? +AII I have to do is try the shoes on? +It's the end. +- To stop the other warlocks. +- Right? +He got away all right. +- Why are you staring at me? +Her father's experiments weren't a total failure, Frank. +We can issue an order to greene to show cause why he shouldn't be deported, but if we lose, that's it. +Put it away and go home, zgierski. +Noon. +That is how God intended it. +You win! +Tell me I didn't see that. +Two first-generation and one second-generation female. +All-craft warnings for waters south of the US mainland and west of CA. +Elevator? +Boarding platform engaged. +Cut the crap! +Using us to flood the facility. +Anybody here? +Now you see how that works? +In French. +Said he'd be here by twelve. +A jazz player in my truck! +I'll see as soon as I get back to the station. +UH... +I have. +Just like us. +I was tired. +I know him. +- Why you gotta bring that up ? +He looks good. +- I know him. +You might fill with laughter +That's, uh-- That's too bad. +Did-Did you give Mary something called Red Death ? +(Frank) We have a call, Chief. +I wanna make a stop. +(Marcus) Lookat these women. +If he happens to fall, I don't think anybody'd be cryin' too much. +Die! +Must be my face. +Frank! +Get him over by the counter over there. +- [Griss] People, hear me out. +His heart's beating. +It's all right, We're not meant to do Oh tonight, +Let's break some windows! +Reasons you may not be aware of. +Better yet, I won't come back! +- Can we sit down? +- No, it's actually really sweet. +- Do you know where he's staying? +. +What is this? +There's this seminar taught by Dr McGrath, who's sort of legendary, +It has nothing to do with you. +Todd"' +Yes. +. +. +- Hey! +I'm just gonna have my drink. +We put together that list of eviscerating demons you asked for. +I knew I was taking a risk. +I had the hearing aid in the toilet. +I knew that one. +- He's getting impatient. +And Rome. +He's being thorough. +We could go to the bar. +Oh, I'll come down. +The thing with Dickie-- +- I don't think so. +[People Chanting] +Who are you ? +- You want to take over? +What's funny? +The police are amateurs. +She's confused, and she needs someone to blame. +You see, in America, we are taught to check a fact before it becomes a fact. +'I suppose that's why I'm writing this to you, 'the brother I never had. +- Both of you. +- Okay. +See ya, Tommy. +- I was half asleep. +There's no need. +I wasn't snooping. +I just... +Waiting here, watching for him. +- (Tom sobbing) - 'Tom. +Tom. +- No, signor. +Are you crazy? +Tom, I have to speak to you. +I've heard about him, of course, but I didn't meet him, no. +I can't face anything anymore." +Later. +I don't know her. +The Rome police didn't think to ask Mr. Greenleaf. +Freddie drove me back in his car. +You don't have to come. +- Si, si. +Look, Tom, we got to go to a club and meet some friends of Freddie's. +- Did you speak to Tom? +- Oh. +- Who ? +[Chanting Continues] +I loved you. +- Very. +I've thought about you... so much. +Um, I'm Tom Ripley. +I've been suffering all-- +- Marge and I are getting married. +I don't remember the exact date. +Marge, Marge, what do you think ? +- Promise you'd say ? +And that's just the boys. +Of course. +[ Tom ] Mr. Greenleaf? +One. +-Wow! +He gets this way around meaty-Iooking women. +If they hope to see a TV show that hasn't existed for 1 000 years... +Love Wind Love Song +And I didn't know why. +At that time, we had 3 weeks left for our marriage. +It was the three Marys, sir. +He's, uh- +The tears in Mam's eyes when I slapped her. +I'm worried about you. +Let's go out there, and we'll play the next 24 minutes for the next 24 minutes, and we'll leave it all out on the field. +- Slow enough he could've mailed it. +But I will never forget that day. +They'll never know what hit them. +Well, that's the 6:00 news. +She's trying to tell us something. +- That didn't sound right. +No. +Hey, Frank. +No more calls for Lisa! +- Let go of me! +- No. +Oh, yeah, laugh it up. +Go! +I have a secret to tell you. +-Not freaky under, Iike he did. +It's on B in his room, so you should hear everything. +All right, all right, take it easy. +- Don't be afraid of it. +- Horseshit! +- That's him! +(Tom) But there's someone else in here. +Hmm, you are pregnant! +you are right, life is yours, it must controlled by yourself +Maybe it's because iästänne. +Sixty percent chance of recovery. +'Alfa-mail'? +At a time like this? +Well, Rorf... you can forget about the fugitives. +Let us go! +You see what this has done? +Thank you, Sexual Harrassment Panda! +- Sorry. +He must've been desperate. +Just got off the phone with Councilman Clayton. +Mr. Perry, did you ever hear Randy Chase refer to Jerome Warren as "The Show"? +Again, mine was a statistical analysis... +He kidnapped us. +We can't leave, anyway. +- Okay. +- Yes? +Sleep well, Salvo. +- He couldn't come. +Is she all right? +Uh, excuse me, I was told +I apologize for the abruptness of this announcement. +It's amazing. +I didn't mean to upset you. +And I'd dress up In her clothes. +But you're in no state to travel, of course. +That's the way it goes. +They can never say, "I was wrong." They just send flowers. +They told Miranda that Nick had this thing for models. +I thought the alien on the video looked fairly docile - more curious than harmful. +We just can't keep trampling through the galaxy with no regard for the damage that we can do. +It's... +- Captain Carter. +- Take it. lt will ease the pain. +Without pain, without sacrifice, we would have nothin'. +It will take dedication and commitment, and most of all, cooperation. +And that gives me strength. +I don't know. I don't understand. +There's a sign on the front that says Lou's Tavern. +You're sensitive, then you turn into an asshole. +You're a genius, sir. +- Come on! +Listen to me. +Well, there's not a lot breast cancer in the men of my family. +So, please, I'm begging you, please call this off. +- Is this a trick? +You gotta find somewhere else to go. +yeah. +Tyler also works sometimes as a banquet waiter at the luxurious Pressman hotel. +It's hard to know what to make of this. +What? +We're the middle children of history. +(all) Ssh! +- Keep your mouth shut. +You too, big guy. +Thank you, Thomas. +Really? +OK. +{\cHFFFFFF}Someone has to switch the projectors at the exact moment +{\cHFFFFFF}As the fat renders, the tallows float to the surface. +{\cHFFFFFF} +{\cHFFFFFF}You're gonna start a fight +{\cHFFFFFF} +Resurrected. +Un-fucking-believable. +No! +Aw, come on! +Then the refrigerator's compressor could have clicked on. +Oh, self-improvement is masturbation. +I became the calm little center of the world. +It's me! +The question, Raymond, was what did you want to be? +Even the Ryslampa wire lamps of environmentally friendly unbleached paper. +-No... +Fifteen seconds, please! +Bob had been a champion bodybuilder. +And again, at Seize The Day, my tuberculosis, Friday night. +But... every once in a while it's a dildo. +Tyler went away. +You're a brave man to order this. +I'll say this about Marla. +Back to you in the studio. +--Wait! +To your cave. +I'd fight Gandhi. +It's not gonna happen. +The streets are safer now. +We are doing this. +- You wanna see pain? +Hey, wait! +You're gonna have to keep me up all night. +Excuse me! +No! +Well, uh, yeah, actually. +I--I can't explain it right now, +- This is a chemical burn. +It was beautiful. +Way out in the water +I ain't never heard. +And so it went. +- Oh, God. +At night, Tyler and I were alone for half a mile in every direction. +In exchange for my salary my job will be never to tell people these things that I know. +He's not kidding. +Tyler, you are, by far, the most interesting +After fighting, everything else in your life got the volume turned down. +His name is Robert Paulson. +We split them up. +You're going deeper into your cave, and you're going to find your power animal. +If you're not on your way to becoming a veterinarian in 6 weeks, you will be dead. +Narrator: +-This is my house. +She invaded my support groups and now my home. +Anything. +Uhh. +Hello? +Now find your power animal. +It comes on a few. +Aw, I fucked it up. +Ohh! +Yeah! +I'm sorry? +I look around, I look around, I see a lot of new faces. +- Fight Club was the beginning. +- Look at you! +You cry now. +So? +Of course, it's company policy never to imply ownership in the event of a dildo. +I cannot go when you watch. +Fight Club wasn't about winning or losing. +This is how I met Marla Singer. +Hear what? +What do you care if it's a guy or a girl? +Not unless I knew which wires were what. +Take him to the garden and bury him. +- We have to forget about you. +This is probably a cry-for-help thing. +- If I know where you are, you won't be safe. +- No. +- Come on. +It used to be that when I came home angry or depressed, +You'll wear leather clothes that will last you the rest of your life. +- Bob? +Bob. +Was I asleep? +Ah. +A new car built by my company leaves somewhere travelling at 60mph. +- I cheated. +Who are all these people? +- Whatever. +You're feeling premature enlightenment. +Is it going as well as you hoped,... +My eyes are open. +The other night, he was splicing sex organs into Cinderella. +- OK? +I look like you wanna look, I fuck like you wanna fuck. +What? +- Hey, Tyler! +In Project Mayhem, we have no names. +Whoa! +Must have had his grande latte enema. +Stay away. +Irvine's at home with a broken collarbone. +Ssh! +It's all the same to her. +Letme start earlier. +Now it's all gone. +We don't need Him! +Do you know about Tyler Durden? +- This can't be happening. +I kill Jack." +How'd you fi nd me? +You said you'd say that. +Yeah? +*Your head'll collapse if there's nothing in it * +You can swallow a pint of blood before you get sick. +Bob. +Why are you doing this? +OK, you are now firing a gun at your imaginary friend near 400 gallons of nitroglycerin! +Let me start earlier. +If one were so inclined. +- Aah! +Leave me alone. +Marla: +Get married." +21/2. +That condo was my life. +[Elevator Bell Dings] +- Why? +No! +[Crowd Fighting] +Trust me. +Yeah. +But every Saturday night, we were finding something out. +Jay! +No. +Oh, God, why are you doing this? +- Son of a... +There's always that. +Oh, God, no! +What the fuck did you guys do? +Yeah. +What did you just say? +We split 'em up. +- What do you do? +- A comforter. +- l need you to check for a lump in my breast. +You have to be more careful when you see me next time! +You go. +I don't know. +it's the best chance he's got now. +"I can't help feeling that you've had enough of me, +Pare, pare. +You don't want to hear me, do you? +"Be glad that you were born here. +- Can't breathe. +I'm honored, sir, but perhaps I'm a bit young. +[Grunts] +Your assignment is to drag these bastards in... and indict every one of them. +My great-grandfather, Emmanuel, must have been the last Sonnenschein to feel like this. +"Liberal tolerance"? +You have more in common with them than with us? +Happy New Year. +- Nothing. +! +Our numbers are few. +Ooh, yeah. +Tanga, where are you? +Eat and the pain will go away. +When did D'Argo entered the Promised Land? +Assassins! +Look around you. +... +Good morning, John. +They're just... wonderful. +Of course they're gonna show up. +He's getting paranoid over what we're doing. +Boobs out to here. +No sleeping in the booth, Woz. +John, you're the one. +- Steve. +There is only one God... and Muhammad is his... prophet. +You, in here. +- I thought to find you in the tower. +What is that... +'Lo there do I see the line of my people, back to the beginning. +'Tis common knowledge, sire. +You trust no one. +Scratches and bites won't hold him off for ever. +You'll accomplish nothing. +You knew it that night on my ship. +I am supposed to talk to people ! +I said you dig like one, flinging earth carelessly like an animal. +I don't think tonight there will be- [ Horn Blowing ] - fog. +[ Whinnying ] +Take the north. +Over there! +"Arabe," speak what I draw. +- Look at her. +Bridget, how can I marry a man that I hate? +Ragnar died in England! +If he wasn't fathered by a black ram in the full of the moon, my name is not Ragnar. +It has to come out somewhere. +Put your hand down, little brother. +"Kill their leader and they will break." +SHE WAS YOUR WIFE? +Finally a rain of molten rock starts to fall out of the darkening sky - +Don't move! +- You're confusing our-- +Hey, I did not start that. +Coming into prison for the first time must be a great shock. +- You lie like I play the French horn. +If only they knew the other side of you. +This is beating a man to death or cutting his balls off, or what? +I'VE GOTTA BE GETTING HOME TOO. +This smoothie just flies! +- +Yeah, we've talked a couple of times. +I knew you did it right from the start! +Who are you? +Why not start with them ? +The sea cucumber melts away +What a great tactic ! +No, no! +- Put... your... hand... in! +Its okay, I haven't been waiting long, and thank you very much for meeting me. +Jerry. +Shut up! +- for God´s sakes. +Ah, this is too much. +- Yeah, we had a moment a little while ago. +Come on. +The four horses of the apocalypse. +How many lives would it take to get you back to the Alpha Quadrant? +! +So when Rigby got his samples back from the laboratory... +Can I take a message? +People will think you're adjusting to life in America. +Yeah, phase the accent out. +- You told me. +May his Heavenly Father hold him... and love him for eternity. +if you think you're man enough. +Unorthodox lifestyle. +You do the math. +We were after him, but he got away! +Mydepartmentdoesn't have any record ofthat, +Maybe lateryou can chewthe bark offmy big,fat log. +Becausethis isthe cove that he obviously lives in. +Hector! +I'll sueyou! +loading upthefront ofthetruck. +Wait. +You sure, because I don't mind-- +We don't mean to invade your privacy, but was he ill? +Uh... and how would you have accomplished this, ma'am? +I got something on the screen. +It's nota science trip. +Sheriff... +Go ahead. +Wells: +Can you see anything from out there? +When I see you out and about. +- Hello. +Look, I know-- I know it's scary, but I promise you, once you get into the swing of things, it's actually kind of fun. +In that cute, little, sweet way she just did? +This cake is really good! +Gold digger, cradle-robbing perv. +- Yes. +I heard some people talking on the plane about Barry Bonds, who plays f or the San Diego Giants -- +Come here, you. +Okay, son, that's as far as I go. +- We've been there, done that. +Hello, Snowball. +- Where are you going? +(swing creaks) +I don't think I'll ever be warm again. +(radio:) Isn't there anybody listening on this thing? +I broke my hip last summer, and I'm slow as cold molasses. +Y'need to relax, Mike Anderson. +This could be the end of life as we know it. +I know that when you were at the University of Maine... and in danger of losing your scholarship over a D in chemistry during your sophomore year... you cheated on the midterm exam. +- Thanks, Kat. +I never saw him before in my life. +I have to close the store. +-... +- Yeah. +All right. +- About what that guy said... +(engine sputters) +I'll come back with a truckload of widebodies. +Lloyd, he... knocked his own brains out. +Let's get your suit on... +But the kids? +get out of his way! +- You can go to the kitchen... and get the rest of the candles. +What the hell's going on over here? +I don't know. +... closertothecouch. +The phone was facing the other way. +Okay, bye, Mon. +It's amazing, Pheebs. +When you say "partner," it doesn't sound cop. +But that was different. +And she wants you to call her. +Thank you. +Dad will guard me, won't you dad? +You know? +Eloise. +You know how kids give each other things. +I urge you to reconsider, Captain. +You accomplished in days what our scientists failed to achieve in decades. +Energize. +Why did you leave? +Get back in the truck. +Are you kidding? +[ Man Narrating ] This is the story of a time long ago, a time of myth and legend, when the ancient gods were petty and cruel, and they plagued mankind with suffering. +I couldn't do that. +I didn't say what I meant. +Tomorrow's fine. +I'm lost in the race. +- Faith. +Do it now. +Despite heavy losses in men and equipment, the guerrillas would return even stronger, ready to launch their own offensive campaign. +Dramatic measures like calling up the reserves, or the National Guard had to be avoided. +These base areas were the destination for most of the supplies and men that came down the Ho Chi Minh trail, and it was these bases that the Americans would have to attack if the Vietcong were to be finally defeated. +You, give him a hand. +No chance. +- He does, so what? +And more pleasantly. +He was my most promising student 1 00 years ago, at Mars University. +I'm sorry, but penmanship counts. +I only remember the voice. +Well, mother, he's not the one... +Calm down. +Sorry. +Revolver! +I don't like this. +Aw, that was uncalled for. +You got a secret. +And you don't know what I don't know. +- Ready? +Mulder, this is a needle in a haystack. +It distills all the chaos and action of any game in the history of all baseball games into one tiny, perfect, rectangular sequence of numbers. +Bus leaves in five... +You're also implying that this baseball-playing alien has something to do with the famous Roswell UFO crash of July '47, aren't you? +That's what I'm talkin'about. +First team's reporting the same thing. +You're not looking? +Not all week. +It's, uh... +[Spike] Well. +Behind me figuratively. +It's ridiculous! +Your family... +And And you're what? +I can't stay here! +L-I bit my lip. +Is that, uh... +what can I do for you? +I'm confused, Rob. +It is our duty to carry out those orders. +- No, I'll not. +All are telling lies +This is in regard to the business men +You,What do you think of yourself? +! +Rs.350/- +I don't even use a pencil of the office +Why did you ask me to come? +Mr. Commissioner, no tear gas arrest. +The time is come. +[ Music ] +- I don't know. +Did you really think you could kill me? +- I DON'T KNOW. +- NIB SUGAROTH BAHEIM. +AMERICAN PRISON IS THE BEST IN THE WORLD. +[ Sighs ] +I have a feeling you'll do very well. +Where, exactly, do you think we met? +Bad drugs. +- Who did? +He can barely hit that space even when the guy's car isn't there. +Then I just poured orange juice and vodka over it. +Then you sleep. +-Did you ever find love? +Sorry you lost your case, but let me know how she's doing. +- And just one other thing... +- What? +- Joey! +- We're signing a peace treaty... studying, Pop, studying... +I appreciate the concern, Dawson. +Despite our differences, +That's why I'm here. +Some of them differ from yours. +I have the utmost faith in you, Mr. Corso. +I've got something for you, Baroness. +For you, monsieur. +You look ridiculous. +You have my permission to investigate further, Mr Corso. +Yes. +No sir, she was tall, dark hair, very chic, very elegant. +I believe in my percentage. +We give loyalty to you, Lord. +The painting, binding, a magnificent example of 17th century Venetian craftsmanship. +He said you 'queered' his pitch. +I like trains. +- If you say so... +Being an actor is no game, you've got to treat it seriously. +- I'm not going to the Army for three years. +- Come on. +I would like to talk to you. +- In the kitchen. +Our interests are the same. +You! +I'm out in 1 5 minutes. +Satisfied? +Okay, but it's my turn next time. +It bothers you that he's out? +"August 10th, 9. 15am. +We could actually visit Babylon. +We're the first humans in history to go back in time. +You know, man. +My name is Samantha Carter and you gave me the note, sir. +Piper cannot just sit around for the rest of her life waiting for Leo. +[BATS SQUEALING] +LEO: +- You're hurt. +Maybe. +They're terrorizing us. +I never... +And what do you think you think about then? +There has been a major break in the case of the so-called Unabomber. +Officer Muravchick, how are you? +How about you? +Swore under oath that they know nothing about addiction... +This is a public health issue, like an unsafe air frame on a passenger jet... or some company dumping cyanide into the East River. +What does it cost these people to do this to us? +- That you had a daughter. +I wanted to talk to you. +Use the bathroom. +I'm doing a background check. +Mike, you tell him. +[ Dial Tone ] +We believe not. +They're trying to close down the story. +This guy is the ultimate insider. +Oh, along the way, I suppose I made some minor impact. +We worked together for what was it, three years? +You haven't mentioned my name? +What caliber is my gun? +When should we do this? +One of the reasons I'm here is that I felt.... that their representation clearly... +I don't think so. +Don't any of these guys ride in cars? +If two people have an agreement, like a confidentiality agreement, and one of them breaks it because they are induced to do so by a third party, the third party can be sued for damages for interfering. +CBS is on the block. +It's the "we don't know" litany. +I told them you had an e-mail death threat that told you if you didn't shut the "F" up, they were gonna kill you. +Wigand is currently teaching chemistry and Japanese at the duPont Manual High School. +-You give me a break. +That would cut through any confidentiality agreement, wouldn't it? +I, uh... +You understand? +Front page. +I thought we... +- Could you call me back on a hard line? +Wanna do it together? +Okay, okay, okay, what's so funny over here? +Doobies? +AII right, fine! +But I had to. +Millions of them, compounds that shift the face of modern life Our next great discovery stared in the 1890 +- [ All Cheering ] +Ask anyone, they'll know where it is. +I'd be grateful for some fresh milk. +I said that he'd left. +Lieutenant. +I don't see what we can do. +I can help you. +We'll have to work our way up. +[Yelling] +What? +You're a bold one +I've seen you before +I have Alzheimer's +You run afoul of Bob, you run afoul of me. +If y'all was out and reading the papers.... +Now I don't wanna hear another peep about no fuckin' Boom-Boom Room. +I think that boy could be the next Josh Gibson. +Proud to say, boss, I'm that baby's daddy. +Gibson, I want you to stop now. +You gotta leave me something. +That'd take all the fun out the courtship. +You can't read? +Every year, Camp 12 wins the championship. +Jenny and Marleen both dead. +This ain't my daddy's watch. +Tonight, you're a bootlegger with a truckload of hootch and a fistful of cash. +Japan suffers its most crushing defeat of the war. +Damn. +So that's that. +- Don't say nothin' to him. +Lou ruin my stomach. +Stop it now! +But at least I was out-- +You got that squared away. +What is it? +- How do you do? +Let's just track this thing through. +Hey, I didn't know your portrait was here. +Marcie, give Phil a pencil and pad. +Lovely to see you. +Oh, of course you do. +Back on the wall in the museum? +Yes, this is Jeff, in wing eight. +- They owned a gallery together, Crown and Knutzhorn. +- Start arresting people. +(GROANS) +(chuckles) Okay, I'll bite. +Certainly. +- Yeah, because that's what you wanted. +Great. +If you mean art,... ..I'm just an amateur. +The Douglaston conference call is in ten minutes. +Of all the things in the world to take with a leap of faith, +You wish, you slimy worm. +Oh, boy. +- I need 10 minutes, at least. +I don't enjoy uncertainty. +We're trying to catch the saboteur before he places the weapon on Voyager. +What kind of reading. +- I ran a complete self-diagnostic. +You're welcome. +- She'll die sooner for knowing. +[ Ovation Continues ] +I thought I'd just slip into something more comfortable. +You should've come to me first, airing your dirty laundry in public. +Dominic. +What about Sammy Grigio's card game? +- Increase it. +. .weapons the enemy has through these. +My home is here! +Beware! +I am crazy about you, my dear. +How am I to believe that the kid is still with you? +No! +So I cheated you once. +It's all right, Chucky. +That's right. +You know, out in the open. +- They are living in the house. +- Stop it! +- Not if we distract them. +Shoot! +I found her in a cage in Loveless' bedroom. +WEST: +And speaking of sleeping, I'm really tired, Artie. +Intelligence, a sense of purpose, the element of surprise. +About your height. +It rolls on and on, screeching like a wounded animal. +Utah. +In matters pertaining to war, the person to talk to would be me. +Gordon! +We got us a shy nig-- +Didn't mean to startle you. +DETECTIVE: +How. +That's a man's head. +Okay. +-Very good. +Not quite myself out here. +--decided to jump over the wire providing us with that romp through the cornfield and that death-defying leap into the abysmal muck! +And this garter belt is riding up my ass. +-That wasn't sleeping gas. +"A love story." +You just met her last night. +Congratulations, man. +But just in case, it's 3 1 0-555-01 81. +Without parental approval, the female may choose another mate. +I... +A guy apologizing. +Yeah, I guess we did. +Are you ready to take this relationship to the next step? +This time, the female allows the male to touch her bulbous chest... which contains the infant's milk. +Created in a blinding flash, every star has a finite supply of fuel. +'Everything will be black and cold, 'and it'll be night all the time.' +You're so right, brother of mine. +But Nicholas will get away with it. +She'll be with the big girls. +Poor zach. +Will I quote you from the handbook? +You're not going to get Pikachu! +- About that, dude... +You're in no actual trouble. +If you walk out of here tonight and you see a man running down the street with his thing flapping in the air run with that man... (Laughter) +Why are you doing this? +What are you doing? +- Sorry, ma'am. +And is this a hard-and-fast rule against dating those within your command, or is it more of a guideline? +- Don't even kid like that, okay? +- You're not making this easy. +- Let's put her in the admiral's office. +Deal? +(Splat) +(? +And speaking of digestion... +Even if that life-form is about to kill you? +We will return for him. +Okay, so you tell him you want to meet for coffee. +I mean, he seems super-nice, and he's only two towns over. +-lt's this theory I've developed based on years of experience. +Stupid son of a bitch! +No high school. +Orders from the President of the United States of America! +Five would get a Lexus convertible. +-The wall just exploded. +-What body part? +The soldier's taking the water away from that woman. +Hey! +I don't think so. +Get in! +Oh, baby, I was hoping it was you. +-What's going on? +I have a ring of Jesus fire to guide my decisions. +Now, what's most necessary to Saddam's troops is to put down the uprising. +He said he wanted to go to one of those shrines. +What are you talking about? +Hee, hee. +Please don't leave. +Maybe. +Let's go! +Keep it going, keep it going. +Oh, baby, I was hoping it was you. +Look at us. +Specialist guys come here to train us when we fight Iran. +- You invaded another country. +Those are mines! +- Thank you. +I wanna go over this plan one more time. +Wait! +Tomorrow! +Walter, did you meet everybody? +Now U.S.A. out of Iraq. +Operation Desert Storm. +Whoa, whoa, whoa. +- I get around +ARCHIE: +[GRUNTS] +Your sick fucking country make the black man hate himself just like you hate the Arab and the children you bomb over here. +He is sleeping with his toy when the bomb come. +Where's Conrad? +I'll take it to him. +- That's your theory? +- And what'd they come up with? +Mulder, rather than spirits, can we at least start with Tony's friends? +We just spoke to a woman who could have been your twin. +Stick a fork in you, you're done! +- I don't know if I'd say that. +- +Oh, the whole family loved him. +Uh-huh. +Come on, he's on the move! +- A fella can't-- +I'm gonna ask Cynthia. +Okay. +- Yeah, it is weird. +I mean, if you wanted... your earring. +♪ This is the craziest party there could ever be ♪ +I'm bein' rude, all right? +- This guy has lived. +Hi, girls. +- The old guy in the wheelchair, the stepfather? +Yeah. +What are you doing, Casey? +Well, I'm not doing it! +No, thanks. +And she's so adorable. +Arf! +I can't do this right now. +I get it. +Rather. +In town. +Oh, hey, are you ok? +Ha ha ha ha ha ha. +You're faced with the impossible... +Basically, yeah. +You just called to tell me about the boat? +Can I help you? +Don't pay that any mind. +Great. +You be her. +Come on, easy. +-Very nice of you to stop by, sir. +Thanks. +I'm not pissed off! +So you used to be charming? +She could brighten up a whole room... +I thought maybe you'd drop it off for me in town at the hotel. +Catherine and... ? +Garret, wait. +Love, Theresa. " +Well, I never thought of that. +Yeah? +Has he called? +No, you don't have to say anything. +They're only half the war. +Why would I want a man? +- Yeah? +No, I'm Ziggy Marlon. +- I'll see you in a bit, yeah? +Thanks, Auntie Violet. +- I said nice, bruv! +But we're all doing it together. +Help! +Here, let me take this. +OK, but sometimes you decide to do things on your own. +So am I Lexx. +- Buddy system, remember? +But it was busted, busted all to hell and gone... +A friend acquired an original Gutenberg demonography. +Not yet. +He died! +Nak is running away. +She's coming! +Nak... +Burn it! +Come with me. +Ready. begin! +But you are the teacher. +Can you call the station manager? +Then sleep inside. +- A letter from your village? +Speak louder. +1 75 hours. +I don't have I.D. +I'll explain it to him. +- By himself? +You are the teacher! +I wantyou to show me. +- I don't know. +She runs over 10 kilometres a day. +- How about tomorrow? +He was wearing a chequered shirt. +6.5 yuan. +- The television station. +He went with kids from the other village. +Go to the TV station. +No. +Some stayed. +- I work here. +Hannah begat Samuel. +Her baby died. +- There was for me. +4 3 +Wait, wait, wait! +What do you want, you two-bit punk? +- Yeah. +I thought when I found John the Baptist that-- +- It's late, please have your dinner. +- Your right sometimes. +That girl in violet is Anitha. +All right. +Why not send it by drone to the Pegasus, sir? +DEVEREAUX: +TAGGART: +Sir! +He's a good guy, Angel. +What is that? +- Uhh... +Fuel cells nominal. +They never existed. +I do say so, Mr. Taggart. +He's questioning every move he made. +Systems on-line. +Well, it may even help, huh? +Hold on. +But there's more. +The moon has slipped behind the hill, leaving him in darkness. +Hijikata. +Where a Peacekeeper sees defense from attack, we see solitude for piety. +She's gone. +I didn't blame you. +So I started stealing from them. +That's okay. +He didn't have your natural skills, but he could make it happen. +What the hell was that? +Not you! +As the Sharks go in to their bye week the story's gotta be Willie Beamen. +You wanted to play. +Let me get this straight. +Home-field advantage. +It was my recipe. +- It was yours, it was yours. +Don't let my success go to your head, bitch! +Murphy's Law in effect for Tony D'Amato. +Suck it up! +SMALLS: +! +That'd be fine. +Don't believe what your mom says. +Who wants mustard on their hot dog? +Beamen, you're up. +I'm coming in fast. +Under incredible pressure, off his back foot! +How selfish! +I don't think anything'll happen, but I'm not a complete prick. +You go out there on your own, you're gonna die a very lonely death. +How about your mom? +You led, nigger. +Did they nail him! +-l love you. +I really like you. +Whatever it takes! +What you help save us now, we won't forget at contract time. +But isn't this an awesome New York pass rush coming at you? +When this corner's coming up I want you to drop back. +Now I got this ruptured disc, and I just... +I'm losing the team, Maggie. +What are you doing, J? +Without the playoffs, there's no more TV money. +ROSE: +Just give us the play. +He's gonna go all the way! +Turn around. +Game's all that matters to me. +Wait! +Excuse me. +Your father was no genius. +Every inch. +You can take your football, since it's the only ball you got anyway and stick it up your ass because my beautiful ass you won't be seeing anymore. +You wanted to play. +- I think I broke my back! +Bring it on. +Good. +Give generously to Child Find of America. +You know these things you're saying all in your head, Rock. +I'm scared. +If I'm Tony D'Amato right now, I'm praying to the football gods: +Ready? +- What? +No. +A priest? +- Frankie! +If there is a church in Belo Quinto, it is not one of ours. +- I thought you said it was just you two. +But there is another possibility that is of concern. +How many wounds did he receive? +Let the enemy have no victory over her! +Be a man! +Coffee's on me. +- Come on. +I take care of myself, Great, +WITH HIS BARE HANDS. +UHH... +I agree that I took loans from you. +Complete the abhishekam, fast. +More than 300 coastal defense and radar installations were damaged or destroyed. +I'm gonna ask one more time, what's his name? +He's got pneumonia. +-Put him on the phone. +No matter how bad it got, she got back on. +Keep stirring'. +He's very strong. +- I take it that ain't her. +- Thanks. +- Do you think I killed him? +Let's take a look at this, see what we can do. +- Am I a mean son of a bitch? +We're all here to raise a vast sum of money for the Small Frye School, right? +And he tried to come downstairs. +I'm sorry. +I would say that you are a size... four? +I'm sorry you're so stubborn. +"I want to marry Rose, but +More shame on him, Fred. +Would you soon put out the light I give? +Speak up, man! +Speak comfort to me, Jacob. +They would've wasted it if it wasn't for me. +I wouldn't think that a doornail was the deadest piece of iron mongery in the trade. +Woe is me! +. +I want my first impression to be powerful, +Now, I am out, OK? +Things just got out of hand. +I don't wanna be a chrome dome. +You know, you are starting to get a little thin on top. +( dueling fiddle music playing ) +Carlton. +Help! +I read your debrief. +Do-do you have any clothes on? +Stop it! +No problems. +Ohhh! +Eight we get married... +No wedding! +Wait! +You promised me a fun road trip. +I've tried all kinds of herb medicine. +Is there a special event in the village tonight? +He's taken over my job. +Easy now. +There have always been politics. +Ooga-chucka, ooga-chucka. +There is. +You okay? +Contact. +Macbeth? +I mean, think about it. +Mizuno Tomiko ran away! +What are you doing! +Oh, how wonderful +- We'll take it +Don't forget our Christmas kisses, Aunt Gertie. +-Santa! +Fa-la-la, fa la la la +Come gimme a push +Okay, fella. +(MUSIC CONTINUES) +Well, guess I'll be showing up at Minnie's empty-handed. +What's that? +You moved like they do. +-l'm not sure. +I'm sorry, I'm not. +- I have to. +- What is this place? +- Got it. +The name is Neo. +I did what I did because I believe that search is over. +I'm just a messenger. +No, Neo. +Welcome, Neo. +You will tonight. +But unfortunately, you and I have run out of time. +Come on. +You're going to kill him? +I want my phone call. +What? +This is a sparring program... similar to the programmed reality of the Matrix. +You've never used them before. +See who? +Is that? +This is insane! +You have to understand most of these people are not ready to be unplugged. +Hey, I'm just doing my job. +Once Zion is destroyed, there is no need for me to be here. +I said, don't worry about it. +He's beginning to believe. +We got a lot to do. +Now. +- Bingo. +I used to dream about you. +Sooner or later, someone will have to fight them. +The Nebuchadnezzar. +I used to eat there. +Honestly. +That's what they changed. +Need a little help! +- Of who? +You all look the same to me. +You're a beautiful woman, Trinity. +What is he doing? +I gotta tell you, I'm excited to see what you're capable of if Morpheus is right and all. +One of you is going to die. +These are the other Potentials. +If an agent got the codes and got into Zion's mainframe they could destroy us. +I feel I owe you an apology. +She's been with us since the beginning. +What is that? +"Follow the white rabbit." +I don't know. +What? +Well, all the samples have been prepared and certified by the drug-screening lab at the Naval Medical Center in San Diego. +That's "pokey-ass punk, sir." +Is she really worth all this, Michael? +- Fez? +Well, the kids are out. +No! +Get her to talk to you. +Wanna go take a boat ride? +- I think she's a bit of a half-wit. +And last night it was rainin', and the night before you got food poisonin'. +I'm bein' honest. +Hold it. +What kind of emergency? +Can we drop you anywhere? +Oh my God! +I told you. +Stan had to take his kids to Scarsdale to see their real mother. +- What are you talking about? +Dating. +Commander Rabb. +Well, what are you? +- Yeah. +Are they loving? +- Okay. +That's right, little buddy. +Do you know your phone number, son? +Thank you, Peter. +Yeah. +Think he recognised me? +That's why you're here. +I don't look... to be served by the lady of the house. +The Van Garretts... +The Pickety Witch. +Beth, run! +- Why ? +Find a place in the Van Tassel's servants' quarters. +The town is in ferment. +I saw him. +- To read books which you must hide. +None so dangerous as the mask of virtue. +She's yours! +- Against Van Garrett. +- Anywhere but here. +Just one? +- I thought, for sure, that I would wake up this morning and discover that last night was just a dream... +Their long toothless snouts are streamlined weapons, making it easy for them to snap up fast-moving prey. +'On Europa, water is an important element, 'and on Triton, liquid nitrogen may be the fluid 'involved in volcanism.' +- That's me when I was a baby. +Yes. +Did you know Terry de Haan? +- Yeah? +I think we should acknowledge the personal sacrifice Michael has made... and give him some time alone. +- Shh, shhh, shhh. +Don't forget the gelatin in the swimming pool. +Really? +Get out! +Have L and D bring a vacuum extraction- +But that's a good size for a twin. +- Not a problem. +With all the shock of the new, it's nice to have one place that you can come back to where everything's predictable. +He has to go on business and... +- Beth Ann? +You fit the mold, Darlene. +I keep catching these vial little drug smugglers, and you keep defending them. +Yeah. +I was so high, I didn't notice my visa had run out. +Asked you to spend your life with him? +- I do? +- Prue! +That's exactly my point. +Everything is fine. +The fairy godsmother rap? +Alesia! +Did Aphrodite say anything to Zantar? +A royal party... +-Right, Ma. +Andre, that's what kids do after swimming lessons. +# Do you know? +Ain't nobody gonna change that. +# She'll know you mean it # +On Joel. +# We'll be together forever in love # +It's true. +What are you doing? +Sorry. +Are you nuts? +An idle brain 's the devil's playground Sing it! +People, you, me, are only numbers. +REASONABLE IS DOUBLING OUR EFFORTS TO FIND THE CURE, +I DON'T TRUST YOUR GENERALS +LOOKS INCREDIBLY DULL. +MAYBE THAT'S WHY WE WERE SPARED TO COME HERE. +THE OTHERS UP THERE, THEY HELPED ME FIND IT AGAIN. +I SWEAR IT ON MY LIFE. +Mr. Paris. +You're already much more than that. +Of course, Captain. +I don't have to give it up. +It's just, I don't know what to say. +Well, at least you scared someone. +You know what? +You don't even care about me. +But they just broke up, so Tart just wants to cheer her up. +Tart... +Can you help us... get Wah to come out to talk some business? +Elizabeth! +Come on! +They're trying to get into the engine! +Come in! +We've been able to confirm these five for certain. +[Phone Rings] +[Man] I can't believe you found us! +- Do you think they'll-you know. +Get to work. +What? +Spike: +Hmm... good one. +It's our business," and we can't take it lying down. +I pay you a good deal of money to be my eyes and ears in hollywood do i not? +No one wants their private life paraded about... for the curiosity of the moviegoing public... if you catch my drift. +? +I can't do it. +For some of us are out of breath, and all of us are fat. +Why, if a fish came to me and said he was going on a journey, +Needs a little work, but we'll get it. +Haven't you pretty much lost the battle? +No strings attached! +You see, Kara's coffee is weak-tasting. +My brother doesn't stay out all night. +Tell us about her! +"You know what your nickname is, Mr. Big." +The gate is straight deep and wide +Release control We're breakin' through +All of them. +Ah! +(Whispers) Good one. +- Look, here's a pencil. +! +I'm coming! +Sorry, honey. +But I must enter by midnight on that day. +- Really? +If you're late, I walk. +So I thought perhaps maybe you would... have some appreciation for my state of mind. +- Have you done Malkovich yet? +It's, uh-- It's Topo Gigio. +Ma-- +- Shut up! +What the hell, you know? +200 clams. +He's very well-respected. +I had so much fun with you last night. +No, sir, not at all. +What's he been in? +- [ Lotte Chattering ] +What is the difference between the foot-pampering looped cotton rug... and the bath mat? +And no one would ever even have to know it's not him. +- Great to see you, Maxine. +Let me know when you're done with her, yeah? +Charlie, hi! +What are you gonna do today, honey? +Listen, I'm Craig Schwartz. +I don't know. +You have the Maxine action figure to play with! +- Okey-doke. +- Malkovich. +- You can be John Malkovich. +You hear what I said? +Ow! +Hey, say, uh... +But what +Bye! +- and I can control Craig... +- He's not feeling very good again. +Charlie, hi! +I don't know... +Would you like to be inside my skin... think what I think, feel what I feel? +lam, but only when you're in Malkovich. +You mean, with Malkovich? +I am bad. +I left Malkovich for you, sweetie! +Well, we can share recipes, Darlene. +- My darling. +Chicken soup? +Floris, get Guinness on the phone. +Who the fuck is John Malkovich? +[ Van Pelt ] Leuchter's a victim of the myth of Sherlock Holmes. +But he is no Sherlock Holmes. +[ Van Pelt ] Leuchter's a victim of the myth of Sherlock Holmes. +But he is no Sherlock Holmes. +Leuchter's a victim of the myth of Sherlock Holmes. +But he is no Sherlock Holmes. +I... +Well... +YOU TOOK HIS LIFE WITHOUT A THOUGHT. +I THOUGHT I SAW A DEER. +HE SAYS YOU'D BE DEAD WITHOUT US. +L-l-l-look at this. +And what does that feel like? +Got something else lined up? +Every day, there's something else. +Don't want to be last again? +Have a good day. +This is us, right? +Good-looking, polite, house in the Hamptons. +That is very cool of you. +My God. +It's all right, sweetheart. +I'm curious. +Sure. +[ Grunting ] Lousy message! +Look. +Nancy? +Oh, you're so sweet, honey. +Well, maybe I wouldn't get a headache if you didn't get it out and let it go. +I might be in a rut, but we're not in a rut. +Come on... +Nancy! +Congratulations, Mrs. Clark. +We can't eat the bags. +What did you say? +It is rather fun. +honey. +It's sort of our state motto. +- Give me a hint. +All right, I'm going to focus on advertising. +Look at this place. +From the Wellstones. +My hair. +I've set up a trust fund for Justin's kids. +So what is it, Annabel? +We rode the elevator in silence. +You do? +Enough of your histrionics! +You appear a bit worked up. +looking down into this little walkway very quiet. +But you offered us a showcase and we have to use this showcase in order to show our possibility to so many millions or even billions of people in the world who are watching your Olympic Games. " +To cut down his pear tree. +Richard, Simon, David and me, we called ourselves The Sign Of Four, you know, like in Sherlock Holmes. +It was Simon's idea. +How did she leave it? +So what was it that... +You got a name? +Anyway, he took the whole '60s southern california zeitgeist and ran with it. +[ truck engine starts ] [ no audible dialogue ] +Adhara. +You should talk to Elaine. +Wallop. +You're closer to the nitty gritty... +I could have gone up behind him and snapped his fucking neck. +So if he was involved, and she was into something, who's to say? +Get a tie. +You know, you could see the sea out there if you could see it. +I have been known to redistribute wealth. +Private for who? +Hmm? +- What? +Wilson, Wilson! +I'll put the law on yer, promise." +skimming a percentage off the top. +Oh, I know that. +- No! +She meant it. +Well, I like the colors. +He's sittin' on a bench feeding bloody pigeons. +Terry, we're trying to hunt him down. +- He doesn't know. +He's mad! +charlie,... ..I'm curious. +I am of your species. +Reetou! +Let's go! +well, these people are my friends. +What? +Blast. +In my office. +- Delwey's here to pick up Wingate. +- No. +-"l am the Lord your God. +-What bitch? +American... +Store, house and money. +With rahatluk. +General Santiago. +He's helpless in the face of your terror. +I'm showing you how to take the road not taken. +I have commitments to the X-Files, to Scully, to my sister. +You treat me like a child. +That's right. I am at last going out on a date with the great Janine, and I just wanna be sure I've picked the right T-shirt. +All I can afford. +Time's up, I'm afraid. +So, uh, what happened there ? +Exactly a year ago today, this man here started the finest restaurant in London. +- That's a Blockbuster Video membership card, sir. +Bugger! +I haven't had a girlfriend since-- well, since puberty. +And one day not long from now, my looks will go, they will discover I can't act, and I will become some sad, middle-aged woman... who... +"Message from Command. +Everywhere you go, people will say, "Well done, you. +There's really no point. +Spike, see who that is, and put some clothes on, for God's sake. +- lf anyone gets in our way, we have small nuclear devices. +And absolutely certain never to hear from Anna again... +Right. +- Where did you get that from? +But she said she wanted to go out with you. +Right. +# For where she goes I've got to be # +# The way you show me just what love's +I suppose in the, uh, dream... dream scenario... +- Right. +I thought the apricot and honey thing was the real low point. +I told them I had to spend the evening... with Britain's premier equestrian journalist. +That's not good. +It's just one day. +- Yep. +You daft prick. +Sorry. +Bella, can you tell me where I can find... +Oh, bloody hell, I don't believe it. +Stop! +Was it someone famous? +- Yes. +Wait a minute. +- Gimme, gimme some lovin' +Whoa! +Are you... busy tonight? +Fifteen million dollars. +My place is just, um-- +And, um, I tell you what. +Yes. +Bernie. +I've opened Pandora's box and there's trouble inside. +- You and every person in this country. +Most Berlin women are lazy. +And here? +No! +Now! +Why? +Huh, you lost your place. +Let's go. +Go. +Not if we get to them first. +Previously on... +Hey. +We did it! +Oh, no! +Hey, you, butt brain quit fooling around over there. +How could he ever have survived that? +Ugh! +My bike's wrecked. +Take your toys out, boys. +In the Company, we not only leave them behind, we deny ever knowing them. +How is it, sir? +- Where are you going? +I mean, I assume that based on you walking in here dressed to the nines offering apologies masquerading as explanations. +They aren't coming back here. +only to awaken another enemy. +Who are you? +- Save ourselves. +The biggest bastard of all. +Do anything, but I won't come with you. +TV has created a people who believe instantly in romantic fantasies who can be controlled by tiny dots of light. +I believe there's something happening with her. +-We're not camping here. +This is a joke! +I saw a white misty thing. +... disappearedinthewoodsnear Burkittsville, Maryland, ... +I heard that. +It's all full of blood. +You all right ? +Wait for him to respond. +It grabbed my head. +Oh. +We'll see about that. +Fry? +My best friend's not getting recycled! +The problem is, both parties give your tax dollars to the less fortunate. +It's glamorous, the parties are great but you'll spend every dollar on jewelry and skintight pants. +Or I'll get Cambodian on your asses! +Go on! +- Let's get a kitty! +Well, those celebrities are wrong! +STEWIE: +Let him go. +[Dog growling] +"Perfectly understood. +I showed him the one I took... and he liked it. +Who? +I was told by your prime minister this was none of my concern. +You remember when this market place used to terrify us? +~ Cannot feel ~ +~ Cannot say ~ +Come on. +And all because she tried to buy her own freedom? +Ugh! +This come from Bangkok. +I suppose since you must be both mother and father to son, tendency to overprotect is strong. +[Laughs] +But at the moment, +Now just because prince chulalongkorn +There's something in the alley. +All right, easy, mac. +Don't you think? +Ok, I thought that you said that you were a witch. +And you're afraid you'll be just like him? +-What are you so afraid of? +Would you excuse us? +Think. +Tell me what to say. +I mean, that's bullshit. +No. +What used to be just a souvenir... might very well turn out to be a very valuable baseball. +I told you, I have to be here next month for a couple of days. +You were great. +He's looking at the clouds. +-Oh, God. +- Your daughter? +And I said, "Well, I'm gonna do what I want to do." +- l was wondering why... +- Get down! +- Gotta play to win. +- Do you? +Hercules. +- Jem'Hadar ship off the port bow. +- Such as? +- We've been talking about it for a while. +We've collaborated with the Dominion, betrayed the entire Alpha Quadrant. +My bar hasn't had half a dozen customers all day. +400 years ago, a victorious general spoke the following words at the end of another costly war - +Let's go home. +What are you talking about? +Us Para something approach. +that she reacquired in newspaper whole side they would dress my donkey research. +You were wrong. +- Got it? +Hey! +- You know what else? +I miss you. +You got an hour. +They called you their son. +[Chuckles] +- Mm-hmm. +You got an hour. +I used to be. +You've had enough roast beef. +Have you ever done any free-association writing, Cole? +I do another little shake, and right there in the vest pocket. +Stop looking at me. +They used to hang people here. +Will you concentrate? +Honey, honey, can you hear me? +I don't draw like that any more. +No. +He hates me. +Looks like an ordinary penny. +What were you talking about with your soldiers when I came in? +When they get mad, +They did? +A lot of generations have lived here and died here. +She's gonna ask you a couple procedural questions. +She was up a ladder in our bedroom hanging drapes and lost her footing. +Yeah, careful she doesn't turn up somewhere else disguised as a surgeon. +It's gonna take days. +Okay, look, Andy, it means the world to me that you came, but I'm here. +- Now's not really a good time. +- Not now. +So it was very, very nice to meet you, sir. +Not if you're like this. +Not much. +What? +Oh, my God! +What? +The north or the south route? +Belphegor! +An idiot. +But you will, Michael, whether you like it or not. +All done, then at $50,000 to bidder number 235. +You're Michael's friend? +[Elevator bell rings] +My God! +All through. +Absolutely. +We covered this place, but most of the people are at work. +Sit down, Frank. +You're in the clear. +Of course. +Plenty of time? +I am a bit of a dog. +I'll see you a bit later, then. +- Get back in your kitchen! +Bye, Miss Vitale! +Frank? +We gotta move him. +I will. +I will get you the best solicitor in New Sydney but you must tell me the truth. +I want a written report on this woman, +That's all I was thinking about. +[NIBBLER GRUNTING] +I never really thought I'd use them, but look at me now. +Come here. +Bender, a robot sex change is a complex and dangerous procedure. +The pipes, the pipes are calling +No! +Our private dining room. +Oh, no! +A. +Two. +You got to the count of ten to show your face. +Hidden where? +Drink your crap, cool yourself. +Do you think I'm stupid enough to shoot a federal agent? +Hold on. +Stay the course, pal. +MERG: +Okay, it's your turn. +Some kids may die before we can get them out. +- We can't be doing this. +If you wait, I promise to send you with the next flight. +Yeah +That's exactly how you say it. +She's a... pretty special as a girl. +How do you prove that in a court of law, that is the issue. +Why have sex? +- Yeah. +If you're serious about wanting a job, picking apples isn't that boring. +Ah! +Isn't that beautiful? +[Gunfire] +- Mm-hmm. +Oh. +I want you to tell it like this, hear? +- Hey, Homer. +Really? +But Dr. Larch, he seems exceptionally qualified. +I'm gonna be up top, okay? +You Kings of New England. +He has to. +Notme. +She's the nicest and most beautiful girl I've ever known. +Hey, Jack! +Dr. Larch! +Wilbur, the adopting couple is waiting in your office. +[People Laughing] +[Larch's Voice] Homer, here in St. Cloud's, +No fighting. +Oh. +She ain't hungry every mornin', 'cause she's sick every mornin'. +[Narrating] I admit that our lessons were, in part, +Put me down. +What does he want? +- Shouldn't we tell Homer? +Please, even if you are very hot, do not go up to the roof to sleep." +Well, it wouldn't hurt to meet him. +- Oooh. +You don't wanna go? +I've found something I never thought in this place of death and misery. +You can't help it. +Come on! +But nothing... +Even though he's gone, he's still full of surprises. +The CIA and these rogue DSD agents have been fighting over everything from intel on Saddam to the latest technology in stealth missiles. +I'm going back to Paris. +Have a good weekend. +Just hard, risky work. +- Paris +One at a time, if you please. +Where have you been all this time? +- Yes, she is. +You. +You' re married? +We should call the Zieglers and thank them for the party. +The police are happy. +He walked me around the grounds. +It may sound ridiculous, but is in a different place every time and I only get it an hour or so before. +Excuse me. +Well, I'm gonna go to bed now. +They were just a couple of models. +That depends on what you want to do. +And a couple. +5:00? +-Merry Christmas and happy New Year! +-Sure. +I know. +Marion... your father was very proud of you... and I know you gave him great comfort these last months. +I am very, very sorry to hear that. +Is that what gave me away? +But it went broke. +How are you feeling now, Mandy? +""'Twas the night before Christmas, when all through the house not a creature was stirring, not even a mouse. "" +I do. +If I was Italian, he'd have answered me in Italian. +- Yes, we have a 7-year-old daughter. +I know you didn't, Bill. +You're going to need some rehab. +Dr. Sanders and Mrs. Shapiro. +Right there? +If you men only knew. +He moved to Chicago over a year ago. +Red, brown, red? +Couldn't you see she is deranged? +MlLlCH: +Why don't you tell me the rest of it? +Those were not just ordinary people there. +Really? +Roz. +There you go. +Maybe because you' re the mother of my child and I know you would never be unfaithful to me. +You' re putting me on. +Do you know Nuala Windsor? +Why not? +I' m looking for Peter Grenning... +Do you understand? +I have no idea. +AND IF HE LIKES ME OKAY, THEN I CAN MOVE IN ? +[ Whines ] +where we going ? +[ unlocking door ] +[Theo] Nell! +Honey, let go. +I can prove it. +You're participating in a study on group fear and hysteria. +Okay. +Luke, there's something about the house, about Hugh Crain that I didn't say. +- The Hill House Project-- +I like the way you comb your hair like that. +- Hold on, Eleanor. +When he passes the story on, the experimental haunting fiction... should manifest itself within the group. +Mr. Dudley's taking care of it. +[ Carolyn's Voice Echoing ] Eleanor, the fireplace. +[ Exhales Deeply ] +[ Grunting ] +That ringy-dingy noise... it's called a phone and it wouldn't hurt you to answer it. +Uh-huh. +So, that kind of leads us to the problem. +- And what is this? +Alex, could I talk with you in my office for a minute? +Oh. +Michael, it's your vision. +Love? +What happens when a person gets stuck between two ways? +I'm just happy to get off that fuckin' rickshaw alive. +Sort of. +It's not gonna be that easy... to get all that dried-on food off my nice plates. +The sky? +* +I'll bet... they even asked the West for aid. +♪ Let's drop the big one, there'll be no one left to blame us +Well, yes. +- Of course you didn't. +Let's eat. +Yes? +Sure, to bed. +Uh... +That's amazing. +-Okay. +And promptly at 8:00 the doorbell rang. +You don't. +- Well, I... +I am but an employee. +Don't worry, baby. +I'll give the violin back to Franz and I'll tell him that's your way of saying goodbye. +Give him two minutes. +- Hello. +We should never have allowed him out in the jungle by himself. +They'll take us down the river tomorrow to the village. +That's not it. +They'd sell God if they had him. +And if you say one word of thanks, I'll tear out your hair. +- And you were acting for your government? +But he's not here? +- Honest? +You ought to be locked up. +What are you doing? +Congratulations. +I said I can take care of him. +Come to find out it's the easy style you unload a full-up wagon. +He's helping me with the sheep. +Let 'em gather. +Coquette. +Aaah! +What wind? +The man in a hurry? +I'll bet that belonged to miss Belle Starr herself. +I'm afraid you'll have to excuse me, miss Shirley. +I don't love him. +- Darling, what's wrong? +- If you make a sound, I'II... +All of a sudden. +If you want to take him there isn't very much I can do about it. +We had a fight. +That's a harem. +Of course, you carefully burned the ledger so that only the cover remained. +Charles. +He never left it. +- That could stand for Greenway Park. +- It's the new type-flying machine. +So she hired me, the greatest detective since Sherlock Holmes. +- I'm crazy about Sherlock Holmes. +How much do you make a week? +So she hired me, the greatest detective since Sherlock Holmes. +- I'm crazy about Sherlock Holmes. +- Sure. +When do we start? +So she hired me, the greatest detective since Sherlock Holmes. +- I'm crazy about Sherlock Holmes. +There you are. +- Goodbye. +So she hired me, the greatest detective since Sherlock Holmes. +- I'm crazy about Sherlock Holmes. +Hey, Wacky! +So she hired me, the greatest detective since Sherlock Holmes. +- I'm crazy about Sherlock Holmes. +The greatest! +- Who? +I'm going to Madrid. +I dedicate the death of this noble bull... to the beauty of— +- I guess she's all right. +- First time I ever met Juan Gallardo, we fought. +Some music, yes. +Carmen. +Oh, Juanillo, dear, does it hurt much? +Prepare to dive! +France? +And if someone leaves you and then wants to come back, don't you punish them? +When we left Germany... we went to England... because we had to wait until we got a permit to come to Canada. +"At Lethbridge Airport, Kenyon Field... +- That American may cause trouble. +By the way, do you speak German? +- Flood five. +- Better tell him. +Beeping, Frequencies Tuning] +Aren't you going? +- Come on, come on. +- Good night. +No chain of ports or deep flowing river or mountain range, but a line drawn by men upon a map nearly a century ago, accepted with a handshake and kept ever since. +- 95 degrees. +Yes. +"At the front in Yichang in Hubei province, remnants of the enemy army were holding a stronghold in a mountain ravine above the Yangtze. +Sherlock Holmes! +Oh, do I know them? +I remember a night in Egypt. +And then the other passenger said... +Sherlock Holmes! +- Oh, yes! +You're holding a royal flush. +[Birds Chirping, Animal Hooting] +Don't tell me. +- I believe it's my deal. +Sherlock Holmes! +¶¶ [Whistling Continues] +Sherlock Holmes! +- I said, I'll take over from here, Ambrose. +Sherlock Holmes! +I mean to say, uh... +Sherlock Holmes! +Oh, you don't know what you've done to me. +Sherlock Holmes! +Sherlock Holmes! +Sherlock Holmes! +- Are you an adventuress? +Come on. +Sherlock Holmes! +- Ha! +Sherlock Holmes! +- As my niece? +Sherlock Holmes! +- Uh... { Chuckles] sure. +What is it? +You mean a diamond like this. +Chuck Benson. +Why don't you try a cold knife under his nose? +My only fear is that I may not act like a gentleman. +Why, that's terrible. +Animals know what's good for them. +I can give you some good practical advice on that, too. +He thinks he wants a manicure. +She wants to talk to you. +There isn't one man in a thousand... who wouldn't take out a girl in my position and try something. +Boy, I want a shine. +I believe you, and I'm very flattered, but I don't want to marry you. +- I tell you, I'm a single girl. +Don't you ever think about yourself? +Suits me. +- It's all for a laugh. +He goes to bed with four hot water bottles... a quart of brandy, and a red woolen cap over his head. +That's right. +That's how we happened to get married there. +Control yourself. +He thinks he wants a manicure. +I'm certainly not a maestro! +- Wait! +Oh, nothing. +How about Clark Kent? +He's already apologized. +But here in the sun every day, the sun will teach me. +Wait. +- I'm so glad you came. +'Beware of wolves in sheep's clothing."' +"The insolvent farmers cannot even come to the seat of their government... +- Oh, Lem! +- [Dog Barking] +We oughta have more consideration. +- It's all right, Jabez. +- But, Ma - +Well, you can just stop. +Me? +- I'm here with an offer from Jabez Stone. +I'm sorry, Mr. Webster. +Most outlandish thing I ever heard tell. +- Yeah, we all signed. +- He won't respect me anymore. +Most dependable team for long journeys. +- Hello, Daniel Webster. +- That's his buggy coming up the hill, isn't it? +But you're wrong. +I don't know, Jabez, but I'll try hard. +Now, you run along and behave yourself. +SINCE HE LAST FOUGHT, EITHER, AND MAYBE HE WASN'T INTELLIGENT, +ALL RIGHT. +I MEAN, RUNNING AROUND LIKE THIS. +Thank you. +Then why do you go around talking love +If you're really interested... +I think I better take you over to my place. +Call me "General". +Each murderer means one thousand pesos for me and their boss, five thousand. +You're tellin' me. +You're lonely ? +Please. +I've got business to attend to. +It was too hot. +Cua is? +You have to give ... +Want to be guilty a suicide? +She's dead. +[Chuckling] Well, if you are so much suspicious... +Yes, of course. +- Well, I'm asking you for the job. +- Report to me as soon as you get back. +Business is business. +- Zaranopolis Nick. +- Your God. +Up there. +Pastor, I wouldn't be against your talking to Alvin. +Maybe he wants to keep his head. +Close your eyes, please? +For we're still struggling. +Well, with the help of the Lord, I'll make you a good crop. +You mean at home? +- How many gone out of it? +- I don't know. +Well, what's this? +Have you any conception of the extreme the immeasurable wealth of the Order of that time? +I hope they don't hang you, precious, by that sweet neck. +Miles had his faults, just like any of the rest of us, but I guess he must've had some good points, too, huh? +I was walking around thinking things over. +Hey, can I hide behind the sanctity of my client's identity, secrets and what-nots all the same, priest or lawyer? +More than idle curiosity prompted my question. +Well, sir, it took me 17 years to locate that bird, but I did. +That was 1 7 years ago. +- We want to talk to you. +That again? +I don't think we can do business along those lines. +Well, I thought you said if it wasn't for Miles, you'd... +It may not be as good as the first, but it's better than nothing. +But you didn't say positively. +Why don't you be reasonable? +You don't have to look for me. +Thank you for coming. +Miles had his faults like any of us, but he must've had some good points, too. +You can spare me some of that courage and strength, surely. +Get my lawyer on the phone, will you? +Just be sure to lock the door on your way out. +It's all upside down! +Most assuredly. +Yes! +But Dundy's getting a little rambunctious, and maybe it is a bit thick this time. +Everything can be explained. +Well, we got all night. +Now, listen carefully. +Oh, and I've got some exhibits: +Now, let's talk about the black bird. +It had, by that time, acquired a coat of black enamel so that it looked nothing more than a fairly interesting black statuette. +Brigid. +You see what I mean? +- Who loves to smoke +JUNIOR: +[SINGING] +See that? +"I'll bet you $5 you're not alive if you don't know his name +He's still Uncle John and a well-meaning fathead who's letting a pack of high-pressure crooks run his administration. +A person could go crazy in this dump. +- But who is she? +- Excuse me. +It isn't just the time. +- What? +- Charlie? +I thought we might have a picnic tomorrow. +They got work to do, they do it. +- Yeah, sure. +It's the only disease that you don't look forward to being cured of. +- Mm-hm. +I know too many people. +He's the butler. +- I didn't know your plans. +Come on. +Yes, you are. +I can't see that the function of a respectable newspaper... +- isn't it wonderful? +This is a surprise. +Memory. +I'm just looking for-- +Five years ago he wrote from that place down there in the South. +-What? +The fish of the sea. +The news wasn't big enough. +Bernstein, that's Mr. Leland, isn't it? +Too late? +The sedative Dr. Wagner gave her was in a somewhat larger bottle. +"Of her acting, it is absolutely impossible to...." +But I knew how to handle him. +Of course, a lot of us check out without having any special convictions about death. +I've never been to six parties in one night before. +-Would you sing for me? +I wish I knew where Mr. Leland was. +-Twenty-two in August. +Let me talk to the chief. +You're a reporter and you want to know what I think about Charlie Kane. +It's obvious the people prefer Jim Gettys to me. +As such it's my duty, I'll let you in on a little secret. +- Who is this one? +A lot of the time now they don't tell me these things. +- Ooh. +You know what the headline was the day before the election? +"I'll provide the people of this city... +"Who loves to smoke, enjoys a joke +MAN: +Here's a man who could've been president who was as loved, hated and talked about as any man in our time, but when he dies something is on his mind called Rosebud. +Can you prove it isn't? +Mr. Bernstein, thank you very much, everybody, I.... +Yes, he did crazy things sometimes. +Stand by. +Stefan Krüger. +Dear Mr. Rhodes, do you know how many children I have? +Jan! +- Happy landing, son. +Nobody to turn to. +Oh. +There. +Look at that house. +All aboard! +- Dear! +From your head +Stop waving. +You're making history. +# I didn't see that I only heard +Quiet, my dear Renzo. +For shame! +I'm certainly glad you never sat on my knee. +Well, that's not enough. +Well, there's nothing inconspicuous about him, is there? +Don't you like onions? +Got something over here that'll excite your palate, yes, sir. +All of us. +Libby, look. +Yes, sir. +Treaty or no treaty we cannot allow thousands of Americans to be massacred. +Yes. +Oh, think nothing of it. +Brigade's ordered to concentrate on Round Top, just south of Gettysburg. +The day I came back to the fort Mrs. Taipe knew then that these people were coming. +Gentlemen, I am sorry that our comradeship must end in these unhappy circumstances. +Here's his wings spreading out. +The regiment's just been mustered in. +I want to write to mom. +Thank you. +I'll write you every week. +Let me see. +Don't throw away anything with notes on it. +Lt'll be a smash. +Till you've read it +Better watch that. +- No. +How are you, Mrs. Oliver? +I always feel the same way. +For 30 years I've cried... +May I Interpret You ? +A Nice Warm Bath. +- Where are you going? +- What's the matter? +I don't like crab apples. +Upstairs in my room in the drawer. +Why? +You might at least help me pick some up. +I've told you before: +Leo, did you speak to the doctor? +At the end of the night, i hope. +Oh, yes, boys. +Right. +Go away, please. +The green? +What? +What? +I can afford to take a flyer if you can. +I +Oh, yes, there is. +[Ship Horn Blowing] +Will find Inspector Vesey. +Furthermore, I have never done anything that I was ashamed of, Ursula. +- Sure. +Good day. +Boy... +It shows we're awake and not dunking our heads in the sand. +I bet her husband was sore. +I suppose that calls for a dollar fine and ten minutes in jail. +Each one pays half, and the total's less than the aggregate surtax... or the surtax is less than the something or other. +- Something like Capra. +- 1,000 when you were 26. +Or maybe that'd be too far. +Yes, sir, yes, sir. +- Another Richard Roe, eh? +Make it two. +- Oh, I was crazy about that. +-No, Prokhor. +Show it, blow it +Thought would take a little vacation. +There's something I gotta do. +He comes back and sits down and holds it across his knee. +One time a doctor said she could be operated, but the last few years... +Same old song. +Oh, a wise guy in on this? +I'll have Algernon get your clothes, and I'll send you home tomorrow. +Nothing doing yet. +Have you called taxis? +Hold them, Yale! +- You could help him with that. +And please don't be late. +I've never known Navy fliers, but I know lots of Army fliers. +Between 5 and 10 G. +Some very nice friends. +Your husband's in a bad way, and we could discuss the various arrangements. +You're going to get hurt you know. +Get me one, too. +Our take is fifty-three grand up to this race. +His face looks familiar. +Oh, yes. +We light a lamp of learning. +Larry Winslow. +Come on. +Yes. +How did he take it? +Wait till we are in church. +I'll see you tonight or tomorrow? +So, Hanna came by. +The sclerosis of the respiratory system... had already progressed so far... that this may have caused... a fatal paralysis of the respiratory system. +Then Angharad came back from Cape Town without her husband +I'm with you. +Could I have your attention, boys and girls? +A new mistress is like new sheets. +Get up to your room. +Well. +A new mistress is like new sheets. +Permission. +Because the owners are not savages. +To keep my hands in water and my face to the fire, perhaps. +Sit down, Huw. +- Look here... +- I broke the rule when I fought. +Hold your meeting, then. +Get up! +Ivor! +I am Beth Morgan, as you damn well know. +- On with your work. +All right, come in. +Mr. Gruffydd, won't you see Angharad before you go? +Julian. +Aw, all right then sissy. +Tim, Reggie! +Oh, good evening, Mrs. Grenner. +We did enjoy your concert so much. +Captain, I'm from "The Daily Mirror." +It's always like this in Sandcastle on Sunday. +Finished, done. +(crash) +In addition, I want reconnaissance reports. +We're at 2,000 feet. +There's a stroke of luck, coming down in a neutral country when I was all ready to be concentrated in a German concentration camp. +- No, sir. +That's just a hobby, like flying. +I don't get it. +Nothing. +- Joe, is he here again? +- Oh, that's swell. +Yes. +- What? +- I'm afraid you are. +Where to? +Yeah, that's right. +- You're joking. +What do you mean, take me to a hospital? +- it is imperative no one should hear what I have to say to you. +- He pleads guilty. +Some more water. +- Yeah. +Come on, open it wider. +- Me, too. +Now maybe Lashan will pay us that back salary. +I'm sorry. +I may seem provincial, but frankly, I can't understand men like you. +Come on. +All right. +Would you like to stop for a drink? +You thought I was going to kiss you. +I arranged it this way. +Anyway, I'm going to see him again. +He wouldn't, without asking me. +I'm afraid she's rather spinsterish. +You are our only local celebrity. +Offered £100 apiece for them. +Do you think we ought to have somebody keeping watch, in case anybody came up? +I'll certainly do my best. +Lord Asano sacrificed family honor. +Not going to hold the castle? +Think of a girl's heart whom you once promised to marry. +Your important duty's to calm the people. +You go too far! +51 vassals. +But we'll avenge our Lord on our own. +Request his reconsideration. +Promise me... that you follow my decision unconditionally. +So they are sentenced to hara-kiri. +A few faint. +I realize that more than you do. +- I don't believe in having my picture taken. +He came through. +As for you, I pardon your life because my word is the word of a King. +In the square, as the tree burned... +♪ Than to have your ham and eggs in Carolina +Let's go in and rest for a while, OK? +You dumped the old one. +Hand it over! +He boasts of how he made the Greeks crave like lions to dash at the face of the foe... and leap to the call of the trumpet. +- I tell you, I did! +She's heard about your confession. +Its official name is the meeting place of all the religions. +Yes, it was me what cut her lip. +For instance, what's the matter with this outpatient over here? +Lord Saxmundham gives us this money to stop drinking... to take his own business from him. +I have a latchkey. +- Well. +Is it Bodger's fault if this inestimable gift is deplorably abused... by less than one percent of the poor? +- No, thanks. +It remains to introduce you to Mr. CiriIo. +- What´s your father´s name? +Where´s the listing? +Good morning, Laura... +- I'll ask Mr Rosing +- Thank you. +I want you to cancel all engagements for a month. +- Thanks, might help. +- I don't know, I was sewing. +Didn't your friend show it to you? +"You can see a little hill upstream to the left" +It's hot today. +No. +Tonight. +It's a technical expression for something very simple. +- Last night it got Richardson. +You have the silver cane for protection. +Cut the cards. +Sh! +Why does everyone insist that I'm confused? +AII right. +- Glad to have you back, Larry. +All right. +It'll be nice to come and see you in the afternoon, have a quiet cup of tea. +I'm all right. +We thought you were lost. +- Just say yes. +What more can be gained from us? +And Miss Totten's with him. +As one who understands a woman's heart, I would like to... +- The left foot. +- where the nerve center is. +Have we got one of those? +Let us, too, then get down to work. +- Okay, okay. +That's right. +- Just a minute. +Button it up, understand? +Oh I beg your pardon. +OUR ONLY HOPE WOULD BE HER REMOVAL FROM DEPARTMENT 6. +DRIVER! +Then for another week, you can have nothing but goat's milk. +No rum no tobacco +- It's wonderful, magnificent. +It's nerve-racking for any man to come into the House of Lords for the first time. +Her? +Oh, he'll have a nice time. +To whom? +I wonder if I shall. +Onions? +Lady Nelson. +Sir William Hamilton. +Lord Nelson in a good mood. +Are glaring. +- Horatio! +Stupendous! +(Laughs) LADY NELSON: +Do not ratify this peace! +You see, it isn't just you and she. +We can make it forever, Johnny, if you want it that way. +You're a success now. +Bert! +I had an uncle who was a hero in the last war. +Talk to him. +* Ma-toum-bom-ba +[ Growling ] +Go get the tickets. +All right, folks. +Just a minute, friend. +Let's try it. +Hey, curly, give me a bottle of root beer. +Since when am i particular? +Oh, I'm sorry. +Be quiet. +Watch it, dummy! +(chattering) +- Yes I do. +Do you know Voldenschatz? +Come in, Miss Coles. +- On the other hand, I still have my life. +I thought Shakespeare was English. +- Look what's just come in. +- Reich Minister? +I'm very sorry, Mr. Gregson. +Very melodramatic. +Will you be quiet! +- Deploy for counterattack. +He took me to what turned out to be a gambling joint run byJeff Alton. +- No, thanks. +Your Uncle Bill is too good. +Hello, Gorgeous. +He's been worrying himself half-crazy over you, Ben. +Hannah. +- Get in this canoe, Tom. +Get yourself a tie. +I don't blame you. +I want to make your losses good if you'll tell me how much you dropped. +Hey. +Dr. Lawrence wants to ask you a few questions. +(RADIO CRACKLING) +But I would like to find out who killed that girl. +- Really? +I'm sorry. +Well, that's a good one, sir. +Let me begin... +There he goes! +Heath was telling me that you're still carrying on with that research work. +Is it wise...? +I've been waiting for you. +I haven't presented you with a bill yet. +You're not very clear. +Milton's Paradise Lost would be nice. +Well, let me put it this way: +I forgot to mention, my friend and I are physicians. +That's nice. +I know. +- Did he hurt you? +- Yes. +Would you like to shake on that, sir? +- What do you think of that? +- What's your name? +The Lord knows what a powerful sinner I was. +Jones Peabody seen her and she told him she was going there. +Why, we must've had... +It's on the ground and it's in the country. +I hope it's favorable. +- Hey come back here, you Heelot. +I can explain this whole thing. +You'll see it says, I Miss Mitchell, do hereby certify that the John Doe letter was created by me... +First baseman dropped the ball. +Tonight we give you something entirely new and different. +Make room for Mr. Norten,. +Well that certainly is a new low. +Why aren't you going to have lunch? +And how long before that? +Be careful how you act. +Yes, new. +I'll get around to you later. +- Hey. +Wait a minute. +Then how did you know your room was right under his kitchen? +It's getting hot here. +New York, Chicago, Atlantic City. +Listen, if I did things carefully, I'd be working a machine for 13 bucks a week. +─ That's my department. +But they keep pushing us, pushing. +One hundred and ninety, gentlemen. +Come on, Pop. +We'll take the Stage Coach Trail. +No, you use is a single DOT. +And turn around slow. +Spotted horse sees the connection between the gods. +-Hurray! +I think he's a great man. +Here. +Now, before it is too late. +- okay, baby. +Hello, jigger. +- Don't you think i ought to go with you? +What do you say? +SAYS I +THE ONLY THINK I REMEMBER +What do you get out of that? +Here during the day and there at night. +LITTLE TRICKLES OF SLOBBER +♪ THAT FLIES ACROSS THE SCREEN ♪ +- Let's go to the doctor's. +- That's the writer. +Oh, yeah? +[JOCKO SNORES] +[BOTH LAUGH] +THE STUDIO'S BUGGING ME ABOUT THE BUDGET. +DON'T GET NEAR THOSE FLAMES! +- How'd it go today? +- The poor dog can't make that decision. +Action! +Uncle Yan +Please show up havea seathere +As Thor, chief of the imperial police, +What? +-Quasitronics. +If you want my wine, you will do it my way. +Angie. +I've heard that they think I might be the man for the job. +No wonder! +- Mother taught me pretty well. +Well, you know, ha ha, most people don't wanna die. +That's all fuck ever meant. +You have to believe it now +I'd have taken you for abalone, shark fin fish maw so you'll have a new experience +Who is it...? +Hurry...hurry and get down +Oh, come on. +It's all right. +This windstorm is nature's cease-fire. +Give the old sweetheart my regards. +- Yeah. +Sergeant, get these fucking people through receiving barracks. +You know... +I'll only wind up in Vietnam. +If winning this game is good for him, how can it be good for us? +...he's the master of his destiny." +Go on. +Thanks. +Not Awarelal. +- Good. +"I cannot live with you." +Yesterday it was on this side. . +- Yes? +Mr. Pyare Lal. +THAN A CALCULATING WOMAN +I'LL ADMIT THAT MAY INDEED +Yeah, but, Dad, if he's never seen you drunk... +He gave me those orders last night. +The delivery man must be 1.8m tall. +- Yes, old Archie. +- Thank you. +Thank you. +Seven Times Three. +Yes. +Feeding a pig with biscuits. +[Radar] Psst! +Oh! +Don't run! +Baron, you shall try to practice this trick +You see, foxes are not dangerous +Try to eat, Mother, please l'm sorry, Perrine +You're right about that +Alone? +What's going on? +I couldn't help.. +(Mr. Bilfran really appreciates it) +The child was the one who drove Mr. Benditte to the hospital +Leave the quarrels to me +(Oh, Mr. Bilfran) +And now she's back to push the cart +Here. +Sorry, doctor. +You must be tired, Madam You should get some rest +Goodbye, then +- I got him on the left. +He's coming in like a missile. +We single-handedly beat the Cylons while you went on a cruise! +Well, I'd better examine Sligo. +Oh, brave Benbow lost his legs +- Of course. +If you drive away now, I'm going to lose one of my best cows. +Keep on talking. +MR. SHERLOCK HOLMES TALKED ABOUT. +THAT'S IT. +WELL, THERE'D BE A TRAFFIC JAM, I'M SURE. +MR. SHERLOCK HOLMES TALKED ABOUT. +It's my fault. +"I am no longer in his employment. +Just about. +I'd prefer Siegfried to look at her. +I was hoping you might suggest a way out of this mess. +You need professional help. +And then you might add +Come to Beacon Hill right now, +Many, I love disco dancing, playing pool, playing mahjong... +Why? +Cut you into pieces, store your flesh in the fridge, and I'll eat you up. +- It really wasn't you? +- You will be free in 30 years! +Obviously, it's hard! +Ah, an accident with a horse ! +What can anyone hope for from elections ? +Am I such a beggar ? +I'm going. +What a visit! +Greasy paper! +Now, in a proper typographical way a balloon. +Those who weep for their dead, it's not in 20 years, nor in a thousand that they hope to see them again, but right now. +- Goodbye, sir. +- No, not too burned. +Her sister, Your Honour, Mary Campbell. +Don't you think it's silly for all of us to sit at two big tables? +(piano chord) +-Do you know about fishing? +-Take one to me. +I said destroy the fleet! +However, I will go through with it. +How is he? +It's a long shot, but we've arranged for a decoy. +I'm not insulting you, it's the truth. +Stop. +The boat has departed. +As long as you win in one category, +I admire that. +Also... +A challenge letter. +Did I hurt you? +Why have you demolished the wall and smashed the figurine? +This is known as Coin dart +What is he doing? +No! +Marianne? +It wasn't a big, happy family breakfast. +You got it. +I can get him down. +Hey, Sam. +- Right. +Until we have destroyed the African bee or it has destroyed us. +You have to choose the lesser of two evils. +That's it, then? +In fact, I'II call him myself and tell him to go over and get you. +I can't find her. +Your daughter is alive and well too. +I beg you. +Shh! +- I'm sorry, Aunt Marion. +Damien? +- Admit it! +It's all true! +! +- What the hell are you talking about? +Proceed with check on vat 29. +He still hasn't called? +- Hello, Damien. +If what he says is true, we are all in great danger. +I´ll go set up the slides. +Another Thorn. +Oh, well. +Is going to happen. +- Well... +You must listen to me. +- Damien Thorn, Sergeant. +I n the New Testament there's a Book of Revelation. +-Now! +is Mr. Andersen Skjern celebrating his becoming a bank manager? +You know him? +- l'm aware of that... +Good, that's good. +There will never be another woman for me, only you +Oh! +So the germans in 1914, had about one-year in stock, one year's supply. +Let's see. +A girl who wants to run away +- Give it hell, Luke. +What are you saying? +Sally, listen. +Huh? +Softly. +Don't mind the mess. +I wanted to be a war hero, man. +I don't want you to look at that turtle. +I will, Mrs. Vickery. +-You gonna stay with someone? +She's mine... +I don't know if it still works. +And this, of course, is Peter. +- What is it? +Sit down. +She's performing some kind of black magic right up in my bedroom. +Shall we rest by night, or go on while our strength holds? +It will corrupt and destroy anyone who wears it until he passes into the World of Shadows under the power of Sauron: +It is time for us to choose. +Ever he clutched me, and ever I hewed him, far under the living earth until at last, he fled back up the secret ways ofMoria. +That's all, Theoden. +I've seen them, Frodo. +However you manage it, do it soon, by your birthday at the latest. +I grew angry and he vanished. +His arm has grown long. +-There! +I know what your advice would be: +- There is nothing more. +- Here. +And Merry and Pippin insisted on coming with us, as far as Bree, for the fun of it. +Sam? +What promise can you give me that I can trust? +I threw down my enemy and his fall broke the mountainside. +I had a hard day too. +I'm going over to the medical school library. +Who's that? +Couldn't have fallen in love with a nurse. +Be like me. +- What's wrong? +Rain doesn't suit my plans. +You've started him off again. +- Don't get all worked up. +And naturally I'm going to adopt Ellen. +All circuits are. +Heavy polyester. +Is live what you want? +Let's dance. +# Everybody look up and feel the hope we've been waiting for # +That's the new color, children, hit it. +# But it's turning me # +Lion! +- Where are we? +Turn him back into a bear this very minute, if you love me. +May his soul rest in peace. +That's the word. +Move it! +Yummy-yummy-yummy! +Would you like me to kiss you? +Pain and laughter, Light and shadow, +That's a killer. +Look, I was advised that one of those wasn't required. +Jack, no one will breathe a word. +Put a seashell up to your ear and listen to the beat of the seashore, okay? +How they look? +Come on! +Excuse me... +Chalk it up as another one of the Lusman's charming oddities. +Tha. +(Screaming) +Flounder's bringing his girlfriend up for the weekend. +Remain... +So hit it! +Mr. Dorfman. +Boon, wait! +Where are the other two? +I gave my love a chicken +Excuse me. +Why don't we go sit down somewhere? +Faithfully submitted, Douglas C. Neidermeyer... sergeant at arms. +They're kinda crazy but you'll dig the show ? +What's going on? +Might as well join the fucking Peace Corps. +Don't you have any respect for yourself? +[Door Closes] +I think we have to go all out. +(Upbeat instrumental music) +Don't write this down, but I find Milton probably... as boring as you find Milton. +Mine's bigger than that. +Why don't we go sit down somewhere? +How does it feel to be an independent, Schoenstein? +Come on ! +I hate his guts. +Very funny. +Well, actually... we're engaged to be engaged. +Hi, boys. +We're on double secret probation. +Nice of him to stop by. +No. +A new low. +Animal House ? +Mr. Dorfman. +Show her there's a man in the house. +Just a request. +I don't know. +Toramatsu. +- And the bad-cheque lady? +Dr Robert Hoak. +So you be brave, huh? +Yeah. +- Handicrafts don't take any nerve. +Right there. +Oh! +Then we have no choice... +Prince Tadanaga. +Therefore the others must be... +Take my mother away. +Sherlock Holmes putting his little red mark on it. +- Jesus! +- Like what? +Do you have to do it now? +- [Jerry] Getting back. +- [Smokey] Close the door! +- Just check off them names. +How in the fuck we gonna get 'em to do that? +They pit lifers against new boys, young against old, black against white. +We all wanna get out of here. +- he wouldn't know the difference. +What are we going to do about the notebook? +I don't want any accidents. +Come on, burn! +I'll go radio for Doc Adams. +- What is it? +Hold your fire. +Miss Vakulic, how do you spend all of your spare time? +Tell me. +Bring them back here if they decide to talk. +At the time of the shooting of Monsieur Doyle, you could have been on deck, perhaps unable to sleep. +Exactly. +We know that you did not kill Madame Doyle. +Thank you, Louise. +Not for me, thank you very much. +You forget that we have not yet examined Pennington's cabin. +I'm only saying that your testimony is irrelevant because you started to tend to Monsieur Doyle five minutes after he had been shot. +There she is. +A parasite on the skin of society. +As I thought. +Mrs. Doyle. +- Oh, the same, oddly enough. +- We will depart immediately. +Was? +I guess from your faces which is which, OK? +And don't worry. +Works undercover, right? +Cigarettes? +- How about the C.I.I.? +Get away from those cookies! +"And if, perchance, our things... +- Please come back! +I'm sorry. +We'll get you out of here. +I claim my perjured lover, Nanki-Pooh +Us, I hope. +I was detained I thought I'd better tell you that an inspector has arrived +- Why not? +Absolutely none. +- I'm a BA Oxen +- Thank you. +I don't understand. +To mate before they die. +For uncounted centuries, the river has mirrored the passage of men and animals that have drawn life from it a life often little changed since the first farmers came to its desert valley. +Here a vast tract of land has been reclaimed irrigated by water impounded behind the nearby Jabai ai Awiiyã' Dam. +Mr. Gentilano, I know the usual waiting time, but if you could see what these people have been able to do on their own, I think you'd realize they deserve a quicker answer. +Who are you? +Go now, Anne. +I've been in here ten years. +But I've taken a vow of chastity +Go away! +I want to surprise him, all right? +You really fixed that snake. +Ah-wu, you're back. +Oh, yeah, Father. +GUEST HOUSE +- Well, has it proved useful? +Luis... come +"7 years this October! +Or else Uncle Harry would be there and they'd play chess, and then it'd be extra quiet. +Only through music did I have a chance to show my feelings. +Dear Lena! +- Did you like it? +I often play the organ. +- You're the one who needs some sleep. +Fucking slut! +'I think we all understand each other.' +Can't take heavy food in the evening. +- Don't loose your temper. +Give me a hand, will you? +Oh, Mary, I'm losing it. +Yes. +Behind you! +Why operate this far from Cylon without base ships when it isn't necessary? +Excuse me. +I'm just trying to be your friend. +The young sir fell asleep while reading +Do not touch anything, kids! +Radar! +ANNIE [SIGHS]: +I saw him outside. +I thought you were gonna get me one. +Your compassion's overwhelming, Doctor. +Laurie, Mr. Riddle is 87. +He doesn't believe us. +- I'm scared. +Annie, you all right? +Are you all right here? +- He was doing very well last night! +Tommy, open up, it's me! +I don't know. +Cute, Bob. +- I've already lost it. +Every kid in Haddonfield thinks this place is haunted. +No. +Come on, where's my beer? +- Yeah. +Since when do they let them wander around? +- Now, do you understand me? +Look, Judith, it's really late. +We definetely will. +Pockets full of useless trinkets? +Look ashamed! +Don't you think? +This... and this +- What are you doing round here? +Go +And two, can you hold General Ndofa in Gurundi while I'm grabbing Limbani? +My sentiments exactly. +And I guess you're dying to know how I got back to England? +I had to unwrap it didn't I? +- Let's hope Ndofa continues to honour it. +I wouldn't want you even as confessor. +It sucks. +Don't I carry Pip? +We're being thrown into a black star! +The whole neighbourhood bet. +You look after both of them, Trixie. +They can barely hold up what she sees. +- Was that milkshake holder over there? +- Oh, that's a fiction! +I became a party member relatively late. +What do you have in mind? +460)}BEAUTIFUL. +And I'll be there for you whenever you need me. +Me? +Where, I believe, none would dare to ambush us. +- But, dad, is it wrong to ask for a mum? +Why? +Connie, sorry! +If he's there, I have words to say to him in private. +Well, yes, these things do happen, Edna, my dear. +"Le glaive". +- Which means never. +You didn't disappear? +- Other attempts have already failed. +You can't go down there. +- What's it look like? +- He was afraid of hitting me or Mom. +You tickle the strings ...you must slice! +What? +It's awkward like me +They're participating +How did we succeed at such a difficult task? +I'm fixing a hole where the rain gets in +She's killer-diller when she's dressed to the hilt +[ Screaming ] +Over me +I wish I knew where he is. +Come on. +The home of the long dead and of the Ice Gods. +You came back alone. +I was the only exception. +...that these walls-- +I've just finished stacking.... +Run. +And, Otis, by the way, next time put my robe on after I'm out of the pool. +I do forget, you get around, don't you? +DON'T... +- Hey, fabulous. +Then this man swooped out of the sky and gave him to me. +Nice place. +No, no. +- Kent. +I wouldn't stay here, either. +Yeah, poor Clark. +He said that he'd be happy to help out from now on. +Roger, Planet One. +Nincompoop! +Move! +I know it all seems a bit much but how else was I going to meet you{y:i}, Superman? +All personnel evacuate dam. +It's in the back of my mind, actually. +Move. +Then this man swooped out of the sky and gave him to me. +Would you like a glass of wine? +Not humility, you've got bags of humility. +San Diego, Los Angeles, San Francisco. +-Bye. +All the time, "land, land, land." +COUNCILMAN: +-Otisburg? +WORKER 1 : +The vote must be unanimous, Jor-El. +Now the first thing we've got to do when we get home is find out who that boy's proper family is. +He doesn't really want to hurt anyone. +Okay? +NO? +Yes, I was just talking about you. +Park Avenue address? +It's open. +To make money in that game, you have to buy for a little and sell for a lot, right? +My what? +Yes, sir! +WHOO-HOO! +TO SEE ALL THIS. +Hey, nice job on that union scandal, Kent. +But you didn't see him use it. +The journey of the characters is arbitrary. +- No. +- Good job. +He wants to see you now. +But actually he was defending the old system! +- must control everything personally... +Hi, Diana. +Dad! +Why operate this far from Cylon without base ships when it isn't necessary? +I know that wasn't easy for you, not telling him. +Still no word from our fighters, sir. +- Les get out of here. +- It survives? +Justice from the Cylons? +Born to dance amongst the stars. +Skin temperature.. +Some of them are probably from our ships. +It's Captain Apollo, sir. +- Well, what? +"Ok, read it. lf he's his son, then he is also your husband." +- He is living in old Gujarati lady, Mrs. Dinshah's.." +inches or metres? +You've eaten, haven't you? +You fell in love with my singing +- Of course not! +. +At one stage someone suggested breaking into the church and doing a grandsire triple. +- (Meows) +Aye. +Thanks, Jon. " +Hope she didn't go looking for Tony without us. +Tony, we can still do it. +I was quite OK where I was, and they bring me here without telling me why. +- Yes, sir. +Look at that! +How long has it been since this ship left the gulf? +If you hadn't come, we would have been here for the rest of our lives. +It looks like a small tower. +I want you to go to High Harbor directly. +I bet it's because of the earthquake! +You can't take away my points! +Sure, they want touch a song? +. +You can't afford to be seen, right? +That I had no idea what you're talking about, but I'll talk to him anyway. +You're selfish and you aren't thoughful at all. +- That means... +It's like he doesn't exist. +Total submission. +(church organ playing) +( Jennifer whimpering ) +I'll show you how. +Aw, you missed. +Just remember, no need to cover for us. +Why? +OK, I look for, but I can't promise anything. +Finish and came down! +Bypassing regulations. +- Resentful... and has a personal beef with the colonel. +- Oh. +Honey, tell me why you' re wearing that pretty smile on your face. +hey, y' all, look out +THE ACTUAL KILLING. +We want to rub with you a minute, man. +It's after ages that we'll get to meet old friends. +But their crime is as big a cancer on society as these kids' poverty. +C'mon out! +This is no time for jokes, J.J. +Just about every organ is smashed up. +Aye, sir. +At home, sir. +Harris. +Yeah. +Aye, sir. +I got ya. +This is an emergency. +Anyway, he's on one of these Vespas. +You didn't drink me under the table that time. +Not even the phoenix will be able to burn this steel arrow. +What's this? +Why do men kill for the sake of envy and hate? +That's not like you. +It's his business what happens after that. +You two hotshots have both been set up, haven't you? +I'll pay you here if you want. +HANDS ON YOUR HEAD. +Settle. +I'll get out here. +What the hell did you see? +Good evening. +Why do you carry it? +I love you! +Today I am not late. +- Right! +% % It'll be like hot lead and cold feet% % +We don't want it to fall into the wrong hands. +No, I don't think I will. +! +Whoa! +350 years have passed since, but that sword and that helmet are still there to remind us of all the dangers waiting in the world. +Are you a fisherman? +Sometimes I don't know where to turn... or how to keep going with six children to raise. +Goodbye +You'll be happy about that! +I'll kill you. +Of course, so the seeds won't die. +Don't talk that way. +With little money you bring home an entertainment for the whole day. +It's that now they have to do a long journey, and full of dangers. +You know what he lacks to be really happy? +Let's go now and leave them alone for awhile +- l can't complain. +To go out looking for souls! +Annetta, go tell Mama the veterinarian is here +No! +Come on. +Oh, you know. +You're stupid and old. +What if you had woke him up? +Violet, you're going to be a lucky little one. +You're going to have so many men, you won't know what to do with them. +Violet... you have to wait. +I'm happy. +I like russian. +What else? +I think that two days without food have affected your mind quite badly. +As though someone was skinning me from the inside. +If we do nothing she'll never wake up, +- What's going on here? +- But she's in Ireland. +And one day the 4 little kids met an ogre or a giant, +He it is of whom you often spoke, and for whom you sought. +And says to her: +Ah, well, there goes the neighborhood. +Capitalising on the upward rotation of the umbrella +You fools, had not auditioned candidates myself ...you would have wasted such talent +Anyway, your timing's perfect. +Bodie, they're armed. +I gotta... +They're coming! +You don't have a parliamentary candidate in the family every day. +- Thank you, I don't play cards. +But there's something else ... +- Forcemeat shape. +Isn't it a strange thing to give as a confirmation present? +- Later, perhaps. +It was awful. +But he's a radical. +Yes, you can speak out, we won't be disillusioned. +And I only married Albert to get away from home. +What do you mean? +But you will be tomorrow. +- So soon? +Mrs. Skjern, the bank manager's wife, doesn't wash hers. +- He gets 5,000 for one of these. +- Now he just needs a four. +- What? +You can join us. +I promised Katrine to get it translated. +- Well, do you? +That if only we could get away from this town, we'd be fine. +- Get married, you mean. +That woman ... she told you? +We should get a better discount. +Yes, of course. +- And me, for that matter. +But they're carrying the plague. +(. +I didn't. +What's the trouble? +What? +I know how you feel, Mrs Booby. +Mr Tristan, will you be having breakfast, too? +How did you get so old being so damn nosy? +- BUT... +- Goodbye. +You don't need the gun. +Now all the cats have gone. +You think you can just get away like this, right? +[whooping] +That's enough. +Hey! +(Nick) Holy Christ, I don't believe it. +Axel, come on, sit up. +Sometimes a great deal of money. +You're a maniac, control freak. +It's nothing. +- I make you crazy. +Hangin' in there. +Get it through your head, or you and me are both gone too. +Oh, Michael! +I do. +Like this happens every goddamm year. +Fuck you. +Motherfucker! +Come on. +Take it easy, Stevie! +In case you stumble on one of your girlfriends sucking on a forest ranger's cock? +- Hey, give me a Twinkie, Mike. +No, I ain't giving' him no boots. +Hey, Stosh. +I'm here. +Okay. +Come on. +He'll be coming back, too. +You're gettin' married. +I mean, I love 'em. +May I have your attention, please, ladies and gentlemen ? +You're a fuckin' bastard, you know that? +Just the usual complications, that's all. +- You're gonna float away. +Last week, last week he could've had that new red-headed waitress at the Bowladrome. +Go ahead. +Me and him ! +If I found out my life had to end up in the mountains, +Everybody was here. +- Michael. +Oh, what is he doing? +What are you doing? +- Nick. +Hey, Nick. +I hit some rocks, Michael. +- I hate 'em. +You know what I mean, Michael? +That place is gonna fall any day now. +* Stand beside her * +* Stand beside her * +One shot? +- What do you mean, "It's only a wedding"? +- Just get on. +"'Til we join the stick of angels Kill the lengthy Amazon" +- Okay. +like a sea. +Bullshit. +I know that it'll never be the same. +[Panting] +Leave all that to her. +Oh, good. +- That's right. +- Out, out. +- Oh, fuck- +So how are you anyway? +- [ Man ] Have a nice night. +- [Explosion] - [Man] Incoming! +Nicky... +- I get lonely by myself. +Just might work out better is all. +He's in the army. +Where she's from? +[Shouting, Laughing] +I'll try and come back. +We gotta get out of here +Well, looks like he's having the usual. +Today I don't have that anger in me. +Guess I'd better go now. +This was further than i thought. +Yes, so it appeared, didn't it? +We won't be able to force-grow enough to feed our planters, let alone anyone else in the fleet. +You mean we'd have to... +Perfect. +The lights. +Those hiding behind the door +- Good. +A decent period of mourning before you.. +Uh-huh. +Yeah, I'll bet you do. +What'd you do, Johnny? +You're another... +They're our people! +What did you do? +We got the time. +I don't know how you feel about unions, but I... +Oh, is that a fact? +- Stirring these men up. +Look! +I've heard that before. +- I said I don't need nothing. +That's why I stayed at the hotel. +Wait, Fujiko. +Can you read it? +- We want the Beatles! +What about The Ed Sullivan Show? +Go to work. +I mean, I might even be able to sell it to Life magazine or something. +- What? +Oww! +"Amscray," sister! +Maybe we'd better get goin'. +Wait. +Girl. +Come on! +Mmm. +[ Mouthing Words ] We're- +You might even get killed! +Same. +Well, there's always the cellar, I suppose. +Once fulfilled my desire, # # how happy I'll be. # +Then it's time to resist, instead of bluffing and playing Sherlock Holmes. +Here. +Oh, I see. +So you've come. +They're playing our song! +Why would I do that, it's so early? +Now, you made a prophesy, old woman, what was it? +Come on. +Another go. +- Sugar, sourpuss? +I don't know why I find it so difficult to express my feelings to you. +I mean really, really, really beautiful. +that bad, man? +What's the matter? +Uh... what... +- Can we stop this now? +He suggested a plan. +Because I've not been quite myself. +We were under control situation. +But this who are children today. +- What do you have? +There is something for everyone. +Help. +"I'm traditional +So scaring the fish. +I'm going to court. +(Tyres screech) +- If you stab down more than once... +Shall we get on with it? +Doesn't seem to be any heavy armament. +Oh, that reminds me! +[MECHANICAL DRONING] +It was. +- Thank you, lady. +But mistletoe - you've never seen anything like it! +Dead? +Only the most eligible man in the county. +- Class! +Did you say monastery? +Dee, now the board is supposed to vote on acceptance of candidates. +- I think I'm all right. +Then we'll earn a lot of money +Beat--- +Alright +Yes, one last trick +Please help me +You're smart Of course +No, my tea isn't poisoned, try it +But there're two guys +Isn't this armour fierce? +- What is going on here? +You must all pull your socks up +An English girl +I don't know, General. +- Right. +That is, we live in the same building. +Right. +- Right. +Just bring me a beer and forget I'm here. +Jake. +But you see, in our civilization, that's as far as we needed to evolve. +I've got less than an hour. +You know, when I saw you up in that chopper, I just... +- How about a picnic? +Oh, the picnic. +Thank you. +You'll be better off with a woman. +- I told you I didn't want that woman here. +No, no, don't worry. +You're a handsome foreigner strolling down Broadway... with a manly gait. +After your father's visit, I asked myself a lot of questions. +Her voice has changed. +Rabbit cacciatore. +The end. +What does that red light mean? +Who arrived? +Good-bye, Renato. +What a figure! +- Now for something harder. +I think she's nice. +I'm +- What? +- Let's have a look at it. +We can't go back. +- Flooding my soul with glory divine +Oh, Mork, what did you do? +Mindy, he lives here with you, and you go out with other men? +I like it here , Lawrence, by the sea, lillies, orchids, everything! +I can't see it clearly. +I need something to scrape it off there with. +Don't be scared it will be all right. +ON THE WHOLE, I WOULD SAY THIS HAS BEEN... +THEN WE'LL FINISH TOMORROW. +NEVERTHELESS, +WHAT PAPER ? +HE CAN PLAY THE WEDDING MARCH ON HIS FIDDLE. +Anywhere there's a road +Since we can't kill Cheuk Yi Fan as he's not here just as well he kill his off spring +Chik, so much for good judgement you've found an enemy to help you +Easy, now. +You know her? +Sure... +Carlo is rotten in the head. +No matter what you say... +By royal decree, +Granddad, forgive me! +Go +I look at the bull and the bull, he look at me. +First, we meet a farmer and his dog. +We all played it. +Monopoly. +Pretty much. +Bring me any identification he's got on him. +It's legal policy. +Just remember that I haven't got this anywhere near performance level yet. +I've known her ever since high school. +Jesus Christ, he might still be alive. +You're gonna take the canvas and you're gonna wrap part around Duke here, and part of it around Gangrene. +To keep control. +Can we get on with it please? +You'll find little flecks of my blood on each and every frame. +Now, we're gonna have to talk about that. +Luther will tell you +Lets go to work +- How? +Get on it. +Let's get him out. +Sheriff pile? +Eminent domain. +What are you doing down there? +[ Crowing ] +JESUS CHRIST! +Gonna put the old double "X" to Henry Moon, huh? +Speed, this ain't no time to let me down. +I been here. +And did he go on the warpath! +It's here. +Don't do that, you're acting foolish. +- Female trouble. +People can't afford business partners that cheat on them. +All of you! +- Can you walk? +They know perfectly well that they... +We"ve got nothing to lose. +At the bridge the youngest daughter drops tin cans into the water +In the same way you decided the destiny of two Cylon tankers? +How would you feel about sharing a place with Sue and Harold? +Well, you— Well, you could have a drink with me. +- Oh, look. +Men cover it up. +- She likes you. +You sound pretty angry. +You may rise. +In London, I think they have an underground passage where all the dogs shit. +Just a song my daddy used to sing to me when I was little. +- That's right. +Let me talk to him. +Move it. +God, it's horrible! +So, I decided there was nothing I liked doing better than singing. +Now, if you'd please step over there for your photograph. +I'll tell you what: +What do you mean, "Don't worry about it"? +How are you? +You're great! +Wait a minute! +Relax, that's what they do to everyone, +It's not just for fun! +It's a question of priorities. +Pardon? +Now look at that and you'll be watching a miracle. +When I looked at it, all these coincidences seemed too much. +After all that work. +I know a good deal about him. +- Conclusions. +A response at last. +Remember, I've been a detective too. +We have every reason to believe it's not a hoax. +- Very funny. +- About what I told you this morning. +You must come! +I don't have any friends here. +It is the most courageous of men who win the most beautiful women. +Say that again? +No papers, no diamonds! +We have suspected the Doctor since we first made contact. +Still, I wish I could find the same urge to sacrifice among my subordinates. +I'm all right, go on. +Let's get the hell out of here! +if you'd send a car and, a new pair of pants. +' +Come tomorrow. +- l am also being very pleased for me +What's going on? +Yeah. +- Does this show? +It looks like a toothpick, man. +The next day, he comes up to me, and he says, +Mel... +Sergeant, telephone. +Did you do this yourself? +I never had it before. +We want to talk to you boys about joining your order. +I am stoned! +I've seen those guys that had too many acid. +Margaret, where the hell are you? +- Oh, no. +Can this wait? +Get out. +This is code name Lard-- +Hello, kiddo. +Khanna +Oh, about a month ago. +Great. +The General took a great fancy to him. +Is that what Canino got for getting rid of the body after you'd gone to Eddie Mars for help? +One hundred spacials. +Now, the reason all the good burgers had all these extra goodies was because they'd found a new market for their wool. +He used his expertise with precious metal. +They ramble over the elusive path of unfeasible promise, absorbed, like gods, in a lethal hope. +Hooray! +Okay, I know the one she means. +What else? +- Bobby! +Naughty bird afraid of the fog. +Algo's in the next room. +This one's more complicated. +Why don't we go ask him? +Russo. +Yes, I know. +- It's a code name for a 50-million-franc heroin sale. +I tell ya, it better had be the best merchandise, cos my experts certainly have tested some. +Only a few hours ago, the great detective stood in this very courtyard, and was decorated by the president for outstanding service to his country. +- No! +- Permanently? +I was getting enough spice without that. +Thanks, Mr Mallock. +With the herd, I guess you'll take on extra help. +I swear. +Oh, here's a move. +Sit down. +Do what he says. +You're still into this? +# Long as I remember +Any mishaps, just get out at first light. +Three, four! +They're animals. +Nailed him. +He's gonna burn! +I don't know. +- In the valley. +Move over +She prayed on a cliff each day and pleaded for her son's return. +Get your car and wait for me downstairs. +Do get up +Priority concern is capture of Blake and his crew. +You see, up in the mountains, a few hundred miles away, at a place called Jundi-Shapur, there was a monastery that that had a medical school. +[Ends] +I have grave news. +- My daggit! +I grew up with a kid brother. +They just put the ship on alert. +And water? +(GROWLING) +Now, I grant you, this is an odd gathering. +You take care of the money, I'll take care of our business +Ah, we have a friend on the line, Carole +This far and no farther. +You wanted to see me, Lieutenant? +Despicable scum. +Well, one thing they taught me, +Should we go in? +So? +No. +I'll give you a good plate of spaghetti. +I've got something to do. +But dead. +So. +A multipurpose knife, wasn't it? +Won't you help me, please +It's no fun anymore. +And when people in hiding are arrested? +What if we meet again next... +If I gave you the opportunity, I'd have forgotten about the duchess already. +Speaks with contempt about Hitler. +I was always there for you. +All the pieces of the puzzle fit together. +Do you mind? +What's going on here? +And this time for good. +I don't know any passwords. +Maybe you're right. +Last week I tried to get a job in my old trade. +The Sikh religion is the true faith. +Now he's challenging me to a punch up. +- Por favor? +- I must safeguard the race bank! +Yeah, of course you are, regular bloody Sherlock Holmes. +Let me hear your music! +Please, my rind! +- Arrivals collided, Mr. counselor! +Pierre? +And we met some of the greatest songwriters ever. +' And you put the load right on me +- You know? +- It does to me. +Words fail me. +I want it quick, quiet, and with no pain. +- I can't. +Beautiful, we are in business now. +I don't... +Danny. +# You saw me standing alone +I lettered in track. +♪ you are the one I want +Born to hand-jive, baby +Here we go. +- His name's Ted. +Sshh. +¶ Ooh, ooh, ooh, honey +Sure it is. +- But you don't gotta brag +Here, Frenchy, use my virgin pin. +- You are the one I want +- You okay? +- Blue moon +Even though the neighbourhood +Old lady drag her carcass out of bed for you? +(BARKS) +Vi? +Danny, this is so exciting. +# Forever +Thanks. +That's it. +Danny won. +Get off of that thing, you got a condition. +- Thunder Road? +Come on! +Whooo. +- Yeah, you know it. +Gimme that. +We stop the fight right now +- He can't hit. +I brought Twinkies. +- What's up, Kenick? +You oo oo +Hey, guys. +Hey, look. +Yeah, this baby's gonna knock them on their ears at Thunder Road. +Here we go. +# Sandy, you must start anew +Big stuff. +It wasn't me, you gotta know that. +After spending all that dough to have +- Yeah? +I want you to meet Cha Cha DiGregorio. +That's the hand-jive grand-jive! +- # Tell me more, tell me more - # Could she get me a friend? +Sorry, French. +Doody, how do I look? +Ah Man, it's you. +Special Appearence: +- London! +Please take good care of Qiuyan on the way +Can I take you into the toilet to show you er, something? +Weirdly, though, the other British thing is people always... +She seems to be very depressed. +Yuko... you are totally typical of a romantic teenager. +I'll call you around noon. +Really? +And, er... both nearside doors ripped off. +Cheers. +Excuse me. +Stop that, Irma! +German +We were finished. +- Yeah. +I just loaned one to Battalion Aid... and two of'em have bad spark plugs, and Sergeant Zale took the other. +You didn't. +He just passed on his way to the Music Court. +I'm cold, I want to go home. +DOCTOR: +Where's that? +That's why he got killed. +- l'll finish them! +There are girls, you just have to look around a bit. +But shhh! +Oh, indeed. +You all right? +Is your agent small, dark, pretty, beautiful gray eyes, and shoots from the hip? +I think you've made your technical point. +- You actually wanted to live there? +I saw. +A parent's worst fear. +There's someone up there. +Me, me. +I can't believe it. +the strike will end only when there's an employment guarantee. +No, he isn't. +... todayyou'reawinner, but tomorrow? +Why is she snickering? +I'd like to kiss you. +... thatweplannedtotake him back to school on Monday... +Do you consider yourselves exempt from questions? +Dennis, never in my life have I bought a ceramic hippo. +Oh, well. +Go on, go on. +Did he ever... ..mention the name of +And if my calculations are wrong? +You do not do well in school, that is because you are too clever. +I am an old friend of the family. +What about you? +- My mother isn't receiving today. +We are not at home! +Tear the throat out of anyone who even looks cross-eyed at me. +Call these dogs off, Bobby, call the dogs off, please. +A cutting taken from a plant and transplanted... ..grew to be the exact duplicate of the donor plant. +This is an apartment house, not an office building! +Was he a Nazi? +! +With you somewhere. +In killing Ravi! +A pig? +December 2nd, '77. +Ah yes! +Resided in Paris in '67. +Oh, and the bank clerk, she couldn't be sure-- they were all hooded, but one of the men only had one eye. +She sold herself... +Annette? +Okay? +Okay, I'll see you back there. +- Just leave me out of this! +Do you realize you have taken the last vestige... of western civilization left here... and you have run it under your pagan wheels? +You mean it could have been nicked for money? +Yeah. +Thisisthemain. +-What is going on? +[PERSON COUGHING] +You ain't gonna talk 'em outta here. +Keep going, keep going. +If it's anything like Philly we might never get out alive. +Yeah. +- Logical. +[GUNSHOT] +Come on, man. +Roger! +-Come on. +Why Just keeping your month shut? +Yes, that is exact change. +Hey! +Come on! +I warned you last time. +- Will you soap my back? +We hear you. +Of course I could. +He's as happy as a tick. +Cricket! +Or else you're gonna die here. +- Go and help them. +Oishi is trying to prove that he is right. +- Away, to the hills. +Hazel, you go on. +They're coming. +Bigwig! +If you can't, no one can. +So I knocked him down, I had to, and raced off. +- Talking to, sir? +See? +Sometimes I can see it. +What ought we to do? +Mr Handsaw? +That's all right. +I said- +I don't like pain. +Dr. Cambert, never mind. +Doc? +Drop you on your head! +It's a girl. +Thank you for calling... +Uh, Jessie. +There's new, new shatterproof glass, and there's no mirrors. +Son of a bitch! +We never went to dinner +He's here to ask us for help. +But there is time and place for everything +I've seen that boat many times before... +- Calling Patrol 2. +Sally, please. +I understand. +Always alone. +Dear God! +Is anybody hurt? +These wounds could have been inflicted 15 miles out to sea or more. +- Me neither. +I thought we lost you. +And you with the dictionary! +- He signed three papers. +You believe Germany had a hand in the murders? +They're both on their way back, sir. +Has anyone been to see you recently? +Stand up. +- Let's rest. +Don't you want to play? +And now, when David Banner grows angry or outraged, a startling metamorphosis occurs. +Yeah. +What's it say? +- That's easy for you to say. +- that I also know somebody... +I should talk to her some more. +Listen to how that sounds. +Pacific and Hyde. +I know this is gonna sound insane. +They were right. +Thank you. +How was the book party? +- Matthew Bennell? +No! +Okay? +Geoffrey is not Geoffrey. +We can eat outside. +You are trying to make us believe that we are seeing things. +- Do you think I'm crazy? +Go home and I'll call you later. +They've done tons of experiments on it. +We're meeting someone coming in from Boston. +Anything useful? +Can you get that box for me, please? +6-10 proceeding south to airport, carrying two passengers, type H. +You're evolving into a new life form. +You are young. +You get in the chair. +Will Jodie have to change his life once he's changing diapers? +When the women began to make a potion called chicha, I knew my visit to their village would soon be rewarded. +Inaugurates a commencement of a very special +At least 40 such cases. +For those who kept themselves can let a on the flight. +Zacz¹³ continue shooting tricks. +Footprints spirits. +Go and get some kokum! +- That is correct +Lord is more correct +Incoming communication from Commander Cain, sir. +Fill them with boraton and connect them to the firing mechanism. +- Original sinners? +- Of what? +Ah, don't force it. +- What star? +Is it me or is the room getting light? +My name's CORA. +' +Just remember to practice hard and take revenge +This is the Mo Pan pole array? +Since they've fought the battle for the state +Run! +Right now back to your places everybody! +I told you no to be insulting! +What's she up to? +Long live France! +What he said about no residue is true. +Yeah, quite a few. +Are you kidding? +- Yes. +Well, it's all exercise. +AAH ! +YOU KNOW, FREDDIE ? +DID YOU SEE THAT ? +TAKE IT. +Yes +BASTARD ! +- RIGHT. +You still look great. +- My jade! +I'm just carrying out your father's orders. +Help me, To Tao! +You've got arms of iron, but you've brains of straw. +He deserves it if he dies +Wait... wait for me +Oh, hurry. +Fine wine in a radiant cup is necessity +So you're the Hades Kick +Beggar Su +Lan... a sudden attack at the waist +How many? +Leave me alone. +Oh, thank you. +It'll just be a load of kids. +-I didn't mean that. +-And then she ran off. +-Look, I'm not... +-Ah? +-Here you are, 18. +-Who? +Captain La Hire is with him. +A crazy lass. +Her hair! +Working with a musical band___ +Where to? +we're trying to get you transferred. +It's cold. +- Life for what? +My name is Ahmet. +Dear Susan, Jimmy was caught and beaten badly. +What have they done to you? +The letters are coming in. +He says, "Be cool, Billy. " +and don't brag about it! +- I didn't have heroin. +- It's something I ate. +Talking to it. +They's dead, dey don't know it yet. +We'll have an arrangement. +Because she wanted someone to look up to. +I was Falling in love! +I'm fine. +What's the matterwith you? +Mom! +If I went out... +Deaf and mute +First let Lin flick his shot from the window lt'd be best if one shot kills him lf he gets away +Dad +Get him +It seems you've taught Wang a lesson +Coming +enter a Hyatt billiard ball salesman. +And less fight against an obsession. +- Fozzie! +She must be in there. +Come here. +What! +I'll soon have it fixed. +Among you are many who hurts! +Flexible Bust! +- Perfect! +You're welcome. +You sure know how to make a guy feel welcome. +YEAH. +That's why he wants you to go to this school in Chicago. +I want you to meet my partner, Officer Eggleston. +Have I got a boyfriend! +Nelson, as soon as Gillian begins to demonstrate her psychometric talents, +All right. +I tried to save a seat for you, but Gillian just took it. +I promise. +Oh, son, I´m sorry. +Chase One to Top Guy One. +Gillian! +But you have to spend 20 to 30 million dollars to be elected! +For whom do they fall +How can you say something like that? +What's wrong? +I'll teach you to be smarter. +Again +He patrols the city every day +Master, Master! +They don't involve in worldly matters +Yes. +Beat him up! +When are we going to get back to some real work, sir? +-is he what? +By the way, I heard about Elly, Levi. +You want to have children, don't you? +I know +Right. +Who is the banker? +A friend I just met +It's better to hide somewhere further away. +Mr. Hong... +We're not looking for people at random to do it lt's like you're doing my work +Then he's not the Gecko +What a joke +The eldest and the second didn't know each other +Don't lecture me! +You'll be Shakuntala, won't you? +- So what? +- Why not? +Well, I better go. +He lost, master. +(MAN CHATTERING OVER P.A. SYSTEM) +We are receiving a constant signal... from the area in the Bermuda Triangle near where they bailed out. +Well, if it's a really big smile... +They're going to hear you count +Now, where was he when you saw him? +I guess that's what I've been trying to do with this suit +Really? +The dogs are your dogs +When I say that's it, that's it. +Step back. +What'd you do? +I got that boat. +Get up here. +I'm gonna make sure so I can keep you on the streets. +- What do we got? +Fair? +- How you doing? +- Ten? +Come on. +All right. +Want a watch? +And I know you're good friends and he really loves you but I just don't think it's good that he see you right now. +We still can do it, man. +You gotta understand. +Spray left and right for effect. +- Sat Cong! +Hey, major, we got communication established with Muc Wa. +I'm buggin' out. +Let him rest. +OK. +Any place we turn up, sir, Charlie turns up. +They're right on my ass! +You will lay down an enfilade fire, and I'll go out under it. +To the U.S. Of A. +God, I'm gonna hate that. +Not just yet. +What you need is a good nourishing meal, something that will stick to your ribs. +If I can find her. +She's my little girl. +Are you absolutely sure you're not a rapist? +No, no, absolutely not, no way. +He died of indigestion. +- Wha'ppen, Trusty? +Henry, that... +Hal Weidmann bought that cabin from the government and moved it onto his property. +-l don't recall. +It's roses blooming, flags flying, pudding-- +-l didn't have to. I wanted to. +-About what? +And Hector is very well-endowed. +What do you say? +With brilliant all over. +You started this nonsense. +It fair beats the book. +Angela's a woman of the world, not one to suffer fools gladly. +9 and 10? +Really? +Are you coming, Morgan? +Goodbye again. +We don't want a burnt bill. +Oh, I am sure there is nothing wrong with his taste +And I am the president. +As sergeant Burke understands it, he called his mother in genoa and she called the police here long distance. +Lieutenant, we're behind you, all of us. +Lieutenant, I regret to tell you that I understand all too well. +You didn't talk like that before. +Who? +I raked them up, but these are no good for the fire, so I'm throwing them away. +Shall I make some tea? +Toyoji, touch me. +I can't make an arrest without proof +You are to be executed immediately, +I don't know, 10:00 maybe. +I mean, if we can't even do Sophocles anymore... +Meanwhile, in the New Palace, the reception is being prepared. +She expects clarification. +- Why would you be laughing? +What the hell! +And what does this old family photo of ours have to do with it? +This language, all white men know? +"Isn't fit to own land." +That's what I think the treaty can accomplish. +Yeah, Larkin here has got a fix on where the next strike's gonna be. +Yes, she might. +Put him out of his pain? +If you hadn't found that infected spot in the mare's hoof or gone back to that cow after she'd shaken hands you'd still be out of a job. +Teacher +Is he after riches, or revenge? +Let's go +Please +Lady +Today is your wedding day +Little lord, you're back +The swindler! +[Scoffs] Is this mollycoddling standard procedure? +Hang on, Johnson. +You can get easily? +We want to see the King +Come on! +Her. +Whoo. +Let's talk about this. +Yeah. +And... +- I said, I was coming out. +Yes, he made it up, but it was really very endearing. +- lf he makes out, aye. +Come on. +Zoe's out at the moment so I'll get us some grub. +- Get out of here, will you? +Take it out! +- Hey, man. +- You chicken! +Will you please be nice to me and pay me one bloody compliment? +You look like the sweetest, Young, 14-year-old boy. +"idiot"? +If I knew how to drive, I'd have left long ago. +Why didn't you want to tell me? +- What are you going to do? +~ +..and started to beat about the bush with it. +♪ Ooh-wee ♪ +What do you think he's doin'? +~ Lubos, what did Anna do with the whale? +We have a new fighting game, and it has strict rules. +Where? +Said it would work, sir. +Does that sound silly? +Sorry, Mr. Farnsworth. +Hey, hey, Max. +Your time is up. +- Guess I'll just keep looking. +Where would he find anybody like you? +And then he'd say something like, +I shall have to take charge of this case personally. +Oh. +I'm not going. I'm going to run around till I wake up. +TO ESTABLISH YOUR WHEREABOUTS. +BUT HE'S NEW AND FIGURES THE GUY'S A GONER. +I DON'T KNOW YOU WELL ENOUGH FOR YOU TO HURT ME. +Why are you always silent? +It says Nigerer Baagon and others +No, I am all right +It's raining, you don't have snow tires and you forgot to put in anti-freeze. +Come +Is this usual, two months +That's the beautiful part of it, isn't it? +Hmm. +He's done it before. +Are you all right? +Mr. Fogelman. +We're partners. +I'm fine. +It sounded very... collegiate. +He toss about me on purpose toss about you? +drink, borrow a little. +do you know? +you don't hurt me, I hurt you. +- The Seven Deadly Fists manual. +One, two, three, four, five. +I am... the invincible, honourable, supreme... one-and-only, unbeatable... +You are in the hands of a very primitive people. +Now, come on and get in the car. +Ask the question. +By who? +Was? +Look,you did seeJason, didn't you? +Now, let's get down to business. +- Yes. +I'll meet you in the car. +I prescribe a gentleman to a gentleman and a lady to a lady so, they may swallow the medicine. +Just so. +What do you want? +And the prices are always reasonable. +This is detective Mortensen. +Sweet Wolfgang, you know what I believe? +- Sarah? +-but it'II get us through next year. +You're cold? +The son of a bitch! +[PLAYERS CHEERING] +A very strong cup of coffee. +This way! +- Is that all? +The nice type of girl my mom likes, I think +Just hurry +Yes, S.E.A.L.S., U.S. Navy. +Crowd control. +Thanks for coming, Professor. +What do you want of us? +Sorry. +Did I tell ya? +Nikki, I won't do it. +Ken, she here? +Would you forget the pa... +Schooner tuna commercial, take 24. +It's real easy to forget what's important. +Irv, clean up on aisle seven! +When it comes in, it's gonna look great. +You wouldn't like the answers. +The Reverend Sun Yi has no statements at this time. +I'm playing tonight. +Then we can be buried together. +- Yes, that may be... +No. +This time I'll throw it towards you. +This is my girlfriend +What's that? +! +- No. +Also for insulting a policeman +It makes me crazy It makes me so cruel +Here they are. +Every time I hear blues +Let the people decide whether they're any good. +What's the big deal? +And you solve your own, on your own. +TRAVELLING TIME by ANDREI TARKOVSKY and by: +Won't we? +We're almost ready to materialise. +JHC, JHC, JHC... +Drop it or the Earthwoman dies. +We can't go home right now, okay? +Oh, my God. +Bothers me. +Steve. +Yeah? +Can he eat his way in here? +Sit down and eat, and I will. +Come and get your muffins! +Ralph, will you order my carriage? +It's good to see you all. +— That's what's so strange. +Let us hope that they give us a fine performance! +Beats the hell out of me! +The spacetime distortion is swallowing Norn! +There will be an entry inspection. +What's your answer? +Oh my God. +I've been thinking about you, too. +I don't remember a thing. +How you doing, son? +I never could love anybody more than I love you, Chris. +Come on, you didn't give up those hotel reservations, did you? +Ah, yes, here we are. +All right, come on. 15-to-1. +Hey, Jordan, how"s it going? +Tell us, have you ever talked on this topic -- with other owners of similar organism qualities? +-How old do you think I am? +-I don't kill flies. +I was part of the show... +"Mr. Pee Pee." +When do you get off? +Yeah, fuck you too. +Somebody tell me what's going on. +I seem to recollect Uncle Guo mentioning it before. +And all the heroes defeated I found no equals, to my regret +Didn't he still lose his house in a fight? +Gugu, wait for me. +Aunt, I caught all the birds +Why? +The servant said, master... +How can I face Granny Sun? +If I don't call you Aunt Then what shall I call you? +Guo +Come on, just do it +Brother Yeung, you think about your love? +Hey... +What are you doing? +You want him to live in the tomb for the rest of his life +(SIGHS) Me, too. +It gives my life meaning. +Everybody out. +[Adventurous instrumental music continues] +I knew it. +- Here. +Has long legs... +"Without you" +No, no, no, no, you're not interrupting. +The phone company does not agree. +Come back! +Happy New Year. +He said the telegram was late, the prize was already there... he was going to send it on tonight. +No, that's for tomorrow night. +That blasted, stupid furnace. +Isn't it about time for somebody's favorite radio program? +Who's next? +First nighters, packed earmuff to earmuff, jostled in wonderment before a golden tinkling display of mechanized, electronic joy. +And as you'll remember, Silas Marner.... +Merry Christmas. +Holy smoke, would you....? +You are being punished, so no comic book reading! +MRS. PARKER: +Try again. +- Don't shoot any animals or birds! +Mary has desires. +By "we" meaning me chasing down six ninjas? +Something would come to us. +- How much did you pay for it? +- What are you doing to my car? +Arnold? +Yeah. +His five-year-old daughter choked to death in it. +So what if you fix it up and he just comes back and does it again? +- No. +'Cause he's stone cold dead. +Okay, let's get in. +You didn't hear me, did you? +Impossible at times, but talented. +All right! +Hold it a second. +[MICHAEL IMITATING FART NOISES AND KAREN SQUEALS] +He's in the den. +People want to eat and sleep in peace. +Desmoulins will replace it with another +- Yes, they'II calm down +Not about that +Was? +Danton's wrong. +- Eliminate Camille! +Assuming there is some such obscure law of providence lf a criminal's fall must bring me down with him, then what of it? +You don't have the right. +Let me through. +Never mind. +We must evoke peace and joy. +They're blaming the war +Camille was your friend +We'd shake the people's faith in the Revolution +Tell the gentleman I don't want to see him +Are you a close friend of Danton? +Unfortunately, subsequent research has proven that only Colbyco is a giant. +Nobody can get into that elevator without the code. +That's illegal! +Anything to save themselves a lousy buck tip. +- I'm sorry. +Sherlock Holmes, the case... +Cow cunnilingus! +Charles Darwin when he arrived here - didn't know about evolution underwater or, for that matter, on land +They had a fight. +Yes, Your Honor. +No. +In there, Mother. +We'll talk then. +I was wrong. +Are you hurt? +Doctor, have you got any ideas? +Claire, I'm sorry. +It's not my blood. +They away? +[GROUP YELLING] +[WHISPERING IN SPANISH] +- l don't take sides, I take pictures. +The give and take, the lunging, the parrying for position, the jockeying around knowing full well that... +Well, I do. +- You okay? +You are a real son of a bitch, you know that? +(Woman) Wonderful. +Good idea. +- You've got to be kidding. +You hit the kid and the lady? +I risk life and limb to get this license plate number for you... and you wanna talk corn? +Victoria Quimby, at your service, sir. +I'm over here, Kenneth! +You do know. +Sebastian, you are drunk. +Only that you're lovelier than ever. +Are you ever going to forgive me? +But there still may be time... for you. +Communing with mighty Neptune. +Get to work immediately +I know, too many people here to discuss +Roberto. +[KITT] Well, why don't you use your instincts, Michael? +- Take it easy. +Nature takes its course. +(slurring) I hope that you are satisfied. +'A storm without? +I couldn't read the address. +'The snow whirling: a lovely scene! +- Just lie you've lost your passport. +Being under investigation, missing my train! +Thank you. +Sure. +They're exceptional people. +I'll deal with them all. +Your own life contribute in the kitty! +He planned thus to survive World War III. +Well, I hope that's the whole stoy, Adam. +You'll, uh, also give him a signed confession... describing what you and your buddies have been doing off hours, won't ya? +But, Louie, he said I had to be in and out before your shift change. +- He's on the jazz, man. +I'm just lookin' to take it easy. +I'll think of something. +- Uh huh. +Well, you know. +I went to the market. +A veteran is organized, and purposeful, and sticks to her shopping list. +Thanks, Nara. +You were good! +# I wasn't born for loving # I was born to raise Hell +Does wheelchair need licence? +Private detective Sherlock Holmes. +Why do I look like Sherlock Holmes? +What Sherlock Holmes! +Sherlock Holmes, Charles Chan... +Sherlock Holmes, you are making fun again! +The space uniform. +Modern Sherlock Holmes Eden Vs Aliens +Modern Sherlock Holmes Eden Vs Aliens +You're really crazy +('Will) It's nothing but a plain, ordinary old carnival, +Wow! +- Will there be a bonus, Aunt Tamara? +Second Artistic Association 1983 +Good boy. +I'm sorry. +What are so many balls for? +Give the keys to Grisha. +It's not to you again. +Soso +Don't open the window. +By your ancient and brave samurai spirit try to discover the nature of this being. +How can you betray me? +- Now you do! +Think then what man can do. +Your Honor, we have a signed affidavit... from an eyewitness to the felony who is willing to testify at a trial. +Come on! +I don't know who it is. +God- +He is a lucm man. +My blood group is AB... +You'll be left perched on one leg like a stork. +Really look at me! +It's so late, what do you want? +Ladies and gentlemen, the orange crop estimates for the next year. +But you don't care because you helped them do this to me. +I realise this looks completely awful but I just wanted to assure you, my friends, that I am completely innocent. +It's ours. +-Sold! +- Excuse me, sir. +A what? +I do not drink. lt is against my religion. +It's obviously some primitive attempt to frame me. +The day after we are full up. +-Zappa? +Who am I speaking with? +Great. +Valya! +While I, idiotically... +Listen to a young girl from Moscow, Olga Ivanchenko. +We'll have to check the rabbit in. +Cloud density from six to eight. +- Did they feed you well there? +Really? +Mr Kamdar will now inaugurate... +Albert Pinto...? +"Have some, brother" +Yudhistra! +We lag far behind. +What are you doing? +So you happened to remember my words at last +Know what nothing means at this hour of the night? +Watch out guys +Keep going, it will get easier once we get past this ditch. +How embarrassing. +Goro... +Sort of like Sherlock Holmes and Watson, sir. +More like Sherlock Holmes and Sherlock Holmes. +Where's McCord? +- Hello. +- How can you get away with that? +This is the last safe place we can keep him. +I wonder what Frank saw in a little thing like that. +Good night, Mrs. Dannon! +[ Laura ] I think we can eliminate Barbara as a suspect. +Tonight we drink together, tomorrow we make war again. +I think. +You make movies too? +They're all out lookin' for us. +To a time of joy with our kids. +I'm sorry. +Look at him. +Come on, Edna. +I'd be a laughing stock. +I want the easy? +"You'll never meet another guy." +Rose, you gave me the wrong plate. +Very funny. +Be gentle with me. +..take my revenge +What are staring at me? +Not yet. +Yvonne used to take sweetener. +Vera and I don't have any kids. +I should have known you weren't there for the music. +- Thomas Crown Affair. +I don't believe this is a propitious time to try something new. +It's all, madam. +That's point five. +- I don't know. +She's not in here anymore. +That doesn't make sense! +I don't like that! +Unfortunately for me, the thirsty ones fancy me. +Is it gold? +MMM...[KISS] +CAPTIONS COPYRIGHT 1995 WARNER BROS. +You're sore at me for barging in here. +It was like a blank spot... +- One moment. +Hallelujah. +- Yes? +What the hell is happening to this country? +- Not registered? +Sonny! +- He's really coming out, John. +Frank? +- Sure. +Yeah. +Bi Chu-chia. +Speak right out. +Here he erased it. +It was Mo Yung and Toa Tung. +Wolf Stoller is Goering's man for extorting money from the Jews. +Uh, could we discuss this for a while... alone? +- Hello. +Something wrong, Mildred? +Paying an involuntary call toJoseph Barber. +He is gentle and s{y:i}trong +My hat! +Ηe wanted every liberated region to herald a different kind of society. +It has only one friend, the one Brando spoke of in Apocalypse: +"It's as though we're facing a raging river, and those trying to cross are drowning. +As we await the year four thousand and one and its total recall, that's what the oracles we take out of their long hexagonal boxes at new year may offer us: +He wrote me that only one film had been capable of portraying impossible memory —insane memory: +The logical result: +It points to the absolute by hiding it. +This morning I was on the dock at Pidjiguity, where everything began in 1959, when the first victims of the struggle were killed. +In a way the two worlds communicate with each other. +I think the most extraordinary thing about the concert, I have to say, was the fact that there was every chance it was going to be cancelled. +[Pained moaning] +I'd like that very much, Miss Holt. +Well, I've catalogued the sketches by island and year. +Do you have any idea how much that drawing is worth? +Yes. +We'll let you have the money... but we want an exchange of hostages... +I never go to the bathroom. +Get him off me! +The mark will fade if we've breached the rule +Excuse me +John, to use your own words: +I'm certain that your friends knew nothing. +Well, I'll tell you... +George Friedrich. +Don't bend over. +He took off the bandages and she was cured. +- Um - +You have to be awfully careful cooking pheasants. +What now? +.98. +I never realized... a gruff, mean son of a bitch like you could be so popular. +It sure as hell is. +My own wife. +Which one will be first? +Well, what do you do here, Astronaut? +It's all right. +Morning. +Understand. +[Accordion plays] +JOHN: +Well, what kind of "specimen"? +It's time we-- +I'll pay her a sympathy call. +Can you help me out? +Talk to me! +I told her you were stable, well-adjusted, attentive, persevering. +Help, I'm sinking! +Is this true? +MAN: +ANNOUNCER: +Isn't there anybody who can deal with a housewife? +God speed, John Glenn. +Now, in honor of these, the greatest pilots in the history of mankind it gives me great pleasure, great pride, to present to you Miss Sally Rand. +They said whoever challenged him would die. +You'd be the one they remembered. +I think: +In a clean glass. +They called it the sound barrier. +Who's the best pilot you ever saw? +What Gus is saying is that we're missing the point. +We feel it is possible to re-enter with the retro-package on. +There might be Russian agents here. +This is for Life magazine. +Somebody get NASA on the line. +I think: +And here they come! +I said, "pictures on a wall," back at some place that... doesn't even exist anymore. +lying' on the ground with blood pouring' out of a hole in his head. +- Oh, I'm sorry. +! +Come on, you guys, let's go! +- Wallow in it. +It's the weenie in the bikini! +We're only in the first week, gentlemen. +You wanna get good and ripped for an evening at home with the Burroughs. +Any intelligent person knows you cannot interfere with the laws of supply and demand. +Jonathon, I have to talk to you. +What are you doing? +[SNORES] +Remington Steele to give an interview? +- This one works with water. +He's probably used to what you're using. +And not only that. +- I think I have to do something drastic. +. +Yeah, I know where you're from. +- I'm very glad to meet you, Helen. +- And this is what they said to me +It was Ethel. +No! +Here we go. +Some kind of bird or something, but it was a man. +In 24 hours, I'll be married to a walrus. +Well... +Thank you so much. +The thing about Heaven is that Heaven is for people who like the sort of things that go on in Heaven, like singing, talking to God, watering pot plants. +I have... at last... after careful consultation with Lord God, his son, Jesus Christ, and his insubstantial friend, the Holy Ghost, decided upon the next archbishop. +- Really? +It's all over the place, +The point is he has an idea which direction we're travelling. +- [Laughs] +What'd you sneak up on me for like that? +I'm going to have a kid. +Ready? +And I feel really bad about what happened. +I can explain. +Captain, quarterback, team leader, Clarence Oliver, Rifleman. +A fluke? +I'm gonna get shit-faced. +You'll have to look into those. +You'll have to look into those. +Not on St Leonard's Day. +Migliore, mejor. +The Jade Horse is mine given to me by Chu Liu Hsiang before he disappeared +WHAT'S THE MATTER, TIMON? +- Count to ten. +- I want you to build a tank for two. +I couldn't talk about it for a long while. +- Yeah. +You! +Aah! +Would you read that back to me? +Hfuhruhurr. +My vision is to be able to take +Worth it? +Damn. +Anne. +IT TAKES TIME TO RECOVER. +It's pronounced "azaleas." +Don't you want to make love? +Katya! +Now it's the time, get to it, now you are my size! +Good god, what a swarm! +Good lord! +But I'm hungry. +WELL, NOT--NOT TOO WELL TODAY. +[Muted gasping and crying] +(ENGINE STOPS) +No. +-Yeah, I got to. +- He's moving his cannon. +It's like I figured. +- You'll get it. +Stop moving around. +I don't know. +Classy. +- Morning, Princess. +- (All shout agreement) +I, too, have heard such tales. +- What is going on? +How nice. +Aha! +Along come Sherlock Holmes and Dr Watson... and believe everything we tell them +It's pretty hard to get around without a set of wheels. +what's it got to do with you? +Tighter. +Her mother is Paula Manuela Wieck. +Remember? +When I've done it, I'll go and say... +The one, Pamier, got a job in Avignon. +Fiero, the Italian, became manager of a bar in Marseilles. +Sorry to bother you, but I may rent a flat from your brother-in-law. +- Could we go to your restaurant? +What wine would you like? +But of course. +Fiero, the Italian, became manager of a bar in Marseilles. +Devigne met her while doing forced labour. +Come on, Ah-mei. +Auntie¡¯s house is on fire. +It resists frost, wind, and snow, grows straight and makes splendid ears. +Dad is proud of it. +Eiko! +That's Mother's voice! +No! +Come on, up! +Five minutes. +How'd you like to get in on a really big con? +Oh, geez! +Oh, you mean your jockstrap. +Have a nice evening, boys. +Just fake it! +Now their trail leads us to you. +What are you doing here? +Yes! +After you! +I'm transfusing energy into you. +Soldier! +Are we here to stand in line or to ski? +Look here, young man. +Hey,Jack, you gotta go. +But if you out, and the motherfucker say, "The bomb is dropping"... we fucked. +Maybe. +I'm the one that told you don't do it. +You know, Dad, you ought to fire your housekeeper. +That means Peter. +It's a beautiful color. +Look, I´ve got another call. +Would you take an oath that he´s not guilty? +Be seeing you, Mr Kessler. +And I´ll be back. I´ll be back. +Every government represented condemns my brother publicly and then welcomes him privately. +She's safe. +Sure. +I love to stick it to you, that´s what I love. +- You´re saying I´m a schizo. +Cos I like to be clean. +Finders keepers. +Yes. +What was this one doing on the ground right on top of a human? +Listen... +The thought that there are dead bodies in here frightens me. +If you knew how scared I was. +- Oh, no, I could run a large government. +I'm Fatima Blush. +You lost $58,000. +Oil. +Yes. +I can't come in. +You can't get the spare parts. +Very good. +Perhaps I didn't explain. +This way, sir. +A man who says never +I ran some checks in the Langley computer. +¶¶ I'll reach you, I'll teach you +Dead! +Gentlemen, we are faced with the ultimate nightmare, the abduction of nuclear warheads. +Eight... seven... +They're putting up an air screen a mosquito couldn't get through. +Sorry. +We've got them! +- The latest reports? +Largo got away with the warhead. +Wait! +Come on chaps! +My past is my business. +Good night, John Lawrence. +I don't want to watch it! +- Stop them. +What happened to the gyo? +I'm here for the trial. +Erase all those remarks. +Who is she? +Attention. +Say it! +Because he's a born leader. +I always wanted to meet an American. +I spoke Russian before I spoke English. +I wish I could come to Stockholm. +No, Irina. +You kept me on the case to put pressure on Osborne. +A deal. +Like Osborne, you mean. +Their faces were cut off. +What do you want? +She's in New York. +"Expelled from Moscow University for antisocial behaviour and unwise associations, particularly with Siberian renegade... +cal can be awful hard to take. +We're joining the medical profession. +Move! +I kind of hoped he'd say that. +Whichever saint you ask about, he knows his life, death, and miracles. +He's a prince! +- Let me go! +Curse your dead... +Can you hear it? +Don't listen to her, Don Filippo. +- This is Leo. +- Then we can eat it. +- What old woman? +Be good... if you can. +Because, for sure, you were the best of us. +I ask for sanctuary. +No! +- I knew that. +People dancing,.. +And over there, a creature with only one eye. +And I do not travel with peasants and beggars. +I give fire to water. +Slayers! +Only the king and his lord marshal carry this key. +We're gonna get a lot closer. +We sent to you for help. +Is that you, Titch? +Rhun, get back! +But because of what Chris Deegan accomplished in school. +And tired. +- You heard me. +That's it for today. +She's a tough nut to crack. +We're home again and now let's do massages. +- Oh. +Look at this. +Why didn't we get detection? +Let's move. +The roads must be a bear. +Better get the old man down here. +They might have been knocked out already. +Would you like to see some projected kill ratios? +- You look a mess, sir. +- What's that? +- Who shall we nuke first? +Get onto SAC. +Good. +Want to invite your little friend? +Hello. +Yes, sir. +- Can you wait here? +Joshua. +What am I gonna do? +I came because of Joshua. +Stephen Falken. +(helicopter) +THE ADVENTURES OF SHERLOCK HOLMES AND DR. WATSON +Sherlock Holmes VASILIY LIVANOV +Inspector Lestrade BORISLAV BRONDUKOV +To Mr. Sherlock Holmes esquire. +- Her name is Irene Adler. +I thought Irene Adler would only stay in the folder, named "The Scandal in Bohemia." +You faltered, Sherlock Holmes. +It was not that you felt any emotion akin to love for Irene Adler. +Of course, Irene Adler was an exception, which proves the rule. +And what about Irene Adler? +Irene Adler was a good lesson for both of us. +This is Mr. Sherlock Holmes, and this Dr. Watson. +Not Mr. Sherlock Holmes! +Do not be upset, Miss Morsten, Sherlock Holmes, my friend will solve this case. +Mr. Sherlock Holmes -- +What was it that Mr. Sherlock Holmes wanted, sir? +THE ADVENTURES OF SHERLOCK HOLMES AND DR. WATSON +Sherlock Holmes VASILIY LIVANOV +Inspector Lestrade BORISLAV BRONDUKOV +I made the acquaintance of the well known adventuress, Irene Adler. +Irene Adler. +And Irene Adler? +When a married woman thinks that her house is on fire, she grabs at her baby, an unmarried one reaches for her jewel-box, and Irene Adler took the photograph. +"My dear Mr. Sherlock Holmes, +- Irene Adler is married. +To Mr. Sherlock Holmes esquire. +Scotland Yard inspector Lestrade, who arrested everyone in the house except Sherlock Holmes, and Thaddeus Sholto was brought to trial on a charge of murder of his brother. +It was Sherlock Holmes, your humble servant and this dog, who, by the way, brought us to a large timber-yard. +- Mr. Sherlock Holmes has gone out? +But Sherlock Holmes is a detective too. +- Mr. Sherlock Holmes is out. +Is Mr. Sherlock Holmes here? +No, no, not to me but to my friend Sherlock Holmes. +I don't need that. +I'm sorry, I'm just babbling. +- Shut the fuck up, bitch! +Come on. +Let's get out of here. +Yes... about you and me... and Jack... and the gold. +-"There's no more of me to see." +The abyss. +- What do you want? +I'd like to know whether there was a relationship between the two of you. +You expect me to wait here on my own? +Are you a fool? +I didn't realise you were carrying such a torch for me. +Check out! +You should wear the clothes. +Not a sound. +It was an unfortunate choice. +The girls like it. +But, uh, I thought it'll be good for us. +Right, yeah. +Do you know there's a professor at Manchester who sets his students the task of tracing your sources. +You are an asshole. +Let's help you. +Our Juma? +He got killed in the Orient trying to rescue a nun. +You're a maniac. +Let's see if he will come. +Yes. +"5-7 p.m., 7-9 p.m." +I would still die. +-All right, whatever. +I wish one of these times you'd agree to fly. +The green pages will have most of the scenes that contain the equipment we need. +- How is Uncle Deke? +They... +Besides, I ran into some bad luck. +Very funny. +I forgot! +Hang this beast! +- You won't do me the favor? +There is no way I belong there. +I didn't mean nothing. +- All those girls out there? +I'll make some coffee, we can talk. +Hanna? +- No. +I've got a ride. +# Made of stone +What happened to the diet? +Thanks a lot. +What do you feel like? +Good luck, baby. +I'll make some coffee, we can talk. +- Hello. +Drink a little wine. +- You read Vogue? +Altoona. +I killed Chabris. +- Where are you? +- How long will it drag on? +- I don't get it. +Won't you tell him please +Mass in E minor +So everything's the same. +NS ÿÿÿÿÿÿMINOS, WHEN YOU AS K ÿÿÿÿÿÿME TO HELP, IT MEA ÿÿÿÿYOU WANT TO SERV E ÿÿÿÿTHE GODS. +A floral tribute. +Right there. +I propose a moratorium tonight on discussing Germans. +25 miles! +What's this? +Do you think this does not comfort me? +In two days, thank goodness, Marianne and I end our stay in London. +- Sounds perfect. +So you just decided to drop your load of troubles onto me, huh? +How do you know Donner's going to the 1 4th floor? +AMANDA: +Thanks a lot, Lana. +He won't take no for an answer, but he's the only one asking. +- Look at that. +- I've got to get rid of him. +Tell them these orders are irreversible. +Tell them you won't hurt anybody! +If that goes Up in smoke, +Missing? +Hold your breath instead. +Or something like that. +- Who is she? +Superman, you're just in a slump! +I want to be ready for him when he falls into our trap. +They don't lose them. +You really flew with him? +Where's The light switch? +Wow. +Lois, you're terrific. +What about me? +-What? +AND IT'S GOING THE WRONG WAY. +GET IT UP THERE! +That stuff we ran off in the lab wasn't a complete failure after all. +Working Overtime, huh? +You do? +He's here. +Hi, Lorelei. +How did you beat My defences? +-Yup. +VERA: +Tell superman we think He's wonderful. +He was so nice, +I did not lose it. +Why would He want to see me? +Punch in to some Rinky-dink outfit +Thank you. +Sure, superman. +I'll show you a few tricks of my own. +I don't want to be stressed by this one. +Have a seat. +Rose... rose spray! +Even if the body is, you still can see the clothes! +Luckily I am miles away. +How can that be in a place where no one can read? +- No, I didn't. +- Take your bloody hands off me! +- Tony! +- Whose is the limo? +Maybe it's me, Butler. +Help! +I've been like this. +They died too soon. +We never beg! +Come on, we haven't got all night! +- I know where she is! +That means we can get out of here. +Talk on the microphone. +[laughing] lt's a Christmas tree. +Come on! +Listen to this. +Don't leave him hanging around outside, darling. +During the night. +Can we have your liver? +And you don't want to put nothing up me? +[Patrons Screeching, Groaning] +WILLIAMS: "And spotteth twice they the camels before the third hour. +We eat fat. +Hardly worth it, is it? +"Every sperm is useful +Where are you going? +And Jenkins, apparently your mother died this morning. +Watch it. +That's enough. +I'd like to make that clear, is some multi-cellular life-form with stripes, huge, razor-sharp teeth, about 11 -foot long and of the genus Felis Horribilis. +(COUGHING) +Well, I've worked in worse places, philosophically speaking. +- It's a birth. +We'd better get to cover now. +Learning the piano? +- What is this one here? +Okay, Blackitt, Sturridge and Walters, you take the buggers on the left flank. +- Probably a tiger. +No, wait a minute. +We'd better get to cover now. +- What are we, dear? +No, no, I'll get the tablecloth. +Sorry it's another clock, sir, only there was a bit of a mix-up. +Yeah. +"Gaston, my son, +All right, settle down, settle down. +Right. +-Hello there. +I'd like to express on behalf of everybody here what a really unique experience this is. +In your neighbourhood +I'd just like to say it's been a real privilege fighting alongside you, sir. +Do as you're told, man. +So here we are with Find the Fish. +Is God really real +Well, no, but I can go down the road anytime I want and walk into Harry's and hold my head up high and say, in a loud, steady voice, +Oh, that sounds real interesting. +Today, we have for appetizers, excuse me, moules marinières, pàtè de foie gras, beluga caviar, eggs Benedictine, tarte de poireaux, that's leek tart, frogs' legs amandine or oeufs de caille Richard Shepherd. +But it didn't do me any good at all. +A real beauty, isn't it? +Do come in. +But no matter where or when there was fighting to be done it has always been the calm leadership of the officer class that has made the British Army what it is. +Good night. +In all of the directions it can whizz +-Nasty wound you've got there. +So you still reap around here, do you, Mr. Death? +I've heard a dangerous enemy is going after you. +Sir. +Your friend wants the 6 million you owe him. +- There's a half hour gap with no readings. +NARRATOR: +I'll treasure it. +Look for the lines now. +What do you say? +Now, go, Higgins. +Feel like a champion, then, Bob? +I just know he will. +What else do I have? +- Jussie, it wasn't your fault! +No, the lines are down. +And no one told me? +Buy your lady some fish and chips and a glass of ale. +I'm not the blessed Virgin. +- So, that's it, is it? +Paddy, I... +- Well done. +God is merciful. +Really. +- This is life. +That a high-school kid wanted to experiment once with a few assorted drugs? +I love you. +(HENRY) You are of my opinion. +Oh. +(DOOR OPENS) +Pilgrim's Peach Puff today. +The school is undergoing the road expansion plan I will not let them demolish the school +Where to? +No, she hasn't +Who is there? +Wherever the reports have come from Paris, Rome, Geneva, Buenos Aires, Tokyo descriptions of the craft are all identical. +We need equipment for a lab, communication. +And yesterday he used his left hand. +Come on. +Then why not let others say it? +-Man, that's only in your head. +Our planet is in serious environmental difficulty. +- Shoot! +It was our first close encounter with the neighborhood E.T.s. +And so do I. +It's okay. +He's still up there. +I hope we don't have any casualties. +Arthur couldn 't hold a candle to his good old wife. +Maybe she just went away. +We gotta get it down here. +Sorry. +- Me? +The things you say! +- Who? +It's true, he left. +Stop there. +It's your granny! +I know. +So, here I am. +I don't want to keep thinking about it. +That day at sunrise when I found his pendulum under my pillow +And Estrella? +- You familiar with this neighborhood? +This is making me real nervous. +So I stopped being a student. +Thomas Mann, whoever he is. +After everything she's put you through? +He shouldn't drift out of the pocket like that. +I've missed you. +We have enough. +We must get a divorce. +- Hold on. +I'll play the part myself. +I didn't. +- Barbara... +You can cook at our place. +(what do men know about women? +You're right. +That's true. +We're not sure. +- Where we running to? +Y'all watch your step. +Now, the little girl is starting to learn here. +Ah, bobo. +YOU ROTTEN FUCKERS, YOU TRIED TO KILL ME. +IN TIMES OF TROUBLE ? +A HEALTH CLUB... +"No, that's allright. +That means some shit to them ! +The trees are so much taller and I feel so much smaller +- Why would the Talmud repeat itself, why? +And who's wise? +I don't want to get married, to bear children and darn my husband's socks. +- (Man) Well, the nearest. +If not now, when? +There's a passage here that... +I thought there was something wrong with me. +Oh, Yentl, Yentl. +If one dies, it is the other's obligation to marry his widow. +What's to be ashamed? +- Disagreeing. +- You should've listened to him. +I think I'd better rest. +Admit it. +Let's see. +Will be written in my heart +To free myself +- You won't have a moment's peace. +Someone else. +* Then tell me what a soul is for +- No, never. +Avigdor. +# The words I've never spoken +I suppose it'll never grow in now. +I'll keep you so busy, you won't have time to think. +I'm sorry. +- In my eyes, you are! +Unless you want to. +In the Chinese folk culture the twin-Iotus-flowers are a symbol of love +We are good at guerilla warfare +Is that so? +Does that surprise you? +Good work, buddy. +I forgot them in Viena. +Get to that table! +Oh, I don't believe this. +Aah! +No. +What does he do? +Ha-ha-ha-ha. +Now, if that guy's not your friend - and believe me, he's not your friend - you have got to get positive and aggressive, and you've got to go at him. +But this must have been sent by Mrs Rumpole. +He was killed while practicing parachute descents. +I'll be going down the hole. +- Forget it, Will. +- I'm so sleepy. +- I did. +Yes, one! +Thank you. +Quiet. +When Constabulary duty's to be done +The man who finds his conscience ache +Sally! +Damn! +He is a businessman, just like I am, and... +I heard a lot about you. +Pick him up. +However the certain party who is stealing the guns was once a close friend of mine. +Mm-hmm. +- Yes, I do. +Came an, Daphne. +"Fat Choy"! +this time I can't help you +All right. +He has a terrible cold. +Ilan, I' m going to make you an offer, first and last and unique. +I'll have the police on you! +I enlarged it. +Though he is naughty he is thoughtful when it comes to Business +It's fun ls it fun? +Idiots +Don't you know? +Oh, Papa. +So keep your eyes open and if it shows up, I want you to come and find me immediately. +Good news to Brady. +In that case, see you tomorrow +The land is there,.. +Ahh, what are you doing all the way up there? +You don't care about my name. +Come on, Sheriff, that was a scratch, plain as day. +Then we'll take the lid off. +I hope you'll be successful and our fate'll be good. +It is not that easy. +- Go away, go. +Our second address. +May be that's why it stinks. +You chiefs, You can tell who is sick and who is not, can't you? +God save you. +I've got some chocolate and some gum. +It's a good sign. +You're my eyes and ears there. +They thought Macintyre was American. +It's a Mr Houston. +Good night. +- Say toodle-oo for me. +(WATCH ALARM BEEPING) +It's like a shower of colour! +We're doing a scan tonight. +In fact, he has a telescope about this big. +URQUHART: +Thank you. +I want to talk to you. +I just feel a wee bit dizzy. +How come you're here? +It's been in the Knox family for 400 years. +The survey teams found the only suitable bay on the coast. +He has this trick he does with sand. +... withanothertriangle. +This is bad too. +Heil Hitler. +- It's about the list. +And with keys! +I don't mind my name in smaller print. +-Let me see that. +-You're going to Poland, aren't you? +-Don't wait up. +-Yes, you were. +To persuade you to get married +Will you marry me? +- If we die... scores of others will stand up. +But if I'm here, it's not merely to sip Chablis at the equator. +You're funny. +The others have the world. +Dunno who he gets it from. +And third, Your Majesty... +- No, no, I can't. +Up. +Well, let's see if it works. +Well, I did have a hand in forcing Mr. Moon into the acid. +Another battle. +We'll find a ship... at Portsmouth. +Fire! +- And the back. +What came over the ticker on Taggart and his merry men? +Birds have their own calendar. +We looked for that guy, all of us. +You crazy ? +Ouch. +She was walking. +You're crazy. +It's the street. +Morstan and I. +Mr. Sherlock Holmes, the theorist. +I've come from Mr. Sherlock Holmes. +Mr. Sherlock Holmes well who'd of thought it? +Mr. Sherlock Holmes why didn't you say so. +Oh please don't you bite the gentleman cause this gentleman is a friend of Mr. Sherlock Holmes and any friend of Mr. Sherlock Holmes is a friend of mine. +Mr. Sherlock Holmes wanted? +Sherlock Holmes? +Are you Mr. Sherlock Holmes? +I'm telling no one but Mr. Sherlock Holmes. +Mr. Sherlock Holmes is a man not to be beat. +I'm sure our iron poker will oblige. +Good day, Miss Elliott. +What if they show that Jeff was poisoned? +That love growing, growing more and more. +Hey, you want a shot? +I've been the only one. +Which is a hole in the ground with a lid on it, +Oh, yeah. +- You're right. +They're shipping out as many people as possible by train. +It's just that now... +- Enjoy that second half, now. +Nobody in the area. +So how did everybody sleep last night? +Maybe I don't want to give her the time. +That's healthy. +There's the existential man for you. +Insomnia. +He said he should have accepted that Rutledge fellowship. +See here today all those people that alex loved. +Bobby Shell. +You got it. +It wasn't the pilot's decision, the computer's just started an automatic sequence of jettison the unstable fuel. +Primary ignition is now beginning. +-Of course. +Where do we keep the Mary? +- Not me, George. +You're a stupid, blundering moron who deserves to lose his money. +- Let's go sit down over there. +When I do stare, see howthe subject quakes. +- I thank you, sir. +And I will do as I please! +What goods? +What nonsense is this? +My ugly Bhushan, when he returns to the village... he will be in such a bad shape when he learns that... the government has handed over the dam's contract to us... and that he's an ordinary engineer under our control. +To a point. +Pigs! +Ladies, may I present Samantha Sherwood, an actress I've known for some time. +- As you wish. +May I tidy up? +Where is she now? +"...bear in mind... +My husband forbade them to marry. +Good evening, ma'am. +When you came to my hospital for your delivery, you once again had a still born child. +- Yes... that snake sir... +I don't like it. +## Baby the sky will be blue ## +I wanna a level road! +In that case, we are rich, this is really heavy! +Go fetch me something, I'll break ope the gate. +Now, see if you can throw. +- Do you know how people at my faculty greet me? +Pests! +Were you looking for me, too? +- I understand, let me translate. +I would like to present State Senator Walden. +Thatjust is not good enough anymore. +You look around you. +He also does some domestic work for a few of our local cuties. +Ah, you proud vixen. +Truly a wondrous place, Hollywood. +This is very nice. +We can do great things together. +And now it's revolution! +You know, there was this other couple that lived, uh, in the Bronx. +Was it? +- Byron... +[Man] Knight Rider, a shadowy flight into the dangerous world of a man... who does not exist. +I want you to try and get close to him, okay? +Put the princess' babies in a safe place +Who says I'm like that? +- Thanks, that's kind of you +- Why not, Edmea was just a woman +You could use a bath! +Between light and darkness, and fire and ice, there you are, lldebranda +Your Highness, I'm a journalist +Stay put, like that! +Why are you so worried? +- They're just jealous. +Batten down the hatch! +Why do you trouble yourself. +Hurry! +What do you mean? +She'll tell you... +It's me, mom. +Can you believe it? +- Of course. +You're too young to understand that book. +K1 is gonna be proud of us, there's no stopping him now. +What's wrong? +As soon as you get back from the river. +How about some chicken? +The sheriff, he's coming back! +Ha ha! +Half a roll or a stale bun? +How clever of you to know that Sir Arthur Conan Doyle... the creator of Sherlock Holmes, once visited California. +And you, you the jerk in the Sherlock Holmes outfit? +Sherlock Holmes. +How clever of you to know that Sir Arthur Conan Doyle... the creator of Sherlock Holmes, once visited California. +And you, you the jerk in the Sherlock Holmes outfit? +Sherlock Holmes. +A woman says she's in love by herself. +I do look like a devil. +Be strong, Iike a man. +- Good. +I order you to finish repairing right now! +Come on! +Oh, no. +KAY". +Come, Ietk all get out and get over it. +At dusk, I'll come for you, and we'll cross. +You flush, and everything disappears in a blink. +I'm also afraid. +[ Screams, Groans ] +Where are you going, Rosa? +I don't know... +It's not like San Pedro. +-I've been away way too long. +(TEGAN GROANING) +Let me have a look here and see who's lost a Porsche. +- How long's the car been here? +- Yes! +- You gonna get deported? +Street punk. +It can never be!" +I'm comin', baby! +Loan me 10. +- OK! +Yeah, me and Monica go to Méjico! +- Man, you like The Silver Surfer? +Come on. +Need money? +And death +With a thousand oaths he vowed +O sweetest, most glorious +Beware +Me being what you think I am. +Yes +Did she buy any life insurance? +Had every case been that simple, half of the cops would have changed their profession +Why, Francine, is something wrong? +We waited an awful long time before we went over it. +Go and see her - and make your intentions clear. +- No. +Holy shit! +Really? +She could not truly understand or share the boy's suffering. +Then why? +My victims +Denny? +You. +No, I'm not presenting you with an ultimatum, Morgan. +'Frank, you couldn't keep me down after that. +It is imperative that the book is published before the next academic year. +Smile! +Though why a grown adult should want to come to this place after putting in a hard day's labour is beyond me. +It wasn't fancy dress, you could've come as yourself. +Do you have anything to do with him? +She's not in her apartment? +Well, since this will be my last favor to my millionaire friends, let me make one thing clear: +Let's take a walk... +- Mm-hmm. +He could ring any shed in the country, could old Hee Sing. +Leave your things here. +I wondered what you were doing selling bread. +- He's my friend. +That's news to me. +I talked to the guards and learned there were now just two bodies left in the middle of the ring. but I was so disturbed I did not want to talk to them. +It was a very proper wedding. +Let's go and kill some more prisoners. +It's true, My Lord. +- Um... +# Black, his codpiece made of metal +(Footsteps) +What's up, My Lord? +I thought Henry Tudor would be better looking. +Years ago. +♪ lf a load of trouble should arrive +The thing was paradoxical, because what enabled him to perform this astounding feat was his ability to transform himself. +-It's safe. +We saw "Grand Hotel," and with it, there was a newsreel. +He had married her while under a different personality. +Oh, me? +How should I know? +In the ambulance, he rants and curses... in what sounds like authentic Chinese. +I hate the country. +- Why don't you shut up? +Oh, I thought as long as your mother and Rosie are in town... +The response to the drugs we tried... isn't what we hoped. +Don't kiss the baby. +What are you thinking? +The baby. +The baby's sleeping. +I really need it, so will you? +I guess- +It's them. +All he wants is a secure teaching job. +Come out? +Are you going back to work? +All he wants is a secure teaching job. +Hold on. +I guess so. +Are you the reason that we came to Nebraska? +All right. +Are you really? +I'll tell you what. +Did you see the tablecloth Rosie gave me? +- Love you. +How much I hate to part with money. +She's right here. +- Say it again? +- What's wrong? +- We better get going. +I mean, it was fun! +Can I help you with that? +Black market prices are rising, Monsignor, almost every day. +Buona sera. +Documenti! +It shouldn't be too difficult to work out on a map exactly what areas these numbers represent. +What can we celebrate something , Pasha ? +Requests to return to the city. +Take it easy. +I'm not worried about it. +- Mira, Antonio- [Tony] What's the story? +I'm gonna get her. +- [Tony] Oh, yeah? +-That was something else. +Makes things easier. +You fucked up. +Dragging me to the zoo to look at tigers. +You're not hungry? +He needs a little help. +Mind your own business." +She's gonna be all right, Tony. +You have such beautiful skin. +It's a real pleasure. +I think I can. +Yeah. +I'm changing dollar bills, that's all. +Let's go. +Flash, pizzazz. +Baggage handlers? +-Tigers, no? +Yeah. +Dance, dance, dance You can't refuse it +Don't get high on your own supply. +It's puro. +What'll he do when you start moving 2,000 keys-- +What? +When I get back there... +That one! +I mean, charging me ten points on my money. +You the one that got me into this mess in the first place, you know that? +Will you do that? +God, what's happened? +Look at these pelicans fly. +You guarantee your delivery, say, as far as Panama, we take it from there. +If they're embarrassed, they'll suffer. +I'm not hungry. +-They understand. +That's your son! +Come on and just fuck me! +Yeah. +Hejustgot out ofLewisburg, man. +[melancholy instrumental music] +She's coming. +So, it comes down to one thing, +Something like that. +Makes things easier. +Fuck you, guys! +My own golf course. +Okay, then you call me tomorrow. +I told you. +What you talking about? +How can I trust his organization? +We like snacks. +I think you and me, we can work this thing out... we do business together for a Iong time. +Not by outlawing the substances, but by legalising and taxing them. +Okay, what about Elvira? +You wanna make some big bucks ? +Huh ? +No. +Make you feel good to kill a mama and her kids? +Okay? +it don't matter. +Good to see you, man. +Oh, yeah. +Mr. Babaloo himself. +I mean, it's just a disco. +Okay, come on. +Not there. +That's why you gotta make your own moves. +I'm changing dollar bills, that's all. +-bullets? +Go on, Tony. +You don't tell me what to do here! +No way, no. +What you got, man? +He told me to pick you up. +I know that. +Come on. +I gotta talk to you. +I don't need your money. +Can I go now? +You're an asshole! +How do you do, Mr. Montana? +Go get Gina. +Who you think you fucking with? +You want something? +And I love you, too, you know? +I'm giving you orders. +Look at you now. +We're not winners, we're losers. +Come on, Gina. +You ready? +She likes you? +MANNY: +He got hot tonight about the broad. +Listen, you help me sell the rest of this shit, and we get rich together, right? +He said to bet on Ice Cream in the first, by the way. +This what I work for? +What'd you tell him? +No! +- Ow! +They got the biggest distribution setup from here to Houston, +I'm not gonna bite you. +They're gonna come back at us on a tax evasion, and they'll get it. +Sanitation? +You're welcome. +(THANKING IN SPANISH) +Ah. +Yes. +What, this? +I'll give you $10 million. +You can't lose money. +Elvira! +I'll check it out, okay? +You ever do nothing besides get your hair fixed and powder your nose? +-I met with this guy Seidelbaum-- ...the drug-related violence that's plagued South Florida.... +You fucking maricón! +TONY: +She's beautiful. +[Gun firing] +[Tense instrumental music] +Come on! +Again? +What are you saying? +I'm talking about Omar Suarez. +So close now You're nearly at the brink? +Okay. +But now look at you. +[Sosa] Sit here, Tony. +[Door Closes] +We gotta expand. +What makes you so much better than me? +Forget it. +Okay. +Fuego! +Okay. +Okay, you got me. +- l don't believe a word of this shit! +[Sosa] Let's finish our lunch. +There's gonna be no trial. +- My office. +What are you talking about? +No, but you wouldn't listen! +I'm not hungry. +...splendor of our city at its best. +Where'd you get that? +What's the story? +Don't get confused, Tony. +I'll tell you about them. +The fucking country was built on washed money. +I'm sorry, Margaret. +but we are in a hurry. +In Italy, a place of art, hurrah for cunt! +No, no, stay like this and I'll undress you. +You seem to be a man, for whom the passage of time doesn't matter. +All craft pull up! +He's my father. +Oohh! +He will come to me? +Arrrrr! +Anger, fear... aggression... the dark side are they. +There is no escape... my young apprentice. +I know. +Luke's crazy. +R2, quickly! +All right, move it. +There it is. +Ee manu machi Vader konyono. +Rrrr. +Wonderful. +Get down here! +Many Bothans died to bring us this information. +Aah! +[Beep Beep] +Got her warmed? +Grab it. +Come on! +I'm endangering the mission. +Fire at will, Commander. +You're coming with me. +We've got to give those fighters more time. +Good. +- The emperor's coming here? +Bring her to me. +Carry on. +You have that power too. +Take your weapon. +Chewie, you're hit? +Point that thing someplace else. +Come on. +Wait! +R2, wait for me! +Come on, General. +Strong am I with the Force... but not that strong. +Go for help! +Concentrate all fire on that Super Stardestroyer. +I say, over there. +I will not fight you, Father. +- Hey, you seen Stu? +It's funny. +And from those, try to make the creative leap to a working hypothesis... or theory if you will. +I'll shoot. +Dear viewers, you just saw as I did the two flares, red and blue, the signal of the great jump into space. +Yes, my friends, he is dead. +I'm the show's producer for CTV. +He is like Philip Marlowe and Sherlock Holmes just rolled into... +-Well, good, neither do I. +AMANDA: +- He hurt you? +Listen, you mind if I borrow your two boys? +You too, shit for brains! +Hello? +Whatever you say, michael. +I'll switch with you. +Gilda says Karen is going to get... one of those Sherlock Holmes hats. +I'm doing it. +And try to get everything clear... for the AEC tomorrow, all right? +Gilda says Karen is going to get... one of those Sherlock Holmes hats. +The union will get you out of this. +Gilda says Karen is going to get... one of those Sherlock Holmes hats. +Morgan! +Gilda says Karen is going to get... one of those Sherlock Holmes hats. +Go to sleep! +You're hurting me. +But your son sings this. +You have done well. +The path to take: +You have to be ready for this. +Silence! +Not so well. +-Sure. +-Hi! +Steven. +And he knew it broke my heart. +It's very much on my mind, in fact. +Will you get the fire out of your eye, Doc? +-What's that? +- How? +Somebody better give me an answer quick, before I get mad. +Wrack also uses this place as a receiver for something quite different. +How do you know he's mine? +- I know that, son. +I want trash bags! +Right. +Oh, well, I have all sorts of things into your instrument, great for greeting , from James Bond to Sherlock Holmes. +No, maybe I'm too old. +Love's a form of insanity. +Maybe, but I Iive well. +I'm only your latest conquest. +I mean... I never believed in it, deep down. +False, of course. +Marion? +Great! +It's awful. +Pierre! +I said to myself that in fact we have no proof of what really happened with the candy girl. +Why, I wasn't involved. +When couples are well-matched, then it's OK. +He's not mad. +Help me. +O mother! +I lick traces of salt, of freshness +What do you want? +An affectionate greeting from your abandoned friend +Which? +What? +I'd never ask you to dance. +- l feel dizzy! +I have the safest way for you to avoid it! +- Un cheval? +Hey... +Shetan is not yours. +Shoot, imbecile, shoot! +You've already given me a ride. +It's not so much Captain ZheIeznov they'II be trying as us, the Khrapovs. +If it isn't rachel! +I got a blister from going... +She's alive! +- You saw nothing because that did not happen! +Hey, wake up, will ya! +Let me sleep. +I don't know what's wrong with you... +She's still in there. +Because I'll get a date. +Five years ago, we took a second honeymoon. +Oh no, forget it J.J. As of now, you're grounded. +THE END OF SUMMER +I think he probably thought that was all I was good for. +Penhall Farms is just up 89 here, about another 12 miles. +- We have? +- What's it like out there? +Now, we need a chase car. +No! +If you don't, they'll make it taste bitter. +In fact, I didn't doubt him for a minute. +Manny's leaving. +When? +The password is 3876 +Soon, we would be 500 000 Jews, locked behind our walls. +Come on Laïdak! +It's hard to find a job +I got all I could. +I still don't know how it did that. +when this is all over, +And agusta and theodore and master broughton brocklehurst. +Fang Changfeng... +I think otherwise. +No I don't! +...to protect the porters. +You ruined her life. +-Take it +That is how the accident took place +Meantime, you can try getting a job +Hello Cuz +Oh Sassy, I'd like to be your friend if you let me +Tara, I'm really sorry +A batch of American shirts. +That's enough. +So what the book says, Bozo? +I told you to get out of my house. +IT'S A BEAUTIFUL DAY. +Put this on your pocket. diff --git a/benchmarks/haystacks/opensubtitles/en-small.txt b/benchmarks/haystacks/opensubtitles/en-small.txt new file mode 100644 index 0000000..eecc4dd --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/en-small.txt @@ -0,0 +1,39 @@ +Now you can tell 'em. +What for are you mixing in? +Maybe I don't like to see kids get hurt. +Break any bones, son? +He's got a knife behind his collar! +- There's a stirrup. +You want a lift? +- No. +- Why not? +- I'm beholden to you, mister. +Couldn't we just leave it that way? +- Morning. +- Morning. +- Put him up? +- For how long? +- I wouldn't know. +- It'll be two bits for oats. +- Ain't I seen you before? +- Depends on where you've been. +- I follow the railroad, mostly. +- Could be you've seen me. +- It'll be four bits if he stays the night. +- Fair enough. +Morning. +Did a man ride in today - tall, sort of heavyset? +- You mean him, Mr Renner? +- Not him. +This one had a scar. +Along his cheek? +No, sir. +I don't see no man with a scar. +I guess maybe I can have some apple pie and coffee. +I guess you could have eggs with bacon if you wanted eggs with bacon. +- Hello, Charlie. +- Hello, Grant. +It's good to see you, Charlie. +It's awful good to see you. +It's good to see you too. +Doc you're beginning to sound like Sherlock Holmes. diff --git a/benchmarks/haystacks/opensubtitles/en-teeny.txt b/benchmarks/haystacks/opensubtitles/en-teeny.txt new file mode 100644 index 0000000..89e83b4 --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/en-teeny.txt @@ -0,0 +1 @@ +Sound like Sherlock Holmes. diff --git a/benchmarks/haystacks/opensubtitles/en-tiny.txt b/benchmarks/haystacks/opensubtitles/en-tiny.txt new file mode 100644 index 0000000..355cbc7 --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/en-tiny.txt @@ -0,0 +1,2 @@ +I saw you before but I didn't think you were this young +Doc you're beginning to sound like Sherlock Holmes. diff --git a/benchmarks/haystacks/opensubtitles/ru-huge.txt b/benchmarks/haystacks/opensubtitles/ru-huge.txt new file mode 100644 index 0000000..5b2ebdc --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/ru-huge.txt @@ -0,0 +1,12685 @@ +-Две недели не даешь мне прохода. +Вот и действуй, чем ты рискуешь? +Я думал, что сделаю тебя счастливой. +Тоже мне счастье. +Муж не дает ни гроша, и у любовника ума не хватает подумать о деньгах. +- Хорошенькое счастье. +- Извини, я думал, ты любишь меня. +Ну люблю, люблю тебя, но и не хочу, чтобы все началось как в прошлый раз. +Ты не права. +У меня для тебя сюрприз. +Шлихтовальная машина, ты о ней давно мечтала. +-Для костей? +- Нет, настоящая. +Хочешь, приходи за ней вечером. +Я тебе не девочка. +Была бы ты девочкой, я бы тебе ее не купил. +Ты прекрасно знаешь, что я девочка. +Я люблю тебя, и вечером сделаю все, что пожелаешь, каналья. +Вам будет трудно. +Одинокой женщине руководить таким заведением... +Да нет, месье Эдуан уже давно почти забросил магазин. +А брать нового приказчика я не хочу. +Хватит и одного раза. +- Одного раза? +-Да. +Разве месье Мурэ вас не устраивал? +Да, он умный молодой человек, активный, смелый, но чересчур предприимчивый. +Его нельзя оставлять наедине с женщинами. +У него есть шарм. +Самой порядочной женщине трудно перед ним устоять. +- Хорошо, что предупредили. +- Что? +Нет-нет, я другое хотела сказать. +Я говорила о склонности месье Мурэ в общем. +Я уважаю вашу жену. +Сегодня вечером вы снова едете в Лион? +Ваш билет, месье? +- Какая ближайшая станция? +-Дижон. +А во сколько ближайший поезд до Парижа? +- Из Лиона? +- Нет, из Дижона. +В три десять, месье. +- Во сколько он прибывает? +- В семь часов. +Париж. +Просьба освободить вагоны. +-Улица Шезоль, дом двадцать четыре. +- Хорошо, месье. +- Что с тобой? +-Желудок болит. +Неудивительно, после обеда у Жосрана. +На лестничной клетке до сих пор запах. +Тебе нравится новая хозяйка? +Валери Вабр - настоящая дура. +Скорее, настоящая шлюха. +Ты шпионка. +Твоя хозяйка такая же стерва, как и ты. +Такая же уродина, как и ее мать. +И такая же шлюха. +Уверена, вы о Берте. +- Она тоже? +- Весь дом - сплошные свиньи. +Вот бы вернулся месье Август, а в его кровати красавчик Октав. +Бедняга Август, он целиком занят своей мигренью. +А ведь она правду говорит. +Везде деньги. +Подарок туда, подарок сюда. +Как в театре: за вход надо платить. +Ужасно. +Я отдаюсь за деньги? +Неужели ты веришь? +Скажи, ты в это веришь? +Нет, конечно. +На днях я застала ее на служебной лестнице. +А позавчера еще лучше - в новом платье. +Подарок Октава. +Тебе ночную сорочку, ей платье. +Цена растет. +Кстати, какой сегодня день? +Среда. +Значит, рогоносец в Лионе. +Ему давно пора раскрыть глаза. +Ничего не видит. +Ну, ничегошеньки. +Боже, боже. +Нам нельзя больше видеться. +- Возможно, ты права. +- Ты думаешь? +Ты сделал меня несчастной. +И расплатился с долгами. +- Я ничего такого не говорил. +-Да, но ты так думал. +Слушайте, красавчик Октав, наверное, кусает локти. +Зря он ушел от мадам Эдуан. +Теперь у него добыча помельче. +А ведь запросто мог иметь и ту и другую. +Ему не привыкать. +Да, но его больше всего прельщает касса. +Он спит не с Бертой, а с матрасом, набитым золотом. +Вот тебе и общественное мнение. +Грязные сплетни служанок на служебной лестнице. +И это все? +Думаешь, намеки на содержимое кассы мне приятны? +Ты мог бы протестовать. +Мог бы, если бы это было правдой. +Но кому, как не тебе знать, что касса тут ни при чем. +Ну да, ты спас меня от разорения, да еще и заработал. +Может, сменим тему? +- Тебе неприятен этот разговор? +- Разумеется, от него дурно пахнет. +Дурно пахнет? +Кто бы говорил. +Дорогая, если ты, правда, считаешь, что я люблю тебя из-за денег, то лучше сразу брось меня. +Ну, конечно. +А ты иди к мадам Эдуан. +Иди. +- Ну вот, приехали. +-Да, она вдова. +У нее все преимущества. +Бедная Берта, как ты похожа на мать. +Подумать только, я оплачиваю это ничтожество. +Заведи себе другого. +Откройте, откройте. +Я знаю, что вы оба там. +Откройте или я выбью дверь! +Не открывай, он вооружен. +Он убьет нас. +- Не бойся. +- Трус. +Трус. +Почему вы не отвечаете? +Мерзавец. +Негодяй. +Ну, зачем же применять силу? +Применять силу, применять силу... +Вор. +Мадам, мадам, входите, не стойте тут. +Считайте это пощечиной. +Жду ваших секундантов. +К вашим услугам. +- Что теперь со мной будет? +- Надо было им помешать. +Что теперь обо мне подумают люди? +Ваши родственники? +Разве они могут вас понять? +Они для вас чужие. +Если бы я знала. +Ни о чем не жалейте, не жалейте, раз вы его любили. +Берта, мы будем драться на дуэли. +Берта, малышка моя, мы не можем расстаться в ссоре. +Это было бы слишком глупо. +Мы оба ошибались. +Вот и все. +Это же не преступление. +Три месяца мы думали, что любим друг друга. +Это было чудесно. +Нет? +И потом, может быть это и есть любовь -думать, что любишь. +Если мы... не любили друг друга, то утешься. +Значит, любви не существует. +Нет-нет, мы не ошибались. +Как и все влюбленные, мы считали, что будем уникальной парой на свете. +А теперь, как и все влюбленные, станем такими же как остальные. +Займем свое место. +Берта, дай руку. +Я больше никогда не полюблю. +Никогда. +Ты почти излечилась. +Думаешь о будущем. +Так вы не будете драться? +Будут, будут. +Так нужно. +Но раз вы больше не любите друг друга. +Дуэли часто бывают и без причины. +Прошу прощения, но, кажется, я только что кое-что разрушил. +Не стоит извиняться. +Благодаря вам... я вам покажусь глупой, но чтобы не случилось, я больше не одна. +Вероятно, придется покинуть этот дом. +Ничего страшного. +Ничего страшного, месье Октав. +Это неважно. +Прощай, Берта. +-До свидания, Мари. +- Прощайте, месье Октав. +- Так ты будешь драться? +-До последнего. +Ты же не умеешь. +Я бы на твоем месте... +- Что с вами? +- Ничего. +Это нервное. +Не могу представить Августа на дуэли. +Ты и Дюверье будете моими секундантами. +Наверное, он у себя. +Его нет. +Вы не знаете, где его искать? +- Так вы в курсе? +- Как и все. +Какой же у меня насморк. +- Месье Башляра нет? +- В такой час его никогда не бывает. +Вы случайно не знаете адрес месье Трюбло? +Нет, но месье Башляр вам его даст. +- Во сколько он вернется? +- Наверное, он у племянницы. +Пассаж святого поля дом восемь? +Я знаю. +Спасибо. +На кого я теперь буду похожа? +Могла бы о матери подумать. +Я старалась пристроить тебя, чтобы в старости лет ты меня поддержала. +А ты связалась с этим продавцом. +И о чем ты думала? +- Я ненавидела Августа. +- Это не причина. +Разве я изменяла твоему отцу? +И тем не менее... +- Но она любила Октава. +- Твоя сестра никого не любит. +А если мне нравится никого не любить? +Думаешь достаточно требовать любить, любить, так нет, сердцу не прикажешь. +Она права. +Не выходят замуж только чтобы не подчиниться матери. +Я вышла замуж, чтобы покончить с этой жизнью, чтобы вдохнуть другой воздух, чтобы вырваться из этого дома. +Вышла замуж, чтобы изменять своему мужу. +Довольна? +Несложно было догадаться. +Я приняла меры предосторожности. +Предупреждаю - выхожу замуж через месяц. +Что? +За кого? +-За кого люблю, а он любит меня. +- Несчастная, я помешаю тебе. +- С этого момента... +- С этого момента хватит. +Мы больше не будем терпеть твою диктатуру и преследования. +Говоришь, что не изменяла. +Очень жаль. +Если бы изменяла, я был бы счастливее. +Посмотри на свою дочь. +Твое произведение. +Ни мужа, ни дома, больше ничего нет. +Не плачь, доченька. +Ты жертва моей слабости и ее тирании. +Это мы должны просить у тебя прощения, мы. +- Просить прощения? +Да я лучше умру. +- Это принесет нам только счастье. +Я этого не допущу. +Посмотрим, чья возьмет. +Вы как раз кстати, будете свидетелем. +Негодяй, вот негодяй! +- Свидетелем? +Понимаете, я... +- Свидетелем... +А зачем вы сюда пришли? +- Хотел спросить у вас адрес Трюбло. +- Вы издеваетесь? +Адрес Трюбло? +В кровати мадемуазели, вот где адрес Трюбло. +Прихожу я утром нагруженный подарками и что вижу? +Угадайте. +- Трюбло? +- Трюбло. +Этого мерзавца Трюбло. +А я так жаждал увидеть своего ангела. +- И тебе не стыдно, коварная? +- Я не знала. +- Что? +Не знала, что он тут? +- Не знала, что это вас так огорчит. +А я тебя предупреждала. +Если месье Нарцисс узнает, то будет не доволен. +Вот видишь, вместо того, чтобы меня послушать... +Вы оделись? +Выходите. +Выходите как есть. +Я же говорил -только служанки. +Я впервые нарушил правило. +Нарушил правило. +Иуда. +А как же дружба? +Вы изменили дружбе Башляра. +Я же хранил эту крошку для вас. +Ну да, говорил я себе: когда состарюсь, выдам ее замуж за Трюбло, отдам в надежные руки и спокойно умру. +Ведь у меня есть сердце. +Пятьдесят тысяч хотел дать этому мерзавцу. +Пятьдесят тысяч франков! +-Успокойтесь, Башляр. +- Послушайте месье Октава. +Как вы могли так поступить с другом? +Теперь будем драться на дуэли, на пистолетах с десяти шагов. +Не делайте этого. +Вам незачем драться на дуэли. +-А как же честь? +- Были бы вы ее мужем, тогда понятно. +Были бы вы ее мужем, мне было бы все равно. +Это еще как сказать. +Во-первых, мне нужен Трюбло. +-Зачем? +- Быть секундантом. +Я дерусь на дуэли. +- На дуэли? +-Да. +Но с женатым мужчиной. +С Августом Вабром. +Утром он застал меня с Бертой. +- С Бертой? +-Да. +В каком мире мы живем! +- Можешь мной располагать. +-А кто секунданты Августа? +- Теофиль и Дюверье. +-Дюверье? +Как мило. +У меня с ним встреча по поводу обеда у Клариссы. +Какая прекрасная возможность урегулировать дело чести. +Который час? +Малышка отбила весь аппетит. +Господи, я опаздываю. +А ты, никогда больше так не делай, иначе будешь иметь дело со мной. +Ну же скажи, что больше этого не повторится. +Этого больше не повторится. +Ну же, поцелуй ее, мерзавец. +В лобик. +Если я еще раз застукаю вас, лишу своего доверия. +-Дети мои, что происходит? +- Вы же видите. +- Я застукал их вместе. +- Я ничего не вижу. +Я собирался позавтракать у Клариссы. +Купил кое-что. +Прихожу, поднимаюсь: и никого, и ничего. +Она оставила мне мой портрет. +Все как у меня: купил драже, прихожу, поднимаюсь... +- Она не спала в своей кровати. +- Спала. +Она была с Трюбло. +Как омерзительно. +- Она была с Мурэ. +-Лежала в ночной рубашке. +- Стояла в ночной рубашке. +- Ничего - пустота, тишина, пустыня. +- Я вышиб дверь и набросился на него. +- Он вскочил с кровати. +- Я набросился на нее. +Она убежала. +- Ну вот. +- О ком вы говорите? +- О Берте и о Мурэ. +А я говорю вам о Клариссе. +Причем здесь Кларисса? +Я говорю о Фанни. +Фанни? +А причем тут Фанни? +Я говорю о Берте. +Я только что купил ей рояль. +А ведь ненавижу музыку. +Я никогда не приходил к ней с пустыми руками. +Всегда конфеты, деньги. +Хочешь свой портрет? +Вот тебе художник. +Точно как у моей жены. +Платье, драгоценности. +И это вытворяет двадцатилетняя девушка. +- Нет, простите, ей двадцать пять. +-Двадцать. +Может, вы лучше знаете? +Не сердитесь, но так говорить - дурной тон. +- Могу вам доказать. +- Кому, Клариссе? +Да причем тут Кларисса. +Фанни. +Я тоже говорил себе, что Валери уже не двадцать. +Вы закончили обсуждать свои дела? +А как я? +Я. +- Кто дерется на дуэли? +Вы или я? +- Ну да, он прав. +Август, друг мой, скажу вам одно - надо отомстить. +Слушай, я проголодался, пойдем, пообедаем? +И да здравствуют жены, господа. +Да здравствуют чужие жены и наши, которые, впрочем, чужие для других. +Мы не можем упрекнуть их в непостоянстве. +Ведь они становятся чьими-то любовницами. +И потом, верные жены -такое занудство. +Чтобы узнать это, надо быть женатым. +Разве нет? +Так о чем я говорил? +А ваша жена вам изменяла? +- Конечно. +- И что? +Отбил у нее всякую охоту. +Теперь десять раз подумает, прежде чем изменить. +Молодец, молодец. +За ваше здоровье, господа. +И за вашу смелость, Август. +Давайте поговорим о дуэли. +Завтра на рассвете? +- Если у меня не будет мигрени. +- Тогда перенесем на следующий день. +- Оскорбленный выбирает оружие. +- Но пощечину дали Октаву. +-Значит, оскорбленный он. +- Точно. +-А вы хотели дать ему пощечину. +- Во всяком случае, хотел. +Значит, оружие выбирает он. +Равенство - прежде всего. +Простите, но ведь я же... +- В общем... +- Рогоносец. +А это оскорбление. +Кто согласен со мной, господа, пусть поднимет руки. +Один, два, три. +Четыре. +Единогласно. +Итак. +Мечи, шпаги? +Минуточку, вы торопите события. +Вы послали секундантов к Трюбло? +Это другое дело. +Фанни еще ребенок, она не понимала, что делала. +-А вы разобрались с Клариссой? +- Но я не женат на Клариссе. +Если я убью Октава, то буду мучиться угрызениями совести. +Я католик. +Наполеон венчался в церкви, а потом всю жизнь воевал. +Но не за Жозефину. +Признаюсь, Октав не прав, но именно он спас меня от разорения. +Это логично. +А если я его не убью и не буду с ним драться, то мы останемся в ссоре. +- Не совсем. +-А магазин? +- Что магазин? +- Я не смогу оставить Октава. +Ему придется искать другое место. +Из-за недостойного поведения жены, я должен буду уступить натиску конкурентов. +- Это аргумент. +- Ну да, мы сразу разоримся, сразу. +Господа, это все меняет. +Дуэль будет безумием. +Более того, глупостью. +Я сам пойду к Октаву, я заставлю это животное извиниться. +Не будь я Башляр. +Уверяю, он извинится как миленький. +И так мы избежим скандала. +Но будет справедливо, что честь Августа не будет поругана. +А также и честь его супруги. +Славно мы придумали, господа. +Башляр угощает вас шампанским. +Сомелье. +Была бы здесь Фанни. +Нет, нет, я не буду секундантом у того, кто предал мое доверие. +Не будем преувеличивать. +Я архитектор этого дома и отвечаю не только за стены, но и за жильцов. +Отвечаю за ваше поведение. +Я художник, но тем не менее. +Когда я приютил вас здесь, разве не предостерегал вас, разве не просил, не приводить сюда женщин? +Я не приводил сюда женщин. +Здесь их много, и все красивые. +О, прошу вас. +- Я многое могу понять. +-Да, ведь вы художник. +Многое, кроме адюльтера. +-Адюльтера? +- Я его не одобряю. +- Он вне ваших принципов? +- Вне моей морали. +- И разума? +- Вполне возможно. +Вы шутите? +Нет, вы меня разыгрываете. +- Я вас не понимаю. +- Компардон, вы не изменяете жене? +Или малышка Гаспарина это нюанс. +Между нами говоря, Гаспарина... +Говорите тише, жена спит. +- Гаспарина не замужем. +-А вы? +Да будет вам. +Я не кручу роман с соседкой. +Нет, все в этом обвиняют жен. +- Месье Башляр спрашивает месье Мурэ. +- Пусть входит, пусть входит. +Входите, Башляр, входите. +Тихо, мадам Компардон спит. +Извините меня, хочу поговорить с месье Октавом Мурэ. +Вы тут не лишний, друг мой. +- Останьтесь, здесь вы у себя дома. +-Да будет так. +Дорогой мой, я все уладил. +Это было трудно, но мне удалось. +Ну так вот, дуэли не будет. +Вы довольны? +-Дуэли не будет? +- Нет. +Неужели хотите испортить карьеру этой скандальной дуэлью? +Давайте все забудем. +Вы просто извинитесь перед Августом, и все будет в порядке. +Все будет в порядке? +Где? +Здесь, повсюду, в другом месте, где пожелаете. +- И мое положение не изменится? +- Но мы же все забудем. +Забудем все и начнем все с начала. +Все, все, все, все. +Август хочет избежать пересудов. +Он выше сплетен, он ведь молодожен. +- И я извинюсь. +- Ну да. +- Перед кем? +- Перед Августом. +Выразите ему свое сожаление. +Вы знаете, как это делается. +Что? +Выражать сожаление, что сделал Берту счастливой? +Это же подлая трагедия. +Она такое очаровательное создание, она мне так нравится. +Нет, никаких сожалений. +А если Берта лично потребует от вас выразить сожаление? +Это будет принуждением. +Я этого не потерплю. +Хорошо. +А если вы и Август извинитесь друг перед другом? +Друг перед другом? +Вы за то, что соблазнили его жену. +А он за то, что дал вам пощечину. +- Но он не давал мне пощечину. +- Но намеревался - это одно и то же. +К несчастью, этого намерения у него не было. +- Тогда на что вы жалуетесь? +- Я? +Ни на что. +Я жду его секундантов. +А если он их не пришлет, вы станете посмешищем. +Я ему отомщу. +Между нами, откровенно, что вы намерены делать? +Раз Август даровал мне милость и решил со мной не драться, я решил покинуть этот дом и поселиться в другом месте. +А магазин? +Сердечные дела - одно, а коммерция - совсем другое. +Вы не можете уйти из магазина. +Неужели вы думаете, что я буду работать на Августа? +Нет, не хочу быть посмешищем. +-А Берта? +-Да. +Берта? +Что будет с Бертой, если она вас больше не увидит? +Хотите ее наказать? +Без ложной скромности скажу, что Берта решила обойтись без меня. +Неблагодарный. +Не настаивайте. +- Это ваше последнее слово? +- Самое последнее. +Я передам ваш ответ. +Какой ответ? +- Что вы отсюда съезжаете. +- Ну да. +Спасибо, что были свидетелем этого трудного разговора. +Большое спасибо, дорогой мой, за понимание. +Лиза. +Вы выпьете немного кокилы. +Принесите бутылку кокилы. +- Нет-нет. +-Да-да. +Я настаиваю. +-До свидания, мадам Эдуан. +-До свидания. +-До свидания. +-До свидания. +-До свидания, мадам Эдуан. +- Мадемуазель Гаспарина. +Раз вы увидите месье Мурэ, попросите его срочно зайти. +Я не уйду из магазина, пока он не придет. +Хорошо, мадам. +Передайте ему, передайте, что речь идет о важном, срочном деле. +Хорошо, мадам. +До свидания, мадам. +- Среди честных людей... +- Среди сердечных людей... +- Всегда найдешь родственную душу. +- И поле битвы. +Какой остроумный! +-Здравствуйте, господа. +-Здравствуйте, Гаспарина. +Месье Мурэ, мадам Эдуан хочет срочно поговорить с вами в магазине. +- Мадам Эдуан? +-Да. +Похоже, дело срочное. +Извините меня. +Мое почтение, мадам. +- Вы хотели со мной поговорить? +-Да. +Я... +Я в курсе вашей ссоры с месье Вабром. +Знаю, что он послал вам секундантов. +Вам нельзя драться. +- Но он же мой противник. +- Я не хочу, чтобы вы дрались. +А вам-то что? +А если он вас убьет? +Ведь он такой неловкий. +Дуэль предполагает риск. +Впрочем, рискуют оба. +Кто сказал, что месье Вабр будет победителем? +Увы, в этом я не сомневаюсь. +Однажды я от вас ушел, и вы смирились. +Три месяца назад я для вас умер. +Если я умру по-настоящему, какая разница. +Я без сожаления уйду из этого мира. +У меня нет угрызений совести. +Месье Октав, вы должны знать правду. +В этой истории виновата я. +Это я, да, я пробудила подозрение у месье Вабра. +Я ничего конкретного не сказала, просто повела себя не лучшим образом. +Не знаю, что на меня нашло, но ваше поведение разозлило меня. +- Мое поведение? +- Ну да. +То, что вы стали доверенным лицом господина Вабра. +Я вообразила, что все ваши усилия направлены против меня. +Ваш отказ вернуться поверг меня в отчаяние. +Так все дело в магазине. +Не знаю, все так запуталось. +И вы испугались угрызений совести, что я погибну из-за вас. +Успокойтесь, этого не будет. +У вас не будет угрызений совести. +Вы были правы, меня интересуют только деньги и ничего более. +Вы донесли на меня. +Отлично. +Я за это заплачу. +Вы легко перенесете мою смерть. +О, нет, лучше я брошусь в ноги месье Вабру. +Это будет забавно. +Прощайте, мадам. +Октав! +Нет. +Дело не в магазине. +Простите меня, Октав. +Хорошо, дуэль отменяется. +Но это последняя жертва, на которую я иду, мадам Мурэ. +- Ну что? +- Еще одна большая пушка. +- Избавьтесь от нее. +- Оставить французам? +- Я сказал: избавьтесь. +- Есть. +Месье? +Майор, вы сделали невозможное. +Каким образом семитонная пушка проскочила у вас между пальцев? +Они ее уничтожили. +По-моему, она слишком большая. +Ваше мнение меня не интересует. +Пушка нужна генералу Жувэ. +Выполняйте приказ, а не думайте. +- Есть. +- Видаль. +За пушкой охотятся англичане. +Они отправили в Испанию шпиона. +Не оплошайте. +Иначе генерал отправит нас обоих служить на конюшни. +Да, месье. +Выходите. +- Англичанин? +- Англичанин. +Проводите меня в штаб. +Англичанин. +Мне нужна ставка генерала Ларены. +- Они переехали? +- Отступили. +Куда? +- А вы кто? +- Испанцы, которые не отступили. +Герьерос. +Если у вас дело, говорите со мной. +У меня письмо генералу Ларене. +Простите. +Хуана. +Прочти это. +Это Энтони Трамбел, морской офицер. +Генерал Ларена должен передать ему большую пушку... и людей для того, чтобы доставить ее в Сантандер. +Зачем? +Чтобы она не досталась Наполеону. +- Англичане тоже с ним воюют. +- Зачем прислали моряка? +Я говорю по-испански и изучал артиллерию. +Пушки. +Хотите ее видеть? +Конечно, хочу. +Спасибо. +- У англичан такая есть? +- Такой нет ни у кого. +- Она сломана? +- Можно починить. +- Вы бы смогли? +- Если будут люди. +Они есть. +Кузнецы? +Плотники? +Гильермо. +Франсиско. +Пепе. +Слушайте капитана. +Нужны шесть толстых бревен. +И снимите с пушки колеса. +Карлос, займись. +Пусть все тянут канаты. +Канатов как можно больше. +- Что-нибудь еще? +- Пока всё. +Да, капитан. +Пошевеливайтесь. +Не тяните вниз. +Нет, нет, левее. +Мигель. +Мигель. +- Французская кавалерия. +- Далеко? +- На той стороне. +- Через час будут здесь. +Оставьте пушку. +Так ее проще будет спрятать. +Хосе, сюда. +Живей. +Рамон, собери людей, чтобы рубить деревья. +Помогите им. +Карлос, поднимайтесь. +Закрепите канаты. +Впрягите мулов. +Проверьте надежность узлов. +Я нашел лучший путь в Сантандер. +Да, капитан. +Но пушка поедет в Авилу. +- Прошу прощения? +- В Авилу. +- Но вы сказали... +- Что я сказал? +Вы видели приказ. +Генерал Ларена передаст пушку нам. +Генерала Ларены здесь нет. +Вам не пересечь Испанию, ведь вас всего двести. +- За пушкой пойдет подкрепление. +- У вас нет пороха. +- Я его достану. +- С Наполеоном сражается весь мир. +На этом фоне Авила - песчинка. +Весь мир меня не интересует. +Авила - штаб французов в Испании. +До нее тысяча километров. +Местность кишит французами. +- Вы не доберетесь. +- Доберемся. +В Авиле есть стена, которую пробьет эта пушка. +Мы войдем в город любой ценой. +Даже если мы погибнем, Авила будет взята, и французы поймут, что пора оставить Испанию. +Вы все безумцы. +Капитан, вам нужна пушка в Сантандере, а мне - в Авиле. +Поедем с нами. +Научите нас с нею управляться. +А потом мы переправим ее в Сантандер. +Где гарантия, что так и будет? +Ее нет. +- Коня капитану. +- Я пойду рядом с пушкой. +Вы устанете, капитан. +Коня. +Капитан, у вас лицо в грязи. +Хуанита. +Давай, Хуанита. +Уже поздно. +Что ты делаешь? +Отнесу англичанину еду. +Он не ел с остальными. +Значит, он не хочет. +Мы ели. +Он такой же, как мы. +- Он не такой. +- Почему? +Он разбирается в пушках. +И нужен тебе. +Ты сам так сказал. +Я так не говорил. +Он мне не нравится. +Мигель, ты ревнуешь. +- Не к нему. +- Ты ревнуешь ко всем, а к нему особенно, потому что он умеет стрелять. +- Может, я тоже умею. +- Не умеешь. +Не говори того, о чем будешь жалеть. +Он нам нужен. +Признай это. +Тогда пусть на тебя не смотрит. +Мигель. +И ты тоже на него не смотри. +Это мое право. +Вы хорошо знаете этого Мигеля. +Знаете, что у него пушка. +Скажите мне, где он. +Я говорю как противник, но могу стать вашим палачом. +Прекрасно. +Значит, нужен пример. +Я повешу десятерых из вас. +На следующий день будет еще десять, и еще. +До последней женщины и ребенка в Авиле, пока кто-нибудь не заговорит и не укажет, где эта пушка. +Увести. +Выполняйте приказ. +Я сомневаюсь, что все эти повешения... +Знаю, знаю. +Вы считаете, что они бесполезны. +Велика ли эта пушка? +В два раза больше, чем вы можете представить. +Оккупированный народ выглядит мучеником. +Но когда у него появляется цель, он превращается в новую армию. +Вот чем опасна пушка, генерал. +Я не глуп, Сэрмен. +И мы ее найдем. +Надо постараться построить плот за три дня. +Понадобится сотня бревен. +Пушку закрепим на этой платформе. +- Так пересечем реку. +- Пушка затонет. +Нет. +Да и другого выхода нет. +Только ждать, пока русло высохнет. +Я хочу доставить пушку в Авилу, а это риск. +Главное, чтобы работали все. +Нам нужна сотня бревен. +Ладно. +Собери людей, пусть рубят деревья. +Действуйте, капитан. +Но если пушка утонет... +- Мне надоели ваши угрозы. +- Мне это не нравится. +- В любом случае, риска нет. +- Вашего слова не достаточно. +- Тогда позовите людей назад. +- Ладно. +Подождите. +Я скажу. +Мы знаем причину этого глупого спора. +Если надо переправляться, не тратьте понапрасну время. +Отпускайте плавно. +Тяните, тяните. +Хватайте другой трос. +Ну вот. +Всё жерло в грязи. +Лучше бы я этого не видел. +- Ее можно вытащить? +- Как? +Чем? +- Есть люди, мулы. +- Им ее не сдвинуть. +- Сколько потребуется народу? +- Тысяча или две. +В Альгадо жителей больше, Мигель. +Жители Альгадо, я плюю вам в лицо. +Я, Мигель, иду с пушкой на Авилу. +В Авиле никто не сидит на трибунах с французами. +И не поднимает наш флаг рядом с флагом врага. +Нет. +Подождите. +Что вы за люди? +Сидите, радуетесь жизни. +В двухстах милях отсюда враг забавляется тем, что насаживает испанских детей на штыки. +Может, у вас нет сердца? +И нет стыда? +По ту сторону реки в грязи застряла пушка. +Нам нужна помощь. +Я не прошу вас умереть. +Или пролить кровь. +Лишь попотеть немного. +Скажете детям, что в потоке сопротивления есть и ваш пот. +Те из вас, кто остался испанцем, идите за мной. +У вас лицо в грязи. +Вам нельзя рисковать. +Придется. +Их больше, они хорошо вооружены. +- Обходить будем три недели. +- Пусть будет три. +Капитан, в Авиле - командующий наполеоновской армии. +Генерал Анри Жувэ. +У него красивая форма. +Вино ему доставляют из Франции, а женщин - из Марокко. +Каждое утро, чтобы сломить сопротивление, он вешает десять испанцев. +За три недели он повесит двести десять человек. +Вы рискнете ради них пушкой и успехом дела? +А сколько народу он повесит, если вы не доберетесь до Авилы? +Нас ждут тысячи людей. +Я не могу медлить. +Я вам не помощник. +Если нас разобьют, вы сами потащите пушку в Сантандер. +Герцог Веллингтон. +Капитан, есть люди, которых не изменить. +- Например, Мигель. +- В этом наша беда. +- Значит, вы нас бросаете? +- Я не хочу идти на самоубийство. +Послушайте. +Конечно, с Мигелем трудно. +Он упрям. +Упрям - это мягко сказано. +Но никто не знает Мигеля лучше меня. +Вы привыкли вести себя, как на своем корабле. +Мигель на кораблях не ходил. +И воевать умеет, как Герьерос. +- Вы его поддерживаете? +- Как и все. +Но если он ошибается, мы всё равно с ним. +Надеюсь, вы тоже. +Почему? +Капитан, думаю, вы считаете себя мужчиной, а не свиным окороком. +Так. +Мы готовы. +Ты останешься с Марией и с ним. +Мне нужно пять человек. +- Зачем? +- Чтобы украсть порох. +Дай ему людей. +Герьерос! +Герьерос. +Откатите бочки с порохом в сторону. +Живее. +Живее. +Вперед. +Сейчас взорвется, прыгайте. +Я не офицер штаба. +У меня нет информации. +Он полевой офицер, он не в курсе дел штаба. +Пусть попробует вспомнить. +Попробуйте вспомнить. +Мне нечего сказать. +Я готов. +Скажите им то, что они хотят знать. +И останетесь жить. +- Что вы сказали? +- Не хочу, чтобы его убили. +Убеждаю заговорить. +Говорите. +Клянусь, у нас нет сведений из Авилы. +У меня семья, я не хочу умирать. +Он клянется, что сведений об Авиле нет, и не хочет умирать. +Они лгали. +Не пытайтесь умыть руки. +Эта кровь не смывается. +- И что? +- Я не буду молча смотреть на это. +Можете не смотреть, капитан. +Вы много вмешиваетесь. +- Если бы не пушка... +- То что? +- Я бы с вами не связывался. +- Идите, вы нам не нужны. +- Я выполняю свой долг. +- У меня тоже долг. +Не вмешивайтесь, или следующим убьют вас. +Вы безумец. +В порту Лас Крусес стоит британский корабль. +Идите туда. +Хорошо. +Сегодня же. +Лучше прямо сейчас. +Вы довольны? +Англичане не получат пушку, он не умеет стрелять. +Авиле конец. +- Он стоит на своем. +- Безумец. +Я буду с ним. +Но вам меня не понять. +Это не мое дело. +Вам этого не понять. +Генерал Жувэ приговорил к повешению моих отца и брата. +Я ему понравилась. +Я пришла к нему. +Но он всё равно их повесил. +Я молилась со всеми, чтобы тоже умереть. +Мне незачем было жить дальше. +Пока не появился сын сапожника. +Он показал, для чего нам жить, бороться. +Это был Мигель. +Вы отблагодарили его сполна. +- Я остаюсь с ним. +- Вы с ним живете, но не любите. +Потому эта связь сомнительна. +Британский капитан и участница сопротивления... +- тоже не пара. +- Я готов рискнуть. +И подготовите пушку? +Он сказал, что сам справится. +Мигель не всегда говорит то, что думает. +Я не буду перед ним извиняться. +Этого не нужно. +Я сделала это за вас. +Сколько картона может съесть человек? +Три дня - вода и вот это. +Чтобы тянуть пушку, нам нужны силы. +Ты еще не мужчина. +Он тебе предан, а ты смеешься над ним. +Хосе, они просто шутят. +Я ничуть не хуже их. +И ты это знаешь. +Ты лучше. +Ты молод, смел, силен и красив. +Мечта любой женщины. +Ты также умен и... +Хватит, Хуана. +Довольно. +Я не сержусь. +Пожалуйста. +Умоляю вас. +Прошу. +Пожалуйста. +В деревне есть дети. +Отдайте еду. +Мы умрем. +Хотя бы хлеб. +Хоть что-нибудь. +Мигель, коньяк. +- Что такое? +- Вы сами слышали. +Ну и что? +- Нам ведь нужна еда. +- Поддержка крестьян важнее. +- Что вы знаете о крестьянах? +- Наверное, почти ничего. +Тысячи крестьян встретят вас в Авиле. +Что вы им скажете? +Я найду, что сказать. +Я устал от ваших советов. +Во всех деревнях будут прятать еду. +И никто больше не захочет нам помогать. +Уступаю вам право командовать. +Договоритесь с крестьянами. +Можете расплатиться с ними. +В фунтах стерлингов. +Объясните ему, что он не прав. +Я живу с крестьянами. +И меня не надо учить общаться с ними. +- Нет, конечно. +- По-твоему, он прав? +- Я думаю... +- Для женщины ты много думаешь. +По мне, так ты прав, Мигель. +Мигель, извинись перед ним за свои слова. +Хосе. +Нос утри. +Целый лагерь смели. +Хорошенькое дело. +Непобедимая французская армия бежит в горящих подштанниках. +А они скрылись. +Это их земля, генерал. +Они знают, когда нападать и где прятаться. +Они и сейчас прячутся. +Они снова выступят. +Я догадываюсь, где. +- Им помогают. +- Крестьяне. +Не только. +С ними британский морской офицер. +Военный корабль англичан стоит в Лас Крусесе. +Здесь. +Прекрасно. +Прекрасно. +Организовать на всех дорогах в Лас Крусес постоянный дозор. +Проверим вашу догадку. +Карлос. +Карлос. +Телеги. +Где телеги? +- Где телеги? +- Я не знаю. +Понятия не имею. +Я отправил их назад в деревню. +В деревню? +Мигель. +- Карлос его убьет. +- Он просто немного позабавится. +Карлос, хватит. +Рана не опасна. +Через несколько дней... +Я не перестану помнить, что убил этого человека. +Мигель не предполагал, что всё так выйдет. +Конечно. +Это была забава. +Мне жаль. +Правда. +Не надо. +Это вовсе не связано с телегами. +Он ревнует, и не напрасно. +Я сказал тебе, что доставлю пушку в Авилу. +И я это сделаю любой ценой. +Но не ради него и не ради долга. +Я знаю причину, ты тоже. +Мы видели пехоту. +На той стороне реки. +Нельзя, чтобы нас засекли на равнине. +Ничего. +Пересечь Кано трудно. +- Там есть мост. +- Моста нет. +Я же знаю. +Французы построили там мост. +На лодках. +- Сколько там лодок? +- Пятнадцать, шестнадцать... +Мне нужно больше пятисот фунтов пороха. +Вам нужно? +Ладно, давайте порох. +Энтони. +Возьми Хосе. +Он работал в шахте и применял порох. +Возьми. +Я скажу Мигелю. +Сколько тебе лет? +Все думают - двадцать. +Вообще-то, восемнадцать. +Боишься? +Нет. +Я - да. +Знаете, зачем Хуана меня отправила? +- Помогать. +- Да. +А еще вы ей нравитесь. +Я солгал. +Мне страшно. +Но ничего. +Я справлюсь. +Что ж, пора окунуться. +Стойте. +Я тебя искал. +Хотел сказать, что мне жаль Хосе. +Ты не виноват. +Хуана. +Всю жизнь я боялась, ведь ничто не вечно. +Сейчас тоже боюсь, что это всего лишь сон. +Нет. +Обещаю. +При других обстоятельствах ты бы на меня не взглянул. +Хочешь, чтобы я сказал? +Я... +Нет. +Просто всё было бы совсем иначе в Англии. +Я запер бы тебя в башне, поставив верных стражей, и хранил бы ключ. +Золотой. +Тебе не хватило бы жалования. +Когда я стану адмиралом, у нас будет карета. +И мы будем танцевать на королевских балах. +Мне понадобится новое платье. +Да. +И голубой шарф под цвет моей формы. +Кланяться я буду осторожно. +Штаны сидят слишком плотно - однажды порвались. +Энтони. +Да? +- С кем ты был? +- Когда? +Когда штаны порвались. +Король захочет с тобой познакомиться. +Расскажешь ему, как однажды в далекой Испании встретила английского капитана... и сделала его самым счастливым человеком. +Я люблю тебя, Энтони. +Хуана. +Да? +Мы все испанцы и знаем, чего хотим. +Нам известна цена похода на Авилу. +Я понимаю, Мигель. +Но ты хочешь знать, что будет после Авилы. +Да. +Этого я не скажу. +Но мы долго были вместе. +Ты жила со мной, хотя я не умею ни читать, ни писать. +Когда я не мог подобрать слова, ты делала это за меня, Хуана. +Я чувствовал себя настоящим мужчиной. +Но в глубине души я знал, что я никто. +Думаешь, я не способен чувствовать, чего хочет женщина? +Я могу отблагодарить тебя, только лишь вернув Авилу. +Если этого мало, скажи. +Попытка разыскать горстку повстанцев... останется в военной истории как пример беспомощности. +Ваша карьера поставлена под вопрос из-за этого марш-броска с пушкой. +Мы успели потерять мост и немало людей, прежде чем поняли, что пушка здесь. +Далеко от Лас Крусеса и от моря, полковник. +Да, месье. +В этих горах есть ущелье. +Вот оно. +Именно там я их встречу. +Не думаю, что им удастся уйти. +Ну? +Там французские пушки. +Это же все знают. +- Я тоже знаю. +- Как ты хочешь там пройти? +- Есть другой путь? +- Мы обещали помочь, но не ценой жизни. +Ты попадешь под перекрестный огонь. +Нас не услышат. +Постараемся, чтобы колеса не скрипели. +Думаете, французы глухие? +Если преодолеть незаметно хоть полпути, у нас есть шанс. +Так что не надо изображать упрямых ослов. +Мы оставили наши лавки и фермы. +Что течет в ваших жилах? +Что угодно, но не кровь. +Нам нужно на юг, чтобы попасть в Авилу. +А значит, нужно пройти здесь. +Это ясно? +Да, капитан. +Яснее некуда. +Нам немного стыдно, но у нас у всех жены и дети. +Мы не готовы умереть за эту пушку. +- Нам нужна помощь. +- Обойдемся без них. +Удивительное умение убеждать. +- Я должен встать на колени? +- Если это поможет - да. +- Они нам нужны. +- Обойдемся. +Полсотни греков защищали ущелье от тысячи солдат. +У нас всё наоборот. +Я не изучал историю, но знаю точно: +я буду стоять перед статуей Святой Терезы в Авиле. +Прекратить огонь. +Они вне зоны огня, но дороги перекрыты. +Смирно! +Их нет ни у входа, ни в самом ущелье. +Оставайтесь на позиции и ждите моего приказа. +Бревно сюда. +Тащите. +Хорошо вы знаете холмы. +Здесь не спуститься. +- Спустимся, как поднялись. +- Пушку потянет вниз. +Ускорение и масса взаимосвязаны. +При весе в пять тонн на спуске... ее масса достигнет десяти-пятнадцати тонн. +Ее будет не удержать. +Она всегда весит одинаково. +Поворачивай мулов. +Продолжайте. +Живее, живее. +Бревно сюда, бревно. +Капитан. +Бревно, скорей. +Отходите. +Освободите мулов. +Прыгай. +Крепление пушки сломано. +Вверх идти нельзя, надо спускаться. +Блестяще. +Спускаться было труднее. +Неподалеку есть городок Манесирас. +Манесирас. +Манесирас. +Предлагаю пойти туда и починить там пушку. +Нам нужны инструменты, кузница и укрытие от французов. +Мигель, вдруг там французы? +Он что, пойдет в форме? +Нет. +Что вы предлагаете? +Выбирайте. +Придется попросить вас. +Испанские блохи. +Они не кусают англичан. +- Это можно разрешить. +- Есть еще одно. +- Что? +- Пушка. +Сын мой, сила дома Господня велика. +Но пушка не читает молитвы. +Мы хотим спрятать ее внутри собора. +А завтра... +- Внутри собора? +- На одну ночь. +Идет страстная неделя. +Вы оскорбите святилище. +Солдатам и пушкам место за дверью. +Это дом Господа, но не арсенал. +Ты много просишь. +Ваше Преосвященство. +Вы не можете отказать. +Не могу? +Ни к чему прикрываться ответственностью и правилами. +Мало сказать, что пушке в соборе не место. +Это не просто пушка, а символ сопротивления Испании. +Знаете, сколько людей отдали свои жизни, чтобы она попала сюда? +Вы не видели горных троп, покрытых мертвыми телами. +Ради чего? +Вы можете не знать ответа, но вы испанец, священник, и должны это чувствовать. +Вы не можете отказать. +Хорошо. +Сегодня вечером будет служба. +Тогда и внесете пушку. +Святая Дева, ты услышала мои молитвы. +Он всё понял. +И я люблю его еще больше. +В твоих глазах я грешница. +Но я впервые с детства осмелилась мечтать. +Но есть еще Мигель. +И его мечта +- Авила - которую я навсегда разделяю. +Слишком дерзко просить, чтобы ты помогла обоим. +Но выслушай. +И пусть твое сердце простит мой выбор. +Это за Мигеля и Авилу. +А это за любовь, обретенную с другим. +Внутри собора? +Да. +Пушка там. +- Да ты пьян. +- Точно. +Я ее видел. +Ладно. +Проверим. +Итак, гости, наконец, прибыли. +Их больше, чем я думал. +В самом деле. +Они смогут пробить стены? +Да. +Если сами не взорвутся. +Сколько, по-вашему, там человек? +Около десяти тысяч. +И подходят еще. +Опасно для кавалерии. +Что-то тучи стали сгущаться. +Испанцы ждут момента истины. +Они готовы умереть и окропить землю своей кровью. +Зачем? +Потому что это их земля, генерал. +Итак, как вы себе это представляете? +Ждете чуда? +Чудес не бывает. +Есть только пушка. +Скажите им правду. +Утром мы выстрелим по стенам с расстояния в полтора километра. +Вес ядра - сорок четыре килограмма. +В момент удара его масса составит четыре тонны. +Этого хватит, чтобы пробить стену. +Как насчет французских пушек? +Они стреляют не дальше, чем на один километр. +Зато потом начнется. +Я насчитал восемьдесят пушек. +Как только вы подойдете, они начнут стрельбу. +Заряды будут взрываться, на вас посыплются ядра. +В полукилометре полетит картечь - металлический град. +Затем стрельбу откроет пехота. +На подходе к стенам вы потеряете половину бойцов. +Вы это понимаете? +Понимаем, Мигель. +Этим людям знакома смерть. +Спокойной ночи. +Спокойной ночи. +Это правда - то, что я им сказал. +Да. +Хуана, останься со мной возле пушки. +- Другие не смогут этого сделать. +- Я знаю. +Но если ты меня любишь, обещай. +Я люблю тебя, Энтони. +Обещай. +Обещаю. +Надо бы сказать Мигелю. +Нет надобности. +Он поймет. +Сейчас здесь так тихо. +Да. +Все люди собрались и ждут. +Спасибо, что ты им помог. +Поэтому ты пришла? +Мне страшно. +Я боюсь за них и за нас. +Стены так далеко. +Нам с тобой нечего бояться. +Это меня и мучает. +Они такие же, как и мы. +Они хотят жить, хотят любить, а завтра могут погибнуть. +Этого не изменишь. +Энтони, я не могу сдержать свое слово. +- Ты пойдешь с ними? +- Да. +- Нет, я тебе запрещаю. +- Энтони, я молилась, чтобы остаться с тобой. +Я хочу этого. +Останься. +Не ходи с ними. +Что может одна девушка среди десяти тысяч мужчин? +Ты сумел дать мне многое, но этого недостаточно. +Я испанка. +Авила в моем сердце. +Но ведь я тоже. +До конца жизни. +Но видит бог, любимый, я должна идти с Мигелем. +Хуана. +Обними меня. +Скажи, что ты меня понимаешь. +Что любишь. +Я не думал, что ты придешь. +Я пришла, Мигель. +Мне... мне жаль, что я не говорил, что ты для меня значишь. +Прости. +Артиллеристы медлят. +Поторопите их. +Отходим. +Выстроиться на площади. +Назад. +Генерал. +- Выстроиться на площади. +- Но, генерал... +Быстро. +Хуана. +Прости, Энтони. +Я просила слишком много. +Не надо... +Хотела, чтобы Мигель попал в Авилу. +И хотела любить тебя. +О чём я печалюсь, о чём я грущу, о том лишь гитаре открою. +Девчонку без адреса всюду ищу - и днём, и вечерней порою. +Быть может, она далеко-далеко, быть может, совсем она близко. +Найти человека в Москве нелегко, когда неизвестна прописка. +- Раз, два, три, четыре пять... +- Бабушка, что же ты меня считаешь, я же не чемодан! +Чистое наказание, Господи! +- Товарищ начальник, скажите пожалуйста, где останавливается десятый вагон? +- Десятый вагон, бабуся? +- Вот, конец платформы бачите? +- Вижу. +- Так це он там. +Будку бачите? +- Вижу. +- То тоже не там, вот дальше будки будет десятый вагон. +- Торопитесь, бабуся, поезд стоит одну минуту. +- Батюшки, дак как же я-то успею? +Ведь там так высоко, пока вскарабкаюсь, а у меня столько вещей! +- Бабушка, я вам помогу. +- Спасибо, милая! +- А вы-то чего стоите? +- Чистое наказание! +- Платформу построить не можете, так хоть помогите! +- Це не наши заботы. +- Как это не ваши заботы? +Берите-ка! +- Так что же это? +- Пошли! +- Почему это у вас такие платформы короткие? +Это неправильно +- Це не от нас зависит. +- А от кого же? +- От управления дороги. +- Мы цей вопрос уже не раз ставили. +- Бабушка, я хочу. +Ну вот, что ты ещё надумал? +Не вовремя! +Ох, чистое наказание! +Ну, садитесь, бабуся. +Так. +Поехали. +Большое вам спасибо, только нужно не вопросы ставить, а платформы! +- Значит так, 66 на 23 в вашу пользу. +- Бабушка, если нужно будет, я помогу вам. +- Здравствуйте. +- Здравствуйте. +- Где тут 14-е место? +- Здесь, здесь, пожалуйте. +- О, сейчас девушка с нами сыграет в подкидного! +- А я не играю. +- А на балалайке вы играете? +- Нет, не играю. +Напрасно. +Ну, тогда на гитаре сыграйте, для первого знакомства. +- А мы с вами не знакомы! +- Всё равно ж познакомимся. +- Вряд ли. +- Всё, кончилась наша тихая мужская жизнь. +Кончилась! +- Может, хватит? +- Согласен, перерыв. 66 раз проиграли. +- Но, говорят, кому в карты не везёт, тому в любви везёт. +- Не всегда. +- Поднимите-ка ноги. +- Вот это вы напрасно, придёт проводник и всё уберёт. +- А вам перед проводником не стыдно? +- Конечно, стыдно. +- Это вам нужно? +- Пустые нам не нужны. +- С перчиком девица! +- Язва! +- Молодой человек, это вагон для некурящих. +- Между прочим, это вагон для курящих. +Но если вам не нравится, мы можем выйти. +- Скажите пожалуйста, вы везде порядки наводите или только на транспорте? +- А вы только на транспорте... +- ...нарушаете или везде? +- Везде. +- Оно и видно! +Пойдём, покурим. +Какой-то документ. +Справка. +Дана Екатерине Ивановне Ивановой в том, что она работала в артеле "Восход" и уволена по собственному желанию в связи с неуживчивостью характера. +Пред. правления. +Клячкин. +Здесь билет, деньги. +- Так это нашей соседки. +- Ну, что вы! +- Точно! +Сразу видно, что неуживчивый характер. +- Позвольте. +Гражданочка, это вы сейчас сели? +Ваш билетик. +- Отдайте, отдайте! +- Тсс. +Я просто не знаю, куда он делся! +Мне что, штраф придётся платить, да? +Правило гласит - за потерю билета отвечает потерявший, тире потерявшая. +А, значит, вы тоже нарушаете порядки на транспорте! +Послушайте, оставьте меня, наконец, в покое! +А штраф большой? +- Не беспокойтесь, не придётся вам штраф платить, вот ваши документы. +- А зачем вы взяли чужой билет? +! +Не кричите на меня, я у вас его не брал! +А нашёл в коридоре на полу! +- Вместо того, чтоб спасибо сказать, кричат ещё! +- Большое спасибо! +- А сердце у вас, наверное, в пятки ушло? +- Ещё бы! +- А вы куда едете, в Москву? +- Угу, в Москву. +- Да, ладно уж, курите. +- Да ладно уж, не буду. +- А за что же вас всё-таки уволили? +- Да так, в связи с неуживчивостью характера. +- Это вот этот, Клячкин? +- Угу. +- А кто он такой? +- Жулик. +- Как жулик? +- Ну так, вообще-то, он председатель артели. +Я его критиковать стала, а он меня взял и уволил. +- Ну, а в Москву к кому, к отцу едете? +- Нет. +- К матери? +- Не-а. +- К мужу? +- Нет, к деду. +У меня никого нет, кроме него, а тут ещё и уволили! +- А дед-то у вас хоть работает? +- Угу, не хочет на пенсию уходить. +В райсовете работает. +- В райсовете, значит, начальство? +- Да. +- Чем же он у вас заведует? +- Дверями. +- Как дверями? +- А так, вахтёр он, сторож. +- А-а-а. +А в Москве что собираетесь делать, работать? +- Ага, и учиться. +- У меня на Москву большие надежды. +- Артисткой, поди, собираетесь стать, да? +Как это вы догадались? +- Да, все девушки мечтают стать актрисами. +- А... хорошо бы стать артисткой! +- Вот к нам оперетта приезжала, так я все постановки пересмотрела. +- А вы сами поёте? +- Немножечко. +- Спойте что-нибудь, а! +- Ну, что вы, уже все спят! +А вы тихо, сейчас. +- Да нет, нет. +- Тихонько. +- Ну, ладно. +- А про что вам спеть? +- Ну, про любовь. +Про любовь? +Я вот тут недавно песню слышала, она не совсем про любовь, но всё-таки. +С малых лет мы рядом жили, по одним дорожкам шли. +С малых лет мы с ним дружили, с малых лет мы с ним дружили и учились, и росли. +А теперь со мною встречи он боится, как огня, ходит мимо каждый вечер, еле смотрит на меня. +Объясните, если можно, почему он стал такой. +Мне и грустно, и тревожно, мне и грустно, и тревожно. +Потеряла я покой. +На меня он смотрит строго и никак я не пойму, чем же этот недотрога, чем же этот недотрога дорог сердцу моему. +А недавно долетело до меня на стороне, что он тоже то и дело речь заводит обо мне. +На душе моей тревожно, я не знаю, как мне быть. +Совершенно невозможно, совершенно невозможно без него на свете жить. +И всё. +- Хорошо! +- Правда, вам понравилась? +- Правда! +- А вы работаете или учитесь? +- Я дома строю. +- А... +- Давайте познакомимся по-настоящему. +Зовут меня Павел, а попросту, Паша. +- Катя. +- Катя Иванова с неуживчивым характером, всё знаю. +- Ну, спойте ещё что-нибудь. +- Ну что вы, уже пора спать. +Спокойной ночи, Паша. +Спокойной ночи, Катя! +К третьей платформе прибывает поезд номер 43-й Сочи +- Москва. +- Кать, а можно я вас провожу? +- Что вы, я сама дойду. +- Всего хорошего! +- Счастливо! +- До свидания! +- А вы можете заблудиться в Москве. +- А я не заблужусь. +- Но мне в ту же сторону. +- В какую? +- Ну, туда, куда и вам. +- В какую? +Вы же моего адреса не знаете! +- Так вот я его и узнаю. +- Катя, подождите меня! +- Я жду, жду. +Что вы наделали! +Всю мою диету рассыпали! +- Гражданка, разрешите пожалуйста пройти! +- Обождите, молодой человек. +Мы ещё не кончили сбор фруктов. +- Катя, обождите, сейчас я. +- Да вы что, с ума сошли? +Что Вы делаете? +Катя, вы идите, а я сейчас, с другой стороны. +- О, Катерина! +- Ой, дедушка! +- Выровнялась-то как! +Невеста! +Здравствуйте! +Второй день к этому поезду выхожу, как письмо получил! +- Это что же, всё твоё приданое? +- Всё. +- Ну, пошли. +- Подождите, дедушка, попозже пойдём, а то затолкают! +- Пошли, мы сами всех затолкаем! +- Дедушка, подожди, у меня туфель расстегнулся. +- Ну вот, нашла место! +- Всё? +На. +- У меня ещё правый. +- Уж не провожатого ли ты какого ждёшь? +- Что вы, дедушка! +- Пошли. +- Здорова, Павел, вылезай давай! +- Кошара, моя крошка! +- Давай чемодан. +- Спасибо, дорогой, спасибо! +Минуточку, здесь меня один товарищ ждёт. +- Какой товарищ? +Сейчас, обождите. +- Паш! +Паша! +- Да обожди, сейчас. +- Пашка, Паша! +- Ну, братцы! +- Кать! +- Паша! +- Катя, адрес, адрес скажи! +Никола... +- Паша, Паш! +- Уехал товарищ, до свидания. +- Хороший товарищ! +Слушай, какие улицы в Москве начинаются с Никола, а? +- Никола дураковский. +- Николозапьянцовский. +- Николачертовский. +Да я серьёзно спрашиваю! +Ну, вот и приехали. +Место моей работы. +Районной Советской власти. +А в этом доме я живу. +Пойдём! +Вон, в 41-ой квартире. +Дедушка, я же не виновата, я просто стерпеть не могла. +А вообще-то меня по собственному желанию уволили. +- Варенье бери. +- Угу. +- Должен тебе сказать, как человек с опытом, как выходец из прошлого века, что на людей бросаться зазря не нужно. +И иногда характер свой попридержать полезно. +Дедушка, а я зазря на людей никогда не бросаюсь, я просто не люблю, когда они не правильно поступают. +- Да когда ты знаешь, правильно или не правильно? +- Это же ясно, дедушка. +- Как ясно? +- Вот, правильно - это по-советски, а не правильно - это не по-советски. +В этом же каждый ребёнок разберётся! +А я уже семь классов кончила! +Да так-то оно так, Катерина, но ты всё-таки этого не очень чтоб.. +по молодости лет и ошибиться можешь. +Хорошо, что у тебя дед жив, человек с положением, а не будь меня, пропадёшь! +- Это вам, дедушка. +- Спасибо! +Что же касается твоего трудоустройства, то с Семён Петровичем поговорить надо. +Наш домоуправ. +Подумаем, куда шагнуть. +Это тоже... выбрать надо. +Если улицы Москвы вытянуть в одну, то по ней пройдёте вы через всю страну. +Если лестницы Москвы все сложить в одну, то по ней взберётесь вы прямо на луну. +Вот она какая, большая-пребольшая, приветлива со всеми, во всех сердцах жива. +Любимая, родная красавица-Москва! +Заблудиться можно в ней ровно в пять минут, но она полна друзей и тебя найдут, приласкают, ободрят, скажут."'Не робей"! +Звёзды красивые горят по ночам над ней. +Вот она какая, большая-пребольшая, приветлива со всеми, во всех сердцах жива. +Любимая, родная красавица-Москва! +Днём и ночью, как прибой, всё кипит вокруг, но когда-нибудь с тобой встречусь я, мой друг! +Я одна теперь пою, а тогда вдвоём эту песенку мою мы с тобой споём! +Вот она какая, большая-пребольшая, приветлива со всеми, во всех сердцах жива. +Любимая, родная красавица-Москва! +- Ничего, получается! +- Ой, дедушка, это вы? +- Ты что, в постановках играла? +- В самодеятельной художественности? +- Угу. +- Ну и что, как голос? +- Есть, нет, что говорят? +- Да я не знаю, мне почётную грамоту однажды присудили. +Так у меня знакомый есть по этой части, человек искусства, в театре работает, оперетты! +- Оперетты? +! +- Да. +Гардеробщиком. +Большой знаток, я его попрошу. +Пусть он проверит, что у тебя там, талант.. +или, может быть, просто так. +Почётная грамота. +- Ну, а в справочной что тебе сказали? +- Слушай, запутался я совсем. +- Чего? +Ты понимаешь, на одну Москву приходится две Никола улицы, десять Никол-переулков и два Никол-тупика. +Если только улицы не брать в расчёт, то получается 12-ть Никол-переулков. +В каждом переулке приблизительно по двадцать домов. +- Помножь двенадцать на двадцать, получается 240 домов. +- Это вот это, да? +А 4800, что это такое? +А это, в каждом доме приблизительно по 20 квартир. +- Ага. +- Значит, 20 помножить на 240, получается 4800 квартир, как одна копеечка. +- Это тебе все придётся обойти? +- Ну, а что делать? +- Сколько ж тебе время на это надо? +- Если я в день буду проходить по 30 квартир. +- Конечно, сто ему не обойти. +- Конечно. +Получается, 4800 делим на 30- 160 дней. +- Это полгода. +Это не считая улиц, а если с улицами, то вообще астрономия! +Знаешь, Паша, ты возьми отпуск на месяц. +А потом месяца два у тебя больничный будет. +- А зачем больничный? +- Ты же без выходных работать будешь, устанешь. +- Паш, а ты помнишь на каком автобусе она с вокзала уехала? +- Что ты, в этой суматохе я и не разобрал. +- Вот или четвёртый, или четырнадцатый. +- Слушай, Паш мы завтра узнаем, в районе каких Никол проходит 4-ый и 14-ый. +И для начала прочешем эти районы. +Клавочка, Клав! +Ну, ты что, заснула что ли? +Давай-ка панель сюда! +- Пашенька, я тебе сейчас стихотворенье Степана Щипачёва прочитаю. +- Чего-чего? +Любовь пронёс я через все разлуки И счастлив тем, что от тебя вдали... +Клава, мне панель нужна, а не Степан Щипачёв. +- Слышишь, ну, что с тобой? +- Павлушенька, это моё сердце бьётся! +- Слышишь? +- Не слышу, давай-ка панель, Клава. +Тимофей Тимофеевич, сейчас мы исполним арию графини из оперетты "Мальчик- гусар". +Катерина... +Я в жизни, Арно, повидала немало. +Я много любила, я много страдала. +Ты мальчик, Арнольд, и тебе не понять, что значит, что значит любить и страдать! +- Графиня! +- Дитя, позабудь об несчастиой графине, с тобой я встречаться не стану отныне! +Усталое сердце давно без огня, всё в прошлом, Арнольд, у меня! +- Молю, останься! +- Арнольд, моему ты последуй совету, вели запрягать поскорее карету. +Расстаться, Арнольд, наступила пора. +Любовь, любовь - роковая игра! +Выйди-ка. +- Что скажешь, Тимофей Тимофеевич? +- Что сказать, хороша! +- Но, не подойдёт. +- То есть, как не подойдёт? +- Каскаду у неё не хватает. +- То есть таланту? +- Нет, талант, это талантом,а каскад - это талант с каскадом. +- А без каскаду нельзя? +- Нет, можно, но только в МХАТ или в Малый, а у нас такие только для статистики. +- Не понял. +- Ну, статистами. +- То есть, в представлении не применяются? +Нет, они представляют, вот, шум за сценой или графиню какую-нибудь безмолвную. +Но, а вот ежели талант с каскадом, ну, это тогда совсем другое дело, тогда уж тут шик и блеск! +- А Катерина-то... +- Артистка должна быть фигуристой, должна в глаза бросаться всем... антуражем. +Может, её всё-таки попробовать сунуть во МХАТ, там у меня приятель из нашей артели. +Ведь у нас, понимаешь, и пой, и пляши, и публику весели. +Одним словом, оперетта. +Знаю я одно прелестное местечко. +Знаю я одно прелестное... +Катерина. +Не берёт он тебя в актрисы-то, Катерина. +Говорит, не подходишь ты ему. +Не дуй губы-то, актриса. +Ай, да не бойся ты! +Устрою не хуже, лифтёршей будешь. +- Там каскаду не нужно. +- Не буду я лифтёршей. +- Знал бы, не звал тебя, старая вешалка! +- Ну, уж это, знаете... после таких слов, прошу больше не рассчитывать на контрамарки. +- Тьфу! +- Тьфу! +О чём я печалюсь, о чём я грущу, одной лишь гитаре открою. +Девчонку без адреса всюду ищу - и днём, и вечернею порою. +Быть может, она далеко-далеко, быть может, совсем она близко. +Найти человека в Москве нелегко, когда неизвестна прописка. +Ах, адресный стол, вы учёный народ, найдите её по приметам. +Глаза-словно звёзды и брови в разлёт, и носик курносый при этом. +В Москве, отвечает учёный народ, бессмысленны ваши запросы. +Сто тысяч девчонок, чьи брови в разлёт и полмиллиона курносых. +Со смены отправлюсь на поиски вновь, лишь вечер над городом ляжет. +Надеюсь я только, друзья, на любовь, она мне дорогу подскажет. +Ну так, давай теперь подытожим. +Значит так, в 41-ой квартире никого не оказалось. +- В 42-ой вообще не стали разговаривать. +- По шее дали. +- В 43-ей... +- В 44-ой, в 45-ой, в 46-ой.. +Джульетты твоей не было. +- Нет, Паша, так будем искать - ножки протянем. +- Ну, я ж тебя не заставляю, можешь не ходить. +- Да ты не сердись, ты вспомни, что она ещё о себе говорила, чтобы один ориентир настоящий был, кроме этого Николы, пропади он пропадом! +- Ну, что она говорила? +.. +Вот, знаешь, про деда она говорила. +- Ну? +- Дед у неё есть. +- Ну, ты представляешь, сколько в Москве дедов? +! +Начнёшь московских дедов делить, умножать, такая арифметика получится! +- Потом ёщё... да, про оперетту говорила. +- Ну? +- Вот любит она очень оперетту. +- А ты любишь? +- Люблю. +- Простите пожалуйста, вы любите оперетту? +- Не знаю. +- Любите, спасибо, все любят оперетту, я тоже люблю оперетту. +Какой это ориентир? +- Знаешь что, дед у неё работает... +- Ну, что тебе дался дед, дед! +- Нет, он работает... +- Будьте добры, дайте за 40 копеек. +- Он работает в рай... +- Спокойно, Главспирт? +- Нет, в рай... +- Здравотдел? +- Нет, нет.. +- В райсобес? +В райсовете вахтёром. +- Что ж ты раньше молчал? +Это же самое главное! +Товарищ старшина, скажите пожалуйста, сколько в Москве районов? +- Двадцать пять. +- Двадцать пять районов. +- Двадцать пять. +- Двадцать пять райсоветов, двадцать пять вахтёров, считай, что мы её нашли! +Пойдём. +- Пошли. +- Паш! +- А? +- Ну, куда ты пошёл? +- Куда, в райсовет. +- Какой же райсовет, когда рабочее время кончилось? +Да? +Знаешь что, давай сейчас зайдём в 41-ую квартиру. +- Паша, видишь двор? +- Вижу и что? +- Смотрят, ходят два здоровых парня по квартирам, чёрт-те что подумают, ещё в какую-нибудь историю влипнем! +- Пойдём сейчас домой, а завтра с утра по райсоветам. +Пойдём. +- Пойдём. +- У него вся соль в кнопке. +Нажал - поехал. +Дело простое. +- Я понимаю, Семён Петрович. +Начальство не надо перебивать. +Не надо! +Заходи. +К примеру, мне надо на пятый этаж. +Что я делаю? +Нажимаю пятую кнопку и еду. +Заело... заело с пятой, действуй по утверждённой мной инструкции. +Вот, висит в рамочке. +Бери седьмой этаж, потом на эту - стоп, потом обратно пятый. +Стоим, так? +Не едем. +На этот случай у меня всё предусмотрено. +Жми аварийную. +Ах, замыкание. +И на этот случай всё предусмотрено. +- Слушай, надо бежать за монтёром. +- Ух, а нельзя его проклятого, насовсем починить? +Конечно можно, но руки до всего не доходят. +А у меня их только две. +Понятно? +Я теперь в сторону культработы рокировался. +Организовал уголок тихих игр. +Шахматы, шашки, а то от ребячьего футбола, должен вам сказать... +А, лифт работает! +- Всё в порядке, лифт работает. +- Угу, спасибо! +Куда, куда, куда вы удалились? +Весны моей... +Эй! +Безобразие! +Выньте меня отсюда! +Сейчас же! +Не волнуйтесь, пожалуйста, седьмую нажмите, вторую и пятую. +Ничего не получается, жму - не идёт! +Тогда так - первую, аварийную, потом пятую. +- Ага, звонок работает, а лифт нет. +- Почитайте, там свежие газеты лежат, а я за монтёром сбегаю. +- Да я же на концерт опаздываю! +- А вы артист? +! +- Ха, ну да. +Тогда я для вас всё сделаю! +- Семён Петрович, я так больше не могу! +- Что за крик? +Понимаешь, куда ты ворвалась? +! +- У нас там человек, артист! +- Что человек-артист? +Я вот комбинацию обдумываю. +Артист в клетке, а вы тут комбинируете! +Перед людьми же совестно! +- В самом деле, Семён Петрович, лифт у нас давно в цейтноте! +- Правильно, надоело! +Не надо перегибать, товарищи, не надо, лифт, конечно, застревает иногда... но только на рекордно короткие сроки. +Сколько сидит сегодняшний? +- Двадцать минут сидит. +Ну, вот видал, всего двадцать минут, норма. +Ты, товарищ Иванова, рассуждай в своём пешечном масштабе,... +-...не строй из себя ферзя. +- А это... +- Ферзя. +- Из себя не строю, я только за дело болею, вот что. +- Тихо, спокойно, у нас комната для тихих игр, а не дискуссий, понятно? +Всё! +- Делаю ход конём на С-6. +А? +- Ну, я тоже сделаю ход конём! +- Что? +- Ты зачем на него жаловаться ходила? +- Я сначала его по-хорошему просила, почините машину, чуть не плакала! +- А он... +- Чуть не плакала! +У человека по твоей милости неприятности... +-...и на мне это отзывается! +- А это вы не правильно, дедушка, говорите. +- Как ты можешь? +! +- На родного деда критику наводить! +- А если вы неправильно говорите? +У нас такой большой замечательный дом! +А из-за такого вот Ферзя люди и страдают! +Застревают между этажами! +И какие люди! +Ох, люди страдают, а что я, не люди? +Ходил, старый дурак, в ножки кланялся, просил, московскую прописку тебе отхлопотали, а ты... отблагодарила! +Где ты ещё такую работу найдёшь? +- На улице она не валяется. +- А вы мне работу не ищите, я сама найду. +Сама, где ты её найдёшь? +Артистки из тебя не получилось, лифтёршей не вышло, ах, Катерина, не будет из тебя толку! +Уж если ты на шее сидишь, так хоть помалкивай! +- Ну, последний райсовет, последний вахтёр. +- Если уж и здесь нет... +Дорогой дедушка. +Вам сердиться вредно. +Вернусь, когда из меня выйдет толк. +Большое спасибо за всё, ваша внучка Катя. +- Здрасьте. +- Здрасьте. +- Поздновато. +Вы по какому делу в райсовет, молодые люди? +- Вы Иванов? +- Вы Иванов. +- Ну, Иванов. +- А скажите пожалуйста, у вас внучка... +- У вас есть внучка, Катя Иванова. +- А вы кто такие будете? +- Что вы про неё знаете? +- А он вместе с ней в поезде в Москву ехал. +- Да мы в одном купе вместе. +Так это из-за тебя у ней на вокзале всё время обувь-то расстёгивалась? +- Нету внучки. +- Как нету? +- Ушла. +- Куда? +- В неизвестном направлении. +Семилетки кончаете, а родному деду подобные коммунике пишите! +Чему вас учат? +Ушла! +- Дедушка, вы её, наверное, обидели, да? +- А что такое я ей сказал? +Ничего такого особенного я ей не говорил. +- Нет, ну разве можно? +Вы ведь ей дед! +- Так я ей родной дед, а не попутчик какой-нибудь. +Я имею полное право и поучать, когда требуется. +А она ушла! +Пропадёт теперь! +Характер-то какой! +Да и попутчики-то разные бывают, обидеть могут. +Да и движение какое! +Москва! +Ой! +Господи! +Боже мой! +Ну, нельзя же так пугать людей, милочка! +- И зачем только таким права дают! +- А вы на неё подайте в суд! +- Да при чём здесь суд? +- Товарищ начальник! +- В чём дело? +- Это не несчастный случай, а счастливая встреча, я встретила подругу детства! +То есть, племянницу подруги детства. +- И слегка затормозила, только и всего. +- Верно, милочка? +- Верно? +- Да. +- Можно ехать, товарищ милиционер? +- Пожалуйста, пожалуйста. +Пойдём, милочка! +Спасибо. +Дорогу! +- Ну, как вы себя чувствуете, милочка? +- Ничего, только вот у меня локоть что-то разбит и потом я испугалась,... +-...когда вы на меня наехали. +- Куда вас отвезти? +- Я не знаю. +- Вы, наверное, недавно в Москве? +- Угу, недавно. +Ну, оно и видно, вы совершенно не умеете переходить улицу. +Вы работаете? +- Да, то есть нет, сейчас не работаю. +- Имеете жилплощадь? +- Нет. +То есть, да, но сейчас не имею. +- А у вас действительно всё цело, милочка? +- Вообще-то всё, а что? +- Я вам помогу. +Сама судьба бросила вас под мои колёса. +- Ну, а дед что сказал? +- Да он сам ничего не знает. +- Да, он получил от неё открытку. +- Ну и что? +- Ничего, жива-здорова,... +-...а обратного адреса нет. +- Ну, и бесполезно её искать. +- Между прочим, есть ещё один вариант. +- Какой? +- В справочной мне сказали, что в Москве проживает 2137 Екатерин Ивановых. +- Ну и что? +Надо узнать их адреса и обойти всех. +- Чего смеёшься-то? +- Так, ничего. +До самой старости будешь искать. +Борода во, в руках палка. :"Дедушка, вам кого"? +-"А мне Катю Иванову". +"Бабушка, вас какой-то дедушка спрашивает." +Тебе смешно, а мне кажется, что я её всё равно найду! +Душа ни по ком до сих пор не страдала, но ты повстречалася мне. +Куда же ты скрылась, куда ты пропала, неужто приснилась во сне? +Куда же ты скрылась, куда ты пропала, неужто приснилась во сне? +По мне это, может, совсем незаметно, но я уж такой человек, +Что если дружу, то дружу беззаветно, а если люблю, то- навек! +- Ты знаешь, мне кажется, что она на Таганке живёт. +- Почему? +На открытке стоит штамп таганского почтового отделения. +Она может жить в Малаховке, а открытку бросила на Таганке. +- Нормальные люди где живут там и бросают. +- Так то нормальные. +Пускай ненароком исчезла ты где-то, имей, дорогая, в виду, +Что я за тобою пойду на край света, а надо - и дальше пойду. +Что я за тобою пойду на край света, а надо - и дальше пойду. +Завтра на Таганку пойдём, да? +Пойдём. +Катя, со стола можно убрать. +Масик, ты будешь болеть или пойдёшь на работу? +- Я, Кошенька, поболею немножко. +- Правильно, поболей, Масик, поболей. +Всё равно не оценят. +- Кусенька, а ты разве уезжаешь? +- У меня в одиннадцать психическая гимнастика, а потом массаж нижних конечностей и гомеопат. +Ах, Катя! +Оставьте вазу! +Это Богемское стекло! +Его нельзя трогать, на него можно только молиться! +Она становится невыносимой! +- Масик. +- Кусик. +- Масенька! +- Кусик! +- Ну что хочет Масик, чтобы Кусенька ему привезла? +- Масик хочет водочки. +- Водочки? +Успокойся, Масик. +Привезу, мой красавчик. +Привезу, привезу, мой ангел! +- Оставьте книги! +- Пыль же, Раиса Павловна. +Это не та пыль, с которой надо бороться, она неподвижная. +Масик, у меня к тебе большая просьба, присмотри за этой. +А что? +Она ничего. +И вообще... старательная. +- Масик! +- Кусенька... +- Опять? +- Кусик, ну, что ты? +- Что Кусик? +- Кусик... +- Ну, что Кусик? +Что такое домработница? +Домработница - это своего рода внутренний враг. +Маська, ну, Маська! +Масенька! +Обожаю! +Ух! +- Не так, Катя, не так! +- А как же, Раиса Павловна? +Надо любить свой труд! +Труд облагораживает человека! +Что такое домработница? +Домработница - это своего рода директор домашнего хозяйства. +Вы занимаете ответственный пост, Катя! +В общем, вот так. +Плохо у вас получается, Катя, плохо, плохо! +Я скоро вернусь, без меня ничего не делайте. +Только сходите за папиросами для Василия Никодимыча, постирайте занавески, вымойте пол в кухне, купите всё на обед, перетрясите коврики, почистите ножи и вилки, а потом, когда я вернусь, будете готовить обед под моим руководством. +- Доброе утро! +- Доброе утро.. уже? +Возможно. +Что, брат, достаётся, а? +Птичка божия не знает ни заботы, ни труда... +В домработиицы попала.. дя-дя-дя ту... +- Отстаньте, Василий Никодимович! +- А что мне будет, если я отстану? +- Ну, пустите же! +- А что мне будет, если я пущу? +- Пустите! +Усю-сю, тю-тю... +Это тряпка. +Это же негигиенично! +Цель сего тра-ля-ля-ля-ла. +Тра-ра-ры ля-ля-лам. +Нам завидует каждый прохожий... +ЗВОНОК ТЕЛЕФОНА +Алло. +Да, Камаринский. +Что? +Из госконтроля? +Уже еду, еду. +Скажешь Раисе Павловне, что меня срочно вызвали в контору. +Вахтёр Иванов слушает. +Алле.. алле.. алле! +Алле! +Я девчоночка жила, забот не знала, словно ласточка, свободною была. +На беду свою тебя я повстречала, позабыть, как ни старалась, не смогла. +Позабыть, как ни старалась, не сумела, завладел моей ты девичьей судьбой. +Уж давно весёлых песен я не пела. +Неужели мы не свидимся с тобой? +Ты ушёл и не воротишься обратно, одинокой навсегда останусь я. +Годы лучшие проходят безвозвратно и проходит с ними молодость моя! +Я, девчёночка, жила, забот не знала, словно ласточка, свободною была. +Повстречала я тебя и потеряла, потеряла в тот же час, когда нашла. +Ой! +А-а! +Ой! +Боже мой! +СТУК В ДВЕРЬ +Откройте! +Что тут у вас? +Картина ясная. +Кран забыла закрыть? +- Ну и влетит теперь тебе! +- Безобразие! +- Пропустите меня! +Боже мой! +Боже мой! +Сплошной кошмар! +- Что тут случилось? +- Я убиралась. +- Маленькое наводненьице, на два этажа. +- За ваш счёт, Картина ясная. +- Вы понимаете, что вы наделали? +Зачем вы полезли в ванну? +- А-я-я-я-я-яй! +- Ничего я не наделала, я убиралась и вдруг вода... +Боже, ну кто же, по-вашему, открыл кран? +Наверное, Василь Никодимыч, перед тем, как на работу идти. +Да какое право вы имеете обвинять ответственного работника Бог знает в чём! +Вы лжёте! +- Ой, какая дорогая вещь, боже мой! +- Я не лгу! +- Боже мой! +Боже мой, мой Секинский ковёр! +Ах, мы разорены! +Вы лжёте, лжёте! +Вы мне за всё ответите, за всё! +- Боже, что же творится, боже! +- Раиса Павловна, я кран не открывала! +А я это проверю и горе вам, если вы солгали! +Проверьте! +Алло. +Алло, алло... +- Алло. +- Масик, ты болвасик! +Ты забыл закрыть кран в ванной! +- Ну, как я мог? +- У нас в квартире наводнение! +- Кусик! +- Такое наводнение, по колено вода! +- Кусик, Кусик... я.. +- Ты забыл закрыть кран в ванной! +Ты понимаешь, что ты наделал? +! +Мы совершенно разорены, мы погибли! +Кусенька, дай ей... по собственному желанию и пускай идёт на все четыре стороны! +- Лгунья! +- Нет, я не лгунья, я правду сказала! +Ну, что вы стоите? +Ковёр спасайте! +Вы должны в ногах у меня валяться! +Прощения просить, а не оправдываться! +Если бы я тогда на вас не наехала, вы бы давно погибли, как швец под Полтавой! +- У, дерзкая девчонка! +- Вы, пожалуйста, не кричите на меня. +Я вам благодарна за то, что вы на меня наехали, но этот наезд я вам с лихвой отработала, а теперь я ухожу от вас, вот что! +И пусть всё это ваше богемское стекло кто-нибудь другой обслуживает! +- А с меня хватит! +- Прекрасно! +Собирайте вещи и убирайтесь по обоюдоострому желанию! +- Куда сейчас-то поедем? +- В Новоспасский тупик. +- Снова так, Новоспасский, Николоспасский... +Так доездимся, что... +- Садитесь, пожалуйста. +- Спасибо! +Граждане, берите билеты. +- Будьте добры, один до конца. +- Возьмите. +- Извините, пожалуйста, я забыла деньги, я сейчас сойду. +- Пожалуйста, я уже взял. +- Что вы, зачем? +Не нужно, я всё равно сойду! +- Но ведь я же заплатил. +- Хорошо, дайте ваш адрес, я вам перешлю деньги. +- Зачем же? +Вот мы сейчас остановимся, мы сойдём с вами вместе и вы отдадите мне долг. +- Пожалуйста. +- Ты куда? +- Не могу же я такие деньги на ветер бросать! +Набережная, следующая Новоспасский. +- Серьёзно, надолго? +- Боюсь, навсегда. +- Ну, привет. +- Скажите пожалуйста, Екатерина Иванова в этой квартире живёт? +- В этой. +- А её можно будет видеть? +- А почему бы и нет? +Вы, пожалуйста, проходите, только она сейчас на кухне. +Вы вот слушайте меня, вы идите по коридору. +Правда там темно, у нас лампочка перегорела, я как раз сейчас иду покупать, но вы не смущайтесь, +Вы идите, идите и идите, и свернёте налево, потом пройдёте прямо, потом опять налево, потом увидите дверь. +- Ясно. +- Нет, вы туда не входите, вы идите дальше. +Справа будет ещё одна дверь, +- Вы тоже туда не ходите. +- Так... +- И идите дальше и попадёте в такой маленький узенький тёмный коридорчик, по нему пойдёте прямо и упрётесь в дверь кухни. +- Так. +- И перед вами она. +- Она? +- Да. +- Понятно? +- Ну, я так и сделаю, спасибо большое! +Можно? +Ой! +Чёрт-те, понаставили чего-то! +Тьфу, чёрт! +- Скажите пожалуйста... +- А-а-а-а! +А-а-а-аа! +- Да чего вы кричите? +- А-а-а-а! +- Катя, Катечка, Катюша! +- Что? +- Ну, что там? +- Бандиты! +- Да вы что, с ума что ли сошли? +- Где? +- Ванной! +- Спасите! +- Да не может быть этого! +- Подождите, не отворять! +- Откройте! +- Слушайте, я никакой ни бандит! +- Звоните скорее в милицию. +- А может откроем и сами разберёмся? +- Конечно, сами разберёмся. +- Сами разберёмся. +- Ни в коем случае! +- Только через мой труп! +Там же бандиты! +- Я не бандит, откройте мне, я вам сейчас всё объясню. +Ай! +... +- Феактист Феактистович. +- Я здесь. +- Скорее узнайте, сколько их там. +Ну, вы же смелый мужчина! +А-а-а-а! +- Постерегите здесь, а мы пойдём вооружаться. +- Откройте! +Если бандиты взломают дверь, бросайтесь на них и кричите:"А-а-а-а!" +- Но, если я кинусь, то я потом не поднимусь. +- И как вам не стыдно, вы же мужчина! +- Но ведь он тоже мужчина, пусть он и кидается. +- Я не мужчина, а ответственный съёмщик! +Оставайтесь. +Остальные, за мной! +Слушайте, товарищ Феоктистович, если вы мне сейчас не откроете, я взломаю дверь! +Это квартира умалишённых! +- Да-да-да-да. +- Молодые люди, имейте в виду, у меня в руках горячее оружие! +- Ну, что? +- Откройте! +ЗВОНОК В ДВЕРЬ +- Товарищ милиционер. +- Здравствуйте. +Где бандиты? +- Здесь. +В ванной комнате. +- Я их вооружил. +- Вот! +- Тихо, граждане, тихо! +Их там много! +- Выходите по одному! +Все выходите! +- Все - это я один. +- Какой молоденький! +- Как вы сюда попали, гражданин? +- Я пришёл к Ивановой Екатерине Ивановне. +- Ах, к вам? +- Я так и думала! +- Да я первый раз его вижу! +- Вы к ней пришли? +- Да не к ней я приходил. +- Пройдёмте, гражданин. +Попрошу со мной. +Вы что, с ума сошли? +Я должен переодеться! +- Руки, руки пусть поднимет вверх! +- Я не виноват совсем! +- Гражданин, попрошу в машину. +- В какую машину, зачем в машину-то? +- В машину попрошу. +- Товарищ начальник, я вам объясню. +- Спокойно, гражданин, спокойно. +- Не поеду я никуда! +- Руки вверх! +- Товарищ лейтенант, адреса. +- Ну и что? +- Так, всё ясно, пройдёмте, гражданин! +- Да куда вы меня везёте? +- Подождите! +Подождите! +- Товарищ начальник. +- В чём дело, гражданочка? +- Сейчас одного человека на машине увезли. +- Да. +- За что? +Ну, мало ли, гражданочка, за что угодить можно! +Может он в квартиру залез. +А может, ещё что-нибудь похуже. +Да.. +тогда крепко могут дать! +- А куда его повезли? +- Ну, поначалу, надо полагать, в отделение. +А вы что, что он вам знакомый? +- Или может родственные отношения? +- Знакомый. +Да нет, комсомольская характеристика не нужна, дело ясное. +Тут пришли ваши ребята. +- Савельев? +- Я Савельев.И Дубонос. +Он +- Дубонос. +- Савельев и Дубонос. +Ручаются. +- Ручаемся, конечно. +- Да я тоже думаю, поверить можно. +Всего хорошего! +- Так вот, граждане, ошибочка произошла. +вы уж его извините, пожалуйста. +- Простите пожалуйста. +- Извините, пожалуйста. +- Извините, пожалуйста. +- Пожалуйста, пожалуйста,... +-...это так романтично! +- Если нужно, заходите ещё. +Будем рады! +- Нет уж, спасибо! +Тем не менее, бдительность остаётся бдительностью. +Бдительность тут, пожалуй, ни при чём. +В следующий раз, Гусаров, влюбляйтесь в девушек с точным адресом и с менее распространённой фамилией. +Ясно? +Вот так. +- Девушка, дождь идёт! +- Ну и пусть идёт. +- Ну как же пусть, вы бы домой шли,... +-...что ж так мокнуть? +- У меня нет дома. +- Как нет дома? +- А вот так вот. +Нету. +- Знаете что, пошли ко мне, я живу недалеко, за углом. +- Не пойду я никуда. +Ну, вот что, вошли, нечего. +Так можно простудиться, берите чемодан. +Скорей, скорей! +- Пей чай, кушай как следует, не стесняйся. +- Спасибо, я и так вторую чашку уже! +- Согрелась? +- Угу. +- Бери сыр, колбасу, ешь. +Нет, я не хочу больше, я наелась, спасибо! +- Катя. +- А. +- Ты у меня пока останешься. +Сестра приедет не скоро, за это время ты успеешь устроиться на работу. +На. +Большое спасибо! +- А что же дедушка, так о тебе ничего и не знает? +- Нет. +Всё-таки дед... дедушка... я бы на твоём месте ему позвонила. +Я иногда ему звоню, только не отвечаю. +Если на работе, значит, здоров, а потом вешаю трубку. +Я сама такая, никогда не начну первая, если меня обидят. +Самое обидное, что он правду сказал, что я из себя представляю? +Ровным счётом ничего! +Чего я добилась? +Ну, ничего, утро вечера мудренее. +Самое главное - тебе надо устроиться на работу. +Значит, и я тоже виноват, раз ты могла такое подумать! +Спасибо. +- Но, о любви я никогда тебе ничего не говорил. +- О любви не говорят, о ней всё сказано. +- Это только в песне поётся. +- В кино ходили? +Два раза! +- Ну и что? +- На танцы приглашал. +- Ну, приглашал. +- И целовались! +- Когда? +- Как когда? +- Ну, один раз. +- Три! +- Да неужели это имеет какое-нибудь значение, Клавочка? +- Может все-таки любишь? +Неудобно, люди же ведь кругом смотрят, Клава! +Сердцу ведь не прикажешь. +Не плачь, Клавочка! +Девушка, посчитайте нам пожалуйста. +- А ту нашёл? +- Кого? +- Ту, с которой в поезде познакомились. +Нет. +Вахтёр Иванов слушает. +Алле, алле. +Катерина? +Это ты! +Брось баловаться, отвечай! +Молчишь, ну, молчи, молчи, а ко мне приходил попутчик твой. +- Видный такой парень, забыл, как его имя-то. +- А когда он приходил? +- Ой, дедушка, здравствуйте, тут что-то с трубкой было! +- Давно уж. +Сразу, как ты сбежала. +- Ты когда домой вернёшься, Катерина? +- Дедушка, из меня ещё толку не вышло, как выйдет, сразу приду. +А я живу хорошо, работаю, здорова, Вы за меня не беспокойтесь. +Сейчас же, сию минуту ступай домой! +Непутёвая! +Ух, какую моду взяла, от родного деда бегать! +Катерина, ты слышишь меня? +Алле, алле, алле! +Я, признаться, проявил глупость бесконечную. +Всей душою полюбил куклу бессердечную. +Для неё любовь - забава, для меня - мучение. +Придавать не стоит, право, этому значения! +Не со мной ли при луне пылко целовалася? +А теперь она во мне разочаровалася. +Для неё любовь - забава, всё ей шуткой кажется, кто ей дал такое право, надо мной куражиться? +Позабыть смогла она всё, что мне обещано. +Вам, наверно, всем видна в бедном сердце трещина. +Для неё любовь - забава, для меня - страдание. +Ей - налево, мне - направо, ну, и до свидания! +- Ну, вот мы и пришли. +- А завтра, Оленька, пойдём в кино. +- Вдвоём? +- Вдвоём, я билеты взял на последний сеанс. +- Ой, ещё и на последний! +- А что? +- Нет-нет, я возьму подругу. +А вы возьмите какого-нибудь приятеля. +- Ну, Оленька, кино-то вдвоём интересней смотреть! +- Почему интересней? +Ну, почему-почему? +- За что это, Оля? +- Мы только второй раз с вами встречаемся, а вы безобразничаете! +- Не второй, третий! +- Это всё равно. +Вот вы, значит, какой? +! +- Нате ваши цветы! +- Оля, Оля, я не хотел вас обидеть, я думал, что это... +- Что вы думали? +Разве вас девушки никогда не били за такое хулиганство? +- Никогда, даже наоборот. +- Вы с плохими девушками встречались, до свидания! +- Оля! +Я вам даю честное слово, что этого никогда больше не повторится без вашего на то разрешения! +Оля, можно я возьму билеты на завтра, на четверых, на последний сеанс? +Можно? +- Оля! +- Можно. +Встретимся возле кино. +- Хорошо, я вас провожу, а то там темно на лестнице! +- Нет уж не нужно, я сама. +До свидания! +- До свидания! +- Катя, пойдём завтра с нами в кино, а? +- Что ты, я вам мешать только буду. +- Ну, что ты, мешать? +- Он с товарищем придёт, познакомишься. +- Не нужно мне никакого товарища. +- Катенька, ну, я прошу тебя, ради меня, пойдём. +- Не нужно, Оль, не нужно. +Ой, всё-таки странная ты. +Это Москва, пойми, ну, как ты своего Пашу найдёшь? +Ты даже фамилии его не знаешь. +- Ну, где ты? +- Прости, ну, как? +- Красив, только смотри,... +-...как бы она от тебя тоже не убежала. +- Ничего, моя не бегает. +- У неё несколько другая привычка. +Будьте добры, зефира коробочку. +- Мить. +- А? +- А может быть, я не пойду с тобой в кино? +- Подругу приведёт. +- Ну и что, ты понимаешь, я ещё два адреса достал. +- Первый раз в жизни я тебя попросил и ты не можешь! +- Да я могу, но... в нашем распоряжении... +-...ещё пятьдесят минут! +Давай зайдём по одному адресочку, а? +- Быстро? +- Быстро. +- Пойдём. +- Гражданин. +- О, спасибо большое! +- Что, Алёнушка, тебе купить? +- Яблочко? +- Угу. +Так, 75-я. +- Слушай, здесь открыто. +Пойдём. +- Пашка... вспомни ванную. +Ну, я теперь учёный, ничего не будет, идём. +Можно? +Можно? +А кто-нибудь здесь есть? +Люди добрые, отзовитесь. +Ой! +Ну, вот так вот. +Примерно этого я и ожидал! +Это, между прочим, хуже чем ванная. +Хозяин, хозяин, есть тут кто-нибудь? +Как он смотрит, видишь? +Мы опоздаем из-за этой чертовки! +Слушай, тихо, она, наверное, не любит, когда с ней громко разговаривают. +- Ну, давай тогда по-хорошему, вежливо. +Она ж учёная. +- Давай. +- Шарик, хи-хи, позвольте выйти. +- Лобзик, Шурик, Шурик! +- Хорошая собачка! +- Лаечка! +- Лаенька! +- Почему они не идут? +- Уже скоро начало! +- Он, наверное, забыл. +- Что ты, как он может забыть? +- Что же мы теперь делать-то будем? +- А что, если её зефиром подкупить? +- Да что ты? +Собаки взяток не берут. +- А мы сейчас попробуем. +Лобзик, Лобзик, на. +Ну, скушай, Лобзик. +Вот так. +- Клюёт. +- Ну, теперь иди. +- Нет. +Ты иди. +- Ты кормил, ты и иди. +- Пойдём тогда вместе. +Спокойно, спокойно... раз, два.. +Хозяин! +- Оля, бесполезно ждать, пошли домой! +- Нет уж, я останусь и я ему всё скажу! +Ну, как хочешь, а я пойду. +- Аппетит-то какой-то нечеловеческий. +- Конечно, нечеловеческий, собачий. +Что я Оле скажу? +Ведь не поверит. +- Слушай, Мить, у меня есть план. +Кидай ей последнюю зефирину. +- Ну? +Пока она будет кушать, я потушу свет и в темноте пробьёмся. +- Ха, это идея! +- Давай. +- Только спокойно, Паша. +- Лаечка. +- Только осторожно! +- Лаечка, Лаечка... +Лаечка, на... +Раз.. +- Ай, ай, люди! +Хозяева! +- Караул! +Ай! +- Оленька, я сейчас вам всё объясню! +- Я ждала вас только для того, чтобы сказать вам, чтобы вы не смели, и запомните это, не приходить ко мне, не писать и не звонить! +Забудьте моё имя и тот день, когда вы заплатили за меня рубль в троллейбусе! +Да выслушайте ж вы меня, Оля! +- Нет, нам необходимы молодые кадры и они у нас должны быть! +- Юрий Александрович,... +-...вы неисправимый фантазёр! +- Елизавета Тимофеевна, для художника необходима фантазия. +- Я член художественного совета. +Мне, например, фантазия абсолютно не нужна. +- Да.. +И потом, мы внедрители, мы должны внедрять, а не фантазировать. +Елизавета Тимофеевна, вы посмотрите, какая очаровательная девушка! +Я лично ничего очаровательного не нахожу. +- Девушка, вы с вашей внешностью могли бы найти занятие поинтереснее. +- Вы куда-то шли, гражданин, ну, и идите. +Нет, Боже сохрани, вы меня не так поняли! +Я действительно, хочу вам предложить увлекательную, интересную, серьёзную работу. +Демонстрируются вечерние туалеты, созданные художниками-модельерами нашего экспериментального ателье. +Елизавета Тимофеевна, что делать? +Люся заболела и я не могу демонстрировать свою модель! +- Что вам сказала эта симулянтка? +- Она сказала, что у неё высокая температура, 39,2. +У неё температура, а у нас художественный совет. +Иванова, встаньте сюда. +- Размер её. +- Демонстрировать платье будете вы. +Что вы, Елизавета Тимофеевна, я даже не знаю, как в таком ходить! +Советская девушка должна смело ходить в том, что мы внедряем! +Но, Елизавета Тимофеевна, мне же говорили, что я только рабочую одежду буду показывать! +Вы знаете, у меня от неё каждые пять минут ра-разрыв сердца делается! +- Прежде всего, вы не должны затруднять работу, вы хотите стать асфальтщицей? +- Нет, я не хочу, но... +- Ведите её в кабину. +- Пойдёмте, Катя, пойдёмте. +- Идите сюда, идите. +Елизавета Тимофеевна, ну, как? +- Вполне на уровне! +- Даже лучше, чем я ожидала. +- Лизавета Тимофевна, здесь такой вырез большой! +- Мне как-то неловко. +- Почему вы вы-высказываетесь? +Вы-вы же не член худсовета! +Идите немедленно! +- Там никого больше нет.. +- Не ваше дело! +Идите немедленно! +Уберите все ваши руки и не падайте с лестницы. +- Неужели он тебя выгнал? +- Не, не выгнал, кричал только. +Нет у меня внучки, если вы ещё раз придёте от её попутчика, это он про тебя, вызову милицию. +Сумасшедший какой-то. +Ира, наверно, вся в него. +- Слушай, Мить, вот эта девушка так похожа на Катю! +- Какая? +Вот эта, в белом. +Ну, докатились, видения начинаются! +Она так похожа, только ростом чуть-чуть выше. +Слушай, Пашка, я тебе как другу говорю, брось ты эти поиски, не бросишь, плохо кончишь! +Что она тебе далась, ну, ты посмотри, сколько девчат кругом! +А? +- Платье держите скорее! +- Стой! +- Остановитесь! +Понимаешь, я его увидела и побежала! +Удержаться не могла! +- А потом по собственному желанию. +- Что, неужели выгнали? +- Ну, что ж ты теперь будешь делать? +- Не знаю. +Уехать что ли? +Вот, уехать, новость какая! +А ты знаешь что? +Мне кажется, что я могу тебя устроить. +- Я завтра поговорю. +- Оленька, спасибо! +Опять ты меня выручаешь! +- Ну, как настроение? +- Хорошее. +- Смотри, чтобы всё было аккуратно. +- И потом, чай наливай пожиже, потому что заварки не хватит. +- Ладно. +- Попьют сотрудники в перерыв чай и снова за работу. +- Оленька,... +-...а что это вы всё пишете, считаете? +- Пишем разные бумаги, а считаем разные цифры. +- А зачем все эти бумаги? +- Смешная ты. +Над нашей конторой есть ещё одна контора, которая главнее нашей. +Ну и вот, эта контора присылает нам свои бумаги, мы их переписываем и посылаем в ту контору, которая ниже нашей. +Понимаешь? +Не понимаю. +Почему же контора, которая ниже нашей, не может сразу послать бумаги в контору, которая ниже нашей? +Вот странная, эта контора, которая ниже... +перерыв, чай неси! +Семён Семёнович, возьмите на меня чай, пожалуйста, я сейчас! +Иванова, начальник очень занят. +Вы поставьте стакан на стол и сейчас же по - тихонечку уходите. +Понимаете? +Понимаю. +Таким образом, в целом, своевременность... +написали? +- Написала. +- Своевременность, оборачиваемость поступающих директив, своевременна..и.. происходит точно в своё время. +- Иванова, Иванова, что с вами? +- Ничего. +- Возьмите пакет и поезжайте на стройку. +- На стройку? +- Послушайте, девушка, вы тут всех знаете? +- Всех и всё, а что? +- У вас тут один товарищ работает. +- А у нас не один товарищ работает, девушка. +- У нас сотни, а зачем он тебе? +- Так, не важно. +- Ты учти, мы своих на сторону не отдаём! +- Ты что, пакеты разносишь? +- Пакеты! +- Ну и волоки свой бюрократизм! +- Не прохлаждайся! +Кому пакеты? +- Прорабу. +Где он? +- Вон туда иди. +- Ой, постой! +- А-а-а-а! +- Ушиблась, дочка? +- Нет, ничего. +- Да как же это тебя так угораздило? +- А мне прораба нужно! +- Я прораб. +- Ой, вот, наконец-то! +А у меня для вас пакет. +Лично, срочно. +Срочно? +О, да я эти новости неделю назад знал. +Сидите там, директивы переписываете, а с арматурой опять подвели? +Давай, сердешная, книжку-то твою. +Распишусь. +И кому нужна только эта ваша контора? +Наша контора - это необходимое связующее звено в сложной цепи взаимоотношений между главком и строительными площадками. +Я закругляюсь, товарищи. +В своё время мы своевременно сигнализировали и я считаю своевременным... поставить вопрос о несвоевременности сжатия нашего аппарата. +Нас надо не сжимать, нас надо расширять! +Значит, вы не согласны, товарищ Камаринский, что ваша контора превратилась в лишнюю инстанцию? +- Категорически! +Категорически не согласен! +- Это как же вы говорите, Василий Никодимыч, не лишняя? +Нас на стройке только лишними и ругают, лишняя инстанция, лишняя контора, со стыда можно сгореть! +А вы знаете, сколько эта лишняя инстанция казённого чаю выпивает? +Рублей на 500 в месяц! +Ха-ха-ха, демагогия! +Это безответственное выступление. +Да. +- Оля! +- Здравтсвуйте, Митя! +- Вы меня извините, я в таком виде! +Наше-то учреждение закрыли. +- Здравствуйте, Оля. +- Здрасьте. +- Значит, вы теперь тоже рабочий класс? +- А я нечаянно на вашу стройку попала. +- Это же великолепно, что вы именно на нашу стройку попали! +- Хотите к нам в бригаду, подсобницей? +Могу похлопотать. +- Куда? +Монтажником, наверх. +Работа не трудная, инструмент принести, то да сё. +А красотища! +Стрижи летают, ласточки. +Будете у нас королевой воздуха! +- Скажите, Митя, а вы королём там будете? +- Да нет, заместителем. +Подожди, сейчас. +- А я эти дни только о вас и думаю. +- Всё время? +- Всё время. +- Пять раз в день мимо вашего дома хожу. +- Почему же вы не зашли? +А как же я зайду, если вы мне запретили заходить к вам, звонить и даже писать. +Мало ли чего я там наговорила? +А я боялся. +Да подожди ты, одну минуту постой! +- Это ещё что такое? +- Иван Романович, это... +-...шефство над новенькими. +- Ну, так будем шефствовать над девицами, Савельев, десять лет дом не построим! +- Виноват, Иван Романович! +- Ну-ка марш на место! +- Больше не буду! +Через пять минут с третьей платформы отправляется поезд номер 72 Москва +- Иркутск. +Вот твой вагон! +Ты, Катерина, не забывай, что у тебя дед существует, пока что. +- Дедушка, не беспокойтесь, я вам писать буду. +- Как приедешь на место назначения, сразу телеграмму дай. +С точным адресом, а то ведь опять пропадёшь! +На вот тебе, письма от тебя всё равно не дождёшься, а открыточку нацарапай, жива мол, здорова, того и вам желаю. +- Тут 50 штук, про запас. +- Катенька, милая, может быть всё-таки останешься, будем опять с тобой вместе работать? +- Нет, решила, так уж решила. +- А ты знаешь, что мне Митя сказал? +Они меня в бригаду возьмут, подсобницей, будете у нас королевой воздуха! +Нет, королева - это не профессия, ты лучше в штукатуры иди, штукатуры - это дело! +- Что это ты оглядываешься? +- Я попросила Митю сюда придти, а его всё нет. +Будет ему сегодня от меня! +Опоздаешь! +Ты уж, Катерина, этого.. я ж.. не того.. +яж для тебя от всей души. +- Да что вы, дедушка! +- Ладно уж! +- Про адрес-то не забудь, непутёвая! +- Не забуду, дедушка, вы себя-то берегите! +- Оленька, спасибо тебе за всё, за всё! +- Катенька, не забывай меня, пиши! +Ну вот, опоздали, "ещё по одному адресочку зайдём", ищет прошлогодний снег! +- В последний раз! +- Да, в последний раз! +- Митя, она! +- Кто? +- Да, Катя! +Катя! +Катенька! +Катя! +- Катя! +- Паша! +- Катя, а я вас по всей Москве искал! +- А я думала, вы меня забыли. +- Да что вы, я всю Москву перевернул, а вас нет и нет! +- Гражданин, сойдите с вагона! +- Проводник, одну минуточку! +- Гражданин, кому говорят, сойдите! +- Я вас очень прошу! +- Гражданин, не нарушайте! +- Вы понимаете, что я эту девушку люблю! +- Любить можно, а нарушать нельзя! +- Можно или нельзя, это пожалуйста, ты куда, Катенька? +- На работу. +- А как же я, Катенька, оставайся. +- Мне же ехать надо! +- Зачем? +- Ну, что же мне делать? +- Ну, Катя, мы вместе поедем. +- Ну, решайтесь, решайтесь, девушка, поезд идёт! +- Поезд и правда идёт, Катя, а? +Где твои вещи пойдём, пойдём, прыгнем, а? +- Катя, прыгай! +- Ой, я боюсь, ой! +- Отдай чемодан! +- Отдай чемодан-то! +Ой, Пашенька, не правильно я сделала, мне же ехать надо! +- Что, опоздали, молодые люди? +- Нет, не опоздали, наоборот, успели! +- Пойдём? +- Пойдём! +"О чем я печалюсь, О чем я грущу, +Одной лишь гитаре открою. +Девчонку без адреса всюду ищу +И днем, и вечерней порою. +Быть может, она далеко-далеко. +Быть может, совсем она близко. +Найти человека в Москве нелегко, +Когда неизвестна прописка". +- Раз, два, три, четыре, пять. +- Бабушка, что же ты меня считаешь? +Я же не чемодан. +- Чистое наказание, господи! +Товарищ начальник, где останавливается 10-й вагон? +- Вон конец платформы, бачите? +- Вижу. +- Так це не там. +Будку бачите? +- Вижу. +- Це тоже не там. +Вот дальше будки будэ 10-й вагон. +Торопитесь, бабуся, бо поезд стоит 1 минуту. +- Батюшки, да как же я там успею? +! +Там так высоко. +Как я там вскарабкаюсь, когда у меня столько вещей? +! +- Бабушка, я вам помогу! +- Спасибо, милая. +- А вы-то чего стоите? +- Чистое наказание! +- Платформу построить не можете, так хоть помогите. +- Це не наша забота. +- Как это не ваша забота? +! +Берите-ка! +Так, пошли! +Почему это у вас такие платформы короткие? +Это неверно! +- Це не от нас зависит. +- А от кого? +- От управления дороги. +Мы сей вопрос уже не раз ставили. +- Бабушка, хочу! +- Ну вот что еще надумал. +Чистое наказание! +- Садитесь, бабуся! +Так, поихалы. +- Большое вам спасибо. +Только вы не вопросы ставьте, а платформы. +- Значит так, 66 на 23 в вашу пользу. +- Бабушка, если что нужно будет, я помогу вам. +Здравствуйте. +- Здравствуйте. +- Где тут 14 место? +- Здесь, пожалуйте. +- Сейчас девушка с нами сыграет в подкидного. +Да? +- Я не играю. +- А на балалайке вы играете? +- Нет, не играю. +- Тогда на гитаре, для первого знакомства. +- А мы с вами не знакомы. +- Все равно познакомимся. +- Вряд ли. +- Все! +Кончилась наша тихая мужская жизнь. +- Может, хватит? +- Согласен. +Перерыв. 66 раз проиграли. +- Говорят, кому в карты не везет, тому в любви везет. +- Не всегда. +- Поднимите-ка ноги. +- Напрасно вы. +Придет проводник и все уберет. +- Вам перед проводником не стыдно? +- Стыдно. +- Это вам нужно? +- Пустые не нужны. +- С перчиком девица-то. +- Язва. +- Молодой человек, это вагон для некурящих. +- Это вагон для курящих. +Но если вам не нравится, мы можем выйти. +Скажите, вы везде наводите порядки или только на транспорте? +- А вы их только на транспорте нарушаете или везде? +- Везде. +- Оно и видно! +- Пойдем покурим. +- Документ. +"Справка. +Дана Екатерине Ивановне Ивановой в том, что она работала в артели "Восход" и уволена по собственному желанию в связи с неуживчивостью характера. +Пред. правления Клячкин". +Здесь билет, деньги. +Так это нашей соседки. +- Ну что вы? +- Точно. +Сразу видно, что неуживчивый характер. +- Позвольте. +Гражданочка, это вы сейчас сели? +Ваш билетик. +- Отдайте. +- Я просто не знаю, куда он делся. +Мне штраф придется платить? +- Правило гласит: "За потерю билета отвечает потерявший ". +- Вы тоже нарушаете порядки. +- Послушайте, оставьте меня в покое! +А штраф большой? +- Не беспокойтесь, не придется вам штраф платить. +Вот ваши документы. +- А зачем вы взяли чужой билет? +! +- Не кричите! +Я у вас их не брал, а нашел в коридоре, на полу. +Вместо того чтобы "спасибо" сказать, кричат. +- Большое спасибо. +- А сердце-то у вас, наверное, в пятки ушло. +Да? +- Еще бы! +- А вы куда едете? +В Москву? +- В Москву. +Да ладно уж, курите! +- Да ладно уж, не буду. +А за что же вас уволили? +- Да так, в связи с неуживчивостью характера. +- Клячкин? +- Угу. +- А кто он такой? +- Жулик. +- Как жулик? +- Он председатель артели. +Я его критиковать стала, а он меня уволил. +- А в Москву к отцу едете? +- Нет. +- К матери? +- Нет. +- К мужу? +- Нет, к деду. +У меня никого нет, кроме него. +А тут еще и уволили. +- А дед-то у вас работает? +- Угу. +Не хочет на пенсию уходить. +В райсовете работает. +- Значит, начальство? +- Да. +- Чем же он у вас заведует? +- Дверями. +- Как дверями? +- А так. +Вахтер он. +- А в Москве что собираетесь делать? +Работать? +- Ага. +И учиться. +У меня на Москву большие надежды. +- Артисткой собираетесь стать. +- Как вы догадались? +- Сейчас все девушки мечтают быть артистками. +- Хорошо бы стать артисткой. +Вот к нам оперетта приезжала, так я все постановки пересмотрела. +- А вы сами поете? +- Немножко. +- Спойте что-нибудь. +- Ну что вы! +Уже все спят. +- А вы тихо. +Сейчас. +- Нет-нет. +- Тихонько. +- Ладно. +А про что вам спеть? +- Про любовь. +- Про любовь? +Я тут недавно песню слышала, она не совсем про любовь, но все-таки. +С малых лет мы рядом жили, По одним дорожкам шли. +С малых лет мы с ним дружили, С малых лет мы с ним дружили, +И учились, и росли. +А теперь со мною встречи Он боится как огня. +Ходит мимо каждый вечер, Еле смотрит на меня. +Объясните, если можно, Почему он стал такой? +Мне и грустно, и тревожно, Мне и грустно, и тревожно. +Потеряла я покой. +На меня он смотрит строго, И никак я не пойму, +Чем же этот недотрога, Чем же этот недотрога +Дорог сердцу моему? +А недавно долетело До меня на стороне, +Что он тоже то и дело Речь заводит обо мне. +На душе моей тревожно, Я не знаю, как мне быть. +Совершенно невозможно, Совершенно невозможно +Без него на свете жить. +И все. +- Вы поете хорошо. +- Правда? +Вам понравилось? +- Правда. +- А вы работаете или учитесь? +- Я дома строю. +Давайте познакомимся по-настоящему. +Зовут меня Павел. +Попросту +- Паша. +- Катя. +- Катя Иванова с неуживчивым характером, все знаю. +Спойте еще что-нибудь. +- Что вы, уже пора спать. +Спокойной ночи, Паша. +- Спокойной ночи, Катя. +К 3-й платформе прибывает поезд 43 "Сочи-Москва". +- Катя, а можно я вас провожу? +- Что вы, я сама дойду. +- Всего хорошего. +- Счастливо. +- До свидания. +- А вы можете заблудиться в Москве. +- А я не заблужусь. +- Но мне в ту же сторону. +- В какую? +- Туда, куда и вам. +- В какую? +Вы же моего адреса не знаете. +- Вот я его и узнаю. +Катя! +Подождите меня. +Хорошо? +- Я жду. +- Что вы наделали? +! +Всю мою диету рассыпали. +- Гражданка, разрешите пройти. +- Подождите, молодой человек, мы еще не кончили сбор фруктов. +- Катя, обождите, сейчас я. +- Да вы что, с ума сошли? +! +- Катя, вы идите, я выйду с другой стороны. +- О, Катерина! +- Ой, дедушка! +- Выровнялась-то как! +Невеста. +- Здравствуйте. +- Второй день к этому поезду выхожу, как письмо получил. +Это что же, все твое приданое? +- Все. +- Ну пошли. +- Подождите, дедушка! +Народ схлынет, и пойдем, а то затолкают. +- Пошли, мы сами всех затолкаем. +- Дедушка, подожди. +У меня туфель расстегнулся. +- Ну вот, нашла место. +Все? +На. +- У меня еще правый. +- Уж не провожатого ты какого ждешь? +- Что вы, дедушка. +- Пошли. +- Вон Павел! +- Здорово, Павел! +Вылезай! +- Минуточку, здесь меня один товарищ ждет. +- Какой товарищ? +- Обождите. +- Паша! +Паша! +- Обожди, сейчас. +- Паша! +Куда ты? +- Катя! +- Паша! +- Катя! +Адрес! +Адрес скажи! +- Николо... +- Паша! +Уехал товарищ? +До свидания, хороший товарищ. +- Слушайте, какие улицы в Москве начинаются с Николо? +.. +- Николо-Дураковкий. +- Николо-Запьянцовский. +- Николо-Святовский. +- Я серьезно спрашиваю! +ВЕСЕЛАЯ МУЗЫКА +- Ну вот и приехали. +Место моей работы - районная советская власть. +А в этом доме я живу. +Пойдем. +Вон. +В 41-й квартире. +- Дедушка, я не виновата. +Я просто стерпеть не могла. +А ведь меня по собственному желанию уволили. +- Варенье бери. +Должен тебе сказать как человек с опытом, как выходец из прошлого века, что на людей бросаться зря не нужно. +И иногда характер свой попридержать полезно. +- Дедушка, а я зря на людей никогда не бросаюсь. +Я просто не люблю, когда они неправильно поступают. +- Как ты узнаешь, правильно или нет? +- Это же ясно, дедушка! +- Как? +- Правильно - это по-советски, а неправильно - это не по-советски. +Это каждый ребенок разберет, а я уже 7 классов кончила! +- Это так. +Но ты, Катерина, по молодости лет и ошибиться можешь. +Хорошо, что у тебя дед жив, человек с положением. +А не будь меня - пропадешь. +- Это вам, дедушка. +- Спасибо. +Что же касается твоего трудоустройства - с Семен Петровичем поговорить надо. +Наш домоуправ. +Подумаем, куда шагнуть, это тоже выбрать надо. +Если улицы Москвы вытянуть в одну, +То по ней пройдете вы через всю страну. +Если лестницы Москвы все сложить в одну, +То по ней взберетесь вы прямо на Луну. +Вот она какая - Большая-пребольшая, +Приветлива со всеми, Во всех сердцах жива +Любимая родная Красавица-Москва. +Заблудиться можно в ней ровно в пять минут. +Но она полна друзей - И тебя найдут. +Приласкают, ободрят, скажут: "Не робей". +Звезды красные горят по ночам над ней. +Вот она какая - Большая-пребольшая, +Приветлива со всеми, Во всех сердцах жива +Любимая родная Красавица-Москва. +Днем и ночью, как прибой, все кипит вокруг. +Но когда-нибудь с тобой встречусь я, мой друг. +Я одна теперь пою, а тогда вдвоем +Эту песенку мою мы с тобой споем. +Вот она какая - Большая-пребольшая, +Приветлива со всеми, Во всех сердцах жива +Любимая родная Красавица-Москва. +- Ничего получается. +- Ой, дедушка. +- Ты что, в постановках играла? +В самодеятельной художественности? +- Угу. +- Ну и как? +Голос есть, нет? +- Я не знаю. +Мне однажды почетную грамоту присудили. +- У меня знакомый есть по этой части, человек искусства. +В Театре оперетты работает. +- Оперетты? +- Да. +Гардеробщиком. +Большой знаток. +Я его попрошу проверить, что у тебя - талант или просто так, почетная грамота. +- А в справочной что тебе сказали? +- Запутался я совсем. +- Чего? +- На одну Москву приходится 2 Николо-улицы, 10 Николо-переулков и 2 Николо-тупика. +- Так. +- Если улицы не брать в счет, получается 12 переулков. +В каждом переулке по 20 домов. +Я помножил 12 на 20 и получил 240 домов. +- Вот это. +А 4800- что такое? +- А это - в каждом доме по 20 квартир. 20 помножить на 240- получается 4800 квартир. +- Это тебе все придется обойти? +- А что делать? +- Сколько же времени на это надо? +- Если я в день буду проходить по 30 квартир... +- Конечно, 100 ему не обойти. +- То получается 160 дней. +- Это полгода. +- Не считая улиц. +А если с улицами, то вообще астрономия. +- Знаешь, Паша, возьми отпуск на месяц, а потом месяца 2 у тебя бюллетень будет. +- А зачем бюллетень? +- Наверное, без выходных работать будешь, устанешь. +- Паша, а ты помнишь, на каком автобусе она с вокзала уехала? +- Что ты! +В этой суматохе я не разобрал. +То ли 4, то ли 14. +- Слушай, Паш, завтра узнаем, в районе каких Никол проходят 4-й и 14-й. +И для начала прочешем эти районы. +- Правильно. +Клавочка! +Клав, ты что, заснула? +Давай-ка панель сюда. +- Паша, я тебе сейчас стихотворение Степана Щипачева прочитаю. +Чего-чего? +- "Любовь пронес я через все разлуки И счастлив тем, что от тебя вдали". +- Клава, мне панель нужна, а не Степан Щипачев. +Слышишь? +Ну что с тобой? +- Павлушенька, это мое сердце бьется. +Слышишь? +- Не слышу. +Давай панель, Клава. +- Тимофей Тимофеевич, сейчас мы исполним арию графини из оперетты "Мальчик-гусар". +Катерина. +Я в жизни, Арнольд, Повидала немало. +Я много любила, Я много страдала. +Ты мальчик, Арнольд, И тебе не понять, +Что значит, что значит Любить и страдать. +- Графиня. +- Дитя, позабудь о несчастной графине. +С тобой я встречаться не стану отныне. +Усталое сердце давно без огня. +Все в прошлом, Арнольд, у меня. +- Молю, останься. +- Арнольд, моему ты последуй совету: +Вели запрягать поскорее карету. +Расстаться, Арнольд, наступила пора. +Любовь. +Любо-овь - +Рокова-а-ая игра! +- Выйди-ка. +Что скажешь, Тимофей Тимофеевич? +- Хороша. +Но не подойдет. +- То есть? +- Каскаду у нее не хватает. +- То есть таланту? +- Нет, талант талантом. +А каскад - это талант с каскадом. +- А без каскаду нельзя? +- Можно, но только во МХАТ или в Малый. +А у нас такие артисты только для статистики. +- Не понял. +- Статистами. +- В представлении не применяются? +- Они представляют шум за сценой или графиню безмолвную. +Но ежели талант с каскадом, то это другое дело. +- А Катерина-то? +- Артистка должна быть фигуристой, в глаза бросаться всем антуражем. +Может, ее попробовать сунуть во МХАТ? +Там у меня приятель из нашей артели. +Ведь у нас пой, пляши и публику весели. +Одно слово - оперетта. +Знаю я одно прелестное местечко. +- Знаю я одно прелестное... +Катерина! +Не берет он тебя в актрисы. +Говорит, не подходишь ты ему. +Не дуй губы-то, актриса! +Не бойся, устрою не хуже. +Лифтершей будешь. +Там каскаду не нужно! +- Не буду я лифтершей. +- Знал бы, не звал бы тебя, старая вешалка. +- Ну, знаете! +После таких слов прошу больше не рассчитывать на контрамарки! +Тьфу! +- Тьфу! +"О чем я печалюсь, О чем я грущу, +Одной лишь гитаре открою. +Девчонку без адреса всюду ищу +И днем, и вечерней порою. +Быть может, она далеко-далеко. +Быть может, совсем она близко. +Найти человека в Москве нелегко, +Когда неизвестна прописка. +Ах, адресный стол, Вы ученый народ, +Найдите ее по приметам. +Глаза словно звезды, и брови вразлет, +И носик курносый при этом. +"В Москве, - отвечает ученый народ, - +Бессмысленны ваши запросы. +100 тысяч девчонок, Чьи брови вразлет, +И полмиллиона курносых". +Со смены отправлюсь на поиски вновь, +Лишь вечер над городом ляжет. +Надеюсь я только, друзья, на любовь, +Она мне дорогу подскажет". +- Давай подытожим. +В 41-й квартире никого не оказалось, в 42-й вообще не стали разговаривать. +- По шее дали. +- В 43-ей... +- В 43,44,45 Джульетты твоей не было. +Нет, Паша, так будем искать - ножки протянем. +- Я тебя не заставляю, можешь не ходить. +- Ты не сердись. +Вспомни, что она еще говорила. +Чтобы один ориентир настоящий был, кроме этого Николы. +- Про деда она говорила. +- Ну? +- Дед у нее есть. +- Ты представляешь, сколько в Москве дедов? +Начнешь дедов умножать-делить - такая арифметика получится. +- Да, про оперетту она говорила. +Любит она оперетту. +- А ты любишь оперетту? +- Люблю. +- Простите, вы любите оперетту? +- Не знаю. +- Любите, спасибо. +Все любят, я тоже. +- Знаешь, дед у нее работает... +- Что тебе дался дед? +- Он работает в рай... +- Спокойно. +Главспирт? +- Нет. +Рай... +- Здравотдел. +- Нет. +- Райсобес. +- В райсовете вахтером. +- Что ж ты раньше молчал? +Это самое главное. +Товарищ старшина, сколько в Москве районов? +-25. +-25 районов - 25 райсоветов - 25 вахтеров. +Считай, что мы ее нашли! +Пойдем. +- Пошли. +- Паша! +- А! +- Куда ты пошел? +- В райсовет. +- Рабочее время кончилось. +- Да? +Знаешь, давай зайдем в 41-ю квартиру... +- Паша, видишь дворника? +- Ну и что? +- Он смотрит, ходят два здоровых парня по квартирам, черт-те что подумает. +Пойдем сейчас домой, а завтра с утра по райсоветам. +- Ну пойдем. +- У него вся соль в кнопке. +Нажал и поехал. +Дело простое. +- Я понимаю, Семен Семеныч. +- Начальство не надо перебивать. +Заходи. +Гляди сюда. +Мне надо на 5-й этаж. +Что я делаю? +Нажимаю 5-ю кнопку и еду. +Заело. +Заело с 5-й? +Действуй по утвержденной мною инструкции. +Вот висит в рамочке. +Бери 7-й этаж, потом "стоп". +Потом обратно 5-й. +Стоим. +Так? +Не едем. +На этот случай все предусмотрено. +Жми аварийную! +ЗВОНОК +Замыкание. +И на этот случай все предусмотрено. +Слушай, надо бежать за монтером. +- А нельзя его насовсем починить? +- Можно. +Да руки до всего не доходят, а у меня их только две. +Понятно? +Я теперь в сторону культработы рокировался. +Организовал уголок тихих игр. +Шахматы, шашки. +А то от ребячьего футбола... +- Все в порядке. +Лифт работает. +- Спасибо. +Куда, куда вы удалились? +Весны моей... +Эй! +Безобразие! +Выньте меня отсюда! +Сейчас же! +- Не волнуйтесь, пожалуйста. +7- ю нажмите, 2-ю и 5-ю. +- Ничего не получается. +Жму, не идет. +- Тогда так: 1-ю, аварийную, потом 5-ю. +ЗВОНОК +- Звонок работает, а лифт - нет. +- Почитайте, там свежие газеты лежат, а я за монтером сбегаю. +- Я на концерт опаздываю! +- А вы артист? +- Ну да. +- Тогда я для вас все сделаю! +Семен Петрович, я так больше не могу! +- Что за крик? +! +Ты понимаешь, куда ворвалась? +- У нас там человек! +Артист! +- Я тут комбинацию обдумываю. +- Артист в клетке, а вы тут комбинируете! +Перед людьми совестно! +- В самом деле, Семен Петрович! +Лифт у нас давно в цейтноте! +- Не надо перегибать, товарищи жильцы. +Лифт застревает иногда, но на короткие сроки. +Сколько сидит сегодняшний? +-20 минут! +- Всего 20 минут. +Норма. +Ты, товарищ Иванова, рассуждай в своем пешечном масштабе, не строй из себя ферзя. +- А я этого... +- Ферзя. +- ... из себя не строю! +Я душой за дело болею! +- Тихо. +Это комната для тихих игр, а не дискуссий. +Понятно? +Делаю ход конем на С-6. +- Я тоже сделаю ход конем. +- Что? +- Ты зачем на него жаловаться ходила? +- Я сначала его по-хорошему просила починить машину, чуть не плакала. +- Чуть не плакала. +У человека по твоей милости неприятности. +И на мне это отзывается. +- А это вы неправильно, дедушка, говорите. +- Как ты можешь на родного деда критику наводить? +! +- А если вы неправильно говорите. +У нас большой и замечательный дом. +А из-за такого вот ферзя люди и страдают, застревают между этажами. +И какие люди! +- Люди страдают! +А я - не люди? +Ходил, старый дурак, в ножки кланялся! +Просил! +Московскую прописку тебе отхлопотали! +А ты? +Отблагодарила! +Где ты еще такую работу найдешь? +На улице она не валяется! +- А вы мне работу не ищите, я сама найду. +- Сама! +Где? +Артистки из тебя не получилось, лифтерши не вышло. +Не будет из тебя толку. +Если ты на шее сидишь, так хоть помалкивай. +- Последний райсовет, последний вахтер. +Если уж здесь нет! +.. +- "Дорогой дедушка, вам сердиться вредно. +Вернусь, когда из меня выйдет толк. +Большое спасибо за все. +Ваша внучка Катя". +- Здрасте. +- Здрасте. +- Поздновато. +Вы по какому делу в райсовет, молодые люди? +- Вы Иванов? +- Ну, Иванов. +- А у вас внучка... +- У вас есть внучка Катя Иванова. +- А вы кто такие будете? +Что вы про нее знаете? +- Он с ней в поезде в Москву ехал. +- В одном купе. +- Так это из-за тебя у ней на вокзале все время обувь расстегивалась? +! +Нету внучки. +- Как нету? +! +- Ушла. +- Куда? +- В неизвестном направлении. +Семилетки кончаете, а родному деду подобные коммюнике пишете. +Чему вас учат-то? +Ушла. +- Дедушка, вы ее, наверное, обидели? +- А что такое я ей сказал? +Ничего особенного я ей не говорил. +- Разве можно? +! +Вы ей дед! +- Так я ей родной дед, а не попутчик! +Я имею полное право и поучать. +А она ушла. +Пропадет теперь. +Характер-то какой! +Да и попутчики разные бывают. +Обидеть могут. +Да и движение какое! +Москва! +- Ой! +Нельзя же так пугать людей! +Чуть не умерла! +- И зачем только таким права дают! +- А вы в суд на нее подайте! +- При чем здесь суд? +Товарищ начальник, это не несчастный случай, а счастливая встреча. +Я встретила подругу. +То есть племянницу подруги. +И слегка затормозила. +Верно, милочка? +- Верно? +- Можно ехать, товарищ начальник? +- Пожалуйста. +- Пойдем, милочка. +Спасибо. +- Что за безобразие! +Так будут давить среди бела дня! +СВИСТИТ +- Дорогу! +- Как вы себя чувствуете, милочка? +- Ничего. +У меня локоть разбит, и я испугалась, когда вы на меня наехали. +- Куда вас отвезти? +- Я не знаю. +- Вы, наверное, недавно в Москве? +- Недавно. +- Оно и видно. +Вы совершенно не умеете переходить улицу. +Вы работаете? +- Да... +Нет, сейчас не работаю. +- Имеете жилплощадь? +- Нет. +Да, но сейчас не имею. +- У вас действительно все цело, милочка? +- Все. +А что? +- Я вам помогу. +Сама судьба бросила вас под мои колеса. +- А дед что сказал? +- Он сам ничего не знает. +Он получил от нее открытку. +- И что? +- Жива-здорова. +Обратного адреса нет. +- Бесполезно ее искать. +- Между прочим, есть еще один вариант. +- Какой? +- В справочной мне сказали, что в Москве проживает 2137 +Екатерин Ивановых. +- И что? +- Надо узнать адреса и обойти их всех. +Что смеешься? +- Так, ничего. +СМЕЕТСЯ +До самой старости будешь искать. +Борода во, в руках палка: +"Дедушка, вам кого?" - "Мне Катю Иванову". - +"Бабушка, вас дедушка спрашивает". +- Тебе смешно, а мне кажется, что я ее все равно найду. +Душа ни по ком до сих пор не страдала, +Но ты повстречалася мне. +Куда же ты скрылась? +Куда ж ты пропала? +Неужто приснилась во сне? +Куда же ты скрылась? +Куда ж ты пропала? +Неужто приснилась во сне? +По мне это, может, совсем не заметно, +Но я уж такой человек, +Что если дружу, то дружу беззаветно, +А если люблю, то навек. +Ты знаешь, мне кажется, что она на Таганке живет. +- Почему? +- На открытке стоит штемпель +Таганского почтового отделения. +- Она может жить в Малаховке, а открытку бросила на Таганке. +- Нормальные люди где живут, там и бросают. +- Так то нормальные. +Пускай ненароком исчезла ты где-то, +Имей, дорогая, в виду, +Что я за тобою пойду на край света. +А надо - и дальше пойду. +Что я за тобою пойду на край света, +А надо - и дальше пойду. +Завтра на Таганку пойдем, да? +- Пойдем. +- Катя, со стола можно убрать. +Масик! +Ты будешь болеть или пойдешь на работу? +- Я, Кусенька, поболею немножко. +- Правильно, поболей, Масик, все равно не оценят. +- Кусенька, а ты уезжаешь? +- Да. +У меня в 11 психическая гимнастика, а потом массаж нижних конечностей и гомеопат. +Катя! +Оставьте вазу. +Это богемское стекво! +Его нельзя трогать, на него можно только молиться. +Она становится невыносимой. +Масик. +- Кусик. +- Что хочет Масик, чтобы Кусенька ему привезла? +- Масик хочет водочки. +- Водочки? +Успокойся, Масик. +Привезу, мой красавчик. +Привезу, мой ангел. +Оставьте книги! +- Пыль же, Раиса Пална. +- Это не та пыль, с которой надо бороться, она неподвижная. +Масик, присмотри за этой. +- А что? +Она ничего. +Вообще... старательная. +- Масик! +Опять? +- Кусик. +- Что "Кусик"? +Ну что "Кусик"? +Что такое домработница? +Домработница - это внутренний враг. +- Я знаю. +- Хватит! +Обожаю. +Не так, Катя! +- А как, Раиса Пална? +- Надо любить свой труд. +Труд облагораживает человека. +Что такое домработница? +Домработница - это директор домашнего хозяйства. +Вы занимаете ответственный пост. +В общем, вот так. +Плохо у вас получается, Катя. +Я скоро вернусь. +Без меня ничего не делайте. +Только сходите за папиросами для Василь Никодимыча, постирайте занавески, вымойте пол в кухне, купите все на обед, перетрясите коврики, почистите ножи и вилки. +А когда я вернусь, будете готовить обед под моим руководством. +- Доброе утро. +- Доброе... утро? +Возможно. +Что, брат, достается? +Птичка Божия не знала Ни заботы, ни труда. +В домработницы попала. +Ла-ла-ла... +- Отстаньте, Василь Никодимыч! +- А что мне будет, если я отстану? +- Пустите же! +- А что мне будет, если я пущу? +- Пустите! +- Тряпка-то, негигиенично. +Алло. +Да, Комаринский. +В чем дело? +Что? +Из Госконтроля? +Я уже еду. +Скажешь Раисе Палне, что меня срочно вызвали в контору. +- Вахтер Иванов слушает. +Алло. +Я, девчоночка, жила, забот не знала, +Словно ласточка, свободною была. +На беду свою тебя я повстречала. +Позабыть, как ни старалась, Не смогла. +Позабыть, как ни старалась, Не сумела. +Завладел моей ты девичьей судьбой. +Уж давно веселых песен я не пела. +Неужели мы не свидимся с тобой? +Ты ушел и не воротишься обратно. +Одинокой навсегда останусь я. +Годы лучшие проходят безвозвратно, +И проходит с ними молодость моя. +Я, девчоночка, жила, забот не знала. +Словно ласточка, свободною была. +Повстречала я тебя и потеряла, +Потеряла в тот же час, когда нашла. +Ой! +А! +- Картина ясная! +Кран забыла закрыть! +Ох и влетит теперь тебе. +- Безобразие! +- Пустите меня! +Боже мой! +Сплошной кошмар! +Что тут случилось? +- Маленькое наводнение на два этажа! +За ваш счет! +- Вы понимаете, что вы наделали? +Зачем вы полезли в ванну? +- Я ничего не наделала. +Я убираюсь, и вдруг вода. +- Кто же, по-вашему, открыл кран? +- Это, наверное, Василь Никодимыч, перед тем как на работу уйти. +- Какое право вы имеете обвинять ответственного работника? +! +Вы лжете! +О! +Какая дорогая вещь! +- Я не лгу! +- Боже мой! +Мой персидский ковер! +Мы разорены! +Вы лжете! +Вы мне за все ответите! +- Раиса Пална, я кран не открывала! +- А я это проверю. +И горе вам, если вы солгали! +- Проверьте! +- Алло. +- Алло. +Алло. +Алло. +- Масик, ты болвасик! +Ты забыл закрыть кран в ванной! +- Как я мог? +! +- У нас теперь наводнение! +- Куся, я... +- По колено вода. +Ты забыл закрыть кран! +Ты понимаешь, что ты наделал? +! +Мы совершенно разорены. +- Дай ей по собственному желанию, и пусть идет на все четыре стороны. +- Лгунья! +- Я не лгунья. +Я правду сказала. +- Что вы стоите? +! +Ковер спасайте! +Вы должны в ногах у меня валяться, прощения просить. +Если бы я тогда на вас не наехала, вы бы давно погибли, как швец под Полтавой. +- Швед, а не швец. +- Как вы смеете меня поправлять? +! +- А если вы неправильно говорите. +- Дерзкая девчонка! +- Вы не кричите на меня! +Я вам благодарна за наезд на меня! +Но тот наезд я вам отработала. +А теперь я ухожу от вас! +И пусть все ваше богемское стекво кто-нибудь другой обслуживает! +А с меня хватит! +- Прекрасно! +Собирайте вещи и убирайтесь! +По обоюдоострому желанию! +- Куда сейчас поедем? +- Новоспасский тупик. +- Вот так. +Новоспасский, Николо-Спасский. +Так доездимся... +Садитесь, пожалуйста. +- Спасибо. +- Граждане, берите билеты. +- Будьте добры, один до конца. +- Извините, я забыла деньги. +Я сейчас сойду. +- Пожалуйста, я уже взял. +- Что вы, не нужно. +Я все равно сойду. +- Я уже заплатил. +- Хорошо. +Дайте ваш адрес, я перешлю вам деньги. +- Зачем? +Мы сойдем вместе, и вы отдадите мне долг. +- Пожалуйста. +- Ты куда? +- Не могу я такие деньги на ветер бросать. +"Набережная". +Следующая - "Новоспасский". +- Серьезно, надолго? +- Боюсь, навсегда. +- Ну, привет. +- Скажите, пожалуйста, Екатерина Иванова в этой квартире живет? +- В этой. +- А ее можно видеть? +- Почему бы нет. +Вы проходите. +Она на кухне сейчас. +Вы идите по коридору, но там темно, у нас лампочка перегорела. +Вы потом свернете налево. +Потом прямо, потом опять налево. +Увидите дверь. +- Ясно. +- Вы туда не входите, идите дальше, там будет еще одна дверь. +Вы тоже не входите, идите дальше. +Попадете в маленький узенький коридорчик, из него прямо и упретесь в кухню. +И перед вами она. +- Она? +- Да. +Понятно? +- Я разберусь. +Спасибо. +Можно? +Черт! +Понаставили чего-то. +Скажите, пожалу... +- А-а! +- Катя, Катечка. +- А-а-а! +- Да что вы кричите? +- Что? +- Что там? +- Бандит. +- Где? +- В ванной. +- Да не может быть. +- Не открывать! +- Откройте! +Слушайте, я не бандит. +- Идите скорей в милицию. +- Может, сами разберемся? +- Конечно сами! +- Ни в коем случае! +Только через мой труп! +- Я не бандит, откройте. +Я вам все объясню. +Ой! +- Феоктист Феоктистыч. +- Я здесь. +- Узнайте, сколько их там. +- Скорей! +- Вы здесь стерегите, а мы пойдем вооружаться. +Откройте! +- Если бандиты взломают дверь, бросайтесь на них и кричите. +- Если я кинусь, потом не поднимусь. +- Вы же мужчина. +- Но ведь он тоже мужчина, пусть он и кидается. +- Я не мужчина, а ответственный сьемщик! +Оставайтесь! +А остальные за мной. +- Слушайте, товарищ Феоктистыч, если вы мне не откроете, я взломаю дверь. +Квартира умалишенных! +- Молодые люди, имейте в виду, у меня в руках горячее оружие. +ГРОХОТ +- Ну что? +Откройте! +- Здрасте. +- Товарищ милиционер. +- Где бандиты? +- Вот здесь, в ванной. +- Я ответственный съемщик! +- Тихо, граждане. +- Их там много. +- Выходите по одному. +Все выходите! +- Все - это я один. +- Какой симпатичный! +- Как вы сюда попали, гражданин? +- Я пришел к Ивановой Екатерине Ивановне. +- Я так и думала! +- Я первый раз его вижу! +- Вы к ней пришли? +- Не к ней я приходил! +- Пройдемте. +- Правильно. +- Я должен переодеться! +- Руки пусть поднимет. +- Я не виноват совсем. +- Попрошу в машину. +- Зачем в машину? +Я вам все объясню. +- Спокойно. +- Да не поеду я никуда! +- Руки вверх! +- Товарищ лейтенант, адреса. +- Ну и что? +- Все ясно. +- Вы мне ответите. +- Подождите! +Товарищ начальник. +- В чем дело, гражданочка? +- Сейчас одного человека на машине увезли. +За что? +- Мало ли за что. +Может, он в квартиру залез. +А может, еще что-нибудь похуже. +Тогда крепко могут дать. +- А куда его повезли? +- В отделение. +А вы что? +Он вам знакомый? +Или, может, родственные отношения? +- Знакомый! +- Нет, комсомольская характеристика не нужна. +Дело ясное. +Тут пришли ваши ребята. +Савельев? +- Я Савельев. +- И Дубонос. +- Он Дубонос. +- Савельев и Дубонос. +Ручаются. +- Ручаемся, конечно. +- Я тоже думаю, верить можно. +Всего хорошего. +Так вот, граждане, ошибочка произошла. +Вы уж его извините, пожалуйста. +- Извините, пожалуйста. +- Пожалуйста, это так романтично. +- Если нужно, заходите еще. +Будем рады. +- Нет уж, спасибо. +- Тем не менее бдительность остается бдительностью. +- Бдительность тут ни при чем. +В следующий раз влюбляйтесь в девушек с точным адресом и с менее распространенной фамилией. +Ясно? +- Девушка, дождь идет. +- Ну и пусть идет. +- Вы бы домой шли. +- А у меня нет дома. +- Как нет дома? +- А вот так. +Нет. +- Знаете, пошли ко мне. +Я живу недалеко, за углом. +- Не пойду я никуда. +- Пошли. +Так можно и простудиться. +Берите чемодан. +Скорее! +Пей чай. +Кушай как следует, не стесняйся. +- Спасибо. +И так вторую чашку уже. +- Согрелась? +- Угу. +- Бери сыр, колбасу. +Ешь. +- Я не хочу больше, наелась. +Спасибо. +- Катя, ты у меня пока останешься. +Сестра приедет нескоро. +За это время ты успеешь устроиться на работу. +На. +- Большое спасибо. +- А что же дедушка, так о тебе ничего и не знает? +- Нет. +- Все-таки дед. +Я бы на твоем месте ему позвонила. +- Я иногда ему звоню, только не отвечаю: если на работе, значит здоров, - а потом вешаю трубку. +- Я сама такая, никогда не начну первая, если меня обидят. +- Самое обидное, что он правду сказал. +Что я из себя представляю? +Ничего. +Чего я добилась? +- Ничего, утро вечера мудренее. +Самое главное, тебе надо устроиться на работу. +ВЕСЕЛАЯ МУЗЫКА +- Значит, и я тоже виноват, раз ты могла такое подумать. +Спасибо. +Но о любви я тебе никогда не говорил. +- "О любви не говорят, О ней все сказано". +- Это только в песне поется. +- В кино ходили? +Два раза. +- Ну и что? +- На танцы приглашал? +- Приглашал. +- Целовались. +- Когда? +- Как когда? +- Один раз. +- Три! +- Какое это имеет значение, Клава? +- Может, любишь? +- Неудобно, люди же кругом смотрят. +Сердцу ведь не прикажешь. +Не плачь, Клавочка. +Девушка, посчитайте нам, пожалуйста. +- А ту нашел? +- Кого? +- Ну, с которой в поезде познакомились. +- Нет. +- Вахтер Иванов слушает. +Алло. +Катерин, это ты? +Брось баловаться! +Отвечай! +Молчишь? +Ну молчи. +А ко мне приходил попутчик твой. +Видный такой парень. +Забыл, как его имя-то. +- Когда он приходил? +Ой, дедушка, здравствуй. +Тут что-то с трубкой. +- Давно. +Сразу как ты сбежала. +Ты когда домой вернешься, Катерина? +- Дедушка, из меня еще толк не вышел, как выйдет - сразу приду. +Я живу хорошо. +Работаю. +Вы за меня не беспокойтесь. +- Сейчас же ступай домой! +Непутевая! +Какую моду взяла! +От родного деда бегать. +Катерина, ты слышишь меня? +Я, признаться, проявил Глупость бесконечную: +Всей душою полюбил Куклу бессердечную. +Для нее любовь - забава, +Для меня - мучение. +Придавать не стоит, право, +Этому значения. +Не со мной ли при луне Пылко целовалася? +А теперь она во мне Разочаровалася. +Для нее любовь - забава, Все ей шуткой кажется. +Кто ей дал такое право Надо мной куражиться? +Позабыть смогла она Все, что мне обещано. +Вам, наверно, всем видна В бедном сердце трещина. +Для нее любовь - забава, Для меня - страдание. +Ей - налево, мне - направо. +Ну и до свидания. +- Ну вот мы и пришли. +- А завтра, Оленька, пойдем в кино. +- Вдвоем? +- Вдвоем, я билеты взял на последний сеанс. +- Ой, еще и на последний. +- А что? +- Нет, я возьму подругу. +А вы возьмите приятеля. +- Ну, Оленька, кино-то вдвоем интереснее смотреть. +- Почему интереснее? +- Почему, почему... +За что это, Оля? +- Мы только второй раз с вами встречаемся, а вы безобразничаете. +- Не второй, а третий. +- Это все равно! +Вот вы какой. +Нате ваши цветы! +- Оля! +Я не хотел вас обидеть. +Я думал, что... +- Что думали? +Разве вас девушки никогда не били за такое хулиганство? +- Никогда. +Даже наоборот. +- Значит, вы с плохими девушками встречались. +До свидания. +- Оля! +Я даю вам честное слово, что этого никогда больше не повторится без вашего на то разрешения. +Оля, можно я возьму возьму билеты на завтра на четверых, на последний сеанс? +Можно, Оля? +- Можно. +Встретимся возле кино. +- Хорошо. +Я вас провожу, а то темно на лестнице. +- Не нужно, я сама. +До свидания. +- До свидания. +- Катя, пойдем завтра с нами в кино. +- Я вам мешать только буду. +- Что ты! +Он с товарищем придет. +Познакомишься. +- Не нужно мне никакого товарища! +- Катенька, я прошу. +Ради меня, пойдем. +- Не нужно. +- Странная ты. +Это же Москва! +Как ты своего Пашу найдешь? +Ты даже фамилии его не знаешь. +- Ну где ты? +- Прости. +Ну как? +- Красив. +Только смотри, как бы она от тебя тоже не убежала. +- Ничего. +Моя не бегает. +У нее несколько другая привычка. +Будьте добры, зефира коробочку. +- Митя, а может, я не пойду с тобой в кино? +- Она подругу приведет. +- Ну и что? +Я еще 2 адреса достал. +- Первый раз в жизни я тебя попросил, и ты не можешь. +- Я могу, но... +В нашем распоряжении еще 50 минут. +Давай зайдем по одному адресу. +- Быстро? +- Быстро. +- Пойдем. +- Гражданин! +- Спасибо большое. +- Слушай, здесь открыто. +Пойдем. +- Пашка, вспомни ванную. +- Я теперь ученый. +Ничего не будет, идем. +Можно? +- Можно? +- Кто-нибудь здесь есть? +- Люди добрые, отзовитесь! +Ну вот так. +Примерно этого я и ожидал. +- Это хуже, чем ванная. +- Хозяин! +Есть тут кто-нибудь? +Как он смотрит. +Видишь? +Опоздаем. +- Слушай, она, наверное, не любит, когда с ней громко разговаривают. +- Давай тогда по-хорошему. +Вежливо. +Она же ученая. +Шарик, позвольте выйти. +- Шурик. +- Хорошая собачка. +- Почему они не идут? +Уже скоро начало. +- Он, наверное, забыл. +- Что ты! +Как он может забыть? +- Что же мы теперь делать будем? +- А что, если ее зефиром подкупить? +- Ты что, собаки взяток не берут. +- А мы попробуем. +Лобзик, на! +Скушай. +Вот так. +- Ну, теперь иди. +- Нет, ты иди. +- Ты кормил, ты и иди. +- Пойдем вместе. +- Пойдем. +Шагаем. +- Оля, бесполезно ждать. +Пошли домой. +- Нет. +Я останусь и ему все скажу. +- Ну как хочешь. +Я пойду. +- Аппетит-то какой-то нечеловеческий! +- Собачий. +- Что я Оле скажу? +Ведь не поверит. +- Слушай, у меня есть план. +Кидай ей зефирину. +Пока она будет кушать, я потушу свет, и в темноте пробьемся. +- Это идея. +- Давай. +- Только спокойней, Паша. +- Лаечка. +Ай! +Люди! +Ай! +Держи! +- Оленька, я вам сейчас все объясню. +- Я ждала вас только для того, чтобы сказать, чтобы вы не смели ни приходить ко мне, ни писать, ни звонить! +Забудьте мое имя и тот день, когда вы заплатили за меня в троллейбусе! +- Да выслушайте меня, Оля! +- Нет, нам необходимы молодые кадры, и они у нас должны быть. +- Вы неисправимый фантазер. +- Елизавета Тимофеевна, для художника необходима фантазия. +- Я член худсовета. +Мне фантазия абсолютно не нужна. +Мы должны внедрять, а не фантазировать. +- Елизавета Тимофеевна, посмотрите, какая очаровательная девушка. +- Я ничего очаровательного не нахожу. +- Девушка, вы с вашей внешностью могли бы найти занятие поинтереснее. +- Вы куда-то шли, ну и идите! +- Нет, боже сохрани! +Вы меня не так поняли. +Я хочу вам предложить интересную серьезную работу. +- Демонстрируются вечерние туалеты, созданные художниками-модельерами нашего экспериментального ателье. +- Елизавета Тимофеевна! +Люся заболела, и я не могу демонстрировать свою модель. +- Что вам сказала эта симулянтка? +- Она сказала, что у нее температура 39,2. +- У нее температура, а у нас - художественный совет. +Иванова, станьте сюда. +Размер ее. +Демонстрировать будете вы. +- Что вы, я даже не знаю, как в таком ходить! +- Советская девушка должна смело ходить в том, что мы внедряем. +- Мне же говорили, что я только рабочую одежду буду показывать. +- У меня от нее каждые 5 минут разрыв сердца делается. +Прежде всего вы не должны срывать работу. +Вы хотите стать срывальщицей? +- Нет, но Елизавета... +- Ведите ее в кабину. +- Идемте, Катя, идемте. +Елизавета Тимофеевна, ну как? +- На уровне. +Даже лучше, чем я ожидала. +- Елизавета Тимофеевна, здесь такой вырез большой. +Мне неловко. +- Почему вы высказываетесь, вы же не член худсовета. +Идите немедленно. +- Там никого... +- Идите. +Уберите все ваши руки и не падайте с лестницы. +- Неужели он тебя выгнал? +- Нет. +Кричал только: "Нет у меня внучки! +Если вы еще раз придете, вызову милицию". +Сумасшедший какой-то. +И она, наверное, вся в него. +- Слушай, Митя! +- Что? +- Эта девушка так похожа на Катю. +- Какая? +- Эта в белом. +- Докатились. +Видения начинаются. +- Она так похожа, только ростом чуть выше. +- Слушай, Паша, брось ты эти поиски. +Не бросишь - плохо кончишь. +Что она тебе далась? +Ты посмотри, столько девчат ходит. +- Катя! +Это же моя модель! +- Иванова! +Вы взбесились? +- Куда она? +Почему сбежала? +- Окружайте! +Догоняйте! +КРИКИ ЛЮДЕЙ +- Катя, куда вы? +! +- Остановите ее! +- Платье держите! +- Это невозможно! +Я за молодыми кадрами должна гоняться по всем улицам! +- Понимаешь, я его увидела и побежала, удержаться не могла! +А потом по собственному желанию. +- Что, неужели выгнали? +- Что ты! +Я сама. +Они меня поругали немножко, но ничего такого. +Знаешь, Оля, не по душе мне там, не нравится. +- Что же ты теперь будешь делать? +- Не знаю. +Уехать, что ли... +- Ну вот, новость какая. +Ты знаешь, я могу тебя устроить. +У нас на работе нужна курьерша. +Я завтра поговорю. +- Оленька, спасибо. +Опять ты меня выручаешь. +- Ну, как настроение? +- Хорошее. +- Смотри, чтобы все было аккуратно. +Чай пожиже, заварки не хватит. +- Ладно. +- Попьют сотрудники в перерыв чай и снова за работу. +- Оленька, а что это вы все пишете? +- Пишем разные бумаги и считаем разные цифры. +- А зачем все эти бумаги? +- Смешная ты. +Над нашей конторой есть еще одна контора, которая главнее нашей. +Она присылает нам свои бумаги, мы их переписываем и посылаем в контору, которая ниже нашей. +- Не понимаю. +Почему контора, которая выше нашей, не может бумаги прямо послать в ту контору, которая ниже? +- Вот странная. +Чай неси. +- Семен Семенович, возьмите на меня чай, я сейчас. +- Спасибо. +- Иванова, начальник очень занят. +Поставьте стакан на стол и тихонечко уходите. +Понимаете? +- Понимаю. +- Таким образом, в целом... +Написали? +- Написала. +- ... своевременность оборачиваемости поступающих директив своевременна и происходит точно в свое время. +- Иванова. +Что с вами? +- Ничего. +- Возьмите пакет и поезжайте на стройку. +- На стройку? +- Послушайте, девушка, вы тут всех знаете? +- Всех и все, а что? +- У вас тут один товарищ работает. +- У нас не один товарищ работает, у нас их сотни! +А зачем он тебе? +- Неважно. +- Ты учти, мы своих на сторону не отдаем. +Ты пакеты разносишь? +- Пакеты! +- Ну и волоки свой бюрократизм! +Не прохлаждайся! +Кому пакет? +- Прорабу. +Где он? +- Вон туда иди! +Стой! +- Ушиблась, дочка? +- Нет, ничего. +- Как же тебя так угораздило? +- А мне прораба нужно. +- Я прораб. +- Ой, наконец-то! +У меня для вас пакет. +Лично. +Срочно. +- О! +Я эти новости неделю назад знал. +Сидите там, директивы переписываете. +А с арматурой опять подвели! +Давай, сердешная... +книжку твою, распишусь. +И кому нужна эта ваша контора? +- Наша контора - необходимое связующее звено в сложной цепи взаимоотношений между главком и стройплощадками. +В свое время мы своевременно сигнализировали. +И я считаю своевременным поставить вопрос о несвоевременности сжатия нашего аппарата. +Нас надо не сжимать, нас надо расширять. +- Вы не согласны, товарищ Комаринский, что ваша контора превратилась в лишнюю инстанцию? +- Категорически не согласен. +- Это как же вы говорите - не лишняя? +Нас на стройке только "лишними" +и ругают. "Лишняя инстанция", "лишняя контора". +Со стыда можно сгореть. +А вы знаете, сколько эта лишняя инстанция казенного чая выпивает? +Рублей на 500 в месяц. +- Демагогия. +Безответственное выступление. +- Оля! +- Здравствуйте, Митя. +Вы извините, я в таком виде. +Наше учреждение закрыли. +- Здравствуйте, Оля. +- Здравствуйте. +- Значит, вы теперь тоже рабочий класс. +- Я случайно на вашу стройку попала. +- Это же великолепно, что вы попали именно на нашу стройку! +Хотите к нам в бригаду подсобницей? +Могу похлопотать. +- Куда? +- К монтажникам. +Наверх. +Работа нетрудная. +Инструмент принести, то да се. +А красотища! +Стрижи летают. +Будете у нас королевой воздуха. +- Спасибо. +А вы королем там будете? +- Нет, заместителем. +Сейчас! +А я эти дни только о вас и думаю. +- Все время? +- Все время. +Пять раз в день мимо вашего дома хожу. +- Почему же не зашли? +- А как же я зайду, если вы мне запретили ходить к вам, звонить и даже писать? +- Мало ли чего я наговорила. +- А я боялся. +Подожди минутку! +- Это еще что такое? +- Иван Романович, это шефство над новенькими. +- Так будем шефствовать - за 10 лет дом не построим. +- Виноват. +- Ну, марш на место! +Через 5 минут отправляется поезд номер 72 +"Москва-Иркутск". +- Вот твой вагон! +Ты, Катерина, не забывай, что у тебя дед существует. +- Дед, не беспокойся, я писать буду. +- Как приедешь, сразу телеграмму дай. +С точным адресом, а то ведь пропадешь опять. +На вот тебе. +Письма от тебя не дождешься, а открыточку нацарапай: +жива, мол,здорова, чего и вам желаю. +Тут 50 штук, про запас. +- Катенька, может, останешься? +Будем опять с тобой вместе работать. +- Нет, решила так решила. +- А ты знаешь, что мне Митя сказал? +Они меня к себе в бригаду возьмут. +Буду у них королевой воздуха. +- Нет, королева - это не профессия. +Ты в штукатуры иди, это дело. +Что ты оглядываешься? +- Я попросила Митю сюда прийти, а его все нет. +Будет ему сегодня от меня. +- Опоздаешь! +Ты уж, Катерина... +Я для тебя от всей души. +- Что вы, дедушка! +- Ладно уж! +Про адрес не забудь, непутевая. +- Не забуду. +Вы себя берегите. +Оленька, спасибо тебе за все. +- Катенька, не забывай меня, пиши. +- Опоздали! +И все из-за тебя! +"Еще по одному адресочку зайдем!" +Ищешь прошлогодний снег! +- В последний раз. +Митя! +Она! +- Кто? +- Катя! +Катя! +Катя! +- Паша! +- Я вас по всей Москве искал. +- А я думала, вы меня забыли. +- Я всю Москву перевернул, а вас нет. +- Гражданин, сойдите с подножки. +- Одну минуточку... +- Гражданин, сойдите! +- Я вас очень прошу. +- Гражданин, не нарушайте. +- Я эту девушку люблю! +- Любить можно, нарушать нельзя! +- Ну и не мешайте! +- Да. +- Ты куда едешь, Катя? +- Далеко. +На работу. +- Как же я? +Оставайся! +- Мне же ехать надо! +- Зачем? +- Что же мне делать? +- Мы вместе поедем. +- Решайте, поезд идет. +- Поезд и правда идет. +Где твои вещи? +Пойдем, слышишь? +Катя, прыгай. +- Я боюсь. +А чемодан! +Ой, Пашенька, неправильно я сделала, мне же ехать надо. +- Что, опоздали, молодые люди? +- Нет, наоборот, успели. +- Пойдем? +- Пойдем. +Дуняшка! +Сухари зашила? +Сало солью пересыпала? +Вы , батя, свое дело управляйте, а я братушке так уложу, что до Черкасского не ворохнется. +— Что он, ест, что ли? +— Не, не ест. +Ну и не надо, а то он непоеный. +Петр, пробей. +Гришка его к Дону сводит. +Григорий, веди коня. +Чертяка бешеный! +Чудок конем не стоптал. +Степан твой собрался? +— А тебе чего? +— Спросить что ли, нельзя? +Собрался. +Ну? +Остаешься, стал быть жалмеркой? +Стал быть так. +Небось будешь скучать по мужу? +А то как же. +Ты вот женись опосля узнаешь скучают ай нет по дружечке. +А ить иные бабы ажник рады , как мужей проводют. +Наша Дарья без Петра толстеть зачинает. +Муж — он не уж, а тянет кровя. +Тебя-то скоро обженим? +Не знаю. +Как батя. +Должно, посля службы . +— Молодой ишо, не женись — А что? +Сухота одна. +Охоты нету жениться. +Какая-нибудь и так полюбит. +— Пусти, Гришка. +— Не пущу. +Не дури, мне мужа сбирать +Пусти, дьявол, вон люди. +Увидют, что подумают? +Ну, с Богом. +Час добрый. +Припозднились Мирон Григорьевич! +Что нашел, Гришуха? +Дай, закопаю. +— Ты чего? +— Да я напиться. +— Волосы у тебя... +— Чего? +Дурнопьяном пахнут. +Знаешь цветком зтаким. +— Пусти, Гришка. +— Помалкивай. +Пусти, а то зашумлю. +— Погоди, Ксюш. +— Дядя Пантелей! +Ты чего, Гришка, такой ненастный? +К дождю, видать поясницу ломит. +Он быков стеречь не хочет, ей-богу. +Гляди, траву чужую быками не потрави. +Гриша... +Гришенька... +Отец услышит. +Не услышит. +Пусти, чего уж теперь .. +Сама пойду. +Пантелей ПрокоФьевич, здорово ночевали. +— Доброго здоровья . +— Здрасьте. +Ты что ж зто, ПрокоФьич, примолчался-то? +Сына задумал женить а сам ни гу-гу. +— Какого сына? +— Григорий ведь не женатый. +Покеда ишо не собирался женить +А я слыхал, будто в снохи берешь Степана Астахова Аксинью . +От живого мужа... +Да ты что ж, Платоныч, навроде смеешься? +Да уж какой смех. +Наслышан от людей. +Зй, погоди-ка! +Чего еще? +Ты что ж зто, а? +Еще мужьин след не остыл, а ты уж хвост набок? +Ишь ты , курва, мало тебя били! +Чтоб ноги твоей с нонешнего дня на моем базу не ступало! +Я твоему Степану пропишу... +А ты что мне, свекор? +А? +Свекор? +Ты что меня учишь Иди свою толстозадую поучи. +Да я тебя, дьявола хромого, культяпого, в упор не вижу! +— Иди отсель не спужаешь — Погоди ты , дура! +— Нечего годить тебе не родить — Вот черт-баба! +Пиши хучь наказному атаману, а Гришка мой! +А захочу, с костями съем и ответ держать не буду! +Пиши! +За всю жизнь за горью отлюблю! +А там хучь убейте! +За что? +Не пакости соседу! +Не срами отца! +Не таскайся, кобелина! +Драться не дам! +На сходе запорю! +Ах ты , чертово семя! +На МарФутке-дурочке женю! +Я те выхолощу! +Женить сукиного сына! +Гриша, колосочек мой... +Осталось девять дён... +Ишо не скоро. +Степан придет, чего будем делать +Небось бросишь меня? +Побоишься? +Мне его что бояться, ты — жена, ты и боись +Степан придет — зто не штука. +Батя вот меня женить собирается. +Кого усватали? +Только собирается ехать +Маманя гутарила, кубыть к Коршуновым, за ихнюю Наталью . +Наталья ... +Наталья — девка красивая... +Дюже красивая. +Надысь видала ее в церкви. +Нарядная была. +Мне ее красоту за голенищу не класть +Я бы на тебе женился. +Гришка! +На что ты привязался ко мне, проклятый? +Гришка! +Душу ты мою вынаешь +— Гриша! +— Надумала что? +Дружечка моя... +родимый... давай уйдем. +Кинем все и уйдем. +И мужа, и все кину, лишь бы ты был. +На шахты уйдем, далеко. +На Парамоновских рудниках у меня дядя служит, он подсобит. +Гриша! +Хучь слово урони. +Дура ты , Аксинья , дура. +Ну куды я уйду от хозяйства? +Опять же мне и на службу на знтот год. +Нет, не годится дело. +Никуды я от земли не тронусь +Ну, ноне ей Степан даст! +— Гля, Степан-то притемнился. +— Да будет брехать-то! +Здоров, батя. +Ну, Аксинья ... +Не таюсь — грех на мне. +Бей, Степан! +Ишо не стряпалась +Нет ишо. +Собери-ка что-нибудь пожрать +Расскажи, милаха. +Расскажи, как мужа ждала, мужнину честь берегла? +А ну, разойдись Разойдись +А то зараз к атаману отправлю! +Вы что, черти? +Пойдем, Гришка. +Мы его в однорядь подсидим. +Нешто и ты не попадешься! +А ну, отвяжись Зараз к атаману отправлю! +Примай гостей, Мирон Григорич. +Гостям завсегда рады . +Марья , дай людям на что присесть +Дельце к вам имеем. +У вас — девка, невеста, у нас — жених. +Не снюхаемся ли? +Здорово ночевали. +Слава Богу. +Про то и речь что выдавать кубыть и рано. +Оно само собой — дело хозяйское. +Жених, он навроде старца, где хошь просит. +А уж раз вы , к примеру, ищете купецкого звания жениха, аль ишо что, зто совсем уж другое, звиняйте. +Что уж там, родимые мои! +Теперича самое светок лазоревый, что ж держать — аль мало перестарков в девках кулюкают? +Раз дело такое зашло, значится надо порешить его порядком и дитю своему на счастье , по доброму слову. +Аль мы детям своим супротивники и лиходеи? +Наша не засидится. +Да ведь придется, рано ль поздно ль расставаться. +Кличь дочерю, Мирон Григорьевич, поглядим. +Наталья . +Наталья ! +Натаха! +Пройди. +Ишь засовестилась +Ну, ступай. +Аксютка! +Сюда иди. +Пришла. +В чем зто у тебя щека? +— Должно, с подсолнуха. +— Ишо вот тут, возле глаза. +Мочи нету... +Пропала я, Гриша. +Чего ж он? +Не знаешь чего? +Вот. +Бьет каждый день Кровь высасывает. +И ты тоже хорош. +Напаскудил, как кобель и в сторону. +Все вы ... — Виноватого ищешь — Аль ты не виноват? +Ксюша, ну, погоди... +Ну, сбрехнул словцо, ну, не обижайся. +Чего кричишь +Я не навязываться пришла, не боись +Значится, кончилась наша любовь +Как зто кончилась +Как же зто? +Вот что, Аксинья ... +Я надумал... +Платок сними. +Как бы не увидали. +Надумал я... +Надо как-то дальше проживать +Надумал я, давай с тобой прикончим... +Чего? +Прикончим зту историю, а? +Аксинья ! +Сыр каравай принимайте, молодых одаряйте. +Дарим невесте шаль +Даруем бычка. +Горько! +Огонь по зебрам пошел! +А баранинки хочешь +Ты меня баранинкой не угощай. +Я, может, стерлядку ем. +Стерлядку? +Где она у нас? +Командует есаул Терсинцев... +Какого? +Взвод! +В атаку полным наметом! +Пики к бою, шашки вон! +Молодцы , баклановцы ! +.. +Здорово, Гришенька! +Здорово. +Как живешь-любишься с молодой женой? +Ничего, живем. +Слышь баба, Наташку не буди. +Она и так до свету встает. +Сбираются с Гришкой пахать +Дарью стегай. +С ленцой баба, спорченная. +Румянится да брови чернит, мать ее суку. +Нехай хучь первый годок покохается. +Гришка! +Григорий! +Гриша! +Батя кличет. +Дарья ! +Поди сюды ! +Знти два улеша вспаши, что за толокой у Красного лога. +— Петро не подсобит? +— Они с Дашкой на мельницу поедут. +Подсоби. +Проспал, а теперь лезешь Отойди, хохол, а то клюну! +Я тебе зоб вырву! +Стойте, братцы ! +Казаков бьют! +Стойте, братцы ! +Братцы , стойте! +Бабы , а вы что глядите? +Они же всех мужиков побьют! +Запалю! +Уходь со двора! +Запалю! +Уходь со двора! +На коней, казаки! +Догнать Дале гребня не ускачут! +Ты кто такой? +Откель сорвался? +Стойте, станичники! +Куцый кобель тебе станичник! +Мужик! +Лапоть дровяной! +Дай ему по гляделкам, Яша. +Погоди по гляделкам. +В чем дело? +— Хохлов били. +— За что? +За очередь Не залазь наперед. +Вложили им память +Хохлы , они огромадно сердитые. +— А ты кто? +— Я-то казак. +А ты не из цыганьев? +Нет, я не из цыганьев. +Мы с тобой, пожалуй, оба русские. +Брешешь +Казаки от русских произошли. +А я тебе говорю, казаки от казаков ведутся. +В старину от помещиков бежали крепостные и селились на Дону. +Их прозвали казаками. +Иди-ка ты , мил человек, своим путем. +Ишь поганка, в мужиков захотел переделать +Кто зто такой, АФанасий? +Приехал тут какой-то, просил довезть Кто его знает? +Моя Фамилия Штокман. +Сам я слесарь +Буду жить в хуторе Татарском. +Могу и по столярному делу. +Так что еще увидимся. +Поехали, хозяин, время-то идет. +Чужая ты какая-то. +Как знтот месяц. +Не холодишь не греешь +Не люблю я тебя, Наталья . +Ты уж на меня не гневайся. +Хоть и жалко тебя, а нету на сердце ничего. +Пусто. +Вот как зараз в степе. +Наталья , вот, сбирается уходить Зто через чего? +— Не знаю, через чего. +— А я знаю! +А я знаю через чего! +Я ее не сужу, хоть и страмно и перед Богом грех. +Не на ней вина, а вот на знтом сукином сыне. +— Кому я виноватый? +— А ты не знаешь чертяка? +Не знаю. +Я тебе вот что скажу: +не будешь с Наташкой жить — иди с базу куда глаза глядят. +Вот тебе мой сказ! +Иди куда глаза глядят! +Я вам, батя, не во гнев скажу. +Не я женился, а вы меня женили. +А за Натальей я не тянусь Хочет, нехай идет к отцу. +— Иди и ты отсель — И уйду! +И уходи к чертовой матери! +— Уйду! +— Куда ты пойдешь +Нехай идет, кобелина поблудный! +Нехай, будь он проклят! +Гриша! +Гриша, вернись +Пропади ты , разнелюбая! +Гришенька! +Да уж хорошо ли, плохо ли, да так сложилась история. +Да разве ж сами виноваты ? +До такой страмы довели казаков. +— Молчи уж, мужик. +— А мужики аль не люди? +Мужики-то? +Я как в Петербурге служил, так разных видал. +Вот был такой случай. +Перепало как-то верхи нести караул. +Едем, а с угла студенты вывернулись И видимо их невидимо. +Как увидели нас, да " Га-а-а! +Вы чего, казаки, разъезжаете?" +Я гутарю: " Караул несем, а ты поводья не хватай!" — и за шашку. +А тут один носатый вынает из портмоне десятку и гутарит: +"Выпейте, казаки, за здоровье моего покойного папаши" . +Дает нам десятку и вынает из сумки портрет. +"А зто, — говорит, — папашина личность возьмите на память" . +Ну, мы взяли. +А студенты отошли и опять " Га-а-а" . +С тем и отправились по Невскому прошпекту. +— Здравствуйте. +— Вот еще один казак явился. +Ты чего, Гришка? +— Ты отсюда скоро? +— Скоро. +— Я у тебя заночую. +— Со своими поругался? +Стало быть отправились по Невскому прошпекту. +Ну? +Ну, сменили нас. +Мы вахмистру гутарим: +"Заработали мы 1 0 целковых. +Должны пропить их за упокой души знтого деда" , — и показываем портрет. +Зтот портрет я взял на совесть для памяти над кроватью повесил. +Вижу, борода седая, собою подходимый человек, вроде из купцов. +А сотник доглядел и спрашивает: +"Откель взял зтот портрет, такой-сякой?" +"Так и так" , — гутарю. +А он и зачал меня костерить и по скуле, да ишо, стал быть раз. +"Да знаешь орет, что - зто атаман ихний Карла..." +— Запамятовал прозвище. +— Карл Маркс. +Во! +Он самый. +Подвел под монастырь мать его в пенек! +А ить к нам сам цесаревич Алексей с наставниками забегает. +А если бы доглядели? +Что б было? +А ты все мужиков хвалишь Видал, как его подковали-то? +Зато десятку пропили. +Хучь за Карлу бородатого, а пили. +Целых три дни пили! +Да, за него следует выпить +А чего ж он навершил такого доброго? +А зто я... обязательно... +Обязательно расскажу. +Только сейчас поздно уже. +До свидания, Осип Давыдович. +Я к тебе только на сутки, двое. +— А что, домой не вернешься? +— Нет. +А как же жить надумал? +Как жить А как люди живут. +Люди живут по-разному. +Заходи. +Садись вечерять будем. +Да, Гриша... +Люди по-разному живут. +Тяжело будет без привычки-то. +Ничего, привыкну. +Куда ж надумал? +Завтра к Сергею Платоновичу схожу. +А не то к генералу Листницкому в имение. +Зто что ж, батрачить будешь +Зх, Гриша... +Ну какой из тебя батрак? +На зтом деле шибко не разживешься. +Смотри, как бы гордость у тебя не взыграла. +— Ты чего? +— Гришка! +Сказал, чтобы как затемнеет, вышла к гамазину. +Тише, Машутка. +Может, ишо чего велел сказать +Ой, гутарил, чтобы все свое взяла, что можешь +Господи... +Да как же я? +И так-то скорочко... +Да что ж я? +Ну, я пойду. +Поди, скажи ему, что я скоро. +— Чего она приходила? +— Кто? +Машка Кошевых. +Зто она по своему делу. +Просила юбку ей скроить +А ты , никак, собираешься куда? +К Аникушке пойду, посижу трошки. +И когда ты находишься? +Что ни ночь то им игра. +Но, будя, слыхали. +Ты ложись не жди. +Ну-но. +Господи... +Ой, Гриша... +Погоди чуток. +Чего годить Надо поспешать +— Ой, погоди, Гриша... +— Ты чего? +Так, живот чтой-то. +Тяжелое нады подняла. +Ну, все, пойдем. +Ты и не спросишь куды веду. +Может, до первого яра, а там спихну? +Все одно уж мне. +Доигралась +Чего зто дверь-то настежь +Как живешь Аксиньюшка? +Благодарствую. +— Здорово. +— Здорово. +— Ты чего, Гетько? +— От Натальи . +Григорий Пантелеевич! +Пропиши мне, как мне жить и навовсе или нет потеряна моя жизня? +Ждала я, что ты возвернешься, но я разлучать вас не хочу. +Пожалей напоследок и пропиши. +Узнаю — буду одно думать а то я стою посередь дороги. +Ты , Гриша, не серчай на меня, ради Христа. +Наталья . +— Чего он сидел? +— А я почем знаю? +Пришел, сел вот так-то. +Глянь Гриша. +А коленка вострая-превострая. +— Примолвила, что ль его? +— Да нужен он мне, Господи! +То-то, гляди, а то я его в одноряд спихну с крыльца. +Я тебя оставлять дома боле не буду. +Со мной будешь ездить +Да Гриша... +Ты чего? +Что ж ты молчала раньше? +Да я робела, думала, бросишь +Скоро? +На Спасы , думается. +Степанов? +Твой. +Ну а где же? +.. +Григорий! +Наелся, пустяковая твоя душа? +Поди проспись +Обедня отошла. +Не давай баловать Не давай баловать +Прощай, генерал! +Смотри не зашибись +У Натахи-то Коршуновой, гутарют, кила. +Будет брехать-то. +— Через зто ее и муж бросил. +— Не, она со свекром спуталась +Стало быть через знто Гришка и убег с дому. +А то через чего ж? +— Чего? +— Чего... говори да откусывай. +Скучаешь по Гришке-то? +— А тебе что? +— Тоску твою разогнать хочу. +— Уйди, Митька. +— Не мордуйся, Наташка. +— Я батю зашумлю. +— Тю, сдурела! +Уйди, проклятый! +Как тебя земля только держит! +А вот так, держит, не гнется. +Ну что? +Дорога невозможная, моя донюшка. +Така тряска, что Гетько уси пзчонки поотбывав! +На, держи. +"Живи одна. +Мелехов Григорий" . +Здорово живете. +Здравствуй, батя. +Собираешься на службу? +А то как же? +— Раздевайся, батя, назяб небось — Ничего, терпится. +— Самовар поставим. +— Спасибочка. +Привез тебе справу: +два шинеля, седло, шаровары . +Возьми. +Всё там. +Выступать когда? +Другой день Рождества. +— Казак? +— Девка. +Уж такая писаная, вся в Гришу. +Наших кровей... +Ишь ты ! +Ты что ж, батя, едешь +Поспешаю пораньше возвернуться. +Значится, не думаешь с женой жить +Давнишний сказ. +Отгутарили. +— Не думаешь стал быть — Стал-быть так. +А Боr? +Ты гляди... +не чужого вскармливаешь +Чей бы ни был, а дите не брошу. +Наталья спортилась с того разу. +Как она? +Жилу нужную перерезала, шею кособочит. +Наталью мы возьмем. +Не хочет баба жить у своих. +Надысь видал ее, кликал, чтоб к нам шла. +На хуторе Ольшанском... +Гриша, стучат. +За жену не беспокойся. +Служи исправно. +Дед твой молодецкий был казак. +Чтоб и ты ... +Чтоб и ты держал себя достойно своего деда и отца. +Ведь зто отец на императорском смотру в 83-м году получил первый приз за джигитовку? +Так точно! +Ты , ПрокоФьич, у развилки шибко не гони, а то я вчера аккурат там перекинулся. +— Ну вот, успел уже... +— Долго ли ему. +— Садись в сани. +— Не, я верхом. +Трогай! +Погоди, Гриша! +Что-то хотела сказать .. +Ну, прощай. +Дите гляди. +Поеду, а то батя вон где уж. +Погоди, родимый... +— Счастливо, казак! +— Счастливо, дед. +— Дай чего подсоблю. +— Ничего, я сама. +Наташа, светочка, чего рассказать хочу... +Расскажи. +Мишка Кошевой вчера целый вечер простоял со мной возля гамазинов. +— Чего ж скраснелась — Ничуть +Глянь в зеркало — чисто полымя. +Ты ж пристыдила. +Рассказывай, я не буду. +"Ты , — гутарит, — как цветок лазоревый" . +А я: " Не бреши!" А он божится. +Зто кто ж такие? +— Кто их знает. +— К кому ж? +Прошу встать Вы арестованы . +В чем дело? +— Вы занимаете 2 комнаты ? +— Да. +Мы произведем у вас обыск. +Позвольте ключ от зтого сундука. +Чему я обязан, господин следователь +Об зтом мы еще успеем побеседовать +Пожалуйста. +Понятой, ну-ка! +— Прошу вас. +— Нет, зтот сорт я не курю. +Прошу вас начинать допрос. +Вы сюда прибыли по заданию своей организации? +О чем речь +С какого времени вы состоите членом РСДРП? +Вот справка из Ростова, подтверждающая вашу принадлежность к означенной партии +с 1 907 года. +Получали ли вы какие-либо директивы из Ростова? +Нет. +Читали рабочим, посещавшим вас, вот зту книжонку? +Мы читали стихи. +Стихи... +Вы читали запрещенные законом книги. +Ося! +Осип Давыдович! +Петро! +Перегодим жару. +Ой, Господи, искупаться бы . +Верхи какой-то бегет. +— Шибко. +— Ты гля, как пылит. +— Так и коня запалить можно. +— Наметом идет. +Сполох! +Сполох! +— Никак, война? +— Господи! +Цыть ты ! +Григория встретишь скажи, так мол, и так... +Война, значит... +По вагонам! +— Едете? +— Садись дед, с нами! +Милая ты моя говядинка! +— Братушки, вы куды ж зто? +— К куме на крестины . +Молчать +Мелехов, ты не робеешь а? +А чего робеть-то? +Как же, может, ныне в бой пойдем. +И пущай. +А я вот робею. +Всю ночь не спал. +Стреляют. +Как ребята палкой по частоколу. +Молчи ты , балабон. +Где зтот капитан? +Вам приказано было еще вчера закончить работу. +Молчать +О подвозе строительного материала надо было позаботиться раньше! +Молчать +Как я теперь проеду на ту сторону? +Я вас спрашиваю, как я проеду на ту сторону? +— Ну что вам? +— Какие будут приказания? +Да ступайте, ступайте. +Что зто? +Кто приказал? +Пики к бою, шашки вон! +В атаку рысью марш-марш! +Зй, ты , чего встал? +Я к тебе, Аксинья . +Ты зачем пришла? +Мне бы напиться... +Пей. +Ты отбила у меня мужа... +Отдай мне Григория. +Ты жизнь мою сломила. +Видишь я какая? +Мужа тебе? +Мужа тебе? +Ах, ты , гадюка подколодная! +Ты у кого просишь +Да ты первая отняла у меня Гришку! +Ты , а не я. +Ты знала, что он жил со мной, зачем замуж шла? +Я вернула свое, он мой. +У меня дите от него, а ты что? +Ты отца у дитя хочешь взять +Ты своего мужа бросила... +Не шуми так... +Кроме Гришки, нет у меня мужа. +Никого нету во всем свете! +Ты -то нужна ему? +Глянь шею-то у тебя покривило! +Ты , думаешь он здоровую бросил, а на калеку позавидует? +Не видать тебе Гришки! +Вот мой сказ! +Ступай! +Ты думаешь я надеялась что выпрошу? +— А зачем шла? +— Тоска меня пихнула. +Господи... прости... +Пожалей... +Не отнимай, Господи! +.. +Здравствуйте, барин. +Ой, слава Богу... +слава Богу. +Помянем. +Царство небесное дитю. +Душа ангельская преставилась +Ты бы , Ксюша, пошла, поглядела. +Может, чего снадобится. +Молодой барин приехал. +Алексеев? +Не может быть Не поверю. +И тем не менее. +Верховный в данном случае не прав. +Вот тебе аналогичный пример из русско-японской кампании... +Кушать подано. +— На днях ребенка похоронила. +— Да что ты ? +Так вот, я говорю аналогичный случай их русско-японской кампании. +Куропаткин как-то настаивал, требовал, а жизнь показала свое. +Здравствуй, Аксюша. +Здравствуйте. +— Ктой-то? +— Зто я. +Сейчас я оденусь +Ничего, я на минуту. +У тебя умерла дочушка... +Умерла. +Ты очень изменилась +Еще бы , я понимаю, что значит потерять ребенка. +Только ты напрасно изводишь себя. +К жизни ее не вернешь +А ты еще молода, ты еще будешь иметь детей. +Не надо так. +Возьми себя в руки, смирись +Смирись +В конце концов, не все потеряно со смертью ребенка. +Подумай, вся жизнь впереди! +Ты шо, Гриша, вертися? +Так ты говоришь что на потребу богатым нас гонят на смерть +А как же народ? +Аль он не понимает? +Неужели нет таких, который вышел бы и сказал: +"Братцы , так вот за что мы гибнем в кровях" . +Як це так, вышел? +Ты що, сказывся? +Вышел... +Побачив бы я, як ты вышел. +Мы ось с тобой шепчемся, а скажи ризко — и пид пулю. +Черная глухота у народа. +Война его разбудит. +Из хмары писля грому дощ буде... +Чего ж делать Говори, гад! +Ты мне сердце разворошил. +А що тоби сердце каже? +Не понимаю. +Хто мзнз с кручи пихае, того я пихну. +Трзба у того загнать пулю, кто посылае людей у пзкло. +И ты знай, Гриша, собирается взлика хмаря, вона усз снесз! +Что ж, все повернуть вверх ногами? +Власть трзба скынуть як грязные портки. +Трзба с панив овчину драть трзба им губы рвать бо гарно воны народ помордувалы . +В палату. +Быстро все проверьте. +На свое место. +Уложите, уложите. +Милости просим, ваше императорское высочество. +Пожалуйста, сюда, ваше императорское высочество. +Прошу вас. +Донской казак, георгиевский кавалер. +Какой станицы ? +Вёшенской, ваше императорское высочество. +За что имеешь крест? +Я бы ... мне бы по надобности сходить .. +По надобности, ваше императорское высочество. +По малой нужде. +Пожалуйста, в следующую палату, ваше императорское высочество. +— Ты , каналья ! +.. +— Я тебе не каналья , гад! +На Фронте вас нету! +Отправьте меня домой! +Отправим! +Убирайся к черту! +Стоять +Признал, признал... +Дед Сашка! +Спишь +Отцы -святители! +Гришка! +Откуда тебя холера взяла? +Вот так гость +Ну, садись покурим. +Ну, дидко, живешь Землю топчешь +Топчу помаленечку. +Я - как ружье кремневое, мне износу не будет. +Аксинья как? +Что ж Аксинья ... слава Богу. +— Танюшку где похоронили? +— В саду под тополем. +Так... — Ну, рассказывай. +— Кашель меня замучил... +Все живы -здоровы . +Пан вон попивает. +— Аксинья как? +— Она в горничных теперь +Знаю. +Ты бы покурить свернул. +У меня табачок первый сорт. +Ты говори, а то я уйду. +Я же чую, что ты слово какое-то, как камень за пазухой, держишь +— Бей, что ли. +— И вдарю! +— Бей! +— Вдарю. +Силов я не набрал молчать и мне, Гриша, молчать прискорбно. +Говори. +Змею ты грел! +Гадюку прикормил! +Она с Евгением свалялась Каков голос! +— Верно говоришь — Баба — кошка. +Кто погладил, к тому и ластится. +А ты не верь веры не давай! +Покури. +Стучал ты как, а я уснула... +Не ждала... +Любимый мой! +Ты чего дрожишь Пойдем скорей. +Озяб я. +— Гришенька... +— Ну, ладно, ладно. +Не ждала... +Давно не писал. +Думала, не придешь ты . +Хотела тебе гостинцев отправить а потом, думаю, погожу, может, письмо поучу. +А ты на горнишную не похожа. +На зкономку скорее. +Гриша... давай я тебя разую. +Ой, Гришенька... +Что ж ты кричишь +Аль не рада мне? +Вот он, георгиевский кавалер. +Однако ты возмужал, брат. +Надолго прибыл? +На две недели, ваше превосходительство. +Дочь-то похоронили. +Жаль жаль .. +Григорий? +Ты откуда? +Из Москвы , в отпуск. +Вот как. +Ранен был? +Так точно. +Я слышал... +Каким он молодцом стал, а, папа? +— Кавалер! +— Да... +Никитич, подавай! +Ваше благородие, дозвольте прокатить вас по старой памяти? +Что ж, сделай милость поедем. +Ну-ка, позволь +Зх, и прокачу ж я вас, Евгений Николаевич! +Прокати, на чай получишь +Премного вами довольны . +Спасибо, что Аксинью мою не забываете, кусок ей даете. +Возвращайтесь поскорей! +— Ты что? +— А вот что! +Скотина! +За меня! +За Аксинью ! +За меня! +За Аксинью ! +Ишо тебе за Аксинью ! +Черт, загнал коня! +Григорий! +Гадина! +Сука! +Гриша! +Гриша, прости! +Господи! +Маманя! +— Дождь — Идет. +Сотник прячет марьяж. +Сотник, вы разгаданы . +Никогда не ходите от третьей дамы . +Чего зто ты ноне? +Небось станицу во сне видал? +Угадал. +Степь приснилась +Так замутнело на душе... +Осточертела царева службица. +Чего уставился? +— Ну-ка, к свету. +— Погоди. +Враги ваши — австрийские и немецкие... — Чего? +— Вот. +"Враги ваши — не австрийские и немецкие солдаты , обманутые так же, как и мы , +а собственный царь" . +Крепко. +"Собственный промышленник и помещик" . +В бань бы неплохо. +В нашей землянке остается котел поставить воды хоть отбавляй. +Мокро, хозяева, мокро. +Благодарите Всевышнего, что сидим у болота, как у Христа за пазухой. +На чистом наступают, а мы едва по обойме за неделю расстреливаем. +Лучше наступать чем гнить заживо. +Мы рвемся в бой! +Сотник, вы как, рветесь в бой? +Я? +8 бубен. +В крести рвусь +Не для того держат казаков, чтобы уничтожать их в атаках. +Для чего же? +Для чего? +Когда на Фронте начнутся волнения, — а зто неизбежно: +война начинает солдатам надоедать — вот подавлять мятежников бросят казаков. +Ересь мелешь +А почему же ересь +Потому что ересь есть ересь +Увлекаешься, милейший. +Откуда ты знаешь о будущих волнениях? +А если предположить нечто обратное? +Союзники разбивают немцев, война завершается блистательным концом. +Тогда какую роль ты отводишь казачеству? +Что-то не похоже на конец, тем более блистательный. +Я ведь недавно из отпуска. +Ну и как там, в Петрограде? +Гремит столица? +Да, гремит. +Отрадного мало. +Не хватает хлеба. +В рабочих районах голод, недовольство, протест. +Благополучно мы не вылезем из зтой войны , как думаете, господа? +Как мы думаем? +Мы думаем, раз. +— Пас. +— Два. +Здесь Черт! +Русско-японская война породила революцию 1 905 года. +Зта война завершится новой революцией. +И гражданской войной. +Внимание, господа, хорунжий Бунчук начинает вещать по социал-демократическому соннику. +Петрушку валяешь Ну-ну, у каждого свое призвание. +Меня удивляет то обстоятельство, господа, что в среде нашего оФицерства есть такие вот субъекты . +Ты что же, стоишь за наше поражение в зтой войне? +Я? +Я за поражение. +Ну знаете ли! +Каких бы ты ни был политических убеждений, но желать поражения родине — зто национальная измена. +Минуту! +Зто бесчестье для каждого порядочного человека! +Подожди, Калмыков. +Хорошо, допустим, поражение. +Ну а дальше? +Царизм будет уничтожен, можете быть уверены . +— Что тебе? +— От полковника Ширяева пакет. +Давай. +Ступай. +Зкстренно приглашают к полковнику. +Сочувствуем. +— Всех? +— Всех. +Очередная диспозиция при возможной зкзекуции. +Имею основание думать зто приказ о наступлении. +С Богом, братцы ! +В добрый час! +Вперед! +Молчат. +Подпускают ближе. +А я боюсь ноне и не совестно мне. +А что если зараз повернуть и назад? +Тут как в картежной игре, не веришь себе - голову снимут. +Ты из лица пожелтел. +Либо ты хворый, либо кокнут тебя ноне. +Сотня, за мной! +Рысью марш! +Газы , братцы ! +Газы ! +Стой! +Стой! +Газы , братцы ! +Хватайся за стремя! +Сволочь Назад! +Назад, сволочь +Все, все, к чертовой матери. +Не скачи, не скачи шибко! +Задыхаюсь Не скачи, ради Иисуса Христа! +Садись +Полный сапог налило крови. +Гришка, нынче как шли в наступление... +Слышишь Григорий? +Нынче как шли, я в тебя сзади до трех раз стрелял. +Не привел Бог тебя убить +А ты меня от смерти отвел. +Спасибо. +А за Аксинью не могу простить Душа не дозволяет. +— Ты меня не неволь .. +— А я тебя не неволю. +Вот она. +Ты чего, Мелехов? +Григорий Пантелеевич! +Насыпали нам! +Дураков учить надо! +Учить +Сука народ! +Хуже! +Кровью изойдет, тогда поймет за что его по голове гвоздют. +Ты про что? +Умный сам поймет, а дураку силком не вобьешь +— Ты о присяге помнишь — Иди ты ... — Гришка... +— Живой ты ай нет? +— Да ты скажи что-нибудь — Живой... +Небось наш курень уж развалился? +Нет, зачем развалился — стоит. +Что ему сделается? +Соседи-то наши, Мелеховы , как живут? +Живут помалень . +Петро не приходил в отпуск? +Вроде не приходил. +А Григорий? +Гришка ихний? +Гришка приходил после Рождества. +Баба его двойню знтот год родила. +Григорий приходил по ранению. +Раненый был? +Раненый в плечо. +Его всего испятнили, как кобеля в драке: не поймешь то ли крестов на нем больше, то ли рубцов. +Какой же он, Гришка? +Такой же, горбоносый да черный. +Турка туркой, как и полагается. +Я не про то. +Постарел аль нет? +А чума его знает, может, и постарел трошки. +Баба двойню родила, значит, не дюже постарел. +Холодно здесь +Гнида гадкая, вонючая, какая ни на есть хуже. +Давно ли в чириках по хутору бегала, а теперь не скажет " тут" , а " здеся" . +Вредные мне зти бабы . +Я бы их, стервей... +Выползень змеиный! +Туда же... " холодно здеся" . +И пошла! +Возгря кобылья ! +Пра! +С какой роковой предопределенностью шло к зтому. +Я предвидел зто еще в начале войны . +Ну что ж... +Династия была обречена. +Ну неужели все же отрекся? +Разумеется. +Такими вещами не шутят. +Послушайте, что пишет Евгений. +Да, папа, грозные, грозные события. +Солдаты буквально все разложены ... +Ступай. +Воевать не желают — устали. +В зтом году не стало солдат в общепринятом смысле зтого слова. +Вы не можете представить до какой степени разложения дошла наша армия. +А впереди еще худшие испытания. +Станичники! +Волею народа, царствовавший доныне император Николай Второй низложен. +Туда ему и дорога! +Вся власть перешла к Временному комитету Государственной думы . +Армия, и вы в том числе должны спокойно перенести зто... +Прекратить +Прекратить ... известие. +Дело казаков защищать свою родину так же доблестно от посягательств как со стороны внешнего, так и... так и натиска внешнего врага. +Мы в дни таких великих потрясений должны быть тверды , как... — Как сталь — Как сталь +Мы будем биться так же доблестно, как и раньше, а там пусть Государственная дума... +Пусть Государственная дума решает судьбу страны . +В армии не должно быть политики. +— Не должно! +— Дай-ка я скажу. +Станичники! +Нельзя так-то! +Нас опять же под конФуз подвели. +Обман хочут сделать +Раз превзошла революция и всему народу дадена свобода — значится, войну должны прикончить +Аккуратно я гутарю? +По-правильному? +Да... +Во что же все зто выльется? +Как ты думаешь +Вот тебе раз! +Неужели, живя здесь вы не уяснили обстановку? +Несомненно, будет правительственный переворот. +У власти встанет Корнилов. +Армия ведь за него горой. +У нас говорят так. +Сейчас две равнозначных силы — зто Корнилов и большевики. +Керенский между двумя жерновами, — не тот, так другой его сотрет. +Пусть себе спит пока на постели царицы , благо она освободилась +Но армия... пойдет ли вся армия за Корниловым? +Сама солдатня, конечно, не пойдет. +Мы поведем ее. +Послезавтра Москва встречает Корнилова. +Дело чести каждого оФицера быть там. +Вечером я выезжаю. +— Я с тобой. +— Разумеется. +Молодец. +Не время, не время. +Господа оФицеры ! +Пока казаки поют, большой беды нет. +Теперь поют редко, все больше митингуют. +Надо учиться разговаривать с людьми. +Хорунжий Бунчук? +Ты на свободе? +Прости, но руки я тебе не подам. +Я не собирался протягивать тебе руку, ты поспешил. +Ты что же, спасаешь здесь свою шкуру? +Или прибыл из Петрограда? +Не от душки ли Керенского? +Зто что, допрос? +Законное любопытство о судьбе некогда дезертировавшего сослуживца. +Могу тебя успокоить я здесь не от Керенского. +Кто ж ты все-таки такой? +Погон нет, шинель солдатская. +Политический коммивояжер? +Товарищи казаки! +Наш зшелон дальше не пойдет. +Сгружаться тут зачнем. +— Правильно? +— Правильно! +Здравия желаю, станичники! +Агенты большевиков и Керенского препятствуют продвижению наших частей по железной дороге. +Получен приказ верховного главнокомандующего... +Верховного Корнилова! +В том случае, если не представится возможным продвигаться по железной дороге, то идти на Петроград походным порядком! +Сегодня же мы выступаем! +Приготовьтесь к выгрузке! +Товарищи казаки! +Я прислан к вам питерскими рабочими и солдатами. +Вас хотят вести на братоубийственную войну. +На разгром революции! +Если вы хотите идти против народа, если вы хотите восстановить монархию... — филосоФия! +— Провокатор! +Если вы хотите восстановить монархию, — идите! +Но питерские рабочие и солдаты надеются, что вы не будете каинами. +Они шлют вам пламенный братский привет! +Минуту! +Казаки, хорунжий Бунчук в прошлом году дезертировал с Фронта, вы все зто знаете! +Неужели мы будем слушать предателя и труса? +Арестовать его, подлеца! +Оружие прочь Пущай говорит, выясняет свою линию! +Говори, Бунчук! +Земно вам кланяемся и просим передать питерским... +Стой! +Гляди-ка на них. +А ну-ка, за мной. +Калмыков, ты арестован! +Руки! +Руки! +Разоружить +— К зтим приставить часовых. +— Слушаюсь +Калмыкова поведем в ревком гарнизона. +Ну, что же вы ? +! +Руки вверх. +Ловко. +Есаул Калмыков, извольте идти вперед. +За мной. +— Иди... +— Подлец! +Ты предатель изменник! +Ты еще поплатишься за зто! +Вы не партия, а банда гнусных подонков общества! +Кто вами руководит? +— немецкий главный штаб! +Большевики! +Хамы ! +Хамы продали родину! +Я бы вас всех на одной перекладине... +Время придет! +Ваш зтот Ленин не за 30 немецких марок продал Россию? +! +Хапнул миллиончик — и скрылся... каторжанин! +— Становись — Не смей бить +Убить хочешь +Стреляй! +Стреляй, сукин сын! +Смотри, как умеют умирать русские оФицеры ! +Я и перед смертью ... +Митрич... за что ты его? +Что же ты , Митрич? +А ты как думал? +Он бы в нас стрелял, не вынимая папироски изо рта. +Мы их или они нас! +Середки нету. +За мной! +Вперед! +Откуда, служивые? +Отвоевались что ли? +— Хватит, отцы , навоевались — А ты пойди, сам хвост потрепи. +Езжайте к бабам на печь +Миша! +Мы уж и не ждали! +А Мелехов Гришка где? +Гришка к большевикам подался, остался в Каменской. +К большевикам подался... +Мы подтягиваем братскую руку трудовому казачеству! +— Ты бы потише толкался! +— Пусти, комарь а то — к ногтю. +Рабочие и казаки вместе лили кровь +И в войне с Калединым мы должны быть вместе! +Рука с рукой мы пойдем в бой против тех, кто порабощал трудящихся в течение целых столетий! +Кто на Фронте ввел смертную казнь для солдата? +Корнилов! +Кто с Калединым душит нас? +Он! +Так к тому же вы пристанете, братцы казаки? +Задавим гидров зтих, в море спрудим! +Верно! +Дай им взвару! +Свою власть надо сделать +А добровольцы и разные партизаны пущай уходят с Дону! +И большевикам у нас делать нечего. +Мы с врагами рабочего народа сами сладим. +Чужой помощи нам не надо! +— А знто кто? +— Кривошлыков, с хутора Горбатова. +— А рядом? +— Зто сам Подтелков и есть +О, и Голубов тут. +Братья казаки! +Да замолчите вы ! +Не на базаре! +Дайте Подтелкову сказать +Братья казаки! +Покуда мы тут совещаемся, а враги трудового народа не дремлют. +Мы всё хотим, чтобы и волки были сытые, и овцы целые. +А Каледин — он так не думает. +Нами перехвачен его приказ об аресте всех участников нашего съезда. +Долой Каледина! +Предлагаю считать наш съезд властью на Дону! +Предлагаю... предлагаю из делегатов нашего съезда избрать казачий Военно-революционный комитет! +Ему поручить вести борьбу с Калединым и организацию... +Господа, господа! +Вот они, предатели! +Повесить их! +Господин хорунжий, я протестую. +Молчать Становись по три. +Шагом марш. +Всех повесить Всех! +Всех предателей! +Какое вы допускаете безобразие! +Благодари Бога, что живой останешься. +Я бы тебя, хамлюгу! +.. +Сидеть Вставать не будем. +Здравствуйте. +Здравствуйте. +Ну-с... какие же части вас уполномочили? +Так... ну и чего, собственно говоря, вы добиваетесь +Наше требование — передайте власть Военно-революционному комитету. +Как зто все просто. +Ультиматум. +Вам, вероятно, известно, что на 4 Февраля созывается Войсковой круг. +Члены правительства будут переизбраны . +Согласны ли вы на взаимный контроль +Нет! +Ежели вас будет меньшинство, мы вам диктуем свою волю. +Но ведь зто же насилие. +Да. +Ежели Войсковой круг нас не удовлетворит, мы его не признаем. +— Ну и кто же будет судьей? +— Народ! +Народ! +Чего нам слушать их? +Нам с большевиками не по пути. +Только изменники Дону и казачеству могут говорить о сдаче власти Советам и звать казаков идти за большевиками. +Неужели вы думаете, Подтелков, что за вами, за недоучкой и безграмотным казаком, пойдет Дон? +А ежели пойдут, то кучка оголтелых казаков, которые до дома отбились +Но они, брат, очнутся — и тебя же повесют! +Браво, Шеин! +Донское правительство рассмотрит предложение ревкома и даст ответ в письменной Форме к 1 0 часам утра назавтра. +На конь +Мальчики, красавчики, голубчики! +Ну-ка, птенчики! +Ну-ка, умницы , потревожим большевичков! +Мелехов, строй сотню и выводи в Ерохинскую балку! +Добро! +Живо! +Сотня! +Слушай мою команду! +Сотня! +За мной марш! +— Вы командир зтого отряда? +— Да. +Попробуйте по балочке в обход, а я буду их держать огнем на зтом участке. +Ну что ж, можно и по балочке. +Попробуем. +С такими навоюешь Детей бы ишо забрал с перинами. +Как я себя ругаю, что не оставил тебя в Ростове! +Бунчук, в вас заговорил собственник. +Сотня, за мной! +Ну как? +Что? +Ранило тебя? +А ну, давай. +Аня, где? +— Аккурат под сердце. +— Что под сердце? +Аня... +Аня... +Ты куда глядишь Аня? +Аня... +Вот он я... +Аня... +Вот... +Илья , милый... +Вот видишь как все просто... +Сперва удар... +Потом толчок... +А теперь печет, жжет. +На грудь воды лейте! +Воды ! +Дайте кто-нибудь воды ! +За веру! +За Русь За мной, соколики! +Сотня! +За мной в атаку! +Аня, не уходи! +Не уходи, Аня! +Не уходи, Аня! +Слушай сюда! +Слушай сюда! +Головной ко мне, остальные прямо! +За сохранность пленных отвечаете по всей строгости военно-революционного времени! +Чтоб доставить в штаб в целости! +Отдайте зто Подтелкову. +Мелехов! +Молодец! +— Да ты ранен, никак? +— В ногу. +— Кость цела? +— Вроде. +Наголову! +Наголову разнесли! +ОФицерский отряд так распушил, что и не собрать +Ты в штаб? +Передай Подтелкову, что Чернецова я беру на поруки. +Вот так и передай. +Езжай. +Подтелков, зараз гонят пленных. +Ты читал записку Голубова? +Плевать мне не Голубова! +Мало ли ему чего захочется! +На поруки ему Чернецова, зтого разбойника контрреволюционера? +Не дам! +Революционным судом судить и без промедления наказать +Голубов сказал, берет на поруки. +Ты чего вылез? +Лежал бы . +На поруки... +Ты знаешь сколько он крови на свет выпустил? +Море! +Сколько он шахтеров перевел? +Не дам! +Тут орать нечего! +Вас тут много судей! +Ты вот туда пойди! +А над пленными вас много распорядителей! +Я был там! +Не думай, что на тачанке спасался. +А ты , Мелехов, ты с кем гутаришь +ОФицерские замашки убирай! +Ревком судит, а не всякая там... +Уложите его. +Ну, орелик... +Попался, гад! +Изменник казачества! +Предатель Подлец! +Разбегайтесь господа! +Господи, прости меня, грешного. +Зто что ж такое делается? +А ты думал - как? +Али лоб контре под пулю подставим? +Маманя, едут. +Едут, маманя! +Здорово! +— Здоровый? +— Рану получил, под Глубокой. +Нужда заставила там огинаться! +Шел бы домой. +Да ты , Дуняха, черт тебя знает, какая девка-то вышла! +А я думал, дурненькая будет. +Ну уж ты , братушка! +Сын-то какой, погляди! +Дай мне моего сына поглядеть +А дочь-то, Гриша! +Ну, возьми же! +Ну что, не узнаете папань -то, орехи лесные? +Наташа, возьми их, а то я на порожки не влезу. +Табачищем-то прет! +— Дарья , на стол собирай. +— У него своя жена есть +К масленой блины с каймаком будем исть +— Ну, признал папаньку? +— Признал. +— Зто тебе, маманя. +— Милые мои... +— Ба, он на полу валяется. +— Ничего. +Карга старая, а туда же — перед заркалой. +Батя, тебе. +Ну, спаси Христос. +А я Фуражку присматривал. +В лавке нонешний год их не было, а старую в пору на чучело надевать +Ты чего ж, дрючок старый? +Господи, ну и глупа ты ! +Ить самовар — не зеркало. +Вот он, казачок лейб-гвардии казачьего полка! +На императорском смотру первый приз захватил. +Седло и всю амуницию! +Вот он я! +Наташа. +Дуняшка. +Петро. +Дарья . +— Ну, а знто кому? +— Мне. +— Да ты как полковник. +— Крестов-то! +Прикинь Гриша. +Прикинь батяня будет довольный. +Чего ж ты , задаром заслуживал, что ли? +фу, какой ты пышный! +Народи ты себе таких, чекатуха. +По крайней мере два сыночка — и обое в люди вышли. +Ну, будя. +Арбузы соленые есть +Ну как же! +Наташа. +Пока народ не подошел, расскажи Петру, что там делается. +Папа, а чего вы водичку из рюмочки пьете? +Дерутся. +Большевики где зараз? +С трех сторон: с Таганрога, с Тихорецкой, с Воронежа. +Ну а... ты какой же стороны держишься? +Я-то? +За Советскую власть +Дурак! +Петро, хучь ты втолкуй ему. +Горячий он у нас, как необъезженный конь +Разим ж ему втолкуешь +А мне нечего втолковывать я и сам не слепой. +фронтовики что у вас гутарют? +Да что нам зти Фронтовики? +Поиграли мы в большевиков на Фронте, пора и за ум браться. +Мы ничего чужого не хочем, ну и нашего не берите. +Ты , Гришка, подумай. +Парень ты не глупый. +Казак — как он был казак, так казаком и останется. +Вонючая Русь у нас не должна править +А то знаешь что иногородние зараз гутарют? +Всю землю разделить на души. +Зто как? +Иногородним коренным, какие в Донской области живут издавна, дадим землю. +А шиша им! +Вот им выкусить +— Здорово, служивый! +— Здорово. +Телка испужал, горластый. +Ишо не хватало... +Ну, Пантелей ПрокоФьевич, магарыч станови. +— Хлеб-соль — Седайте с нами. +Чего ж Михайло Кошевого не видать +Да тут он, на хуторе. +Ты чего, Валет, здесь За рыбой, что ли? +На кой она мне. +Худые дела, худые. +Кончай рыбку удить А то удим, удим, да про все забудем. +Ну, какие новости? +Выкладывай. +Под Мигулинской красную гвардию разбили. +Началась клочка... +Шерсть летит. +Откуда под Мигулинской? +Шли через станицу, казаки дали им чистоты . +Пленных кучу в Каргин пригнали. +Там военно-полевой суд уже наворачивает. +Нонче у нас мобилизация. +Вот-вот в колокол ахнут. +— Как же теперь — Надо подаваться из хутора. +— Куды ? +— Куды ! +А я почем знаю? +Прикрутит — сам найдешь лазейку. +Беги к Ивану Алексееву, а я вентери отнесу и зараз приду. +Уходить сейчас же! +Нонче же сматывать удочки! +Ты резон дай — чего мы пойдем? +Начнется мобилизация, думаешь зацепишься? +— Не пойду. +— Поведут. +Я не бычок на оборочке. +Возьмут, Валет правильно гутарит. +Куда идти — вот загвоздка. +Опять Как да куды . +Шутки шутите? +Время, вишь какое... +Тут все к черту пойдет. +Не сепети, твое дело другое. +Ни спереду, ни сзаду — снялся да пошел. +А у меня баба да двое детишков. +Тебе только языком трепать У тебя, кроме пинжака, ничего нету. +Ты чего рот раззявил? +ОФицерство свое кажешь +Не ори! +Плевать мне на тебя! +Замолчи, гаденыш! +Сопля паршивая! +Валяй, чтоб тобой не воняло тут! +Брось Григорий! +Казацкие замашки бросать надо. +И не совестно? +Совестно, Мелехов. +Стыдно. +Еще в Красной гвардии был... +Таких мы на распыл пущали! +Ступай! +Ноги повыдергаю! +С ума сошел? +А чего он не свое на себя берет? +Дождались +Вон-на, кличут! +З, нет. +Я зараз на баркас. +На знтот берег. +Потель меня и видали. +Ну так как же? +Зараз никуды не пойдем. +Бывайте. +Расходятся, видать наши тропки. +Зх, Мишка, Мишка... +Молодой ты , горячий. +Ты думаешь не сойдутся? +Сойдутся еще, будь в надежде. +Бывайте. +Слезай! +— Откель станичники? +— С хутора Татарского. +Припоздали вы трошки. +Поймали без вас Подтелкова. +— А где ж они? +— Вон ведут. +— И куды ж их? +— К покойникам. +Что ты брешешь +Сбреши лучше, ваше благородие. +Глянь им уже рели поставили. +Да, ежели бы вышли с Ростова на трое суток раньше, не пришлось бы тут смерть принимать +Кверху ногами поставили бы всю контру. +Черт с ними, пускай убивают. +И смерть пока не страшна. +Боюсь одного я, что в мире ином — друг друга уж мы не узнаем... +Как не узнаем? +Что ты ? +Ну, погутарили, хватит. +Старики! +Позвольте нам с Кривошлыковым поглядеть как наши товарищи будут смерть принимать +Нас повесите опосля. +А зараз хотелось бы поглядеть нам на своих друзьев-товарищей, поддержать которые духом слабы . +— Ну как? +— Нехай. +Дозволяем. +Нехай побудут. +Отведите их от ямы . +Выводи. +От вашего хутора есть охотники? +— Какие охотники? +— Приговор приводить в исполнение. +— Нету и не будет. +— Я стрельну. +Я согласный. +Только дай патронов. +Пойдем. +Держись +9, 1 0, 1 1 , 1 2, 1 3, 1 4, 1 5. +Так и не вспомнил, как звать +Так и умрешь без имени? +Имя есть +Член Российской коммунистической партии большевиков, питерский рабочий, сам из казаков. +Хватит. +По изменникам казачеству пли! +И ты тут, Мелехов? +— Тут, как видишь — Вижу. +Расстреливаешь братов? +Оборотился? +Вон ты какой... +Пли! +Под Глубокой бой помнишь Помнишь как оФицеров стрелял? +Теперича отрыгивается! +Не одному тебе казацкие шкуры дубить +Ты , поганка, казаков продал! +Ишо сказать +Что? +Стой! +Что я? +! +Что я? +Стой! +Отуманенные вы ! +Слепые! +Слепцы ! +Пусть погутарит напоследок. +Заманули вас, заставляют кровных братов убивать +Думаете, ежели нас побьете, зтим кончится? +Нет! +Советская власть установится по всей России! +Вот попомните мои слова. +Зря кровь вы чужую льете! +Глупые вы люди! +Мы и с знтими зтак управимся. +Всех, дед, не перестреляете. +Всю Россию на виселицу не вздернешь +Своя голова ближе! +Всхомянетесь вы опосля, да поздно будет! +Погутарил, хватит. +Лучших сынов Тихого Дона поклали вы в зту яму. +Вешать-то ишо не научились +Садись +Иди-ка сюда. +Обозники приехали. +С ними папаша ваш. +Ну? +! +Будет брехать +Право слово. +Иди встревай. +Зачем вас принесло, земляки? +А мы в обувательских, снаряды вам привезли, только воюйте. +Зто от матери тебе. +— А ты чего приехала? +— Да с батей. +Маманя забоялась случись чего, он один на чужой стороне. +— Здорово, соседка. +— Здорово, сосед. +Господи, и поглядеться-то некуда. +Заправду говорят, мыслишку держите дальше границ не ходить +А зачем дальше идтить +Выбьем мужиков с казачьей земли — и по домам. +По домам... +Вот придавят чеха, а потом как жмякнут всю красную армию, которая по ним была, и потекет из нас мокрая жижа. +Одно слово — Россия! +Шутишь что ль +Не пужай! +Аж возле пупка заноило от дурацкого разговора. +А по мне хоть всю жизнь воевать Люблю знто дело. +Выходи! +Не успели войтить уже выходи. +Опять значит, на позиции. +А вы гутарите: границы . +Какие могут быть границы ? +По домам надо! +Ну, пошли. +Ну-ка, Проша. +Поди погляди, чего там. +Хочу погутарить с тобой. +На той неделе я ездил к Петру. +Ихний полк за Калачом зараз. +Они, сынок, там неплохо поджились +Петро, он дюже гожий к хозяйству. +Дал мне чувал одежи, коня, сахару. +Конь справный. +Погоди. +Ты сюда не за зтим заявился? +— А что? +— Как что? +Люди ить Гриша, берут. +Люди! +Берут! +Своего мало? +Хамы вы ! +За такие штуки на германском Фронте людей расстреливали! +Не сепети, я у тебя не прошу. +Мне ничего не надо. +Ты об себе подумай. +Скажи, богатей какой нашелся. +Да и что ж не взять с знтих, какие к красным подались +Грех с них не брать +Ты мне оставь зто! +А не то живо провожу отсель +Давай коня. +Степан Астахов явился. +Слыхал? +Как зто? +Аксинья к нему вернулась +Ты бы внукам гостинцы послал. +Какие с Фронта гостинцы ? +Я на заставу. +Дарья ! +— Чего ишо? +— Подсоби. +Ой, Господи... +Вы , батя, и со своим дерьмом не расстанетесь +Молчи, шалава. +Буду я им ишо котел оставлять +Из тебя хозяйка, как из Гришки-поганца. +Батюшки! +Родимый! +Греха не боишься! +За что сирот обижаешь +Станичники, ну-ка, подсобите. +За что сирот обижаешь +Отдай хомут. +Отдай ради Господа Бога. +Ты Бога оставь +Твой-то комиссар, никак? +Раз " твое-мое-Богово" , значит, — молчок, не жалься. +Прощай, бабочка, не гневайся. +Вы себе ишо наживете. +Тебе вспомянется! +Ишо отольются вам наши слезы ! +Нет, правда за нами и сила за нами. +Вы находитесь господа, в историческом зале со стен которого на нас смотрят герои другой народной войны , войны 1 81 2 года. +Было время, когда Париж приветствовал своих освободителей — донских казаков. +1 04 года назад наш атаман граФ Платов гостил в Лондоне. +Теперь мы ожидаем союзные войска в Москве! +Мы ожидаем вас, чтобы под звуки торжественных маршей и нашего гимна вместе войти в Кремль вместе испытать всю радость мира и свободы ! +За великую, единую и неделимую Россию! +Ура! +Господа! +Господа, гимн! +По врагам революции огонь +Станичники, что же вы ? +! +Братцы , куда же вы ? +Стой! +За власть Советов вперед! +Вставай, проклятьем заклейменный, +Весь мир голодных и рабов! +Кипит наш разум возмущенный... +Ну что? +Без погон приехал? +Иди, поручкайся с братом. +Тоже вчера прибег. +Матерю порадуйте. +Жена вон, ребятишки истосковались +Да, вот какое дело... +Григорий! +Григорий Пантелеевич, что ж ты , как сурок, на пече лежишь +Слазь +Пропали мы , батя! +Чадушка моя. +Жалкий ты мой... +Молочка кислого положить +Как же ты думаешь +Отступать значит? +А то как же? +ОФицеров-то они не милуют. +Может, вы думаете оставаться, а я уж... +Не уж, я поеду. +А дом как же? +Зто что ж, знатца, вы уедете, а мы должны оставаться? +Добро будем оберегать +Через него, может, жизни лишишься! +Да сгори оно ясным огнем! +Не останусь я. +Ежели хутор миром тронется, и мы не останемся. +Пеши уйдем. +Дуры ! +Сучки! +Цытьте, окаянные! +Мущинское дело, а они равняются. +Ну давайте все бросим и пойдем куда глаза глядят. +А скотину куда денем? +За пазуху покладем? +А курень +Скотину можно с собой угнать +Угоним! +Старая корова починает. +Докель ты ее угонишь +Бездомовщина! +Ух, ты , поганка! +А овец? +Ягнят куды денешь +Наживал им, наживал, и вот что припало услыхать +Ну вот, слава Богу. +Погутарили. +Нашли время скалиться. +А человек с Большого Громка сказывал, что красные к Вёшкам подходят. +Зто что ж зто? +А вот! +Совсем никуды не пойдем. +Ехать — так всем, а не ехать — так никому. +Ну, коли так — остаемся. +Укрой и оборони нас, Царица Небесная. +Да надел я. +Сипилин Иван Авдеевич. +Пущал пропаганды против советской власти. +Правильно. +Здорово живешь +Проходи. +Жалься. +А я не жалиться. +Побрехать зашел да кстати сказать чтобы в обывательские не назначали. +Кони у нас в ножной. +А быки? +На быках какая ж езда? +Сколизь +Замерз, замерз, ребятки. +Григорий, здравствуй. +Здорово. +Ну, повидал я председателя. +Вхожу в кабинет, а он за руку со мной: " Садитесь товарищ" . +Зто окружной. +А раньше как было? +Генерал-майор! +Как перед ним стоять надо было? +Вот она, власть наша, любушка. +Все ровные. +Чему ж ты возрадовался? +Как чему? +Человека во мне увидали, как же мне не радоваться? +За что ж тогда воевали? +За генералов? +— Ты за что воевал? +— Я за себя воевал. +Мне ни те, ни знти не по совести. +Чем ты зту власть корить будешь +А чего ты за нее распинаешься? +Ну ты ... зтой власти дюже не касайся. +Потому — я председатель и мне тут с тобой негоже спорить +А власть твоя, — уж ты как хочешь — а поганая власть +Чего она дает казакам? +Каким казакам? +Казаки тоже разные. +Всем. +Земли дает? +Волю? +Равняет? +Земли у нас — хоть заглонись ею. +Воли боле не надо, а то зачнут на улице друг дружку резать +Атаманов сами выбирали, а теперь сажаете. +Твои слова — контра! +И ты меня на свою борозду не своротишь +Ты Советской власти враг! +Бывайте. +Коршунов. +Кашулин. +Синилин пущал... +Чего пущал? +Пропаганды против советской власти. +— Председателя мне нужно. +— Я председатель +Осип Давыдович! +Вдарь меня, сукиного сына. +Не верю я своим глазам! +Знал, что ежели жив остался, он будет в Татарском председателем. +Миша. +Здравствуйте. +— У вас и сесть не на чем? +— Садись в креслу. +— Моховское? +— Да. +Откель же ты взялся? +Откель я взялся? +С политотделом армии. +Вместе с революцией к вам пришел. +Очень братки, все просто. +Да... все очень просто... +Все очень просто... +Что ж, в общем, все правильно. +Только не все тут у вас. +Вот, скажем, Мелеховы где? +Мелеховы ? +Да, Мелеховы . +Зто я не с Григорием сейчас в дверях столкнулся? +Да был он тут. +Пожалели? +Пожалели. +А он, думаете, вас пожалеет? +Ты о Подтелкове помнишь +Обстановку знаешь фронт в полутораста верстах. +Если сейчас не взять наиболее активных врагов, снова вспыхнет восстание. +Казакам 300 лет дурманили голову. +Основная масса казачества настроена против нас враждебно. +Вот какова обстановка. +"Революцию в перчатках не делают" , — говорил Ленин. +К ночи можно будет взять Мелехова. +— Почему к ночи? +— Меньше разговоров. +Ну знаешь ли, зто... +Ерунда зто. +Зтих отправь +Зараз Мелехова доставлю. +Доставишь +Нет, брат, ищи теперь ветра в поле. +Здорово живете. +Успели. +Ну ладно. +Ничего, давайте разберемся. +Можно я скажу? +Бузуй! +Только товарищ Штокман, скажите, могу я гутарить так, как хочу? +— Говори. +— А вы меня не заарестуете? +Говори. +Мы так промеж себя судим: +что хотят коммунисты нас изничтожить +Смотри, не попадись на книжку. +А я как пьяный: у меня что на уме, то и на языке. +Хотят изничтожить чтобы на Дону казачьего духу не было. +Теперь не скажешь что расстрелов больше не будет! +— Коммунисты ... +— Чего опять коммунисты ? +Коммунисты хотят одного. +Чтобы перестала литься кровь и казачья , и не казачья . +Но пока лютуют наши враги, мы не говорим, что расстрелов, дескать не будет. +Теперь посмотрим, за что же были расстреляны наши хуторные враги Советской власти. +Коршунов... +Ну, его вы все знаете. +Атаманил, на чужом горбу катался. +Вот-вот. +Кашулин Андрей Матвеевич участвовал в расстреле красных казаков Подтелкова. +Бодовсков федот НикиФорович, то же самое. +Мелехов Григорий Пантелеевич, подъесаул, настроенный враждебно против советской власти. +Правда, Мелехова нам взять не удалось +Богатырев. +Ну, ему вы все цену знаете. +Кошевой, вы тут митингуете, а по хуторам томаха идет. +То ли белые, то ли еще кто. +Со станицей связь прервана. +Так в чем же дело, товарищи? +Осип Давыдович, со станицей связь прервана. +Не то белые, не то ишо что. +Со станицей связь прервана. +Скачи в Кашинскую. +Ступай, живо! +Бей его, ребята! +Бей гадину! +Ты что? +Стойте! +Пустите, люди добрые! +Дайте я над ним сердце отведу! +Антип, в отца жизню не вдуешь а человека загубишь +Братцы , на складе сахар делют, туды и ступайте. +Кто там? +— Кто? +— Откройте, мама. +Господи... +Уходи! +Ради Христа уходи, Мишенька. +Вечор казаки весь баз перерыли, тебя искали. +Антипка Брех плетью меня секнул. +"Скрываешь — говорит, — жалко, что его, заразу, не убили" . +Уходи! +Найдут тебя тут... +Господи, спаси и помилуй... +Здорово, сосед. +Ты что ж дома сидишь +Аль навоевался? +Воевать не пойду. +Берите коня, что хотите со мной делайте, а я винтовку брать не хочу. +— Как зто не хочешь — А так, не хочу — и все. +А ежели красные заберут хутор, с нами пойдешь или останешься? +Там видно будет. +А коли так, бери его, Христан. +Мы тебя зараз к стенке прислоним. +А ну пошли! +— Братцы ! +— Мы тебе не братцы ! +Пустите, я запишусь в сотню. +Слабый я от тиФу. +Давно бы так. +Иди бери винтовку. +Сотня! +Слезай! +Коней в укрытие. +Братуха! +Патроны приберегайте. +Бить когда дам команду. +Вот что, отведи свою сотню влево. +Никак батарею устанавливают на Матвеевом кургане. +Да. +Позиция мне не по душе. +Надо бы минуть зти яры . +А то обойдут с Фланга, беды не оберешься. +Чего ты , как зто нас обойдут? +Не, яры - не помеха. +— Гляди, парень — Ну, с Богом. +Сотня, за мной! +Зй ты , генерал Платов, прикажи донцам по чарке водки. +Молчи, водошник. +Отсекут тебе красные другую руку, чем до рта донесешь +Из корыта придется хлебать +А и выпил бы , недорого отдал. +Ушли. +По коням! +Через яр! +Братцы , в яр! +Степка Астахов за хвост своего коня поймал, ускакал. +А мне вот не пришлось Видит Бог, пропали, братцы . +Вот они. +Зй, вы ! +Вылазьте! +Все равно перебьем. +Петро Мелехов! +Вылазь +Говорит Михаил Кошевой. +Предлагаем сдаться добром. +Все равно не уйдете. +Вправо! +Прямо! +Орудие вперед! +Пулемет на тачанку! +Навоевался? +Ты командовал ими? +Раздевайся. +Живее ты ! +Ладно, хватит. +Кум... кум Иван, ты ж мое дите крестил. +Кум, не казните меня. +Гляди! +Гляди! +Гляди, что твой наделал! +Изничтожить бы семя ваше! +Ой, Петюшка... +Ой, Петюшка... +Ой, родимый! +Встань .. +Отойди. +Сынок... чадунюшка... +Да за что же они меня? +За что? +Что я им сделала? +А вы чего выпятились Али вам тут место? +Всех! +Всех на Фронт! +Там вас нету! +На конь +Лети, пташка канарейка, +Лети в горы высоко, +Пропой песню про войну, +Про несчастье про мое... +Григорий Пантелеевич, ты — гордость наша, не дай нас в страту. +Опять нами генералы владеют, всю власть к рукам забрали. +Какую ишо власть +На-ка, пей лучше. +Давайте Советской власти поклонимся: виноваты , мол. +Я шучу. +Пей, Христан. +Чего шутить Тут дело сурьезное. +Хучь Кудинова, хучь генералов, всех сместим, а тебя поставим. +Я говорю, всех сместим, а его посадим. +Верно? +Уйдут — хорошо, а нет, так двинем полки на Вёшки. +Да нету боле об зтом разговору. +Самогонка есть +— А поздороваться не надо? +— Здорово, хозяюшка! +— И сколько ж вас еще? +— А вся дивизия! +Григорий Пантелеевич, сокол ты наш, выпьем... +Будя вам его поить Не видишь он негожий никуды . +Ты зараз с ним не ходи, толку не будет. +Черт бессовестный, залил зенки и несешь неподобное. +— Может, взвару налить — Зачерпни. +Григорий Пантелеевич! +Слушай сюда! +Первую сотню поведу сам! +Шашки вон! +В атаку, братцы , за мной! +Мало тебе? +Мало? +Убью ! +Григорий Пантелеевич, опомнитесь +Уйди! +Уйди! +Успокойся. +Опомнись Григорий Пантелеевич! +Кого же рубил! +Братцы ! +Нету мне прощения! +Зарубите меня! +Смерти предайте! +Видать навоевался досыта. +Как очумеется, сажай на коня и вези до дома. +— Молочка налить — Ты лучше раненым оставь +— Здешняя? +— Здешняя. +Осип Давыдович. +Ничего, ничего. +Зто мы ишо поглядим, чья переважит. +— Чего же ты молчишь — А об чем гутарить с тобой? +Рассказал бы , как пьянствовал, как с жалмерками вязался. +А ты уж знаешь +Весь хутор знает. +Есть от кого услыхать +А коли знаешь чего расспрашиваешь +— Опять за старое берешься? +— Оставь Наталья . +Кобелина проклятый, ненаедный! +За что ж ты меня опять мучаешь +Дети вон уж у тебя какие! +Как гляделками не совестно моргать +Ты бы поменее брехни слухала. +Ну, трошки виноват перед тобой. +Она, жизнь Наташка, виноватит. +Все время на краю смерти ходишь ну и перелезешь иной раз через борозду. +Я вот и к водке потянулся. +Надысь припадком меня вдарило. +Неправильный у жизни ход, и, может, и я в зтом виноватый. +Зараз бы надо с красными замириться и на кадетов. +А как? +Кто нас теперь сведет с Советской властью ? +Все у меня, Наташка, перемутилося в голове. +Уж ты бы мне зубы не заговаривал. +Напаскудил, теперь на войну сворачиваешь +Мало через тебя, черта, я лиха приняла? +Жалко что тогда не до смерти зарезалась +Может, подсобить в чем, Гришенька? +Да нечего подсоблять +Ах, Григорий Пантелеевич, до чего вы со мной, вдовой, строгие. +Не улыбнетесь и даже плечиком не ворохнете. +— Шла бы стряпаться, зубоскалая. +— Ах, какая надобность +Наталье подсоби. +Мишатка бегает грязней грязи. +Ишо чего недоставало! +Вы их будете родить а мне замывать +Наталья как трусиха плодющая. +Она их тебе нашибает еще штук 1 0. +Зтак я от рук отстану, обмываючи всех их. +Ступай. +Григорий Пантелеевич! +Вы зараз в хуторе один казак на всех. +Не прогоните, дайте хучь издаля поглядеть на ваши черные завлекательные усы . +Ну и ухо ты ! +Как с тобой Петро жил? +У тебя не сорвется. +Зто уж будьте покойны . +Слышь Гришка, а мне бабы молодые гутарют: +"Что зто за права? +Казаков нету, а Гришка приехал и от жены не отходит. +Хучь от него и половинка супротив прежнего осталась а мы за зту половинку подержались бы с нашим удовольствием" . +Я им говорю: " Нет, бабочки. +Гриша наш только на чужих хуторах на короткую ножку прихрамывает. +А дома он за Натальин подол держится без отступу. +Он у нас с недавней поры святой стал" . +Ну и сука ты ! +Язык у тебя — чистое помело. +Уж какая есть +А попадись мне, я бы такого храброго, как ты , в страх привела. +Здравствуй, Аксинья дорогая. +Здравствуй. +Давно мы с тобой не видались +Давно. +Я уж и голос твой позабыл. +— Скоро. +— Скоро ли? +Неужели нам с тобой и погутарить не об чем? +Чего ж ты молчишь +Видно, мы свое отгутарили. +Ой ли? +Да так уж, должно быть Деревце один раз в году цветет. +Думаешь и наше отцвело? +А то нет? +Чудно все как-то. +А я, Ксюша, все тебя от сердца оторвать не могу. +И дети у меня большие, и сам наполовину седой, +а все думается о тебе. +Во сне тебя вижу и люблю доныне. +— А начну вспоминать .. +— Я тоже... +Мне тоже надо идтить Загутарились мы . +А ить наша любовь у зтих мостков и зачиналась +— Помнишь — Все помню! +— Даша. +— Кто зто? +Зто я, Аксинья . +Подойди на-час. +— Чего зто я тебе понадобилась — Дюже нужна. +Чего зто? +Никак, кольцо? +— Мне, что ли? +— Тебе. +От меня в память +Золотое. +Носи. +Ну, спаси Христос. +Чего нужно, за что даришь +Вызови мне... +вызови Григория вашего. +Опять что ли? +Мне с ним погутарить надо, может он Степану бы отпуск исхлопотал. +— А чего ж к нам не зашла? +— Наталья могет подумать .. +Ну ладно, вызову. +Мне его не жалко. +Кто? +— Здорово. +Кошевой дома? +— В чем дело? +Беда. +Сердобский полк восстал. +Пехота разоружила батарею. +А зараз возле церкви митинг. +— А Кошевой где? +— Уехал в Усть-Медведицкую. +Я еще вчера по разговорам понял, куда клонят. +Собирайся. +— А где остальные коммунисты ? +— Кто их знает. +— Коммунисты , на митинг. +— Идем. +Оружие можно оставить Не в бой идете. +Слава рядовому бойцу! +Молчать +Молчать +Молчать +Красноармейцы ! +Позор вам! +Вы предаете власть народа! +В самый тяжелый момент! +Вас продали казачьим генералам! +Ваши командиры — изменники! +Брехня! +Опомнитесь +Вашей рукой хотят задушить рабоче-крестьянскую власть +Не смей! +Не смей. +Убить всегда успеешь +Слава бойцу-коммунисту! +Вы можете меня убить .. +Дайте сказать +Дайте сказать +Вы можете меня убить но я повторяю вам - опомнитесь +Ваш командир полка... +Осип Давыдович! +Вас... ввели... в заблуждение. +Но коммунизм... все равно... +Смерть Смерть коммунистам! +Врагам трудового крестьянства! +Бей их! +Гонят! +Ведут! +Ведут пленных! +Врагов гонят. +Иван Алексеевич гляди-ка какой... +Гляди, Котлярова гонят. +Вижу. +Бессовестными глазами глядит. +Довольно, хватит им. +Нагулялись +Земельки захотели, а? +Вашего хуторца пригнали. +Покрасуйтесь на него, на сукиного сына. +А другой-то, Кошевой Мишка, где? +Один ваш хуторец. +Да по куску на человека и знтого хватит растянуть +Ну-ка, сосед. +— Здорово, кум. +— Здорово, кума Дарья . +А расскажи-ка, родненький куманек, как ты кума своего, моего мужа Петра Пантелеевича убивал-казнил. +Нет, кума Дарья . +Не казнил я его. +Как зто не казнил? +Ить зто же вы с Мишкой Кошевым казаков убивали. +Был я в том бою. +Был! +Дашка, что ты ? +! +Своих побьешь +Ах ты , сука. +На какую-то веревку заперлись +Дома-то есть кто? +Чего зто ты ? +Мать Наталья где? +Да чего у вас тут? +Пленных давно прогнали? +Побили их. +Ой, Гриша! +Дашка наша, стерва проклятая, сама Ивана Алексеевича стрельнула! +Чего ты брешешь А Штокман? +Кошевой? +Не было их с пленными. +А маманя забоялась с Наташкой в хате спать к соседям ушла. +А Дашка откель-то пьяная пришла, пьянее грязи. +Зараз около амбара спит. +Гадюка! +Здравствуйте, господа старики! +Здравия желаем, ваше превосходительство! +Милости просим принять хлеб-соль от казачества. +Благодарю вас. +Прошу. +Вы видите, на хуторе остались только старики, бабы и мальчишки, которые не могут носить оружия. +Начинайте. +Все казаки сражаются на разных Фронтах за наше общее дело. +Мелехова Дарья ТимоФеевна! +— Мелехова! +— Тута я! +Что? +А, да... +Вы - вдова убитого хорунжего Мелехова? +Да. +Сейчас вы получите деньги, 500 рублей. +Правительство Дона благодарит вас за выказанное вами высокое мужество и просит принять сочувствие. +Мне можно идти? +Да-да, разумеется. +Мы награждаем женщин, проявивших в боях с большевиками большое мужество. +Первая из награжденных мною — жена оФицера — сама убила прославившегося жестокостью комиссара. +Господи! +За что зто тебе? +За кума Ивана Алексеевича, Царство небесное сукину сыну. +А знто... за Петю. +— Куды тебе их? +— Чего куды ? +— Деньги куды денешь — Куды хочу, туды и дену. +Зто, маманя, Петю поминать +Вселенскую панихиду закажите, кутьи наварите. +А мне бы теперича ишо крестов нахватать и сейчас в генералы ! +ОФицеры -то все на Фронте, а кто будет стариков обучать маршировке? +Вот их и предоставят под мою команду, а я уж с ними, со старыми чертями, управлюсь +Вот как я буду ими командовать +Старики, смирно! +Бороды поднять выше! +Кругом, налево шагай! +И пошли мои старички. +Ать-два, ать-два. +Не балуйся. +Подуй. +Ой, Господи... +Чего зто ты ? +Ну, будя, будя... +Скоро помру я, Натаха. +Да полно тебе, чего мелешь +Ты меня шибко не целуй. +Почему? +Заразная я. +Доигралась .. +Да ты не боись так-то уж не пристанет. +Вот что, Натаха, хочу повиниться перед тобой. +Мне ить так и так не жить +Чье колечко? +Да ты погоди обмирать-то. +Кольцо-то знаешь чье ? +Да, соседки Аксиньи . +А за что она мне его подарила, ну-ка, прикинь +За то, что Гришу к ней вызывала. +— А ты и не догадывалась — Догадывалась +А догадывалась чего ж ты у него не допыталась +Хочешь я у Аксиньи все допытаю? +Она мне все дочиста расскажет. +Не хочу я твоей услуги. +Ить не из жалости ты призналась что сводничала, а чтобы мне тяжельше было. +Верно. +Рассуди сама, не мне ж одной страдать +А ты своего дюже любишь +Как умею. +Значит, дюже. +А мне вот не приходилось +Мне бы теперича сызнова жизню начать .. +Могеть и я бы другой была? +Примечаю я за тобой, опять ты не такая стала. +Аль с Гришкой у вас что получилось +Он, маманя, опять с Аксиньей живет. +Зто... зто откуда ж известно? +Верно, маманя, чего уж там... +Не доглядела ты за ним. +С такого муженька глаз не надо сводить +Чего ж его, к юбке привязывать +Наполовину седой стал, а старое не забывает. +Зто и вся беда? +Какая вы , маманя... +И чего ж ты надумала? +А чего ж окромя надумаешь +Заберу детей и уйду к своим. +Больше жить с ним не буду. +Смолоду и я так думала. +Мой-то тоже был кобель не из последних. +Куды прийдешь Кому ты нужна? +Да ишо детишек от отца забирать Как зто? +Ишо сама тяжелая, третьего ждешь +Нет, не велю и слухать не буду. +Нет, маманя, жить я с ним боле не буду. +И родить от него боле не буду. +И поворачивается у тебя язык, у бессовестной? +Ну хватит. +Всех слез не вычерпаешь оставь и для другого раза. +Господи! +Всю душень он мою вымотал! +Нету боле мочи так жить Господи, покарай его! +Срази его там насмерть чтобы боле не жил он, не мучил меня! +— Опамятуйся! +— Господи, покарай, накажи! +Становись на колени. +Слышишь Наташка? +! +Проси у Бога прощения. +Проси, чтобы не принял Он молитву. +Кому ты смерти просишь Родному отцу своих детей. +Ох, великий грех... +Крестись Кланяйся в землю. +Говори: " Господи, прости мне, окаянной, мои прегрешения" . +Зн-ци-кло-пе-ди... +Знциклопедия. +Стой. +А вот тута? +Поваренная книга. +Где Наталья ? +— Что? +— Наталья где? +Собрала узелок и ушла. +— Когда? +— Утром. +А чего она гутарила? +Какой узелок? +Да почем я знаю? +Взяла чистую юбку, еще что-то и ушла, ничего не сказала. +Головушка горькая... +Беда-то какая... +Беда-то какая! +Бати нету? +Что же ты с собою сделала? +! +Не шумите, маманя. +Мне бы лечь +Ничего, ничего... +Горе ты мое... +Чего стоишь Постель готовь +Сымите чистую одежу, постелите чего похуже. +Молчи, молчи. +Уйди и не показывайся сюда! +Не дело тебе тут отираться. +Зараз запрягай, езжай в станицу за Фершалом. +Выдумаешь чертовщину. +Чего еще поделалось +Наталья ... +Ах, паскудница! +Чего надумала, а? +! +Батя, не входи ради Христа. +Наработала, чертова дочь +Одурел, проклятый? +! +Куды ты лезешь +Чего возишься, как жук в навозе? +Наташка помирает, а он возится. +Запрягай, а то сама поеду! +Тю, сдурела! +Тебя еще не слыхали, короста липучая. +Тоже еще, на отца шумит, пакость +Укройте мне ноги шубой. +Как помру я, маманя, наденьте на меня юбку зеленую, знту, какая с прошивкой на оборке. +Гриша любил, как я ее надевала. +Не плачьте, маманя... +Ничего... +Вот ты гутарила, Дашка, что тебе помирать скоро. +Тебе ишо жить да жить +А мой час пришел. +Маманька, ты чего? +Захворала твоя маманька. +Подойди ко мне, жаль моя. +— Мамань ужинать будешь — Не знаю. +Должно быть нет. +Ну тогда я тебе сюда принесу, ладно? +Нагнись Мишенька. +Истый батя... +Только сердцем не в него... помягче... +Ну-ка, дай. +Григорий Пантелеевич, шибко не гони, не убей коня. +Григорий Пантелеевич! +Пропал конь +Не уберегли... +"Правь Британия, морями!" . +За вашу родину, мистер Кзмпбелл. +Ах, какая зто страна, подъесаул. +Вот вы представить себе не можете, а я жил там. +Выпьем. +Вот мистер Кзмпбелл не верит, что мы справимся с красными. +— Не верит? +— Не верит. +Он плохо отзывается о нашей армии и похваливает красных. +Проклятый коньяк. +Крепок, как спирт. +Немногим слабее. +А вы мне нравитесь подъесаул. +Ну что вы такой грустный? +Что случилось подъесаул? +У меня недавно жена померла. +Да, зто ужасно. +А почему он красных уважает? +Уважает? +А кто сказал " уважает" ? +Вы сказали. +Не может быть +Он не может их уважать Я сейчас спрошу у него. +— Чего он болтает? +— Сейчас. +Он видел, как они в пешем строю, обутые в лапти, шли в атаку на танки. +И зтого довольно. +Он говорит, что народ нельзя победить +Дурак. +Вы ему не верьте. +— Как не верить — Вообще не верьте. +— Зто как? +— Надрался и болтает ерунду. +Почему зто народ нельзя победить +Часть его можно... уничтожить +А остальных привести в исполнение. +Как я сказал? +Исполнение? +Нет, в повиновение. +Знаешь что я тебе скажу? +Езжай-ка ты поскорее домой. +Пока тебе здесь голову не свернули. +В наши дела вам незачем мешаться. +Езжай, пожалуйста, а то тебе здесь накостыляют. +— Слышишь бабка, музыку-то? +— Какую музыку-то? +А вот что на одних басах играет. +Слыхать слышу, да не пойму, что зто такое. +Скоро поймешь Зто из орудиев бьют. +У наших стариков потроха вынают. +Как встанет Дон, погонят нас красные до самого моря. +— Зто куды ж? +— На Дон, искупаться. +Какое ишо нынче купание? +Ничего, маманя. +О, Господи... +Поди погуляй на баз. +На улицу не ходи, а то стопчут. +Мишатка, поди сюды . +Родный мой! +Ой, Григорьевич! +Хороший мой! +Как же я по тебе соскучилась .. +Дура твоя тетка Аксинья . +Ой, какая дура! +— Не гляди на меня. +— Чего зто? +Не гляди, не люблю. +Зто с каких пор? +С таких. +Ладно, пойду так. +— Здорово, Машутка. +— Здорово. +Прощай, Дуняха! +Ты чего, Дашка? +Вылазь +Дарья ! +Дашка утопла! +Дашка утопла! +Дашка утопла! +Батю давно на Фронт забрали? +Недавно. +Он было упрятался, да Митька Коршунов доказал. +Вот какие ноне свояки пошли. +— Какой он нам свояк? +— Зверь чистый зверь +Старуху Кошевую зарубил вместе с ребятами. +Зто Мишке отомстил? +И никто не вступился? +Кто ж заступится-то? +У каждого свое. +Меня не было. +Ох и постарел ты , братуха. +Серый какой-то стал, как бирюк. +Мне так и полагается. +Мне — стареть тебе — в пору входить жениха искать +Только вот чего я тебе скажу. +О Мишке Кошевом и думать позабудь +Ты не гляди, что я его старуху пожалел. +Зто одно к одному не касается. +Услышу, что ты об нем сохнуть будешь на одну ногу наступлю, за другую возьмусь и раздеру. +— Ехать когда думаешь — Завтра. +Я вот что... +Я думаю Аксинью Астахову взять с собой. +Супротив ничего не имеешь +А мне-то что? +Бери хучь двух Аксиньев. +Коням будет тяжеловато. +На холеру она тебе сдалась +Зто тебя не касается. +Ну, война кончилась +Пихнули нас красные так, что до самого моря будем пятиться покуда не упремся задницей в соленую воду. +Чего оскаляешься-то? +Невеста, да и только. +Рада, что с хутора вырвалась +А то, думаешь не рада? +Нашла радость Глупая ты баба. +Ишо не видно, чем зта прогулка кончится. +Мне хуже не будет. +Молчала бы . +Муж-то где? +Схватилась с чужим дядей и едешь черт-те куда. +А ежели зараз Степан на хутор заявится, тогда как? +Знаешь чего, Проша, ты бы в наши дела не путался, а то и тебе счастья не будет. +Да не ругайтесь вы по-первам. +Дорога дальняя, ишо успеете. +— Гриша! +— Тут я, тут. +Ну, тут я, Ксюша. +Гриша... +Беда, Гриша. +Гриша... +Тут я. +Тут я, Ксюша. +Закрывайте дверь плотнее. +— Зто жена ихняя будет? +— Жена. +И дети есть +И дети есть все есть одной удачи нам нету. +Слухай, друг, пособи моей беде ради Христа. +Везти дале ее нельзя, помрет. +Дозволь оставить ее у вас. +За догляд заплачу сколько положите. +Само собой. +Даром кто будет за ней уход несть +Тут такое дело, сам не знаешь как управиться. +Не откажи, сделай милость Век буду помнить ваши заботы . +Ну а сколько бы вы положили за уход? +Сколько вам будет не жалко? +Все, какие есть +И что зто за деньги? +Николаевских у вас нету? +Нету. +Может, керенки есть +— Зти уж больно ненадежные. +— Керенок нету. +Хошь коня своего оставлю? +— Бери. +— Бери... +Не белые, так красные все одно заберут, пользы никакой. +Чего? +Чего? +На. +Задавись +Ладно, сделаем уважение. +Когда воевали — нужны были, а зараз мы им ни к чему. +Ну их к черту, пойдем отсюда. +Давай подадимся до ТиФлиса, а оттуда к туркам. +Надо ж как-то спасаться. +Чего ты , как рыба, снулый? +Нет, не поеду. +Не к чему. +Да и поздновато трошки. +Гляди. +Красные. +Здравствуй, соседушка. +Долго ж ты пропадала в чужих краях. +Ты чего воззрилась на меня и молчишь +Аль плохие вести принесла? +Григорий-то... +Он когда оставил тебя, не хворый поехал? +Нет, он не хворал. +И на том спасибо. +Не может быть чтобы лишилась я последнего сына. +Не за что Богу меня наказывать +Вы не печалуйтесь об нем, бабушка. +Разве такого хворость одолеет? +Да он крепкий, прямо как железный. +Такие не помирают. +О детишках не вспоминал? +И о вас и о детишках вспоминал. +Здоровые они? +Чего им подеется. +А Пантелей ПрокоФьевич помер в отступе. +Остались мы одни. +Ну, прощай. +Обживешься — зайди к нам, проведай. +Может, узнаешь что про Григория — скажи. +Хорошо, бабушка. +Здорово, тетка Ильинична. +Не ждала? +Здорово. +А ты кто такой мне, чтобы я тебя ждала? +Нашему забору двоюродный плетень +— Как-никак, знакомы были. +— Только и всего. +— Я ить не жить к вам пришел. +— Зтого ишо недоставало. +А Евдокия Пантелеевна где ж? +Прибирается. +Больно ранний ты гость добрые люди спозаранок не ходят. +Соскучился, вот и пришел. +Чего уж тут время выбирать +Ох, Михаил, не гневил бы ты меня. +Чем же я вас, тетенька, гневлю? +Как у тебя совести хватает приходить к нам, бесстыжий? +И ты ишо спрашиваешь ! +Кто Петра убил? +Не ты ? +Ну, я. +Опосля зтого кто ж ты есть +И ты идешь к нам, садишься, будто... +— Ну, здравствуй. +— Здравствуй. +Ступай воды принеси. +Как только твои глаза на меня глядят? +Не с чего моим глазам зажмуряться. +А ежели б Петро меня поймал, чего бы он сделал? +Он ведь тоже меня убил бы . +Не для того мы на знтих буграх сходились чтобы нянькаться один с другим. +На то она есть война. +Враг он есть враг, а на врага у меня рука твердая. +Через зту твердость ты и прожелтел весь +Совесть небось точит. +Какая совесть Лихоманка меня замучила. +— А то бы я их, мамаша... +— Какая я тебе мамаша? +Душегуб! +Уходи отсель +Уходи! +Зрить я тебя не могу. +А Митька Коршунов, свояк ваш, не душегуб? +А Григорий кто ж? +Про сынка-то вы молчите. +А уж он-то душегуб настоящий, без подмесу. +Траву в лугу косить думаете? +Люди уж поехали за Дон. +Нам и переехать не на чем. +Баркас с осени стоит, рассохся. +Надо бы спустить его на воду. +А кто ж его спустит? +А конопи-то есть у вас? +Должно, остались ишо. +Пойду погляжу. +— А, тезка, здорово. +— Здорово. +Чего ты будешь делать +Чего я буду делать Баркас вам наладить надо. +А грабельки маленькие сделаешь +Сделаю. +Ты чего? +Михайло Григорьевич, тезка, принеси дерюжку, я ляжу. +Бабаня! +Бабаня! +Дядя Михаил лег под сараем и так дрожит, ажник подсигивает. +Ты чего молчишь бабаня? +Снеси ему, антихристу, одеяло, нехай накроется. +Лихоманка его бьет. +— Донесешь — Донесу. +Постой! +Не неси. +Дуня! +— Прохор Зыков вернулся. +— Да что ты ? +! +Раненый. +Я побегу, может, чего скажет про Григория. +Здорово, односумка! +Не чаял живой тебя увидать +Здравствуй, Проша. +Ну как он, тиФок, прихорашивает вашего брата? +Ну проходи, садись Гостем будешь +Погутарим, покуда моей бабы нету. +Я ее за самогонкой снарядил. +А меня видишь как шляхи обработали, в рот им дышло! +Ты бы сказал... +Знаю, скажу. +Вот так велел кланяться. +Чего ж ты кричишь глупая? +Вот бабы ! +Убьют — кричат, живой остался — опять кричат. +Да утрись Говорю тебе, живой, здоровый, морду во какую наел. +Мы с ним в Новороссийске поступили в Конную армию товарища Буденного. +Ладно. +Принял Григорий Пантелеевич сотню. +Зскадрон. +Я при нем состою. +И прямиком на Киев. +Что ж он, может, в отпуск... +И думать не моги. +Говорит, буду служить до тех пор, пока прошлые грехи замолю. +Из боя не выходит. +Благодарность ему была. +Вот он какие котелки выкидывает, твой Пантелеевич. +Садись чай пить будем. +Да нет, я... +Ну беги, звони по хутору. +Чегой-то вы , маманя? +А зто я, Дуняшка... +Зто... войдешь с база, глянешь легче делается. +Как будто он уже с нами. +Маманя, благословите меня за Михаила. +Опять ты ! +Нету тебе моего благословения. +Не отдам тебя за него. +Тогда я уйду. +Опамятуйся ты ! +Что ж я одна с детишками буду делать +Пропадать нам? +Как знаете, маманя, а я все одно уйду. +На хуторе гутарят: +"Аль наняли Михаила в работники?" +Зтой иконой меня покойница мать благословила. +Ну, свое все вынула? +То-то... +Мое не захвати. +Чего зто вы смертное приготовили? +Рано вам ишо о смерти думать Господь с вами. +Нет... пора мне. +Детишек береги, соблюдай, пока Гриша возвернется. +А я уж, видно, не дождусь +Ну а к чему идтить в церковь +— Аль нельзя так? +— Нет, Миша, не проси. +Маманя и так благословила со слезьми. +Нельзя так. +Ох, девка... +И чего мне с тобой делать +Гришенька! +Родненький мой! +Кровинушка моя! +Помирать собралась маманя. +Чего тебе? +Ну, старик, получай вольную. +Переизбрали тебя. +Меня назначили. +— Слава тебе, Господи. +— Сдавай дела. +Вот тебе, соколик ты мой, бумажки. +Вот тебе ишо бумажки. +Во! +Бумажки. +А вот тебе... +Во! +Хуторская печать +Забери ради Христа все зто. +А мне куды уж? +Восьмой десяток живу, мне с Богом пора беседовать а меня председателем назначили. +— Секретарь где? +— Ась +— Секретарь говорю, где? +— В поле жито сеет. +С Егорьего дня глаз не кажет. +Придет бумага какая важная, а его с собаками не сыщешь +Я-то с трудом расписываюсь а читать и вовсе не могу. +Печать становить могу. +Вот и все хуторское хозяйство. +Денежных суммов нету. +А атаманской насеки при Советской власти не полагается. +Вот коли хочешь могу тебе свой костыль отдать +Ну, дед, будем считать что дела от тебя я принял. +Теперь катись отседова к едреной бабушке. +— Куды ? +— Домой иди! +А, ну ладно. +Я тебя сразу признал. +Кошевого, покойника, сын? +— Он самый. +— Ну, будь здоров. +Ступай, ступай. +— Чего зто ты ? +— Гриша приехал. +С радостью тебя. +— Ну, здравствуй, Миша. +— Здравствуй, здравствуй. +Давно мы с тобой не видались Будто сто лет прошло. +Да, давненько. +С прибытием тебя. +Спасибо. +Породнились значит? +Пришлось Чего зто у тебя кровь на щеке? +Бритвой порезался, спешил. +Ты чего? +Хочу позвать кого-нибудь валушка зарезать +Надо хозяина встретить как полагается. +Скажи Прохору Зыкову, чтобы в землю зарылся, а достал самогонки. +Он в знтом деле лучше тебя разберется. +Покличь его вечерять +Ну... хозяйка? +Григорий Пантелеевич! +Григорий Пантелеевич! +Милушка ты мой! +Вот и не чаял, и не думал дождаться. +— Совсем пришел? +— Совсем, вчистую. +До какого ж чина дослужился? +Был помощником командира полка. +Чего ж так скоро тебя отпустили? +Не нужен стал. +Через чего ж зто? +Не знаю, должно, за прошлое. +А Михаил где? +На базу. +Платона Рябчикова с месяц назад расстреляли. +— Что ты говоришь — Истинный Бог. +Потом погутарим. +Что ж, товарищ командир, выпьем! +Заходи, Ксюша. +Садись гостем будешь +Здравствуйте. +Здравствуй, Ксюша. +Садись +Односумка! +Ксюша! +Вместе отступали, вместе вшей кормили. +Выпей за здоровье Григория Пантелеевича. +Ты его не слухай, он уж набрался. +С приездом вас, Григорий Пантелеевич. +А тебя, Дуняшка, с радостью . +А тебя с чем? +С горем? +И меня с радостью . +С великой! +Тяни ее всю до капельки, ради Христа. +Умеешь сказать прямо, умей и пить прямо. +Мне нож вострый в сердце, когда остается. +Ты , Михаил, в зтом деле хуже, чем телок. +А я в напитках толк знаю. +Вот есть такое вино — не успеешь пробку вынуть а оттуда пена идет, как из бешеной собаки. +Я в ту ночь до трех раз с коня падал, как ветром сдувало. +Такое вино бы натощак по стакану. +Ну, как ты ? +Ох, всего не перескажешь +— Придешь — Приду. +Кувшин с собой не возьму. +Душа не дозволяет ходить с порожней посудой. +Зараз приду, жена зачнет меня казнить +Ты до дому-то дойдешь +Раком, а доползу. +Али я не казак, Пантелеевич? +Даже очень обидно слухать +Стой. +Что ж, потолкуем, Михаил? +Давай. +Что-то у нас не так. +Не по душе тебе мой приезд, так, что ли? +Так. +Не по душе. +— Почему? +— Лишняя забота. +Я думаю сам прокормиться. +Я не об зтом. +Тогда о чем же? +Враги мы с тобой. +— Были. +— Да, видно, и будем. +Почему? +Много ты наших бойцов загубил. +Через зто не могу так легко на тебя глядеть +Зтого из памяти не выкинешь +Крепкая у тебя память +Ты брата Петра убил, а я тебе что-то об зтом не напоминаю. +Ежели все помнить — волками жить +Поглядел бы я на тебя, как бы ты со мной разговаривал, ежели б зараз кадетская власть была, ежели б вы одолели. +Ремни, небось со спины вырезывал бы . +Зто ты зараз такой добрый. +Может, кто и резал бы ремни, а я поганить руки об тебя не стал бы . +Выходит, разные мы с тобой люди. +Сроду я не стеснялся об врагов руки поганить и зараз не сморгнул бы при нужде. +Пить будешь +Давай, а то дюже трезвые мы стали для такого разговору. +Так чего ж ты , Михаил, боишься, что я буду против Советской власти бунтовать +Ничего я не боюсь а между прочим думаю: +случись какая заварушка, и ты переметнешься на другую сторону. +Никуды я не переметнусь +Я свое отслужил. +Никому боле не хочу служить +Навоевался я за свой век предостаточно. +И уморился душой страшно. +Все мне надоело, и революция, и контрреволюция. +Пропади оно все пропадом. +Хочу пожить возле своих детишек, заняться хозяйством. +Вот и все. +Ну, зто, брат, ишо не все. +Ревтрибунал не будет спрашивать чего ты хочешь +В Вёшенскую когда поедешь на учет? +— Как-нибудь днями. +— Надо ехать завтра. +Денек отдохну. +Не убегу же я. +Черт тебя знает. +Я за тебя отвечать не хочу. +До чего ж ты сволочной стал. +Ты меня не сволочи. +Я к зтому не привык. +Зти, знаешь оФицерские повадки бросать надо. +Отправляйся завтра же, а ежели добром не пойдешь — погоню под конвоем, понятно? +Теперь мне все понятно. +Милый ты мой Гришенька... +Сколько у тебя волос-то седых в голове... +Стареешь стал быть +Каким же ты парнем был! +Дуняшка. +Братушка! +Уходи зараз! +К нам из станицы четверо приехали, говорят, будто тебя арестовать надо. +Спасибо, сестра. +Хлеба скорей! +Да не целый, краюху! +Ступай, а то заметят, что ушла. +Прощай. +Прощай. +Скоро подам вестку, Прохор скажет. +Дверь запри. +Ежели спросят, скажи, ушел в Вёшки. +Ну, прощай. +Гриша... +Стой! +Стой, сукин сын! +Ты кто такой? +Коммунист? +Руки из карманов вынай, а то голову срублю! +— Иди вперед! +— Куда? +Вперед! +Руки за спину заложи! +— А вы кто такие? +— Православные. +Шагай. +Мелехов! +Здравствуйте. +Вот уж воистину степь широкая, а дорога узкая! +Откедова ты взялся-то? +— Здорово. +— Здорово. +Раздевайся, садись +Где же мои ребята тебя сцапали? +Возле хутора. +Куда шел? +А куда глаза глядят. +Думаешь мы тебя словим и в Вёшки повезем? +Нет, брат, нам туда дорога заказаная. +Не робей. +Мы перестали Советской власти служить +Развод взяли. +Думаю все-таки поднять казаков. +Прекрати мотаться. +Я кому сказал? +Слухом пользуемся, кругом война идет, всюду восстания. +И в Сибири, и на Украине, и даже в самом Петрограде. +Весь Флот восстал в крепости... ну, как ее... +В Кронштадте. +Идиот. +Ну, что же надумал? +Говори, да давай ложиться спать +В чего говорить +С нами идешь или как? +Всю жизнь по чужим катухам не прохоронишься. +Вот зто ты верно сказал. +Деваться некуда. +Вступаю в твою банду. +Зто мы банда? +! +Ты зто название брось Почему зто — банда? +Зто название нам коммунисты дали, а тебе его говорить негоже. +Просто восставшие люди. +Коротко и ясно. +Ладно, будя. +Коня тебе своего отдаю. +У меня есть запасной. +Тот, рыжий. +Казаки, на собственной шее вы почувствовали, какие тяготы возложила на хлеборобов советская власть +Вы дойдете до окончательной разрухи, если советскую власть не свергнуть +Здорово! +Вот оно, мое войско! +Черту рога можно сломать с такими ребятами. +Советской власти не жить +А тебе? +Кончай. +Плетешь невесть что. +Станичники! +Учись как надо. +Станичники! +Мы с нынешнего дня освобождаем вас от продразверстки. +Хлеб больше не возите на приемные пункты ! +Пора перестать кормить коммунистов-дармоедов! +Они жир нагуливали на вашем хлебе! +Но зта чужбинка кончилась +Вы — свободные люди! +Вооружайтесь и поддерживайте нашу власть +Казаки, ура! +Твоя власть хорошая, а мыла ты нам привез? +А сами чьим хлебом кормитесь +Небось побегут по дворам побираться. +У них шашки, они курам головы порубят. +Как зто — хлеб не возить +Нынче вы тут, завтра вас не сыщешь а нам отвечать +Не дадим вам наших мужьев! +Воюйте сами. +А кто с ними пойдет? +Не к чему бунтовать +Нужды нет. +Пора подходит убирать а не воевать +Да, а знтот усы распушил, разъезжает на конике, народ мутит. +Учитель нашелся! +Чего молчишь рыжее мурло, аль неправду я гутарю? +Цыц, рябая стерва! +Ты еще тут агитацию разводишь ! +У, зараза большевистская! +Я из тебя дурь выбью ! +Прикажу задрать тебе подол да всыпать шомполов, тогда доразу поумнеешь +А зтого ты не видал, Аника-воин? +Меня? +! +Пороть ! +А в носе у тебя не кругло! +Ишь ты , царь-освободитель +На конь Красные! +Зто ишо мы поглядим! +Я оружие не сложу. +Садитесь вечерять разбойнички. +Я идейный борец против советской власти. +А ты меня обзываешь чер-те по-каковски. +— Правильно обзывает. +— Правильно? +Да ты понимаешь дурак, что я сражаюсь за идею? +Ты мне голову не морочь Тоже нашелся идейный. +Разбойники, и боле ничего. +Какая бы Советская власть ни была, а с 1 91 7 года держится. +И кто супротив нее выступает, тот и есть разбойный человек. +Прекрати жрать +Ты не один пока. +Ишо нас четверо. +А один уйдет, троим боле достанется. +Что? +Ты что? +Бежать +Бежать мне некуда да и не от кого. +А уйтить — все одно уйду и не удержишь +Мелехов, брось +Стрелять буду! +Не будешь побоишься. +Вам тут тихо жить надо. +Здравствуй, Ксюша! +Погоди. +Тихо. +Не отпирай дверь я через окно. +Как же ты ? +.. +Как пришел, где пропадал? +А ежели поймают тебя, Гришенька? +Не бойся, не поймают. +Поедешь со мной? +Куда? +На юг, на Кубань али дальше. +Проживем, прокормимся как-нибудь Никакой работы не погнушаюсь +Моим рукам работать надо, а не воевать Едешь +А как бы ты думал? +Как бы ты думал? +Пеши пойду, поползу следом за тобой. +Нет мне жизни без тебя, Гришенька! +А дети? +На Дуняшку оставим. +Опосля заберем и их. +Едешь +Гриша! +Когда-то мы с тобой в Ягодное вот так же шли. +Только тогда узелок был поболее, да и сами мы были помоложе. +К чему ты при оружии едешь На что оно тебе сдалось +Вот отъедем, тогда брошу. +Все брошу, Ксюша. +Верхом-то удержишься? +Господи, тут хучь как-нибудь +Выберемся из яра — пойдем наметом. +Не будет так тряско. +Стой! +Кто едет? +Скачи, Ксюша! +Пригинайся ниже! +Стой! +Кажись попал. +Ради Господа Бога! +Хоть слово! +Да что же зто ты ? +! +Ты чего здесь делаешь +Кто ж там? +Жена. +— Куды ж идешь — Легкую жизнь шукать +Может, и ты со мной? +Легкую? +Нет. +Ступай один. +А ты куды ж теперича? +Домой, что ль +Домой. +Хочешь бери коня. +Спаси Христос. +Счастливо. +Мишатка! +Сынок! +Сынок... +Сынок! +Во мраке древнего мира, на берегу забытом самим временем, - есть сумеречная зона между жизнью и смертью. +Там пребывают те, кто обречён скитаться по земле вечно - ходячие мертвецы. +Извините, мисс Джен. +Сэм, я думала ты уже знаешь каждую кочку на этой дороге +Я то знаю, мисс Джен, но здесь кроме как по кочкам ездить и нельзя. +Что ж, я рада, что Африка совсем не изменилась. +Я боялась, что спустя 10 лет я бы ехала по первоклассному шоссе с драйв-инами по обеим бокам. +В этой части Африки немного изменилось, мисс Джен, - ни за 10 лет, ни за 50. +Сэм! +Сэм. +Остановись, ты сбил человека! +Это был не человек. +Это был один из этих. +Я очень сожалею, мисс Джен, но я не мог затормозить. +Вот стоит ваша бабушка. +Она скажет вам, что я был прав. +Она ждёт вас. +Ты дрожишь. +Мы сбили человека. +Проехали по нему на дороге меньше, чем в миле отсюда +Сэм даже не остановился. +Я видел его, мэм. +На нём были водоросли. +Он стоял прямо посередине дороги и пытался остановить машину. +Отнеси вещи мисс Джен в её комнату. +А как же этот человек? +Он, вероятно, сильно ранен, или мёртв. +На дороге никого нет. +Запомни это! +Я видела его! +Сэм видел его! +Он подтвердит. +Заходи внутрь, Джен, и освежись. +Так вы всё так же верите в это вуду? +Я думала, что это кошмар из моего детства. +Я думала, что теперь будет всё иначе. +Позже, ты решишь всё для себя сама, Джен. +Мне жаль, что твоя первая ночь после твоего приезда сюда, так началась. +За спокойное плавание, впрочем, мы уже приплыли. +Якорь стал на глубине 18 фатомов. +Хорошо, хорошо. +Спускайте лодку. +Да, сэр. +Нет, я больше не хочу, спасибо. +А теперь - за миллион баксов в бриллиантах, который скоро у нас будет. +Ты напиваешься. +Почему бы и нет? +Через несколько дней, я наряжу твоё прекрасное тело в бриллианты с ног до головы. +И что я буду делать с бриллиантами на ногах? +Не обращай внимания. +Это было мило. +А ты что будешь делать со своими бриллиантами, а Джеф? +Я? +Я набью ими миленький маленький ящичек, арендованный у Первого Национального банка Нью-Йорка. +Вот это романтично. +Ты перепила портвейна, Мона. +Твой муж позади тебя. +Что, уже не можешь по-дружески поцеловать её без мыслей о том, что из этого может получиться? +А как насчёт меня, Мона? +Меня тоже поцелуешь? +Ты не в доле, доктор, и бриллиантов не получишь. +Ну, если бы я знал, что к ним прилагается, то настоял бы на своей доле. +Ну ты послушай его! +Просто Ромео какой-то. +Лодка готова, сэр. +Кто здесь? +На помощь! +- Я попал. +Оба раза. +- Идиот! +Я ж говорю тебе, я попал в него, кто бы это ни был. +- Оба раза. +- Скорее всего, ты попал в Джонсона. +Что? +Он мёртв. +Я не мог в него попасть. +Я не настолько пьян. +Я не думаю, что ты в него попал. +У него шея сломана. +Кто это сделал? +Кто это был? +Зови сюда остальных. +Доставим его на берег. +Кто это был? +Ты мне всё равно не поверишь, Джен. +Такому в школе не учат. +Мне показалось, что это был мужчина. +Я видела, как он зашёл прямо в воду. +Я пришла посмотреть на прибытие корабля. +Я не ожидала их так скоро. +Но после того, что произошло с вами на дороге, я знала, что они будут сегодня. +Миссис Питерс? +Я доктор Эггерт. +Я ждала вас. +Это моя правнучка, Джен Питерс. +Как поживаете, мисс Питерс? +Это Джордж Харрисон. +Миссис Харрисон. +А это наш ныряльщик, Джеф Кларк. +- Одного из наших людей только что убили. +- Я знаю. +Я слышала выстрелы и крики. +Что здесь происходит? +Я писала. +Я предупреждала вас об опасности. +Вы имеете в виду эту чепуху про вуду? +Это был человек. +Я стрелял в него. +И вы в него попали. +И никакого эффекта, да? +Я хочу пойти в полицию. +От полиции тут проку не будет, мистер Харрисон. +Она отсюда далеко. +Нам нужно похоронить беднягу. +- Сегодня? +- Ну он же мёртв. +Так что мы можем его похоронить. +Если полиция захочет потом его выкопать, то это их проблемы. +У меня нет гроба, но я найду кого-нибудь, чтобы зашить его в парусину. +Это могилы тех, кто первыми пришёл за бриллиантами. +Это было в 1906 году. +Они были британцами. +Прямо перед тем, как началась война, в 1914 году была немецкая экспедиция. +Хотел бы я знать как они все погибли, миссис Питерс? +Ещё одна британская группа попытала свою удачу в 1923-м. +Португальцы в 1928-м. +Первые американцы объявились здесь 10 лет спустя, в 1938 году. +Ваша попытка добыть бриллианты - шестая. +А это чьи могилы? +Первая - для погибшего моряка. +А другие для остальных. +Она пытается нас запугать. +Она хочет сама заполучить сокровища. +Я уже знаю, что тех, кто приходят за бриллиантами нельзя запугать. +Помогите мне. +Эта могила, она для меня, я знаю! +Уведите меня! +Пожалуйста. +- Я положу её в постель. +- Пускай занимают большую комнату для гостей. +Согласно расчётам Эггертра, "Сьюзан Б" лежит на отмели, на глубине примерно 100 футов. +- Кстати, а где Эггерт? +- Он совещается пожилой леди. +Может, ему удастся выяснить, зачем старушка побеспокоилась о том, чтобы выкопать могилы заранее. +Значит, если отмель не переместилась, то корабль должен находится примерно тут. +Эта вещь сбивает меня с толку. +Конечно, она дохристианская, но она не похожа на вещь африканского происхождения. +Вы знаете, ближе из всего, что я видел, она находится к тем фигурам на острове Пасхи. +Вы быстро выбрали жемчужину этой коллекции. +Я полагаю, что вы кое-что смыслите в Африке. +Но только что это за люди с которыми вы прибыли? +Как я и писал вам, уже 20 лет я изучаю легенду о "Сьюзан Б". +У мистера Харрисона корабль для водолазно-спасательных работ. +Он прибыл за бриллиантами. +Я прибыл за историей. +Я думаю, что умер бы счастливым, если бы мне удалось закончить своё исследование. +Не то, чтобы я горю желанием занять какую-то из тех могил... +Только глупцы боятся могил. +Есть вещи и похуже. +Тела здесь нужно хоронить быстро, доктор Эггерт. +- Вы имеете в виду, из-за климата? +- Нет! +Мне не нравится объяснять всё дуракам, которые считают, что у меня старческое слабоумие, но вы должны понять. +Ходячие мертвецы? +Вы верите в них? +И вы поверите, не пройдёт и недели. +Мой муж, капитан "Сюзан Б" Джереми Питерс +- один из них. +Это фото было сделано больше 60 лет назад. +Сейчас он выглядит точно так же, кроме глаз. +Я видела его. +Вы знаете историю. +"Сьюзан Б" прибыла сюда для торговли в 1894 году. +Моряки нашли золотой шлем наполненный необработанными бриллиантами. +Они украли шлем. +Затем была битва. +Десятеро из них считались погибшими, среди них и капитан. +Остальные вернулись на корабль со шлемом. +Вскоре десятеро пропавших неожиданно появились. +Что-то произошло. +Остальная часть команды была жестоко убита, а судно потоплено в заливе. +Вы думаете, что десятеро убитых членов экипажа вернулись на свой корабль? +Они были мертвы, как и мертвы они сейчас. +Но они до сих пор охраняют эти проклятые бриллианты. +Один из них убил сегодня вашего моряка. +Они убили всех, кто приходил за бриллиантами. +Так они убийцы! +Ваш муж... +Я же говорю - они мертвецы! +У них нет понятий о морали, нет свободы воли. +Он убьют каждого, кто попытается украсть бриллианты. +А как же вы? +Меня они не беспокоят. +Они откуда-то знают, что мне не нужны их драгоценные сокровища. +Уже прошло больше, чем 50 лет как я услышала о том, что моего мужа видели здесь. +И я приехала, чтобы это выяснить. +Постепенно, я собрала воедино всю историю. +Я построила этот дом. +Вы хотите быть со своим мужем, этим ходячим мертвецом? +Я пришла, чтобы помочь ему обратится в прах и найти вечный покой. +Но как? +Как это можно сделать? +Ох, опять эта глупая женщина! +Джен! +Огонь! +Это единственный способ с ними совладать. +Если вы меня послушаете, я помогу вам добыть бриллианты. +Куда он ушёл? +Вы его не найдёте. +Я убираюсь отсюда. +Бриллианты, или нет, но с меня хватит. +- Ты останешься. +- Джордж, ты же видел это! +Я пришёл сюда за бриллиантами. +И я остаюсь, как и вы все. +Но если ты знала, что будут такие трудности, убийства, то зачем ты дала им сюда приплыть? +Я ничего им не позволяла. +Эггерт просто написал мне и сообщил, что они прибывают. +- Ни залив, ни бриллианты мне не принадлежат. +- Но ты хотела, чтобы они прибыли. +Да! +Я хочу, чтобы они нашли бриллианты, а затем уничтожили их. +Только когда они будут уничтожены, твой дедушка обретёт покой. +Уничтожить их? +Неужели ты думаешь, что Харрисон из тех людей, которые уничтожат бриллианты после того, как добыл их с такими трудностями? +Выбросит их из-за сказок какой-то старухи про то, как люди умерли 60 лет назад, но ещё не мертвых? +Если они когда-нибудь найдут бриллианты, то они будут рады уничтожить их. +Я знаю, что делать. +И в этот раз с бриллиантами и ходячими мертвецами будет покончено навсегда. +Привет. +Разве вы не испугались, что это мог быть зомби? +Зомби не курят. +Они боятся огня. +- Так вы всё о них знаете? +- Только то, что мне сказала бабушка. +- И вы ей верите? +- Нет. +Тогда кто же ворвался вечером в дом? +И кто убил Джонсона? +Если бы я знала. +Я хотела попросить вас и остальных уплыть. +Бросьте эту затею пока не убили кого-нибудь ещё. +- Разве я похож на того, кто испугается зомби? +- Но Джонсон погиб, погибли и другие, похороненные возле дома. +Оно не стоит того. +О да, стоит. +Если тех бриллиантов даже вдвое меньше, чем то количество, о котором говорят, то моя доля может быть около миллиона долларов. +- Это куча денег. +- Чего они стоят, когда ты мёртв? +Послушайте, мисс Питерс. +Я, может, и паршивый ныряльщик, но зато арифметику я знал на "отлично", когда учился в 81-й начальной школе. +Это в Нью-Йорке. +И вот как это теперь сказывается. +Работая ныряльщиком, я обычно зарабатываю 100 долларов в день. +Если повезёт, я работаю 3 дня в неделю. +Это 15 тысяч в год. +Представляете, сколько лет мне понадобится, чтобы сделать миллион? +67 лет. +Вам бы лучше возвратиться в школу и узнать сколько стоит 60 лет человеческой жизни. +Или 50, или 20, или хотя бы 10. +Ну ладно, я вам пообещаю, что если я заработаю этот миллион, или хотя бы половину, то я оставлю свою опасную профессию и никогда больше не нырну ни во что глубже бассейна. +Или, если и это будет заставлять вас нервничать, мне придётся пристраститься к очень сухому мартини. +Не смешно? +Вы, кажется, даже не слушали. +Есть ещё кое-что. +Сегодня, когда Сэм вёз меня домой, мы сбили на дороге одного из этих людей меньше чем в миле отсюда. +Мы его сильно ударили и проехали по нему. +Должно быть мы убили его. +Я бы хотела выяснить это. +Я тоже. +Мы можем взять машину? +Они должны боятся света. +Если бы даже я согласился и захотел выйти из игры, то не смог бы. +Это не моя затея. +Всё это оборудование и вложенные деньги +- Харрисона +Вот почему он забирает три четверти всего, что мы найдём. +Здесь, прямо перед нами. +Я, кажется, вижу что-то. +- Это случилось прямо тут. +- Осторожнее. +Похоже на воду. +Точно не кровь. +- Это произошло здесь? +- Где-то тут. +- Может, немного дальше. +- Давай посмотрим. +Осколки вашей фары. +Здесь вы должно быть с чем-то столкнулись. +- Что это? +- Водоросли. +Вода и водоросли? +Думаете, он пришёл со стороны залива? +Он внезапно появился на дороге. +Следы. +Ведут туда. +Значит он действительно пришёл со стороны залива +Ударило его, вероятно, там, где мы нашли стекло и пуговицу. +Его отбросило на пару ярдов и он побежал вон туда. +Давай вернёмся и посмотрим, что ещё мы сможем там найти. +Джен, ты иди по этой стороне дороги, а я пойду по другой. +Смотри, может, тебе попадутся ещё следы. +Джеф! +Он просто поднялся и ушёл. +Я бы хотел пойти по этим следам. +- Сегодня? +- Нет. +Надо чем-то пометить место. +Мы вернёмся утром, с остальными. +Джен, ты слышишь меня? +Постарайся убежать пока я удерживаю их ракетами. +Джен, пошли, надо идти. +Это должно их задержать. +Повезло, что ты взял с собой ракетницу. +Почему ты подумал именно о ней? +Я вспомнил, как старушка зашла вчера с козыря со своим факелом. +Я не знал, куда меня собирается отвезти девушка, +Я подумал, что это может быть ловушка. +Поэтому схватил ракетницу из ящика. +Ты говорил, что мавзолей, находящийся посреди джунглей, примерно 40 на 20 футов. +Без водопровода и центрального отопления. +Если хотите, мы соберём вещи для пикника и мы сходим туда. +Думаешь, ты сможешь найти это место опять? +Ну, я должен. +Ты же не отпускал меня всю ночь и всё записывал. +Знаете, док, я думаю, вы должны поделиться со мной частью своего гонорара за книгу. +Мне кажется, ты был прав. +Ставлю на что угодно, что Маленькая мисс "Милашка и Солнышко" пыталась завлечь тебя в ловушку. +Можно не сомневаться, что она и эта старая ведьма за всем этим стоят. +- Доброе утро. +- Доброе утро. +Тёплое молоко, Маргарет. +Я хочу поблагодарить вас, мистер Кларк, за спасение жизни Джен. +Она очень дорога мне и я буду вечно вам за это признательна. +Ну, теперь у тебя есть друг до самой смерти, Джеф. +Мы все умрём в надлежащее время, миссис Харрисон. +Могила ждёт всех нас. +Ты старая карга! +Ты уже мертва. +Тебе просто не хватает ума угомониться. +- Заткнись! +- Ну это же правда. +Она стоит за всем, что здесь происходит и вы все это знаете. +Я прошу прощения, миссис Питерс. +Понимаете ли, она обучалась манерам в баре Эдди на Фронт Стрит +- Она... +- Как я уже сказала, я признательна и я сделаю всё от меня возможное, чтобы вы получили эти бриллианты. +Спасибо, но сейчас это уже неважно. +- Видите ли, я решил выйти из игры. +- Что? +Ты не можешь так просто взять, и всё бросить. +Я фактически научил тебя вести бизнес. +Надо было тогда и научить меня как вести бизнес выхода из бизнеса. +И тогда бы я валялся на палубе, загорал и имел бы 75 процентов, пока ты под водой заигрывал бы с рыбами. +У нас есть договор. +Я вложил в это дело 30 тысяч, практически всё, что у меня есть. +Ищи себе другого дурачка. +Ныряй сам. +Мне никто не говорил, что здесь будут толпится оравы головорезов, и мне всё равно кто за этим стоит. +Хорошо. +Я дам тебе ещё пять процентов. +Возможно он прав, Джордж +Нам нужно уехать. +Меня в дрожь бросает от этого места. +- Ещё одно слово от тебя и я... +- Что ты сделаешь? +Закуёшь в кандалы? +Чего ты хочешь? +Я прошлой ночью вспоминал арифметику, Харрисон. +Знаешь, 50 процентов - не та сумма после которой я стану сопротивляться. +- Надеюсь, что ты доживёшь до её получения. +- О, я на это рассчитываю. +Видишь ли, я надеюсь, что ты будешь беречь мою жизнь, по крайней мере, пока мы не добудем бриллианты. +Мы теряем целое утро. +- Доброе утро. +- Доброе утро. +Доброе утро, мисс Питерс. +- С тобой всё в порядке? +- Так ты всё-таки участвуешь? +Да. +Харрисон меня уговорил. +Спроси у миссис Питерс. +Я ж говорю, я засунул ему нож в горло по самую рукоять. +- Значит не задел жизненно важных органов. +- Хорошо. +Но я хотел бы увидеть хоть бы немного крови из восьмидюймовой раны. +Вы верите в ходячих мертвецов, доктор Эггерт? +Я знаю всё только по книгам. +И что говорят книги, док? +Мертвецы хорошие пловцы? +Ну, дышать им под водой не нужно. +Что ж, в этом моя слабость. +Мне дышать необходимо. +Постарайся это запомнить, Харрисон. +- Последнее напутствие? +- Просто найди эти бриллианты. +- Я пока попытаюсь просто найти каюту. +Пятнадцать минут. +Не дай себя убить, Джеф. +Это будет такая потеря. +Ты слышишь меня? +Связь в порядке? +Давление воздуха в порядке? +Хорошо, поехали. +...двадцать четыре, двадцать пять. +25 футов. +Как оно? +Вода чистая. +Но я пока ничего не вижу. +Этот ваш первосортный шлем протекает, прокладка спереди. +Где ты его взял? +В магазине подержанных товаров? +Что, так плохо? +Пока нет. +Продолжаем. +50 футов. +Подготовьте другой костюм. +75 футов. +Как течь? +Хуже не становится. +- Хочешь подняться? +- Нет. +Пока нет. +Опускайте дальше. +Я что-то вижу! +Прямо подо мной. +Осторожнее. +Я гляжу прямо на трюм. +Нам повезло. +Я думаю, что смогу зайти в трюм. +Может, смогу прямо сейчас. +Хочешь попробовать? +Да. +Это даже не погружение. там даже нету 100 футов. +Но зачем тебе спускаться? +Ты не в том состоянии. +Я не могу позволить ему наложить свои лапы на бриллианты без моего присутствия. +Я вижу его! +Я вижу сейф! +Поднимайте. +Джеф, ты слышишь меня? +Ты внутри корабля? +- Джеф! +- Что случилось? +Давление воздуха на нуле. +Он ни за что не зацепился? +Ты можешь его втащить? +- Он вроде поднимается, если только... +- Если только что? +Если только трос не порвался. +Так может ты спустишься и посмотришь? +Так будет быстрее всего. +Продолжайте крутить. +Он жив. +Нам лучше доставить его к доктору. +Ближайший доктор находится в миссии Энджел. +Это пять часов езды отсюда. +Я здесь вместо доктора. +Через мой труп. +Он еле дышит. +Если мы быстро не сделаем что-то по этому поводу, он может и не выкарабкаться. +Я приготовлю для него кое-что. +Ты же не дашь ей давать ему что-то, правда? +А ты что думаешь? +- Ну, я не думаю, что она убийца, но... +- Да у неё с головой не всё в порядке. +Я не уверена, дышит ли он вообще. +Это поможет ему дышать. +Давайте ему одну унцию каждый час. +Миссис Питерс, не то, чтобы мы вам не доверяли... +Поставь. +Сами решите, давать ему это или нет. +Подождите! +Оно крепкое лекарство, +но безвредное. +Я дам вам знать, если будут изменения. +Хорошо, Флоренс Найтингейл. +Когда будешь заканчивать свою смену - позовёшь. +Ещё карту. +Я просто вне себя от восхищения. +Экзотическая Африка. +Дикие животные, тропические ночи. +И вот я тут - учу профессора играть в очко. +У меня 21. +Прекрасно. +Значит он должен тебе ещё одну тысячу спичек. +Не нервничай. +Почему она не скажет нам что там происходит? +Она только полчаса назад сказала тебе. +Он мирно спит и нормально дышит. +Чего тебе нужно? +Информационное сводку каждые 10 минут? +- Я пойду и посмотрю сама. +- Только не скандаль там. +- Как ты себя чувствуешь? +- Нет, не останавливайся. +Кажется, у меня наконец получилось: +Мягкие облака, золотые лестницы, глас трубы и ангелы. +Даже не думай, Джеф. +Ты в Африке. +И с моей колокольни, оно выглядит точно так же как и всякое другое место. +Почему ты не позвала нас, когда он проснулся? +- Он только что проснулся. +- Ага, конечно +Что здесь происходит? +Тебе на этой работе за сверхурочные платят или что? +Почему ты нас не позвала? +Я предупреждал тебя, чтобы ты не скандалила! +Какого обращения ещё ждать от такого пещерного человека как ты. +Я говорил тебе держаться от него подальше? +Придётся преподать тебе урок, который ты точно поймёшь! +Всё равно вернёшься. +- Как Джеф? +- С ним всё в порядке. +По поводу того, что случилось у затонувшего корабля, мы поговорим с ним позже. +О ходячих мертвецах говорят, что их души не могут найти покоя и они существуют в мучениях. +Как будто люди могут найти покой для души и разума во время жизни. +Огонь горит уже два часа. +Если бы Мона увидела огонь, она бы нашла путь назад. +Как только входишь в эти заросли, то далеко уже не видно. +Ей не следовало бы бродить по джунглям самой. +Она у них. +Я уверена. +Тогда мы должны пойти за ней. +- На кладбище? +- Я тоже пойду. +- Уверен, что хочешь пойти с нами? +- Ну, я хотел бы помочь. +Мы идём не пейзажами наслаждаться. +Если она у них уже так долго, ничего хорошего из этого не выйдет. +Вы все погибнете там. +Это должно быть где-то здесь. +Я засекал время вчера ночью когда мы ехали назад. +Хочешь опять использовать ракетницу? +Хочешь оружие, док? +Нет, спасибо. +Я лучше возьму ещё один фонарик. +Хорошо. +Пошли. +Вот и тропинка. +Арт и Джонни, вы замыкаете сзади. +Внимательно следите по обеим сторонам. +Док - вы в середине. +А ты оставайся сразу за мной. +И не стреляйте пока не будет другого выхода. +Ладно, пошли. +Подожди. +Это браслет Моны. +Это с другой стороны валуна. +Пожилая леди сказала, что это было кладбище европейцев, которые добывали здесь бриллианты 100 лет назад. +Арт, Джонни, оставайтесь здесь. +Если кто-то из этих покажется, стреляйте из ракетницы. +- Пойдёшь с нами? +- Да. +Хорошо. +Тогда понесёшь бензин. +- Она мертва. +- Может и нет. +Мы заберём ей. +Но давай придумаем как и самим выбраться отсюда. +Док, вылей бензин с обеих сторон двери. +Хорошо. +Давай. +Только не спускай с них глаз. +Я буду сразу за тобой и попытаюсь удерживать их при помощи ракет. +Она точно мертва. +Убираемся отсюда! +Смотри! +Мона! +Мона! +С тобой всё в порядке? +Забирай её. +Я прикрою! +Ок. +Пошли. +Они нашли тебя! +Ты в порядке. +Я так рада... +Она холодная, как... +С ней точно всё хорошо? +Она не сказала ни слова. +Может, она под воздействием наркотика, или в шоке. +Я думаю, что вам лучше положить её в постель. +Она мертва. +Ваша жена мертва, мистер Харрисон. +Вы же видите - она ходит. +Вы же все видите... +Посмотрите на её глаза. +Она не дышит. +Холодна как смерть. +Я больше не хочу слушать этот бред. +Вы слышите? +Чтобы его больше не было. +- Я положу её в постель. +- Только не в этом доме. +- Пожалуйста, бабушка. +- Мы можем положить её на корабле. +Нет. +Я знаю, что это ваш дом, но я не хочу больше, её куда-то везти сегодня. +Так что если вы боитесь - сами убирайтесь. +Я боюсь не за себя, я боюсь за вас. +За всех вас. +Мисс Питерс, не поможете положить её в постель? +Конечно. +А как же мы? +Пускай остаются. +В первой спальне. +Они нам могут понадобиться. +Мона, почему бы тебе не закрыть глаза и не попытаться поспать? +Джеф, ты не спишь? +- Как Мона? +- Без изменений. +- Ты хочешь завтра спускаться под воду? +- Ну, сейф находится пока ещё там. +Я думаю, что ещё одно погружение и мы сможем его поднять. +А что? +Ты хочешь от всего отказаться? +Я должен позаботиться о Моне. +Мне нужно найти ей доктора. +На помощь! +На помощь! +Джеф! +Харрисон! +Она сошла с ума! +- На помощь! +На помощь! +- Мона! +Джеф, помоги. +Я не могу её остановить! +Зажгите свечи. +Как можно больше. +Он мёртв. +Она зарезала его. +А потом пошла за мной. +Скажи Сэму пусть принесёт столько больших свечей, сколько сможет найти. +А теперь заставьте её идти к себе в комнату. +Они боятся огня. +Мне кажется, что это единственное, что может их уничтожить. +Она больна, миссис Питерс. +Она не в себе, правда? +Я очень сожалею, мистер Харрисон. +Я знаю по себе, что вы чувствуете. +Поставьте ещё парочку возле двери. +Если огонь действует здесь, то и под водой должен подействовать. +Поддерживайте огонь на том же уровне и они вас не побеспокоят. +- Они останутся внутри. +- Я понял. +- Если только не найдут другой путь. +- В любом случае, стоит попробовать. +Может и получится их закупорить. +В любом случае, вы и ваши люди будут в безопасности, если будут оставаться у огня. +Мы будем тут. +Пошли. +Я думаю, что сейф там не очень надёжный. +Так что я его открою за пять-десять минут. +и пока я буду горелкой срезать петли, ты стой с другой горелкой наготове. +Если они появятся, отгоняй их своей горелкой. +Но я надеюсь, что из-за огня они не будут бродить туда-сюда. +Будет уже темно когда мы закончим. +По поводу того поломанного компрессора... +Хорошо, что мы это выяснили перед погружением. +Могли бы подождать и до завтра +Я думал, что завтра ты хочешь отвезти Мону в Дакар. +- Один день ничего не значит. +- Послушай, ночь, день - неважно. +Под водой темно в любое время суток. +К тому же, завтра у меня могут труситься поджилки, как вот у тебя сейчас. +Ладно! +Док, вы следите за интеркомом, чтобы мы могли говорить дурр с другом. +Само собой, Джеф. +- Харрисон, слышишь меня? +- Слышу. +- Давление воздухе в порядке? +- Давление в норме. +Хорошо. +Я пойду первым. +Следуй на расстоянии 10 футов. +И следи за моим курсом. +Вали уже. +Удачи, Джеф. +И тебе, Джордж. +Я на дне. +Джордж, ты меня слышишь? +Слышу. +И вижу тоже. +Стравите ещё трос. +Да, Джеф. +Травите. +Настоящая развалюха. +Ещё и со внешними петлями. +Знаешь, я думаю, что смогу вскрыть его даже скаутским ножом. +Горит как дрова. +Первая петля с минуты на минуту должна отвалится. +- Джеф, они вокруг меня. +- Ты можешь удержать их? +Не знаю. +Я уже над второй работаю. +- Сколько ещё? +- Ещё минута. +С петлями покончено. +Есть. +Через 10 секунд можно убираться отсюда. +Я не могу удержать их. +Я поднимаюсь. +Поднимайте меня! +Поднимайте меня! +Опускайте платформу для погружения. +Здесь двое - ждут, чтобы на меня наброситься. +Я хочу удостовериться, что мой трос свободен и когда дам команду, тащите меня как безумные. +Мы поняли, Джеф. +Ждём команду. +Сработало! +Где Харрисон? +Только показался на поверхности. +Их целая куча вокруг него. +Четверо, или пятеро. +Стреляйте из ракетницы. +Опускайте платформу для погружения. +Подтяните меня на палубу. +Что с Харрисоном? +Он потерял много крови. +Он в своей каюте. +- У нас заканчиваются ракеты. +- Экономьте. +- Смотрите! +Они поднимаются на борт. +- Возьмите факелы и керосин. +Есть, сэр. +Посмотрим, сумеем ли оставить их себе. +Возьмите бриллианты в каюту и запритесь. +Рассредоточьтесь по палубе. +Из-за этого факела может начаться пожар. +- Сколько у нас ракет? +- Две, сэр. +Держи их на прицеле. +Пошли. +Выстрели им в ноги. +Я пойду и заберу этот факел. +Джонни! +Сзади! +Док, открой! +Пусти! +Есть что-нибудь горючее? +Чистящая жидкость? +Что-нибудь, что горит? +Да, в ящике стола. +- Да отдайте им эти вшивые бриллианты! +- Пускай кто-нибудь попробует. +- Есть идеи получше? +- Да. +Пройдём через них с боем. +А кто понесёт тебя, пока я буду драться? +Я справлюсь сам. +- Ты в прекрасной форме для бега. +- Через минуту буду в порядке. +Я возьму это и попытаюсь прорваться. +Если получится, то направлюсь к берегу на лодке. +Они последуют за мной и у вас будет шанс уйти. +И не думай, Джеф. +Тебе это так нужно? +Так получай! +- Он не уйдёт далеко с этими бриллиантами. +- Ты идиот, Харрисон. +- Он не пытается их украсть. +- Заткнись. +Он спас твою и мою жизнь. +И сделал больше, чем мог бы сделать ты со своей раненой ногой. +Я знаю его лучше, чем ты. +Расчехляй спасательную шлюпку. +- Ты в безопасности! +Я так волновалась. +Я увидела... +- Потом. +Нам надо кое-что сделать. +Пошли. +Похоже, она приходит в себя. +Мона! +Они явно загипнотизировали её. +Пошли. +Итак, значит ты преуспел, там где другие потерпели неудачу. +Я верила в тебя. +Послушайте, за этим гонится целое стадо их. +Они будут здесь через пару минут и церемониться не будут. +И я не хочу быть здесь, когда они появятся. +И я не хочу, что бы здесь в это время была Джен, и вы, - миссис Питерс. +Я думаю, нам нужно сесть в машину, взять Мону и убираться. +С Харрисоном встретимся в Дакаре. +Я бы поделился своей долей с вами. +Я подумал, что за все эти годы вы это заслужили. +Если, конечно, эта доля будет. +Я всё ещё не уверен, что бриллианты у нас. +- Как это открыть? +- Этот ларец древнее, чем пирамиды. +У них конечно не было ни замков, ни пружин, но они кое-что знали о рычагах. +Обычно... +Дай мне свой платок. +Быстро. +Садитесь с лодку и заводи её. +Мы вернёмся через пару минут. +Если они появятся, отпугивайте их факелами. +Если они подойдут близко, я отплываю. +Скажи девушке отдать мне ларец. +И скажи ей, если она попытается что-нибудь учудить, я застрелю тебя за то, что ты украл бриллианты и сбежал пока на нас нападали. +Это не правда! +Он принял всю опасность на себя. +- Послушай, Харрисон... +- У меня нету времени. +Пиви и Джонни разогревают двигатель. +Майк и Тони ждут в лодке. +Я забираю бриллианты и Мону. +Я переписал наш договор. +Отдай ему ларец. +Может, ты его уже открыл. +И как ты это собираешься узнать? +- Не надо, пожалуйста, ты испортишь его. +- Я найду способ. +Если пойдёшь за мной, я убью тебя. +Но бриллианты должны быть твоими. +Ты их нашёл, ты сберёг их +Спасибо, док. +Смотри. +Мы должны быстро пройти к лодке, понятно? +Пошли. +Давай. +Залазь! +Он мёртв. +Это она его убила. +- Всё произошло так быстро. +- Давайте занесём его в дом. +Но вы даже не знаете точно, бриллианты ли они хотят. +Может, они хотели ларец. +Тогда мы их больше не увидим. +Им нужны именно бриллианты. +Они вернутся, когда выяснят, что ларец пуст. +Но как я могу их уничтожить, даже если я этого захочу? +Развей их по ветру. +Разбросай по морю, чтобы никто и никогда их не нашёл. +Пошли со мной, Джен. +Через несколько минут мы будем на корабле, а ещё через 10 выплывем из залива. +Где они нас будут ловить? +В Нью-Йорке? +Куда бы ты не пошёл, они отправятся за тобой. +Ну ладно, я быстро избавлюсь от бриллиантов и обращу их в деньги. +Они будут продаваться во всех столицах мира. +Что они сделают тогда? +Будут штурмовать все ювелирные лавки на 5-й авеню? +Джен, я хочу, чтобы ты была со мной. +Я хочу, чтобы ты тоже наслаждалась богатством. +Я хочу, чтобы ты вышла за меня замуж, +Я бы с удовольствием, Джеф. +Но я не могу. +Я не могу её так оставить. +Неужели ты тоже во всё это веришь? +В то, что если выброшу бриллианты, то все они исчезнут? +Да, это правда. +Они прекратят ходить по земле. +Они найдут вечный покой. +Бриллианты должны быть уничтожены. +У них невозможно украсть бриллианты. +Джен! +Она верит. +Всю свою жизнь она верила. +Ты не можешь обмануть её ожидания. +Я не могу их выбросить. +Я бы хотел. +Но я собираюсь взять их с собой. +И вы тоже идёте со мной. +Обе. +Я не могу оставить вас тут пока они тут бродят. +- Я остаюсь здесь. +- Но вы не можете тут оставаться. +Это слишком опасно. +- Извините, но если придётся - я вас понесу. +- Я не сомневаюсь, что вы сможете. +У нас нет времени, миссис Питерс. +Я высажу вас где пожелаете. +Если вы хотите, я устрою, чтобы вы вернулись сюда позже. +Помоги ей залезть. +Стойте! +Они вернулись за бриллиантами. +- Чего мы ждём? +- Подождите, пожалуйста. +Мы уже в безопасности. +Капитан Питерс. +Неужели ты так и не обретёшь покой? +Ну ладно. +Хорошо, берите. +Вот бриллианты, миссис Питерс. +Они ваши. +Делайте с ними всё, что хотите. +Спасибо. +Спасибо. +Наконец-то, Джереми Питерс. +Свершилось. +Наверно я уже никогда не стану богатым. +Subs by linyok +Джультта Мазина +Приз Каннского фестиваля 1957 года за лучшую женскую роль +НОЧИ КАБИРИИ +Фильм Федерико Феллини +Авторы сценария Федерико Феллини, Эннио Флайянно, Тулио Пинелли +В ролях: +Франсуа Перь +Франка Марци, +Дориан Грей +Альдо Сильвани, Марио Пассанте Эннио Джиролами, Кристиан Тассу +А также Амедео Надзари +Оператор +-Альдо Тонти +Композитор +- Нино Рота +Дирижёр +- Франко Феррара +В создании сценария принимал участие Пьр Паоло Пазолини +Беги к реке. +Чего ты ждёшь +Как здесь спокойно. +Джорджио! +Помогите! +Помогите! +Спасите! +Помогите! +Помогите, кто-то тонет! +Кто-то тонет! +Скорее! +Кто-то тонет! +Скорее! +Помогите! +Эй, где Ромуаль +Ушёл в мэрию. +В мэрию? +Зачем его туда понесло? +Это женщина! +Вон она! +А Пиладо, его тоже нет? +Что она делает? +Вон она, за ней! +Прыгаем! +Если она попадёт в сточную трубу, ей не выбраться. +Женщина тонет! +Скорее за ней, надо помочь +Паджелло, сюда! +Запрокинь ей голову и смотри не тряси. +Стефано, поторапливайся! +Откуда ты её вытащил? +Осторожнее, держите под живот. +Она тонула. +Должно быть, она заснула и свалилась в воду. +Как только мы её увидели, сразу бросились на помощь +- Вы видели, как она упала? +- Нет. +Сколько раз она уходила под воду? +3. +Больше, 7 раз. +10! +Значит, она наглоталась воды . +Нам нужна помощь +Стефано! +- Что случилось +- Эта женщина тонула. +- Паджелло, быстрее. +- Она потеряла туфлю. +По-моему, она умерла. +Паджелло, нужно откачать её. +Смотри, делаем так. +Ребята, отойдите. +Это мы её спасли. +Отойдёте вы или нет? +Давай позовём Пампео, он никогда не видел утопленников. +- Мы только посмотрим. +- Я не хочу, боюсь +Идём же. +Мне кажется, она мёртвая. +Она бы не всплыла, если бы была мёртвая. +Она открыла глаза. +Стефано, она открыла глаза. +Хватит, положи её. +Надо снова сделать ей искусственное дыхание. +Ей бы сейчас бренди. +Бренди. +Ей нужно молока. +Тихо, она приходит в себя. +Ты , кажется, на мотоцикле? +Сгоняй, привези молочка. +У меня нет горючего. +Спокойно, синьорина, всё хорошо. +Вы счастливая, правда, счастливая. +-А где Джорджио? +- Какой Джорджио? +- Не волнуйтесь +-Джорджио! +Успокойтесь Успокойтесь +Джорджио! +Кто это Джорджио? +- Разве с ней был кто-то? +- Не знаю. +Джорджио, что же ты сделал? +Эй, успокойся. +Я иду домой! +Где мои туфли? +Вот один. +Где другой, я не знаю. +У неё, как у кошки, 9 жизней. +Идти-то нормально не может. +Нет, вы только посмотрите! +Минуту назад ты чуть не умерла, куда ты собралась +Отстаньте, отвяжитесь +Пустите меня, пустите! +Это мы тебя спасли! +Хорошо, отлично! +Вы меня спасли? +А теперь я хочу домой! +Мне это нравится. +Иди куда хочешь +Привет, Кабирия! +-Джина, ты её знаешь +- Конечно, это Кабирия. +Где она живёт? +В Оцилии. +Она гулящая, её там все знают. +Джорджио, открывай! +Это я, это я, Кабирия! +Джорджио! +Ванда! +Ванда, ты видела Джорджио? +Что с тобой? +Отвечай на вопрос. +Где Джорджио? +- Какой Джорджио? +- Мой Джорджио. +Что ты придумала? +Что тебе надо? +Что тебе надо? +Мне ничего не надо. +И вообще, не лезь ко мне! +Зайди в дом и умойся. +У меня нет ключа. +А куда же ты его дела? +Он лежал в сумочке. +А сумочка где? +Была у Джорджио. +Мы гуляли у реки. +Не знаю, как случилось, но я упала в воду. +Наверное, он испугался и убежал. +Кабирия, открой! +Открой, Кабирия! +Я хочу спать +Сколько там было денег? +Кабирия, отзовись, ответь мне! +Увидишь Джорджио, я здесь +Ну что ты делаешь +Вообще-то ты права, что остаёшься дома. +Полежи, выспись хорошенько. +Позже я к тебе зайду. +Выпей аспирин, станет лучше. +Ты всё ещё здесь, не устала болтаться? +Видишь, ты надоела мне! +И вообще, с каких это пор ты стала моей подругой? +Проваливай, сделай одолжение. +Проваливай отсюда! +И не смей больше брать мой термометр! +А когда это я брала твой термометр? +Вот зануда, брюзга. +Хочешь сказать, что он столкнул меня в воду из-за сорока тысяч лир? +Значит, он утопил бы меня за 40 тысяч лир? +Да любой из них утопиттебя за жратву. +Даже тот, кто любит? +Вы встретились месяц назад, как же он мог полюбить тебя? +Ты даже не знаешь, где он живёт и как его фамилия. +Согласись, Кабирия, он столкнул тебя в воду. +Поверь, дорогая. +Если б на его месте была я, то для верности подержала бы тебя за башку под водой. +- Иди в полицию. +-Думаешь, я доносчица? +Послушай меня, заяви в полицию. +Зачем, зачем он это сделал? +У него же было всё, всё, о чём он просил. +Зачем же воровать +Что же я была за дура? +Я же могла утонуть +Хватит, всё, пора с этим кончать +Довольно, ищи себе другую дуру, которая будет покупать тебе шёлковые рубашки. +Рубашки! +Какая же я дура! +Проваливай, ищи себе другую дуру. +Это же я купила тебе все эти шмотки: костюм, пиджак. +Такого больше не повторится. +Никогда, никогда! +Желаю счастья ! +Интересно, где же это ты собираешься теперь жрать +На площади Святого Петра? +Грязная крыса! +Ты ни на что не годен, обманщик. +Торгуй и дальше собой. +Воттак! +Гори, пока не сдохнешь +Это было в прошлый раз. +Говорю тебе, ты меня здесь больше не увидишь +Стоять рядом с тобой для моей репутации – просто погибель +С вами я не останусь +Как я хороша! +Красавица, настоящая королева! +Да, ты похожа на Моби Дика, королева. +Это ты мне? +Да как ты смеешь +Знаешь, где тебя ждут? +В цирке. +Быстро ты хвост прижала. +Да кто ты такая? +Где у тебя глаза? +Я же красавица, одно удовольствие посмотреть +- Королева! +- Нашла королеву! +Тебе становится всё хуже. +Когда тебя закроют в психушке? +А когда ты там окажешься? +Это печка, а тут вода для стекла. +-Здесь всё есть +-Даже кока-кола. +- Поехали покатаемся? +- Нет, я не такси. +- Выходи! +- Я не уйду. +Давай выходи! +Что ты будешь делать +Выходи, я хочу покатать Ванду. +Но ведь ты не умеешь водить +Не волнуйся, это моя машина, и я делаю, что хочу. +Выходи! +Я посмотрю, что будет. +Тоже мне, водитель +Почему ты не купила модель покруче? +Не слушай её. +Что ты понимаешь в машинах? +Что смеёшься? +Думаешь, раз ты на колёсах, значит, крутой? +Осторожно, сюда идёт лунатик. +- Привет, милашка. +-До встречи, Кабирия. +-Зайди ко мне, ладно? +-Ладно. +- Привет, Мориса. +- Привет, Кабирия. +- Привет, Ванда. +- Привет. +Красавица, просто красавица! +Но на твоём месте я купила бы серую, цвет красивее. +А впрочем, прекрасная машина. +Давай, давай, вот посадишь аккумулятор. +Вылезай, не хочу ругаться с тобой сегодня. +Да на кой чёрт она мне? +Цвет, конечно, неважный. +У машин всё проще. +Садишься сюда и сигналишь +Хочешь повернуть, делаешь левый поворот или правый. +Все мужчины будут твои. +Подумают, что твой папочка – богач. +Будут обхаживать тебя как принцессу. +Мне бы понравилось +Эта всё никак не заткнётся. +Я знаю, как ты получила эту машину! +Толкаешь наркотики! +Наркоманка! +Сиди! +Пусти! +Сиди! +А теперь музыка. +Мамба! +Потанцуем, Кабирия? +Лучшего танцора тебе не найти. +Давай же! +Давай! +Нет, вы посмотрите, что происходит! +Теперь она нашла другого воздыхателя, чтобы говорил: " Я люблю тебя" . +А потом она переспит с монахом. +Какое странное лицо. +Я должна её остановить +Синьоры , синьоры , смотрите, я намного лучше! +Чтоб вам пусто было! +Уроды ! +Куда ты хотела поехать на этой машине? +На кладбище? +До чего же хорошо! +Уродка, идиотка! +Шла бы ты домой! +Кабирия, ты разрешаешь ей оскорблять тебя? +Проучи её! +Посмотрим, где ты закончишь свои дни! +Шлюха дешёвая! +Будешь стоять на паперти, даже на кофе не хватит. +А всё из-за милого Джорджио! +Дай ей, Кабирия, врежь ей! +Кабирия! +Кабирия, покажи ей! +Она тебе ничего не сделает, бей в живот! +Остановитесь, плохо будет, если нас заметят. +Отпусти руку! +Разнимите их! +Что вы смотрите? +Держи её! +Держи! +Пустите меня, пустите! +Я ей сейчас покажу! +Руки прочь +Успокойся ты , садись в машину. +Пусти меня, пусти! +Кабирия, может, хватит? +Кого ты назвала наркоманкой? +Это кто наркоманка? +А, ты меня боишься? +Иди к чёрту! +Боишься, боишься! +Скорей, поехали. +Садись, садись, Кабирия. +Ты меня боишься, боишься, неудачница! +Хочешь сигарету? +Куда собираешься? +Давай мы тебя подбросим. +На Виавенето. +Что с тобой? +Знаешь, Кабирия, нам с тобой нужно очень серьёзно поговорить +Ты живёшь неправильно, за тобой некому присматривать +Видишь, как живём мы с Морисой? +У Морисы нет проблем. +В Риме нам не делают ничего плохого. +А всё почему? +Скажи мне, почему? +Давай сменим тему. +Скажи мне, что ты будешь делать на Виавенето? +Ты знаешь, что на Виавенето и Вилабадхези приходится бороться за место? +Давай лучше подыщем тебе серьёзного парня, такого, как я. +- Мне никто не нужен. +- Ну да, конечно. +Никто, понятно? +Зачем мне вкалывать на такого как ты , покупать еду, выпивку? +Скажи, зачем? +Смени пластинку, я счастлива. +-Дай мне выйти. +-Да с удовольствием. +До скорого! +Урод безмозглый! +Машина со свалки! +Что? +Я просто стою тут. +Какой ты красавец! +Проходи. +Что? +Я останусь здесь, я тут стою. +Добрый вечер. +Извините. +Смотреть надо! +Джесси. +Джесси, ты не можешь так уйти. +Альберто Родзари! +Джесси! +Джесси, не будем ссориться, ну хватит. +-Джесси, хватит. +-Дай пройти! +Не доводи меня, осторожно. +Мои ключи! +Пойдём, не дури. +Не смей меня трогать, убери руки! +Подвинься, дай я сяду. +Куда мы едем? +Куда, я спрашиваю? +Ты дашь ключи или нет? +Нет. +Сиди. +Пусти, мне больно! +Оставь меня! +Джесси! +Послушай, я последний раз говорю. +Хватит, уже всё сказано. +Меня тошнит от этих глупостей. +Пусти, ты порвёшь мне шубу! +- Я её покупал. +- Негодяй! +Секундочку. +Что тебе нужно? +Убирайся. +Дешёвый актёришко! +Предупреждаю тебя, если ты уйдёшь, между нами всё кончено. +Всё кончено! +Ну и ладно, пусть +Делай как хочешь +Спасибо тебе, Джесси! +Что тебе? +Свободен. +Эй, ты . +Иди сюда. +Иди. +Кто, я? +Да, ты , иди сюда. +Прокатимся немного. +Садись +И дверь закрой. +Ночной клуб +Давай. +Что это значит? +Давай выметайся. +Что ты раскомандовался? +"Выходи, заходи! +Садись, пошла вон!" +Кто ты такой вообще? +Идём, повеселимся чуть-чуть +Добрый вечер, синьор. +- Он велел мне идти с ним. +-Заходите. +Добрый вечер. +Как поживаете? +Не хотите присесть за столик? +У нас замечательное представление сегодня. +Ваш зонтик, синьора. +Прошу сюда, синьора. +Что такое? +Вам помочь +Проходи, садись туда. +Прошу вас. +Сядь +Альберто! +Коника! +Что ты здесь делаешь +Смотришь представление? +Тебе, наверно, не стоит говорить, кто это? +Рада познакомиться. +Представляешь, американская компания предложила мне написать сценарий. +И, кажется, всё получилось +Да, получилось прекрасно. +У меня дома есть копия фильма. +Синьоры , первая часть нашей программы подошла к концу. +Но перед тем как начнутся танцы , хотелось бы поприветствовать нашего почётного гостя Альберто Родзари. +Альберто, мне тоже надо тебя приветствовать +Итак, мамба №28! +Доставьте мне удовольствие, присядьте к нам. +Мои друзья были бы рады с вами познакомиться. +Пожалуйста, пожалуйста. +В самом деле, Альберто, идём. +Невозможно, я с дамой. +Идём потанцуем. +Воттак, мамба! +Воттак, все танцуют мамбу! +Мамба! +Мамба, воттак! +Если хочешь, иди к друзьям, не обращай на меня внимания. +Что ты сказала? +Если хочешь, к друзьям иди. +Ладно, хватит, идём. +Быстрее, садись +Ты ужинала? +Нет, хотя привыкла есть в 10. +- Поехали поужинаем. +- Что? +Поедем ужинать +- Прекрасно. +А куда? +- Ко мне домой. +Эй, минутку, ладно? +Эй, вы , лярвы , посмотрите, посмотрите, с кем я! +Кого я отхватила! +Знаете, кто это? +- Кто-нибудь звонил? +- Никто, синьор. +Откуда ты знаешь, что никто? +Вечером никто не звонил. +Может, ты спал. +Нет-нет, я был рядом с телефоном. +Хорошо. +Принесёшь нам ужин в спальню. +Если кто-нибудь позвонит, особенно синьорина Джесси, я сплю. +Будет настаивать я сплю. +Ты должен сказать ей только два слова: " Он спит" . +Да, синьор. +Идём, ужинать будем наверху. +- Как тебя зовут? +- Кабирия. +- Как? +- Кабирия. +Кабирия. +Ну идём. +И ещё собака. +Что это, зоосад? +И аквариум тоже есть +Куда бы я его поставил? +Оставь, прислуга уберёт. +Но ведь он помнётся. +Какой же я идиот. +Скажи, ты когда-нибудь видела идиота? +Он перед тобой. +Оставь же! +Иди сюда. +Как, говоришь, тебя зовут? +Кабирия. +Кабирия. +- Откуда ты ? +- Что? +Откуда ты ? +Из Рима, пьяццо Ридежемьнто. +Сядь, ты действуешь мне на нервы . +Нравится? +Не знаю. +Не в моём вкусе. +Не в моём вкусе. +А что это? +Бетховен, пятая симфония. +Моя любимая. +Войдите. +Вот и хорошо. +Давид, закрой за собой дверь +Посмотрим, что он принёс. +Икра, омары . +Обслуживай себя сама. +Я не в настроении. +Давай, давай, это всё для тебя. +1957 год. +Почему ты не снимешь кофту? +Здесь тепло. +Кажется, я порвала блузку. +Значит, где ты живёшь +На окраине Рима, недалеко. +Где это? +В Остии, в 10 милях от неё. +А работаешь на Виавенето? +- Я на Виавенето? +- Почему нет? +Я работаю на альпийских дорогах, это намного удобнее. +Почему? +Садишься на автобус из Оцилии и по прямой. +У меня есть подружка, её зовут Ванда. +Мы соседи и поэтому ездим вместе. +Мы никого не беспокоим, не спим на улицах, как другие. +Воттак. +У меня есть собственный дом со светом, водой, газом. +У меня есть всё необходимое. +И даже термометр. +Эта кофточка никогда не ночует на улице. +И под мостом она тоже не спит. +Ну разве лишь однажды . +Или дважды . +Но, конечно, мой дом – ничто по сравнению с этим дворцом. +Но я счастлива, мне достаточно. +Что же ты ? +Ешь +Что случилось +Я знаю, кто ты . +-Знаю! +Можно сказать +- Можно. +- Правда, можно? +-Да, да. +Альберто Родзари. +Я тебя сразу узнала. +Я смотрела все твои фильмы . +Ты потрясающий актёр. +Какой же фильм тебе больше всего понравился? +Дай подумать Последний. +У тебя был такой костюм с массой разных штучек. +Там ещё играл Витторио Гассман. +Ты распахиваешь дверь и... " Руки вверх!" +Что смешного? +Я не снимался в этом фильме. +Как это? +Ты красивый, как и твой дом. +- Принеси фужеры . +- Несу. +Шампанское. +Садись +За тебя! +Нет, нет. +Почему ты плачешь +Они скажут, что я вру, если я скажу, что знакома с тобой. +Никогда не поверят. +Эти дуры никогда не поверят. +Я и сама не верю. +Можно попросить тебя об одолжении? +Дай мне свою фотографию и напиши на ней: +"Кабирия была здесь, со мной. +Альберто Родзари" . +Нет: " Кабирия Чиакарелли была здесь, со мной. +Альберто Родзари" . +Я им её покажу. +Ладно, Кабирия Чиакарелли. +А теперь можно и поесть Здесь что? +Как вкусно! +Цыплёнок. +Цыплёнок, сейчас ты избавишься от всех проблем. +Ну вот. +Если хочешь послушать музыку, пока я ем, пожалуйста, я не возражаю. +А это что за зверь +Кажется, я видела такого в кино. +- Синьор. +-Давид, что случилось +Синьорина Джесси. +Я же велел сказать, что я сплю. +Она внизу. +- Что? +- Внизу. +Нет-нет, нельзя, чтобы она сюда вошла. +Она уже вошла и поднимается. +Идиот! +Альберто, открой. +- Кто там? +- Не будь дураком. +Открывай, слышишь Открывай. +Я хочу сказать тебе кое-что важное. +Минутку. +- Фотографию. +-Ах да. +Ты собираешься открывать +Иди в ванную, мы недолго. +Через минуту я от неё отделаюсь +Если ты не откроешь, я буду здесь стоять всю ночь +Не шевелись, тихо. +Альберто. +Пожалуйста, пожалуйста, открой. +Открой же! +Что тебе надо? +Что ты опять придумала? +Почему ты не идёшь спать +Завтра мне вставать в 6 утра. +Мне нужно выпить Дай мне выпить +- Что? +- Я хочу выпить +В чём дело? +Я так больше не могу. +Я так больше не могу! +Я тоже. +Ты невыносима и к тому же патологически ревнива. +Я сделал всё, что мог. +Ну остановимся и расстанемся друзьями. +Это самый лучший выход, останемся друзьями. +Нет! +Ни за что! +Нет! +Джесси. +Перестань, пожалуйста. +Иди домой. +Джесси, пожалуйста. +Тебе нужно лечь в постель, ты устала. +Альберто! +Джесси. +Ты меня больше не любишь, не любишь +- Я этого не говорил. +- Нет, не любишь +Нет, пожалуйста, не надо. +Согласись, это так. +Я никогда этого не говорил. +Скажи мне, что не любишь, и я оставлю тебя в покое, клянусь +Джесси, я бы солгал. +Я была бы рада, если бы мы могли иногда встречаться. +Раз в 2-3 дня, и я буду довольна. +Почему так редко? +Если хочешь, мы могли бы встречаться чаще. +Каждый день +Да, каждый день Если хочешь, каждую ночь +Но я не могу сделать так, чтобы женщины на меня не смотрели. +Это невозможно. +- Ты такой гадкий. +-Да. +Кабирия. +Кабирия. +Кабирия. +Пока, пока. +До свидания. +И где тут выход? +Эй, Кабирия, Альберто Родзари тебя обыскался! +Проваливай, я не желаю с тобой разговаривать +- Не обращай внимания. +-А кто обращает? +Кабирия, смотри, надо же, Димпи. +Вот плут несчастный! +Должно быть, не терпится за решётку. +Идём, Кабирия, здесь должно быть интересно. +Привет, Ванда. +Что ты к нему пристаёшь +Дай спокойно откинуть ноги. +Мадонна поможет дяде снова начать ходить +О чём ты говоришь +О чём? +Разве ты не слышала? +В центре города состоится молебен. +Ты правда в это веришь +А ты в чудеса не веришь +Нет. +Уверена, каждому есть, что попросить у Мадонны . +В следующее воскресень хорошо бы попасть туда. +Кабирия, а ты пойдёшь +Не знаю. +Подумаю. +Очень может быть, что пойду, только чем Мадонна может мне помочь +Скоро я закончу платить за дом. +У меня всё есть +Впрочем, я пойду, наверное. +Да, пожалуй. +Ты думаешь, Мадонна поможеттвоему дяде? +Смеёшься? +Будто Мадонна не знает, как он зарабатывает деньпи - торгует кокаином и заставляет женщин работать +Мадонна всё знает. +Если даже я знаю. +Над такими вещами нельзя смеяться. +Да ну тебя! +Зачем тебе туда ходить +О чём ты попросишь +Я спрашиваю, о чём ты попросишь +Эй, красотка! +Может, прокатимся? +- Пока, Ванда! +- Пока, Кабирия! +"Кратчайшим путём" . +И это короткий путь +Я иду уже час. +Где я? +Ты живёшь в пещере? +Я тебя никогда не видел. +У меня есть свой дом. +Горджано. +Горджано, это я. +Как дела? +Неплохо, спасибо, синьор, спасибо. +А где Пьтро? +Спит? +Два дня назад его положили в больницу. +Мне сказали, что ему очень плохо. +Что тебе нужно? +Всё, что дадите. +Спасибо, синьор. +Вот одеяло. +Подойдёт? +В какой госпиталь отвезли Пьтро? +В госпиталь Святых братьв. +Хорошо. +Если у меня будет время, я его навещу. +Пока. +Туйнок? +А это кто? +Что это за благотворительность +Я тебя спрашиваю. +- Можно вам помочь +- Нет, спасибо. +А вы куда? +Возвращаетесь в Рим? +Не подвезёте меня на своей машине? +Подвезу. +Хильда! +Хильда! +Твидиш, кто это? +Пришёл только сегодня, я тебя ждала в субботу. +Дорогой, дорогой! +Я только вчера думала, он придёт в среду. +Так прошло уже 9, 10 дней. +Я думала, мы увидимся в субботу. +Бомба? +Я её знаю. +Бомба, как ты ? +Хочешь знать, что у меня было? +Квартира в Риме, квартира в Остии. +Было полно подарков: деньпи в банке, украшения, золото. +У меня было 5 килограммов золота. +Не ври. +Кто тебе поверит? +В твои-то годы . +Меня заставляют причёсываться. +Я надеваю кофточку с вырезом, белые серьпи. +Воттак. +Иди, иди. +Поторопись +Ты мне принёс сладкое? +Это только мне, а не другим. +Дай мне, дай я спрячу. +А это с шоколадом. +Чёрт побери! +Эх, зануда! +Наверное, пойдёт дождь +Дорогой, спасибо, спасибо. +Ну всё, хватит. +Пока. +А когда ты вернёшься? +Когда ты вернёшься? +В понедельник или субботу. +Пусть Мадонна хранит тебя от всякого зла. +Хорошо, что они не умерли от голода в Риме. +Они работают по ночам? +Нет, они прекратили, хватит. +День на день не приходится, всяко бывает. +Да, это верно. +Как ты нашла этих людей? +Так получилось +Я осталась ночью на улице и встретила вас. +А вот как вам пришло в голову заниматься этим делом? +Я и сам не знаю. +Правда, не знаю. +Вот, мы приехали. +Твой трамвай. +Ты далеко живёшь 19-й километр по дороге в Остию. +Как тебя зовут? +Мария Чиакарелли. +Живёшь одна? +Мои родители умерли, когда я была маленькой. +Я из Рима. +Ну хорошо, иди спать, бедняжка. +Я только... +Пока. +Что такое? +Спасибо, спасибо за всё. +Дон Минченцо, прибыла группа из Венеции! +Вата, сладкая вата! +Шарики из спелой вишни! +Добро пожаловать на молебен! +Мадонна творит чудеса. +Вата, сладкая вата! +Шарики! +Давай руку. +Осторожно, он инвалид. +Спасибо. +Ванда, посмотри, сколько народу! +Давай, дядя, пойдём поставим свечи. +Скажите, сколько стоят свечи? +Смотря какие. +Эти - по 50, эти – по 100, эти - по 200 лир. +Я куплю самую большую. +Даже две, тебе и себе. +Ванда, давай купим свечи. +- Эти подойдут? +-Да. +Мне одну, но я сама за неё заплачу, сама. +Нет, я плачу за всех. +А что теперь с ней делать +Какая тупица! +Сколько за все? +Две четыреста. +Дорогу! +Пропустите больного человека. +Разрешите пройти! +С дороги, пропустите нас! +Такой молодой. +Мы здесь, подождите! +Пойдёмте фотографироваться! +Пойдёмте фотографироваться! +Уже иду! +Пошли, Кабирия, нас ждут. +Иду! +- Где Ванда? +- Я здесь +- Ванда, пошли. +- Иду. +Я хочу сфотографироваться. +Сфотографируйте меня, пожалуйста. +Что теперь надо делать +Во-первых, пойдём на исповедь +Туда, вниз, к исповеднику. +Но я вчера исповедовался. +Осторожней, он же калека. +Ванда,.. +я попрошу Святую Мадонну о том же, о чём ты . +А разве я тебе сказала? +Только ты не говори, что забыла. +Я хочу попросить большую квартиру рядом с парком. +Ванда, это же совсем не то. +Ты что? +Ты что, забыла? +Прекрати. +Разве нельзя просить, о чём хочется? +Но ты говорила, что попросишь .. +Я передумала. +Ванда. +Не надо так. +Что с тобой? +Ты задула мою свечу, будь осторожней. +30 мест по тысяче лир за каждое. +- Итого 30 тысяч. +- Ты шутишь +- Я дал 35 тысяч за все. +- Правильно сделал. +На исповедь сюда. +А что нужно говорить на исповеди? +Господи, я всем сердцем раскаиваюсь во всех содеянных грехах, и я... +Да вот, написано же. +Подожди. +Что ты ? +Нельзя идти вдвоём. +Нет, я войду. +Всё, пока всё. +В другой вход. +Потише, не толкайтесь, не толкайтесь +Мне плохо. +Так лучше? +Ты что, не видишь Осторожно. +Осторожно. +- Вот алтарь, дядя. +- Я больше не могу. +-А в чём дело? +- Я не могу. +Хватит, я не могу. +Я помогу, мы уже подходим к алтарю. +Мне нужно немного отдохнуть +Рози, подойди на минутку, он ослаб. +Мы почти это сделали, пойдём. +Все ваши желания будут исполнены Божьй милостью , если вы подойдёте к Нему с чистым сердцем и душой, очищенной от грехов. +Услышь меня, Мадонна! +Мадонна, услышь меня! +Молитесь Деве Марии, матери Божьй! +Спасибо, Мадонна! +Спасибо, Мадонна! +Славься, Мадонна! +Спасибо, Мадонна, благосклонная Мадонна! +Пресвятая Мадонна! +Милостивая Мадонна! +Спасибо тебе! +Спасибо, Мадонна! +Мадонна, спасибо тебе! +Молю тебя, будь благосклонна! +Мадонна, спасибо тебе! +Молю тебя, будь благосклонна! +Ванда, иди сюда! +Не уходи, хорошо? +- Что дальше? +- Откуда я знаю. +Ванда, у меня сердце колотится, я боюсь, я боюсь её. +Так странно, Ванда. +Славься, Мадонна! +Спасибо, Мадонна! +Спасибо, Мадонна! +Мадонна, услышь наши молитвы ! +А теперь преклоните колени и молитесь, молитесь, дети мои. +Эннио, скажи, Мадонна сделает так, что я снова буду ходить +Я думаю, да. +Встаньте, дети мои, поднимитесь +Если вы очистили свои души, милость Всевышнего отныне распространится и на вас. +Мадонна, помоги мне! +Пусть моя жизнь изменится! +Пожалуйста, помоги мне найти лучшую долю в жизни. +Пожалуйста, помоги! +-Дядя, пора. +- Нет. +Попробуй ходить Уверен, всё получится. +- Нет, я боюсь +- Я просто уверен. +Ну давай же! +Пожалуйста, я не могу, не могу. +Боже, какой же я грешник! +Мадонна, спасибо! +Спасибо, Мадонна! +Кабирия. +Кабирия, ты что, язык проглотила? +На, выпей. +Осторожно. +Ей бы не мешало хорошенько поесть +Она так напилась, что и дорогу домой не найдёт. +- Кабирия, что ты делаешь +-Думаю. +Брось, выпей. +- Что она сказала? +- Сказала, что думает. +Не напрягай голову, а то она лопнет. +Посмотрите на этих кретинов! +Надоели со своим дурацким мячом! +Он нарочно это сделал. +Я ему покажу нарочно! +Красавица, подкинь мячик! +Подай мяч, красавица! +Хорошо, но в следующий раз я брошу его в другую сторону! +Ванда, может, она хочет остаться одна? +Пусть скажет, мы уйдём. +Откуда ты взял, что я хочу остаться одна? +Что с тобой? +Откуда ты взял, что я хочу остаться одна? +Эй, если вам нужен мяч, идите берите сами! +Забирайте, если он вам нужен! +Кабирия! +Останови её, она даже идти не может. +Я не хочу с ней разговаривать, она мне надоела. +Кабирия, ты правда думала, что что-то изменится? +Вот дура-то! +Увидите, это ещё не конец. +Знаете, что я сделаю? +Вы даже себе представить не можете. +Я продам дом! +Я всё продам и всё брошу к чертям! +Я уеду! +И куда же ты уедешь Куда? +Какая разница? +Я же, я же не такая, как ты . +Я другая. +На земле полно мест, куда можно поехать и изменить свою жизнь +А куда, по-вашему, они идут? +Куда, скажи мне? +Эй, куда вы собрались с флагами? +Что вы делаете? +Собираетесь поддержать президента на выборах? +-Зачем ты дала ей вино? +-Да всего один стакан. +Кабирия! +Разве Мадонна дала вам богатство? +Разве она послушала вас, ответьте? +Ты хочешь, чтобы нас всех забрали? +Кабирия, вернись Пожалуйста, вернись +- Сделайте что-нибудь +-Да что я могу сделать +Да вы только посмотрите на неё! +- Ну и что? +- Верни её, верни! +Отстань, я хочу послушать +Кабирия! +Кабирия! +Услышала Мадонна ваши молитвы , ну скажите? +Вы дураки! +Давайте, давайте. +"Мадонна нас услышит!" Как же, как же! +Идите и не забудьте свои флаги! +Кабирия, хватит, хватит. +Убирайтесь, проваливайте! +Кабирия! +Кабирия, ты совершенно пьяная. +Кто пьяная, я? +Это кто пьяная? +Какой спектакль +Я тебя спрашиваю. +Хороший. +Что ещё? +Синьоры , вы изволите видеть, голова моего помощника была проколота насквозь +Кинжалы прошли через коробку. +Из ужасных ран должна была хлестать кровь +Но уважаемые, вы в недоумении, потому что головы просто нет. +Что вы на это скажете? +Теперь перейдём ко второй части нашего представления. +Эксперимент с магнетизмом, гипнозом и другими видами внушения. +Если есть добровольцы , прошу на сцену. +- Может, вы ? +- Я? +Давай, разве ты не мужчина? +Давай, давай! +Идите, не бойтесь Обещаю, я не причиню вам вреда. +Это научный эксперимент. +А мне за это заплатят? +Вы можете поучаствовать в удивительном эксперименте. +Теперь нам нужна представительница прекрасного пола. +- Синьорина, может, вы ? +- Я? +Да, поднимайтесь +Все увидят, какая вы храбрая. +- Я не хочу. +-Давай же! +Синьорина, мы не можем бросить этих юношей в одиночестве. +А может лучше вы ? +Иди, все хотят посмеяться. +Посмотри на себя в зеркало и обхохочешься. +Не надо на меня давить, не надо! +Пожалуйста, не заставляйте себя упрашивать +Вам понравится. +Может, вы хотите, чтобы я сам за вами спустился? +Идите, не бойтесь, все вас просят. +Вы же ведь среди друзей. +Всё это жульничество. +- Идите, синьорина. +- Хорошо, иду! +Настоящий доброволец! +Я ведь могу и не ходить +Прекрасно. +Друзья мои, не бойтесь +Прекрасно. +Вы храбрая девушка, это делает вам честь +Идите сюда. +Всё будет хорошо. +А теперь, друзья , давайте развлекаться. +Ах, дырявая голова, это непростительно! +Я забыл, что синьорина Вера всё ещё здесь +Как же я могзабыть, подумать только! +Мне кажется, здесь тепло. +Как вы думаете? +Может, прогуляемся на лодке? +Кто-нибудь страдает морской болезнью ? +Нет, когда я был маленьким, то плавал по реке. +Хвастун, ты же боишься воды . +Значит, всё в порядке. +Хорошо, мы прекрасно прогуляемся. +А вот и лодка. +Мы назовём её " Отважная" . +При плохой погоде лучшей лодки нам не найти. +Все на борт! +Не заставляйте меня упрашивать вас. +Вы постойте здесь Идите за мной. +Погода прекрасная, море спокойное. +Куда вы ? +Смотрите сюда! +Смотрите на меня! +Воттак. +Невольники, возьмите вёсла. +Смотрите мне в глаза! +Начали грести. +Раз, два, три. +Море синее спокойное, тихое и прозрачное. +Вы чувствуете морской ветерок и запах морской соли и йода. +Какое удовольствие. +Смотрите, дельфины ! +Ребята, смотрите, дельфины ! +Здесь глубоко, погода начинает портиться. +Мы в открытом море. +Волны большие, начинается шторм! +Упритесь ногами. +Верьте, мы доберёмся до суши. +Следите за кормой! +Мама, нам никогда не выбраться! +Пресвятая Дева Мария, услышь меня! +Господи, помоги нам! +Помолитесь за наши души! +Успокоились Спасибо, синьоры , спасибо. +Всё-всё, вы свободны , свободны . +Ну ребята, вы так перепугались +Струхнули? +Не уходите. +- Вы мне? +- Вам. +- Разве ещё не всё? +- Нет, не всё. +Оставляете меня в одиночестве? +Но ведь уже всё. +Вы замужем или нет? +Нет. +Вам понравилось представление? +Нет, не очень +Я бы хотел поговорить с вами. +Подойдите, пожалуйста. +- Вы из Рима? +-Да, из Рима. +А в каком районе вы живёте? +Колонна, Приоли, Прати? +В Прати. +Не пытайтесь обмануть меня. +Сейчас вы расскажете, где живёте. +В Сан-Франческо. +Почему вы смеётесь +Не обращайте внимания, они шутят. +Вы сказали, что не замужем. +А вам хотелось бы замуж? +Откуда вы это взяли? +Кому она нужна? +Вы , конечно, хотели бы выйти замуж. +Этого хочет каждая девушка. +Я знаю одного очаровательного юношу, который ищет спутницу жизни. +Он бы с радостью женился на вас. +На мне? +Он красив и здоров. +У него собственный Феррари. +А чем вы занимаетесь +Она графиня. +Послушайте, я довольна жизнью . +У меня всё есть, всё. +А теперь до свидания. +Слышали? +У меня всё есть Всё есть +Что с вами? +Я очень рад за вас. +Значит, у вас есть деньпи в банке, собственность и всё остальное? +У меня свой дом. +И такое бывает. +А сейчас, если вы не против, я уйду. +Секундочку. +Вы ставите меня в дурацкое положение. +Позвольте, по крайней мере, представить вам этого юношу. +- Его зовут Оскар. +- Какой Оскар? +Оскар! +Иди к нам. +Как же хорошо ты одет. +Подойди ближе. +Я хочу представить тебя этой молодой особе. +Думаю, она будет рада. +Как поживаешь +Я счастлив, что познакомил вас. +Теперь вы встретились, и я оставляю вас наедине. +Вы в чудесном саду, повсюду растут цветы . +Тишина. +И вы слышите только шелест листвы . +Вы можете разговаривать друг с другом, секретничать, и никто вас не слышит. +Синьорина, смотрите, Оскар предлагает вам руку, в этом нет ничего плохого. +Но мы же только встретились +Вы идёте по поляне, поросшей цветами. +Сладко поют птицы , и Оскар не смеет заговорить с вами. +Он слегка оробел. +Вы вынуждены умолять его. +Но вот он решился и говорит: +"Синьорина, я так долго ждал нашей встречи. +Можно задать вам вопрос?" +Да. +У вас есть жених? +Был ли в вашей жизни мужчина? +Я так и подумал. +Я часто смотрел, как вы стоите у окна. +Видел вас по воскресеньям в церкви. +Ваши глаза всегда опущены . +А ещё я видел, как вы собираете цветы . +Кто любит цветы , у того доброе сердце. +Могу ли я надеяться вас снова увидеть +Спасибо. +Как вы сказали ваше имя? +Мария. +Мария, какое чудесное имя. +Спасибо, синьорина Мария. +Я сохраню эти цветы как драгоценные сокровища. +Вы подарите мне танец? +Пожалуйста, маэстро. +Оскар, Мария любиттанцевать +Оркестр начинает играть чудесный вальс . +Я богат, но печален и одинок. +Что проку иметь машину, останавливаться в роскошных отелях, скитаясь по свету в одиночестве? +На самом деле мне нужен дом, полный детишек, и жена, как вы . +Мы должны были встретиться, когда мне было 18. +У меня были прекрасные чёрные волосы , которые спадали мне на плечи. +Для меня вы на всю жизнь останетесь юной. +Значит, вы действительно любите меня? +Это замечательно. +Вы не разыгрываете меня, правда? +Поклянитесь +Синьорина? +Синьорина? +Ну всё, всё. +Всё. +Что вы заставили меня делать +Что вы заставили меня делать +Спасибо, спасибо. +Занавес! +Вы что, никогда не уйдёте отсюда? +Пора закрывать +Ухожу, ухожу. +Скажи, все эти полоумные уже ушли? +Все ушли, только вы остались +Почему бы вам не уйти? +Пора закрывать +Уходите. +Хорошо. +Я ещё покажу им! +Извините, синьорина. +Меня зовут Донофрио. +Извините за беспокойство. +Обычно я не знакомлюсь с дамами на улице. +Я сидел на балконе. +Значит, вы видели? +Прекрасный спектакль, классная штука! +Меня выставили на посмешище! +Синьорина, простите. +Позвольте сказать, я с вами абсолютно согласен. +Представляю, что вы чувствуете. +Я хотел сказать, вы мне понравились +Я искренне восхищён. +Знаете ли, мы все такие притворщики и ужасные типы . +Но когда вдруг встречается такой человек, как вы , чистосердечный, по-детски доверчивый, +то мы понимаем, что есть ещё люди чистые и открытые. +Вы пробуждаете в людях самое лучшее. +Я очень признателен вам. +Становится прохладно. +Подержите, пожалуйста. +Я только надену свой плащ. +Могу я предложить вам выпить +Не знаю. +Возьмите, пожалуйста. +Дураки проклятые, всё шляются, шляются! +Простите, пожалуйста, мою настойчивость, но эти эксперименты с гипнозом могут пагубно отразиться на здоровь и спровоцировать серьёзные болезни. +Наверное! +Поэтому я так странно себя чувствовала. +Меня бросало то в жар, то в холод, я потела, как при температуре. +Посмотрите на меня. +Могу предложить бренди. +Это поможет. +Давайте зайдём. +Мы ненадолго. +Пожалуйста, садитесь +Два бренди, пожалуйста. +Клянусь, я никогда не страдал так, как сегодня вечером. +Этот шарлатан так разговаривал с вами. +Такая неслыханная дерзость +А вы отвечали энергично, но скромно. +Я очень страдал. +Всё горело внутри. +Мне больно об этом говорить, я просто заболел. +Поторапливайтесь, мы уже закрыли. +Не беспокойтесь +Существуют вещи, которые не трогает вульпарность +Это не могло слишком повлиять на вас, я уверен. +Всегда, даже в самой дикой толпе, найдётся человек, который поймёттакую, как вы , и оценит. +Ваше здоровь ! +А что было на сцене? +Он заставил вас участвовать в деликатной и трогательной сцене. +Сцене любви. +На меня это так подействовало, не знаю даже, как описать +А больше всего то, что вы были как 18-летняя девушка, привыкшая ходить на мессу с матерью , и у которой были чудесные чёрные волосы , +чёрные волосы до плеч. +Он заставил меня это сказать +Не пора ли расходиться? +Сколько я вам должен? +150 лир. +Спасибо. +Спасибо. +Пора по домам. +Я хотел сказать +То, что случилось сегодня вечером, очень важно для меня. +Совпадение. +А вдруг? +Я живу не здесь +Просто шёл без дела и всё, бродил по городу. +Знаете, я сюда не заглядывал никогда. +И вдруг решил пойти в театр. +Впрочем, я не знаю, зачем. +Наверное, это судьба. +Да-да, судьба. +Да, именно судьба. +Но кто вы ? +По вашей манере говорить, можно подумать, что вы из Приоли. +Простите, не понял? +Вы разговариваете как синьор из самой богатой части города – Приоли. +Меня зовут Донофрио, я уже говорил. +Я бухгалтер. +Чего вы хотите от меня? +Поймите, ведь то же имя. +Оскар. +И меня зовут Оскар. +Подумаешь, Оскар. +Ну и что? +Ну что из этого? +Оскар. +Согласен. +Но вдруг это ещё одно совпадение. +Ведь гипнотизёр выбрал имя Оскар. +Я должен вас увидеть ещё раз. +Вы ждёте автобус? +Да, я езжу на автобусе. +Пора домой, я смертельно устала. +Мы прощаемся так, как будто больше никогда не встретимся. +Нет, мы должны увидеться снова. +Нельзя воттак расстаться. +Мне ещё много нужно вам сказать +Когда же я увижу вас снова? +Не знаю. +Я же работаю, торгую на улице. +Что мы можем ещё друг другу сказать Что? +Вы о чём? +Что мы можем друг другу сказать +Автобус. +Увидимся, до свидания. +До свидания. +Не говорите " нет" , пожалуйста. +Я тоже работаю. +Но после работы , завтра вечером, например? +Завтра вечером, хорошо? +Я не могу вечером. +И даже в воскресень ? +В воскресень ? +Да, в воскресень в 7, на вокзале. +Не знаю. +Но мне так хорошо сегодня. +Значит, договорились +Что вы делаете? +Ладно, поехали. +Синьорина! +Синьорина, я здесь +Я был внизу. +Простите, что заставил вас ждать, засмотрелся. +Я рад, что вы пришли. +Честно говоря, я побаивался, что вы приняли меня за ловеласа или даже за маньяка. +Всё так необычно, странно. +Как сон, правда? +Я позволил себе купить вам цветы . +Спасибо, но не стоило беспокоиться. +Зачем вы это сделали, зачем? +Прошу вас. +Идёмте. +Позвольте. +Он говорит, что ему нравится беседовать со мной. +Он всё время говорит, ну просто замечательный рассказчик. +Он из тех, кто много читает и образован. +А ещё он назначил мне свидание, и мы ходили на премьру в" Метрополитен" . +Это уже треть . +Они такие вкусные! +Это самые лучшие. +Так о чём я говорила? +Мы смотрели прекрасный фильм -премьру, называется " Гладиаторы " , о мучениках-христианах. +Правда, в фильме всё изменили, но он объяснил, что это нужно для сценария. +А ещё он говорил, как ему нравится со мной разговаривать и гулять +Всё потому, что я его понимаю. +Можете не верить, но он красив, молод. +У него каштановые волосы . +Он похож, он похож на северянина. +А потом мы ходили в ресторан, ели пиццу, и он купил мне цветы . +Ну что скажете? +И ты считаешь, что это бескорыстно? +Бескорыстно. +Хватит разыгрывать нас, Кабирия. +Завтра мы с ним снова увидимся. +Кабирия, скажи мне, что ему надо? +Откуда я знаю? +Какая разница? +Кому какое дело? +Думаешь, опять деньпи? +Ты угадала. +Полиция! +Полиция! +Сейчас тебя упекут. +Сейчас тебя упекут, ты этого заслуживаешь +Стервы , вы все туда отправитесь +Здравствуйте, синьорина. +Здравствуйте. +Как поживаете? +Прекрасно выглядите. +Как дела? +Хорошо. +А у вас? +Тоже. +Спасибо. +Это вам. +Спасибо. +Не стоило беспокоиться. +- Пожалуйста. +- Это уж слишком. +- Возьмите. +- Спасибо. +Куда бы вы хотели пойти? +- Куда хотите. +- Спасибо. +Тогда идём в парк. +Да, пойдёмте в парк. +Ваша семья живёт в Риме? +У меня нет семьи . +Мои отец и мать умерли, когда я был ребёнком. +Я совсем один. +Но лучше одиночество, чем водить дружбу с кем попало. +Да-да. +Мы жили в Поднополии, в маленькой деревушке. +Её название не имеет значения, вы всё равно его не знаете. +Я вырос в большом доме с керосиновыми лампами. +У отца был небольшой надел земли. +Отца звали Джованни,.. +а маму +- Эльза. +Мне нравится имя Эльза, чудесное имя. +Братьв и сестёр у меня не было. +И когда отец умер, родственники наложили руку на этот несчастный кусок земли, который достался моей матери. +Мы узнали, что такое нищета. +Привет, Кабирия! +Что ты делаешь, дитя моё? +Добрый день, отец. +Пожертвуй для Святого Антония. +Извините, у меня нет с собой денег. +Это неважно, можно и потом. +Самое главное – вера в Господа. +А ты веришь в Бога, дитя моё? +Нет. +- Не веришь в Бога? +- Нет. +Почему? +Каждый должен верить +Кто находится в милости Божьй, тот испытывает удовлетворение. +Возьми меня, я верю в Бога и удовлетворён. +Я ходила к Мадонне, просила её о благосклонности, но бесполезно. +Всё дело в том, как просить +Может, ты просто перестала надеяться. +- Ты замужем? +- Нет. +Все девушки должны выходить замуж и иметь много детей. +Супружество – священный долг. +Это тоже путь к Божьму благословению. +Помолись Святому Антонию. +А если захочешь у меня что-нибудь спросить, приходи во францисканский монастырь к брату Джованни. +Не знаю, правда, сможешь ли ты меня найти, я всегда так занят. +Эй, блондиночка! +Пока! +-Завтра? +-Завтра я работаю. +Тогда послезавтра, в то же время. +Я и послезавтра работаю. +Как же так? +Воттак. +По правде говоря, я хотела сказать, что мы больше не увидимся. +- Никогда? +- Никогда. +Это не значит, что ты мне не нравишься. +Но что проку в наших встречах? +Зачем всё это? +Мы просто теряем время. +Зачем? +Зачем, ответь +Зачем? +Ну ответь мне. +Хорошо. +Я хочу жениться на тебе. +Мне хотелось заговорить об этом раньше,.. +но у меня не хватало мужества. +Я хочу этого с первой нашей встречи. +Что ты говоришь +Ты бы женился на мне? +Ты что? +Женился бы на девушке, которую знаешь всего две недели? +Нет, это не разговор. +Благодари свою счастливую звезду, что я не такая, как другие. +Мы только познакомились, всего две недели назад. +Ты понимаешь, что ты говоришь +Соображаешь, что делаешь +Так нельзя! +Такими вещами не шутят. +Это нечестно! +Зачем ты так говоришь +Я ни о чём не спрашиваю. +И ничего не хочу знать +Всё неважно. +К чёрту предубеждения. +Потому что самое главное, что я понимаю тебя и хорошо знаю. +Ты и я – мы созданы друг для друга. +Ну уж. +Я хочу жениться на тебе, потому что ты нужна мне. +Не говори так. +- Ведь это несерьёзно. +- Серьёзно. +Ванда! +Ванда! +Ванда! +Что случилось, Кабирия, что? +Что? +Я выхожу замуж, вот что! +Я выхожу замуж, он просил моей руки! +Мы покупаем в Пирати магазинчик. +Он уже подписал контракт. +Я ничего не знала. +Он всё устроил. +Дом, магазинчик... +Я продаю дом, продаю всё! +День свадьбы мы назначили через две недели. +Ванда, я уезжаю! +А он знает, что ты ... +Да. +Я ему всё рассказала, ничего не скрыла. +Он ангел! +Он сказал, что это его не волнует. +Он меня любит. +Ванда, любит! +Ванда, кто-то на земле меня любит! +Кто там? +Здравствуйте, падре. +-Здравствуйте. +-Здравствуйте. +Можно увидеть брата Джованни? +Его нет. +А зачем вам брат Джованни? +Я бы хотела исповедаться. +Почему бы вам не пойти в церковь +Да, но я хочу исповедаться именно ему. +Исповедь действительна вне зависимости оттого, кому исповедоваться. +- Вы это знаете? +-Да, знаю, падре. +Но я хочу именно к брату Джованни. +- Хорошо, подождите. +- Спасибо. +Это тоже в чемодан. +А это я не возьму. +Сову брать +Нет, это приносит несчасть . +А раковину? +Думаю, да. +Воттак, возьму. +Ну-ка, посмотрим. +Отлично. +А это на продажу. +Кабирия, что за разорение? +Не надо всё бросать, тебе это понадобится. +А это? +Нет, всё на продажу. +Оставишь здесь, хорошо? +Это? +Но я же не дарю, я это всё продала, понятно? +Тащить с собой дороже. +И потом, он ведь тоже всё продал, и я должна. +Мы всё начнём сначала. +Всё начнём сначала, новую жизнь +На твоём месте я бы взяла вещи. +Ничего не забыла? +А что мне забывать +Деньпи взяла? +Как же я могла забыть о деньпах? +Ты оставила пуховую кофту. +Это старьё , выброси. +Выброси! +Можно взять для тёти? +Бери, если хочешь Они уже хотят внести вещи. +Да, им и вправду не терпится. +Закроешь мой чемодан? +Подожди, ещё мамино фото. +Мама. +Забавный этот мир. +Надо же, я выхожу замуж. +Что ты сказала? +Я выхожу замуж. +Что я сказала? +Ничего. +Как я выгляжу? +Как я выгляжу? +Потрясающе. +Она обошлась мне в две тысячи лир. +Очень мило. +Но ты слишком переплатила. +Ну где чемодан? +До свидания, Гарибальди! +В путь +Ванда, идём, идём. +Идём. +Посмотри на этих несчастных. +Когда я такое вижу, просто с ума схожу. +Ванда, пошли. +Вот ключи от дома, я ухожу. +До свидания. +До свидания. +До свидания. +Если вам что-нибудь понадобится, это моя подруга Ванда, она напишет мне. +- Пока. +- Приятного путешествия. +- Приятного путешествия! +- Спасибо, вам того же. +До свидания, дедушка! +Дедушка! +Я бы хотела попрощаться со всеми, это замечательно. +Я так счастлива, что вот упаду и расплачусь +Понятное дело, после стольких лет. +Привет, Чана! +Я уезжаю. +До свидания, Кабирия, до свидания! +Весёлой свадьбы ! +Попрощайся за меня со всеми. +Надо же, сегодня никого нет. +Кабирия, дай 10 лир! +- Милые, правда? +-Замечательные. +Скоро ты выйдешь замуж, а я даже не видела твоего жениха. +Ведь я твоя подруга. +Не могу же я привезти его сюда, где меня все знают. +Идёт. +Автобус. +Пока, Ванда! +Ну не надо, не плачь +-А кто плачет? +- Вот и хорошо. +Не волнуйся, я тебе напишу. +Как только приеду, сразу пришлю адрес. +Увидишь, ты тоже скоро выйдешь замуж. +Надо торопиться, давай чемодан. +Я пришлю тебе адрес. +Я пришлю тебе адрес. +Не забудь +Ванда, не беспокойся. +Жди. +Ты тоже выйдешь замуж, так же неожиданно, как я. +- Я надеюсь +- Всё сбудется. +Пока, Ванда! +Пока, Кабирия! +Пока! +Кабирия! +- Пожалуйста, я заплачу. +- Ну что ты , не стоит. +Но я была бы счастлива потратить свои деньпи. +За всё всегда ты платил, а ведь всё, что моё – это твоё, разве нет? +Да, конечно. +Официант! +Солнце садится. +Ты увидишь, как чудесны здешние закаты . +Ты хочешь, чтобы я напилась +Это ведь лёгкое вино. +Приданое. +Спрячь +Приданое. +350 тысяч - это всё, что они дали мне за дом. +Они знали, что я тороплюсь продать, и воспользовались этим. +Я забрала все деньпи из банка. +400, всего 750 тысяч. +Ты никогда не спрашивал, есть ли у меня деньпи. +Ты никогда не спрашивал, есть ли у меня деньпи. +Ангел святой, ты и предположить не мог, что у меня такая куча денег. +Я говорил, что не хочу об этом ничего знать +Пойдём отсюда. +Есть мужчины , которым нравится мучить женщин. +Их интересуеттолько одно: деньпи. +Ты не поверишь, но за любовь .. +за любовь я отдала бы все свои деньпи. +А они крадут деньпи. +Подумать только, в мои годы я кому-то нужна! +Прости. +Прости. +Официант, получите. +Идём. +Одно я знаю точно: рано или поздно но я бы изменилась, изменилась обязательно. +Я бросила бы всё. +Представляешь свою жизнь, похожую на мою? +Представляешь +Знаешь, что мы с Вандой хотели сделать +Мы хотели купить наркотик и забыться, забыться навсегда. +А куда мы пойдём? +Как здесь хорошо! +- Погуляем? +-Давай. +Не помню даже, с чего я начала. +Кажется, была ещё не очень старая. +Годы , годы . +А чемодан мой возьмём? +Нет, заберём потом. +Видел бы ты меня в 15 лет. +Какие у меня были волосы ! +Я была ужасно наивна. +Моя мать хотела только одного, чтобы я зарабатывала деньпи. +- Куда мы идём? +- Просто гуляем. +Пошли вниз. +Поцелуй меня, Оскар. +Спасибо, любимый. +Идём. +Я знаю короткую дорогу. +Оскар! +Оскар, куда ты пропал? +Плохой мальчик. +Я нарвала для тебя цветов. +Как замечательно они пахнут! +А пойдём ещё куда-нибудь Пойдём? +Хорошо. +Понюхай. +Какие это цветы ? +Какие? +Что с тобой? +Ты загрустил? +Я? +Нет. +Это потому, что я перестала петь +Давай вырежем наши инициалы на дереве. +Пойдём на озеро, посмотрим закат, там очень красиво. +Закат? +Я знаю, что у тебя на уме. +Ты и в самом деле хочешь смотреть закат? +Ты был прав. +Чудесно! +В мире всё-таки есть справедливость +Ты страдаешь, идёшь напролом через невзгоды , но, в конце концов, к каждому приходит его звёздный час. +Ты мой ангел. +У тебя руки холодные, ты замёрз? +Нет-нет. +О чём ты думаешь +Красиво, да? +Как там глубоко? +Хорошо бы взять лодку и доплыть до середины . +Интересно, там внизу есть лодки? +Ты умеешь плавать +Нет, нет, не умею. +Однажды меня столкнули в воду. +Я стала тонуть, но меня спасли. +Что такое? +В чём дело? +Что такое? +Ты ведь не убьёшь меня? +Не убьёшь +Ответь +Ты не убьёшь меня? +Отвечай! +Говори же. +Скажи. +Скажи! +Из-за денег? +Из-за денег, да? +Убей, убей меня! +Ну что же ты ? +Убей! +Я хочу умереть Я не хочу жить +Мне осточертела такая жизнь +Убей! +Убей меня! +Столкни меня в озеро! +Я не хочу жить Я хочу умереть +Я не собираюсь тебя убивать +Я только... +Тихо! +Ну давай, убей меня! +Ну давай! +Я не хочу жить, с меня довольно! +Убей меня, пожалуйста! +Я не хочу жить Только умереть +Дай мне умереть, убей меня! +Убей! +Маурицио, поторопись +Мы уже идём! +Мы идём домой, правда, я не знаю, как мы туда попадём! +Добрый вечер. +Берт Ланкастер +Кирк Дуглас +В фильме ПЕРЕСТРЕЛКА В О.К. КОРРАЛ. +В фильме также снимались: +Ронда Флеминг +Джо Ван Флит +Джон Айлэнд и другие. +Автор сценария: +Леон Урис. +Оператор: +Чарльз Ланг. +Композитор: +Дмитрий Темкин. +Продюсер: +Холл Би Уолис. +Режиссер: +Джон Старджес. +-Привет, Эд. +-Где Док Холидэй? +-Наверное в отеле. +Он ждал тебя уже... +-Скажи ему, что я жду его. +В этом нет нужды. +Весь город знает, что ты его ждешь. +Прежде чем... +Займись своим делом. +И не лезь в мои дела. +Твой брат пришел сюда пьяный и просил чтобы... +Виски! +-Он хотел убить его. +-Быстро! +Будь по-твоему, Эд. +Сдай оружие, если хочешь остаться. +Оставь бутылку. +У тебя нет шанса. +С Бэйли еще двое. +Дорогой, пора убираться отсюда пока не поздно. +Весь город, включая шерифа, точит на тебя зуб... +Они собираются повесить тебя за очередное убийство. +Ты это знаешь, Док. +Ты меня даже не слушаешь. +Кейт, мистер Бэйли приехал из форта, +-чтобы поговорить по-джентльменски. +-По-джентльменски. +Будет некрасиво, если я уеду из города. +Хватить болтать про джентльменские дела. +Дело в том, что ты... это то, что ты не совсем понимаешь. +Почему ты всегда обращаешься со мной, как будто я дерьмо? +Ты не лучше, чем я. +-С этим можно поспорить. +-Правда? +Что ты говоришь? +Вот что я тебе скажу, Док. +Твое пижонство и умная болтовня не делают тебя джентльменом. +Ты такое же дерьмо как и я. +И я устала это слышать. +Плантация в Джорджии и все твои друзья. +Их давно уже нет, давно! +Давно! +Их уже нет, но я с тобой. +Твоя семья не пошевелила даже пальцем, чтобы позаботится о тебе после войны. +Ты действительно хорош. +Они тобой так гордятся. +Не смей говорить о моей семье в таком тоне. +Док, пожалуйста... +Док, пожалуйста... забудь о Бэйли. +Давай уедем отсюда. +Может быть... может поедем в Лоредо. +Ты же сам говорил, ты же хотел поехать туда. +У нас еще есть время. +Твое беспокойство меня очень трогает. +Ты знаешь, что я чувствую к тебе. +Я знаю, что ты чувствуешь. +Я не знаю, не знаю, что буду делать, если с тобой что-нибудь случится. +Тебе не на что будет жить. +Не говори так, Док... +Я хорошо относилась к тебе. +Почему ты обо мне никогда не думаешь? +Иди к Шэнси. +Скажи, что я сейчас буду. +-Не ходи туда. +-Делай, что говорят. +Мне нужны деньги. +Уайт Эрп. +Котон Уилсон... +Давно не виделись. +Я планирую уйти со службы. +Для меня новости есть? +Клэнтон проезжал мимо, три дня назад и отправился на восток. +Джонни Ринго был с ним. +На восток? +Ты не получил телеграмму? +Получил. +Почему ты его не задержал? +У меня на него ничего нет. +Его не за что задерживать. +Не за что? +На нем висит куча преступлений. +Я все спланировал, чтобы он попался тебе в руки. +Один человек в Техасе смог бы его задержать. +-И это ты. +-Хватит молоть чушь, Эрп. +Котон, ты меня знаешь. +10 лет назад я покровительствовал тебе в Оклахома Сити. +Помнишь, как ты подстрелил самых кровожадных стрелков? +10 лет это очень много. +Я становлюсь старым. +Никто не говорил мне, что Котон Уилсон стал трусом. +Ты не имеешь права так говорить со мной, Эрп. +Я был один на один с самой кровожадной бандой. +Почему ты не задержал Клэнтона? +Не справляешься, тогда верни значок. +Я верну значок... +Я защищал закон 25 лет. +Мною затыкали все дыры. +И знаешь, что у меня есть? +Комната за 12 баксов в месяц и старенький домик. +Думаешь, мне нравится так жить? +Это тупик, Эрп. +Когда-нибудь ты это поймешь. +Это происходит со всеми нами. +Где этот ублюдочный трус? +Не торопись, Эд. +Он заставляет тебя нервничать. +Почему Холидэй задерживается? +Хочет, чтобы они понервничали... +Уайт Эрп. +Как давно тебя не видел. +Почему не сказал, что едешь? +-Рад тебя видеть. +-Привет, Шериф. +Сигару? +Будь я проклят. +Наверное, издалека приехал. +Сначала Элсворт, Уичита, а теперь Додж Сити. +Никогда не думал, что станешь шерифом. +Ты всегда был дикарем. +Я и сам не думал. +Стэйк из моего запаса. +Как братья? +-Они женятся. +-Женятся? +Ничего себе. +-Мне нужна помощь. +-Все, что угодно. +Клэнтон и Джонни Ринго. +Три дня назад. +Против них много обвинений. +Я просил Котона их задержать, но он облажался. +-Котон струсил. +-Ты что-нибудь знаешь? +Вряд ли, хотя, минутку. +Док Холидэй играл с ними в покер. +Может он знает. +Бармен! +Бармен! +Подай еще виски! +Эд Бэйли, Док убил его брата. +Сам напросился. +Пришел пьяный, жульничал в карты. +Наставил на Дока пистолет. +Ты знаешь его? +Да, мы встречались, он был дантистом. +Он отлично дерется. +Проблемы всегда его находят. +По-моему, он даже участвовал в битве при Бут Хил. +Представляешь, он заработал себе там репутацию. +Это точно. +Где он? +Нужно найти его пока не поздно. +В отеле. +-Стэйк подождет, я скоро вернусь. +-Никуда он не денется. +Холидэй. +Садитесь, будьте как дома. +Не стесняйтесь. +Не знаю, помните ли... +Помню, конечно, Уайт Эрп. +10 лет назад лечил вам зубы. +Если бы я знал, что встречу вас через 10 лет, то просто... +Я слышал, вы занялись другим делом. +Плохо, вы были хорошим дантистом. +Пациентов раздражал мой кашель. +Мне нужна информация. +Эта игра называется пасьянс. +Давайте поторгуемся. +-Добрый вечер, мистер Эрп. +-Вас могло бы это заинтересовать. +Вы не знаете ничего, что могло бы меня заинтересовать. +У мистера Бэйли есть маленький пистолет, который он прячет в ботинке. +-В левом или правом? +-В левом. +Отлично, Бэйли левша. +Как Клэнтон и Ринго, которые были здесь 3 дня назад. +Вы играли с ними в карты. +Куда они поехали? +Не знаю. +-Мы же заключили сделку. +-Вы так сказали, а я не заключал сделок. +-Вы знаете, куда они поехали? +-Послушайте, вы мешаете мне играть. +Вы ненавидите закон, да? +Есть причина, по которой я не должен? +Ваш брат, Морган, обманул меня и забрал 10000 долларов. +И кстати, ваши братья позволяют себе все, что угодно. +Увидимся, Холидэй. +Если будете поблизости. +-Узнал что-нибудь? +-Ничего. +Мне кажется, они поехали в Тумбстоун. +Там у него ранчо. +Но я не уверен. +-Твой брат шериф Тумбстоуна? +-Именно. +Я послал ему телеграмму, чтобы он был настороже. +Что будешь делать? +А что я могу поделать? +Я не знаю, где они. +Утром поеду в Додж Сити. +-Мистер Холидэй. +-Да. +Оплатите ваш счет за проживание... я хочу сказать, что мы не знаем, съезжаете вы или нет. +Узнаешь через 15 минут. +Ты заходишь в опасное место, Док. +Если Бэйли не убьет тебя, то шериф всегда начеку. +Будь умнее, лучше уезжай... +Такое впечатление, что ты хочешь, чтоб тебя убили. +Может быть. +Добрый вечер, Холидэй, сдай свой пистолет. +Добрый вечер, Гарри. +Как обычно. +Да, сэр. +Я слышал, что приехал господин, который хочет поговорить со мной. +Он лучше бы научил своего брата играть правильно в карты. +Если ты увидишь этого господина, то скажи, что я буду ждать его в Бут Хилл. +Оттуда он сможет отправиться только в одно место... в могилу. +Я тут подумал, оказывается, он и не джентльмен вовсе. +Настоящий трусливый сукин сын. +Ну что, Док, пошли. +Конечно... +В чем меня обвиняют? +-Что-нибудь придумаем. +-Не сомневаюсь. +Спасибо, Гарри. +Уберите его отсюда. +Все кончено. +Хватит. +Все к барной стойке. +Бесплатная выпивка за счет заведения. +Дай-ка мне пивка. +После убийства такой беспорядок. +Док испортил всем настроение. +Он безумец, но очень смелый. +Что будешь делать, Эрп? +Ты же сам видел, они не имели право его забирать. +Они не имели права это делать. +-Кейт, его подруга. +-Его подставили. +Бэйли хотел убить его. +Мисс Фишер, расслабьтесь и успокойтесь. +Закон разберется. +В этом городе нет закона. +Не видел человека, который хотел бы, чтобы его убили. +-Вы должны ему помочь. +-Он меня не касается. +-Пожалуйста. +-Это не мое дело. +Он мне даже не нравится. +Извините, спокойной ночи. +У меня есть лошади, мы могли бы отдать их за проживание в отеле. +Это все, чем я могу помочь. +Мне очень нравится Док, но к сожалению, я ничем не смогу ему помочь. +10-ый номер... +-Здесь живет Уилсон? +-Нет, сэр. +Здесь только Док Холидэй. +Он в своей комнате. +-Мистер Эрп. +-Я уже сказал, это не мое дело. +Мне плевать, что вы о нем думаете. +На улице происходит нечто ужасное. +Это уже вас касается. +И не важно, прав ли Док или нет. +Он не заслуживает, чтобы его подвесили как животное. +Нужно уходить. +С каких пор вы спасаете ублюдков от виселицы? +Ничего личного, не люблю линчевания. +-Чего мы ждем? +-Рано. +Сейчас самое время. +Горит сарай Страджеса! +Пора. +Выходи через черный ход. +Спасибо, шериф. +Увидимся в Додж Сити. +-Еще раз спасибо. +-Держись подальше от Додж Сити. +Давайте воду! +Быстрее! +Граница. +Ничего себе. +-Таким не место в Додж Сити. +-Она наверняка из большого города. +Похоже, она хочет остаться. +Здорово. +Кое-что нужно обсудить. +На самом деле, я приехал по делу. +Шеф Далкниф в ярости. +Мне нужны твои представители. +Тебе всегда не хватает людей. +-Кто эта девушка? +-Да, кто? +Какая девушка? +Я узнал, что Док Холидэй и его девушка только что приехали в отель. +Док Холидэй? +Я же сказал ему не приближаться к Додж Сити. +Пойду навещу его. +-Дашь мне своих представителей? +-Хорошо, но Чарли останется со мной. +Возьмешь остальных. +Не забудь вернуть их до приезда фермеров, ты же знаешь, как нам будет трудно без них. +Марио, иди прогуляйся. +Пришел поприветствовать меня? +Я говорил тебе, чтобы ноги твоей здесь не было. +Люблю острые лезвия, а ты? +Хочешь побриться? +У нас сегодня собрание. +Я хочу, чтобы ты пришел. +Не могу. +Шериф Абелины послал меня сюда. +Кстати, пусть вам кто-нибудь напишет новую речь. +Слышу одну и ту же в каждом городе. +Тогда останешься в отеле до послезавтра. +Потом я посажу тебя на поезд и ты уедешь. +Уайт, какой ты жесткий. +Я в состоянии полного банкротства. +Мне не на что даже купить билет. +Шэнси сказал, что у тебя было целое состояние в Гриффине. +А он не сказал, что 10000 долларов лежат в его сейфе? +Знаешь, что он сделал? +Ты сказал, что я должен покинуть город, а те две лошади возле отеля обошлись мне в 5000 долларов каждая. +Как тебе это? +Полотенце, пожалуйста. +Спасибо. +Всех так и тянет покуситься на мою жизнь. +Уайт... сколько тебе платят? +100 долларов в месяц и 2 доллара за арест? +-Хочешь подкупить меня? +-Нет, не тебя. +Хочу предложить тебе сделку. +Неплохо. +-Сбережения есть? +-Немного. +Хочешь купить ранчо или магазинчик? +Давай все упростим. +Забираешь мои 10000, и я иду на все четыре стороны. +Деньги имеют свойство накапливаться. +50 на 50, да? +Любому другому я бы отдал 10 процентов, но ты мне нравишься. +Мне нравится твоя стрижка. +Мне нравятся такие прически. +А почему так щедро? +Парикмахеру нужно это, шерифу нужен пистолет. +А я картежник. +Деньги это всего лишь инструмент в моих руках. +И ты гарантируешь, что ты исчезнешь? +Я никогда не исчезаю. +Игроки в покер любят деньги. +Я никогда не проигрываю, потому что мне нечего проигрывать, даже свою жизнь. +Договорились? +Ну ты даешь. +Ну что ж, тогда тебе придется купить мне билет на поезд. +Холидэй, я совершил много ошибок. +И совершу еще одну. +Я позволю остаться тебе в городе. +-Это почему же? +-Мне нравится твоя прическа. +Останешься здесь и будешь играть при одном условии. +Никаких ножей, пистолетов и убийств. +Никаких ножей, пистолетов и убийств. +Именно. +Даю слово джентльмена. +И еще кое-что... +Или ухаживай за той девушкой, +-или брось ее. +-Кейт? +Бедняжка Кейт. +Она любит то, что я ненавижу в себе. +Заплати парикмахеру, хорошо? +Я кое-что узнал об этой девушке. +Где ты взял это? +Сделали для меня. +Что на счет леди? +-Очень длинный ствол. +-В самый раз. +-И приклад какой-то... +-Что ты несешь? +Девушка, которая приехала позавчера. +-И что? +-Она сейчас в баре. +Говорят, что у нее целые чемоданы прекрасной одежды. +Некоторые из Франции. +Она высокая, весит 120 фунтов, светлые волосы, +-зеленые глаза... +-Что она здесь делает? +-Играет. +Очень смешно. +Если думаешь, что это смешно, тогда возьми и сам посмотри. +Ты умрешь от смеха. +Привет, Уайт. +В чем дело? +Придется прервать вашу игру. +Не могу, Уайт. +Женщины имеют право играть. +Знаю, но каждый раз, когда женщина за столом, всегда возникают проблемы. +Игра закончена. +-Уайт, это Лора Дэнбо. +-Ты мэр этого города. +Мы договорились с тобой об этом. +У мисс Дэнбо много своих магазинов +-и она исключение. +-Только не в Додж Сити. +Значит, это вы Уайт Эрп? +-Шериф, судья и присяжный. +-Да, мэм. +Начиная с вас и заканчивая Южной стороной. +Кто этот ублюдок? +-Заткнись и не лезь не в свои дела. +-Ты разговариваешь с леди. +-Похоже, шериф раньше не встречался с леди. +-Вы играете в мужскую игру. +Поэтому я и обращаюсь с вами, как с мужчиной. +Ты не джентльмен. +-На этом и остановимся, мисс Дэнбо. +-Не трогай ее. +Стой Чарли. +Я устал от твоих нравоучений. +Доставай пистолет, я убью тебя. +У меня нет пистолета, ковбой. +Я безоружен. +Не подходи! +Ты пьян и не ведаешь, что творишь. +Отдай пистолет, пока не начались серьезные проблемы. +Я не потерплю, чтобы так разговаривали с леди. +Стой спокойно... и отдай мне пистолет. +Я не стрелок... +Я все равно бы никого не убил. +Я знаю, ковбой. +Ты просто хотел поразить леди. +Чарли, отведи его, пусть умоется, и выведи его из салуна. +Вы арестованы. +-За что, мистер Эрп? +-За нарушение порядка. +Минутку, Уайт. +Все нормально, шериф пытается спасти репутацию Додж Сити. +Кроме того, я люблю проводить время в тюрьме. +Может, позовете своих помощников? +Я очень отчаянная. +Я вас отпущу, если пообещаете, что не будете играть в этом районе. +В этом районе? +Нет, я уж останусь. +Возможно, судья не такой правильный, как шериф. +Вы не откроете дверь? +Знаете, мне это пока не понадобится. +Купите себе новую шляпу. +А то эта маловата. +Закройте дверь, шериф. +-Посадил ее? +-За нарушение порядка. +-Я вытащу ее. +-500 на то, что не сможешь. +Давай 1000, и я ее вытащу. +Удваиваешь или нет? +Договорились. +Вернусь через 30 минут. +-Добрый вечер, Чарли. +-Привет, Док. +Господи, как же я устал за сегодняшний день. +Я провел полжизни за бумажной работой. +Выпить хочешь? +Док, ты же знаешь, что я не пью на дежурстве. +Что за праздник? +Хочу вытащить мисс Дэнбо. +Давай. +19. +20. +Не могу, Док. +У нее завтра суд. +Под залог нельзя. +Хватит. +21. +Тогда подожду Уайта. +Не думаю, что он скоро вернется, Док. +-Блэкджэк. +-И у меня. +Если бы мы играли по настоящему, то я бы захотел взглянуть на колоду карт. +Тогда попробуй. +Держи мой. +Хорошо, что Эрп не разрешает носить такие штуки, кто-то может пострадать. +Пойду посмотрю как там заключенные и лошади. +-Присмотри за офисом, Док. +-Конечно, Чарли. +-Никогда у меня не было столько ружей. +-Что ты здесь делаешь? +Пришел выкупить мисс Дэнбо. +Она же все-таки леди. +Ни каких поблажек. +Тогда освободи ее в обмен на информацию. +Ты не знаешь ничего, что меня может заинтересовать. +А если я тебе скажу, Шингхай Пирс едет сюда с головорезами? +Шингхай Пирс? +Похоже, ты не ладишь с ним. +Я хорошенько ему врезал, когда он напился и решил меня подстрелить. +Он не плохой парень, просто заносчивый. +Он собирается перестрелять весь Додж Сити. +И он нанял Ринго, чтобы ты не испортил веселье. +И самое главное... +Он назначил цену за твою голову в 1000 баксов. +А что еще? +Я думал, ты удивишься таким новостям. +Холидэй, пока я здесь шериф, никто из них не посмеет приехать сюда с оружием. +И мне плевать, что его зовут Шингхай Пирс. +Отлично сказано. +Повторю эти слова на твоих похоронах. +-Так как на счет мисс Дэнбо? +-Забудь об этом. +Мы же договорились. +Ты договорился. +А я не соглашался, ты помнишь? +Чарли, ты работаешь на мошенника. +-Правда? +-Иди домой, я еще посижу. +-Спасибо. +Спокойной ночи. +-Спокойной ночи. +Уайт, отпусти ее. +Она ничего такого не сделала. +Думаю, Чарли прав. +Выпусти ее. +Совесть? +Может, она мне нравится. +Скажи ей, чтобы играла в другой комнате. +Не хочу, чтобы она светилась на первом этаже. +-Добрый вечер, мисс Дэнбо. +-Добрый вечер. +-Выходи, у нас еще куча дел. +-Спасибо. +Шериф? +-Приятного вечера, мистер Эрп. +-Вам тоже, мисс Дэнбо. +Приятного вечера, мистер Эрп. +Пара тузов. +Посмотрим, что у леди. +-50. +-Мне еще. +-50, мне еще. +-Договорились. +Еще 50. +Док, нам пора. +Уже почти утро. +Ты слышишь? +Почему ты молчишь? +-Еще 100. +-Док. +Купи себе выпить. +-Поднимаю ставку. +-Для меня многовато. +Еще 200. +Поддерживаю леди. +4 туза. +-Господа, мы облажались. +-Спасибо, господа, мне пора. +Выдай мне деньги. +Спокойной ночи. +-Можно вас проводить? +-Спасибо, Док. +-Спокойной ночи. +-Спокойной ночи. +-Еще разок сыграем? +-Давай. +-Тетушка бы моя не помешала. +-Спокойной ночи. +Где Люк Шорт? +Ричи Бэл и его ребята грабанули банк в Салине. +Убили кассира, едут сюда. +Я послал его в Абилин. +Когда ты собираешься ехать? +Немедленно. +Нужно только напасть на след. +Люк - единственный, кто умеет стрелять. +А как же Чарли? +Кто-то должен присматривать за городом. +Нужен стрелок? +Ты? +Нет, спасибо. +Я неплохой стрелок. +Проблема в том, что все мои враги не могут этого подтвердить. +-Сам справлюсь. +-Как хочешь. +Подними правую руку. +Клянешься ли ты... +Это смешно. +Я беру тебя. +Собирайся, я приготовлю лошадей. +-А мне не полагается звезда шерифа? +-Только не при жизни. +Лекарство? +Для умного игрока, у тебя куча пристрастий. +Ты не протянешь и года. +А что ты знаешь о пристрастиях? +Этот кашель не излечим. +Тогда забудь про эти вонючие салуны. +Поезжай в горы и живи там. +Только не я. +Да, ты привык жить рискуя. +Нет, пусть кашель высушит мое тело медленно. +Точно. +Жить быстро, умереть молодым. +Уайт, меня беспокоит лишь смерть в постели. +Не хочу, чтобы это тянулось долго. +Когда-нибудь меня все равно убьют. +И это будет очень быстро. +Эрп, я приехал сюда не для того, чтобы выслушивать твои речи. +Меня всегда это интересовало. +Зачем ты приехал? +Если я буду заниматься одним и тем же делом, рано или поздно ты сунешь нос в мое дело. +Вот так-то. +-Я не хочу остаться твоим должником. +-Ты ничего мне не должен. +Мне никто ничего не должен. +И уж точно, не Док Холидэй. +Смотрю, тебе это нравится. +Насколько я знаю, ты можешь сесть на лошадь и ускакать. +Нет, спасибо, я пожалуй, останусь. +Знаешь, мы с тобой очень похожи. +У нас есть пушки. +Только у меня значка нет. +В чем дело, священник? +Не нравится, когда тебе причитают? +Заткнись и ложись спать. +Ричи Бэл больше не будет грабить банки. +Я думал, ты спал. +Нет, я думал. +Возвращаемся в Додж. +Хочу лечь в постель. +Зачем? +Она не убежит. +Я уж точно, спать не хочу. +Не ходи в эти грязные салуны. +Поезжай жить в горы. +Чарли. +Привет. +Пойду составлю рапорт. +Спасибо, Док, теперь мы в расчете. +Пока нет. +Пока долги не выплачены сполна. +Слышал, ты хорошо стреляешь. +Ну, я готов поработать помощником. +Все нормально? +Найди Кейт и скажи, чтобы пришла немедленно в отель. +Я уже давно не видел Кейт, Док. +В смысле? +Никто не видел ее с тех пор, как ты уехал. +Позвать врача? +Доброе утро, Лора. +Не думала, что буду рада вас видеть. +-Что случилось? +-Лошадь хромает на правую ногу. +Подкова треснула. +Лучше пока не ездить на ней. +Оставьте ее здесь. +Я пришлю кузнеца. +Хорошо, что вы едете один. +Это не случайно. +Я знаю, что каждый день вы проезжаете здесь. +Я подвезу вас до города. +Или вы хотите пойти пешком? +Держитесь крепче. +Еще крепче. +Что вы здесь делаете, Док? +Сейчас только 3 часа. +Оздоровительная прогулка. +Нужно пройти 20 ярдов. +Что тут происходит? +Приводим в порядок стадо к приезду ковбоев. +Не хотите, чтобы Бэт возвращался? +Хотя, наши помощники шерифа... +А где Кейт? +Где она, Чарли? +Очень тяжело объяснить, Док. +Я... +Слушаю... +Вы обещали Уайту, что не будет никакой перестрелки. +-Вы не... +-Где она, Чарли? +В отеле Уолли. +Ринго приехал в город и забрал с собой Кейт на 3 дня. +Похоже, намечается небольшая резня. +Это только начало, подождите. +Уайту сейчас перестрелка ни к чему. +Это лишние проблемы. +Скот перемешался в стаде. +Проваливай отсюда, ублюдок! +И больше не возвращайся! +Унеси меня. +Я готова полюбить тебя, а его оставить. +Значит, ты заболела. +-Так, так. +Пришел закон. +-Тебя не было 3 дня. +А я думала, ты не заметишь. +А ты ищешь меня по всей стране. +Я болел, Кейт. +Ты нужна была мне. +Тогда накинь-ка веревку на мою шею и води за собой, если я тебе нужна. +-Как всегда. +Опять все сначала. +-Оставь меня в покое, Док. +Всегда поворачиваешься спиной. +Если бы ты замечал меня, то я бы не делала этого. +Какая тебе разница, куда и с кем я хожу? +Заткнись! +Собирай вещи, ты уезжаешь. +Она остается. +-Это не твое дело, Ринго. +-Ты не имеешь право сюда входить. +Я разговариваю с Кейт, а ты гуляй. +Говори в его присутствии. +-Шлюха. +-Минутку. +Не смей разговаривать так с моей женщиной. +-Твоей женщиной? +Это женщина каждого. +-Я разорву тебя на части. +Я безоружен, Ринго. +Теперь нет. +Бери. +-Я не буду стрелять. +-Не будет. +Он обещал Эрпу, что будет послушным. +Я слышал, что хорошо умеешь расправляться с алкашами. +Так давай, бери. +Не буду. +Тогда выпей. +Док. +Мне понравилось танцевать. +Жаль, но мне нужно идти. +Вы разбили многим сердце. +-Спокойной ночи. +-Спокойной ночи. +Могу я вас проводить? +-Спасибо, мне не далеко. +-Мы могли бы прогуляться. +Здесь так прекрасно. +Я рада, что приехала сюда. +У вас поменялось выражение лица. +Вы выглядите как маленькая напуганная девочка. +Я не напугана и уж точно, не маленькая девочка. +Почему вы поехали со мной? +Хотела бы ответить на ваш вопрос. +Но я не знаю. +Тогда я отвечу. +-Отличная стрельба, да Ринго? +-Да. +Это им урок на всю жизнь. +-Мы - хозяева таких городов. +-Точно. +Шингхай Пирс в городе. +Его люди громят улицу. +Найдите Уайта и приведите помощь. +Я постараюсь их задержать. +Никто не должен выходить на улицу. +Пирс, угомони своих людей, пока никто не пострадал. +Передай своему Боссу, что я жду личного приглашения. +-Ты арестован, Пирс. +-Ты слышал? +Я арестован. +Я слышал. +Очень шумно. +Очень. +Хватит играть. +Пора уходить. +Хватит болтать, я еще не доиграл. +Еще. +Пожалуйста, Док. +Договорились. +Что тут у нас? +Танцы. +Разве это не прекрасно? +Приглашаете нас на танец? +Не очень гостеприимно. +Забирай своих выродков и проваливай отсюда. +Слышали? +Это уважаемые люди. +Деньги они всегда готовы забрать. +А мои люди готовы потанцевать с вашими женщинами. +Мои ребята хотят танцевать! +Пианист, музыку! +Живее! +Привет, Шингхай. +Ну что ж, мои дни сочтены. +Ты ответишь за этот шрам, который ты нанес мне в Вичите. +Сдайте оружие и пройдемте со мной. +Лучше молись, Эрп. +-Твой блеф не сработает. +-Подумай, прежде чем навлечь на себя беду. +Убирайся отсюда. +-Давай надерем ему зад, босс. +-Отличная идея. +Пусть твои друзья посмотрят, на сколько ты крут. +Хочу посмотреть как ты танцуешь, шериф. +Храбрые изречения, когда за тобой 20 человек. +Давай выйдем и сразимся один на один. +Нет, даже и не пытайся. +Все время блефуешь, да? +Ну что ж, ребята, взять этого ублюдка. +Господа, вы так много шумите, что я было уже испугался. +Вы испортили мне игру. +Веселье закончено. +Сдайте оружие. +Перестреляем их. +-Ну что, Шингхай? +-Давайте, попробуйте. +Ты первым получишь пулю. +-А ты вторым, Ринго. +-Начнем, босс. +Даю вам 5 секунд, чтобы сдать оружие. +1... 2... 3... 4... +-Хватит, ребята. +Сдайте оружие. +-Гэрри, Джэк, заберите оружие. +Быстрее. +Док! +Кто еще хочет испытать удачу? +Пошел, давай, шевелись. +Док, это еще не конец. +Могли бы закончить, но я сегодня добрый. +Быстрее! +Шевелитесь. +-Келли, отведи их и запри на всю ночь. +-Вы слышали шерифа? +Шевелитесь. +Думаю, ты не ждешь благодарности. +Теперь мой долг отдан сполна. +Ничего личного, шериф. +Доброе утро, Док. +Доброе утро. +Подумал, что тебе будет полезно узнать, что одним шерифом станет меньше. +Для меня это хорошая новость. +Я еду в Калифорнию. +Куплю ранчо и уеду, пока не поздно. +Умно. +Лора едет со мной. +Мы поженимся через несколько дней. +Я приглашаю тебя на свадьбу, если это не мешает твоей игре. +С меня нет толку на свадьбах, только на похоронах. +Уайт, я не поеду. +Она хорошая женщина. +Желаю вам счастья. +Тебе повезло, уезжаешь из этих мест. +Может, и ты попытаешься? +Увидимся, Док. +Я хочу вернуться, Док. +Пожалуйста. +Дай мне шанс. +Позволь мне вернуться. +Я сделаю все, что захочешь. +Мне плевать на то, как ты со мной обращаешься. +Прости за мои выходки. +Ты не виновата, я не виноват, никто не виноват. +Просто, так легла карта. +Я никогда не давал тебе шанса. +Может быть, все было бы по-другому. +Еще не поздно, Док. +Обещаю, что стану хорошей женой. +Слишком поздно для нас обоих. +Пока есть шанс, найди себе получше мужчину. +Не отпускай меня, Док. +Не отпускай меня. +Оставь меня в покое. +Оставь меня в покое. +Надеюсь увидеть тебя мертвым. +-Привет, Уайт. +-Привет. +Письмо от генерала. +И что там? +Пишет, что готов сделать тебя шерифом США, когда захочешь. +Уайт Эрп, шериф США, все что нужно. +Они все мертвы, Чарли. +Да, чуть не забыл... +Он твой. +Я покончил с законом. +-Пришла телеграмма. +-Читай. +Вирджил мой брат. +У него проблемы, я нужен ему. +Пойми, Лора. +Какая же я дура, что влюбилась в тебя. +-Если бы я мог... +-Уайт, когда я тебя встретила, я подумала, что не смогу следовать за тобой из города в город и ждать новостей о твоей смерти. +Я так не могу. +Мы не можем начать совместную жизнь, когда на тебя наставлен пистолет. +-Клянусь, Лора. +Тумбстоун и все. +-Это не кончится. +Твоя репутация всегда будет следовать за тобой. +-Он мой брат. +-А я будущая жена. +-Я не могу его бросить. +-Не бросай меня. +Я брошу все, поеду за тобой. +Буду работать с тобой в поле, но ты должен обещать мне. +Я должен ехать в Тумбстоун. +Давай, зачисти весь Тумбстоун. +Таких городов множество и все они ждут великого Эрпа. +Давай, перестреляй всех бандитов. +Поезжай! +Я люблю тебя, Лора. +Я люблю тебя, Уайт. +Добрый день, шериф. +Решил прокатиться? +Да, 700 миль. +В Тумбстоун? +Я и сам туда еду, может, кашель пройдет. +С каких пор ты заботишься о здоровье? +Немало важен и финансовый вопрос. +Никто уже не хочет со мной играть. +-Не против, если я поеду с тобой? +-Это свободная страна. +Где твое снаряжение? +Кладбище Бут Хил. +Тумбстоун. +Спасибо что подбросил. +Если хочешь, продай мою лошадь. +Док. +Знаю, никаких ножей, пистолетов и убийств. +Как здорово. +Я уже забыл, что такое домашняя еда. +Бэтти, я украду тебя у Вирджила. +Ты единственный, кто не женат. +У меня семья в Дэдвуде, даже маленький Джимми пытается жениться. +Что значит маленький? +Мне скоро 19. +19? +Когда ты женишься, Уайт? +Сигару? +Это сигнал для женщин и детей покинуть комнату. +Идем, Томи, пора спать. +Обязательно? +Да, обязательно. +Увидишь дядю завтра. +-Спокойной ночи, дядя Уайт. +-Спокойной ночи. +-Спокойной ночи, дядя Морган. +-Спокойной ночи. +-Спокойной ночи, дядя Джим. +-Спокойной ночи. +-Спокойной ночи, папа. +-Спокойной ночи. +Мы рады, что вы приехали. +Надеюсь, вы приехали не по работе. +Она чем-то расстроена. +Она просит меня уйти с работы. +Ты же знаешь женщин. +Перейдем к делу. +Морган и Джимми уже в курсе. +Ты знаешь Клэнтона. +У него есть ранчо за пределами города. +Да, я знаю. +Он организовал банду головорезов и держит шерифа округа под контролем. +-Кто он? +-Котон Уилсон. +Котон Уилсон. +Он работает на него. +Клэнтон забирает у мексиканцев скот. +Он должен перегонять его, но единственный путь через Тумбстоун. +Но он не сделает этого, пока мы контролируем город. +Вот так. +У него много людей и все они отличные стрелки. +-Мы не можем отбивать его атаки вечно. +-А что на счет жителей Тумбстоуна? +Джон Клам, издатель газеты, и некоторые люди, готовы помочь нам, если нужно. +Мы думаем, что нужно покончить с этим. +Меня беспокоит одно, и я скажу об этом. +Будет много разговоров о том, что ты приехал с Холидэем. +А что не так? +Он самый отчаянный убийца, вот что. +Плохо, что ты приехал с ним. +Холидэй спас мне жизнь в Додж Сити. +Я этого не забуду и он человек слова. +Пока он играет в карты и не убивает, мы не имеем право выгнать его. +-Не знал, что вы команда. +-Мы не команда. +Это наше с ним дело. +Он останется. +-Только под твою ответственность. +-Отлично. +Есть карта округа? +Мы должны сказать Клэнтону, что для него город закрыт. +Тогда мы сможем контролировать округ. +Я передам письмо, которое отвезет один человек. +Где находится ранчо Клэнтона? +Вот здесь. +Привет, я ждал тебя. +Отлично выглядишь. +Здорово. +-Не жалуюсь. +-В чем дело? +Клэнтон хочет заключить сделку. +Обещает тебя не беспокоить, если позволишь забрать весь скот из Тумбстоуна. +-Это здорово. +-Он отличный парень. +У него полно скотины и он собирается перегнать ее в другое место. +Правда? +20000 наличными. +20000 долларов? +Плата за грехи растет. +20000 против могилы в Бут Хиле. +Или 20 долларов в месяц, если выживешь. +Я уже думал об этом. +Знаешь, Котон, это хороший маленький городок. +Отличное место. +Возможно, я скоро стану шерифом округа. +Я этого не боюсь. +У меня есть все. +25000 на счету и ранчо. +Знаешь что? +-Сплю я очень крепко. +-А я нет. +Хватит упрямиться. +Элсвот, Вичита, Джодж Сити. +Может, сжалишься хотя бы над своей женщиной. +Хватит уже смертей. +Передай это своему боссу. +В пределах города Тумбстоун ношение оружия запрещено. +Значит, этого он хочет? +Он не хочет, чтобы ты контролировал город. +Давно не видались. +-Слишком давно. +-Привет, Ринго. +-Все еще носишь свой пистолет? +-Да, шериф. +А ты не слишком молод, чтобы носить пистолет? +Может, проверишь? +Куда-то собрался? +-На шоу, шериф. +Есть возражения? +-Нет, если вы сдадите оружие. +А ты сдай свое. +Стой! +Моих братьев вы знаете. +Джон Клам из общества горожан. +Ты мертвец, Уайт. +В этом городе для тебя нет места. +Приедешь с оружием, уедешь в гробу. +Проваливай. +-А вот и проблемы. +-Кто это? +Кейт Фишер. +Не сидится ей дома. +4. +Мне не нужно. +Бармен, принеси виски. +Оставь бутылку. +Две пары. +Туз. +Док, что у тебя? +Три. +Отличный городок, Кейт. +Так, так, так. +Помощник шерифа. +Док, раздавай. +Не поздороваешься со старым другом? +Ровно. +Дай мне Крим Дэ Мэнтре. +Помощник шерифа. +Не хочешь со мной выпить? +Ты пьян, Ринго. +Ты свою репутацию заработал на алкашах. +Доставай пистолет. +Встретимся на улице через 5 минут. +Я приду. +Надеюсь увидеть тебя мертвым. +Что ты себе позволяешь? +Клэнтону только и нужна война. +С меня хватит. +Хочешь с ним сопли разводить, пожалуйста. +Давай пистолет, Док. +Ты не имеешь права носить его. +Ты... благодари бога, брат Уайта Эрпа. +Холидэй, если тебе не нравится Уайт, то проваливай. +Ему не хватало такого убийцы, как ты. +-Слышал, ты уезжаешь. +-Именно. +Уезжаю завтра. +Я думал, что здешний климат поможет тебе. +Священник, мое пребывание здесь очень проблематично. +Некоторые думают, что я шериф. +Ты уезжаешь не из-за меня? +Из-за тебя? +Ты тут не причем. +Удачи, Док. +Жаль, что к финишу мы придем не вместе. +Привет, Уайт. +Тут пришло письмо. +В чем дело? +Младший Клэнтон напился в салуне. +Положите его на скамейку, пусть проспится. +Минутку. +Сколько потребуется времени, чтобы собрать людей? +Недолго. +Мне придется съездить на ранчо Клэнтона. +-Ты спятил? +-Я не думаю. +-Возьми пистолет. +-Только это мне и нужно. +Если не вернусь через пару часов, пусть граждане города будут готовы похоронить меня. +Ранчо Клэнтона. +Билли! +С ним все нормально. +Перебрал немного. +Вставай. +Иди домой, Билли. +Не знаю, что делать с этим парнем. +Он закончит как и его отец. +Его пристрелят за воровство скота. +Думаешь ты крут, сынок? +Не видел стрелка, который бы дожил до 35 лет. +Я знаю одно на счет стрелков. +Всегда найдется человек, который быстрее чем ты, сынок. +И он убьет тебя. +Думаешь, я не знаю, что творится у тебя внутри? +У меня были старшие братья, которые воевали на войне. +Но я был слишком молод. +Я хотел жить так же как и ты. +Пытался подражать им во всем. +-Вы знакомы с этим? +-Конечно, знаком. +Я не совсем хочу быть стрелком. +Просто, иногда мне кажется, что я одинок. +Все стрелки одиноки. +Они живут в страхе. +Они умирают и на их могилу не приходит ни друг, ни женщина. +-Я об этом не думал. +-Тогда подумай, подумай об этом. +Билли, послушай шерифа. +Больше этого не повторится, мама. +Билли. +Что ты здесь делаешь? +Привез твоего пьяного сына. +Ты должен гордиться, гордиться им. +Проваливай. +Не стоит этого делать. +Мои друзья начнут волноваться, если я вскоре не вернусь. +Не плевать, Уайт. +Ты не на своей территории. +Правда? +Назначение на должность шерифа США... +Мне жаль разочаровывать тебя. +Подожди. +Я не ищу с тобой ссоры. +Хватит на меня давить. +Давай все обговорим, я согласен на все. +Я хочу лишь, чтобы ты вернул весь скот в Мексику. +-Был у судьи? +-Был. +Ну и? +Легальным путем ты не сможешь запретить шерифу приближаться к тебе. +Судья как раз уехал, когда я приехал. +-И нам пора сваливать, Айк. +-Заткнись, Фрэнк. +Нам остается одно. +У нас не было проблем, пока не приехал Уайт. +Это точно, Айк. +У нас нет выбора. +Мы устроим ему засаду. +Ты не забыл о братьях? +С ними мы справимся. +Это наша проблема. +-А что, если придет Клам? +-Не посмеют, слишком гордые. +Они сделают так, как мы этого хотим. +Закон, намного важнее, чем любой другой, семейная гордость. +Поймаем его, когда он будет делать обход. +Мне все равно. +-Устал? +-Да, что-то меня сморило. +Выпей кофе. +Надеюсь, это поможет. +Ужасная тишина. +Слишком тихо. +Ты подумал, что нам делать с этими ублюдками? +Хотел бы я знать, Джимми. +Может быть, он поймет, что это безнадежно. +Хочешь вернуться в Калифорнию? +Все время об этом думаю. +-Наверное, она отличная девушка. +-Да уж. +Ну что ж, пойду поработаю. +Может, я сегодня сделаю обход? +Все равно делать нечего. +Хорошо, я пока посплю. +Когда я делаю обход, есть о чем подумать. +Айк сам напросился. +Пусть будет так. +Они этого только и хотят. +Не позволяй им манипулировать тобой. +Это ты мне говоришь? +Ты шериф, не выкидывай свою жизнь на помойку. +-Подумай. +-Не буду. +Мой брат мертв. +-Кто там? +-Открой дверь! +-Говори, Кейт. +-Док, +-я ничего не знаю. +-Говори. +Зачем? +Какое это имеет значение? +Я опять все испортила, да Док? +Я хотела, чтоб ты вернулся. +Я люблю тебя, и поэтому я +думала, что если Уайта не будет, то ты вернешься ко мне. +И поэтому, я молчала, когда услышала об этом. +Я просто сошла с ума. +Я сошла с ума, Док. +Где? +На ранчо Клэнтона. +Кто там был? +Я не хотела, чтобы убили его брата. +Кто еще там был? +Айк, этот парень, Котон Уилсон, и братья Маклоэры. +И Ринго? +Там был Ринго? +Да, он был там. +Нет, Док, пожалуйста, Док. +Не надо. +Док! +Док! +Пожалуйста, Док. +Не убивай меня, пожалуйста. +Пожалуйста! +Не убивай меня! +Не убивай меня! +Док? +Док! +Док! +Док... +Все нормально, дорогой. +Все нормально. +Уайт. +Айк послал меня. +Я здесь не причем. +Поверь мне, я не причем. +Благодари бога, что тебя зовут Клэнтон. +Айк послал меня. +Он хочет встретиться с тобой и с твоими братьями. +-Я жду не дождусь. +-Но без Клама. +Даю слово. +Сколько он приведет с собой? +6. +Там будут, Айк, Фин, Ринго +-и братья Маклоэры. +-Где и когда? +-На рассвете в О.К. Коррал. +-Передай, что я приду. +Ты сказал 6. +Я пойду с ними. +Не надо, Билли. +Поживи подольше. +Я думал об этом. +Я очень долго думал. +Нет, я не могу просто сбежать. +Айк и Фин мои братья... +Вы же понимаете? +Да, я понимаю. +Почему вы сидите, сложа руки? +Как вы можете сидеть в такой момент? +Что с вами? +Идите к Джону Кламу и попросите помощи. +Это не его дело. +Это личное, между нами и Айком Клэнтоном. +Но вы же представители закона. +Вы шерифы. +Вы не должны ставить себя выше безопасности города. +Вы должны служить народу, а не собственной гордости. +Какие гордые. +Посмотрите на себя. +Да вы только посмотрите на себя. +Морган, твоя жена знает, что завтра окажется вдовой? +Выйди из комнаты. +Вирджил, твой сын хочет поцеловать тебя перед сном. +Увидимся утром. +Док, проснись. +Док, это я, Уайт. +Вставай, ты меня слышишь? +Просыпайся, алкаш. +Ты мне нужен, не подведи меня. +-Проснись, ты слышишь меня? +-Оставь его. +Не видишь, он умирает? +Не трогай. +Док. +Как ты себя чувствуешь? +Перестрелка сегодня? +Ну... я не знаю... +Тебе нельзя. +Нельзя! +Тебе нельзя, Док. +Ты даже не можешь стоять! +Тебя убьют, если ты пойдешь. +Дай мне умереть с единственным другом, Кейт. +На нас тебе плевать? +Мы с тобой... все в прошлом, Кейт. +Нам было плевать друг на друга с рождения. +Лошадей на задний двор. +Хорошо. +Пойдем, Котон. +Фрэнк. +Полезай в повозку. +Вперед. +Морган и Вирджил уже ждут. +Айк хочет с тобой поговорить. +-Он не вооружен. +-Минутку, Уайт. +Кейт рассказала мне об убийстве твоего брата. +Они были у Клэнтона, и ты тоже был там. +-Я не причем. +-Пошел отсюда. +-Поверь мне, я... +-Возвращайся к своим друзьям. +Они идут. +С ними Док Холидэй. +Холидэй? +Котон, останься с лошадями. +Айк, мне надоели эти игры. +Отпусти меня. +Иди к лошадям. +Семь с Котонном. +Я вижу только шестерых. +Разделимся. +Фрэнк... +На землю! +Прикройте меня. +Ружье! +-Все нормально? +-Да. +Все нормально. +Котон, трусливый сукин сын! +Они убили моего брата! +Давай, Эрп! +Я убью тебя! +Выходи, Эрп! +Выходи, сволочь! +-Вирдж. +Больно? +-Нога, нога. +Док. +Я позабочусь о Ринго. +Билли... +Бросай оружие и выходи. +Выходи, у тебя нет шанса. +Иди и убей меня! +Иди сюда! +Не заставляй меня это делать. +Не заставляй. +Я уезжаю, Док. +Как братья? +Все будет хорошо. +С ними все будет нормально. +Принеси стаканчик, Джо. +Хочу чтобы ты знал. +Без тебя бы ничего не вышло. +-Куда едешь? +-В Калифорнию. +-Лора? +-Надеюсь. +Она ждет. +Послушай меня. +Тебе нужно в госпиталь в Денвере. +Так ты не протянешь и пару месяцев. +Спятил? +Чтобы пропустить игру в карты? +Увидимся. +Увидимся, священник. +-Добрый день господа. +-Привет, Док. +-Привет. +-Во что играем? +КОНЕЦ ФИЛЬМА. +Когда-то мир был большим, и ни один человек за всю жизнь не мог обойти его. +На протяжении столетий, наука сделала жизнь длиннее, а мир - меньше. +И самых далёких уголков Земли теперь можно достичь всего лишь нажав кнопку. +Время потеряло всякое значение когда человечество изобрело аппараты движущиеся во много раз быстрее чем скорость звука +Здесь, возле самой верхушки мира, люди борются со стихиями чтобы как-то защитить свою свободу. +Радары раннего оповещения, чувствительные электронные приборы обнаружения присутствия объектов в небе таких как бомбардировщики, или управляемые ракеты, а также грозовые тучи и почтовые голуби. +Новые радары должны быть откалиброваны при помощи тестовых полётов, чтобы определить точность оборудования и нанести на карту контуры области обнаружения для того, чтобы выяснить мёртвые зоны, куда радар не может проникнуть +Б-8035. +Высота 9. +Б-7540. +Высота 9. +Б-7045. +Высота 9. +Тестовый полёт. +Тестовый полёт. +Это Снеговик-3. +Дайте показания приборов. +Приём. +Снеговик-3, это Тестовый полёт. +Направление полёта 340 градусов от ориентира, высота 10, скорость 400. +Как слышно? +Приём. +Всё сходится кроме высоты, Митч. +Твоя высота по нашим показаниям - 9. +Альтиметр показывает 10 тысяч на носу. +Лучше проверьте уровень крепления антенны. +Принято. +Как там мадемуазель Математик? +Ей уже достаточно цифр, чтобы засунуть в свою машину? +Вы получили всю информацию, которую хотели, миссис Колдуэлл? +Ещё один пролёт, пожалуйста. +На низкой высоте. +Ещё раз, Митч. +Вектор - 105 градусов, низко. +Понял. +Разворот на 180 градусов. +Снижение. +Тестовый Полёт, приём и отбой. +Я не знала, что пилотам разрешают так делать. +Пилотам Воздушных сил - нет, вы правы. +Но Митч инженер-электроник. +Он хоть и работает на правительство, мэм но руководствуется своими правилами. +Как и трёхлетний ребёнок, пока мама не отшлёпает. +- Мамочка, дорогая, я жду, если ты готова. +- Забыл выключить. +инженер-электроник. +Офицер-радиолокационщик. +Математик и специалист по системному анализу. +Оператор радара. +Пара картографов. +Люди выполняют свою работу. +Хорошо. +Эффективно. +Когда серьёзные, когда шутят. +Делают свою работу. +Ситуация нормальная...на данный момент. +Семнадцатый день месяца. +Небо затянуто облаками, облачность сплошная. +Видимость ограничена +Время, 13:32 Знаменательная минута в истории. +Минута, когда инженер-электроник по имени Митч МакКафи увидел что-то в небе. +Нечто, что чуть не стало началом конца жизни на планете Земля. +МакКафи немедленно сообщил по радио о наблюдении НЛО, неопознанном летающем объекте. +Офицер-радиолокационщик ответил, что этого не может быть. +Кроме самолёта Митча, на радаре не было ни единого объекта поблизости. +В радиусе ста миль в небе не было ничего. +МакКафи не волновало, что показывал радар. +Он верил тому, что видел собственными глазами. +И он решил разглядеть объект получше. +МакКафи развернулся, чтобы неопознанный летающий объект полетел прямо на него. +В голосе МакКафи не было неуверенности или поспешности. +Что-то, он ещё не знал что, но нечто размером с эсминец только что пронеслось мимо него на такой скорости, что он даже не успел попытаться её измерить. +Когда речь идёт о национальной обороне, лучше перестраховаться, чем потом жалеть об этом. +По тревоге были подняты в воздух истребители. +- Ну что? +- Что, ну что? +Давайте не будем валять дурака, майор. +Ваши люди нашли это? +Мистер МакКафи, если бы вы были военным, то я бы уже отдал вас под арест и вам уже бы предъявляли обвинение в военном суде. +К сожалению, вы гражданский +- и я не имею над вами власти. +- О чём ты говоришь? +Но я могу послать донесение на вас, и я так и сделаю. +И к тому времени как я с вами закончу, мистер Инженер-электроник, вы будете считать, что вам повезло если вам поручать тестировать батарейки для фонариков. +Послушайте, майор Берген, я участвовал в последнем проверочном полёте, заметил НЛО и доложил об этом. +Это что, делает меня преступником, предателем моей страны, или каким-то психопатом? +МакКафи, вы электроник, специалист по радарам. +- Ну да, за это мне и платят. +- Если бы в воздухе было что-нибудь, если бы что-нибудь летело, это было бы видно на радаре? +- Ну..да, но... +- Радар бы засёк это? +Да или нет? +- Да. +- За вами следило три радара каждую минуту пока вы были в воздухе, каждую, и ни один не видел ничего кроме вас. +- Послушайте, майор. +- Вам об этом сказали. +Вы это знали. +И, тем не менее, настояли на своей глупой шутке. +- Полегче, Берген. +- Вы продолжали бить тревогу пока кто-то не нажал кнопку сигнала тревоги и не поднял в воздух истребители. +Отлично. +Значит ваши штурмовики обшарили всё вокруг и ничего не нашли, и теперь вы злой и хотите, чтобы я заплатил за горючее, которое они спалили, или потерянное время, или вы придумали что-то ещё более остроумное. +Звено было поднято в воздух и было рассредоточено, чтобы покрыть наибольшую возможную площадь +И благодаря вашей совсем не смешной ложной тревоге, мистер МакКафи, один из самолётов не вернулся. +Пропали и самолёт и пилот. +Майор Берген. +Что? +Да. +Да. +Да. +Вызывайте резервные бригады. +И измените расписания дежурств. +Придётся попотеть. +Послушайте, майор, я сожалею по поводу пилота, но никакой ложной тревоги не было. +Ох, да перестань же, Митч. +Ты и так Уже принёс немало вреда со своим "летающим эсминцем". +- Просто пере... +- Минутку, мисс Колдуэлл. +Звонили с "Заполярных авиалиний". +Сообщили, об опоздании и пропаже самолёта. +- О, нет! +- 60 пассажиров и экипаж. +Был отчаянный крик пилота, а затем ничего. +Пропала связь. +- Проблема с двигателем? +- Нет. +Пилот прокричал что-то по поводу НЛО. +А потом радио перестало работать. +- А на радарах? +- Ничего. +Никого, кроме их самолёта. +Больше никого. +Ну что ж, майор, мы закончили работу здесь. +- Наш транспорт уже готов? +- Самолёт с пилотом уже на лётном поле. +- Долетите прямо до Нью-Йорка. +- Спасибо. +Пошли, Салли. +Держись. +Я сейчас. +Привет, Пит. +Мы там работать не можем. +Я думал, по прогнозу погоды мы долетим до Нью-Йорка без тряски. +- Похоже, на небольшой метеофронт, Митч. +- Может сверху перелетим? +Можно. +Подожди, я отправлю запрос. +Военно-воздушные Силы, ЗЛ-7979, вызываю Международный аэропорт Нью-Йорка. +Приём. +ЗЛ-7979. +Международный аэропорт Нью-Йорка. +Приём. +Высота 8 тысяч, скорость 250. +Впереди непредвиденная грозовая активность в районе гор Адирондак. +Запрашиваю разрешение сменить высоту на 12 тысяч. +Приём. +ЗЛ-7979. +Даю разрешение. +Приём. +ЗЛ-7979. +Понял. +Отбой. +- Как я и сказал, нет проблем. +- Спасибо, Пит. +Я замолвлю за тебя словечко перед майором. +Спасибо. +Пока я не прогоню данные через компьютер, я сказать точно не могу, но похоже, что профайлер в этой точке ныряет вот так и у нас получается мёртвая зона. +Ага. +Так что, или у нас криво стоит антена, или там местность поднимается и закрывает весь снимок, а мы не приняли это во внимание +- Можешь дать мне топографическую карту? +- Да. +Держи. +Митч. +Митч. +Иди сюда. +- Что такое? +- Садись, Митч. +- Ну. +- Сейчас, может, покажется. +- Что, например? +- Неопознанный летающий объект. +- Пролетел прямо над нами. +- И ты туда же. +Ой, оставь шутки. +Я уже известил аэропорт. +Митч, я уверен, что видел что-то похожее на облако, только оно двигалось гораздо быстрее любого облака. +Прямо по нашему курсу с северо-востока. +Ставлю четвертак, что его не засёк ни один радар. +- Что? +- Не обращай внимания. +Я, кроме неба, ничего не вижу. +Я тоже, сейчас. +Я потерял его из виду, когда оно залетело за нас сверху. +А это что было? +Приборы не показывают такого сильного ветра. +Дружище, это было сильнее, чем просто ветер. +- Ты в порядке? +- Вроде да. +А ты? +Я в норме. +А вот Пит в плохой форме. +Пошли. +На землю. +Сейчас рванёт. +Что это было? +Такое впечатление, что с нами там что-то столкнулось. +Ага. +Летающий эсминец, которого не было в небе. +- Эй! +Эй! +- Здесь. +Сюда.! +Хорошая яблочная водка. +Я её сам делаю. +От змеиных укусов хорошо помогает. +Привет, Пьер. +Мистер МакКафи? +Верно. +Это пилот? +Да. +Давайте, парни. +Они зарезервировали для вас место на коммерческий рейс до Нью-Йорка и прислали машину, чтобы отвезти вас и юную леди в аэропорт. +А что с разбившимся самолётом? +У нас приказ оцепить местность. +Всё засекретили. +Что случилось? +Столкнулись с летающей тарелкой, или что? +О, ничего банального вроде летающей тарелки, офицер. +Просто летающий эсминец. +Что ж, удачи вам с вашим летающим эсминцем. +Ваша машина скоро будет. +- Где самолёт, Пьер? +-14-я дорога, за дорогой. +Пошли, ребята. +Алло? +Да, это ферма Пьера Бруссара. +Кого? +Минутку. +Какой-то генерал Ван Баскирк - вас мистер МакКафи. +Сейчас, чувствую, будет ещё один змеиный укус. +Надо срочно принять лекарство. +Летающий эсминец, розовый слон - никакой разницы. +Попробуй вместо них пахту. +Я сказал, что оно выглядело как эсминец, а не было эсминцем. +Надо было назвать это счётной машиной-переростком, тогда по крайней мере ты бы мне точно поверила. +Генерал Баскирк.Это МакКафи. +Да, сэр. +Я знаю, что пилот сообщал об НЛО. +Нет, на этот раз я сам ничего не видел. +Мисс Колдуэлл тоже не видела. +Ага, радар не увидел ничего, кроме нашего самолёта. +Ну что ж, я этого ожидал. +Шутка? +Ложная тревога? +Послушайте, генерал, за какого инфантильного идиота вы меня принимаете? +Я же говорю... +Спасибо. +Да, сэр. +Да, сэр. +Да, сэр. +Понятно, сэр. +Когда пастух кричал "волк", они поверили ему. +По крайней мере, первый раз. +Командование Гражданской Авиации высылает первым делом с утра исследовательскую бригаду. +А после этого и Воздушные Силы, как только КГА закончит. +Когда мы доберёмся, то должны явиться для допроса. +По-моему в этом стакане дырка. +Куда оно всё девается? +- Как там поживает кувшин, Пьер? +- Тебе нравится бормотуха Пьера, да? +О, идеальное лекарство от змеиных укусов, грома, молнии и неверящих генералов. +Наполняй, Пьер. +- Что это? +- Что-то испугало животных! +Это Пьер! +Сюда. +Спокойнее, Пьер, спокойнее. +Ты в безопасности. +Ты в доме. +- Карканья. +Это была карканья. +Я видел её! +- Что такое карканья, Пьер? +- Давай, расскажи нам. +- Это дьявол бури с лицом волка и телом женщины и с крыльями. +- больше, чем можно себе представить. +- Ты наверно увидел орла, Пьер. +- О, нет! +Это была карканья! +Карканья! +- А, я помню. +Я такое где-то читала. +Это суеверие, легенда зародившаяся среди французских канадцев и которая потом вместе с ними пришла потом и сюда +Ага. +Я тоже что-то такое смутно припоминаю. +Пьер, это вероятно были лишь гром и молния. +- Ты всё выдумал. +- Нет! +Нет! +Я видел карканью! +На. +Глотни-ка вот этого. +Войдите. +Что с Пьером? +Он полагает, что увидел что-то странное в небе. +Я видел её. +Я видел карканью! +- Он никак не может выбросить это из головы. +- Да, я понимаю. +Я и сам в это верил. +Тут много старожилов верят в эту байку но я в первый раз вижу, чтобы кто-то утверждал, что сам видел старую ведьму. +- Вы приехали, чтобы отвезти нас в аэропорт? +- Да. +Машина снаружи. +- Я не хотела бы оставлять его в таком состоянии. +- О, Не беспокойтесь мэм. +Джо побудет с ним. +А нам лучше поспешить. +- Самолёт ждёт. +- Пошли, Салли. +Из-за нас задержали вылет, так что нам лучше поспешить. +Мы даже не поблагодарили его. +Я боюсь, что дружеская любезность не будет много значить для человека в состоянии в котором находится Пьер. +Он прав, мэм. +У вас ничего не получится, он же онемел от ужаса. +От ужаса? +Ну, увидел большую птицу. +И поэтому его должно парализовать от страха? +- А он вам не сказал? +- Что не сказал? +- О легенде. +Согласно ней, если увидишь эту птицу, то это знак, что ты очень скоро умрёшь. +- Самолёт ждёт. +Пойдёмте. +- Ок, сержант. +"Неравноценны наши поцелуи" +Разносторонний человек, этот мистер МакКафи +Сначала инженер и пилот, затем - любовник и поэт. +О, поэзия была шекспировская. +Я знаю, но откуда это желание? +- С левой стороны поля, наверно. +- Бейсбол мне нравится. +А может, просто потому что я сидел рядом с симпатичной девушкой. +Иногда этого достаточно. +Даже сидя рядом с Мадемуазель Математиком? +Или лучше вернёмся бейсбольным аналогиям? +Что там цифры, что там цифры... +Непобедимая логика. +Банально, но правда. +Ты почти поразил меня. +Почти? +Что ж, давай завершим то, что начали. +Смотри, какая луна. +Если снова повернуть к бейсболу и левой стороне поля... +Меня кое-кто предупредил, что ты играешь по своим правилам. +- Кто бы это ни сказал - он мне не друг. +- Но он друг мне. +Это диверсия! +О, это слишком мелодраматично. +Давай вернёмся к бейсболу и скажем вместо этого +- пытается украсть вторую базу. +- В дворовые команды, тут же.. +Трусишка. +Я так и знала. +Ни борьбы, ни спортивного духа. +Конечно, рефери всегда может изменить своё решение. +Нет, мы лёгких путей не ищем. +Надо следовать системе. +Сначала низшие лиги, потом - высшие. +- Я привыкла к правилам, Митч. +Извини. +- Зачем извиняться? +Ты можешь всегда... +Система. +- Система. +- В чём дело? +Система. +Мне нужна одна из твоих карт +Ортогональная проекция, от полюса до экватора. +- Дай скорее, у тебя есть? +- Ну да, конечно. +Кажется, она была где-то здесь. +Ага. +Вот. +Что? +Патруль военно-воздушных сил пропал в море. +Раскрой карту. +Вот здесь я заметил НЛО. +Здесь исчез поисковый самолёт. +Тут - пассажирский, наш самолёт у Пьера, и, наконец, патрульный самолёт ВВС. +- Ты что-то бормотал насчёт системы. +- Ну да. +Не видишь? +Вообще-то нет. +Не прямая линия, не дуга, ничего. +Смотри. +Система. +Идеальная система во времени и пространстве. +Каждый случай, каждое пересечение позже чем предыдущее. +И каждое новое дальше по спирали от центра. +Ты имеешь в виду, что нечто летело по такой схеме? +Да. +Что-то, что я видел. +Что-то, что пролетело надо мной в воздухе. +Хм, тогда оно должно было лететь с огромной скоростью, чтобы покрыть такое расстояние +- за такое время. +- Да, должно быть. +Что-то, что и уничтожило четыре самолёта и чудом не заметило тебя в первый раз. +Да. +Что-то вроде твоего летающего эсминца? +- Ладно, забудем. +- Ну хорошо, Митч. +Давай будем благоразумными. +Почему по такой системе, чтобы сбить несколько разбросанных на большом расстоянии самолётов? +И что это? +Метеорит? +Не может быть! +Управляемая ракета? +Её бы остановил первый же самолёт. +Да и кто его запустил? +И зачем? +Нет, Митч, совпадение. +Но система - нет. +Держи свою карту. +Ну ты как ребёнок, Митч, подумай! +Если бы что-то летало по такой траектории, его бы засекли десятки радаров. +И ни один из них не засёк ничего. +И что? +Это, наверно, была Пьерова карканья. +"с головой волка и телом женщины и с крыльями больше, чем можно себе представить!" +- Только не нужно сарказма. +- Послушайте, не будете ли вы любезны утихомириться, чтобы все мы могли поспать? +Спасибо. +Извини. +Наверно, я вёл себя по-ребячески. +Мне кажется, у тебя выходило лучше с поэзией, чем с дедуктивным методом. +- Я знаю ещё один стих. +- Да ну? +Умеренной в еде ты будь, в одежде - скромной. +Короче, милая, меня ты поцелуй и, будь добра, умолкни. +Дата, 18 число месяца. +Небо чистое, лёгкая облачность. +Видимость абсолютная. +Время - 18:15 утра. +Самолёт КГА летит к месту крушения, случившегося днём раньше с Митчем МакКафи. +На борту четыре следователя Командования Гражданской авиации и пилот. +Время, 08:16 утра. +Ещё один знаменательный момент в истории. +Ещё раз поражённый пилот передаёт по радио о наблюдении НЛО. +Это птица. +Огромная как эсминец птица кружит и готовится напасть на самолёт КГА. +Хватит облокачиваться на звонок. +Иду, иду. +Мистер МакКафи? +- Или его сносная копия. +- Мы от генерала Баскирка, сэр. +- Он бы хотел увидеться с вами прямо сейчас. +- Ох, имейте совесть, капитан. +Я приехал поздно ночью. +Я только успел заснуть, когда вы меня разбудили. +- Простите, сэр. +Генерал говорит, что это неотложно. +- Мой сон тоже неотложный! +У меня есть приказ доставить вас к генералу немедленно. +Даже если я вынужден буду взять вас под предупредительный арест. +Хорошо, капитан. +Вы не нервничайте, а я пойду натяну штаны. +Моё наблюдение. +Поисковый самолёт. +Пассажирский самолёт, наш самолёт у Пьера и патруль ВВС. +Случаев слишком много и подходят они друг к другу слишком хорошо, чтобы быть просто совпадением. +Было ещё два случая после самолёта ВВС. +Частный самолёт прошлой ночью здесь и самолёт КГА с четырьмя пассажирами и пилотом - здесь. +Оба подходят для вашей схемы тютелька в тютельку. +Радары ничего не зафиксировали, я так понимаю? +Как обычно, ничего, с тех пор как начался этот кошмар. +Кроме пропажи самих самолётов. +Пилоты что-нибудь докладывали? +С частного самолёта - ничего. +А вот пилот самолёта КГА сообщил об НЛО. +- Он сказал, что это было? +- Да. +Птица. +Птица, огромная как эсминец кружила, а потом и атаковала самолёт. +- Поверьте, мистер МакКафи, это не шутка. +- О, нет. +Самолёт был полностью разрушен и все пятеро человек на борту пропали с лица Земли. +Вы эксперт по электронике. +Могут ли радары не заметить какой-нибудь достаточной крупный объект в небе? +Это невозможно! +Но я видел это сам. +Да. +Трое сообщили о наблюдении чего-то и двое из них мертвы. +Ну значит теперь я стал вроде как и жнец, и швец и в дуду игрец. +Мистер МакКафи, это чрезвычайно важно. +Вы хорошо разглядели то, что увидели? +Нет, я увидел всего лишь размытое пятно. +Хотел бы я иметь с собой фотоаппарат. +Фотокамера! +Генерал Баскирк, перед тем, как я выехала на тестирование радаров с Митчем, я работала над калибровкой искривления земной поверхности +И как нам это поможет сейчас? +Дело в том, что мы снимали изнутри тестовых ракет, а также со стационарных камер и с аэростатов наблюдения. +- Салли, может быть у тебя получилось заснять это! +- Если аэростаты ещё в воздухе, то есть небольшая возможность, что они засняли это, чем бы оно ни было. +Генерала Эдварда Консидайна, Пентагон. +Неотложно. +Быстрее! +Что-то показалось. +Вырубай. +Этот диафильм и вся информация касающаяся птицы относятся к разряду совершенно секретных. +Известите все органы и персонал, которого это касается и который контролирует этот проект, или будет контролировать. +Да, сэр. +- Джонсон! +- Да, сэр? +Сейчас же передайте директиву о полной боевой готовности. +Известите Пентагон и пускай передадут генералу Консидайну, что я уже еду. +Да, сэр. +Полковник Тайлер на взлётной полосе? +Первую линию, пожалуйста. +Нейт. +Нейт. +Это Баскирк. +Заводи мой самолёт и и зарегистрируй полётный лист. +Национальный аэропорт, Вашингтон. +Правильно. +Мы уже выходим. +Я и ещё два пассажира. +Ок. +Вы летите со мной в Вашингтон. +Мисс Колдуэлл. +Мистер МакКафи. +Да, это какая-то птица. +Нет сомнений. +Мисс Колдуэлл, возможно ли, чтобы эта птица летала в мёртвых зонах, +- которые не видят наши радары? +- Нет, сэр. +Я всё тщательно проверила. +По меньшей мере десять радаров должны были засечь её. +Мистер МакКафи, может ли скорость или высота объекта повлиять на возможность быть увиденным радаром? +Нет. +Такой причины нет, - ни научной, ни любой другой, почему наши радары не могут её засечь Они просто не могут. +Точка. +Тогда, если вкратце, то вы говорите, что белое - это чёрное, а дважды два - шесть. +Послушайте, генерал. +Я не придумывал этот летающий кошмар. +Я всего лишь его увидел и доложил. +Генерал всё понимает, мистер МакКафи. +Он ни в чём вас не обвиняет. +Расслабься. +Расслабиться? +Когда мы закончим расслабляться и начнём хоть что-то делать? +Ясным умом наделены не только гражданские, мистер МакКафи. +Мы знаем как позаботиться и о себе, и о стране. +Спокойнее, Вэн, полегче. +Сейчас, сынок, поднята общая воздушная тревога. +Сотни самолётов со всех подразделений сейчас прочёсывают небо в поисках этого стервятника-переростка. +- И мы его найдём, будьте уверены. +- Ну, допустим, нашли. +И что дальше? +Да? +Отлично. +Где? +Так, теперь уже всё официально. +Передайте приказ стрелять. +Без вопросов, без игр и пижонства. +Просто сбить. +Да. +Дайте мне запись всех переговоров земля-воздух и воздух-воздух, и по "горячей линии" передавайте сюда. +Одна из наших эскадрилей только что обнаружила её. +Я приказал им немедленно атаковать и сбить птицу. +Наши самолёты оснащены пушками, пулемётами и ракетами. +Это будет концом гигантской птицы, которая была, а потом её не стало. +Вы услышите как всё будет происходить. +Это командир эскадрильи Ловкий пекарь. +- Цель внизу и сбоку. +Видите? +- Ого! +Матерь Божья! +Видал я на ферме отъевшихся бройлеров но эта крошка, чувак, берёт первый приз. +Клянусь, никогда больше не назову свою тёщу стервятником. +Это командир эскадрильи Ловкий пекарь. +Выходите из строя по сигналу. +Один заход и потом уже каждый сам по себе. +Это командир эскадрильи Ловкий пекарь. +Птица жрёт один из самолётов. +У меня наверно крыша едет. +Так не бывает. +Пули, ракеты, её ничего не берёт. +Это командир эскадрильи Ловкий пекарь. +Чарли выпрыгнул с парашютом, когда птица схватила его самолёт, и теперь он... +Нету Чарли. +Ни его, ни парашюта. +Бессмыслица какая-то. +Как будто мы стреляем по эсминцу из рогатки. +Оно летит за другим самолётом. +Осторожнее! +Это командир эскадрильи Ловкий пекарь. +Миссия провалена. +Мы собираемся направляться.... +Нет! +Она летит за мной! +Нет! +Нет! +Пулемёты, пушки, ракеты, - ничто её не задело. +- Пилоты... +- И мы её найдём, будьте уверены. +Конец гигантской птицы. +Вы были правы, мисс Колдуэлл. +Мы нашли её, что дальше? +Вторая фаза, привести в состояние боевой готовности. +- Известите начальников штабов. +- Есть, сэр. +Бред какой-то. +Это же просто птица, большая птица. +- Пули, ракеты, пушки. +Просто птица. +- Ага, всего лишь птица. +Радары стоимостью десять миллионов долларов не видят её. +Огневая мощь способная смести с лица земли армию даже не задевает её. +Всего лишь птица, ага. +Так что же мы будем делать, сидеть тут и плакаться? +- Ох, отстаньте же, МакКафи. +- Мы не плачемся, МакКафи, и не бежим в панике. +Но сложно ответить на вопрос даже не зная, в чём он заключается. +А просто грубить ещё никому не помогало. +Я не критикую ни вас, ни ВВС, ни тех парней, которые только что погибли, пытаясь уничтожить этого монстра. +Я не пытаюсь острить, или грубить. +Я просто испуган. +Как и мы всё, думаю. +Давайте в этом признаемся и попытаемся что-нибудь сделать по этому поводу. +- Есть предложения, МакКафи? +- Конечно, из электронная рогатки собьём. +- Вэн. +- Близко, генерал, близко. +Только не из электронной. +Из атомной. +- Да? +- Фаза вторая в состоянии полной готовности. +- Все соединения в состоянии боевой готовности. +- Хорошо. +Вас вызывает доктор Кэрол Нойман из исследовательской лаборатории. +Возьму на другом телефоне. +Доктор Нойман, это генерал Консидай. +Повторите ещё раз. +Прекрасно, прекрасно. +Оставайтесь там, я сейчас буду. +Мы держали в курсе последних событий исследовательскую лабораторию. +Они работали на месте крушения самолёта КГА +- и там где упали вы. +- Что-то нашли, Эд? +Они думают, что выяснили, что это за птица и откуда она взялась. +И об атомной рогатке. +За час до того, как ваш самолёт приземлился в Вашингтоне, я приказал привести в состояние боевой готовности все пусковые площадки в стране имеющие управляемые ракеты с атомными боеголовками там где схема зоны выпадения радиоактивных осадков позволяет их взрывать. +Приказ привести вторую фазу в состоянии боевой готовности, который вы слышали, был приказом выпускать ракеты в тот же момент, когда птицу засекут, где бы это ни было! +- Генерал, я прошу прощения. +Мне кажется, что.... +- Не извиняйся, сынок. +Я восхищён твоим мужеством. +И продолжай доставать нас всякий раз как мы что-нибудь упустим. +- Вэн? +- Извини, Мак. +- Мы просто все хотим как лучше. +- Вам тоже лучше пойти с нами. +Всё равно вы в этом деле по уши. +Пошли. +Атом - основной строительный элемент любой материи. +Перед нами модель обычного атома, как мы его знаем. +Ядро с положительным зарядом, электроны - с отрицательным. +В этом отношении, как мы считали, все атомы одинаковы. +Но это не так, совсем не так. +В соответствии с законами электродинамики, всё в природе симметрично. +Всё находится в состоянии баланса. +И если есть материя, то должна быть и антиматерия, зеркальное отражение симметричное материи. +Здесь у нас ядро с положительным зарядом, и электроны с отрицательным. +В его антиподе, ядро должно быть с негативным, а электроны - с положительным зарядом. +Наукой доказано, что это так. +Не на нашей планете и не в Солнечной системе, но где-то во вселенной есть звёзды, планеты, даже целые галактики целиком состоящие из антиматерии. +Доктор, вы хотите сказать, что эта птица из антиматерии? +Что это вывернутый наизнанку образ, зеркальное отражение, как вы его называете? +Минуточку, генерал. +Доктор, существование антиматерии доказано. +Но также было доказано, что если антиматерия вступит в контакт с обычной материей, они уничтожат друг друга, взорвутся. +Почему же тогда птица не взорвалась когда в неё стреляли, или когда она касалась чего-нибудь? +Что ж, вы оба и правы и неправы одновременно. +Сама птица не из антиматерии. +Но она без сомнения испускает какое-то излучение, энергетический экран, невидимое препятствие. +И вот оно-то и состоит из антиматерии. +Пушки, пулемёты, ракеты - неудивительно, что её ничего не смогло задеть +При ударе об щит из антиматерии, предмет взрывался и не мог навредить птице. +- Митч, это объясняет отказ радаров. +- Ага. +Нет отражающей поверхности. +Волны радаров не наталкиваются на неё, а просто огибают. +Нет отражённого сигнала, нет и следов. +Доктор Нойман, несколько вопросов. +Это не просто лишь ваша догадка? +Нет, генерал, это не догадка. +Очевидно, что птица способна убирать этот щит из антиматерии, чтобы воспользоваться своим клювом, когтями и крыльями, чтобы сеять разрушения. +Вот часть упавшего самолёта. +Изучая его, наши учёные узнали всю эту невероятную историю +Всё было проверено и перепроверено. +- Что-нибудь ещё, генерал? +- Да, доктор. +Откуда эта птица взялась? +Вот фрагмент пера птицы с места катастрофы по крайней мере, мы называем это пером, хотя точно не знаем что это, только на что похоже. +Мы подвергли его химическому анализу, электроскопии, всем мыслимым тестам. +Оно состоит из вещества неизвестного на Земле, ни одного известного нам элемента. +- Выяснение всего этого нам дорого обошлось. +- Это как? +У нас было несколько таких перьев. +Осталось только это. +В качестве последнего средства мы попробовали электронный анализатор. +Взгляните. +Эта птица не с нашей планеты. +Она прилетела из космоса, из какой-то богом забытой галактики из антиматерии в миллионах световых лет от Земли. +Другого объяснения нет. +Вэн отвезёт вас обратно в Нью-Йорк. +Было бы замечательно, если бы вы оставались в состоянии готовности. +И, конечно, вы понимаете, что всё услышанное и увиденное вами секретно. +Моя команда готова и ждёт звонка, Эд. +Просто позвони. +Просто позвонить, Вэн? +Мне понадобится вся помощь, которую я смогу раздобыть. +Всем нам понадобится. +Единственная проблема в том, что когда я в последний раз говорил со священником, в единственное место где мы можем получить нужную нам помощь была не проведена телефонная линия. +Генерал Консидайн. +Это срочно. +Дайте мне министра обороны. +До сих пор, всего один человек видел птицу и остался жив. +Среди тех, кто знал об этом, существование птицы было строгим секретом. +Но когда были сделаны все приготовления для срочной встречи Президента, Кабинета министров, +Национального комитета безопасности и Объединённого комитета начальников штабов птица показалась всему миру и спокойствие сменилось паникой. +Паникой, ужасом и кошмаром. +Ни одни клочок Земли не был избавлен от того ужаса, когда глядишь в небеса и чувствуешь... +не безопасность и спокойствие, а видишь крылатый ужас в перьях +А, заходи. +Я полночи провела, прогоняя через вычислительную машину твои данные. +- Надеюсь, это то, что тебе надо. +- Хорошо! +Спасибо. +Митч? +О. Спасибо. +Нет, ну что это такое. +С тех пор как мы вернулись из Вашингтона уже как два дня и две ночи ты зарылся с головой во все эти бумаги, данные, расчёты. +- Митч, отдохни, поешь, поспи. +- Я был занят. +То, над чем ты работаешь, имеет какое-то отношение к птице? +Над тем, как уничтожить птицу? +Сработает, Митч? +Не знаю. +Честное слово, не имею малейшего представления. +Это одна из сумасбродных идей, в полном отчаянии взятых с потолка. +Ты говорил об этом с генералом Баскирком или генералом Консидайном? +Чтобы они посоветовали мне не совать нос в чужое дело? +Нет, спасибо. +Да и какой смысл? +Всё равно шанс, что это сработает - один из миллиона. +Это просто занятие, чтобы не сидеть сложа руки и ждать. +Митч, я тоже думала о птице. +Ага, как и все в мире. +Ты когда-нибудь задумывался о том, зачем она сюда прилетела? +Ради пищи? +Я имею в виду, эта птица есть в том смысле как едим мы? +Ну, доктор Нойман говорит, что она поглощает энергию из того, что уничтожает, включая людей. +Своего рода молекулярный осмос. +А может она прилетела сюда отдохнуть? +- Может и прилетела, но сейчас она точно не отдыхает. +- Именно. +Насколько мы знаем, она продолжает безостановочно облетать Землю. +Летает без передышки. +Это беспокоило меня, и я позвонила генералу Баскирку. +Митч, помнишь Пьера Бруссара с фермы? +Конечно, его карканью, или что он там видел. +Это всего лишь доказывает поговорку о том, что правда ещё страннее, чем вымысел. +Это был не вымысел. +Пьер видел что-то, он видел птицу. +В небе на высоте 12 тысяч футов, ночью, в бурю? +- Нет. +Птица спустилась на землю. +- Но ты только что говорила... +Генерал Баскирк сказал мне, что они нашли следы гигантской лапы на поле возле фермы Пьера Бруссара, и я знаю почему. +Птица прилетела сюда, чтобы построить гнездо. +Гнездо. +Яйца. +Ещё птицы. +Это должно быть причиной. +Других просто нет. +Генерал Баскирк. +Это МакКафи. +Срочно. +Крошка, собери мне, пожалуйста, вот те бумаги. +И эти тоже. +Генерал Баскирк? +МакКафи. +Прошу вас, не спорьте и не спрашивайте что и зачем. +Я объясню позже. +Это ужасно важно. +Мне нужен быстрый самолёт и вертолёт. +Очень прошу, пожалуйста, поверьте мне. +Я знаю, что делаю. +Да, на ферме Бруссара. +Хорошо. +Мы выезжаем прямо сейчас. +Салли со мной. +Да. +Едем прямо в аэропорт. +Мы прерываем нашу передачу для важного объявления. +Леди и джентльмены, говорит Вашингтон. +Генерал-лейтенант Консидайн, Военно-воздушные Силы Соединённых Штатов Америки. +Мы столкнулись с кризисом, кризисом, выход из которого все страны мира, несмотря не беспрецедентное сотрудничество, не могут найти. +Но мы не успокоимся, пока его не найдём. +Мы испробовали самое совершенное оружие из арсеналов самых мощных армий на Земле и оно оказалось совершенно бесполезным. +атомные, водородные бомбы, способные смести с лица земли города и страны оказались абсолютно бесполезными против этого небесного чудовища. +Два дня назад все полёты были отменены. +Лишённая источников пищи и энергии птица всё же выжила и начала серию наземных атак устраивая невиданные доселе фантастические вакханалии разрушения. +Ничто не устояло перед нападением птицы: +домашний скот, посевы, дома, поезда, все виды средств передвижения. +Очевидно, что птицу привлекает движение. +Таким образом, наше правительство, как и все правительства мира, объявили чрезвычайную ситуацию и ввели военное положение. +Кроме запрета на полёты, движение всего наземного транспорта, включая автомобили, грузовики, автобусы, поезда, корабли и прочего, должно быть немедленно прекращено. +Доставка еды и предметов первой необходимости будет производится вооружёнными силами. +Каждую ночь с заката до рассвета, до специального уведомления, будет соблюдаться режим обесточивания. +Любое движение по улицам или дорогам в светлое время суток должно быть сведено к минимуму и может осуществляться только там, где оно разрешено как необходимое +Вы слышали генерала Консидайна из Вашингтона. +Оставайтесь с нами. +Митч! +Что ж, самолёт ждёт нас. +Нам нужно лететь на ферму Пьера. +Вот она! +нам лучше приземлиться перед тем, как она вздумает сделать так ещё раз. +Ружья. +Патроны Везерби 378 Магнум. +Остановят всё, что хочешь. +Всё, что хочу, Митч? +Ну, всё, кроме птицы, но нам нужны яйца. +Без щита из антиматерии, будем надеятся. +- Карканья? +- Нет, Пеп, не карканья, а в сто раз хуже. +Выходим. +Похоже на гнездо. +Но нет и следов яиц. +Оно должно быть где-то там внутри. +Единственный путь это выяснить - это пойти и взглянуть. +Карканья! +Яйцо! +Ты стрелять ружьё, делать большой шум, приходить карканья и мы все умирать. +Пьер, мы должны разбить яйцо, это наш единственный шанс. +Пьер тут не оставаться. +Пьер! +Вернись! +Я из Монтаны. +Пьер и его карканья. +- Он был прав. +Увидев её, он действительно вскоре погиб. +- Да. +Я предупрежу Вашингтон. +Пускай направляют поисковые группы. +Есть шанс, что могут быть ещё яйца в тех местах мира где видели птицу. +Поэтому их надо найти и уничтожить. +Хоть это мы можем сделать. +Что ж, поехали в город. +С птицей поблизости летать слишком опасно. +Так что вертолёт мы бросим и возьмём машину Пьера. +Она ему всё равно уже не понадобится. +- Давай Брэд, жми на газ. +- Давай. +Прибавь газку. +Чувак, она у тебя еле ползёт. +Давай! +Газку! +- Какой-то псих едет с включёнными фарами, и быстро едет. +- Наверно он не слышал объявления. +Я ему посигналю, чтобы он остановился, когда будет проезжать мимо. +- Эй, папаша. +Убирай свою консервную банку с дороги. +- Давай, дядя. +- Эй, дядя, испугался большой злой птицы? +- Погасите фары! +Съезжайте с дороги! +Ты о нас не беспокойся. +У нас с собой есть соль, чтобы насыпать ей на хвост. +Осторожней там с солью, смотри, чтобы не просыпалась в карбюратор. +Поехали. +Сумасшедшие дети! +Они не понимают, что творят! +- Счастливо оставаться.. +- Эй папаша. +Ты нам не сигналь, это мы тебе посигналим. +- Парень сильно ранен, но жив. +- Девушка без сознания. +По дороге город, там есть больница. +Отвезём их туда. +А мы с тобой едем сегодня в Вашингтон. +Я подгоню машину для ребят. +Мисс Колдуэл, МакКафи, я занятой человек. +Поэтому я надеюсь, что это не какая-нибудь очередная чокнутая затея. +Ещё какая чокнутая. +Ну, мальчик, вставляй свои пять копеек. +Что ты мне хотел показать? +- Как сбить птицу в небе? +- Какое-то новое оружие? +Нет, обычным оружием, пулями, бомбами. +МакКафи, я говорил вам, что у меня нет времени... +Постойте, генерал. +Моя идея может оказаться такой же глупостью как и трёхдолларовая банкнота, +- но мне кажется, что её стоит выслушать. +- Ну что ж, валяй. +Сейчас неважно, прилетела птица из космоса, или с Аппер Сэдл-ривер, штат Нью-Джерси, она всё равно из плоти и крови в некотором роде и значит уязвима для пуль и бомб. +Если бы только можно было забраться за экран из антиматерии. +Именно. +Это именно то, что, как я думаю,... +надеюсь, я и придумал как сделать +Я только что поставил на тебя эти пять копеек, парень. +Продолжай. +Вот это увеличение фотографии из пузырьковой камеры. +Я бомбардировал камеру быстрыми частицами. +В результате мы имеем след сделанный частицей известной как мю-мезон. +Но обратите внимание на вот этот промежуток. +Это - одно из самых поразительных недавних открытий науки. +Митч МакКафи, летающий Шерлок Холмс промежуток. diff --git a/benchmarks/haystacks/opensubtitles/ru-medium.txt b/benchmarks/haystacks/opensubtitles/ru-medium.txt new file mode 100644 index 0000000..58a510f --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/ru-medium.txt @@ -0,0 +1,1323 @@ +-Две недели не даешь мне прохода. +Вот и действуй, чем ты рискуешь? +Я думал, что сделаю тебя счастливой. +Тоже мне счастье. +Муж не дает ни гроша, и у любовника ума не хватает подумать о деньгах. +- Хорошенькое счастье. +- Извини, я думал, ты любишь меня. +Ну люблю, люблю тебя, но и не хочу, чтобы все началось как в прошлый раз. +Ты не права. +У меня для тебя сюрприз. +Шлихтовальная машина, ты о ней давно мечтала. +-Для костей? +- Нет, настоящая. +Хочешь, приходи за ней вечером. +Я тебе не девочка. +Была бы ты девочкой, я бы тебе ее не купил. +Ты прекрасно знаешь, что я девочка. +Я люблю тебя, и вечером сделаю все, что пожелаешь, каналья. +Вам будет трудно. +Одинокой женщине руководить таким заведением... +Да нет, месье Эдуан уже давно почти забросил магазин. +А брать нового приказчика я не хочу. +Хватит и одного раза. +- Одного раза? +-Да. +Разве месье Мурэ вас не устраивал? +Да, он умный молодой человек, активный, смелый, но чересчур предприимчивый. +Его нельзя оставлять наедине с женщинами. +У него есть шарм. +Самой порядочной женщине трудно перед ним устоять. +- Хорошо, что предупредили. +- Что? +Нет-нет, я другое хотела сказать. +Я говорила о склонности месье Мурэ в общем. +Я уважаю вашу жену. +Сегодня вечером вы снова едете в Лион? +Ваш билет, месье? +- Какая ближайшая станция? +-Дижон. +А во сколько ближайший поезд до Парижа? +- Из Лиона? +- Нет, из Дижона. +В три десять, месье. +- Во сколько он прибывает? +- В семь часов. +Париж. +Просьба освободить вагоны. +-Улица Шезоль, дом двадцать четыре. +- Хорошо, месье. +- Что с тобой? +-Желудок болит. +Неудивительно, после обеда у Жосрана. +На лестничной клетке до сих пор запах. +Тебе нравится новая хозяйка? +Валери Вабр - настоящая дура. +Скорее, настоящая шлюха. +Ты шпионка. +Твоя хозяйка такая же стерва, как и ты. +Такая же уродина, как и ее мать. +И такая же шлюха. +Уверена, вы о Берте. +- Она тоже? +- Весь дом - сплошные свиньи. +Вот бы вернулся месье Август, а в его кровати красавчик Октав. +Бедняга Август, он целиком занят своей мигренью. +А ведь она правду говорит. +Везде деньги. +Подарок туда, подарок сюда. +Как в театре: за вход надо платить. +Ужасно. +Я отдаюсь за деньги? +Неужели ты веришь? +Скажи, ты в это веришь? +Нет, конечно. +На днях я застала ее на служебной лестнице. +А позавчера еще лучше - в новом платье. +Подарок Октава. +Тебе ночную сорочку, ей платье. +Цена растет. +Кстати, какой сегодня день? +Среда. +Значит, рогоносец в Лионе. +Ему давно пора раскрыть глаза. +Ничего не видит. +Ну, ничегошеньки. +Боже, боже. +Нам нельзя больше видеться. +- Возможно, ты права. +- Ты думаешь? +Ты сделал меня несчастной. +И расплатился с долгами. +- Я ничего такого не говорил. +-Да, но ты так думал. +Слушайте, красавчик Октав, наверное, кусает локти. +Зря он ушел от мадам Эдуан. +Теперь у него добыча помельче. +А ведь запросто мог иметь и ту и другую. +Ему не привыкать. +Да, но его больше всего прельщает касса. +Он спит не с Бертой, а с матрасом, набитым золотом. +Вот тебе и общественное мнение. +Грязные сплетни служанок на служебной лестнице. +И это все? +Думаешь, намеки на содержимое кассы мне приятны? +Ты мог бы протестовать. +Мог бы, если бы это было правдой. +Но кому, как не тебе знать, что касса тут ни при чем. +Ну да, ты спас меня от разорения, да еще и заработал. +Может, сменим тему? +- Тебе неприятен этот разговор? +- Разумеется, от него дурно пахнет. +Дурно пахнет? +Кто бы говорил. +Дорогая, если ты, правда, считаешь, что я люблю тебя из-за денег, то лучше сразу брось меня. +Ну, конечно. +А ты иди к мадам Эдуан. +Иди. +- Ну вот, приехали. +-Да, она вдова. +У нее все преимущества. +Бедная Берта, как ты похожа на мать. +Подумать только, я оплачиваю это ничтожество. +Заведи себе другого. +Откройте, откройте. +Я знаю, что вы оба там. +Откройте или я выбью дверь! +Не открывай, он вооружен. +Он убьет нас. +- Не бойся. +- Трус. +Трус. +Почему вы не отвечаете? +Мерзавец. +Негодяй. +Ну, зачем же применять силу? +Применять силу, применять силу... +Вор. +Мадам, мадам, входите, не стойте тут. +Считайте это пощечиной. +Жду ваших секундантов. +К вашим услугам. +- Что теперь со мной будет? +- Надо было им помешать. +Что теперь обо мне подумают люди? +Ваши родственники? +Разве они могут вас понять? +Они для вас чужие. +Если бы я знала. +Ни о чем не жалейте, не жалейте, раз вы его любили. +Берта, мы будем драться на дуэли. +Берта, малышка моя, мы не можем расстаться в ссоре. +Это было бы слишком глупо. +Мы оба ошибались. +Вот и все. +Это же не преступление. +Три месяца мы думали, что любим друг друга. +Это было чудесно. +Нет? +И потом, может быть это и есть любовь -думать, что любишь. +Если мы... не любили друг друга, то утешься. +Значит, любви не существует. +Нет-нет, мы не ошибались. +Как и все влюбленные, мы считали, что будем уникальной парой на свете. +А теперь, как и все влюбленные, станем такими же как остальные. +Займем свое место. +Берта, дай руку. +Я больше никогда не полюблю. +Никогда. +Ты почти излечилась. +Думаешь о будущем. +Так вы не будете драться? +Будут, будут. +Так нужно. +Но раз вы больше не любите друг друга. +Дуэли часто бывают и без причины. +Прошу прощения, но, кажется, я только что кое-что разрушил. +Не стоит извиняться. +Благодаря вам... я вам покажусь глупой, но чтобы не случилось, я больше не одна. +Вероятно, придется покинуть этот дом. +Ничего страшного. +Ничего страшного, месье Октав. +Это неважно. +Прощай, Берта. +-До свидания, Мари. +- Прощайте, месье Октав. +- Так ты будешь драться? +-До последнего. +Ты же не умеешь. +Я бы на твоем месте... +- Что с вами? +- Ничего. +Это нервное. +Не могу представить Августа на дуэли. +Ты и Дюверье будете моими секундантами. +Наверное, он у себя. +Его нет. +Вы не знаете, где его искать? +- Так вы в курсе? +- Как и все. +Какой же у меня насморк. +- Месье Башляра нет? +- В такой час его никогда не бывает. +Вы случайно не знаете адрес месье Трюбло? +Нет, но месье Башляр вам его даст. +- Во сколько он вернется? +- Наверное, он у племянницы. +Пассаж святого поля дом восемь? +Я знаю. +Спасибо. +На кого я теперь буду похожа? +Могла бы о матери подумать. +Я старалась пристроить тебя, чтобы в старости лет ты меня поддержала. +А ты связалась с этим продавцом. +И о чем ты думала? +- Я ненавидела Августа. +- Это не причина. +Разве я изменяла твоему отцу? +И тем не менее... +- Но она любила Октава. +- Твоя сестра никого не любит. +А если мне нравится никого не любить? +Думаешь достаточно требовать любить, любить, так нет, сердцу не прикажешь. +Она права. +Не выходят замуж только чтобы не подчиниться матери. +Я вышла замуж, чтобы покончить с этой жизнью, чтобы вдохнуть другой воздух, чтобы вырваться из этого дома. +Вышла замуж, чтобы изменять своему мужу. +Довольна? +Несложно было догадаться. +Я приняла меры предосторожности. +Предупреждаю - выхожу замуж через месяц. +Что? +За кого? +-За кого люблю, а он любит меня. +- Несчастная, я помешаю тебе. +- С этого момента... +- С этого момента хватит. +Мы больше не будем терпеть твою диктатуру и преследования. +Говоришь, что не изменяла. +Очень жаль. +Если бы изменяла, я был бы счастливее. +Посмотри на свою дочь. +Твое произведение. +Ни мужа, ни дома, больше ничего нет. +Не плачь, доченька. +Ты жертва моей слабости и ее тирании. +Это мы должны просить у тебя прощения, мы. +- Просить прощения? +Да я лучше умру. +- Это принесет нам только счастье. +Я этого не допущу. +Посмотрим, чья возьмет. +Вы как раз кстати, будете свидетелем. +Негодяй, вот негодяй! +- Свидетелем? +Понимаете, я... +- Свидетелем... +А зачем вы сюда пришли? +- Хотел спросить у вас адрес Трюбло. +- Вы издеваетесь? +Адрес Трюбло? +В кровати мадемуазели, вот где адрес Трюбло. +Прихожу я утром нагруженный подарками и что вижу? +Угадайте. +- Трюбло? +- Трюбло. +Этого мерзавца Трюбло. +А я так жаждал увидеть своего ангела. +- И тебе не стыдно, коварная? +- Я не знала. +- Что? +Не знала, что он тут? +- Не знала, что это вас так огорчит. +А я тебя предупреждала. +Если месье Нарцисс узнает, то будет не доволен. +Вот видишь, вместо того, чтобы меня послушать... +Вы оделись? +Выходите. +Выходите как есть. +Я же говорил -только служанки. +Я впервые нарушил правило. +Нарушил правило. +Иуда. +А как же дружба? +Вы изменили дружбе Башляра. +Я же хранил эту крошку для вас. +Ну да, говорил я себе: когда состарюсь, выдам ее замуж за Трюбло, отдам в надежные руки и спокойно умру. +Ведь у меня есть сердце. +Пятьдесят тысяч хотел дать этому мерзавцу. +Пятьдесят тысяч франков! +-Успокойтесь, Башляр. +- Послушайте месье Октава. +Как вы могли так поступить с другом? +Теперь будем драться на дуэли, на пистолетах с десяти шагов. +Не делайте этого. +Вам незачем драться на дуэли. +-А как же честь? +- Были бы вы ее мужем, тогда понятно. +Были бы вы ее мужем, мне было бы все равно. +Это еще как сказать. +Во-первых, мне нужен Трюбло. +-Зачем? +- Быть секундантом. +Я дерусь на дуэли. +- На дуэли? +-Да. +Но с женатым мужчиной. +С Августом Вабром. +Утром он застал меня с Бертой. +- С Бертой? +-Да. +В каком мире мы живем! +- Можешь мной располагать. +-А кто секунданты Августа? +- Теофиль и Дюверье. +-Дюверье? +Как мило. +У меня с ним встреча по поводу обеда у Клариссы. +Какая прекрасная возможность урегулировать дело чести. +Который час? +Малышка отбила весь аппетит. +Господи, я опаздываю. +А ты, никогда больше так не делай, иначе будешь иметь дело со мной. +Ну же скажи, что больше этого не повторится. +Этого больше не повторится. +Ну же, поцелуй ее, мерзавец. +В лобик. +Если я еще раз застукаю вас, лишу своего доверия. +-Дети мои, что происходит? +- Вы же видите. +- Я застукал их вместе. +- Я ничего не вижу. +Я собирался позавтракать у Клариссы. +Купил кое-что. +Прихожу, поднимаюсь: и никого, и ничего. +Она оставила мне мой портрет. +Все как у меня: купил драже, прихожу, поднимаюсь... +- Она не спала в своей кровати. +- Спала. +Она была с Трюбло. +Как омерзительно. +- Она была с Мурэ. +-Лежала в ночной рубашке. +- Стояла в ночной рубашке. +- Ничего - пустота, тишина, пустыня. +- Я вышиб дверь и набросился на него. +- Он вскочил с кровати. +- Я набросился на нее. +Она убежала. +- Ну вот. +- О ком вы говорите? +- О Берте и о Мурэ. +А я говорю вам о Клариссе. +Причем здесь Кларисса? +Я говорю о Фанни. +Фанни? +А причем тут Фанни? +Я говорю о Берте. +Я только что купил ей рояль. +А ведь ненавижу музыку. +Я никогда не приходил к ней с пустыми руками. +Всегда конфеты, деньги. +Хочешь свой портрет? +Вот тебе художник. +Точно как у моей жены. +Платье, драгоценности. +И это вытворяет двадцатилетняя девушка. +- Нет, простите, ей двадцать пять. +-Двадцать. +Может, вы лучше знаете? +Не сердитесь, но так говорить - дурной тон. +- Могу вам доказать. +- Кому, Клариссе? +Да причем тут Кларисса. +Фанни. +Я тоже говорил себе, что Валери уже не двадцать. +Вы закончили обсуждать свои дела? +А как я? +Я. +- Кто дерется на дуэли? +Вы или я? +- Ну да, он прав. +Август, друг мой, скажу вам одно - надо отомстить. +Слушай, я проголодался, пойдем, пообедаем? +И да здравствуют жены, господа. +Да здравствуют чужие жены и наши, которые, впрочем, чужие для других. +Мы не можем упрекнуть их в непостоянстве. +Ведь они становятся чьими-то любовницами. +И потом, верные жены -такое занудство. +Чтобы узнать это, надо быть женатым. +Разве нет? +Так о чем я говорил? +А ваша жена вам изменяла? +- Конечно. +- И что? +Отбил у нее всякую охоту. +Теперь десять раз подумает, прежде чем изменить. +Молодец, молодец. +За ваше здоровье, господа. +И за вашу смелость, Август. +Давайте поговорим о дуэли. +Завтра на рассвете? +- Если у меня не будет мигрени. +- Тогда перенесем на следующий день. +- Оскорбленный выбирает оружие. +- Но пощечину дали Октаву. +-Значит, оскорбленный он. +- Точно. +-А вы хотели дать ему пощечину. +- Во всяком случае, хотел. +Значит, оружие выбирает он. +Равенство - прежде всего. +Простите, но ведь я же... +- В общем... +- Рогоносец. +А это оскорбление. +Кто согласен со мной, господа, пусть поднимет руки. +Один, два, три. +Четыре. +Единогласно. +Итак. +Мечи, шпаги? +Минуточку, вы торопите события. +Вы послали секундантов к Трюбло? +Это другое дело. +Фанни еще ребенок, она не понимала, что делала. +-А вы разобрались с Клариссой? +- Но я не женат на Клариссе. +Если я убью Октава, то буду мучиться угрызениями совести. +Я католик. +Наполеон венчался в церкви, а потом всю жизнь воевал. +Но не за Жозефину. +Признаюсь, Октав не прав, но именно он спас меня от разорения. +Это логично. +А если я его не убью и не буду с ним драться, то мы останемся в ссоре. +- Не совсем. +-А магазин? +- Что магазин? +- Я не смогу оставить Октава. +Ему придется искать другое место. +Из-за недостойного поведения жены, я должен буду уступить натиску конкурентов. +- Это аргумент. +- Ну да, мы сразу разоримся, сразу. +Господа, это все меняет. +Дуэль будет безумием. +Более того, глупостью. +Я сам пойду к Октаву, я заставлю это животное извиниться. +Не будь я Башляр. +Уверяю, он извинится как миленький. +И так мы избежим скандала. +Но будет справедливо, что честь Августа не будет поругана. +А также и честь его супруги. +Славно мы придумали, господа. +Башляр угощает вас шампанским. +Сомелье. +Была бы здесь Фанни. +Нет, нет, я не буду секундантом у того, кто предал мое доверие. +Не будем преувеличивать. +Я архитектор этого дома и отвечаю не только за стены, но и за жильцов. +Отвечаю за ваше поведение. +Я художник, но тем не менее. +Когда я приютил вас здесь, разве не предостерегал вас, разве не просил, не приводить сюда женщин? +Я не приводил сюда женщин. +Здесь их много, и все красивые. +О, прошу вас. +- Я многое могу понять. +-Да, ведь вы художник. +Многое, кроме адюльтера. +-Адюльтера? +- Я его не одобряю. +- Он вне ваших принципов? +- Вне моей морали. +- И разума? +- Вполне возможно. +Вы шутите? +Нет, вы меня разыгрываете. +- Я вас не понимаю. +- Компардон, вы не изменяете жене? +Или малышка Гаспарина это нюанс. +Между нами говоря, Гаспарина... +Говорите тише, жена спит. +- Гаспарина не замужем. +-А вы? +Да будет вам. +Я не кручу роман с соседкой. +Нет, все в этом обвиняют жен. +- Месье Башляр спрашивает месье Мурэ. +- Пусть входит, пусть входит. +Входите, Башляр, входите. +Тихо, мадам Компардон спит. +Извините меня, хочу поговорить с месье Октавом Мурэ. +Вы тут не лишний, друг мой. +- Останьтесь, здесь вы у себя дома. +-Да будет так. +Дорогой мой, я все уладил. +Это было трудно, но мне удалось. +Ну так вот, дуэли не будет. +Вы довольны? +-Дуэли не будет? +- Нет. +Неужели хотите испортить карьеру этой скандальной дуэлью? +Давайте все забудем. +Вы просто извинитесь перед Августом, и все будет в порядке. +Все будет в порядке? +Где? +Здесь, повсюду, в другом месте, где пожелаете. +- И мое положение не изменится? +- Но мы же все забудем. +Забудем все и начнем все с начала. +Все, все, все, все. +Август хочет избежать пересудов. +Он выше сплетен, он ведь молодожен. +- И я извинюсь. +- Ну да. +- Перед кем? +- Перед Августом. +Выразите ему свое сожаление. +Вы знаете, как это делается. +Что? +Выражать сожаление, что сделал Берту счастливой? +Это же подлая трагедия. +Она такое очаровательное создание, она мне так нравится. +Нет, никаких сожалений. +А если Берта лично потребует от вас выразить сожаление? +Это будет принуждением. +Я этого не потерплю. +Хорошо. +А если вы и Август извинитесь друг перед другом? +Друг перед другом? +Вы за то, что соблазнили его жену. +А он за то, что дал вам пощечину. +- Но он не давал мне пощечину. +- Но намеревался - это одно и то же. +К несчастью, этого намерения у него не было. +- Тогда на что вы жалуетесь? +- Я? +Ни на что. +Я жду его секундантов. +А если он их не пришлет, вы станете посмешищем. +Я ему отомщу. +Между нами, откровенно, что вы намерены делать? +Раз Август даровал мне милость и решил со мной не драться, я решил покинуть этот дом и поселиться в другом месте. +А магазин? +Сердечные дела - одно, а коммерция - совсем другое. +Вы не можете уйти из магазина. +Неужели вы думаете, что я буду работать на Августа? +Нет, не хочу быть посмешищем. +-А Берта? +-Да. +Берта? +Что будет с Бертой, если она вас больше не увидит? +Хотите ее наказать? +Без ложной скромности скажу, что Берта решила обойтись без меня. +Неблагодарный. +Не настаивайте. +- Это ваше последнее слово? +- Самое последнее. +Я передам ваш ответ. +Какой ответ? +- Что вы отсюда съезжаете. +- Ну да. +Спасибо, что были свидетелем этого трудного разговора. +Большое спасибо, дорогой мой, за понимание. +Лиза. +Вы выпьете немного кокилы. +Принесите бутылку кокилы. +- Нет-нет. +-Да-да. +Я настаиваю. +-До свидания, мадам Эдуан. +-До свидания. +-До свидания. +-До свидания. +-До свидания, мадам Эдуан. +- Мадемуазель Гаспарина. +Раз вы увидите месье Мурэ, попросите его срочно зайти. +Я не уйду из магазина, пока он не придет. +Хорошо, мадам. +Передайте ему, передайте, что речь идет о важном, срочном деле. +Хорошо, мадам. +До свидания, мадам. +- Среди честных людей... +- Среди сердечных людей... +- Всегда найдешь родственную душу. +- И поле битвы. +Какой остроумный! +-Здравствуйте, господа. +-Здравствуйте, Гаспарина. +Месье Мурэ, мадам Эдуан хочет срочно поговорить с вами в магазине. +- Мадам Эдуан? +-Да. +Похоже, дело срочное. +Извините меня. +Мое почтение, мадам. +- Вы хотели со мной поговорить? +-Да. +Я... +Я в курсе вашей ссоры с месье Вабром. +Знаю, что он послал вам секундантов. +Вам нельзя драться. +- Но он же мой противник. +- Я не хочу, чтобы вы дрались. +А вам-то что? +А если он вас убьет? +Ведь он такой неловкий. +Дуэль предполагает риск. +Впрочем, рискуют оба. +Кто сказал, что месье Вабр будет победителем? +Увы, в этом я не сомневаюсь. +Однажды я от вас ушел, и вы смирились. +Три месяца назад я для вас умер. +Если я умру по-настоящему, какая разница. +Я без сожаления уйду из этого мира. +У меня нет угрызений совести. +Месье Октав, вы должны знать правду. +В этой истории виновата я. +Это я, да, я пробудила подозрение у месье Вабра. +Я ничего конкретного не сказала, просто повела себя не лучшим образом. +Не знаю, что на меня нашло, но ваше поведение разозлило меня. +- Мое поведение? +- Ну да. +То, что вы стали доверенным лицом господина Вабра. +Я вообразила, что все ваши усилия направлены против меня. +Ваш отказ вернуться поверг меня в отчаяние. +Так все дело в магазине. +Не знаю, все так запуталось. +И вы испугались угрызений совести, что я погибну из-за вас. +Успокойтесь, этого не будет. +У вас не будет угрызений совести. +Вы были правы, меня интересуют только деньги и ничего более. +Вы донесли на меня. +Отлично. +Я за это заплачу. +Вы легко перенесете мою смерть. +О, нет, лучше я брошусь в ноги месье Вабру. +Это будет забавно. +Прощайте, мадам. +Октав! +Нет. +Дело не в магазине. +Простите меня, Октав. +Хорошо, дуэль отменяется. +Но это последняя жертва, на которую я иду, мадам Мурэ. +- Ну что? +- Еще одна большая пушка. +- Избавьтесь от нее. +- Оставить французам? +- Я сказал: избавьтесь. +- Есть. +Месье? +Майор, вы сделали невозможное. +Каким образом семитонная пушка проскочила у вас между пальцев? +Они ее уничтожили. +По-моему, она слишком большая. +Ваше мнение меня не интересует. +Пушка нужна генералу Жувэ. +Выполняйте приказ, а не думайте. +- Есть. +- Видаль. +За пушкой охотятся англичане. +Они отправили в Испанию шпиона. +Не оплошайте. +Иначе генерал отправит нас обоих служить на конюшни. +Да, месье. +Выходите. +- Англичанин? +- Англичанин. +Проводите меня в штаб. +Англичанин. +Мне нужна ставка генерала Ларены. +- Они переехали? +- Отступили. +Куда? +- А вы кто? +- Испанцы, которые не отступили. +Герьерос. +Если у вас дело, говорите со мной. +У меня письмо генералу Ларене. +Простите. +Хуана. +Прочти это. +Это Энтони Трамбел, морской офицер. +Генерал Ларена должен передать ему большую пушку... и людей для того, чтобы доставить ее в Сантандер. +Зачем? +Чтобы она не досталась Наполеону. +- Англичане тоже с ним воюют. +- Зачем прислали моряка? +Я говорю по-испански и изучал артиллерию. +Пушки. +Хотите ее видеть? +Конечно, хочу. +Спасибо. +- У англичан такая есть? +- Такой нет ни у кого. +- Она сломана? +- Можно починить. +- Вы бы смогли? +- Если будут люди. +Они есть. +Кузнецы? +Плотники? +Гильермо. +Франсиско. +Пепе. +Слушайте капитана. +Нужны шесть толстых бревен. +И снимите с пушки колеса. +Карлос, займись. +Пусть все тянут канаты. +Канатов как можно больше. +- Что-нибудь еще? +- Пока всё. +Да, капитан. +Пошевеливайтесь. +Не тяните вниз. +Нет, нет, левее. +Мигель. +Мигель. +- Французская кавалерия. +- Далеко? +- На той стороне. +- Через час будут здесь. +Оставьте пушку. +Так ее проще будет спрятать. +Хосе, сюда. +Живей. +Рамон, собери людей, чтобы рубить деревья. +Помогите им. +Карлос, поднимайтесь. +Закрепите канаты. +Впрягите мулов. +Проверьте надежность узлов. +Я нашел лучший путь в Сантандер. +Да, капитан. +Но пушка поедет в Авилу. +- Прошу прощения? +- В Авилу. +- Но вы сказали... +- Что я сказал? +Вы видели приказ. +Генерал Ларена передаст пушку нам. +Генерала Ларены здесь нет. +Вам не пересечь Испанию, ведь вас всего двести. +- За пушкой пойдет подкрепление. +- У вас нет пороха. +- Я его достану. +- С Наполеоном сражается весь мир. +На этом фоне Авила - песчинка. +Весь мир меня не интересует. +Авила - штаб французов в Испании. +До нее тысяча километров. +Местность кишит французами. +- Вы не доберетесь. +- Доберемся. +В Авиле есть стена, которую пробьет эта пушка. +Мы войдем в город любой ценой. +Даже если мы погибнем, Авила будет взята, и французы поймут, что пора оставить Испанию. +Вы все безумцы. +Капитан, вам нужна пушка в Сантандере, а мне - в Авиле. +Поедем с нами. +Научите нас с нею управляться. +А потом мы переправим ее в Сантандер. +Где гарантия, что так и будет? +Ее нет. +- Коня капитану. +- Я пойду рядом с пушкой. +Вы устанете, капитан. +Коня. +Капитан, у вас лицо в грязи. +Хуанита. +Давай, Хуанита. +Уже поздно. +Что ты делаешь? +Отнесу англичанину еду. +Он не ел с остальными. +Значит, он не хочет. +Мы ели. +Он такой же, как мы. +- Он не такой. +- Почему? +Он разбирается в пушках. +И нужен тебе. +Ты сам так сказал. +Я так не говорил. +Он мне не нравится. +Мигель, ты ревнуешь. +- Не к нему. +- Ты ревнуешь ко всем, а к нему особенно, потому что он умеет стрелять. +- Может, я тоже умею. +- Не умеешь. +Не говори того, о чем будешь жалеть. +Он нам нужен. +Признай это. +Тогда пусть на тебя не смотрит. +Мигель. +И ты тоже на него не смотри. +Это мое право. +Вы хорошо знаете этого Мигеля. +Знаете, что у него пушка. +Скажите мне, где он. +Я говорю как противник, но могу стать вашим палачом. +Прекрасно. +Значит, нужен пример. +Я повешу десятерых из вас. +На следующий день будет еще десять, и еще. +До последней женщины и ребенка в Авиле, пока кто-нибудь не заговорит и не укажет, где эта пушка. +Увести. +Выполняйте приказ. +Я сомневаюсь, что все эти повешения... +Знаю, знаю. +Вы считаете, что они бесполезны. +Велика ли эта пушка? +В два раза больше, чем вы можете представить. +Оккупированный народ выглядит мучеником. +Но когда у него появляется цель, он превращается в новую армию. +Вот чем опасна пушка, генерал. +Я не глуп, Сэрмен. +И мы ее найдем. +Надо постараться построить плот за три дня. +Понадобится сотня бревен. +Пушку закрепим на этой платформе. +- Так пересечем реку. +- Пушка затонет. +Нет. +Да и другого выхода нет. +Только ждать, пока русло высохнет. +Я хочу доставить пушку в Авилу, а это риск. +Главное, чтобы работали все. +Нам нужна сотня бревен. +Ладно. +Собери людей, пусть рубят деревья. +Действуйте, капитан. +Но если пушка утонет... +- Мне надоели ваши угрозы. +- Мне это не нравится. +- В любом случае, риска нет. +- Вашего слова не достаточно. +- Тогда позовите людей назад. +- Ладно. +Подождите. +Я скажу. +Мы знаем причину этого глупого спора. +Если надо переправляться, не тратьте понапрасну время. +Отпускайте плавно. +Тяните, тяните. +Хватайте другой трос. +Ну вот. +Всё жерло в грязи. +Лучше бы я этого не видел. +- Ее можно вытащить? +- Как? +Чем? +- Есть люди, мулы. +- Им ее не сдвинуть. +- Сколько потребуется народу? +- Тысяча или две. +В Альгадо жителей больше, Мигель. +Жители Альгадо, я плюю вам в лицо. +Я, Мигель, иду с пушкой на Авилу. +В Авиле никто не сидит на трибунах с французами. +И не поднимает наш флаг рядом с флагом врага. +Нет. +Подождите. +Что вы за люди? +Сидите, радуетесь жизни. +В двухстах милях отсюда враг забавляется тем, что насаживает испанских детей на штыки. +Может, у вас нет сердца? +И нет стыда? +По ту сторону реки в грязи застряла пушка. +Нам нужна помощь. +Я не прошу вас умереть. +Или пролить кровь. +Лишь попотеть немного. +Скажете детям, что в потоке сопротивления есть и ваш пот. +Те из вас, кто остался испанцем, идите за мной. +У вас лицо в грязи. +Вам нельзя рисковать. +Придется. +Их больше, они хорошо вооружены. +- Обходить будем три недели. +- Пусть будет три. +Капитан, в Авиле - командующий наполеоновской армии. +Генерал Анри Жувэ. +У него красивая форма. +Вино ему доставляют из Франции, а женщин - из Марокко. +Каждое утро, чтобы сломить сопротивление, он вешает десять испанцев. +За три недели он повесит двести десять человек. +Вы рискнете ради них пушкой и успехом дела? +А сколько народу он повесит, если вы не доберетесь до Авилы? +Нас ждут тысячи людей. +Я не могу медлить. +Я вам не помощник. +Если нас разобьют, вы сами потащите пушку в Сантандер. +Герцог Веллингтон. +Капитан, есть люди, которых не изменить. +- Например, Мигель. +- В этом наша беда. +- Значит, вы нас бросаете? +- Я не хочу идти на самоубийство. +Послушайте. +Конечно, с Мигелем трудно. +Он упрям. +Упрям - это мягко сказано. +Но никто не знает Мигеля лучше меня. +Вы привыкли вести себя, как на своем корабле. +Мигель на кораблях не ходил. +И воевать умеет, как Герьерос. +- Вы его поддерживаете? +- Как и все. +Но если он ошибается, мы всё равно с ним. +Надеюсь, вы тоже. +Почему? +Капитан, думаю, вы считаете себя мужчиной, а не свиным окороком. +Так. +Мы готовы. +Ты останешься с Марией и с ним. +Мне нужно пять человек. +- Зачем? +- Чтобы украсть порох. +Дай ему людей. +Герьерос! +Герьерос. +Откатите бочки с порохом в сторону. +Живее. +Живее. +Вперед. +Сейчас взорвется, прыгайте. +Я не офицер штаба. +У меня нет информации. +Он полевой офицер, он не в курсе дел штаба. +Пусть попробует вспомнить. +Попробуйте вспомнить. +Мне нечего сказать. +Я готов. +Скажите им то, что они хотят знать. +И останетесь жить. +- Что вы сказали? +- Не хочу, чтобы его убили. +Убеждаю заговорить. +Говорите. +Клянусь, у нас нет сведений из Авилы. +У меня семья, я не хочу умирать. +Он клянется, что сведений об Авиле нет, и не хочет умирать. +Они лгали. +Не пытайтесь умыть руки. +Эта кровь не смывается. +- И что? +- Я не буду молча смотреть на это. +Можете не смотреть, капитан. +Вы много вмешиваетесь. +- Если бы не пушка... +- То что? +- Я бы с вами не связывался. +- Идите, вы нам не нужны. +- Я выполняю свой долг. +- У меня тоже долг. +Не вмешивайтесь, или следующим убьют вас. +Вы безумец. +В порту Лас Крусес стоит британский корабль. +Идите туда. +Хорошо. +Сегодня же. +Лучше прямо сейчас. +Вы довольны? +Англичане не получат пушку, он не умеет стрелять. +Авиле конец. +- Он стоит на своем. +- Безумец. +Я буду с ним. +Но вам меня не понять. +Это не мое дело. +Вам этого не понять. +Генерал Жувэ приговорил к повешению моих отца и брата. +Я ему понравилась. +Я пришла к нему. +Но он всё равно их повесил. +Я молилась со всеми, чтобы тоже умереть. +Мне незачем было жить дальше. +Пока не появился сын сапожника. +Он показал, для чего нам жить, бороться. +Это был Мигель. +Вы отблагодарили его сполна. +- Я остаюсь с ним. +- Вы с ним живете, но не любите. +Потому эта связь сомнительна. +Британский капитан и участница сопротивления... +- тоже не пара. +- Я готов рискнуть. +И подготовите пушку? +Он сказал, что сам справится. +Мигель не всегда говорит то, что думает. +Я не буду перед ним извиняться. +Этого не нужно. +Я сделала это за вас. +Сколько картона может съесть человек? +Три дня - вода и вот это. +Чтобы тянуть пушку, нам нужны силы. +Ты еще не мужчина. +Он тебе предан, а ты смеешься над ним. +Хосе, они просто шутят. +Я ничуть не хуже их. +И ты это знаешь. +Ты лучше. +Ты молод, смел, силен и красив. +Мечта любой женщины. +Ты также умен и... +Хватит, Хуана. +Довольно. +Я не сержусь. +Пожалуйста. +Умоляю вас. +Прошу. +Пожалуйста. +В деревне есть дети. +Отдайте еду. +Мы умрем. +Хотя бы хлеб. +Хоть что-нибудь. +Мигель, коньяк. +- Что такое? +- Вы сами слышали. +Ну и что? +- Нам ведь нужна еда. +- Поддержка крестьян важнее. +- Что вы знаете о крестьянах? +- Наверное, почти ничего. +Тысячи крестьян встретят вас в Авиле. +Что вы им скажете? +Я найду, что сказать. +Я устал от ваших советов. +Во всех деревнях будут прятать еду. +И никто больше не захочет нам помогать. +Уступаю вам право командовать. +Договоритесь с крестьянами. +Можете расплатиться с ними. +В фунтах стерлингов. +Объясните ему, что он не прав. +Я живу с крестьянами. +И меня не надо учить общаться с ними. +- Нет, конечно. +- По-твоему, он прав? +- Я думаю... +- Для женщины ты много думаешь. +По мне, так ты прав, Мигель. +Мигель, извинись перед ним за свои слова. +Хосе. +Нос утри. +Целый лагерь смели. +Хорошенькое дело. +Непобедимая французская армия бежит в горящих подштанниках. +А они скрылись. +Это их земля, генерал. +Они знают, когда нападать и где прятаться. +Они и сейчас прячутся. +Они снова выступят. +Я догадываюсь, где. +- Им помогают. +- Крестьяне. +Не только. +С ними британский морской офицер. +Военный корабль англичан стоит в Лас Крусесе. +Здесь. +Прекрасно. +Прекрасно. +Организовать на всех дорогах в Лас Крусес постоянный дозор. +Проверим вашу догадку. +Карлос. +Карлос. +Телеги. +Где телеги? +- Где телеги? +- Я не знаю. +Понятия не имею. +Я отправил их назад в деревню. +В деревню? +Мигель. +- Карлос его убьет. +- Он просто немного позабавится. +Карлос, хватит. +Рана не опасна. +Через несколько дней... +Я не перестану помнить, что убил этого человека. +Мигель не предполагал, что всё так выйдет. +Конечно. +Это была забава. +Мне жаль. +Правда. +Не надо. +Это вовсе не связано с телегами. +Он ревнует, и не напрасно. +Я сказал тебе, что доставлю пушку в Авилу. +И я это сделаю любой ценой. +Но не ради него и не ради долга. +Я знаю причину, ты тоже. +Мы видели пехоту. +На той стороне реки. +Нельзя, чтобы нас засекли на равнине. +Ничего. +Пересечь Кано трудно. +- Там есть мост. +- Моста нет. +Я же знаю. +Французы построили там мост. +На лодках. +- Сколько там лодок? +- Пятнадцать, шестнадцать... +Мне нужно больше пятисот фунтов пороха. +Вам нужно? +Ладно, давайте порох. +Энтони. +Возьми Хосе. +Он работал в шахте и применял порох. +Возьми. +Я скажу Мигелю. +Сколько тебе лет? +Все думают - двадцать. +Вообще-то, восемнадцать. +Боишься? +Нет. +Я - да. +Знаете, зачем Хуана меня отправила? +- Помогать. +- Да. +А еще вы ей нравитесь. +Я солгал. +Мне страшно. +Но ничего. +Я справлюсь. +Что ж, пора окунуться. +Стойте. +Я тебя искал. +Хотел сказать, что мне жаль Хосе. +Ты не виноват. +Хуана. +Всю жизнь я боялась, ведь ничто не вечно. +Сейчас тоже боюсь, что это всего лишь сон. +Нет. +Обещаю. +При других обстоятельствах ты бы на меня не взглянул. +Хочешь, чтобы я сказал? +Я... +Нет. +Просто всё было бы совсем иначе в Англии. +Я запер бы тебя в башне, поставив верных стражей, и хранил бы ключ. +Золотой. +Тебе не хватило бы жалования. +Когда я стану адмиралом, у нас будет карета. +И мы будем танцевать на королевских балах. +Мне понадобится новое платье. +Да. +И голубой шарф под цвет моей формы. +Кланяться я буду осторожно. +Штаны сидят слишком плотно - однажды порвались. +Энтони. +Да? +- С кем ты был? +- Когда? +Когда штаны порвались. +Король захочет с тобой познакомиться. +Расскажешь ему, как однажды в далекой Испании встретила английского капитана... и сделала его самым счастливым человеком. +Я люблю тебя, Энтони. +Хуана. +Да? +Мы все испанцы и знаем, чего хотим. +Нам известна цена похода на Авилу. +Я понимаю, Мигель. +Но ты хочешь знать, что будет после Авилы. +Да. +Этого я не скажу. +Но мы долго были вместе. +Ты жила со мной, хотя я не умею ни читать, ни писать. +Когда я не мог подобрать слова, ты делала это за меня, Хуана. +Я чувствовал себя настоящим мужчиной. +Но в глубине души я знал, что я никто. +Думаешь, я не способен чувствовать, чего хочет женщина? +Я могу отблагодарить тебя, только лишь вернув Авилу. +Если этого мало, скажи. +Попытка разыскать горстку повстанцев... останется в военной истории как пример беспомощности. +Ваша карьера поставлена под вопрос из-за этого марш-броска с пушкой. +Мы успели потерять мост и немало людей, прежде чем поняли, что пушка здесь. +Далеко от Лас Крусеса и от моря, полковник. +Да, месье. +В этих горах есть ущелье. +Вот оно. +Именно там я их встречу. +Не думаю, что им удастся уйти. +Ну? +Там французские пушки. +Это же все знают. +- Я тоже знаю. +- Как ты хочешь там пройти? +- Есть другой путь? +- Мы обещали помочь, но не ценой жизни. +Ты попадешь под перекрестный огонь. +Нас не услышат. +Постараемся, чтобы колеса не скрипели. +Думаете, французы глухие? +Если преодолеть незаметно хоть полпути, у нас есть шанс. +Так что не надо изображать упрямых ослов. +Мы оставили наши лавки и фермы. +Что течет в ваших жилах? +Что угодно, но не кровь. +Нам нужно на юг, чтобы попасть в Авилу. +А значит, нужно пройти здесь. +Это ясно? +Да, капитан. +Яснее некуда. +Нам немного стыдно, но у нас у всех жены и дети. +Мы не готовы умереть за эту пушку. +- Нам нужна помощь. +- Обойдемся без них. +Удивительное умение убеждать. +- Я должен встать на колени? +- Если это поможет - да. +- Они нам нужны. +- Обойдемся. +Полсотни греков защищали ущелье от тысячи солдат. +У нас всё наоборот. +Я не изучал историю, но знаю точно: +я буду стоять перед статуей Святой Терезы в Авиле. +Прекратить огонь. +Они вне зоны огня, но дороги перекрыты. +Смирно! +Их нет ни у входа, ни в самом ущелье. +Оставайтесь на позиции и ждите моего приказа. +Бревно сюда. +Тащите. +Хорошо вы знаете холмы. +Здесь не спуститься. +- Спустимся, как поднялись. +- Пушку потянет вниз. +Ускорение и масса взаимосвязаны. +При весе в пять тонн на спуске... ее масса достигнет десяти-пятнадцати тонн. +Ее будет не удержать. +Она всегда весит одинаково. +Поворачивай мулов. +Продолжайте. +Живее, живее. +Бревно сюда, бревно. +Капитан. +Бревно, скорей. +Отходите. +Освободите мулов. +Прыгай. +Крепление пушки сломано. +Вверх идти нельзя, надо спускаться. +Блестяще. +Спускаться было труднее. +Неподалеку есть городок Манесирас. +Манесирас. +Манесирас. +Предлагаю пойти туда и починить там пушку. +Нам нужны инструменты, кузница и укрытие от французов. +Мигель, вдруг там французы? +Он что, пойдет в форме? +Нет. +Что вы предлагаете? +Выбирайте. +Придется попросить вас. +Испанские блохи. +Они не кусают англичан. +- Это можно разрешить. +- Есть еще одно. +- Что? +- Пушка. +Сын мой, сила дома Господня велика. +Но пушка не читает молитвы. +Мы хотим спрятать ее внутри собора. +А завтра... +- Внутри собора? +- На одну ночь. +Идет страстная неделя. +Вы оскорбите святилище. +Солдатам и пушкам место за дверью. +Это дом Господа, но не арсенал. +Ты много просишь. +Ваше Преосвященство. +Вы не можете отказать. +Не могу? +Ни к чему прикрываться ответственностью и правилами. +Мало сказать, что пушке в соборе не место. +Это не просто пушка, а символ сопротивления Испании. +Знаете, сколько людей отдали свои жизни, чтобы она попала сюда? +Вы не видели горных троп, покрытых мертвыми телами. +Ради чего? +Вы можете не знать ответа, но вы испанец, священник, и должны это чувствовать. +Вы не можете отказать. +Хорошо. +Сегодня вечером будет служба. +Тогда и внесете пушку. +Святая Дева, ты услышала мои молитвы. +Он всё понял. +И я люблю его еще больше. +В твоих глазах я грешница. +Но я впервые с детства осмелилась мечтать. +Но есть еще Мигель. +И его мечта +- Авила - которую я навсегда разделяю. +Слишком дерзко просить, чтобы ты помогла обоим. +Но выслушай. +И пусть твое сердце простит мой выбор. +Это за Мигеля и Авилу. +А это за любовь, обретенную с другим. +Внутри собора? +Да. +Пушка там. +- Да ты пьян. +- Точно. +Я ее видел. +Ладно. +Проверим. +Итак, гости, наконец, прибыли. +Их больше, чем я думал. +В самом деле. +Они смогут пробить стены? +Да. +Если сами не взорвутся. +Сколько, по-вашему, там человек? +Около десяти тысяч. +И подходят еще. +Опасно для кавалерии. +Что-то тучи стали сгущаться. +Испанцы ждут момента истины. +Митч МакКафи, летающий Шерлок Холмс. diff --git a/benchmarks/haystacks/opensubtitles/ru-sampled.txt b/benchmarks/haystacks/opensubtitles/ru-sampled.txt new file mode 100644 index 0000000..e3753e7 --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/ru-sampled.txt @@ -0,0 +1,30000 @@ +Ну, мне нужно идти. +Полковник Николсон не поддастся силе. +Благодарю. +Кстати, сэр, я хотел сказать вам... +В этой дикой местности... вы обратили поражение в победу. +Убийство пастыря Буша. +Леонард подозревается в убийстве пожилой дамы, о которой я тебе рассказывала. +Мэр, полицейский комиссариат Нью-Йорка, призывают всех людей оставаться там, где они сейчас находятся, и нет повода, Я повторяю, нет повода для необоснованных слухов. +!" "Да, это змея. +Четырнадцать часов на поезде. +-Дети мои, что происходит? +Оккупированный народ выглядит мучеником. +Она может жить в Малаховке, а открытку бросила на Таганке. +На. +Да руки до всего не доходят, а у меня их только две. +Оскар, куда ты пропал? +Ваша машина скоро будет. +Раскрой карту. +Митч МакКафи, летающий Шерлок Холмс. +Ты ещё главный. +Ну, я... +Она живет с нами как помощница по дому. +И нам придется разлучиться. +Только давай по дороге заедем в " Риц" . +В вас и правда метр 88, да? +Очень интересно. +-Да, мсье. +- Могу подтвердить. +"Бейгл с лососем. +Да, отлично. +Я шесть дней сидел в суде, слушал и сопоставлял улики. +Это послужит им уроком. +Ладно, тогда скажите. +До поезда буквально рукой подать, верно? +Ничего подобного. +- Я слушаю! +Он плачет от радости, осушая этот кубок до дна. +Я имею в виду, что... +Тогда возвращайся с моими деньгами. +Ты заняла у меня, чтобы заплатить ему. +- Решите через камень-ножницы-бумагу. +Я бы хотела пойти с тобой куда-нибудь в умное место, в оперу. +-Принимай вещи такими какими они есть. +Нет! +≈сли б вы только знали, то вместо цветов бросали бы в мен€ камни. +Чёртова электрическая компания качает мне паршивое канадское электричество! +- Не может быть. +- Ладно. +Его неуёмный аппетит и интенсивные разминки вызывали у меня боли в животе. +твоя невеста была голодной. +но всё ещё популярна. +Но... +Ох, ох, Росс... +- Голова не болит? +Останьтесь еще чуть-чуть! +Убирайся! +Вот так. +Спасибо. +Видишь? +Дугал! +Таким образом они спасли сотни человек. +Вы первые, кого по нему арестовали возможно даже во всей стране. +-Я пытался привлечь ваше внимание. +Хочешь выпить? +И стал следить за тобой. +-Мы могли бы задать вам тот же вопрос. +Послушайте. +Объясните это. +дают ему семью, друзей, устраивают даже потерю бумажника. +- Нет, не в порядке. +Я должен заказывать тексты, следить, чтобы они пришли вовремя. +Я знаю, кто ты. +Даже не знаю. +Что ты делаешь? +Что-нибудь прояснилось? +Я пытался объяснить, что меня подставили. +Объясни, с какой стати я вообще должен с тобой о чем-то говорить. +В Чикаго 20.000 полицейских. +Первые два нашёл ты. +Я хочу-- +Почему всегда я? +Так вот, я смертельно устал. +-Не ахти. +-Мне пора. +Теперь мои руки запятнаны, как и твои. +Вы понимаете, что погибнут люди? +Пропустите! +Душу нельзя пачкать! +Похороны - помеха свадьбе! +ЗаказьIвает самьIй крепкий, ядерньIй напиток в баре, прям как Аристотель и переключает обратно на футбол. +ТьI долго. +Кем халтуришь, когда нет стерео, министром финансов? +Мне нужен только образец. +Конечно, там что-то есть, что найти. +-Так говори. +Заточку номер один. +Где oстaльные? +Секс-Шоп Гарри +И это как минимум половина тонны. +Только вот кровища откуда-то. +Тысячу благословений вашей семье. +Уголовная морда. +Нам надо поговорить с юным Ларри. +Эpев Шaбaт. +ѕроблема в томЕ +я совершенно спокоен, "увак. +арл 'унгус +¬с€ эта хуйн€. +—ловлю случайный кислотный флэшбэк. +Ќу, в общем вот и всЄ. +Кроме того, я думаю, мне будет легче на "Судьбе". +- Ты им не нравишься. +- Примите мою благодарность, сэр. +Ты позор расы вампиров, Фрост. +Этот мир наш. +Попробуй. +Я работал аналитиком по связям в агентстве национальной безопасности. +Французы наконец-то поделились. +А хорошие парни приходят последними. +- Сейчас что-то будет... +Это самое близкое место, где можно достать наркоту. +Да нет, я просто пошутил. +Дай руку. +Папа! +Вы двое, уходите. +Я ненавижу мои грехи, которыми оскорбил тебя, о Господи. +Собери своих людей. +Скажу вам так, сэр, если вы хотите нас забрать, я подам жалобу. +Эй, перестань. +Эй, Рэйбен, Рэйбен, Рэйбен, где твой пулемёт? +Попробуй ещё раз. +Идут больше 90 км в час! +Эмили сказала, что у меня хорошо получается. +Либо самолёт был плох, либо пилот. +Из них получался отличный пепел. +Здравствуй, весь честной народ, что вернулся восвояси. +Вызывать определенную тревогу? +- Нет, я понимаю. +- Да. +Знаю, что как лодка. +- Т елефон на кровати, Джейк. +... притворяться. +Потому что я принадлежу только себе. +И так вечный стояк. +Снова звонила Кристина. +- Давай. +Этот организм может быть биологическим оружием... +Какое у тебя оружие? +Мягкое и пушистое. +Боюсь что так. +Вас там ждут. +Выбраться отсюда? +Отойдите от врат! +Сядьте. +Ты +Тренажёр для ушей. +Что ж ещё? +Хорошо. +- Чёрт с ними. +Наверное хотел, чтобы обстановка соответствовала кольцу. +- циа том стаимлпяемея лахаимоуле сто ц етос тгс молийгс. +суццмылг поу аяцгса. +йаме дийо тоу коцаяиасло. +- тгм йопамгсе. +LT;йоутсамаGT; +На пятьсот. +Поедим чего-нибудь? +Она очень милая. +Нет... +Давайте я покажу вам свое белье. +Не будь собой. +Ты допустил, чтобы я приехала и наткнулась прямо на неё! +Наверх! +- Я же сказал, почему. +Дай мне минуточку, пожалуйста? +В Неваде это запрещено. +- Скорее мужик! +- Что за хуйню он мне сказал? +Боже, сделай мне последнее одолжение. +А что? +Нет. +Униматричные щиты - блестящий проект Тувока для мультипространственных зондов, и, вдохновленная боргами, система вооружения. +Пять... +Вы не могли бы рассказать о донорстве почки? +Нет, я не могу такое сделать. +- Хорошо. +Смешно, да? +- ... +Он ждёт. +Каждый видит всё, что ты делаешь. +- Очень близко. +Кусай как пчела +У меня есть кредитка Сихевен банка. +Всё образуется. +Привет, Хелен, я дурак, я люблю тебя, вернись, и все такое. +Хелен носит тебе сэндвичи? +Просил извиниться. +- Что значит "не нормально"? +А теперь давай внутрь. +Вам надо будет захватить и удержать Арбалейский мост. +Нет! +И значит этот Ремингтон Хилл шантажирует членов своего клуба. +Я глотала по 41 таблетке в день больше трех месяцев. +Так что мне совершенно не интересно, чем вы занимаетесь по жизни. +Ты был с ним немного жестковат, но ты сделал правильно. +- Ты начнешь новую жизнь в другом месте под другим именем. +- Пока не потерпел фиаско. +Да. +- Ты могла вдруг мне понадобиться, но тебя больше не было. +За все, что ты сделала... ты можешь сгореть в аду. +- Где ты была? +Так. +Я буду писать тебе каждый день. +Там ему место. +- Мэл. +Кто бы мог подумать. +- тут нет никаких законов, не так ли? +Игра должна скоро начаться, и пробки... +Хуже было то, что я продал пикап. +Почему бы и нет. +Видите... здесь череп был расщеплен +- Конечно. +Вы не могли бы по-точнее. +Может пива? +- О, нет. +Хорошо играет? +Но как я должен был сделать это? +- Уорф вызывает Пикарда! +Удай Таксим! +Ну, девчонка... +И это все? +Привет, 300 000 вольных охотников в Сол-солнечной системе! +Я Джулиус! +Что? +Тогда досмотришь на Бибопе. +По-моему,... ему просто было одиноко. +Тогда бояться нечего. +Вероятность камнепада во второй половине дня -- 10%. +Подождите, это может действительно быть доставочная служба. +Я не сожалею о ней, но закончу это дельце на моей любимой лужайке. +Они слишком беспечны. +Общая тревога! +У меня наверху есть электрощит, просто нужен ток. +Итак... +Особенно... +Нет, я серьёзно. +В чём дело? +Она же полностью +Понимаешь, да? +Ты увoлен! +- С Нoвым гoдoм, мама. +Надо обзванивать отели, может что-нибудь и найду. +Вы оба так молодо выглядите. +Мне не нужны благодарности. +Вы не имеете права! +Скажи его. +Мне говорили, что он турок. +Кто знает, может нам устраивают ловушку? +Я запер ее в комнате. +Простите нас, мадам, за унижение, которому мы вас подвергли, но это последнее. +Я не играю, Фернан. +Это надо было сделать. +Я не играю, Фернан. +Вот что мы сделаем: сегодня же вечером, в 11 часов, ты подойдешь к воротам. +Эта женщина, Флинт, просто ловкачка. +Может, на этот раз мы поступим правильно. +Ну, я навещаю кузину. +- Чемодан тоже в отеле ? +- Они проехали мимо меня. +- Не заставляй меня. +Это было слишком. +Боишься, что мы что-нибудь найдём? +В этом нет позора. +Вот странно было... +Не смотри на меня так. +- Ты здесь? +Что, скажешь? +Да. +В одной немецкой книге были рекомендованные им статьи. +-Я паршивый педик! +я знаю что генерал может быть... иногда немного грубым и несколько повелительным, но € знаю как он дорожит тобой. +Я вскипячу воды и распорю несколько простыней. +Брось, ты что не знаешь Мэл? +Мэт... +мурашки по шее, мне было по-настоящему страшно +- Это может случиться с каждым. +Сорок дам тебе дукатов Мне нужен... быстродействующий яд". +Дженни Лернен? +Что, если он не канул во тьму когда червоточина исчезла? +Пожалуйста, отведите нас в наши комнаты. +Я понимаю, что твой трубач теперь похоронный агент. +Нет... +Ты можешь в это поверить? +Знаете, порой мне кажется, что я упустил своё истинное призвание не став шеф-поваром. +И если повезёт, буду им снова. +Да, нормально. +Не двигаться! +Не убивай их здесь. +Так кадеты Звездного Флота называли эти шаттлы 2-го класса - быстрые, маневренные... +Всё живое на "Вояджере" в опасности. +Жжется! +Гимберг была первой. +Сдох от мышьяка, гандон. +Я был моим отцом. +Мы были счастливы здесь. +Я не то ляпнула. +- Да? +Я случайно заехала, решила пообедать дома, когда проезжала тут рядом. +Похоже, что океан был стабилизирован изнутри. +У него наготове всегда анекдот. +- Артур. +Наверху. +О, да. +И чем больше он сияет, тем больше они смеются над вами. +По большей части, они неплохие парни, когда заняты работой. +Мэттьюс, уложи канаты в бухты как положено, пока боцман этого не увидел. +Груз, Мэттьюс. +Видите вон ту женщину в желтом? +Я не расстроился. +Я прошу вас. +- Мы заказывали еду, помнишь? +Хорошо, теперь мой черёд. +Вот в чем наша проблема. +Каждый грешит по-своему. +Было совершено убийство. +Ты сказал, что Генерис дала его тебе, когда ты встретил ее на дороге на твоем пути сюда, в аббатство +Приор Мортимер подтвердил мне это +Так ты сможешь держать свои мысли при себе +Если честно, я только первый год практикую. +Это означает, я смогу с ним драться. +Какая огромная ответственность, генерал. +Ну мы заскочим. +У нас кончилось пиво. +Просто я не оказался здесы. +Это наше место, как она видит +- А что с ним случилось? +≈сли € продолжаю жить в этой форме я сделаю каждого несчастным. +- Я очень хочу вам помочь. +Ты просто... ты просто сумасшедшая, ты понимаешь? +Иногда... +Что случилось? +Открывай! +Ну, как я говорил? +Договориться насчет зоопарка. +Я говорила с Ворфом. +Шеф! +Поэтому и высылает некролог заранее. +- Да? +Когда тебя нашли, ты был в такой же одежде, да? +- У дачи. +Спите спокойно, Мадам. +О, нет, убили? +Рене, ну это-то какое имеет отношение? +А что, у нас нет лис? +Кефаль! +Это не твое дело. +Яне знаю. +Да ладно, Лиза, ты же знаешь парней. +Кто там? +Должно быть, она принадлежала мисс Келиндер. +Как папа это переживет? +Он встречается с кем-нибудь? +И, конечно, у него было время убить Алфреда +Как вы знаете, никто из наших людей не умеет пользоваться порталом. +У меня столько всего случилось. +Хорошо, позвоню когда вернется. +Женщина в поезде. +ћать вашу! +Но я явился... ради тебя, Эбенизер. +Дух... дух... дух... +ДЖОАН: +Гуманитарная помощь в Штаты. +[Кричит] +Мы все перерыли, но ничего не нашли. +Это вопрос жизни и смерти. +Мы оставили учителя дома. +- Не могла понять? +Он гораздо больше. +Далеко. +Посмотри туда. +Он не человек. +- Теперь это - ваша одежда. +Я должен отдохнуть. +Так ведь? +Видишь? +Я попросил открыть это место. +Я сержант Таггарт, а это мой партнер, детектив Роузвуд. +Еще раз так сделаешь, я тебя сам застрелю. +Многоуважаемая публика! +Где? +Вы совершенно правы, Алла Сергеевна. +Коля Сулима. +Ну, у тебя же много книг... +- Шерлок Холмс. +А то ещё в школу опоздаю. +Уходи! +До свидания. +Антисептики? +Конечно, 395 тысяч - это куча денег... +Вы будьте здесь. +Ты точно не ошибся? +Ты, наверное, очень разочарован. +[цпелхр цпнл] +- мЕР. +- Еретик. +Ты меня слышишь, Гордон? +Иди, живо! +Вставай. +Слово предоставляется Белой Даме +Наконец дело по мне. +Мы сейчас придём за своим автомобилем. +Но как он очутился здесь, внизу? +С четьiрех до половиньi одиннадцатого. +Тьi всегда сурова с теми, кто тебя любит? +Заметно ли это? +- Что вам сказали сделать? +Все отпуски были отменены... и мы усилили охрану Др. +Мы не уничтожаем отступника, за то что он противостоит нам. +Власть не путь к развитию, это конец. +Поздновато, конечно, но надо бы уточнить - о чем поют. +Ничего. +Почему от тебя так комендант шарахнулся? +Он ненавидит свет, особенно солнечный. +Все в порядке? +Что ты делаешь? +Куда? +Мияги ненавидит драться. +Он пытается совершить аварийную посадку. +Вы.. +Тебе светит карцер. +Все будет хорошо. +Председатель, это была ваша инициатива! +До свидания, девушки. +Мои друзья попадают в беду, я хотел бы помочь им. +Ты видел Макса Черри в отделе одежды, когда мы... +Похоже, дружок Луиса выстрелил в него дважды, в упор. +Только сдую волосы с твоей шеи. +Тогда почему вы раньше не сказали мне так поступить? +Не, все нормально. +Что я получу? +Так даже проще. +- Давай вниз. +Теперь жду урожай. +Он красивее тебя. +Я думала ещё рано! +Крис... +Получишь 20 очков, если возьмёшь у неё телефон! +Как я вас понимаю! +Другие не разделяют вашей уверенности. +Другие не разделяют вашей уверенности. +Это не магия, Тил'к. +Подобно китайским туфлям, она придаёт женщине хрупкий и ранимый вид,.. +Они позволяют сфокусировать внимание на том, что необходимо. +...детей воспитывает община. +Девяносто! +Ховард! +Спасибо! +Господин Траффиканте уходит. +Идем. +Я не покину Чулак не увидев своего сына. +Я знаю, ты растерян, Одо, но - не нужно. +Вы убегаете прочь... от своего прошлого и от своей боли... и в то же время не отпускаете их от себя. +Ты знаешь, где апартаменты президента? +Илья! +Что происходит? +Судья Пенделброн идет. +Но, если она отстала то может сломана. +Нам их надо много, стойких, выносливых мужчин. +Очень хорошо. +Я должен идти. +Что мы должны думать? +Почти-что собственная жизнь, это не для слабонервных. +- Тссс... +Мерзкая сука! +Приди, Боб. +Мы не знаем, каковы планы Бреста в отношении Вурлицера. +- Так сказал Джерри. +- Все зависит от тебя. +Мы назвали его "Северо-западный проход". +Я пишу роман. +Куплю тебе выпить. +Да прибудет с тобой Бог. +Отель "Ариау Джангл", Бразилия, в дебрях Амазонки. +- Один объектив... +Привет. +По моему, она ушла в бойлерную, или так сказала мне маленькая птичка. +как только завершим последнюю операцию. +Увидимся у Ванды! +Книжечкой по головке получили? +- Ах да, твоё свидание. +Наверное, это та, что я прятал под яйцами. +Она сольется с отрицательной массой фрактального ядра, и они сведут друг друга на нет. +"—ѕј—"Ѕќ "ј "ќ ""ќ Ќ≈ "ј'¬ј""Ћ" ЌјЎ √ќ–ќƒ" +O, здравствуйте. +Давай. +Отлично сработали. +Пoтeнциaл - нeвepoятный. +Знаешь, а я ведь соврала тебе. +- Верни книгу. +Что же я попрошу? +Люблю пони. +...что мадам президент России бьiла переизбрана большинством голосов. +Почему бы тебе это не исправить прежде, чем я сойду с ума? +Лучше вас с Маркесом никого нет. +Они делают опись. +Мы покрасим стены в разные цвета, а когда закончим, то... +Благочинно. +- Мы говорим от лица всей Лиги. +- Она была молода, привлекательна. +Они здесь водятся? +Гонза, остаёшься за главного. +Помоги! +Рэй, я думаю, ты должен пойти. +А также что-то о том, что он помнит... завтра. +Он танцует почти также хорошо, как ты! +Нет. +Я же приехал, живой и невредимый. +Хватит опекать меня. +Точно! +Да, печально. +Интернет для меня стал настоящим открытием. +Да, ты любишь батарейки, да? +И не думай, что ты умнее ме... +Нормально? +На твоем месте, Боб, я повел бы себя точно так же. +Проводя черту +Боишься, что увидят семейную сцену? +Но мне кажется, он в какой-то секте. +Почему обязательно я? +Божественные Предки, я подвел вас. +С какой стати ты говоришь о вулканах? +Сильверболт! +Возможно запах свежескошенной травы. +Что случилось, Мон? +Ты играл в колледже? +Просто, это её домашний номер телефона... +Что это было? +Тебя. +Позвольте мне объяснить. +Отлично. +Я думал, он мертвый. +Где Лилу? +Они крутят твое имя по радио уже целый час. +Это была ошибка. +- Разве это не было тем, что они искали, мисс Кукер? +О, я смог оторвать их. +Ей просто хотелось улететь. +Вот ваша история. +Спасибо. +- Возвращаемся на Нексус Ноль. +Вас должны были предупредить насчет неё. +Аркетт, что происходит? +- Бежать нам некуда,.. будем драться. +А мы будем их направлять. +- А, вот вы где. +Королевский госпиталь стоит на древнем болоте, в старину здесь находились пруды для отбеливания. +- Ничего. +какой звонок? +Где он находится? +Поползло? +Я спросил его имя! +- Может, перекусим? +- Отнюдь. +Да потому что я так долго ждал тебя. +- Ты позволишь обезьяне превратить себя в обезьяну? +А откуда мне знать, что это был не ты? +Похоже, у тебя всё идёт полным ходом. +Я задолжал негру немного денег, но сказал, что отдам. +Заполните это и принесите мне. +Всё, чего мне хотелось в этой жизни - чтобы меня оставили в покое. +Можно даже этим гордиться. +Размером с орех или камушек. +На всякий случай. +Пошли! +Они - реалисты. +Всё, давайте начинать. +Понятно. +Я с тобой еще не закончил. +Дэвид Хьюлетт. +- Это я виноват. +А я не только поверила тебе, я даже... +На всякий случай я записал его еще и здесь. +Видишь? +Мне прислал эту загадку мой друг, ветеринар из Вены. +Положитесь на меня! +Ты ее видел? +Всем встать! +- Вы и я? +Один? +Если у тебя кишка тонка, в Брюсселе найдутся те, кто сделает это за плату. +Хочешь ее? +Надо бежать. +Спиро Эгню всю карьеру построил на волнениях 68-ого года. +И, между прочим... кто мне может сказать, как вышло, что в шестом округе... 64% черных? +Разве мы не должны проверить образцы? +- Опыт. +Какими они должны быть? +Фрейзер может я неправильно тебя понимаю но я замужем. +Цветные имплантанты от "Зони" лучше всех,.. +...ты, тупой, уродливый сукин сын. +Здесь тихо, чисто, даже вид есть. +Теперь ты увидишь. +И я тебя. +Правда? +То, что произошло с главой миссии? +Не двигаться! +- Я рассказывал тебе о своем сыне? +Я подозреваемый в убийстве. +Чёрт! +Ты же спас той девке жизнь, да? +- Мне нужна ваша помощь. +Как всё прошло с той девушкой? +Они находят цель и, мм... устраняют ее. +А если Спайдермен? +Значит, эта статья - первая из многих? +Я заплачу ему 4 сотни, чтобы трахнул окружного прокурора. +Надо поговорить с ним. +- О, простите. +Попробуй три недели есть одни полевые пайки, а потом уже говори, что это не проблема. +Сумма гонорара не зависит от решения суда и составляет.... +ќни мне €ичники удалили, евин. +у тебя такой испуганный вид. +Привет! +Давайте же все вместе произнесем традиционное тейлонское приветствие - +Ты не заболел? +Но вы ведь не считаете меня сумасшедшим? +Извините. +Вы думаете, я говорю, что не могу ходить, чтобы не возвращаться туда. +США с террористами не сотрудничают. +Давайте, начали! +Лежать! +Попался. +Oкажись они болельщиками, их постигло бы разочарование. +Мне жаль, что вечер закончился на такой печальной ноте. +Ты полностью обвел меня вокруг пальца. +Вчера в классе, я подумал, что снова задремал. +Сэр, нельзя. +На то и традиция не спрашивать почему. +Я тебе жопу порву. +Фред, я люблю смеяться. +Обратно в ад, откуда они и пришли. +Скаара ! +Трудное положение? +Президент не должен говорить это именно так. +- Пэтти. +Меня похищала эта шляпа. +- днапне. +Дамы и господа, с радостью представляю вам... первую леди Соединенных Штатов... +- Ой. +Нет. +Ну, тогда ещё кое-что. +Но я считаю что мы провели над вашим лицом ювелирную работу. +"Бандитки". +- Я только играл в Диг Даг. +Ты же не отказываешь мне, правда? +В смысле, разве у неё нет других своих стрип-мам подруг? +- Абсолютно. +Многие из нас противостояли приказу капитана атаковать Бету 9. +- Хорошо! +Я Адам. +- Ненавижу. +О, его выкуривали на травах +Его шапочка зацепилась за гвоздь вон там а его посох торчал из воды. +- Надо было тебе их снять. +читать и узнавать последние новости только благодаря эффективной работе Карвер Медия Груп. +Сию минуту, сэр. +Как я узнаю, что надеть? +Тише, тише! +На, Митси! +Может мне ещё ей небольшое стихотворение написать? +"Я знаю, что сейчас дела идут не очень, но если правда откроется, то всему настанет конец. +Какая развалина. +Ты глупый кот, верно? +Но оттуда только один путь, и он - вниз, вниз! +Тут уж ничего не поделаешь. +"Это станет причиной вашей гибели." +Ты в порядке. +Это выражение такое. +Дepeвeнщинa! +На днях я стояла за ней в лифте смотрела сзади на её голову и думала... +- Э-эй! +А вот как он спариваются. +Это не смешно. +- Да, очень. +Я тебя не слышу. +Птица! +Она крупнее, чем ожидалось. +Пэррис Митчелл. +Тогда бы ты знал, что делать? +- Да? +- Бомонт здесь. +- Две пары. +- Когда-нибудь увидишь. +Ты уверен, что достаточно окреп? +Я потратил слишком много времени, чтобы спасаться бегством. +Не шути. +По обвинению в соучастии в убийстве курьеров, у которых были эти письма. +О чем ты говоришь? +- Да, они вошли. +Если нас пощекотать, разве мы не смеёмся? +- Не знаю. +Внимательно следи. +КОНЕЦ ФИЛЬМА +- А вы? +Что делал бы Шерлок Холмс? +Итак, что сделал бы Шерлок Холмс? +Люси. +Следует ли нам начать эвакуацию, министр? +Говорю тебе, этот тип просто диктатор. +Один из этих ключей должен подойти. +Подумаешь, делов-то, она просто психованная. +- Ага. +- Я убью тебя, скотина! +"о же, что и ты. ѕоймала попутку. +Иди и покажи им. +Трудно быть взрослой. +Ты можешь читать мои мысли? +— Я сказал, что здесь полно народа. +Нет. +Не Сюзанна, а твой шоколад. +Спросите еще раз, точно ли он понял вопрос? +Уже там, внизу, я понял, что мне конец и ушел через запасный ход. +Очень скучаешь по ней? +- Почему? +Давай. +Вы полюбите. +Это он сам придумал себе такое имя. +Да... +Он дала понять, как сильно меня любит. +Может она хотела на этом заработать. +- Запускаю программу самоуничтожения. +Я рад, что мы были достаточно далеко. +- Нет. +Нет, вы видели +Сначала ваш класс. +Видела бы ты его глаза! +- До скорого. +Нет, мадам, это ошибка. +Это машинный код фрагмента, который содержит ошибку. +Я ничего не смогла съесть! +- Когда Афанасий уходил на фронт, Анна была ему еще не жена, а только невеста. +Шерлок Холмс! +Слишком поздно, Доктор. +Подобные тебе холодные и закостенелые люди привели нас в концлагерь. +Спрашиваю себя "Что?" +Не стрелять! +И полетел, нос задравши... +Так как ты собираешься написать книгу о триффидах, и на условии того, что мне больше не придется никогда о них упоминать, я использую это время ожидания. +Должны быть другие. +- Почем он называет компьютер рабом? +Не зажигайте свет, дайте вздремнуть, Артур. +Только личный жетон. +Пусти, сволочь, я несовершеннолетний! +Да. +— Арахис! +- Все в порядке! +Я не знаю. +- Да, я вижу, 16. +На вашем месте я бы взял такси. +"то мне делать, пока все остальные зан€ты? +Ты сам храни свою чистоту, Том. +Хорошо. +Правда? +Выходи... и умри. +Что же делать-то? +И, буквально, упала с неба на старт заключительного этапа гонок! +- Эйб. +И по десять вам с Марианной. +Человек, который это построил, знал свое дело. +А теперь я хочу яйцо. +ДЕТЕКТИВ +Шерлок Холмс, телефон! +- Ну, не знаю... +Я могла бы применить силу. +Она думала, осталось меньше ста человек на всю страну. +У нас есть еда. +- Пoчему ты меня пригласил? +- Я не вор! +- Сильный курс! +- Что? +Я слушаю. +Свинья! +-Откуда я тебя знаю? +Очень мило. +В четыре. +- Не сейчас. +Сделай одолжение. +Подожди, Потро! +- Ну, вот эти двое были назначены на дело... +- Что вы делаете? +Все эти годы я этого не замечала. +И она выросла настолько, что можно было бы поместить в неё маму. +Она с тобой разговаривает, да? +Поссорились? +Почему он не сходит к врачу? +Я видел их во дворце моего дяди. +что? +- Всем пока. +Нет. +Слева!" +Мне надо позвонить, я пошёл. +Крыша издательства "Боньерс"... +Не надо, господин посол. +- Дэмиен к нему очень привязался. +Все в сборе? +Мы больше похожи на Поля и Виржини. +Подожди и увидишь, что могу. +Пошел.. вон из моего фургона! +Пустите! +Вы говорили, здесь есть вода. +Нам нужно женщину спасать, давайте хотя бы попытаемся! +Прости за то, что ненавидел тебя +Почти все. +И я поверил, знаете ли... +У него был отёк. +Как и вы, ребята. +Плохой! +Или вы хотите сказать, что не хотите получить содержимое сейфа? +Анди, ты мне был как сын. +В Джо. +Да, подожду, подожду. +Милая, мы по личному делу к президенту банка. +Мне пришло в голову. +- О Боже. +ƒавайте молитьс€, мистер 'орнблауэр, что французские республиканцы не раздел€ют вашу логику. +-ƒа, всЄ отлично. +Прости. +Скажи, ты смотришь разные придурочные фильмы? +Мы хотели бы задать мистеру Нуришу несколько вопросов. +Он знал кто мы такие. +Я за вас отвечаю. +Ребят, а что вы сделали, чтобы туда попасть? +Дилана Томаса? +Они теперь винят компьютерную систему. +Итак, теперь нужно крупно подставить Аткинс. +Целая чертова тюрьма проблем. +Ради бога, прими болеутоляющее. +Ричи должен оценить это. +Да, мужской. +Как ты вообще мог привести меня к этому некомпетентному крючководу? +- Did you steal it? +Tip-top, tip-top - very well! +Но я не вывешу белый флаг. +Думаешь, мне холодно? +Я смущен. +Ух ты! +Два дома? +мы пытаемся уменьшить опухоль но, видимо, будет нужна операция. +- Это к несчастью. +- Надаем по рогам! +У Хаотика на Землю тоже есть планы, но мы выдерживаем бесконечные атаки только благодаря одному человеку - капитану Протону. +Но, видите ли, мне просто нужно было... +И всего лишь 1 слой джема? +Что это за вопросы? +Однажды ты был ее лидером. +Откуда ты знаешь? +За 5 баксов простоят три дня, или за 10, которые простоят пять? +-Как же так? +Медленно... +Неотъемлемая часть группы? +-Здравствуйте, это Яна. +Видимо, тогда она была меньше. +- Не заморачивайся. +ОТПРАВИТЬ ВСЕМ Это письмо было отправлено всем контактам +№44 Хисока! +В нем также есть местные карты, и он пригодится, если вы захотите встретиться с кем-нибудь! +Странно. +музыку... руками не потрогаешь, понимаешь, как... футбольную карточку или кокс. +- Мы с Тайгерхоком ведём его сигнал, но нас двоих не хватит. +Лови. +Нужно освобождать наличность. +Отлично выглядишь. +- Мы пошлем вам инструкторов в Поляну. +- Где Ваша дочь? +Ему надлежит оставаться в постели в затемнённой комнате. +- Да, сэр. +Он специально просил тебя. +Вы можете идти? +- Позвольте сказать тост! +Я не смогу придти в суд на следующей неделе. +Всё отлично! +Я держусь... +[Западная страна] +О, да. +[Стук в дверь] +Да ты наверное Шерлок Холмс? +Но некоторые предпочитают надеть больше значков... и мы приветствуем это. +Держись! +Никого? +Mы должны общаться. +Tы мексиканец? +Лес и Харизму, обоих. +Лес - это поле битвы. +Заинтересован? +- Что? +Или кого вы собирались навестить? +Он должен был получить новое лечение. +Опять, что ли, взяла "Красотку"? +В самом деле? +- Ща разбодяжится. +Майк мой самый лучший друг. +Я не буду этого делать. +Я дизайнер. +Не знаешь, как пользоваться факсом или компьютером, и целый день проводишь, критикуя, что на мне надето? +Знаешь что, Фрай, из всех моих друзей, ты - единственный. +Это всё тот мальчишка. +Наше тело получает жизнь из пустоты. +Это почему еще, ты, сидящее бычье говно черномазое? +Все так, как ты сказал: лучше ты, чем я. +Да не хочу я бросать пить. +Что это за паренек нашел мои очки? +И раз они вне закона, это вторая причина, по которой вы не обратились ко мне. +Вы сделали все, что могли, больше, чем как я думал возможно, и я это ценю. +Есть разговор. +Хорошо. +Но ты мой друг. +Я думал, что и брак был прекрасный. +Хорошо, я выезжаю. +Мальчик сказал, что оставляет дверь открытой, когда берет велосипед. +Эй, Босс! +Даже если нас будут спрашивать по отдельности. +Боже! +Хорошо, парень, сидеть. +Для чего игрушки перешли дорогу? +Я должен успеть на самолёт! +Когда освободишься? +Это всегда работает как убийца страсти. +Вот он! +Вот заклинание. +Уйди. +Итак, раз черная книга внутри статуи Анубиса то золотая книга должна быть внутри... +- И как продвигается? +Ёто тот парень, кто спас √ена-сан? +¬о главе босс, рокодайл. +- Нет, дурак. +Круто! +Эта радуга странная. +you can just... +- Огенная +Kokoro kara utau no sa в кобальтовой сини. +Ч-Что? +Она разбегается? +Давай выбираться отсюда. +Они чертовски дороги! +Он хочет сжечь эти афро! +- Мы смогли вернуть корабль... +Мы - точно ангелы +Ты просто офигительный! +ДАВАЙ! +Ќеужели с вами случилось что-то непоправимое? +Я Заставлю Его Расцвести! +- А что? +Сбрендил? +убивших мою мать! +ƒа уж, не ожидал увидеть здесь стольких видных личностей. +Берешься за это? +Хензо говорил, что он пытался отыскать способ, чтобы нас спасти. +Особенно ты, Луффи. +я и подумать тогда не могла, что вы такое отчебучите. +Ёто? +Ты уверена, что нам сюда? +Извините. +По преданию, сила его настолько велика, что одним выстрелом можно стереть целый остров. +! +Это ещё чё? +И? +Им несказанно повезло. +Не надо так заводиться. +Ты не можешь позволить никому умереть на твоих глазах... +Ёто енафа. +У нас сейчас сильная нехватка солдат. +Определенно не так. +Тогда ты умрешь. +Это "Конец". +У человека должна быть пылающая в груди мечта. +Следуй ему! +Удар Ветром +Какая пафосная речь, Вайпер. +Пойду первым! +Русские субтитры представлены проектом One-Piece.Ru +¬се "Ќјё", что € сама€ слаба€! +Именно. +Ты сказал "Эйс"? +Синдри-чан! +Потрясающе! +{\1cH0a95e9\3c0\4c0\shad2}Start me up! +Если ты еще так поступишь, я тебя вздую! +Настоящий Ад! +но здесь его оставлять нельзя. +давай обнимемся и согреемся! +Как досадно. +И забытая в пыли карта сокровищ, +От А до Я, всех вещей калейдоскоп +—режем немного! +Ничего смешнее не слышал! +Достучалась до нас двоих +На корабле, значит? +Я... +! +я способен показать им свой внутренний мир и даже создавать реалистичные иллюзии. +От вашего глаза ничто не скроется! +Нет, ты не станешь! +Ќужно пробратьс€ внутрь! +100)}В кармане полно монет 1000)}Так ты хочешь быть моим другом? +Я НЕ странный смотришься человеком со странностями +Но? +Э? +ЧЕРНАЯ НОГА САНДЖИ! +Волнует сердце мир открытый +Ёто ведь не сон, да? +Что это с ним? +Он несется прямо на корабль. +Сделайте так, чтобы у них были сломаны все кости. +Флага все еще нет? +Ты дурак? +Луффи... +Мы в опасности! +Наш великолепный капитан! +Да! +Эй! +Я пришла за моим Шигуре. +! +Нам не стоит забывать прошлое, но это не так важно сейчас. +Ноджико, что это? +Ну и что, что наш урожай погибнет? +Не вмешивайся! +Как только может ДИТЯ, которое не знает даже значения слова "поединок" действительно понять причину моих слез? +Я и не подозревал, что он поспевает за Сору... +Поэтому всем нам нужно срочно убегать из Охары! +я верю в —трану "удес! +Несём их Мугиваре! +Держи, Гин. +Ты ведь хочешь стать величайшим фехтовальщиком в мире? +Любопытно, не так ли? +{\1cHffb164\3cH6c3600\fs18}Солнца свет у нас всех в сердцах! +Я не позволю тебе преследовать Мастера. +Ѕиг ѕан ¬отан наполовину рыба и его кожа скользка€! +Ёто мо€ строка! +Еда! +ѕостарайтесь! +"-"его это ты так на мен€ уставилась? +Завязывается великая битва! +Пожалуйста, подождите, Ваше Величество! +Это один из остров Длиннокруглой Земли. +Хватит канючить. +Там еще побрызгай. +Подвал переполнен. +Я не знала: +Раз ты поднялся, так сходи-ка за дровами +По приказу Цезаря я должен тебя арестовать! +Флакон! +Не знаю. +Ты подстрекатель. +Да, здравствуй, Лилит. +Ладно, хорошо, ты на третьей странице. +Люди... +Молитва... +Нет, я... +И помаши им. +Звонок звонит рано каждое утро. +У нac был maкoй в noнeдeльнuк. +Я ничего не сказала, чтобы не расстраивать тебя. +Он ничего для меня не значит. +Забудь об этом. +- Ты уже закончил? +Ты должен уверенно стоять на ногах! +Слово на букву "Ж"? +Я просто должен сказать ему: +*А? +Прежде следует слушать Святую Церковь, а потом уже интуицию. +Я не могу остановить ее. +Вот именно по этой причине, я не могу отжечь с Лео. +Не набираешь вес, не получаешь работу. +Давай! +- Хотите перед смертью что-то сказать? +Нет! +Если пикнешь, знаешь, что с ней случится? +Я не знаю. +Правда, старина? +Ты утомляешь себя этими каждо-дневными прогулками. +Мёртвый человек идёт! +Тебя зовут Джон Кофи. +А ты что? +Есть даже окошки. +Они помогли ему убить себя. +Может быть вы так думаете, но вы ошибаетесь. +Они хорошенько его жарят! +Давай. +Нет, надо. +-Я не уверен . +Она будет под землей . +Он любит калек. +-Простите меня! +- Вовсе нет. +Их сенсоры дальнего действия сейчас ремонтируются... +Она убила того парня. +Они забирают налог. +Ты знакомишься с их представителями. +Самая распространенная жалоба у женщин: "Ты со мной не разговариваешь". +Мама, я хочу это корону. +Утэна. +Да. +600... +Он, наверное, не очень хочет разговаривать сейчас. +("Music Appreciation" = курсы ознакомления с музыкальными стилями и музыкальной культурой.) +Мародер моего брата... +Я так и не понял. +Представь, Пина, если бы ты не сыграла, я бы тебя разрезал на кусочки, ...засунул в чемодан и отправил бы срочной почтой в Вогеру. +Можете мне слепо доверять... +- Нет. +Я не могла уснуть всю ночь, думала о твоем сыне. +Распишитесь, пожалуйста. +Мать Розы счастлива. +Главное - это ты и ребенок. +- Ну и совпадение! +Я меня есть мечта. +"...я так сильно устала." +Что такое? +Я чувствую какой-то не обычный страх, к такому обычному делу, как торговые переговоры. +Смотри! +Лорд Мол, будьте бдительны. +сконцентрируйся на происходящем. +У Скайуокера проблемы! +Мальчик, благодаря которому у нас есть все запчасти. +Можно, я полечу, мама? +Ваша их разбить! +Бежим! +Ваше выживание важно для меня. +Оставь свои человеческие слабости. +"звините? +Надо посмотреть. +- А я себя. +Эй! +Тогда выиграл длиннохвостый попугай, маленький такой. +Джулиэн, болтун-попрыгунчик. +- Что? +-Он не очень страшный. +А теперь пускай поцелуются! +Я как раз думала о том, что мне нужна дополнительная комната +Я не могу говорить о своей личной жизни. +Снаружи смеюсь, а внутри плачу. +- Не отвечай, если не хочешь, но я должен знать +О, я сказал "кусты"? +Блядская сволочь Ему это даром не пройдёт. +Дорогая, выглядишь потрясающе. +Она знает? +Ну и чем он пахнет? +- Очень жаль. +Что-то не так? +..что меня зовут не Шерлок Холмс, а энтони Сопрано? +Мистер Тони, хотите чайку или еще чего-нибудь? +Джакоби, как ты себя чувствуешь +А на носу уже двухтысячный год! +- Кто-нибудь звонил ? +Ладно. +- Боб? +Фил? +Что скажешь, Боб, тебе понравилась эта работа? +Да. +Смотри, смотри, что я написал. +Насчёт национального экзамена? +Онизука! +Как я сказал, если у вас есть какие-то проблемы, поговорите с директором. +Онизука, теперь ваша очередь учить их. +Ну я ему и врезал. +Видишь? +- Эм. +Боб, Боб. +Не могу дождаться, милая. +Скажите сколько, и я заплачу. +Я знаю, что это ты, я слышу тебя. +Я мог предугадывать его действия. +Я изучал достопримечательности Земли. +- Марс. +My God, беги, Скуби, сейчас, беги. +Я же говорил, что это не твое дело. +- SOUTH PACIFIC +Сэм, брось это. +Она скоро бросит меня. +Сколько? +"Не гадь там, где ешь " +Ты хочешь сказать, всего 70? +Не знаю. +Шеф, вот пришло из Висбадена. +- Точно! +- Так, пошла адвокатская муть. +Осенью или зимой прошлого года в городе вдруг стали исчезать дети. +Не знаешь дороги? +- Нет, не думаю. +-Подзатыльник хочешь? +Вот еще один великий мыслитель. +-Куда ты собрался? +Вскоре, я уверен, каждый будет иметь их. +- Да. +Большой кусок... +- Ну вот опять. +- Где Вы были? +Выгребная яма? +Мы победим. +Мужчины - пьют. +ОПерЭТОР +Сбежали! +Я вам приказываю заставить замолчать +Что вам с того, +Надо ли, чтобы я разрезал сердце напополам? +Феб +В это утро +Самого Заппа Браннигана? +Дженифер. +Давай! +- Я не могу лгать своему отцу. +Когда? +Ты поймал ее? +Ее сковывает ужас, когда она видит мальчиков из Лимерика, +Теперь найдите себе пару. +-Нет! +Как ты меня назвала? +Что случилось? +Я - желудок Джека. +Кончай со вступлением, и проси, чувак. +Он дал нам 25 имен. +Если бы эта штука сработала, я ушёл бы из Гарварда. +Иначе я не получу обед, когда вернусь домой." +Только для местных. +Спасибо, мы вам позвоним. +Надо купить футболку. +Я очень нервничал, и акцент вышел как-то сам собой +Всё равно не пользуемся. +Я ни о чём таком не говорила. +Фрай, какого черта вы себе тогда думали? +Да ладно, Бендер. +ѕосле завтрака мы с Ўарлоттой пошли по магазинам. +Вы в порядке. +Да, ушла... +Сказал, что в воскресенье мы покажем не всё. +Что? +А ты все время хмуришь лицо. +Они пришли, потому что уважают твоего отца. +С тех пор, похоже, что эта тема стала табу. +Почему вы слушаете ту каргу из КРК и не слушаете того, что мы говорим? +Ты нашел выигрышную крышку! +Я не думал.... +Во время той военной операции погибли ваши близкие не так ли? +Твои избиратели любят TEC-9 и другое оружие, не так ли? +- На какое собрание я мог бы пойти? +Никогда не угадаешь, что я сегодня видел. +Выезжаем на рассвете, вернемся к обеду. +Соглашение о прекращении огня. +Где наш гид? +- Вы приказали отослать программу? +Эй. +Нам-Сун. +Миллион. +Не могли бы вы прочитать мой вчерашний сон? +Я такое загадал. +Иди распакуйся. +Вы когда-нибудь были зажигалкой мистера Кейджа? Протестую! +Я про то что я получаю все преимущества быть родителем без недостатков. +Что? +Если есть такая вещь. +Это вопрос, который ведет нас, Нио. +Да. +Что я могу избегать пуль? +! +Вопрос только во времени. +Незамедлительно. +Oxoтники. +Все, кого я замочил, заслуживали этого. +Если не забрать его отсюда, то скоро он умрёт. +На что это указывает? +- Спасибо. +Ну... +Ты уверена, что ты хочешь этого? +- Вот твоя булочка. +Ты не злишься? +- Может это спина? +-Пейджер. +Нет, благодарю, не стоит. +Вижу, вы надели штаны для шведского стола. +Вчера мы по ней сверились и отдали её тебе! +-Закончил шлифовать, закончил полировать? +Бесцельно скитаться среди этих пещер до конца вашей жалкой жизни. +Я вижу умерших людей. +Недди! +Может, ты где-то их слышал от кого-то. +Это другой парень. +- Я сделаю все, что в моих силах. +Во время путешествия по Слёрмовой реке, вы увидите наших миксологов за работой. +Какой размер одежды больше: +... покаосьминогжилуегоподружкиисмотрел телек. +О, нет. +Хмм... +Ты не думаешь, что ты немного эгоистичен? +Два. +-Всегда разные места? +Вы говорите -- комедия, шарада. +Он шел к лифту вместе с портье, который нес его багаж. +Но ты не можешь проводить эти исследования по этическим соображениям. +мне нравится спать на них. +Так, ребята, запрыгивайте на скамейку. +Никаких книг нет ни в столе у Стивенса, ни в карманах Барроу. +- Ну, давай уже. +Странно: ты то сбиваешь с ног, то подаешь руку. +- Шерлок Холмс. +Что вы такое говорите! +- Нет, я не знал! +Вас оторвали от родителей, но в браке никто не предлагает выкуп. +Я познакомилась с кучей людей. +Понимаю. +В противном случае это будет расценено как двоеженство, неверность, предательство чувств, и вообще состав преступления. +Вон там у колонны. +Ай-ай-ай-ай. +Ура! +- Спасибо. +- Нет! +Она одна из моих лучших молочных коров. +? +Физическая подготовка отлично. +Может, съездим в Лейксайд. +Я страшный человек. +- Влюблен? +- Он не придет. +- Конечно, синьор! +-Когда бы вы успели завести столько? +Заходи в любое время. +Думаю, тут открыто. +Ясно. +Я ведь прав? +Он его нокаутировал! +Не хочу, чтобы меня застали в таком виде. +Почти что полный комплект бойцов. +сас суцваияы циа тгм стяатгцийг сас, стяатгце. еимаи поку хеатяийг. +Вечеринка для Латки? +Вы её видели? +- ...кто не хочет - не говорит. +Возвращайтесь на места! +- Буль. +Болван! +- В столовой. +Покажись. +- Никто. +╦ма исыс ма йатастяажгйе. +Папа, папа, зубы дяди Снегова у нас. +Богатый, но испорченный. +- Вот и он. +Я думала, он имеет в виду меня. +У него проявляются самые тревожные черты характера. +Их заявления проверялись на детекторах лжи. +Цј где ты живЄшь? +Тогда мы не будем пытаться захватить Цитадель. +Нет, если застанем их врасплох. +Коко живет в специально переоборудованом трейлере. +- Да. +Вот, взгляните. +Тогда...объявляю Хенри Пурстампера виновным. +Почему? +Я на ней поеду на гонки Thunder Road. +- Что-- +Он сгенерирует силовое поле, мощнее, чем у мисс Фэй, это должно задержать их на некоторое время. +- сумевифоум ма еявомтаи! +Ты дотрагиваешься до неё. +Всё мне надоедает, и вместе с тем я всего хочу. +Кто это сказал? +Ну что, идёшь ко мне? +Хватит так скакать, это даже как-то неприлично. +Следите за часовым. +Что? +Не нужно скромничать. +Как наша бабка. +- Добрый вечер. +Она была слишком испугана, чтобы думать о тебе. +Э...нет. +Времени еще полно. +-Алиса. +-Похоже, что да. +Cюда! +- Ладно, я пошел домой. +Вы хотели, чтобы я поступил в колледж. +Выслушать обвиняемого - это не привилегия! +Что ж, тем лучше. +- Рад тебя видеть. +И смотрю в зеркальце и вижу голову! +Вот уж и осень, скоро дожди пойдут. +Вы не успеете оглянуться, как я изменюсь. +О, если бы моя тугая плоть могла растаять, сгинуть, испариться! +"Голубые горы или Тянь-Шань". +Только потому, что я хорошо одеваюсь и хорошо живу, означает ли это, что я связан с проституцией или наркотиками? +Скажи это Хорэсу, девка. +У меня для тебя сюрприз. +- О, ты был во Вьетнаме? +Я всё ближе подбираюсь к людям. +А вот кое-что из раннего детства. +ВОЕННО-ВОЗДУШНАЯ СИЛА США +Если разозлишь меня сейчас или потом, я сделаю с тобой то, что бог делает с геями. +Я думал, мы все собираемся. +-Да, милорд, а помните ночь с Гленши, турки и кебаб? +Я ничего не понимаю! +Не нужно! +За каждым римлянином всегда скрывается сын шлюхи. +Садись. +Ну.. собственность - это собственность. +"Я, Мэри Элизабет Карсон, и т.д. +...а я думаю, у вас всё будет хорошо. +Что ты хочешь? +Вы поймёте, когда попытаетесь расстегнуть. +Они выбрали меня, чтобы поговорить с тобой. +Убийство. +А мы так и не зажили по-настоящему. +Работает на японскую разведку и газету "Нью-йорк таймс". +Тьl насиловал их еще до конца праздника. +Все в порядке. +Помните, мистер Партексано, как мы слона везли? +Ваше высочество! +Не заставляйте нас применять силу! +- И с ними не будет никаких... хлопот. +- Ну, Смит! +- Что, у него возникли трудности? +- Железный Лоб! +Так нельзя, мадемуазель Алиса. +Шерлок Холмс. +ты ведь обещал на мне жениться. +Я покидающее старое "тело" приобретает новое +Да? +- Что? +Прости нас! +Киреев! +Именно. +Скажите. +Ты войны захотел? +- Джина! +Поговори. +Так. +Хозяин Люк, вы стоите на... +В тот день, когда она отправилась в горы,... пошёл снег... +Садитесь... и налейте себе горячей воды. +На самом деле - нет. +- Да. +Мы еще не решили куда, но, по всей видимости, в Индию +Три у меня уже спёрли из коридоров других отделений. +Они сказали что-то вроде, "Не знаю, но кто бы ни сделал это, у него есть талант. +Я сказал, живо! +Помнишь, что я тебе говорил, Нисса, об отметке Мары в мире Кинда? +Он сопротивлялся охране. +Тебе идёт. +- Что? +- Шутишь! +Да, голос фабрикантов, голос притворной беспристрастности. +-...поставлю его в вазу.... +- К сожалению, она не сможет взойти на трон, пока она не замужем. +¬ы посмотрели на девушку и увидели, что у ней не в пор€дке. +Главное — твердо стоять на своем... +Куда ты собрался в своих носках? +"С воплем ярости обе монашки отскочили от гроба и он упал на землю. +У тебя есть сценарий? +Я хочу спать. +- Где он? +Извините! +Жак: +Чтобы спасти Чарльза, мы должны доказать то, что камень украл кто-то другой. +Матушка, подойдите сюда. +Мы так решили. +- Это точно. +Я ещё подумал: "И никто не остался в доме?" +Повернитесь. +- Прислал бы всё по почте. +- Где ты спал ночью? +Да! +А он шел покупать эту машину. +Пардон, пардон, момент. +И вся свита, э-э, нефтетруба. +Вам тут письмо, месье. +- Да. +Ну, ну, Клара. +Он дует мне на лицо. +- Джонни, Джонни +Он сказал мне, что я не должен любить её как женщину. +Зачем нужно было Кэти убивать его? +- У Аделины пузо! +- "...то у казармы запою эту песню". +- Да будь же серьезным! +Это тот человек, который следил за Вами? +Покажи мне свои документы сейчас! +- Ах, так он вам известен? +Пожалуйста. +Минутку! +Безрассудное пари. +Наш выбор прост. +Только убедитесь, что сидите лицом к столу. +Подожди до утра и позвони снова. +У стала об этом говорить. +Ќемедленно передать шифровку! +¬ы мен€ обижаете! +Что в этом странного? +Нет! +Дaвaй! +"Вы знаете, он мне здорово помог". +перевод: zare +СЕГОДНЯ! +Игра света. +Вы ребята это замечали? +Полиция, откройте! +Это выгодная сделка для всех. +Блядь чешская! +Я не поеду с тобой, Алекс. +Индейка к рождественскому столу. +Да уж. +Итак, как сказал Малютка Тим... +Она хочет, чтобы мы оба немедленно приехали к ней. +Смотри на этот заголовок: +Святой Фаллос, что они там внизу делают? +Да, это точно. +Спарк, недотёпы и все остальные. +- Он опять поет мячу. +Конечно. +Спасибо, я попозже. +Мировой достичь не удалось. +Наверное, он даже из пещеры нас не вытащит. +Просто я надеялась, что она оставила мне много денег. +Просто хотела, чтоб ты знал. +Ты знаешь что он делает? +- Вали отсюда. +Это +- Нет, сэр. +Позвольте востоку встретить запад. +Ты свободен все выходные? +Кто-то должен с ним поговорить. +Его отец почетный выпускник Берда. +Просто поздоровался. +И за этот день я тебе благодарен. +Я вынужден просить Дисциплинарный комитет... о вашем исключении. +Она - фокусник с иглой. +Чарли, +До данного момента. +Кажется, она начинает влюбляться в меня! +Папочка! +Ага. +Зайдём в кабинет? +Он высокий, а она маленькая. +Вот так мы укрепляем Империю! +Пьяный конечно. +Вроде твоего дружка, Англичанина Боба. +- Да. +Я полагаю любая женщина... +"Он встретится с тобой в кабине пилота"? +Это один из них. +Я Мистер Розовый. +Но ты не на то дерево лаешь. +А теперь охуеваете, откуда там взялась полиция? +Они не знают. +Нераскрытое дело. +И знаешь, что? +Мистер Хой считает нас всех детьми, всегда заставляет есть. +Смотри в оба за этим угрём. +-Не делайте этого! +- Тебе решать. +Я начал красть их, чтобы скопить на маску для ныряния. +Вот что! +Вы что-нибудь про это знаете? +- Да, сэр. +Фонд Милдред Драммонд - за незаконную растрату их средств. +Надо объяснить, как это произошло. +Каори. +чьи это идеи. мы должны строго следовать указаниям отдела. +Вот и все. +Думаю, это авангард-ретро-дерьмо. +Не хочу слышать всякую ерунду. +Спасибо. +Я понял твою мысль, Чарли. +ыбери точку. +Что ж такое? +Давай так: пять тысяч в неделю плюс процент. +Ну что? +Недалеко от Чикаго. +Заряжай! +Что он явился. +Александру нужно быть вместе со своим отцом, Ворф. +Это Пошта. +Наступил вечер. +Куда мы едем? +Я верю, что все обойдется и меня ждет спокойная, тихая старость. +-Кто этот тип? +Покажите мне ваши руки. +Он отдал его тебе, я полагаю? +Кстати где Фрэд Аткинс, твой партнёр? +Малышка, может засунешь палец мне в ухо? +Раньше у него был только один кусок, а теперь два, и он теперь знаетточную дорогу. +Папаша, давай, давай... +Может и есть. +Какого черта Торрес, ведь вы же свободны, как птица. +Что моё место там? +Здесь проходит прослушивание? +Приходится отдавать, чтобы был смысл. +Mой... +Хорошо, говорите. +Эй! +Перенесите встречи, так чтобы 14-ое число... осталось свободным? +О, Боже. +Может, больше. +—еньор, подождите. +ѕросто отлична€. ѕаркер! +Ќи дл€ единого существа во всем мире ты ничего не значишь. +ќн со мной! +Убрать бы... +Да. +- Я могу надеть бикини на пляже? +Подождите! +Уже Рождество! +У вас есть одна, и у меня. +- Ну... +Пойдем, Мардж. +Идитe cюдa. +ƒети. спокойно. спокойно. +песни будут лучше +Что ты делаешь? +Общественные вещи? +Я тоже втянулся. +Я в порядке. +Возьми трубку. +Прикрывайте. +Я думаю поставить сюда аквариум с тропическими рыбками. +Ну, давай, пробей эту стену! +А оборудования здесь на 50 миллионов долларов! +"Отчаянные". +-А что её парень, как он? +Она была в шоке. +- Помните, у него был гипс на правой ноге? +Мэтр Рэмбо рассказал про Брюнэтти". +Готовы? +Ты умолял меня. +Ты прав. +Таких, как мы. +Тони Скибелли. +Тебя даже не было там. +30 секунд. +О, да. +Письмо для тебя. +Идем или нет? +Нас прикроют вертушки. +Пошли. +- Пусть поторопятся. +- Бегу +- Они отправляют из назад +Он найдет вас, спрятанных в комнате! +Тебя ведь там вообще не было, да? +Стюарт, ради Бога, пожалуйста, открой дверь. +- Готов? +Никаких но. +Это риск, на который придется пойти. +Ещё с тех пор как Клэр была маленькой. +Это все, о чем ты говоришь. +Слушай, тебе надо уходить. +Да. +Ты вправду хочешь убивать евреев? +В полночь. +- Каждый из нас хочет что-то забыть... +Она сожалела об этом, но ничего не сделала,.. +Говорите. +Поехали! +Скажи "да", маленький засранец, иначе я от тебя отрекусь! +Не волнуйся, я уверена что все в порядке. +Агентства по Охране Окружающей Среды... вытащили этим утром из Потомака спасатели-подводники. +Народ. +Жизнь не настолько сложна. +Давайте искать ответы. +Леопольд, не знаю, заметил ли ты, сын мой, но тебе срочно нужен доктор. +Я не Лео Дюрант. +Мы - лучшие друзья, и мы работаем вместе. +Ну-ну. +Я хочу полного одиночества в очень людном месте. +- Хватит. +- Ваша честь, это существенно? +Но не для меня. +- Я отнюдь не собирался держать на мушке хорошего копа. +Указан адвокат +Что здесь происходит? +Мой друг Луис сказал, что вы раздаете деньги. +- Мы можем открыть клуб плачущих. +Иди сюда. +Но она это заслужила. +Я даже перенёс рабочий график на пораньше чтобы точно приходить домой вовремя. +Урод! +Большинство виновны в подрыве арийских ценностей. +Бимиш, проводи наших людей до Испании. +Какая трагедия! +Да, это когда двигатель установлен слишком низко и топливо поступает недостаточно быстро. +- Такую мы видели. +- Сообщение? +Серьёзный и суровый. +Ты не убил дракона? +Эй, молодцы! +Конечно я люблю улицу. +O, вы в нетерпении? +Тебе там понравится, принцесса. +Ты меня не хочешь слушать. +Просто играют на барабанах. +Я представлял, что нас будет больше. +Проснись! +Инспектор, кто эти двое? +А теперь позвольте мне подвести итог, прежде чем я выйду отсюда со всем своим "стыдом" сказав вам одну вещь. +Это не муж и жена. +— Без понятия. +— Как там, Макак? +Заглушите двигатели. +- Как ты сказал, тебя зовут? +Возможно, мы еще встретимся в другой жизни. +Хорошая защита - это уход с линии атаки. +На время. +Но получилось довольно правдоподобно, и вот ты хочешь это рассказать. +Что это? +Не знаю. +Пусть эксперты снимут отпечатки пальцев с пуговиц ее пальто. +Вы не подскажете, где я могу найти человека по имени Джеймс Оулстед? +А зимой работает на снегоуборочной машине от окружной комиссии. +Дети? +Он идет сюда. +Спасибо. +Просто так вот уйдешь? +30 см воды под килем. +Ёто неудачное врем€ дл€ расслаблени€. +Значит вы открыли тайник, а клевер пропал? +Всё. +Я написала. +Забудь его. +Тост, леди и джентльмены! +-Когда же наконец заткнется эта чертова птица? +Я должен ехать. +На призраке, похитившем вашу душу. +Никто не поверит мне. +Думаю. +Ты переоцениваешь себя. +- Это бессмысленно. +Да. +Здесь? +Ну, у меня большие надежды на мою группу. +Юуши, ты играешь против Фуджи. +Кроме малышки, все идёт прекрасно. +Работаешь с человеком несколько лет, а потом искушение становится слишком велико. +Не "возможно", а наверняка. +Вы можете ретранслировать наш сигнал? +- Но мы будем беззащитны! +Тебе нужно что-нибудь? +Хорошо! +идем! +Совсем деревня. +Поест с нами дня три, и запах пройдет. +Ю-баба как пить дать убьет меня! +Да что ты? +Необязательно +Да. +- Нет. +Садись в машину! +Этот Ржавый Гвоздь это сделал... +- Мария! +Давай. +А ты? +Словно мы были любовники. +Ты обогнал всех в этом месяце. +- Хороший человек. +Штаб-квартира Даму. +Верните мне деньги. +Здесь должно быть больше! +-Он в спальне. +Где он? +-Только что была в колыбели. +Учитывая твой характер и... что он сделал. +Отвечай. +Временная капсула. +Спасибо. +Не доверяю я тебе с этим подарком! +Я не вижу мяча. +- Потому что, несмотря на то, как сильно я тебя люблю, это было неприятно. +Пойдем же найдем, что натянуть. +Я был бы счастлив, если бы мы умерли вместе. +Черт! +Поехали уже. +Ну да, конечно. +Ну, что тут скажешь. +Может, он стесняется. +которые готовы сделать пожертвования. +- Пожалуйста. +Мой сын Алекс. +А почему вы спрашиваете? +Экранирование этих туннелей регулируется из центрального ядра самой королевой. +Я размахивал красным флагом. +Я в курсе. +У тебя же нет волос. +Хорошо. +Нет, еще не перезванивал. +-Сами вышел. +-Да, ятоже. +-Ноя этого не вижу. +- Да. +Теперь вы в безопасности. +Мне кажется, ты с ним должен поговорить об этом. +Ники Хилтона. +Это круто. +Кстати +Не хочу показаться злобной, но я не жалею, что она наконец-то нашла себе отдельную комнату +Нужно будет сфокусироваться и посвятить себя всю +"О чём мы только что толковали, Бен?" +Они просто соблюдают требования закона. +- У меня как раз есть... +- Она этого не хотела. +- почти там. +Пап? +- Нажимай! +"Сокровища Древнего Египта" +- O, тебе тоже, Джексон. +Попозируешь мне? +Он упомянул смотрителя по имени Уильям Парчер. +- Вы продолжаете его удивлять. +Меня привели сюда против моей воли. +Может с людьми поговоришь. +Джон,.. +Если посмотреть внутрь, то ты увидишь-- +- ...или тебе придется-- +Мы сможем увидеть эльфов! +- Он отходит. +Дай мне час, и потом я объявлю своё решение. +Бекка, хватит! +Кольцо Всевластия пришло ко мне. +Фродо? +Разве ты не видишь? +Чудной он был. +Ты не безделушку несешь. +Странник оставил свой пост? +Дворфы? +Все эти годы мы были друзьями. +Он меркнет. +Та же кровь течет в моих венах, та же самая слабость. +А огоньки, Гэндальф? +- В чем? +Приключения. +Беги! +Спокойной ночи, Рейчел. +Хороший гриб, Мерри. +Так можно проткнуть насквозь кабана. +И девять... +Фродо, я Арвен. +Арагорн. +Постучу твоим лбом о двери, Перегрин Тук! +Вот, но здесь есть гном, которого не так просто сцапать. +Ходили на выходные в лес Саттон на пикник. +Стив... +Не так быстро. +- Проблемы связаны с этой девушкой? +Когда Вы прибыли на Землю? +Понадобится много времени, чтобы объяснить это правлению. +Я спал со связанными руками как обычно. +"Располагайтесь". +Всё в порядке. +- Не лезь в это дело. +Это мне мама дала. +В убийстве своего мальчика вы когда-нибудь подозревали +Когда найдёте, сделайте ему так. +Не дашь? +- Нет. +- Из-за письма, которое мы подписали. +- Какие? +Вы должны были приехать еще час назад. +Он сцапал меня на улице. +- Сколько? +Ммм, серебряные волосы, это точно, подумай об этом. +-Давай, что ты, как девочка! +-Спасибо. +Скажите, м-р Оушэн в западном крыле. +Я понял. +Нет, я уже был в школе. +Я подбил 6 "мессеров"... +Вы единственные пилоты в Армии, имеющие боевой опыт. +- Рэйф, нет! +Ты не умрёшь. +И это говорит девственница. +Если бы это было что-то хорошее, это не было бы так трудно сказать. +Проклятье. +Я сказал ему, что сожалею. +-Вы с ней... +Попробуй теперь представить, что я сделаю ему +Хелен, рада тебя видеть +Мить я на работу +Господи! +Я хочу чтобы мы встретились через 10 лет, в этот же день +- Сэр. +С тех пор как я заболел, я не могу себя контролировать +Пойдем! +Ладно. +Что? +Что за оружие было? +Держись от нас подальше! +Да? +У меня двое людей которые могут позаботиться, и ты дал понять что это никогда не измениться. +Повреждений нет, но что-то здесь не так. +Как заботливо... но я... не голодна. +- Он умер два года назад. +- Учительница, у вас есть дружок? +Они не купили мне... то, чего я хотел на Рождество. +- Смурфетка не трахается. +Никто меня там не знал. +- Нет. +Ближе. +Но я всё это перерос. +- Доброе утро. +- Первый эпизод утвердили. +- Вы все-таки рассказали все полиции? +- Нет. +- Но ему это подходит. +Она приводила к тебе своих учеников. +Из-за твоих бывших коллег я и здесь. +Это код SG-3. +А это профессор Мориарти, +Но существование - это все, что я делаю.. +Он ведь еще щенок, Батч. +Там ковёр из Узбекистана 10000 узелков +Но это же для... +Что мы собираемся делать? +- Как вам это? +Где именно она будет? +Не в 11:30 и не в 12. +Это не я... одела часы +Это было всего один раз +Видишь какой я голодный? +Ваш чемпион, милорд. +-Теперь ваша очередь! +Вообще-то у меня три своих полка на юге Франции. +- То есть как зто? +Ты был его мишенью на тренировках. +Послушайте, оденьте меня обуйте меня, ради Бога, накормите меня, и у вас будет родословная. +Как поживаете, Мюрьель? +Мне плевать, мы едем +- Кто бы решил запустить именно в вас куском мяса? +О чем? +Это просто моя труба. +Он выглядит так. +Он умер, несмотря на все наши старания. +Был вечен Ты, наш добрый Бог, Вовеки неизменный. +Что там внутри? +Все только делают что хотят, а потом возвращаются сюда. +Он был одинок с самого рождения. +именно это я и собирался сделать! +На что это похоже? +- И какой из этого следует вывод? +Я не против, если он будет петь "Коляска с бахромой в саду." +Мне начинать думать о свиданиях? +Выгони её, я тебя умоляю! +С днем рождения, сынок. +нБТДЦ ЪБВПМЕМБ, ЮФП-ФП ОЕИПТПЫЕЕ УЯЕМБ. +фЩ УМЩЫБМ, ЮФП УЛБЪБМБ НБДБН иХЮ. +уОЕКР ОЕ ИПЮЕФ ЧЪСФШ ЛБНЕОШ УЕВЕ. +чП-ЧФПТЩИ, тПОБМШДХ чЙЪМЙ. +На самом деле, нет. +Могу поспорить, один из них от той двери. +оП С ПЫЙВБМБУШ. +с РП ПЖЙГЙБМШОПНХ ДЕМХ иПЗЧБТФУБ. +Пaпa! +Убuть. +C этого и нaчнём. +А такие действия оставляют отметины. +Пожалуй эту. +И один из них должен подойти к этой двери. +Дaй cюдa, Maлфой. +Неважно... +Позволь мне закончить. +- Да. +Ваша борьба по добыче угля... такая же важная как и моя. +- Спасибо! +Кроме солдат никого не должно быть. +Не хотел выдавать свою позицию. +- Это очень здорово! +Там немцы. +Он стал тогда центральной фигурой музыкального события в Париже. +Как тебе это, а? +Хочешь попробовать знаменитые вегасские бифштексы за 4.99? +Скоро вы пожнете плоды своей щедрости. +Зачем иначе королевские особы призвали бы вас к себе? +О, и сколько она весит? +Это должно помочь. +- А, ну, прекрасно. +Лжец! +А в контексте? +— Кого там ранило? +А я ищу человека с настоящими проблемами. +Вы будете сидеть здесь до конца жизни. +- Спасибо. +Потом он дошел до четырех тысяч. +Ты не получишь ничего, пока я .... +Да. +- Дерек, открой дверь! +Считайте это подарком на новоселье. +Человек, сидящий среди нас... я считаю его своим братом. +Я нашел этот номер в дневнике моей дочери. +- Точно нет. +Увидимся ещё. +"гра в пр€тки. +- Ктo тeбя сдeлaл? +Дoктop Знaю cкaзaл, oнa в пoтepяннoм гopoдe в мope... +"ы должен мне сказать, тогда € пообещаю. +Юбка очевидно и не больна, и не отсутствует. +- Конечно. +-Они у тебя не такие уж и страшные. +Бриджит: +Да. +Я подумал, что было бы забавно... если бы на презентации книги Вы представили меня перед тем, как я представлю ее. +О, Боже... какой же он все таки негодяй. +Займи мне место. +Сэм, ты можешь идти, если... +Ведь это мужская раздевалка. +Симпатичнейшая. +Открывай. +Можно автограф? +Я не... +Обещай. +Она наша? +- Дверь №3. +Когда я смогу познакомиться с твоей замечательной тётушкой? +Потай уже проверяет это. +Я жених. +А хочешь, я тебе ее на разок дам? +Значит, так. +Я встречусь с этим главным инженером. +Немедленно. +Конечно. +Я думаю, ты иссяк в тот момент, когда стал встречаться с Твист. +С вами ничего не случилось бы, если вы сделали несколько шагов. +Ниликс. +Это тебе кто сказал? +С твоими руками... +- Хорошо, ладно. +Отстой. +Я пойду спать в гостиную. +- Нет. +Щиты не отвечают. +Достаточно много. +- Нет, соседка по комнате, Дана Кимбл. +Молодец! +- Да! +Что ты говоришь? +Я прoдал ту часть прав на "Тупицу и Хрoника", кoтoрая принадлeжала мнe. +Чeрт, тoлькo нe гoвoри, чтo... чтo ты сoбираeшься вынуть свoй члeн... и пoказать eгo этoму милoму сoзданию? +Нам нужно отвезти его в госпиталь. +President Gore addressed Congress today where he outlined the White House plan.... +Эй, куда это вы собрались? +А теперь он ваш адвокат. +О, это правильно, да? +Я хочу, чтобы твоя оборванная задница убралась! +Прокатился, типа, мимо подносов с едой и выбрал, типа, в два раза быстрее. +Эх, лучше бы сирень! +Пройдите в комнату, мадемуазель Пулен. +Что ж, подумайте ещё раз. +На Лионском вокзале. +Не понимаю. +А что, что-то получилось? +Ты не можешь за меня посидеть на кассе? +- Бон Жур, Ник. +Это он! +- Хорошо. +Молодец. +Думаю, будет здорово, если она останется дома с ребёнком. +А как же твоя работа? +Я как раз вспомнил, Уэб. +Найди, чем запереть ворота. +Переводчик Пак! +Командир. +Она клиент. +Я не пойду на Суперкубок. +Но после того, как я провел какое-то время с ним в постели, я понял почему он ее притягивает. +Не могу поверить, что ты говоришь, что мне нужно с ним поужинать. +- Дорогой, мы говорили с тобой об этом. +Я вижу. +Он издевается над моим произношением? +Я облажался. +Тебе не понять. +- Мне все равно! +Я не хочу быть невежливым, но у меня полно работы. +Наша очередь дежурить! +Кидо-сан, может, нам стоит вмешаться? +Мы им разъясняем, что тут к чему. +Ричи, если ты живёшь в Орегоне... +Документ на право владения был подписан продавцом +Нет? +Ну, как дела? +...три пары коренных зубов,.. +За это время вы будете получать ароматный физиологический раствор,.. +Какие будут распоряжения? +Я Крэйн. +- Вот же фотографии, Леопольд. +Чарли, ты выглядишь фантастическии. +Бо всегда приходит на такие мероприятия. +- Конечно, Дорин! +Я был свидетелем того, как мой отец горел живьём. +Полиция! +Мы поговорим? +Мы снимали ее на недостроенной автостраде в Лос-Анджелесе. +Мы легко сходимся и вполне дополняем дрyг дрyга. +- Как жизнь, Миа? +Ладно, садись давай. +Тебе нужно поверить мне. +-31 +. +Мы встретим тебя сзади! +Отвали. +С Вас три пятьдесят. +Пожалуйста, мистер Тензи. +Почему ты сделал такую глупость, даже не посоветовавшись со мной? +Он стал задавать слишком много вопросов о мой личной жизни, ... и вот, сегодня вечером, он пришел ко мне с цветами. +...и никто не знает, куда и почему. +Аномалия с небольшим потреблением энергии. +- Вы в порядке? +Догадка? +Это было совсем недавно, но ничего не вышло. +По крайней мере, с нами. +Он продвинутый. +(кашляет) +Потому что при получении новейшего компьютера, который только был в начале 80-х вам было не обойтись без коммерческой операционной системы. +Если вы приходите в кабинет начальства и говорите "Свободное ПО", хорошо, если Вы везунчик и услышите в ответ что-то в роде +Никакого хобби у тебя, никаких увлечений. +И потом сказал: "На хуй". +Вот тебе и День Благодарения. +Пылесосы, страховки. +"Черри не интересуют подобные вещи"? +- Ничего. +Дай посмотреть. +- Да, конечно. +Я даже боюсь двинуться. +Отпустите всех. +Как ты поправишься, убив горстку детей? +Нет, я серьезно. +Эй! +Получив наследство, она хочет на время уехать. +- Но я хочу быть с тобой. +Дайте всем таблеток. +Это не работает. +И когда "Нибула" отбрасывает их от себя, образуются дыры и провалы во времени! +Вы работали в Хоуп Валлей? +Видишь, какие они сегодня, чувак! +Мне тоже +Дерьмо собачье. +Что он там буксует? +Чувак, нет. +Хорошие мальчики. +Да. я..., +Каким бы ты не был, это то, что мне нравиться. +Всем нужно... даже ты должна это понимать +- Не надо со мной играться +- Нет, нет. +Ладно, вон из группы! +Я - зверь. +Может быть представиться в качестве зубного техника? +- Продолжение Жизни не думаю, что Бог против сохранение тела человека... +А тебе, а? +Карлос, давай все вместе посмотрим твои комиксы. +- Бог знает, через что мы прошли вместе. +Забирайте его. +Все увольнительные отменены. +Огонь на поражение! +— Да. +— Сколько раз будете пересекать реку? +Разве это менее реально? +Пошёл, пошёл, пошёл! +Согласна. +Это ты? +Мне кажется, у него снова проблемы со спиртным +Я думаю, нам стоит остановиться +Ты права. +Что означает настоящий живой сок грейпфрута. +Живее! +- Я не хочу это обсуждать! +Тюрьму? +Кем ты хочешь быть, когда станешь большим? +Я сказала ему, что тебя уже публиковали. +Как будто ты что-то читала! +- Вчера он посвятил этой теме весь выпуск. +Попрощаемся с мамой. +- Лозанна. +Но это еще не все. +- Сакэ? +Так если перемещает' становясь владениями Триумвирата в Африке, силовая база Центра историческая. +мне все равно, милая. +Ты скрываешь свои чувства, Хайд, но я знаю - ты нуждаешься в любви. +Научился. +Я не был дома 15 лет они хотят в Париж. +Что? +"Чпок-бом-бом-бом!" +Вот что я думаю о Топазе и его заданиях. +Хотите присоединиться? +Вавилонский Мардук и греческий Зевс оба считались царями богов, властелинами неба. +Они находили оправдание угнетениям. +Почему мы стоим здесь и слушаем? +Ты сам себя скорее убьешь, если столько есть будешь. +Почему бы не купить варенье? +Туда. +Я раньше ел кроликов, они очень вкусные. +Я видел, как он родился, видел, как он вылез наружу. +Всё в порядке. +Боюсь, иного уже не дано. +Привет, Дэнни. +Да. +Тебе нравится, Дэнни? +Иди поиграй с нами. +Ладно. +Что-нибудь придумается. +Я не Кроу +Полагаете, болотники принесли эту штуку? +Ты только сказала... что нуждаешься в защите на два дня. +[Живым, он мог бы привести меня к Ла Булю.] +Если вам интересно как я мог быть так уверен... что комбинация была номером телефона если бы нет, Хиггинс бы выйграл. +Пойдем. +Живо! +Не может! +Четвертая планета звезды Ксиминес в созвездии Липтерион. +Что бы тут внизу ни происходило, оно должно скоро начаться. +Оно убьет тебя. +Это невеста. +Может мне ее порезать для вас? +Итак, помните: уравновешенность, сдержанность и самоконтроль! +Мм... +В ролях: +Просто для прикрытия своей настоящей личности чтобы заполучить ваше доверие. +Я пытаюсь спасти тебя, давай. +- Папа, я нашел головастиков! +Но я уверена, что все остальные туда едут. +Их время истекло. +- Чрезвычайно сексуальный. +Знакомьтесь, новый гость. +Все за стол! +Я сама от себя не ожидала. +На вид обыкновенные человеческие рчки, но зто только кажчщаяся видимость. +Не хочешь? +- Угу... +- Угу. +Он обзывает меня педиком - извините, Жан-Лу - и рассказывает этим людям, что я хотел его подрочить, что я делал ему грязные предложения и всe такое. +В обществе, где 855 мужчин и 8 женщин, +Хорошо. +3 минуты под водой. +Правда? +Не козлись. +Алекс Роко +Открой глаза. +Не знаю. +Таковы были последние слова вашего покойного отца. +- Конечно. +Пройдемте в мой кабинет. +Совместное производство СЕРИЮ ФИЛЬМ и ГОМОН ИНТЕРНАСЬОНАЛЬ +Я советую вам отпустить мсье Дюпре. +Я не знаю, отдаешь ты себе в этом отчет. +Отойдите! +The whole rhythm section was the Purple Gang +Когда вокруг ни души, мне нужна ты. +Этот дом мой дед построил. +Товарищи. +- Ну я же слышала, как кто-то его произнес. +Пора с этим смириться. +Это сто, старого Губастого Нельсона хибара? +Я говорю о своём поколении, к вам это не относится. +- Ни какой он не кавалер. +Я не верю, что мне помогут твои благословения. +- Да. +Она всё о себе воображает... а в итоге - ничего. +- Не знаю. +Господь +Простите. +"Почему?" +Пожар! +- Тебе понравилось? +На днях я побывал там в первый раз за все время, что он там учится. +"Ты видно устала, пойдем спать" +Жареное куриное крылышко. +Я надеюсь найти уединённое и приятное место в деревне. +Нужно хорошенько обработать антисептиком. +Я и так знаю. +- Ах, ты. +- Потанцуем? +Я помогу, если смогу, но, увы, и у меня есть предел. +Надоело постоянно терпеть издевательства этих типов. +Я серьёзно. +- Ты не должен был делать этого. +- Завтра! +Вы отбираете у меня последнее! +А что рассказывать? +Да, королевским прокурором. +Я лгала раньше, мне нужно было солгать и вчера. +Ты можешь быть счастлива, пока молода. +- Джордж! +Если мы убедим фею, что хотим ей помочь, девчонка укажет нам на убежище... +Никаких следов девчонки. +Привет. +Ну, если вы так считаете... +Чудесно. +- Это не Стюарт, а Фредди. +Сеньор... окажите мне честь... +- Не знаю. +Какая самонадеянность, самонадеянность! +Расстаться? +Хорошенько накормите и напоите их. +Но я не хочу, чтобы меня защищали. +Протестую. +И как в каждом штабе МПМ, его сердце в бирже труда, управляемой моряками и для моряков. +- Посмотрите. +Впрочем, это старая история... +Да, понимаю. +Я только что говорила с ним. +Я был не в себе той ночью. +Ты же советский офицер, войну прошел, награды имеешь... +Сколько он там в своей разведке пережил? +Имущество беречь как зеницу ока. +Хороший удар, капитан Филатов. +Укреплять - это для легенды. +Я не извиняюсь, я говорю, почему я... +Это дом моих родителей. +- Прости. +- Волшебные палочки убрать. +Сообщите членам Ордена, если сможете. +Привет, Леонард, ребята. +Это делает похороны очень романтичными ... а вообще свадьба - скучное мероприятие +Ты ее знаешь как Мишель Квон. +Снежинка. +Я влюбился во врага, Кейти Ван Вальденберг. +Джимми! +- Справа от вас. +В моем доме, Майкл +Претендуете на эту вакансию? +Кто это? +Я стал к тебе клеиться, потому что решил, что ты красотка. +- Ни то, ни другое. +Но у меня нет такого чувства, так что, я не могу умереть, верно? +Иди,|надери несколько интернских задниц. +что пора. живых людей с такими чёрными кольцами... +Мама? +Чем безумнее становились фанаты Елены, тем всё более она отдалялась от меня. +Ой! +ќна принадлежала к... племени 'итачи! +"ух! " мен€ аж крышу снесло. +Хоть и было б счастье здесь, придёт пора нам расстаться навсегда. +Присаживайся, салага. +Это человеческий детёныш. +Тиаки-сама такой классный! +- Нормальные дыхательные шумы. +- Эй! +- Hy, мaлeнькo тeм, мaлeнькo этим. +Пока нет. +Ты не можешь об этом просить. +Они взяли людей с границы. +Нет... +Неделю назад Абу Ахмад приехал взять бензина, +Кроме того, эти карпы убили всю остальную рыбу. +Ты можешь чувствовать себя здесь взаперти, но это намного свободней клетки в которую они хотят тебя засунуть. +Нетерепения любой ценой избегать нужно. +{как и dark_dr4g0n} +Должен подчиняться приказам. +Вроде как. +Похоже, что мы выиграли в их квадриллион-долларовом семейном тотализаторе. +Я так и думал. +Клайд, чувак, 'пойдём веселиться' в парк. +Найди его. +(говорит не по-русски) +Отoйдите. +Вы меня ещё увидите, мoжете не сoмневaться. +- Сюда! +Детектив без поддержки других не может сделать многого. +15 лет, 8 месяцев и 9 дней я был с ним каждую секунду, возил его, защищал. +- Он мне нравится. +Не делай этого. +Почему? +Миссис Ван Хофф! +Одна дама просила терминал застегнуть ожерелье, так он чуть не сломал ее шею! +- Да мы ничего не ели! +Просто сидите спокойно, все вы, постойте... +Сладкая трава и плоды находятся за моей оградой. +Да, это так. +Квасир, опускайте её потихоньку. +Неужели я это вслух сказал? +С Моник, было просто. +но она отказалась. +Харука? +- Я до сих пор девственница. +Я тебя завтра увижу перед отъездом? +- Что ты имеешь ввиду? +Сейчас мы спросим у командира Пака, так? +Я найду их всех, одного за другим, и убью. +У нас скучная работа, но цель проста. +Несомненно, Чжи Ву втянута в действия Кея. +Пэ, сукин сын. +Хотя там приток денег с санаторного бизнеса, через другие счета ушли огромные капиталы. +Мы с Вероникой собирались съездить отдохнуть. +Там записано, что он был реципиентом почечного трансплантата от.. +- Я? +- Очевидно, что это птичье дерьмо. +Салфетку! +Давай, иди. +Надо найти другой способ взорвать динамит. +Будем спать под звёздами, оглянуться не успеем, как прилетят вертолёты и отвезут нас домой. +ЗВОНОК В ДВЕРЬ +Вы еще можете пригласить адвоката. +Причем под каждым из ее ногтей. +У нас нет выбора. +Не стоило приглашать профессора Докера. +И церемония со свечами тоже сегодня, помнишь? +Вас приветствует центр знаний CRU. +Слева. +Какое особенное место... +Номи, погоди, давай поговорим. +Но она говорит, что картины... +Почему Чжун Мо? +Вы необъективны! +Так? +Пожалуйста. +Это не Юн Сын А? +Мне очень жаль. +я ни на что не способна? +Только когда у нас нет пары. +У тебя больше солнечного света. +Да. +Райан пригласил нескольких менеджеров филиалов и Тоби в лес провести выходные в стиле "узнаем друг друга". +Да. +- Знаешь, что я сделаю? +Это откроет тебе глаза. +Единственная причина, по которой его поймали, заключалась в том, что он был слишком жадным и что он был слишком глупым! +Вот, что произойдет. +Они могут работать день, неделю, месяц. +Ты можешь сказать им? +- Нет, не будет. +Все замечательно. +А живу в центре. +Чииииз! +Он инфицирован, да? +Но теперь я не боюсь. +Ну вот... как тут же вывели его из себя. +Ему был нужен кто-то свой. +Пытаюсь тебе соответствовать, дорогая. +- Они от шума +Технически я должен был раздавать попкорн в каком-нибудь приюте в трущобах, но тогда бы я лишился удовольствия разгромить тебя со счетом 2:1. +Отлично. +- А, ясно! +Вставай, детка. +Мы сидели с ним вместе, я говорил с ним, со всей серьезностью, и уважением, как и полагается джентльмену! +Но он очнется? +Ты лучший для этой работы. +Такер... +- О! +Та-да! +! +Это анти-американски! +Он первый день на работе +Мама говорит, я могу играть когда сделаю уроки. +И на ноги он всанет не скоро. +- Конечно. +Не, мне пока незачем. +Чувак, я думаю лучше просто сказать им. +Все путём. +- Нет, спасибо. +-Как он может нам помочь? +Поэтому я душа общества, в отличие от тебя. +Это оттянуло немного. +Поэтому я не слышала историю полностью. +Знаешь, я подумала, вечером мы могли бы почитать её вместе. +-Теперь, если мы спустимся сюда, мы увидим это девочка или мальчик. +-Нет, нет, ты же так хотела узнать пол ребенка, как раз время. +Мне даже разрешения не стоит просить. +ну же! +О"Нила застрелили. +Он... +Назад! +Не трогайте! +Это было лучшее примирение, о котором родители Джона даже и не мечтали. +Организовать оборону! +В добрый путь! +Мой живот... +- Это Шарлотта. +Гребаная немецкая шлюха! +Как ты думаешь... +А что ты сам не сделаешь? +Очевидно, что атомы и свет связаны между собой. +Наша человеческая натура заставляла нас задавать вопросы обо всём, что мы видим вокруг в мире. +√олосуем. +- Не сейчас, Картер. +Слушай. +Ничего не было. +Просто не хочу её отпугнуть. +Мы будем ждать.. +Все нормально. +Ну пока. +Только смотрю... +Я... +Делай, что говорят! +Ты боишься, что они слишком сильны. +- Ты же не будешь строить из себя скромницу? +- И что няня? +- Не волнуйся, я его накормлю. +Видел, как он вырос? +У Вас усталый вид. +Что-то не так с его рогами? +Ага, если хочешь быть суперкопом в маленьком городке, пиздуй в макет деревни. +Ты хочешь его спасти? +- Ясно? +Точно. +Ты убийца? +И я не спятил. +— Правда? +Извини, что я родилась, хорошо? +- Да. +- Она теперь в лучшем мире. +Кем возомнил себя этот Дэн Хамфри? +Если я тебе кое-что покажу, обещаешь никому не рассказывать? +- Та тряпка, о которой сказали дети. +- Ты имеешь в виду отсталым? +- Причудливым поворотом событий преследуемый стал преследователем. +Мы не встретились. +Если ты решишь жениться весной, то мы сможем избежать сезон муссонов. +- Итак ... кола. +Быть может, нам стоит приехать и вмешаться? +Но еще и всю дохлую рыбу, которую привез с рыбалки. +Эй! +Думаю, Тэсс осуждает меня, что я отнял ее от семьи. +Да. +Да будет так, аминь. +- Она слишком мала, чтобы быть мазохисткой. +Как у неё могла наступить эта зрелость, если она еще не вышла из младенчества? +Э... +Это все-таки было оно. +Джейсон, привет. +и что важнее, в памяти телефона. +Мам, ты куда? +Эй! +Положи голову на капот. +25%. +Таким образом мы заперли его. +Для Ники. +Уверен, что мне стоит остаться? +Да. +Лукино, остынь! +Некоторые люди не верят, что черный может быть лучшим вариантом потому что холодный воздух будет нагреваться +Я подумаю, что я могу сделать. +Пожалуйста. +Кларскон! +Я хотел сказать, что я думаю, мы подьезжаем к краю ледяного поля. +Я не позволю своему мужу встать на пути моей беременности. +Семпай! +Во имя Юноны, тебе что, влепить? +Где эта проклятая баба? +Алма! +Однако, в кругах высшего света, увлечение Белчи... +Я прав? +Вы очень неплохо поработали, сэр. +Соответствие истории и поворот Такезо Кенсея в героя, будет непростым. +Втроем лучше! +- Всё в порядке. +Что мне теперь делать? +Телефоны не работают, на радио не отвечают, но мы будем пытаться дальше. +Чувствую в себе силы, Ваша Святость. +- Виктория. +Никто. +Давно я не слышала столь приятных вестей. +Что за чушь? +.. и политиков. +Это место передано другому лицу. +Вколите ему обезбаливающее. +Пойдёте выпить чаю через дорогу.. +Ну, Никки Рубенштейн позаботиться обо всем, поверь мне. +- Дерьмо. +Феррис, устанавливай вон там. +Это не так важно +Даже когда я хотел уволить тебя, она не дала мне этого сделать. +Только тут не она работает, а я. +Теперь ее нет. +- Козел, смотри под ноги. +- У меня есть один. +Потом пришла мышка и ленивый увалень сказал... +Ладно, вы, двое, помойтесь и в кровать, и помните, если не будете меня слушаться, Бог убьёт вас. +Про бедность и ... +Просто офигенные. +Но возникла небольшая проблема +И даже нос не чеши. +Косишь под манекен-пис? +Почему нет? +В данный момент он на вилле одного известного нам колумбийца неподалеку от Канн. +ХващаЃEдругатЃE +-Да, но обычно эти твари не играют в команде. +Или любила торт. +Они думают, что ты куришь крэк. +Я уже проверял, поверь. +M.R.I. не покажет ничего нового нет ничего, что может помочь понять, что произошло. +В комнате слон! +Какие-то непонятные помехи при включённом ралио, ла к тому же +Aаа. +Серьёзно. +У меня есть все для приготовления кус-куса, даже рецепт! +Я все еще не уверена, что убийца это Чон Чхоль-Чжин. +Не волнуйся, будет быстро. +Знаешь что? +Очевидно глубочайшее влияние, которое эти структуры имеют на формирование нашего сознания и взаимоотношений. +- Карл Саган - (1934-1996) +- Ничего? +Господин! +- Не подходите! +Но когда-нибудь я смогу победить Домёдзи. +Чем это? +Вот поэтому-то я и попрошу тебя меня подвезти. +Для бури слишком темно. +Вы хотите сходить в антикварную лавку, не так ли? +Она олицетворяла собой китч. +Ты как? +Оно же вонять начнёт. +-Не знаю. +- И мне... +Бедняга. +Вот тут. +В последнее время? +дН БЯРПЕВХ. +Пока однажды в четверг, примерно в пятнадцать сорок три. +Вам за это заплатили? +- Потому что он шпион. +- Дядя невесты! +Опусти пистолет. +школьный совет Хакуо. +Нет! +- Ладно. +Какао для слабаков. +- Как раз наоборот. +— Даже не помню... — Похоже целую вечность... +Что ты всегда окружаешь её своим теплом. +Все, что Вам нужно сделать - это наклонить голову налево и дать своему разуму парить, как орлууууууу... +Ваш энтузиазм смущает людей! +- Серьезно! +Я тебе не верю. +Видимо, сложно вести себя единственно, когда ловишь такую рыбу. +Поняла вас. +Теперь взгляни... ты стала... одной из самых страшных шмар... которых мне только доводилось выбрасывать из машины на полном ходу. +Wow! +я ненавижу Джорджа он женился из карт думаешь он знал? +Гамлет! +Она выкрикивала непристойности, будто банши. +.. +ссоритес? +So say good night +Пол. +Вспомни. +Девять... +Говоришь, что моя мать, а сама не мать! +Это Антония - директриса. +Рита. +Будет сделано! +Я нажимаю кнопку 2. +Пега, заводи! +Конечно. +Да. +- Сегодня. +Я стерла себе все пальцы до кости.. +Мы должны поставить для Матео скрытое наблюдение. +Веди аккуратнее. +- Пеитон Маннинг прикольный. +Но у меня здесь еще осталось там много всего. +Потому что вы правы. +- А я ведь говорил ему, что нужно придумать что-то комичное. +Словно оно было выращено. +Как давно ты работаешь с профессором? +Для медленного старта это перебор, да? +Доакс невиновен. +Не там - здесь... +Умный пёсик. +Ладно, если это свидание а, не просто случайная связь, +Да, знаешь? +Я новенькая. +Это часть упражнения. +- Я знаю, что Дора там! +Я принёс удлинитель, чтобы мы вечером могли вытащить телевизор, поставить воттут и ещё раз посмотреть фильм про Дилана! +Валяй. +И зачем бы мне делать это? +Отвали, Форман! +В тюрьму вы не сядете. +Наш малыш летал с Люси в небесах из циркония. +Всю ночь искать идеальную ёлку? +- Мне о достатке только мечтать. +- Завтра привезём, хорошо? +Привет, дружище! +— Присутствую. +Это совсем немало... +- Уверен? +Замечательно. +Открой рот. +Распутия. +Ты чист. +- Я позвоню в участок. +Оставь меня в покое, блин. +Ещё я им сказал, что моя мама застрелила Эйб Линкольн. +Возможно внутренние кольца возникли при столкновении самих спутников. +- ќн ни при чем. +Мокутон! +! +Ты с ним знаком лично. +Это может показаться самонадеянным, но... +Организованно отступайте обратно в школу. +Нечестно! +422.31)\3cHA054CC\1cHA054CC}Мы — герои 422.31)}Мы — герои +Да? +Это в миле к западу от города, не так далеко. +Ёто тво€ мать? +Извините, мисс, туда нельзя. +Что это? +Ладно. +Пиццу с пепперони. +Тьi действительно не знаешь, кто я? +Больше похоже на откат. +Ты считаешь, что ты нормальный. +но ничего не смог сделать. +15)}na 15)}i +\1aH00\3aH00}... +-У тебя есть картофель? +Нет. +- Они атакуют! +Потому что я - король. +Ваш дядя слишком много знает. +Вы получили моё донесение. +Вот так. +Степан, что? +Ставки? +Тебя и твою маленькую шлюшку +Я имею ввиду, это ночной кошмар, но не ночной кошмар ночной кошмар. +Я пытаюсь взять пробы у других женщин +Ты представления не имеешь, как долго его не будет. +А... да... он женат. +вперёд! +ты понимаешь меня? +Это неприемлемо! +.. +Выпить 5 бутылок - тут никто не устоит. +В говядине повара О нашли кровоизлияние, поэтому его дисквалифицировали. +Жить на платиновую кредитку Винса – это бред! +Что ты здесь делаешь? +Носила вьетнамки на улице. +Подозрительно? +По-твоему, это зарядка? +-Не пешком же идти. +Эй! +Это. +Благодарю, сэр. +Да. +Мы не должны раскрывать личность Киры до конца передачи. +они к этому не привыкли. +Ладно, парни, пошли. +Я прошу тебя. +В этом шоу было много сцен, где ей надо было плакать. +.. +"Из знаменитостей в воры". +Я взяла 4.000.000$ у твоего отца и согласилась порвать с тобой. +Сегодня вечером можешь за мной не приезжать. +Это продукт этого сезона от Монт Бланк. +- Вы его знаете? +- разумеется! +- Это к тебе не относится. +Отдайся стихии! +И тогда: "Кстати, я скоро умру и поэтому ты мне нужна, так как я не хочу умереть в одиночестве"? +Дамы и господа, Президент Соединённых Штатов. +- Были. +А, 549.99 долларов. +А у меня молока хватит на несколько головок сыра. +Позвольте, капитан, я представлю Вам художника, который вскоре всех нас увековечит. +Это не может больше повторяться и это больше не повторится, хорошо? +Нам нужны перчатки, внутривенное, бинты, тампоны, халаты для травм. +Ты бы хотел переснять "Гравитацию?" +Уверена, сейчас ты мечтаешь о мальчиковой обуви. +- Ты, что? +- Массовые беспорядки! +Шерлок Холмс. +Это просто работа. +- Она разговаривает с лягушками... +Вот что они сказали Розе Паркс. +О! +Что это? +Это наш шанс! +Что за дурак. +Я могу отвезти тебя в аэропорт или... +И не то чтобы я не могда дать ей сдачи. +Он так и не пришел. +Думаешь, его украли? +Ёто ирихара. +Вот почему Дэн хотел бы попросить вас об одолжении. +ДНК? +О его хромосомной аномалии. +Нет никакой разницы, что ты скажешь или сделаешь. +Мы их сюда приводили. +Врач дал маме успокоительное под названием Атривидиум. +- Чтобы успокоить. +Это очень, очень плохо. +Незамедлительно! +Стой. +Я бы с удовольствием пожертвовал своим временем и позанимался бы диджеингом. +Когда, когда я буду в подходящем настроении.... +Пусть у вашего сына будет ваш снимок. +Эм, да,ээ +Хорошо? +ТЫ что, нажрался? +- Ты не разобрался в ситуации, Ноа. +К-А +Если я в фильме и сборов нет, меня не зовут, я неинтересна. +Но пока никаких улик нет. +Я без тебя не уеду. +Мэрион +Тренер! +Я подумала, что ты захочешь узнать. +Давай. +Она вызвана высококалорийной пищей и малоподвижным образом жизни. +Там есть, кому отбиваться! +Слышу, Медведь, слышу. +Снято! +Послушай... +- Омотри, что со мной? +Ты не можешь. +Если на его фургоне есть такиеже царапины... +Он на свалке машин. +Сильно обгореть на солнце, особенно плечи. +Как найти иголку в стогу сена. +Я достал, достал. +Ты понимаешь это? +Ээ... +Хорошо, давай просто не будем притворяться, что это было какой то хорошей вещью, которую мы сделали, +Забавно, что по GооgІе Марs пончиковая находится всего в трех кварталах от отделения. +Нам сейчас некогда быть идеалистами. +Я тяжело сражалась... +- Нет. +Конечно, очень +Хочешь упасть? +335)}В поисках друзей 192)}Четвертая серия встречаешься с девчонкой из драмкружка? +Полный вперед! +- Ты такая напыщенная, очень жаль. +Вы слышали? +Глядишь, обойдётся. +И моя обязанность +Ты все делаешь отлично! +Кто вы? +Скажи это. +- Раненый цыпленок. +- Попытайся остановить рай +Эй, старый друг, поехали с нами +Надеюсь, не разрушила твои мечты. +Сумасшедшая башка! +Нет! +На самом деле, типа повезло что я купил этот жилет. +Что ты делаешь? +Вы же поняли? +Они думали, что ты их король. +- Ещё не поздно. +- Кого? +А заниматься с кем-то другим - пустая трата времени. +Что за бред! +Группа пять — гриль, шесть — соусы. +- Да, вижу дубину. +Не надо. +Да, дружище. +Это слишком круто. +Спасибо, огромное спасибо. +Что, какие-то проблемы, приятель? +Это не твое спасение. +Так ты хоть что-то нашел в этом городе? +Да, ну, неделю назад или еще раньше. +Ну ладно, а тогда что ты собираешься сделать? +- Ok. +- Я передумал. +Какого хрена ты там торчишь? +Я давал тебе все, чего только ты хотела! +-Преподаватели в университете тоже удивляются... +- Вы Барбара? +Ты меня разыгрываешь! +- Играть... с нашей коробкой удовольствий. +Это работа для вас из-за того, как вы смотритесь? +Я не компьютерный техник. +Ты ведь никогда не причинишь боль Джонг Джу. +Что тогда? +Давайте выведем это подружку на прогулку. +Точно, Диана, будто мир и так не был достаточно страшным! +ƒжейсон. +Пообещайте им какую нибудь ерунду, и получите все, что хотите очень быстро. +Прости, но мне нужно подумать. +Привет... +"Я никогда не смогу сказать ей о моих чувствах." +Я в отличном настроении, счастлив видеть и тебя и твою Жанну Д'Арк. +-These things I could never describe +Что не так? +Ты бы лучше извинился за то, что оскорбил моих родителей. +Стой! +Я подумаю об этом. +что у них настоящая ссора. +Я принесу вам яблоки. +Тогда ты первый. +Найти ему девушку. +Я, наконец, почувствовал, что я дома, услышав твой громкий голос. +Ты хочешь мне что-то сказать? +Сохраняй дистанцию в 2 метра. +Какой еще магазинчик? +- Я знаю, кто киллер. +Почувствуй жар бибопа. +- Или я ему не понравилась. +Вы и так постарались. +Расстались. +- Два минуса. +Ты знал моего отца? +Выбор Бри был вполне понятен. +Вот дурак. +Приближается шторм! +Я думал, это никогда не кончится. +Ватрена захватили в плен. +Когда я получу меч, я подарю вам мальчишку. +Твой сын Костя". +О, я тебя понимаю, Тодд. +Скала ниже непроходима, примерно 600 метров прямо вниз. +Я не лазил в горах последние 3 года. +Как, просто... когда задница просто как... +Эксклюзивная обувь. +На что ты смотришь? +Ты не хочешь сказать спокойной ночи? +Я мог бы парить в кровати +Хорошо. +Меня носишь! +Могу я проводить красавицу-Джейд домой? +Мне жаль. +Хорошо, тогда мы найдём тебе помощь. +Ты сделал. +- но так и не сделали. +И я не смогу вырастить его без тебя. +Я сожалею об этом каждый день. +Да так и есть. +О, конечно. +Скрывается в трущобах Мексики? +Во что ты нас втянул? +Дела идут неважно, поэтому он платит мне значками за танец на коленях. +Ну давай же! +Так нечестно... +Это прекрасно, удачи, моя малышка, +Как я. +Я Клэр Батлер. +125)}mr_Well +- Какого цвета волосы? +Любовь моя. +Они мои лютые враги и постоянно копают под меня. +Почему так много работаешь, Лиззи? +Хватит про шефа. +Шеф уже один раз меня уволил. +Трудно сказать, но я сделал не меньше 3 миль. +А новенького ещё не видел. +Чудик свалил. +Я ни слова не разбираю... +Тебе больше нравятся замороженные? +Будто это я сделал что-то не так. +Я просто хочу, чтобы ты это знал, хорошо? +Это письмо от Сон Ён. +Ваше Высочество, проходите. +Я уже не питаю надежд на возвращение подношений. +- Есть! +Возможно..? +Можешь войти. +Он истощён после недавных событий. +Идём. +Можешь войти. +Я люблю смотреть на одержанные победы, как мужчины. +Добавки, пожалуйста! +Господи. +Вставай и поешь немного. +Прямо у меня в гримерной. +Пять, четыре... +- Да. +Ту или иную сторону. +- Там нет стрельбы. +(Калибра продолжение) +Например, какие? +Так как я чувствую сладость внутри, думаю, пойду выпью чашечку кофе. +Хоть вы и не выполнили вашу работу до конца, я сдержу свое обещание. +Славу Богу, мама. +Если я тебя слишком раздражаю... лучше отпустить тебя. +Куда? +Это очень специфическая реальность собственности. +Надеюсь, что нет. +- Я могу вам помочь? +Не ссы, Ллойд, просто жди. +Встал, погулял и полегчало. +Здравствуйте... +А сам выстрелил. +- Гоцман приехал? +! +Там вы сможете отдохнуть и подождать, а также принять все бульоны, что пошлют вам дамы города. +Как же мы его достанем? +Крепче держи щетку, глупышка! +Я буду поднимать революционное самосознание и драться в мировой войне. +- Ведь теперь это делает Баттерса геем! +Очень смешно! +Не нужно.. +Ты тупее жабы, костюм +Полиция! +! +Ладно, парни, на скотобойню. +Это весело.. +Нет! +Он видимо сошел до взлета.% +Вставляют иглу в бедренную кость, высасывают костный мозг и вводят его мне. +Мардж, дорогая, какой код на нашем свадебном альбоме? +Я верну. +Эй, слыхали новости? +Я уверен, у него есть объяснительная, сядьте. +Что за бледный вид? +Да, возраст пять-шесть лет. +Спасибо +Это - время для хороших друзей, чтобы собраться, +В приюте все так обрадуются. +Такой же символ! +мы похожи. +Я вас насквозь вижу! +Прощайте. +Не беспокойся! +К бою! +- Приятного аппетита! +Проблемы? +я его одолею! +Что происходит? +Давно не виделись! +Джибашири! +Акацки не удостоятся никаких наград. +В мире мечты... +Помогать запрещено! +Поэтому он пошёл за долгом. +пока раны заживут? +! +Чидори +Проклятье...! +Что тут сказать... +Учиха Мадара неуязвим к такого рода атакам. ты должен быть во плоти. +! +И сразу сдавалась... +Это сеть патруля Деревни Листа. +Джюухо Соушикэн! +Понял! +А как насчет такого? +нужно сделать её в большой толпе народа. +как это сказать. +ваши ничтожные планы идут к черту! +чтобы жить. +Как раз моё! +он каким-то образом связан с Трёххвостым! +Оставьте это нам. +за который боролись и погибали наши предки! +Я перетащу тебя с четырёххвостым в себя. +Пока существуют победители... +Пока ты упрямо хромаешь за мной +Это абсурд... +Что...? +Сначала я был против обмена. +Он же не собирается... +Идёшь повидаться со стариком? +Когда я просматривал воспоминания Шиноби Скрытого Дождя, +Йота! +Мы никогда ничего подобного не чувствовали. +и я что-нибудь сделаю с этой войной! +причем любым способом. +265)\1cH010157\bord0\fs35\1cH000000}Вход воспрещён +в том числе и я. +На помощь! +Прошло два с половиной дня. +Что я должна сказать? +- До завтра. +Будешь? +Вместе с твоей дочерью. +Штаны снимите. +Пропусти! +Спасибо, Шерлок Холмс. +Спасибо, Шерлок Холмс. +Прошу, спасите нас! +Вы его знаете? +Спасибо, Шерлок Холмс. +Хорошая попытка. +Настоящий ребенок сделал бы тоже самое. +Пошли! +Э, удары - это не моё, тренер. +Я не мечтал, что когда- нибудь буду стоять здесь +- У церкви +Сделано! +Он оставляет мне сообщения. +- Я помню, что я сказала... +Нет, не побоку. +Этого должно хватить. +Ну, и общество интересных личностей. +- Ты и так сделаешь. +Правда. +Это было красиво. +Пожалуйста, смени светофильтры в смотровом портале. +- Давай, спасибо. +Я только что шлепнул по заду здоровенного быка! +Вот пример. +Он забрал все. +Наши люди должны пройти через боль и унижение. +Знаешь, почему твой номер "0-1"? +"Солдаты ПСБ убивают партизан. +Нил Даймонд! +Забавно. +И я на Камаро, так что я способен на это +- Ты можешь. +Что я делаю? +Это он нашел ее без сознания. +Красивые, правда? +-Ты знаешь это, да? +Кто-то знал, что я приду. +Вот сейчас я тебе руки-ноги пообрываю... +Ай-ай-ай... +Как будто ты не перепрыгнешь через забор. +Я очень хотела познакомиться со знаменитой девочкой-детективом! +Да... всё понятно. +Послушайте, человек Гарвард закончил, и у него никаких сомнений. +- Не понял... +Почему же тогда так весело? +- Уверены? +На себя бы посмотрел. +Точно. +В Квинсе? +- 18 дней, включая сегодня. +Еще пласт бетона? +Не бери в голову. +Что случится-то? +Мой старший брат вечно всякую херню порет. +Ну ладно. +- Ага, кроме глаза. +- Погоди. +Если Кира сейчас действительно там если позвоню кому-то из них? +Цуцудзигасаки, Каи +Когда ты вернешься со сражения, ты должен жениться. +В 1560 году состоялась церемония совершеннолетия Широ и он получил имя Сува Широ Кацуёри. +262)}Перевод: +\fsp20)}{\fs50\bord3\1cHFFFFFF\3cH6CB6E0}Банкай +Если бы у меня только был магический шар, да? +-Спасибо. +Пока. +- У-и, у-и... +Я мечтаю тебя забыть, твои поцелуи, словно сочные плоды. +Прыжок, прыжок! +Смотрю, что у других. +Так ты не любишь меня? +Он попал в темницу потому что бы коммунистом! +Я надеюсь, что в классе мы сможем действовать как дружная семья, OK? +Носовая опухоль, кровотечение могло повредить сердце. +Работаешь? +Как же быстро! +- Он... +Я не в настроении. +- Что мне делать? +Я предлагал вам сесть? +И что мы передадим? +Шинобу-чан? +Опаздывает. +что сегодня на ужин? +Сузу! +Заканчивай, мужик. +Надо просто подумать? +- Ромио-Дельта, как слышите, прием. +Я профессор Лазарь, и сегодня я сотворю чудо. +Aaa... эти одиночки такие надоедливые. +- Правда, мне нравится... такое коричневое. +Подписано моим отцом. +Нет, мам, еще нет. +Вот, все сигналы учтены, довольны? +Да? +Совсем ошалел? +Охрана пересчитала всех и оцепила тюрьму. +Идите сюда! +Что? +Animeyes.ru Перевод песен: +Ну же! +Снова 10? +После этого еще раз сверяют личность. +Кайдзи-сан! +Сверху? +Мне нужен помощник. +можно только открыть ее. +Конченый болван! +Румба. +Сперва ты встаёшь и убеждаешься, что ничего не случилось с двумя наиболее важными для тебя вещами. +Я сдеру с тебя кожу, и буду носить её как костюм. +Эй, сегодня ты собака! +Кларк еще жив. +— Что ты просто говоришь? +Если они спросят меня, что там произошло, я скажу им то, что видел. +Ты слышишь? +Пусти меня в машину. +Это не банально. +Ты знаешь прекрасно, что мне ты нравишься. +- Послушай, тебе лучше уйти. +Мы не были бы в такой беде, если бы не ты... +Как самочуствие, Гарольд? +Простите, вы сказали .. +Дон! +Устал, наверное? +Сумел унести ноги. +С ними на базу нельзя. +Помнишь? +Ничего, я вижу, все хорошо. +Я просто смотрел много полицейских сериалов. +Мелло! +20.000? +Ага. +- Черт. +Пожалуйста! +Извините, сэр, это из Министерства и повышенной важности. +Это была наша первая ссора. +- Я не могу. +Хорошо. +Вы двое все еще довольно близки, не так ли? +Да, я слышал, но это важно +Мистер Квин, это правда, что вы больше не поёте песен протестов? +А Джек всегда любил Били Кида. +И если поймём - сможем это исправить. +Но я забыл ее подарок. +Мне даже красный не нравится. +Они должно быть узнали... что мы были знакомы. +Я бы убежала из дому... как можно дальше... +Сейчас я что-нибудь приготовлю, подожди немного. +Мой друг. +Если за хорошую цену +Правда? +ИРА. +Где бы он ни был, можете быть уверены, от него добра не жди. +У нас около пяти минут. +Это учебный вебсайт! +Представьте себе виртуальную телепрограмму так, будто вы сидите прямо в аудитории или бегаете по игровому полю на захватывающем футбольном матче. +Подожди-ка, мне кажется знакомым имя Рей. +Вы знаете, что со мной произойдет, если Сенат когда-нибудь узнает о том, что Вы затеяли? +Может быть... +Я знаю, я тоже хочу с тобой поговорить. +"Это лучшая страна в мире." +Тогда у меня бы не было той боли и грусти, и воспоминаний, наполненных слезами, +-Вы уверены, что это не могло быть где-то еще? +- Рак, нет, Стрелец - лучник. +И тебе хорошего дня. +На предварительном слушание вы так и сказали. +Могу ли я не быть ключом, Морфеус? +Чем все, от "А" до "Я". +- Насколько плохо? +Ты разбудишь соседей. +То что мы можем делать, только началось с чтения мыслей. +Должно быть, это самая ничтожная форма секса... +Было время - мы расклеивали громадные фотографии на стенах, автобусных остановках, на машинах, такси. +У него Вагусный обморок. +Теперь им известно, что на лодке еще кто-то был. +Хорошо, что у меня есть связи. +- Вы уже показывали ее, когда обожгли ноги. +Да, Келли индианка. +- "Решительно", да. +- Не то время. +Я только обещал Амбер больше не сражаться с тобой. +Он попросил тебя убить его? +O, Лекс. +Вы говорите, он был в...? +Мы забронировали для мистера Венга наш самый большой люкс. +Да, я смотрю. +Все хорошо? +Пусть он нам расскажет... +Второй четверг. +- А когда открытие? +Вы представляете? +- Господи. +Помогите! +Может быть. +Привет, Оливер. +Я буду скучать. +Нам нужно подключить ее к аппарату искусственного кровообращения. +- У нее поднимается давление. +Не хочешь попробовать? +Transcript: +Что? +Но блин, нам же деньги нужны? +- Хочу пить. +Сейчас. +Я пойду не надолго Туда и обратно +МР: +Он надоедал мне В моей постели. +Иди туда. +Но насчёт нашего расставания, думаю, я поступила правильно. +Вы уже в курсе? +- Встречаемся у брата. +Еще месяц и мы закончим. +Сюда? +Ну, я типа, пролетал мимо. +Это Флорес. +Ты не собираешься это пить? +это то, что ваш муж под подозрением. +Выпьем за вас. +Никто из рабов не живет долго. +Убей меня! +чтобы быть увереным. +кто они - эти двое подозреваемых? +! +Так ведь? +Ладно. +Про это счастье расскажи. +Пай... скажи, обрезанному есть хоть какая-то разница? +Калипсо. +- Готовься открыть огонь. +Пoднять пapyсa. +Как вы его звали? +Итак, во-первых, +Нет, спасибо. +Я не мужчина. +Я хочу сказать - до вчерашнего дня. +- Понимаю. +Не надо так. +А если что-то получше? +Даже не видно, где об него ударился "Титаник" +Будущее определено не нами. +А Крис? +Мы ничего не можем найти! +Никого. +Конечно, Бесси. +Не знаешь почему? +Кто такой Святой Паломник? +Ты шутишь. +- Что я ищу? +Знаете, Шерлок Холмс как-то спросил доктора Ватсона: +А Шерлок Холмс: +-Что, тебя тоже выгнали? +Такова жизнь. +До тех пор, пока я не получу Джорджио, она останется у меня. +- С удовольствием. +Это будет длинный день, народ. +Ага +Я знаком и дружу с тобой много лет. +Думаю, они свернули налево. +Присмотри за Джеком. +Что это было? +- Гай, шестая линия. +- В справочной Центрального вокзала. +А это детектив Бёрк, нью-йоркской полиция. +- Как ты мог оставить их в машине? +- Ты? +Меньше Fucking и больше внимания +Добираться до сегодняшней придется через по-настоящему жуткие места. +Скажи спасибо, что не тебя. +Куда-то едешь? +О, коснулся тебя и меня просило в жар. +- Это помогало? +- Привет. +Другой бы бросил тебя на моем месте. +- Они что там в поселке все озверели? +Я бы согласился на казнь. +- Доброе утро, Дугал. +Домохозяин! +О! +19. +- Сестра Успения... +Я звоню ей. +- Нужно предупредить Кинг Конга... +Но все. +никто не сможет провести отлично время на похоронах! +Он сказал, ты придешь в 7.30. +Вот смотри +Да? +Нет, конечно. +Давай сигнал. +Мальчишки должны умереть. +Ты даже не запачкал свою одежду. +Ну как, вы готовы? +Не может быть. +Когоро, будь осторожен. +Наконец-то мы встретились. +Правильно, м-р Придурок? +- Я очищаюсь, Джерри. +Знаете, почему я так думаю? +Отлично. +И я: "Ооо, Шерлок Холмс". +Вы уверены, что это хорошая идея? +День три. +Проблемы в раю? +Ты хочешь пытать его? +Ётот локомотив нас не слушаетс€. ажетс€, его приводит в движение человек, но он не едет в нужном направлении. ќн движетс€ туда, куда его толкает неведома€ силаї (¬ладимир Ћенин) то же сто€л за этой силой? +- Он должен быть здесь. +- Я не могу работать с людьми, которые так делают. +Энни... +Энни, это тяжело. +Я заберу некоторые вещи или сожгу их - как ты решишь. +- Что это значит? +- Где ты была? +И если я помещу стекло под правильным углом я смогу видеть сквозь чью-нибудь душу. +Чтобы мы не болтались то тут, то там, когда придет время. +Как некстати, что вы здесь. +У тебя проблемы? +Как пёсик? +Однако Перидор поправится +Можете не отвлекаться там? +- Эй, тебя искал кабельщик. +Похоже, она вне опасности. +Пусть её ещё раз ударит это - как вы его называете? +Что тебе действительно нужно, так это приличный стол, чтобы записывать шутки. +И если удара не последовало: "Все, я его достала, малохерый засранец, поцелуй меня в задницу, малохерый ублюдок! +Это верно. +Я пытаюсь понять его, Гастингс. +Бежим! +Детей мы пока оставим. +Данный период ты находишь не слишком богатым. +Ты уверена, что стоит, дорогая? +Пошли. +- Полицейский. +- А что я хочу знать? +Я не этична. +Небось, и Транкс... для комплекта. +- Ничего. +Есть ли ещё желающие? +Думаю, к концу летних каникул. +Я Шерлок Холмс! +[...да уж...] +[Я понимаю тебя...] +Gurepon, Gurepon's ice cream Eeek! +Они уничтожили наше поле! +Я боюсь... +Я и не знала, что он такой... +Откуда у тебя это слово? +Я покажу тебе, как правильно складывать туалетную бумагу +И не опоздай сегодня, понял? +дЮ! +- рШ УНВЕЬЭ СГМЮРЭ Н ЛЮМУБЕ? +ъ БНГЭЛС НРБЕРЯРБЕММНЯРЭ. +ъ РЕАЕ БЕПЧ! +яОЮЯХАН, БЯЕ УНПНЬН. +Да, я тоже в курсе. +Конечно, это не моё дело, но я волнуюсь за мальчика. +Ваши адвокаты защищают тех, кто наверняка виновен? +Останься с ним, Мари. +Простите. +Послушай Лиз, дорогая... +Мне надо забрать куклу. +Отец Крилли? +– Бэсси! +– Убрать паруса! +А почему я здесь, Эд? +У меня есть идея. +Вы можете трачать незнакомку, ...проститутку или чью-нибудь жену, +Почему вы не доверяете своей жене? +- Нет. +Если честно, Джейн, вам нужно изменить образ жизни. +Я нашел его рекламньIй ролик. +Куда бы вы теперь не пошли, везде есть какой-нибудь хуйлан какой-нибудь болван, какой-нибудь потс с видеокамерой и записывать он будет всё подряд. +- Гору оружия. +Продавщица и Головешка очень недовольны твоими манерами. +Хватит молоть чушь. +Я делал много глупостей, чтобы произвести на нее впечатление. +- Пока. +Возможно, это контакт, сэр. +Потихоньку, хорошо? +Да. +В моей голове. +Давай быстрей. +"Позвони через час. +Прочти это. +Я конечно не Шерлок Холмс, но я научился полагаться на свое чутье. +Я конечно не Шерлок Холмс, но я научился полагаться на свое чутье. +Так хорошо. +Хорошо. +Откройте дверь! +Это изумительно, Вики! +Узнайте место отлета. +[Человек] Сэр, документы готовы. +Черт. +Один вопрос. +Книга - скорей, черновой блокнот. +Я всегда мечтала об изысканных похоронах. +Но к утру оно вырастало заново. +В Кэботе, северней Лурье. +Можно попросить вас передвинуться? +Февраль сорок второго. +Если ты иностранец, значит шпион. +Гоняю на катере, быстро. +Нет, друг мой. +Я не такой, как ты, или Ног, или Муги, или вся остальная наша жалкая семейка. +Что происходит, чёрт возьми? +- Вы слышите, Орлиное гнездо? +В твоём случае - это боязнь сближения. +Антон +Макс! +Ничего страшного, Тед. +Я бы здесь не стал употреблять слово "захватывающие"! +Никогда бы не подумал, что доведется здесь побывать. +- Пора уходить! +,йщ мре дфштеъ, йщ мре щмв ...лм ойрй севй дфштеъ йщ сйбд щйщ фзйн ."щосеорйн "озжеш +Я не хочу оставаться и быть соучастницей. +Проболтаешься, ты - труп. +Не будку. +У неё есть муж. +Томми валялся посреди этого с закатившимися глазами... наширявшись героина или успокоительных. +Заходи и садись. +Кстати, я играл как Пол Ньюмен, бля... показал этому парню класс игры. +Её отец. +Потому я все это тебе рассказываю. +! +Он свободно говорит по-арабски, он будет Очень полезен с Моктаром но он работорговец +Исполнительный продюсер Жерар РЮЭ +Сколько там? +"...да я думаю они стали твёрже оттого что он их столько сосёт а я сама при этом начинаю чувствовать жажду титечки он их называет мне смешно было да по крайней мере вот эта чуть что сосок поднимается и твердеет скажу ему +Всё просто, он лишь должен будет есть корм Doggy Bag. +Тогда, в прошлом, Кадзи-кун, я использовала тебя! +Хорошо, у тебя через час." +Это не так просто. +Он говорил это тебе. +Четыре часа. +Таксы не будут есть то, что они не могут учуять, она не простужена? +умная и тем не менее красивая, верно? +по-моему это слишком, вам не кажется? +нет. +- В Нейи. +Это меня не устраивает. +Я не боюсь умирать, отче. +Блейк +Франсуа +- Подружка дорогая, и ты, дружок ее, оставьте нас. +Итак, доктор, в государственных архивах нет никаких данных о нем. +Никогда: "Спокойной ночи, Питер". +Я дам тебе текст. +А весной туттак чудесно. +Боитесь? +Ну всё, идите. +У меня нет часов. +Передай мне остатки курицы. +- Нет. +Ай! +Это не сработает, Скотти. +Это моя вина. +Катерина была дочерью короля, до ре ми фа. +Но ты не счастлива. +Помоги мне... +Но прежде давайте посмотрим, какой маршрут ему предстоит. +Откуда вы? +На этом можно закончить. +- Похоже, брату Пайку нужна помощь, брат Лайл. +Я никогда не думала, что жизнь может превратиться в страдание. +И я говорю тебе, что Кейн справлится. +Не считая эмоциального потрясения и поверхностных ожогов... +- Доброе утро. +Я считаю, что эти овцы находятся под ложным впечатлением что они - птицы. +Куда они пошли? +Вы меня слушаете? +Молодцы. +Побыстрее! +Слишком много народу сюда заезжает. +Что? +- Спит. +Всё в порядке. +- Пока. +- Возможно. +Хонма не здесь! +И никак иначе! +Поклонись старшому, а не то кости переломаем! +Ты устроил "зеленую стоянку"... не по расписанию. +Живей. +Отец. +- Говори. +Брат, ты играешь? +(Ќјѕ≈¬јЌ"≈) +Я должен найти Бельгревию, перед тем, как свернуть. +Вот Роза, молодой Штефаник, а... +Вы слышите меня? +Я лишь хочу знать, почему меня хотят убить! +- Да? +Да. +А в те древние времена те зубы, +Зенайт используется повсюду в Галактике, где бы только ни возникла опасность болезней флоры. +Мы отвезем находку в полицию. +Никаких правил. +Я не знаю, что происходит. +Я хотел бы забыть Доктора, и его друзей. +- Смёген. +Мог бы выбрать модель постарее! +- Если бы не дела в гараже... +Что случилось? +! +И теперь вы хотите использовать меня... недостойным образом. +Снова мы в этом баре. +У меня 20 миллионов в банке... +Когда мужчина с женщиной несколько моложе себя, это нормально. +- Ёто всЄ, мисс. +Ёто всЄ. +Eмy и плaтят зa paбoту c coтpyдникaми. +- Отпраздновать? +Дэнни! +Месье, вы журналист? +Он сам их зарядил. +- Нет, не старое. +Уже восемь часов. +На дорогу туда у Вас ушло пятнадцать минут,а назад - сорок пять. +Оставьте меня в покое.Не я веду дело Бриньона,а Антуан. +Какая же другая может быть польза от брака? +Предполагаю, что он был великодушным. +Во время эпидемии не пересекают Темзу и за 100 фунтов. +А теперь, если вы позволите. +- Расскажи мне всё. +Мита, скажи, тебя мучают угрызения совести? +Я с него кожу сдеру, если расскажет. +Меня зовут Уоррен Хаггерти, я заведующий редакцией Вечерней звезды Нью-Йорка. +ћомент настал. +И так мой рассерженный отец воскликнул: +"Сначала, дай мне твои ноги. +Радость этой женщины была неописуемо детской. +- Нашел камень. +Великодушнейший из всех королей! +- Извините, мистер Симпсон. +Ты где? +Скоро здесь никого не останется. +Наверняка. +Шерлок Холмс нашёл улики? +Впечатляюще, Шерлок Холмс. +Посмотри на меня, посмотри! +Значит, думал найти себе доброго товарища? +Эх, Шерлок Холмс, с Сэн-Дени! +А мне понравилось разговаривать с вами. +Привет, Джонни. +Мне стоит сказать им "нет"? +Не знаю. +-Что? +И пройду! +Тысячу сигарет? +Он назвал меня "жидом пархатым". +- Вы все япошки! +Легкая работа только в полицейском государстве. +Я сумел бы себя защитить. +Вика арестовали в Мехико. +Пять корзин! +Очевидно. +Нет, Кэнди! +Ничего, я люблю ловить дичь. +Чем ниже, тем лучше. +Надо признать, что она едва умеет писать. +Да был он тут. +Ну, что начальство-то? +Теперь можно. +Рукояткой вперед. +Полный секретов? +Садитесь +- Это приказ госпожи настоятельницы! +- Ты слишком добра к детям +Смотрите. +И стало только хуже. +Ясен пень, работают. +У меня есть собственное дело. +Партнёры. +Кто его нанял? +Знаешь, что я думаю? +C-117 отправляется через полтора часа. +Что ж... +Я была уверена, что умру. +Это ты. +Прям два пирожка с мясом. +У нас нет на это времени. +Если он увидит нас раньше чем мы его, тогда он убежит. +Ты говорил точно как Шерлок Холмс. +Пол не может открыть дом в середине улицы без одобрения ассоциации домовладельцев. +В армии вы были майором. +Я могу позаимствовать немного льда? +Скажи мне, что ты не пил за ужином. +Она не просто подруга, мам. +Поэтому она услала тебя сюда. +Хочешь купить этой женщине ботинки - дело твое, но кольцо моей бабушки она не получит. +Боже мой! +-Ты чего? +И что мне делать? +Я вообще не могу дышать. +И всё с твоей репутацией будет в порядке. +Марк, ты только не обижайся. +Я умираю! +Зачем вырезать? +- Да, да. +Сонбэ Да Чжон! +Кто тебя надоумил бросить Шин Ён? +Спасибо! +Оставайся там! +Холодно. +Да. +Уже поздно. +результаты. +Слишком поздно для оправдательного приговора. +Шерлок Холмс. +Шерлок Холмс. +Довёз посылку, доставил, а затем... +Конечно, я Шерлок Холмс и всегда работаю в одиночку, потому что никто не может тягаться с таким мощным интеллектом! +Да... +Я не Шерлок Холмс. +"Я Шерлок Холмс и всегда работаю в одиночку". +Я не Шерлок Холмс. +Я не Шерлок Холмс! +Шерлок Холмс совершенно не такой. +Этот Шерлок Холмс. +– Шерлок Холмс. +– Шерлок Холмс! +– Это мой друг, Джон Уотсон. +Джон Уотсон. +– Ведь я – Шерлок Холмс и всегда работаю один! +– Но... я не Шерлок Холмс. +– "Я – Шерлок Холмс и всегда работаю один!". +Я не Шерлок Холмс. +– Я не Шерлок Холмс! +Шерлок Холмс ни капельки на него не похож! +Этот Шерлок Холмс. +Шерлок Холмс. +Шерлок Холмс. +Это мой друг, Джон Уотсон. +Верно, я же Шерлок Холмс и всегда работаю в одиночку потому что никто не может сравниться с моим огромным интеллектом (! +Я - не Шерлок Холмс. +- Шерлок Холмс и я всегда работаю один" +Я - не Шерлок Холмс. +Я не Шерлок Холмс! +Шерлок Холмс совсем на него не похож +Из-за мыла. +Этот Шерлок Холмс. +Перестань спрашивать. +Надевай. +Бежим! +Теперь он будет с вами отрабатывать. +Это сейчас произойдет! +огда подготовимс€. ѕравильно. +- ќн не сказал мне что ты здесь новенький. +ƒавайте убиратьс€ отсюда. +- Да. +17 500, что тоже неплохие деньги, Мик. +А что? +Если ты мужчина, позволишь мне восстановить мою честь. +Дай мне закончить, Эрминия. +Я подумал, что так будет лучше. +Где? +Что-то увидел? +Пойду попробую на улице. +Это странно +Это возможно, если найдете нужные основания. +Вы меня слышите? +Пойдём. +If you got bored with. +I am confused as ... +Я такое проделывал. +[ВОРЧАНИЕ] +Там слишком тесно чтобы думать. +Кофе? +Да, это то, что леди Ю рассказала мне. +Смотри, смотри. +С годовщиной. +Вы готовы к интервью? +Да. +Мне так жаль... +9мм. Экспансивная. +Это неуважительно. +Так не честно! +*Ты возвращайся вместе с жарким маем...* +Отлично! +Клянусь вам, ЦРУ этого не санкционировало. +Да, пожалуй. +Мальчик будет бегать в одежде твоего сына +Прошло 8 месяцев. +Внимание! +- Я ухожу отсюда. +Что ж... +Нет, мне пришлось вызвать пожарных. +Нет, подождите, подождите. +Все в порядке, мы выберемся отсюда. +- Блядь. +Я не содержу чертов приют для бездомных. +Мы не хотим это пропустить. +У Интерсекта и господина Граймза странно-взаимозависимые отношения. +Мне нужно чтобы ты.. +Да. +Это мои детки. +Поверь мне. +- Пожалуй, соглашусь. +- Балбесы, вы что, смерти моей хотите? +Как ты собираешься сделать это? +Правая. +- Я не продал. +- Да. +- Потому что реклама это не круто. +- Да. +Я ведь не подонок. +Он всегда предупреждает, когда хочет куда то отправиться. +Комбинация? +Послушайте... +Это... это не девочка. +Бернард Мэдофф - американский финансист, создатель крупной финансовой пирамиды, основанной на базе "схемы Понци". +Наш DVR не опознает это как телевизионную программу. +Она идет к мистеру Кери. +Забудь о них. +Спасибо, мисс Бёрчфилд. +Это самая трудная вешь, которую ты когда-либо делала? +откуда ты знаешь? +"Говорил мне выключать чёртов свет." +Что только этот парень задумал? +Думаю, за нами следят. +Отлично устроилась. +Нет, Гейб... +Обожаю запах тростника по утрам. +Я пошлю кого-нибудь поискать в тростниках. +Если бы у нас был телефон ДеАндре. +За тобой охотится не только Микадзэ. +Не открывается! +Прохожие могут заметить. +Хэй! +# Чье-то лицо +чтобы получить государственное пособие. +Тебя наняли, чтобы ты бросила гранату в комнату, полную... монашек. +По моей команде! +- Эми, расскажи ему. +- Омерзительно, да? +Если вы не найдете Линдси вовремя... +Чёрт! +Как можно быть таким быстрым? +- Шучу. +Да исполнительный директор Хон Тхэ Сон даже не имеет права здесь находиться! +Это классика +Пахнет как топливо. +- Так что если он, выходя из паба, всё ещё был не в себе, мог стать лёгкой добычей. +Оставь меня в покое! +"ы первый. +Ёто ты? +ясно, звони в агентство, запроси всю информацию о нем. +Хорошо... +Это было нетрудно, Шерлок Холмс. +— Ты сделала гамбургеры? +Да. +Нейт, тебе не просто машину искать. +Ничего не понимаю. +Как тебя зовут? +Прошлой ночью было хорошо, ведь так? +Смотри, а вот так вот можешь? +- Не успеем. 220. +Беззубик! +- И я серьезно. +Я чувствую силу Чаши. +Добрый день, сэр. +Да или нет? +Неужели, миссис? +И если это так... +Она не пьяна? +Не мадмуазель Дебенхэм. +Ну... +Кроме того, де-бронзование было проведено дважды. +- Др. +Гомункул. +Ты не просто спасла мне жизнь ты дала мне надежду на новую +Жду не дождусь. +У тебя великолепный вкус в музыке. +Да,я отставила это на столе, мм, гмм +Мы получили звонок из службы безопасности торгового центра Роузвуд. +Доброе. +Когда ты сблизился с Мо Не, я знала: твои чувства были неискренними. +Интриганка закончила свою речь. +Да он просто Шерлок Холмс. +- Шерлок Холмс. +Ни черта нет. +- Чтобы самой прохлаждаться на лодке? +Стреляю через три... +Я собираюсь подпустить преследователя поближе, выстрелить это из-под своей машины прямо под его машину, и в этот момент она превратится... +Два бобрёнка лучше всего... +Они обе умрут. +Удалить. +Может, я тоже сдамся. +Вечерком в квиддич поиграем. +Стойте! +Хорошо. +Итак, Мюррей, что вы хотите мне сказать о счастливчике мистере Кроули? +Мы выходим, чтобы поприветствовать их. +- Понимаете, у нас у всех есть своя работа. +Или хочешь остаться? +Медаль лучшего друга? +И да, наука и медицина верят только в те чудеса, которые можно повторить. +Это не просто неудобно, Мерлин. +Кaк мило. +OБET MOЛЧAHИЯ? +Я поцeловaлa Эйдaнa. +Отлично, Мак из южной Филли, ты на шоу Престона и Стива. +Сверчок! +- И он однозначно не вернётся. +Вообще, у Драмы тоже всё замечательно. +7:37. +Да, я знаю. +А ты не выторгуешь много без конкурирующих предложений, которых, как мы оба знаем, у тебя нет. +Алкоголь? +Ученикам запрещено находиться там без учителей. +Чего не скажешь о вас. +12 серия +Его в самом деле зовут Ли Сун Мо? +А вместо этого я нахожусь под пристальным взглядом декана. +Все, что угодно. +Есть какая-то причина, по которой ты не хочешь впускать меня в дом? +чувак! +! +Случится перфорация кишки, и тогда ваша брюшная полость наполнится фекалиями. +Классный камин. +и я не помню... +Если бы я последовал собственному совету, я вынужден был бы уже давно уйти от Елены. +Ты читаешь мои мысли, Улиция. +На самом деле именно поэтому я к вам пришла. +Он тебе не сказал? +Все говорят об этом? +Она умрет от голода, она умрет из-за меня. +И пополняет нашу численность воинами. +Не спи с Анитой. +Она была на моём шоу. +Так! +Что ты там лопочешь? +Брат, хочется маминой тушёной капусты и супа из анчоусов с острой редькой. +Смешно? +Чудесно. +Да. +Это только начало. +Как будто это так просто. +Иди домой, хорошо? +Я знаю, что дети спят. +Ну, знаешь, иногда бывает тяжело. +Нет... +Боже мой! +Да какого черта происходит? +Бабочкам на это наплевать, Стен +Бомбочкой не прыгать, откровенных плавок не носить и не подплывайте к отметке уровня прилива. +Нет, спасибо. +Хорошо. +Взрыв вызвавшие реакцию. +С чего ты взял? +У кого есть настроение устроить праздник? +- Как правило. +Не волнуйся, брат. +Полегче, дружок. +Обалдеть! +Знаю. +Спасибо. +- Агнес, только... +- Что это значит? +- Значит, пусть он не возвращается? +Теперь пристегни ремни... +Так и есть, и, если честно, поэтому-то я здесь. +- Это просто розыгрыш. +Я видел, как ты растёшь. +Я здоров. +Последний раз я использовала противозачатачное средство в 70-ых, и оно было похоже на мыло на веревочке +Да, это коробка 15, конверт 5. +Не знаю Бена Руни. +Просто парень из мясного отдела устраивает Хэллоуин вечеринку сегодня, и Вайет должен был на нее приехать, но не сможет. +А вы что, ребята, когда-то встречались? +Да, но если он похитил его во второй раз, живым Джейну не вернуться, так что будем считать, что это не Красный Джон, пока не докажем обратного. +Чтобы расшевелить её, требуется сильный заряд. +Ты и правда хочешь, чтобы он опять лапал всех гостей? +И тебе привет. +Ну? +Давай, двигайся. +Одакё ещё не готова сдаться. +Сэнсэй! +Сумка. +Это вроде... как в универмагах или семейных ресторанах. +Что? +Вставай +Что тут скажешь? +Уходите. +Больше ни один придурок.. +Но только не слишком долго, пожалуйста. +Доброе утро, сэр. +ВЫ даже не представляете. +Это было наслаждение, но теперь я должна вернуться в гнездо. +Что это? +О, да. +БИСС? +Врать уметь надо, а ты что тут наплёл? +Ну, а пока я им не стал, прими мой подарок. +Нбака - искусные метатели ножей. +Не это ли доказательство его истинной мудрости? +Но ты позволил. +Мне повезло однажды спасти ему жизнь, так что теперь он в неоплатном долгу передо мной. +Гарсив! +- Это была ложь. +– Красных семь и вот эти – какого цвета? +"Панк – сгнивший труп" в палатке для бойскаутов деревни Дорридж. +Шерлок Холмс в зале. +Только одна вещь хуже, чем фальшивая страничка это когда ее никто не посещает. +Ты не.... +Эй, Чарли! +Нет. +Вот где он живет, химчистка? +Я получил это под прикрытием сегодня +Попробуй это, засранец! +Мы так много ссорились. +Вот список их имен, спасибо нашей телеведущей, мисс Кросс. +Шерлок Холмс. +- Джим, это Шерлок Холмс. +- Шерлок Холмс. +Шерлок Холмс. +- Шерлок Холмс. +Чао, Шерлок Холмс. +Шерлок Холмс. +- Джим, это Шерлок Холмс. +- Шерлок Холмс? +Шерлок Холмс. +— Прости, что? +Нет, нет, нет. +- Шерлок Холмс. +Джон Уотсон, здравствуйте. +Чао, Шерлок Холмс. +– Скучно! +– Шерлок Холмс. +– Джим, это Шерлок Холмс. +– Джон Уотсон. +Так вот вы какой, Шерлок Холмс? +Мы... – Шерлок Холмс. +– Шерлок Холмс. +– Джон Уотсон. +Чао, Шерлок Холмс! +- Не надо мне помогать. +- Никто не говорит правду. +Простите. +Посмотри на себя. +Потому что повсюду вода. +Пожалуйста, вы должны разрешить мне сделать еще один звонок. +Привет, когда ты последний раз разговаривал с Сиреной? +Ну, это трудное решение, или мы получим Шифр или... +Давай, Дорота, тужься! +Но жизнь моих детей - совсем другое. +Это было туристическое агентство. +Вот твой парень +Что уставился? +Она так своенравна. +он всегда такой весёлый и беззаботный. +Ну, на самом деле мы не друзья. +Пожалуйста, не беспокойтесь. +Со Ён и Чжан Сок, вы сделали меня таким... +Да, ты можешь. +Я так мечтал об этом. +Просто дай мне еще минуту. +- Привет. +Лучше нам просто.... +Да. +О чём ты? +нМ АШК РЮЙ БЕПЕМ БЮЛ, МЕ ЯКХЬЙНЛ КХ ЩРН ФЕЯРНЙН? +Почему бы не проверить? +Отличная новость. +Проигнорировать её. +За что? +"Давайте просто заскочим в Афганистан". +Где ты? +Мне не нравилось там, где я был. +Так, значит, привет, Карл, как дела? +А она говорит такое: +Когда они будут на нем играть? +- Он показывает вам некоторые позы йоги. +Тут нет тропинки. +Пиво - хорошо для здоровья. +Тебе потребуется от шести до восьми недель на поправку, но потом ты сможешь вновь начать тренироваться. +Ты ведешь меня к алтарю. +О, нет, эта игра подразумевает двоих. +Нет, своими ручками постираешь. +.. +Где и во сколько вы встречаетесь? +Опусти пистолет! +Как по-твоему, я могу сказать, что уехала из Лондона по личным причинам и все? +Да, но не думаю, что могу быть чем-то полезен здесь, доктор Том. +Вообще-то, я жду - не дождусь, чтобы уехать из города. +Удалено. +Я не хотел, чтобы ты... +Прекрати. +- Лиза, а это +Вспомнила, что твой муж не доктор? +В этом конкурсе я попросила вас создать цельный наряд как часть моей линии, New Balance. +Я так и сделал. +Говорят, Ваши иракские друзья могут иметь отношение к его смерти. +- Заживают. +Зa тo, чтoбьl чтo-тo yзнать, y pyccкиx надo платить. +Он просто делал свою работу. +Это было самым большим разочарованием в моей жизни. +Ты не взяла телефон? +'Всё ещё не слышно Елены. +- ћне нравитс€ пиво. +¬ы двое говорили, что один бар отстой, а другой крутой всю ночь... +RUS-SUBS by max_pain89 Переводики: max_pain89, Pierel +Знаешь, ведь все, что сказал твой отец о жизни, которую мы выбрали - он был прав. +На следующий день его нашел прохожий. +Господин Соколов, кто-нибудь дома? +Конечно. +Чего пришел? +Зачем вам её проверять? +Уххх. +Ты или не знаешь, или забыла. +Ощущение. +Папа, шарик лопнул. +Простых слов не понимаешь? +Что ты будешь делать, когда всё закончится? +Я переведу 10 процентов от сегодняшней сделки, этого достаточно? +Стой там! +Вы меня арестовываете? +Даже Шерлок Холмс... +Соберись. +С Шейном и Уорреном. +Нет... +.. +И он никогда не видел ее потому что это слишком далеко от зоны в которой он чалился. +- Боюсь, вам придется примириться с новой королевой. +Чем больше я тебя узнаю, тем привлекательнее ты становишься. +Итак, ты украл наркотики, да? +Она сказала молиться. +Не нужно благодарить. +Две минуты, без диктофона и записи. +Не лучше, не хуже. +Я труп. +А когда я поняла, как она дорожила мной... +Так что, с вашего позволения, я пойду и займусь моими прекрасными астрами. +В последний момент всплыли дела по проекту, +Они купили ферму и мы перебрались туда. +Нет! +Извини. +Пожалуйста, введите меня в курс дела. +Надо доставить их туда. +до сих пор ошиваешься вокруг Чжу Вона. +Потому я хочу сделать это. +- Тебе хоть когда-нибудь бывает стыдно? +Мне жаль. +Или сделает всё, чтобы быть услышанным. +Я же говорю тебе, это не работает. +Ты христианин, Хойт. +Ну что такое, у тебя бокал пуст. +Тара, следи чтобы концы были туго завязаны. +Он допрашивал эту бедную женщину вообразив, что он Шерлок Холмс... +Серьезно, это был не я. +Тут не на что смотреть. +Два. +Мы бы смогли защитить себя от другого мира. +Вот туда мы и направляемся. +Не нужно зажигать +Быстро! +Универмаг "Сирс" ? +Он единственный парень, которого показывают по ТВ каждый день. +Я просто думаю, что если бы он был натуралом, и подрался бы с другим мальчиком... +Давайте прыгать. +но не держал их рядом с собой. +Джимми. +что в этом месте нет чистого белья. +Остынь, чувак. +Я могу остановить всё, что захочу. +На кой чёрт демону кейс? +Где эта дырка? +- Почти лыс. +Обычно, выбор жертвы помогает мне чувствовать себя лучше. +Возьмись за булки и пукни! +Нет! +Вы меня так на круг обойдёте. +- Я оставлю вот так, вы разберетесь. +Ну все, пока. +Это Софи Холл из журнала "Нью-Йоркер". +Лоренцо? +Да. +С чего ты решила, что я собираюсь на танцы с Майей? +Просто дай Джиму знать что это были не они. +я не очень "творческий". ќ, блин. +Нил собирался заехать. +Этот... брак... не может состояться. +Могу. +И надеюсь, они начнут считать тебя другом. +Что случилось? +- Да, сэр. +Чувство, которое наполняет тебя, страх. +- Бобби, где ты? +Конечно, нет. +Знаешь что? +- Правда? +Он пытался прижать Мэлоуга в прошлом году. +Я просто был не в состоянии написать обо всем этом в рапорте из-за того, что Ваш клиент выстрелил мне в грудь в упор. +Итак. +Слава богу, это кончилось. +Томас. +Я тебе не верю! +Все заняты. +Я хочу, чтобы он видел, как растет мое богатство, в то время, как его - уменьшается. +Вы отрицаете, что происходит захват земель в Олд Тауне Оушен Бич? +Боже мой. +Привыкай. +Милорд, я утверждаю, что м-р Келсол не давал ложных показаний. +О, привет, Лоис. +Да, я знаю. +Это была тупая идея. +Человек для разведки незаменим. +Заводи машину. +Да что за херня с тобой? +Прекрасно. у нас уже есть одна такая +Я вообще-то не привыкла извиняться... +- Нормально. +Ты шутишь. +- Что мы сделали не так? +- Его отец - гражданин США. +Верно. +рШ... ъ АСДС ФХРЭ ЙЮЙ БШ, НРЕЖ. +дЮФЕ ГМЮЪ НА ХУ НРМНЬЕМХЪУ, +Боже мой. +Это всё из-за него. +Никогда! +Ты замёрзнешь. +Обыскали квартиру вдоль и поперек. +Хоботок? +- Ничего здесь нет. +Иди ко мне, чувак. +- Что такое НМХЧ? +! +Для занесения в протокол. +Ну.. +Я - oдин из мнoгих, ктo пoднимает детвoре настрoение перед Рoждествoм, напoминает им oб истинных ценнoстях. +-Давай поговорим с соседями. +- И я выбираю... себя! +О, Вы были в Ираке? +Чудесно, спасибо. +Идем за мной. +Да, конечно. +Это медляк. +Что ж, не повезло. +Ладно. +Пошли, пошли, пошли! +Как скажешь. +Сейчас тоже не весело. +-А чай больше не нужен? +Это семейная горячая линия. +Когда Дон Саламанка стал более не способен, Туко взял на себя дела дяди. +чьи друзья? +Потом? +Я знаю где это.Погоня Портера его единственный шанс. +Только что передали по телеграфу... +Он хороший пацан. +- На что? +У вас своя ложка. +Пламенеть... +Больше чувства. +Я тоже хочу поучаствовать! +С тем, чтобы упечь отважную женщину за решетку? +Понимаешь? +Сердце колотилось, но тебе бы пришлось вернуться ещё раз. +Вы блюститель "сухого" закона, а не Шерлок Холмс. +Финансовое? +Вы блюститель "сухого" закона, а не Шерлок Холмс. +Да. (нем.) +Интимные дневники Логана Маунтстюарта." +Какая скука. +Я не сдамся... никогда. +Легко ли мне? +Неплохая шутка. +Да, я вчера напилась, но мне теперь покушать нельзя? +Хоть авария была и серьезная, я знал, что с вами все будет в порядке. +- Прогоните этого наглеца. +У меня была назначена здесь встреча и я хотел увидеться. +Вы боитесь такой мелочи, поэтому-то вы и женщина. +Справишься? +Вставай! +# Мне оставь лишь любовь, чтоб в ладонях держать. +Думаю, для того, чтобы скрыть запах мочи. +Слушай,слушай, ты не будешь целовать меня на работе. +Да, я лучше сдохну! +Они мертвы. +- A ты подумай, это же круто. +Кто я? +Здесь нет патронов. +OK, OK. +Все хорошо. +Так ведь, ледяной человек? +Спасибо, что уделили время. +Да. +-Ты не понимаешь. +Он был в моем классе в академии. +Ана, так и было! +Я отправил тебя туда во всеоружии! +...я знаю, что они все равно придут. +Оставьте ее. +Как смотрю? +Если мой босс выяснит, что я здесь, меня вышвырнут завтра же, но я знаю, что здесь что-то происходит, и мне просто нужен кто-то, кто будет со мной честен. +Он даже не умеет плавать. +Так, куда ты идешь? +- Положила на антрисоль в шкафу. +тебе стоило приголубить и одноногого Пита? +- Я не голодна. +Прачечный человек? +Это простая математика. +Спасибо. +Проблема в том, что я не хочу никаких дистанций. +Не смотри на меня так. +Да, он принес чернику. +Нет, кровь собралась внутри его куртки. +Да. +- Маршалы США. +Без разницы сколько раз я падала лицом вниз, +А синюю машину примерно в это же время где-нибудь поблизости? +Нам просто... +Съеби-ка сейчас отсюда +И надеюсь, что ты поймешь. +Но с Питом... +А сегодня помогайте Кёко. +Знаешь что? +Что случилось? +Типа по-дружески. +Будь мужчиной и сопротивляйся. +Менеджер, вылезайте, пожалуйста. +Что? +Но будете ли Вы отвечать на мои вопросы? +Я согласна. +Но Восточный Дворец* в хаосе. +Вы попали сюда как преступница. +- Я клянусь, это правда, господин! +Ваше обещание... +Ведьма или нет, но она вызвала интерес полиции. +И скажу еще тысячу раз, он не твоя половинка. +Я всего лишь искал аспирин у мамы в чемодане... а вот что нашел. +Плохое. +Вот именно. +Извини. +Так что закрой ебло Томас. +Хватит! +Пек, что самое главное в продуманном плане? +Я же в канализации. +Как твоя совесть, громила? +Я не знала-- +Я думаю, теплая погода, важна для него. +Назвал "Зеленая лягушка". +За поимку Чейни я обещала 50 долларов. +Выменял его у индейца, тот сказал, что мертвец достался ему честным путем. +Говорят, что приоритеты меняются +Давай, Кэйси +Сложен переход из одного в другое." +Исходя из такого катастрофического взрыва, я думаю, у него был какой-то хирургический имплантат. +- может быть, она вспомнила бы... +Я о том, что все эти годы ты был за главного и я... вмешалась и все изменила. +Он утверждает, что не насиловал тебя. +Я не обязана отвечать тебе. +Твоё последнее суровое испытание. +И вы один из попечителей фонда? +Ну и ну... +Единственная вещь, что могла бы сделать это еще лучше это большегрудая фея там со мной +Потому что я пишу о тебе статью. +Вы не знаете, почему Клэй Томпсон, живой или мёртвый, мог желать смерти Бенни Саттону? +- Мама меня убьёт. +- Давайте, это мило. +За уголовника? +Наш замечательный манне... +Самое главное - это вера в себя. +Конечно, он не станет. +Ни сегодня, ни завтра, а только следующим вечером. +Это... +Вы и правда боитесь? +Онни, могу я взглянуть на карты посетителей? +Какая разница? +Вы не можете этого доказать. +Валентино, Валентино... +Хиромаса Йонебаяши +Грустно, но похоже, что ваш вид ждет та же судьба. +- Нет. +Мы ехали всю дорогу до Напы. +Ты набросился на него. +О боже! +Мне просто нужно, чтобы ты притворился, как будто никогда сюда не приходил. +Нет, я зайду. +Как сестру. +Лекси обратила тебя? +Отрубите ему руки! +Но тем слаще наши победы. +Ты немного напоминаешь мне меня самого в твоём возрасте. +Даже не сравнивай меня с этим сукиным сыном! +- Главный сварщик. +- Да. +Хм. +А вот и я. +Да, мистер Фритц. +Но я хочу, чтобы ты оставил мою маму в покое. +Что именно? +Я не верю что это происходит. +Бизнес это война. +Спасибо. +Пошли, давай! +Где ты узнал про это место? +- Я думал, что и поеду в Косово. +* *Эй* +Да запросто. +Тяжёлое и задиристое, с одной стороны, и мягкое и девичье, с другой. +Наверняка тебя постоянно тормозят копы из-за твоей национальности. +Вот и все. +Было ли это профессионально? +В комнату входит он, в маске, проверяет эту штуку, вставленную мне в шею. +Нос просто бросается в. +Лучше, чем свою голову. +Ладно. +Мы заказывали лишь 10. +Робин. +-Как мне выбраться отсюда? +Я очень уважаю этого человека. +Все не может быть так просто +Сукин ты сын. +- Ты не в себе, что случилось? +Твои дети учатся с его детьми? +Привет, Оуэн. +Ты с утра выпил пару коктейлей, Донни? +И это мы еще не учитываем бегущую дорожку, которую мы все видели так прекрасно выполненную в начальной заставке "Джетсонов". +Это ты у нас так ревнуешь? +Когда? +что я псих. вместе с другими психами. +Что случилось? +Ты что-то хотел мне сказать? +Ты не думал, что мы догадаемся насчет вымогательства? +Однажды...она просто решила впустить меня. +Давай! +На землю! +Она самый искренний, добрый и преданный человек, которого я знаю. +Доброе утро. +Дин, мне было одиннадцать. +Они уверены? +Ты готов расстроить мамин с папой брак только для того, чтобы не делать уроков? +Как ты маленький... школа спасена +Всё верно. +- Тебе всегда нужно знать, почему. +На мой взгляд, фразу "Пистолет был в собаке" +Теперь меняем, чистый паспорт. +Это не то место, куда ты отправил Нила, когда его только что выпустили? +Так... +- Отключаюсь! +Хорошая работа. +Большая часть об их работе под замком так, я пологаю, это были секретные операции. +Да пожалуйста, я все равно собиралась оплатить счет сама. +Любовь настигла нас внезапно, подобно автокатастрофе. +- Чтоб тебя, пять! +Любимый, это я! +Две девочки. +И не развлекаешься. +Сделайте что-нибудь с этими пай-девочками! +Драко. +Зевс, прости нас за все оскорбления и защити нас. +Ох уж эта молодёжь. +[ЦРУ, Лэнгли, штат Вирджиния] +Совершенно секретно +Никто не знает, где ты. +Но вот на этом листе одиннадцать имён и ещё одна закрашено. +Это потрясающая новость. +Как? +С тобой все в порядке? +Я должен знать. +Теперь, вот он я. +Что ж, дедушка твоего гангера тоже научил его делать их. +И это всех их уничтожит. +Ты что, Шерлок Холмс? +ДИНАМИТ +А что делают те люди? +– Что? +Оставайся наверху как можно дольше, понял? +Я давно тебя знаю. +-Это распечатка вашего графика тренировок +* Давно бы так * +Др. +У меня была надежная информация. +за кем она охотится. +Ох! +Им нужен брак со сторонником Стефана. +Я не знаю. +Я слышал ты собираешь команду. +- Ты собираешься реагировать? +Это на нее не похоже. +Mom's negative for Churg Strauss. +Моя репутация в мире искусства пострадала. +Да. +- Это не оружие, но... +Слушай, Питер, когда-то в своей жизни ты изменился. +Где кражи баз, суицидальный прессинг и опасные подачи? +Я спешу. +Так даже интересней, Форд. +Ладно. +Мама? +Вот здесь. +Молодец, приятель. +Ладно, ммм... +Я в интернете нашла программу помощи диким животным. +Ага, пицца, выпивка, телек. +Футбол! +Уверен, мы сможем её разгадать. +Я не с другой планеты. +Вы можете рассказать мне об этом. +Без разницы. +Пэнни, ты сталкиваешься с неудачами каждый день. +Убеди нас. +Особенно сейчас, когда она занимается "этим" с кем-то другим. +У нас простые аргументы, Ваша честь. +За мной гонятся и хотят убить! +Да. +! +В этом бизнесе наша кредитная компания - лучшая. +Как Вы не понимаете этого? +Поверь мне, приятель, тебе не захочется это подхватить. +Я не могу. +Azzett, Alyery, valentinakorea, katerin93, off, twelve, truegodofdeath TornADo, katenokZP, vm, smol, EnzoGarlomi minorellen +А что с тех пор изменилось? +Если увижу твои слёзы, я не смогу уйти, не смогу тебя отпустить, но идёт дождь, и значит всё наладится. +Розовую помаду тоже я дарил. +Если сразу простишь, будешь дурочкой, Пак Гэ Ин. +Что? +Но как такая крупная компания вдруг заинтересовалась дизайнером без имени? +Твой бывший парень? +Прошу меня извинить. +А что это у тебя? +Она твоя жена. +Что-то случилось? +Сам же всё знаешь. +Ты ошибся, Ин Хи здесь больше не живёт. +Какое отношение это имеет ко мне? +А ты знаешь, что это? +В следующий раз обязательно научу тебя ловить рыбу. +Хан Чхан Рёль. +[Госпожа Чжан Ми] +Рука +Да, забавно, правда? +Джули хочет попрощаться с тобой. +Ты произвела неизгладимое впечатление. +Анна была права. +- Отправления правосудия. +Это Харпер. +Не может быть! +Мы обязательно это исправим, чтобы нашей стране ничто не угрожало. +Со своим... +Мама Питера. +Отклоняю. +У нас был лучший... +Совет не пойдет на это. +И я подумал, не переживайте из-за этого. +Это тупик. +Ей тут восемь. +Tьl пpиcвoил ceбe cлужебньle дeньги? +Бейтс, прошу, скажи, что с тобой. +И ты мне сейчас же все расскажешь. +что напомнили. +Шлем дам. +Но спасибо за ваше предложение. +Каррактикус. +Теперь все это потонуло во мраке войны. +Он был Великим человеком, но сейчас он просто пытается вернуть тебя назад. +Мне в лицо! +- Правда? +братан. +Гомер Симпсон, за поднимание паники в банке, вы, тем самым, будете приговорены к 100 часам общественных работ! +Я хочу сказать "спасибо". +Ничего. +Действительно неудачное время. +во время вашей поездки в восьмом классе? +Это на самом деле моя мечта. +Мой пацан +я считаю, что это трудно сказать, ведь у нас всех были такие разные процессы и я надеюсь, что вы это учтете, когда вы будете принимать решение которое должны принять, потому что мы работали упорно и я не думаю, что у нас было +-мы остаемся единым целым и мы думаем, что лучший путь что вы можете пройти от этого ощущения как уверенность как мы, независимо от того, кто должен уехать домой, что это правильный человек откровенно говоря, мода это +Мою соседку зовут Ким, и она из Корпуса. +Добавим метастазы! +Няня принесла ее, сонную, в розовой ночной рубашке. +- Доброе утро! +Мы закончим наш разговор сейчас. +Он его проспал в квартире друга, на Мюррэй Хилл. +Позднее, Тино, хорошо? +О, убивец мечтаний. +Ладно. +Я хочу балканскую. +Шериф, у тебя травма. +Томми! +Ты перев..? +Умен, почему? +Прошу, не убивайте его! +Где она? +Я был там. +Ну или нет. +Вы знаете, почему на вас напали? +Если хочешь увидеться со своим сыном, тебе придётся приехать в Малибу. +Ты же не думаешь что он серьезно даст мне 1000 долларов за час? +И она заставляет меня смотреть на носовой платок, полный ее соплей. +Уходите отсюда! +Вернусь в Сеул после обеда. +Бросил тебя? +Я тебя понимаю. +- Крис? +Пой! +- Одна наша работница отдает вам свой. +Иуда вдвойне! +Как жаль Дэвида. +Где вы... его нашли? +- Хорошей экскурсии. +Никогда +И я чувствую себя отлично +Я не знаю. +Ребята, ребята, успокойтесь. +Это - возмьите другое. +Будем ли? +А Киль Ра Им молодец. +Кто дал мне право лишать её смысла жизни? +Какой номер дома? +Я ехала на машине с твоей матерью, но произошла авария. +Гути забил гол! +Он был моим братом, я не причинил бы ему вреда. +Оппа! +Но я верю, что все женщины на планете должны быть счастливы. +Ты цепляешься ко мне и критикуешь Бейза, но от этого никому не легче. +-Садись в машину! +Повесим рядом, посмотрим! +Спецдоставка! +У нас уже это есть, Филлип! +- Балда. +У меня такое чувство, будто ты чего-то не договариваешь. +И не мечтайте. +Принцесса вернулась. +Ну что ж, с этим пока дела у них идут неважно, верно? +Она улетучилась вместе с моим мужем. +Эти книги. +- Мы убрались внутри. +Прекрати, Чарли, это нелепо +Самое время прыгнуть с балкона. +Потом поговорим. +Верно. +- Двое. +Позовите врача. +- За языком тела. +Я не отдам этот корабль. +А вы думаете, что это может быть правдой... что вы "Забили на обязанности"? +Потом ты смотрела ее примерно час и затем сказала, что за эту роль Николь Кидман следовало дать "Оскар". +- Нету заряда. +нанять кого-то для этого - тоже. +Один поцелуй. +Будьте к нему снисходительны. +бЮЛ МСФМН ОНОПНАНБЮРЭ ЯЕАЪ Б МНБНИ ПНКХ... оСЯРХРЕ. +МХЙНЦДЮ АШ МЕ ЯЛНЦ ФХРЭ Я РЮЙНИ ФЕМЫХМНИ, ЙЮЙ РШ. +ъ ФЕ ЯЙЮГЮК: +оПЮБДЮ? +нМЮ МЕ ЙНПЛХКЮ ЛЕМЪ. +пЮГБЕ ОПНЯКСЬХБЮМХЕ ОПНЬКН ОКНУН? +гЮУНДХ. +- Сонбэнним! +Ли Ган Мо занимает все твои мысли? +Madhester.ru с гордостью представляет: +Передай мальчикам, что я позвоню. +- Это не то, что я хочу. +Доброе утро. +Похоже, тебе удалось отдохнуть. +Он ненавидит женщин, я права? +Мы сделали предварительный анализ группы крови для этого образца, точно так же, как и для всех других образцов. +вызовите скорую! +что кто-то наколдовал погоду ради хозяйственного процветания. +Такой шанс тебе нечасто выпадает. +Стирка? +Это поддержка. +К тому же она общественная. +Сколько именно тебе лет? +Мы начали строить отношения. +Я иду в театр... в Париже. +- Хорошо, сэр. +Я не хочу, чтобы меня убили. +Тебе нужны деньги? +- Это здорово. +Кенни? +Я вообще-то пошутил. +Полиция! +- Все существующие. +- Да, корабли далеков И кибер-корабли. +Зачем оставлять киберчеловека на страже? +Кто живёт в моих мечтах. +И ты, таким образом, защищён. +Проверь ее линию продуктов. +Я что-нибудь придумаю. +-Итак, Тедди говорит, ты не играешь в теннис. +Он пытается задурить твою голову, милая. +а бесплатная выпивка -- как раз то, что я люблю! +В смысле, я должен был. +Я... я больше не могу скакать от женщины к женщине и дальше к женщине как раньше. +Вы кто? +Не думаю, я просто хотел бы выглядеть натурально, как если бы не было никакой операции. +Окровавленные. +И тут я поймал еле заметный лучик чего-то. +И что же я сказала? +Я не хочу, чтобы на твиттере появлялись сообщения о том, где она. +Конечно, черт возьми! +Присядь, Мигель. +И ты тоже. +Ой, Тед. +Те пришельцы использовали коммуникационные камни, чтобы контролировать лейтенанта Джеймс +Ты достаточно протрезвел, чтобы подумать о свадьбе моей сестры в ближайшие каникулы? +Внетелесные переживания могут быть вызваны +Нет, я все еще ваш правитель. +В течение миллиардов лет ничто не мешало вулканическим газам скапливаться в атмосфере. +вам это не интересно. +А рассказать поподробнее не хотите? +Забери меня. +Говорила, что тебе нет до меня дела. +Ты улыбаешься из-за Робин. +Господи, и так всегда во время эрекции. +Твои глаза мокрые +So... +Ну, то есть, да, я думала, что собираюсь, но... +Он, наверное, просто растроен. +Если бы ты смогла сделать маленькое, крошечное исключение, +Я волновалась. +Но не ты... +Что? +Я только... ощущала его присутствие. +В бассейне. +Существа с такими... +Я ничего не могу изменить. +лНКНДНИ ЦНЯОНДХМ! +Если в будущем тебя за это накажут, я возьму вину на себя. +Мой экзамен, моя репутация! +Куда он делся? +! +Куда, черт возьми, он пропал? +Как низко...! +Но как это возможно? +Зачем ему быть здесь? +Так же, как они. +Я уверен, что видел свет внутри. +Хорошо выглядишь. +Раз решила остаться в Сонгюнгване, помни, что каждую секунду идешь по канату над пропастью, рискуя жизнью. +И поговорив с тобой сегодня я понял... я не чувствую к ним то, что чувствую к тебе. +- Как Шерлок Холмс, и у него есть... +и послал меня следить за возможным женихом для Сильвии. +Он привёл мне эту лилипутку, наглец... +Хорошо, идём поднимать бокалы. +Я знаю... +- Вы еще не закончили фильм? +Ну что, пойдем? +Возможно, мы просто тебя выпустим. +- Только то, что пишут в газетах. +Вы проверили его на рогипнол? +И лейтенант Монро убедил Гарри дать показания против меня. +Какая-то часть вас считает что Питер Томасон виновен... но, если, приняв во внимание все доказательства... вы все еще колеблетесь и не можете найти себе места... ваш долг оправдать Пита за недостаточностью улик... и признать его невиновным по этим обвинениям. +Ох, пап, я дам тебе немного скотча. +Чтобы _я_ управлял Звездой Смерти? +О, верно. +24 года, Лос-Анджелес. +Вот и все. +- Потому что именно тогда он должен убить меня. +концу 90-х деривативы были нерегулируемым рынком размером $15 триллионов. +Будет Поуп. +Всё меняется, Купер. +значит? +Пошёл ты! +- Спасибо, господи. +Я уважал тебя за требование, чтобы я стал лучше. +Ты сказала, что забыла мобильник дома? +Есть мешок. +Никогда, моя маленькая. +Меня это не касается. +Но потом я им показала. +5 декабря 1994 года и 29 октября 2010 года. +Доброе утро, Кеннет. +У тебя есть время. +У него есть старый блокнот, который может нас скомпрометировать. +Все знают +- Ты любишь его? +Потому что это что то значит. +Простите, но не могли бы вы открыть меня? +Дамочки из драматического комитета будут здесь в 10, чтобы все это забрать. +Мам. +К тому же, воротник Бенволио мне кажется больше французским, чем итальянским, поэтому, если бы у меня было, ну, еще пара часов и... +Так что, когда ты и папа снова были вместе, это было так, как будто у меня была семья, которую мне всегда хотелось иметь. +Да, - чтоб читать молитвы, пилигрим. +Акира? +Что-то еще случилось. +Они с Эриком поехали выбирать колледж. +Чтобы уберечь тебя. +Только для мальчиков. +Я просто пытаюсь влиться. +Потому что мы так молоды, мы оба +- Ну, не то чтобы тебе нельзя, просто... +Из Общества кредитов и ценных бумаг. +Пошли. +Похоже, сегодня мы будем в полном составе. +Я становлюсь похожим на тебя. +Мистер Голд, вы не доверяете мне? +Самолёт. +Итан, беги туда к тому фюзеляжу. +Бен очень быстро понял что в этом человеке было что-то особенное. +нет... +- Джим, я люблю это кольцо. +Деньги были на корабле. +Облейте нас океаном дождя! +Хорошо, думаю, я попробую насладиться остатком дня пока это терроризирование не возобновилось. +От Тони. +! +Сегодня гуляем. +Да они просто веселятся. +- Он слегка знаменит. +Это персик. +- У меня есть немного времени. +Без вариантов, это не моя вина. +Я не знаю. +Типа... +Ладно, все нормально. +Это война, на которою они оба отправились. +Да. +А после операции можешь прикончить всю пачку за один присест. +Делал из меня мужчину. +- я попал впросак с одной девчонкой... +Итак, пять, четыре, три... +Разумеется, трахал. +Зубы? +Сломаны, а затем отпилены, по-видимому. +Работа под прикрытием! +Джейсон убил его, и ты покрывал это. +Джейсон убил его, а ты всё прикрыл. +Мы будем ждать развития событий. +Доброе утро. +Все дело в камушке? +Да. +Я слышал о нём. +Нет, вы дома: я вас слышу. +(плач и всхлипывания) +[Надпись: +(смех и радостный визг) +Её написал я! +Я уже всё увидел. +- Что такое? +Госпожа, как всё прошло? +- Поскорей возвращайся и не заставляй себя ждать. +Прости, Гленн. +Да. +Народец считает кстати, я тоже, не зря дурь с бухлом нам на сизые рожи - чтоб нас успокоить, не дать нам взбеситься. +♪ Until the sky turns green +Доктор Уеббер втихаря дал мне несколько бесплатных образцов, +Вы удаляете желчный пузырь через рот +Снято! +Я думаю, что у тебя гораздо более практический подход, чем у большинства. +Хотя его няня сказала нет, +Ладно, это враньё. +Пока. +Я побежала вниз и ... ты нашла его? +Не знаю. +Ирвина задержали в Парк Слоупе за непристойное обнажение. +- Эй вот в этом месте тебе надо было сказать "Сэмми Гейвис Джуниор". +А твое лекарство? +Я просто не думала, что я буду это делать с девушкой. +Его друг, наверное. +Пойду, проверю, дома ли она. +Только позволь мне это сделать. +Где черная коробка? +За ней что-то есть? +Ким Чжу Вон! +.. +Зачем ты приехал на машине Дюваля? +- Привет... +А может, ты с ним связалась только из одной вредности? +- Нет. +Спасибо. +Хорошо. +Она не справилась. +Вы сидите за нашим столом. +- Бля, чувак. +- Забирай. +Джон? +Вам тоже нужно в туалет? +Люблю тебя, милая. +Я просто сказал о своём наблюдении. +Пока ты... +Спасибо. +- Почему вы так напряжены? +Пусть лучше так, чем иметь всё с тем, кто лишь часть тебя. +Не знаю. +Да, могли бы, или я могла бы вернуться на вечеринку, по случаю моего дня рождения. +Потому что мы можем доказать, что они встречались. +Да вы - просто Шерлок Холмс. +В любой момент после того, как тебе исполнится 16, можно посмотреть фильм и сделать выбор. +Я ваш солдат. +Стой. +- Олег, хватит, ему хреново. +А ружье? +Эйвери, конечно +Представьте себе, что вас перенесли в 19 век, и у вас ужасно разболелась голова. +Харли-стрит. +- Все закончили? +Все волосы направлены к одному месту, и они будут торчать вот так. +Только у 8% мужчин они закручиваются против часовой стрелки, но у 30% геев - против. +- Сука, я убью тебя. +Это моя дочь... и моя жена. +Твое лучше. +Я официантка. +Иногда мне тяжело придерживаться этому правилу. +- И они терпят неудачу, потому что... +Что еще? +"ы не могла бы сильнее ошибатьс€. +Нет! +Прекрасная семья все же.... +Ты можешь обращаться с ней как с шлюхой +Это подходит. +Думаешь, что никто тебя не узнает? +Могу ли я лично показать её вам? +- Да ну, Шарлотта. +Она не девушка. +Ей можно доверять. +- Я оставил кусочек. +Пока! +Он прав. +Бомба! +Номер 13. +Хоть мы и собрались для участия в столь важном событии, мы не должны забывать что все мы находимся под впечатлением от трагической гибели +Ха, ха. +А у тебя нет чего-нибудь от бестактности и чрезмерного любопытства? +- Где ты, черт побери, был? +Мы объединились, братишка. +Или прячешься от Соки? +Поступай, как знаешь. +Хорошо. +Скрытый диабет. +Да, звучит по-Вилсоновски. +Но к счастью, Кортни Гандерсон не кремировали. +Так что всё кончено. +Я - очень хорошо. +В деревушке, где я родился, жизнь протекала неспешно, что предавало ей изобилия. +Но не позднее следующей недели. +Как-то нечестно. +Зачем писать это на спичечной коробке? +[Хлопает дверь] +Ну так что, что же мы тогда будем предполагать? +Ты так думаешь? +А где доказательства? +- Извините. +Так, все вы назад в камеры +Не их конкретно. +Слушай. +У нее есть тайники по всему городу. +На самом деле, ммм... +Нашел? +Ты навещал Королеву? +— Так и есть, я девчонку не видел. +Тебе повезло, что это я, друг. +Кто тут слабак хренов? +Он выглядит весьма дружелюбно для неандертальца. +Могу я обыскать тебя для начала? +Может, в этот раз самому попробовать? +! +Знаю, а что? +А я когда-нибудь ошибался? +Мм. +Да? +Знаете, какую бы я пластику себе сделал? +- Откуда ты ее знаешь? +И мое вольное изложение. +- Почему, знаю... +Но ради них, знаешь. +Да нет. +Здорово. +- Да. +Быстрее! +Но это моя точка зрения. +За этим деревом или еще чем-нибудь. +Нет! +Посмотри на меня. +Эй, почему бы вам тут не закорешиться с кем-нибудь? +- Ну, я не нашел способа чтобы вытащить вас обоих. +Хойт, чеченец пытается уйти отсюда. +Ты 16-летний мальчик. +Она весь день провели с Денни. +Какого чёрта... +Ну, когда я был в твоём возрасте... +Ага, именно так. +Я собираюсь остаться с Квином Ему может понадобиться поддержка +Послушайте, наверное, стоит закрыть выставку. +- Так все и было. +Не так часто. +Сонбэ ей в отцы годится. +А, есть... +Поеду в Башню. +У нас проблема. +Ни один из вас. +Я ведь её старше. +Как же нам убить короля, который и без того уже мёртв? +СТАРШИЙ ЛУЧНИК: +Хуже, чем когда либо! +- Олли! +Пожалуйста. +Эй! +Майкл! +Каковы меры безопасности... +Вот дерьмо. +Мам, сколько раз говорить, за мной никто не придёт. +С этим кризисом особо не до выбора. +Это маленькая сельская станция, зарегистрированная на человека, чье тело находится в инженерной кабинке. +Рядом с ней звёзды так сияют +Пойдёшь со мной? +Александра Лейднер, 1925 года рождения. +-О Господи. +Отвали нахуй от Деб! +Просто хотел спросить, поедешь ли со мной в воскресенье в Орландо на день рождения Гаррисона. +Я была свободна. +- Карло, объясни мне. +Здесь у меня еще одна. +Смотрите. +35 солей. +Нет... все в порядке. +Да, это я. +Слухи не обманывают. +Что случилось? +Простите.... +Продолжим в другой день. +Вы умнее, чем кажетесь, маршал. +Насилием пропитано всё. +ТЫ ДОЛЖЕН С ЭТИМ смириться. +Из области: "мы этому научились у Нацистов". +Как вы думаете? +Извини. +Ты в порядке +Смотришь на людей свысока и принимаешь всех за идиотов? +Это инспектор Лестрейд. +Джон Уотсон! +– Это мой старый приятель, Джон Уотсон. +Меня зовут Шерлок Холмс, адрес – Бейкер-стрит, 221-б. +Инспектор Лестрейд, возглавляющий следствие +– Кто, Шерлок Холмс? +– Шерлок Холмс! +– Вы что, принимаете наркотики, Шерлок Холмс? +Шерлок Холмс! +– Инспектор Лестрейд, я совершенно точно знаю, что этот человек не ел несколько дней. +– Шерлок Холмс и доктор Уотсон. +Это инспектор Лестрейд. +Джон Уотсон! +Это мой старинный друг, Джон Уотсон. +- Шерлок Холмс, а адрес 221Б Бейкер Стрит. +- Что, Шерлок Холмс? +И Шерлок Холмс будет тем, кто его туда поместил. +Шерлок Холмс. +Наркотиками увлекаемся, Шерлок Холмс? +Шерлок Холмс! +Шерлок, к тебе всё ещё есть вопросы. +А, инспектор Лестрейд, я точно знаю, что этот человек не ел несколько дней. +Шерлок Холмс и доктор Уотсон. +"Предаст"? +Первое: отправьте его домой. +Снова в окно полезешь? +Мне надо много всего наверстать с моей старой, старой подругой. +От нас сбежала отличная пара, из-за того, что у нас одна щётка на двоих. +У господина встреча завтра +Значительно меньше должно быть воля богов скрытая среди проклятий поговорим о реальном состоянии Крикса +Издеваешься надо мной? +С ФБР, Даг. +-Что выясним? +Может, добавить чего поинтереснее? +Но мне нужно посадить их в комнату для допросов. +Ты не могла бы ее отвлечь? +- Кристина. +Нет, она восхитительна. +Один. +Хей! +дНЙЮГЮРЕКЭЯРБЮ МЮ ЙНФЕ, ЙНРНПШЕ МЕ БХДМШ МЕБННПСФЕММШЛ ЦКЮГНЛ. +рПЮМЯОНПРМШЛ ЯПЕДЯРБНЛ, ЙЮЙ ОПЕДОНКЮЦЮЕРЯЪ, АШК МЕАНКЭЬНИ ЦПСГНБХЙ, +яРПЮММШИ ЯКСУ ПЮЯОПНЯРПЮМЪЕРЯЪ ХГ +бЮЛ МПЮБХРЯЪ ОНДЯКСЬХБЮРЭ? +п·п╠я▀я┤п╫п╬ п╡ п©п╣я─п╡я▀п╧ я─п╟п╥ я┌п╟п╨ я┐ п╡я│п╣я┘ п╫п╬п╡п╬п╠я─п╟п╫я├п╣п╡. +п╒я▀, п╫п╣пЁп╬п╢я▐п╧, я┘п╬я┤п╣я┬я▄ я┐п╪п╣я─п╣я┌я▄? +пё п╡п╟я│ п╤п╣ п╫п╣я┌ я─п╟п╥я─п╣я┬п╣п╫п╦я▐ п╫п╟ я█я┌п╬! +Что? +-= Жених +Он попросил привезти вас... +Ах ты, негодная девчонка! +Да, Джек Кеннеди был застрелен чужаками из 46 района, нанятыми ЦРУ... +Чарли попросил меня посмотреть на крохотную вещицу у него на заднице. +Ты делаешь это 8 лет. +Это не еще одна проститутка, да? +Приятно познакомиться. +Чтo yмepлo, тo yмepлo. +Я думала, у нас тут встреча. +Я пришла повидаться с Вероникой. +Я знаю парня, который знает парня, который заправляет заброшенными домами, с ним я и договорился. +Почему? +Да? +Разве бедность - порок? +Как же быть? +Всё, пошла в офис документы распечатывать. +Что? +Конечно. +.. +Молодой человек... Правильно, мой мальчик! +Это поднимает тело и дает ему возможность двигаться. +Ты все еще в бутылку заглядываешь? +Передавай ей привет. +Какого черта мы сделали? +Как правило, долго. +И сейчас у тебя 60 секунд чтобы сказать все, что думаешь, и помочь моей девушке с ее домашним заданием. +-Это наш комментарий к его политике. +Что-то не так? +Hawaii Five-0 s01e10 Heihei / Гонка русские субтитры TrueTransLate.tv +Слушай, Камекона, если тебе нечем заняться - лучше возьми молоток и помоги мне. +В твоей жизни, потому что сейчас, если парень говорит +! +Л. Е. Бедь. +Это Уолеран! +Что? +Нормально разговаривать? +Президента Линкольна. +Ну? +Как насчет моего дома... +- Да нет. +Спасибо. +Но это было ужасно. +И слишком предан мне. +-Ты тоже. +Ты причинишь больше вреда, нежели принесешь пользы. +Одежда. +5. +Может, я делаю памятный альбом. +Если когда-нибудь поцарапаете машину декана, не говорите ему, что расплатитесь актерством. +А плитка — лишь имитация. знакомый мастер поможет оштукатурить стены. +Сю Мэй. +Рядом со зданием с синей крышей? +Сделаем все возможное! +я уже его весь съем! +- Всё равно мне по пути на работу. +Так, поторапливайся - многое нужно подготовить. +Я в порядке. +Почему ты на меня не смотришь? +- У нас сегодня математика и датский. +Платье для причастия. +Как сегодня жизнь на улицах, Джеймер? +Я так же, как и остальные, радовалась твоему назначению. +Лестер хотел, чтобы я отвез его в Канаду. +Лоуренс. +Но что это вообще значит? +Никто не говорит, что ты не стараешься, Роберт. +Вам нельзя заходить туда. +Да. +- Эту белку, вероятно, отравили. +Каково это? +Это мерзко. +- Простите? +Ты должен вернуться домой. +Мы здесь застряли? +Ваша подруга холодна. +Если Ваш клуб будет иметь больший успех, то мы сразу же закроемся! +Сезон 3. +- Позвоночник сломан? +И его величайший шедевр останется навсегда... +- Почему бы нет? +Видишь? +- Я буду ждать тебя. +Слушай, мне очень жаль твою подругу Шарлетт, или как её. +Это то, что нам надо. +- Насколько она ценная? +Я имею ввиду на машине... +Плюс моя сестра сохранила много архивов, +О мой бог. +Не будь дураком. +! +Да. +Нет. +Хорошо. +- Мы это пытаемся выяснить, миссис Рамирес. +Какие все-таки красивые розы. +Я вкалываю по 60 часов в неделю, я переехал в Швецию по работе... +Лучше бы я деру дала. +Да нет, но тебе разве ты не боишься просто убить кого-то невинного? +Уйди! +Теперь он придет за тобой? +Что мог смириться с этим, помогая ей? +И эта уверенность. +Эй. +Смотрите у меня там, в Монтевидео! +И, Мак, я занималась их счетами. +И ты думаешь, что твой дядя пропустил бы эту игру? +Мы тебя не пристрелим, Джоуи. +Мы контролирем намного больше чем ущерб его репутации если об этом пронюхают журналисты +Положи на землю +Да, "малыш" по-китайски +Все в порядке, расслабься О, черт. +Вы... арестованы за подстрекательство к убийству и изнасилованию. +О, да. +Свой. +И что? +Ну, у него был тяжелый день. +Они уже убили троих и пытались убить нас. +Последние 7 лет я только и делаю, что присматриваю за чужими детьми. +Они позаботятся о тебе. +Он просто превосходен. +* Я видела, как мой папа плакал * * и проклинал пустые слова * +Да ничего. +- Спасибо, ваша честь. +Похоже, фармацевт +- Мне девчонка - не советчик. +Не вынуждай меня стрелять в тебя. +Катетер не протекает. +Да. +То есть, он останется... +Любой из мириады агент зарубежной разведки, который верит, что чертова книга еще имеет какую-то ценность. +Хорошо. +ПЕЩЕРА В ПАРКЕ 3010 ГОД +Я принесу свой чемоданчик. +Как можешь ты быть так уверен? +Я чувствую себя нечестной. +Лан Мао? +Мама! +Спасибо. +Мне надо ему кое-что сказать. +Все люди погибнут. +Послушайте, я звоню все утро. +А теперь пошли. +- Ой, да все латиносы похожи на мошенников. +Попробуем по-твоему. +Она работает... +- В смысле? +Мы думаем, это и привело ко всем твоим проблемам. +Тогда, что же это? +Эй, приятель. +- Ты знала? +Понимаете... +Хороший вкус на женщин, хреновый вкус на еду. +Очень немногие видели его лицо. +Кто такой Бартовски, чёрт возьми? +Фишка в том, чтобы все выглядело как будто это легко. +Узнал что-нибудь? +Я помогу тебе попасть на него, будь наготове. +Нашли только руку. +Жасмин, привет. +сколько понадобится времени. +По легенде, +- Не приближайся к Вайолет. +А я и не знал, что вы здесь. +Вы хотите нарушить соглашение с предыдущим царём? +Что он обещал выдать вас замуж за правителя Когурё. +Я всегда чтил ваше имя. +чтобы принуждать цесаревича? +Стражник из дворцовой гвардии Свеккоп рискнул своей жизнью, чтобы спасти царевича. +Мы сместим царя и он проведёт остаток жизни в Саори. +Мои биологические родители - простые люди из Конна. +оПНЬС, ОНЛНЦХРЕ ЛМЕ. +ъ МЕ ОНМХЛЮЧ, Н В╦Л БШ ЦНБНПХРЕ. +Что ты делаешь? +Я не расстроюсь, если вы прогоните меня. +Почему ты не с Вибираном? +Но если она ничего не сказала тебе... +Они увеличиваются. +Он спас нам жизнь. +Теперь взводом командует лейтенант Лебек. +Нужно поддерживать себя в форме. +Он прав, это безумие. +Этот... +Ох, больше не могу. +Что ты делаешь? +Все люди совершенно забыли об этом и продолжают счастливо жить, хотя этого человека больше нет. +Его температура падает +Нет, ты не должен. +Конец связи. +- Я не знаю, как тренировать собак. +! +- Он меня поддержит. +И если тебе что-то понадобится, все что угодно, кто-нибудь всегда будет находится с той стороны двери. +- Извини детка. +Просто прикрепляешь бант к игрушке и готово. +Мне приходится есть своего собственного северного оленя! +Хм..вот эта уже получше. +Мэнни, мы тебя разбудили? +Вы звали меня! +Хорошо, передай от меня привет маме. +Позвони Президенту Суварову и попроси о встрече в твоем кабинете сразу после пресс-конференции. +Прощай, брат... +- Миссис Ричи. +А что, постирать мешок нельзя было? +Обычно я слышу лишь преступников. +Правда Вот, точно! +Ты украл это? +Я не знаю. +Баал занимался клубом для людей с такими вкусами в подвале клуба.Кензи, были и другие, кроме Порши. +Она и так уже всем распоряжается! +Лицензионный номер и номерной знак - фальшивка. +- Эмма Мастин. +Ок. +Чего это вдруг? +Я распоряжусь. +Ди, это самый лёгкий способ разрешить наш спор, так что... +Пока ситуация не стабилизируется, вы побудете с нами. +Ой, простите. +Уходим. +Родни, привет. +Саске! +Капитан +Тебе наложили швы, и я оплатил счёт. +Забудь. +Межвидовые отношения. +- Как это? +Ну ладно уж. +Мать ненавидит. +- Шерлок Холмс. +- Шерлок Холмс. +Я не знаю, Кейли. +Думаю, мы успели вовремя. +Ничего необычного не произошло. +Всего пару дней назад я узнал +Какое пари? +Снимешь кольцо раньше, чем через 24 часа, и проиграешь. +У Сэма, Эмили и Лии. +Залезай. +Он водит грузовик с большим улыбающимся апельсином на борту, с ручками, который как будто говорит: +Фред, я только что говорил с ними. +- И вероятно всегда этим занимался +Где снеговики? +Он использовал это, чтобы шантажировать вас, не так ли? +Я понимаю, что сейчас тяжелые времена. +- Буду работать над своей дикцией! +Знаете что, это очень запутанная партия настольного футбола. +Гораздо более вероятно, что лев доест то, что убила гиена, а не наоборот. +Вот почему... +- Я встретила тебя. +Спасибо, что пришли. +Купер просто пытается во всём разобраться. +- Дай пройти +- Это была вода +Там ничего нет. +Мыло старомодное. +– Тебе не нравится? +Можно мне залесть на стенку? +Я пробовал позвонить на мобильный, но он сразу перекидывал на голосовую почту. +Если бы я мог сделать больше. +Всю ту неделю я думал лишь о том, как они меня разрежут и извлекут часть меня, которая всю жизнь была моей. +- Что тут? +Они вот-вот возьмут город! +А я думаю, что вы убили нашего отца. +Хорошо, тогда анисовую водку. +Как ты? +Ты... +В порядке. +Невероятно сексуальной. +Ты что... плачешь? +Ты была права. +Вы не должны обижать детей. +Какой толк с таких сопливых подчиненных? +Номото. +- Медуза. +- Что ты там делаешь? +Будь добрее,поиски моего оперного плаща заняли у меня 20 минут +Сейчас справедливость не просто слепа, её сейчас нет. +Теперь ты выглядишь, как настоящий римлянин. +Я удивлен, что Аллан еще не стал партнером. +Что? +Продолжение лечения: +Подождите. +Я подруга Теда Мосби, так что... +Вы действительно читаете досье на всех. +Хорошо. +Ты сказала Марку? +- Миссис Шепард? +Убей! +кроме как быть моим другом. +С Ташей все в порядке? +Мы чуть не сгорели с тобой заживо из-за этого проклятого ублюдка, которого я выпустил на свободу а тебя что, беспокоят эти чёртовы слова? +Кэффри. +Ну, знаешь, как мы однажды почти... +Как мой будущий зять, +А заключенные? +Это? +Тебе нужна не только я. +Я сказал тебе бросить это. +Ситуации- моя работа +Разумеется. +О, дай мне минутку +Ага. +- Привет. +Почему бы вам не показать нам, как курица кладет яйца? +Выслушай меня. +Только представь себе. +Тебя бы хватило на неделю. +Эй? +Ты заставила сделать меня это. +Нет уж! +Там мило. +пирожные! +Всегда подавайте свои метеориты при комнатной температуре. +В смысле, если ты никуда не спешишь. +Будьте осторожнее. +Вы были парой. +Сили никогда бы не стал убивать, если был другой вариант. +Он освободился в прошлом месяце. +Я говорю о более тесных отношениях. +Всё прочёл? +Не могли бы вы уменьшить её на 30 Дб? +Ты уже видел его раньше? +Не могу поверить... +Ты знала хозяина Бузиновой палочки. +Это медальон хозяина Регулуса. +Но Смерть была коварна. +Я столкнулся с одной неприятной проблемой. +Ну что, куда отправимся отсюда? +Я должна войти в дом. +Я пришел туда на просмотр пустого склада на перекрестке 4й и Пивной улицы. +- информация о семье, друзьях. +- Да. +Ладно, это была трогательная часть. +Я приведу твоего брата. +Так, посмотрим, что здесь? +Она отказалась, но вежливо. +- Я всё исправлю. +Остынь. +Я здесь. +Ее одежда, прическа, обстановка квартиры, все говорит об её открытом и свободном духе. +Кто играет? +Танцующий огр! +Потому что.. +Для родителей я - все еще малыш. +Однако, это значит, что они определенно во что-то вляпались. +Хорошо. +Ни капли уважения... +Это использование твоей тактики против тебя +Не так, как знаю Сэма. +Где ты был? +Конечно! +хотите, чтобы мне стыдно стало? +Я хочу сказать, что это несправедливо. +Хорошо, Вы должны знать то, что я буду лишена звания адвоката. +Что это, Шерлок Холмс? +Знаешь, Блэкем, +Ворчун, ты придурок, перестань ты уже спрашивать об этом! +Не хватает чего-то важного. +- Я вам не скажу. +Привет. +Я не знаю, что это, сэр. +- Я знаю. +Нет, не предупреждала. +С той минуты, как ты встретила Пола, ты только о нем и говорила. +Жизнь и с образованием достаточна тяжела. +вот, собственно, так и вышло. +Этот человек ранен! +Хо- хорошо. +Но если он стал грязной лужей, то что мы забыли в морге? +Ты говоришь о гражданской войне. +Перевод субтитров выполнила Злюка. +Правда? +Что вы помните, Дейв? +Похоже, ты хвастаешься. +Помни о чем мы говорили, Алекс. +Много расходов на содержание и раз в месяц приходится менять масло. +Пойдёмте! +Остановка "Крезент Сити, Новый Орлеан". +То, чего ты не хотела видеть. +Сама понимаешь, толстые, крепкие стены подходящий способ, чтобы держаться подальше от всего этого. +Говню... +Чёрт. +Это станет частью публичного разбирательства в любом случае, мистер Агос. +Я бы сказал: "Это похоже на правду". +Когда мы перестанем прятаться? +Хорошо, ЭКМО внутри. +- Что? +где все остальные люди, которых она зарисовала? +Останься со мной. +Чиф! +- За то, что пялился на вас как школьник. +Питер, что ты делаешь дома? +Она шикарная, умная, красивая женщина. +Эй, эй, шагом. +Боже мой! +С тех пор даже помех не бывает. +Хватит пить! +- Почему ты спрашиваешь? +Где ты училась актёрскому мастерству? +Я сожалею. +Я поняла одно. +Да. +Подожди-ка меня в машине. +Бог мой. +И правда. +А вот и она! +То, что делает их необычными, также делает их уязвимыми. +Я тоже тебя люблю. +Идем на север. +Да, вторая передача снижает мощность +- Иди туда. +Документы Вам были вручены. +Ладно Я думаю... +Иди спать, Эм. +Убирайтесь отсюда. +- Если она это сделает, то сможет выйти досрочно. +Я хочу, чтобы вы были там в этот замечательный день. +Я не хотел его потерять. +Даже мы поняли если кто-то нашел Коллина то он мог добраться и до Пэдди Дойла +Смотри. +- Нужно звонить в полицию. +Чёрт. +Где Лукас? +Сообщите саперам, предупредите их, чтобы не поднимали тревогу. +Знаете, с одной стороны, не представляю, какого это - иметь ребенка. +Ух-ты, мне нравится эта шапочка. +Я тебе говорю, азартные игры, наркотики, черный нал и без копов. +Не стОило так называть! +Сказала, что они все спланировали. +В этом нет твоей вины! +Спасибо, что пригласили. +Аня. +- Фамилия? +Но он всегда возвращался. +Вот носовые платки... +Раньше Хе Ри ничем не отличалась от меня. +Помнишь, что ты тогда сказала? +Ко Ман Чхоль, Вы дома? +Нет! +Почему? +Эта Ма Хе Ри чертовски умна. +Остров Док? +Продолжайте ей звонить. +Ничего. +А что побудило Вас дать новые показания? +- Почему? +Устами младенца,а? +Вы сможете. +Зачем тогда мне тратить время и слушать вас? +Я поведу. +И ты поставил эту женщину на место нашей матери! +Какие-нибудь песни знаете? +США из посольства Болгарии. +Его отец делает это лучше, чем он сам. +И почему ты ищешь так долго? +Джек Потрошитель, Шерлок Холмс. +- Как Амунд? +Эн... +Нужно было увидеть тебя. +Я виноват в смерти Мэгги... +Присаживайся. +Но я вижу нас лишь как друзей. +Я боюсь, что ты можешь обрезать нам единственную ниточку к убийце полицейского. +справится с ним"...? +Расследование продолжается, но инспектор Лестрейд ответит на вопросы. +Меня зовут Шерлок Холмс, а адрес 221б Бейкер-стрит. +Шерлок Холмс +- Кто, Шерлок Холмс? +Должно быть, я отключилась. +Быстрее! +- Инспектор Лестрейд? +Шерлок Холмс! +И потому, что Шерлок Холмс - великий человек, и, надеюсь, когда-нибудь, если нам очень, очень повезёт, он даже станет приятней в общении. +- Шерлок Холмс! +Нет, мне нужен инспектор Лестрейд - мне нужно поговорить с ним. +Джон Уотсон! +Господи, я их ненавижу. +Это не тот Джон Уотсон, которого я знаю. +Я не тот Джон Уотсон. +Это мой давний друг, Джон Уотсон. +Простите, что? +Мое имя Шерлок Холмс, а адрес +Миссис Хадсон, доктор Джон Уотсон. +Кто, Шерлок Холмс? +Я - самое близкое к другу, которого Шерлок Холмс способен себе позволить. +Детектив Инспектор Лестрейд? +Шерлок Холмс! +Ну и потому, что Шерлок Холмс - великий человек. +- Шерлок Холмс! +Нет, детектив инспектор Лестрейд Мне нужно поговорить с ним. +Джон Уотсон! +Это не тот Джон Уотсон, которого я знаю. +Я не тот Джон Уотсон. +Это мой давний друг, Джон Уотсон. +Мое имя Шерлок Холмс, а адрес +Миссис Хадсон, доктор Джон Уотсон. +Ну, я, конечно, могу, э... слегка прибраться. +Кто, Шерлок Холмс? +Я - самое близкое к другу, которого Шерлок Холмс способен себе позволить. +Враг? +Не так ли? +Детектив Инспектор Лестрейд? +- О, я вызвался добровольно. +Шерлок Холмс! +Ну и потому, что Шерлок Холмс - великий человек. +- Шерлок Холмс! +Нет, детектив инспектор Лестрейд Мне нужно поговорить с ним. +Нет,погоди... +Расследование продолжается, но инспектор Лестрейд готов ответить на ваши вопросы. +Джон Уотсон! +Или ты не тот Джон Уотсон, которого я знаю. +– А я не тот Джон Уотсон. +– Это мой старый друг, Джон Уотсон. +Меня зовут Шерлок Холмс, адрес – Бейкер-стрит, 221-б. +"Шерлок Холмс". +– Миссис Хадсон, это доктор Джон Уотсон. +– Кто, Шерлок Холмс? +Шерлок Холмс! +И ещё потому, что Шерлок Холмс – великий человек. +Шерлок Холмс! +– Нет, мне нужен инспектор Лестрейд. +– Шерлок Холмс и доктор Уотсон! +Расследование продолжается, но инспектор Лестрейд ответит на вопросы. +Меня зовут Шерлок Холмс, а адрес 221б Бейкер-стрит. +Шерлок Холмс +- Кто, Шерлок Холмс? +- Инспектор Лестрейд? +Шерлок Холмс! +И потому, что Шерлок Холмс - великий человек, и, надеюсь, когда-нибудь, если нам очень, очень повезёт, он даже станет приятней в общении. +- Шерлок Холмс! +Нет, мне нужен инспектор Лестрейд - мне нужно поговорить с ним. +А может быть, ты станешь растить его вместе с Лиз. +Я бежала и бежала... кровь пульсировала в моих венах. +Этот сон действительно был и он был очень странным. +Но правда в том, что мой сын и его семья будут жить лучше без меня. +Никто не должен знать.... +Без понятия. +Не растягиваться! +Что? +Джени Расселл. +Его прислал Так Гу. +И всё. +Ты до смерти меня напугала. +Что? +Скупка вторсырья. +Нет. +Зачем это мне? +Так гладко. +Всего вам наилучшего. +Называй его "старший брат". +У меня отличное настроение. +Это Диксон? +Пошёл, пошёл, пошёл! +- О боже! +Сойер! +И это несправедливо. +Хоппер Бэнкс по-прежнему главный подозреваемый. +Я думаю, это возможно просто приятно - бить вещи. +Мы всего дважды встречались, Кости. +Бедный дедушка. +Это разумный вопрос. +Вошла Джулия. +И от кого же исходит этот совет? +- Прости, Сэм... +Нет, не оставляй меня. +- Ранее в сериале... +И я не мог дать то, что ему нужно. +Я тоже рад знакомству, польщен и очарован. +Дa, дoлжнa, глyпaя дeвчoнкa. +Лyчшe я пoйдy. +Я нe знaю, чтo дeлaть. +Меня винят в том, что я Алиса, и в том, что я НЕ Алиса, хотя это всё мой сон. +На эту тему сейчас ведутся дебаты. +Ты потерял право вести их, когда убил моего отца. +Ты уже в постели с кем-то другим +Это то, чего ты всегда хотела, не так ли? +Только не говори, что привёл +Выбор за тобой. +Беспилотник! +Наш друг Хулио без проблем даст нам его ДНК и отпечатки. +Джек и Эндрю не выглядели бездомным, +В тоже время, я хотел бы продолжить мою серию выступлений из песен только еврейских исполнителей. +Ваша газета успешна, вы же не собираетесь... +Ты просто... +Ты Шинагава-кун, да? +Перевод: +Нет, это я плохой учитель.. +Да! +Приятного аппетита! +Это не похоже на обычного Шинагаву-куна. +Да ну? +ни будущее. +Ах ты! +а ты странный. +о чём ты! +Э... +чем любая из подаренных кукол. +чем меня. +Он еще может нас видеть. +Или можем остаться на суше и поотвисать со..свидетелями. +Да. +Джейми, если вы зарабатываете деньги спать с женщинами ты богаче, чем мне. +Джейми Рэндалл. +Подробнее виагры! +И тут подключаюсь я. +Она была моей матерью. +Надевайте шлемы, дамочки. +Грейсон - великий обнимальщик? +Дети не могут тебя защитить. +SOA Белфаста. +2436. +Мы нензакомы. +Друзья твои в овраге лошадь доедают. +Джорджина. +- Это был регулировщик у школы. +Ну вот. +При чем здесь курицы? +Надеюсь, ты себе что-нибудь сломаешь. +И? +Вам нужны доказательства? +Что с ним случилось? +Докинз возражал против того, что он видел как политическую узурпацию своей работы. +Хороший вариант, я подброшу тебя домой. +Думаю, я знаю где это. +Теперь они узнают, что есть предатель. +А ты? +Я не хочу покупать тебя. +Я не знаю, как людя любят. +Не стесняйтесь позвонить мне когда будете готовы. +- Доктор, вы там? +Крови-то полно. +И именнo пoэтoму я выживу и увижу, как Невия веpнется кo мне. +Никакой пощады! +Какой она была женщиной, твоя жена. +Подойди. +Но, Ким нуждается в яблоке очищенном, и нарезанном на ломтики. +Страховка позаботится о них, Никита. +Фарида! +Ударить его лопатой? +Присядьте. +Вряд ли завел там друзей. +Так, нам надо остановиться на минутку. +Нет, нет! +Ты должен делать в точности то, что я говорю. +Точно. +Да, есть. +Хорошо. +Тогда как он забрал кейс? +Потому что он хотел вернуть свои брилланты, после того, как я облажался. +Мама, я в восторге, в восторге. +Хочешь пойти за ручку? +Я подписался на услуги "ID-защиты", потому что беспокоился о том, что кто-нибудь может украсть мои личные данные. +У меня запланирована... потрясающая вечеринка на её сорокалетие. +Это бесконечное число партий. +Пошли. +Мы пытаемся кое-что выяснить про Джордана Чейза. +Иначе он поймет, что тут кто-то был. +Кому ты пишешь? +Всё разбиваешь сердца? +Хочешь пойти со мной? +Пожалуйста. +Тоже не закончилось хорошо. +Очевидно, да. +Топай. +Всего доброго. +Ну... +Вот почему ты это сделал? +Хорошо? +Ок? +Где мисс Браун? +Я буду рад составить список и поучаствовать в дифференциальной диагностике. +разве целью совместного приёма пищи не является обмен идеями и мнениями? +В то же время, он, зарабатывает бабки, как говорится, ну и пусть он себе трахает этим мозг. +Ладно, я просто вырастил четверых детей. +Это все. +Вы ведь находитесь прямо перед домом? +Она моя мама. +Смотрите то, что вам нравится, смотрите что угодно. +В этой комнате не табло со счетом. +Эм... +Пожалуйста, просто дай мне секунду, чтобы сказать +Я думал, что ты будешь сегодня здесь. +- Я этого не делала. +Что ты рассказала о нас Ханне? +В одиночестве. +Ты что, в самом деле не понимаешь, что мы делаем? +Как заботливо с вашей стороны, мисс Маруни. +- Еще нет, но я достану... +- Сейчас! +Он платит тебе 400 франков? +Отец Дженсен мог попытаться помочь ему. +Поживей! +Неохота. +Какую воду? +Мой зятёк тоже едет? +Вперед! +Айгу... +"Спасибо за то, что принесла шарф. +Нельзя вечно танцевать с прямым коленом. +- Я же говорил. +Это... +Я помню, что сказал тебе насчёт Мелиссы, что это было один раз, но она позвонила и сказала, что хочет встретиться, и я просто не смог ей отказать. +Ѕольшим человеком был. +ќ, € не упущу теб€ из виду! +Узнаешь картинку? +Удачи сегодня. +А что, ты в этом сомневался? +Мне плевать. +Превосходный эмалевый слой. +Потому что я твой новый лейтенант. +- Похож. +Прости. +И я поставила вас во главе этой группы, потому, что я знаю, в глубине души, +Это место заполнено репортерами и сторонниками. обстановка становится достаточно наколенной. +- Вы потеряете 10 % репортеров. +Увидимся завтра. +Я собираюсь уйти в отставку с должности основного председателя комитета партии. +что тут происходит. +Что? +да Леонард? +и я хочу чтоб ею была Эбби, и она придет только с Мартой +что это никакое не проклятие. +Рваные раны. +Вы дрались с вашим суженным в ночь его убийства, не так ли, мисс Кремер? +*Не правда ли, прекрасно +Ты что замещаешь фокусника? +*Ага, ага* +Джим. +Ваша честь. +"Вебстер" видишь? +Да, конечно. +Нет-нет. +Вы случайно не запомнили, как звали ту женщину? +- Это не для меня. +Ты не дышишь. +А? +Потом он спросил могу ли я написатьпобольше. +Весь офис окружного прокурора знает, как ты действуешь. +Ну...я...хм...да. +Ты же знаешь, что Джулс тебя любит. +Ну, мы не знаем этого наверняка. +В этот момент, не сомневаюсь, ты задаешься вопросом: "А не блефует ли он?" +Вон! +Подождите. +Привет! +Тогда докажи. +Я бы хотела помочь. +Знаешь... 50 калибр... это слишком для подарков гостям, Гилрой. +И общий знаменатель в этих двух случаях +Поехали. +Спартак! +Сейчас запомни, здесь ты не мой слуга +-Забудь все это. +И тебе советую. +Забавно наблюдать, как Вы двое ладите друг с другом. +Почему твое прошлое кажется тебе такой угрозой? +Я говорю ему: +Это очень любезно. +Знаешь, насчет того, что ты сказал в машине... +Просто сознание потерял. +Пета не была в восторге от сосисок или моего вегетарианского варианта. +Какой был у тебя результат на старой машине? +Правда? +я нарисовал каждую линию, подделал каждую подпись на этих облигаци€х. +Ты наверное чертовски хорошо играешь в покер. +Я пришел к заблокированному проходу к замороженной связке могучей цепи. +Что? +Пожалуйста, пожалуйста, слушайте. +Я упряма в мелочной ссоре? +графиня Молоар. +Ускориться на этом треке до бешеных 221 миль в час! +В то время не было ни "фьюэлеров", ни "фанни каров". +Она говорила со мной о цветах, деревьях, самолетах и птицах. +- Едешь с нами? +ВЫ ЧТО НЕ СЛЫШИТЕ, У НАС НАКЛАДКА +Сел? +Нет еще... +Солнце Ренессанса. +За подкреплением. +Из-за такого то дурака не жить. +- Ты тоже. +-Пристрелите их всех! +Знаешь, кто тут командир? +Остынь. +Тем, кто бросает атомные бомбы... +Она шевелится! +"Приходится быть безжалостным..." +- Сейчас! +Эй, эй. +Предлагаю бросить корабль. +Снизь на 11%. +Ни Далласа. +Это из-за тебя? +Я - тот, кто определит их судьбу. +╧там то йалаяи тоу йаи г ваяа тоу, диа- сыхгйе апо тис донаслемес леяес тоу теяяа. +- еимаи поку аяца циа отидгпоте. +Мы не нищие! +Да-да. +- Вот и хорошо. +Не говорите такие вещи, мадам. +Да, немного, он иногда заходил в "Ля Позаду", выпить бутылочку молодого Бандольского вина. +Закрой дверь на задвижку, не ровен час, он пожалеет, что оставил мне камень. +Мой Бог! +Даже когда тебе плохо. +Не нужно меня утешать. +Я не права? +- Меня. +Скарот. +Так же, как и любой другой компонент. +Э, алло! +Оставайтесь на правой полосе! +Ложь! +Заговор всегда секретный, иначе это уже не заговор. +- Гляжу, может что покажется. +По вечерам рестораны, музыка. +Пить. +Ох, никто иной как ты, милый, дорогой! +Прощай, мир. +Ну, Фитцджеральд что-то понимал в жизни. +Ничего для тебя, Рикки... ..опять. +Любые личности, интересующиеся или распрашивающие ваших работниквов, под ЛЮБЫМИ предлогами, даже если они скажут, что они Королевские Гвардейцы и Шерлок Холмс в одном лице. +Они думают, я шучу. +Да, я могу себе это позволить. +Постоянный куратор разведслужб. +И я сказала... +Чего? +Завтра. +- Да! +- Мандрел! +Смотри. +! +Мадам де Ноай часто ее бранит. +Потрясающе выглядите. +Ты, должно быть, был с ним очень близок. +У меня тоже все в порядке. +Никого из нас никогда не приглашали в ресторан Большого Парня. +200, 300, 400. +Вы настоящий Шерлок Холмс! +- Шерлок Холмс. +Шерлок Холмс. +Также там не упоминается никакой мистер Шерлок Холмс, въехавший в страну. +Шерлок Холмс. +Прошу вас! +Вы настоящий Шерлок Холмс! +- Шерлок Холмс. +Шерлок Холмс. +Также там не упоминается никакой мистер Шерлок Холмс, въехавший в страну. +Шерлок Холмс. +Да ну? +-Хороший пёс +Ваше сердце. +Я в Снидон Лендинг с Эмили и ее родителями и я люблю ее! +Повеситься? +Ваше Величество! +Я перезвоню вам. +Я буду здесь. +Я пойду, посмотрю. +- Поль ушёл, что произошло? +- Расслабься, ты опять ведёшь себя глупо. +Подойдите ближе! +- Приказы я уже не отдаю. +Один из наших узнал ее на границе и сопроводил в Париж. +Я предлагаю вам свою жизнь, Маргарет, - всю свою жизнь. +Шерлок Холмс в компании Аристотеля. +Женщины боятся нового. +- К счастью , он не мог повлиять на сделку. +Почему? +Великое наказание. +Я уже не маленькая девочка. +Идет следствие. +- Нет, нисколько. +Я сообщу ему прямо сейчас +Он хорошо сохранился +Когда я посмотрел на неё, я засомневался. +Я только знаю, что меня заперли в чёртовой клетке! +- Нет. +На линии Шанхай +Дело в том, что эта война определенно идет к концу. +могут на ребенке отыграться. +Не то. +Ты не очень хорошо выглядишь. +Итак... +Пора за работу. +Хорошо. +Сбрасывай всё! +Эй, Бад, ты ничего не забыл? +Надевайте плавки, лезьте в бассейн. +Зачем тебе рисковать своей жизнью? +Мио, мой Мио. +Они не поднимут нас, пока мы не пересечём границу. +Ну, теперь мы достали этих ублюдков. +Думаю, ничего там нет, майор. +Я больше не буду просить. +Плыви за мной! +Принцесса Хо Ен, 15 лет. +Что стоите? +- Прощайте, Ваше Величество. +Меня никогда не разлучали с близкими. +У нас здесь много Нематсаде. +Видный такой мужчина. +Он часто падал с велосипеда. +- Идем. +я отправл€юсь домой. +- Х.И.! +Звонить. +Ты что-то сделал со своим мозгом. +- Вероятно в нашей ванной. +Я должен следить за лёгкими, заботиться о себе. +- Это пуля. +Не лейте! +Помоги мне, Боже. +Нильс. +Вы только посмотрите. +Я благодарю Бога за ссыльного из этого города, который спас мою жизнь. +И трагедии и благородство помогают нам сохранить силу духа. +Мама, все это без толку. +Попытаемся вывести эту вечеринку на новый уровень. +Особенно от мачехи. +Все оперные певицы шлюхи! +Давай, соси его... +Композитор: +Ну хорошо, вот здесь у нас много разных шляп, можешь померять Да, да.. +Наши любят читать про убитых офицеров. +Я хочу попасть в зону боев. +Ёто пон€тно, мрази? +"ƒипломаты в джинсах. +Светик! +Кто же так грубо это делает? +- И что же это за обещание? +Оставь нас, Эрик. +- Ты забывай о девушке. +- Нет. +Отличная идея, Джейн! +- Спасибо. +Считает себя Робин Гудом. +Что? +Похоже на то. +Это не всегда так работает у врозлых, иногда вещи так перепутываются, что "прости" этого не достаточно. +Хочешь меня всегда ненавидить? +Дай сюда. +Даскомб. +"Виадоксик" и Сент-Мэри менее, чем за неделю. +Ну, ты - мой агент, за это я тебе и плачу. +Я в ванной. +Сеньора, вы хорошо себя чувствуете? +Двигайтесь +Я думаю о шаге. +- Малышка, заткнись! +! +Я обожаю всякие страшилки, месье Рультабийль! +Я так рада. +Примерно 9:30 утра, доктор Ами Шахори вскрывал доставленную почту. +Ради всего святого! +Всё в порядке, мадам? +С ним всё просто. +Надо же, и правда взял! +- На самом деле, миссис Брэдли... +Вы двое остаетесь, Аппа за главного +Легкие не работают. +Быстрее не получится. +Мы заперты, Новичок. +Если вы стыдитесь своего тела, это не значит, что все должны. +Мне нужно поговорить с управляющим тюрьмой. +Эй. +Я немного задержусь. +Она мне понравилась, но она не мы, и ничего не вышло. +Вынужден ездить на первом автобусе. +Тогда я не могу этого сделать. +Как вы это говорите, к художнику? +Я думал, в Ньюпорте мило. +А кому нет? +какая девушка согласится? +Вот чёрт. +Спасибо. +Спокойно. +- Отмечается выход Дони. +КАРТЫ НА СТОЛ по роману Агаты Кристи +Я посмотрела в сторону камина. +Курумадани Зенноске я! +Возвращаясь к нашим вопросам, представляющим особый интерес, +Готов? +Идите сюда. +Ладно, возвращайся к работе. +Продюсеры: +Простите. +Снова при делах? +Где мой сын? +В наличии двести сорок два солдата. +Я собираюсь покончить с этим, пока ещё кто-нибудь не погиб. +Я не собираюсь бриться налысо и одевать изношенную одежду, но... что-то в этом роде, полагаю. +Босс, Кон и Леон с толстяком ещё и полпути не проделали. +Он победил, отхуячив себе башку." +Хадженс, пожалуйста! +Один факт цепляется за другой. +Спасибо. +Ты сидел в коридоре под моей дверью прошлой ночью. +Эй! +Я? +Ээээ... +Стивен, ты весь путь прошел за мной! +Нужно вступить в родительское партнерство. +- Показать синяк? +Не совсем. +- Чудно. +- Только что вернулся со свидания. +- Звонит Триш. +Ничего лучше не придумал! +Ну, ладно... +Погоди, ты же его вроде ненавидишь? +Конечно был. +ПЮГБЕ НМХ ОПНЯРН МЕ ЯДЕКЮЧР РН, ВРН ЛШ ДЕКЮКХ? +! +А этим двум желторотым надо букварь по боксу почитать. +Ты накопал угля на 200 миллионов долларов? +Угу. +.. если произнесёшь клятву пока горит пламя. +Принять меня в Совет без звания Магистра? +Я не просил назначать меня в Совет. +Неудачная идея. +Это точно! +Дарт Плегас был Темным Владыкой-Ситхом. +Она цела? +Включить аварийные стартовые двигатели. +Не проси меня об этом. +Похоже, это происходит везде. +Заканчивается правление твоё и не таким оно было коротким, как должно. +Но я никогда этого не забуду. +Мистар? +- Эй, я здесь. +- Для начала мне придется вернуться. +У меня просто нет слов чтобы описать, в каком я восторге от твоего приятеля. +Так, если у него действительно это есть и твои триггеры вызовут приступ, ему станет хуже, верно? +Я только купил ей чертов крокет! +- Я тоже! +И чувствую, как его мне нехватает. +Об этом нас предупреждали на начальных курсах. +— О, определенно. +- Нет, ничего подобного. +Я не завтракаю. +Что будем сегодня читать? +- Да, Натали, я вам перезвоню. +Да. +Меч не из одного лезвия состоит. +Рейнальд де Шатийон, ты арестован и приговорен. +Роланд, вы обещаете любить эту женщину? +Я должен быть в мире с Господом. +Не было найдено оружие. +Картинам... +- Не нужно извиняться. +Не смей смеяться. +Привет, извини, я опоздала. +Если парень выдержит с этой трубкой полчаса, значит он и правда болен. +Считаешь, что эти видения были реальны? +"P S. Вы знаете песню 'Влюбленный'?" +Его отец сказал, что он позвонил в 911 просто на всякий случай. +Как вам это? +Джейсон и Сергей три раза задерживались за проникновение в место, называемое туннели. +Вы убили моего сына? +Привет! +Будто настоящий дом. +в нем есть скрытые способности. +Мы отдалились. +Нужно собраться. +Я получаю шанс. +Ты помнишь 1952? +Кроме, как известно, сына. +"Энтертейнмент Глобал Офисес" +Ты ведь знаешь, как она трахалась с Дарренами? +Шарль никогда не приводил домой девочек. +О, привет, Винс. +Он сутенер. +Ты общался с Мишелем, румыном, который вроде сутенер. +- Нет, но... +Не волнуйся. +Это тебе в дорогу, приятель. +- Где мои "Мишки Гамми"? +Там - она на месте. +А с чего ты решила, что я хочу этого? +Хорошо? +Я достал васаби. +Кто здесь? +Я была его женщиной. +- Сядь, пожалуйста. +Баттерс, прости, если я когда-либо обидел тебя. +Молодец. +Что ж, идем дальше. +Мистер Вонка? +Это самый важный цех на всей фабрике. +Producer: +Надеюсь, я не буду нервничать. +Я нервничаю. +Во что бы она ни превратилась.. +- Она не мертва. +Повернись. +- Живи настоящим, Сэт +- Я вот что принес. +Они будут держать у себя парик только сутки. +- Я еще ни разу не видел таких заголовков. +- Ребекка. +Хорошо, Саммер, перед тем как ты сядешь в самолет Ты должна дать мне один последний шанс, о'кей? +Я скажу его секретарю. +- С чего ты взял? +Мне надо отойти На несколько минут. +Привет. +Будет проще смотаться их проведать из Испании. +другой сленг, другой шрифт. +- Эй, Набу, как дела? +В большинстве своём они пассивно-агрессивные. +Джон Смит. 400 тысяч долларов. +- Лариса +- Да. +И ты должен найти свою маму. +Беги в объятия своей шлюхи! +И если дождь продолжится, вокруг начнут плавать какашки. +Шарль! +Сутки! +Эта атомная электростанция прямо в сердце Кардиффа обеспечит работой всех! +Но это хорошая случайность. +Не мои проблемы. +Наилучший корабль во Вселенной. +которые мы можем ясно видеть парящими на заднем плане +Может быть бургер? +И тебе, подруга. +- Пока. +Потряси вверх и вниз немного. +Храни Вас Господь. +Папа... +Васим до сих пор девственник. +Я увидела листы бумаги, лежащие по всему полу, как вы и полагаете. +Беги к отцу. +А... пропустим это через систему и посмотрим, есть ли у нас что-нибудь на Эллен Паркс. +Думаю, что я знаю, где мы можем получите кое-какую грязь на халяву... +Нет возможности, чтобы бежать. +Я напишу твоё имя. +Послушай, пианиссимо стали чище, слышишь? +Хорошо! +ЗАТКНИСЬ! +Мои кузины. +Магазины, банки, торговые автоматы... +Спасибо. +Ты всю ночь был на ногах. +Если Бейли это увидит, Иззи конец. +Вы и так все знаете. +"Скорая" приехала. +100 на 60. +Но вначале еще по коктейлю, и , может быть, я решусь. +Многим из нас нужно учиться жизни. +Знаю. +Что за толпа слюнтяев. +Как умен, мерзавец! +- Не делаешь! +Плохая собака! +Несколько месяцев. +Что ты будешь делать? +Наши их здорово напугали, да? +Звезды больше нет. +Патер! +Перед гладью зеркальной я усну - ты разбудишь, +Я понимаю, что вы чувствуете. +Часть II. +- А ты дилер. +Как бы то ни было, вы правы, у меня есть интуиция. +Он любил боль. +Как прикажете, мессир? +Либо спонтанная ремиссия. +- "ВСП", разумники... ! +ТАК тупо... +– Чтобы ни произошло, оставайтесь здесь. +Нет, отлично! +Если кто-то больше не хочет со мной лететь... то это ваша гавань. +Множество планет и сотни лун. +Здесь не было войны... и катаклизмов с терраформацией тоже не было. +Где, черт побери, мой сын? +- Что? +- Какие еще секреты вы хотите нам раскрыть? +Пошёл на похороны. +Вы не имеете права! +Просто кусочек мыла. +Черт! +Женщины все-таки... +Так что нужно создать новые рабочие места. +Он бы немедленно забрал тебя в свою свиту. +ќн думал, что ты был очень очарователен. +Глория, может, прекратишь на... +А тем временем? +Ты её поцеловал. +Если она поймёт... тогда она заслуживает знать, что происходит. +Моя мать просила вас об этом, не так ли? +Вот так. +- Что? +Спасибо. +- Нет, этот труп оставил предыдущий постоялец. +- Не говори. +Это дурацкая киношная вещь но мне что, солгать? +Вот так. +'м-м, € подумаю об этом, +Магратея! +Может, лучше ты помолчишь? +Стукач. +Шарли! +Когда журнал Мир Физики проводил опрос на кануне миллениума +Переливаний крови. +Эти велогонки. +Будь осторожен. +Что сегодня на ужин? +Я защищу тебя. +ћожет, они просто ищут возможности... +ќна казалась мне такой т€желой. +- Больно! +Может, в следующий раз я не стану позорить тебя перед друзьями. +Хейли, так кофе не делают! +Нет, это не сработает. +Хорошо, да. +Да что с этим парнем? +Привет, Мари, это Мел. +Мы торопимся, садись в машину. +Поэтому ты должна спросить его снова. +- Лэнгли Фоллс. +Нет, ещё нет. +Ты же усыновил его! +Меня так тронули твои слова... +Конечно. +Добрый вечер. +С тебя довольно. +Она попросила её подвезти, поэтому я везу её домой. +Потому что у Роя есть грузовик. +Так и есть. +Представляешь ощущения? +- Ты все не так понимаешь. +А девчонки красивые там будут? +- Но ты же только что приехал. +Он хочет, чтобы ты остался с нами. +Через час ты кое-что узнаешь. +Всё. +Ну... гм Покричали друг на друга. +А, Винсент Галлахер - Шерлок Холмс и любитель поковыряться в чужих помойках... +В какого медведя? +Да-а, управляя его действиями, направляя его везде, как куклу. +- Потому что знает, ты - лузер. +Что вы понимаете? +Поехали. +И хорош ухмыляться. +- Ну не по частям же. +Пожалуйста. +Арестуйте ее! +Примите мои поздравления в честь этого исторического события. +У Вас же сейчас поворотный момент в жизни. +А, одеться. +Чего Вы смеетесь? +Это с работы? +- А по-твоему сколько? +У тебя была паническая атака. +И Лиги чемпионов. +...что требует по-настоящему активных действий. +Вечная слава. +- И что же вы хотите предоставить? +Почти вся пена осела. +Я считаю, вы имеете право узнать, как именно он умер. +Агрид! +- Hо чтобы погибнуть? +Не надо тут оставаться. +Меня мама так называла. +Даже на содержание города. +Ты? +Это я не знал, что ты реально за тип! +Марти! +Давайте-ка, надо ещё им посигналить. +.. +- Привет. +Хотелось бы. +Ты хотела движения, Роза. +Вовсе нет. +Такая восхитительная была малышка. +Но я больше не хочу, чтобы ты выпускал мою программу, Шеп. +Первоклассно! +Ты дома! +Все хорошо? +И я надеюсь, тебе нравится вкус коньков, мерзавец! +Так... +Таково неписаное правило пригорода... +И все же она была необычной. +Знаешь, мне иногда снится, что я летаю. +Я могу помочь. +Русские мафиози тоже эмигрировали из Советского Союза, и, приезжая в Америку, они привозили свой багаж. +- Пытаюсь быть человеком. +Яблоко от яблони, точнее, кокос от пальмы недалеко падает. +А он был из редкой породы чиновников, которые даже видя, что закон нарушен, не станут нарушать его сами, и не могут просто взять и арестовать преступника. +Не стоит судить по цене единицы. +Вряд ли они работают в бульварной прессе. +- Пока, папа. +- Эва. +Ну разумеется. +- Я вколол ему снотворное. +Почему не отвечаешь мне? +Я ответила на все твои вопросы, а ты даже не можешь ответить на мой. +Глазируй взбитыми яйцами каждые пять минут. +И не говори! +Знаешь, это надоедает. +Что это? +Перевод устного английского: +- В чем дело? +Я работаю весь уикенд. +Правда. +-Да. +Беда в том, что ему требуется особый уход. +- В новостях сказали, что нашли труп. +Роза! +Ну, я планировал показать тебе мой алтарь. +Главное, что сейчас все мы здесь, есть страна, есть армия... +Мириям... +Но это всё, что я знаю, поверьте. +Ненси пропала! +Объединение, которое пытается привлечь искусство... +Тебе не кажется смешным, что у тебя нет друзей не твоей расы? +Как? +Вот, что я бы ей сказал. +Кто-то, кого я знал, когда мне было 26, и она была изумительна. +что будете заказывать? +Ваше Величество. +Голодных и нищих так много! +Много льда. +- Так мы одеваем покойников. +У него какое-то горячее дело в Эдо. +Что? +Хорошо дома, верно? +- Да. +- Это морская болезнь. +Ладно, так и быть. +Девчонка из бедной семьи. +Улыбнись. +Но какие люди придут на вечеринку? +Поэтому пусть у нас останутся хорошие воспоминания друг о друге! +! +Это все! +Опять, наверное, свидание без выкрутасов... то, до чего я никогда не смогу опуститься. +Просто превосходно! +Из-за тебя я не могу есть яблоки. +Думаешь только о себе! +- как Шерлок Холмс +Эй, Шерлок Холмс! +Да или нет? +Готов? +Я скажу тебе, что еще оскорбительно. +Красное мясо спасает жизни, детка. +А что? +- Я бы с удовольствием с тобой потрепался, но у меня встреча в 11.07. +Секреты нашего потайного мира превратились в открытки, которые солдаты отсылали домой своим девушкам. +Шерри, думаю, я с тобой попрощаюсь. +- Да. +Я не могу этого сделать. +Наши рюкзаки! +Это здесь. +Оно напало ночью? +Я знаю, что он где-то здесь. +Непременно. +Поторопитесь. +Кристина! +И по этой причине мы лишим его этого. +чтобы увидеть Папу. +Что за парень здесь был? +Я ничего не знаю! +слушай, "имми! +Ц ƒа пошли вы. +Здравствуйте, а Фрэнк дома? +– Боже. +– Как доехал? +Обедали вместе. +Звучит впечатляюще. +Никаких признаков аномалий. +Просто обычно не видишь их подушки. +Ага, несомненно. +Привет, Ральф! +- Спасибо. +Ты в судьбу веришь? +Ну и как мы до этого докатились? +- Вообще, я думал, ты романтик. +Ага. +Извини, что я тебе гадостей наговорил. +Лана,... не подпишешь мой ежегодник? +Чтобы понять учеников, попробуйте встать на их место. +Перкоцет... +Взболтать. +Помогите! +Вы, ребята, конечно, нашли, чем заняться, чтобы время пролетело незаметно. +Извините, я не хотела показаться грубой. +И я привязала записку к концу лески. +- Забудь. +Ну да. +Стой. +Бейтс? +Ты говоришь как человек, у которого есть будущее. +Уэйн Интерпрайзес, 47-Ви один-эм-и. +Он здесь... +Cпасибо. +- Как? +Ты проснешься дома. +Я понимаю, ваше преподобие, но Лори теперь связана уже с двумя убийствами и я не могу игнорировать это. +Кусковая соль.. +Ты? +Лишь когда я показал ему все его части он сказал мне... одно лишь имя +Ты ее уже допустил +Михо, чёрт побери, я надеюсь,.. +...я друзей подожду. +Мы просто будем ждать. +Я буду играть по своим правилам +Ты только посмотри +Люсиль - из полиции, мой опекун-надзиратель. +Будешь молчать и дальше, я ведь вконец осерчаю. +Помолчи, а? +Нашёл что-нибудь, Мерфи? +Я этого добра навидалась. +Но ты не хочешь встретить это одна нет +Сделай медленный глубокий вздох. +Наверное доставила тебе много удовольствия +Вероника! +Некто Алан Хэнли. +А она пытается вашу интрижку приравнять к этому, и я разозлилась. +Разве это не наше правило? +- Вонзаю тебя глубоко. +Мы вызовем вас, когда будем готовы. +Спасибо. +Мамочка, а этот человек умрёт? +Ткань. +- Правда? +Да что с тобой? +Увидимся перед твоим отъездом в Пуатье . +Сам господин мэр ходит стричься только в мой салон. +Валяйте. +Подними руки. +Это Браддок! +Брейк. +Не пациентки, я встречался с её братом. +Простите, он вам перезвонит. +Ясно? +Я не знаю, Тед. +- Я за рулём! +""Это проверка системы оповещения о чрезвычайных ситуациях. +Эйнштейн брал перерыв на год. +Понятно? +Я начну с Нила. +Они идут так +что она придает этому слишком большое значение. +сколько вас? +покрывает ли сумма и её содержимое. +Просто небольшая... слабость, и всё. +Дети? +Я сказал нет. +- Почему они называются индейки? +- Я видел фильм Шерлок Холмс однажды. +А правда, что кто-то переодевался женщиной? +англо-саксонскую экономику, французскую политику и немецкую метафизику, поэзию, философию. +Я тебе говорю, это... +В чем тут дело, Рэчел? +Эван, скажи мне, что случилось. +Ах-ха... +Да. +хорошо? +- Официантке ты даже не нравишься... ! +Твою мать! +Какой выход? +- И что мы там делаем? +Где эти пилюли? +- Я сказал, что я помогу Вам. +- Это объяснило бы много +- Это идея. +Попробуй сыграть в отбор! +- Ничего. я уже вылетел отсюда. +Восемдесят пять. +Прости, папочка. +"олько господствует сильнейший. +Где он? +Дыра. +Именно так. +Извините, но вы не можете сделать такой вывод, если у вас нет стетоскопа. +Что ты помнишь? +Я могу вам помочь? +Ладно, прости. +Поверь, какие бы проблемы ни были... дело не в этом, поняла? +На молодую женщину, которую я просила переместить в Гаултон. +Ты не имеешь доступа на этот этаж. +2x06: "Бой" перевод: +Когда приходит кто-то, ложится на стол, и хочет сделать 10 проколов... 50, 100... это уже другой уровень. +Я не знаю на счет зависимости, но другое дело, что я и многие люди начали искать тех, кто может сделать то, что вам нужно. +Ну почему Рождество должно быть кождый год? +- Чарли. +Из семи? +заметь! +И вам тоже придётся пойти с нами. +Из всей семьи в живых остался лишь 23-летний Рональд Дифэо, младший, ...по прозвищу "хамло", который по нашим данным и обнаружил тела. +- А что я нашёл! +Вы богаты? +Как хорошо видеть тебя здесь. +Не говорите, пока не распишемся. +Вас уволят. +И чем это моя вина? +-ќна боитс€! +Да. +До скорого. +Она уехала в Нью-Йорк. +Итак, почему вы решили жить вместе? +- Я бизнес-менеджер. +Дай сюда... +Мы похоронили это зло. +Шерлок Холмс курит трубку у камина. +Нет, не думаю, что Шерлок Холмс сможет заехать за вами. +— Возьму айпод. +- Шерлок Холмс? +Значит, Шерлок Холмс. +Ладно. +- Шерлок Холмс? +Это была наглая ложь! +Значит, Шерлок Холмс. +- Шерлок Холмс? +Я решил немного пофотографировать, сделать их к вечеру... +И она с удовольствием прочитает его в честь Джонатана и Терезы. +Слушай же, Цицерон. +Я не просил брать меня в эту поездку, или выслушивать твои разговоры. +Я что ничего не значу? +Была война. +Добрый день. +Её название: "Отрывки из мемуаров Лэнни Морриса"! +Одна женщина, ваша подруга или родня, ...сказала, что вы ей дали их номер. +Но я не знал, на каком языке тут пишут. +В снежную ночь вы заставляли их следовать за воображаемыми птицами. +Вряд ли у нее были враги. +Ну вот. +Эх, найду ли я своё место в мире? +Да, я знаю. +Будешь как новенький. +{\a6Samjogo Subbing Squad Перевод на русский язык: +Вот блин! +Получишь непонятное задание - это тебя раздражает, начинается ломка. +Никому. +Вы оба цепляетесь за иллюзию что ваша дочь пойдет в садик, потом в первый класс, потом... +- Твой красавчик-прокурор... +Правда? +И если ты не рискнешь... это все равно что быть мертвой. +Ладно. +Я виновата. +Готовь лошадь. +Последние из нашего рода. +Тогда почему она сняла с себя одежду? +Ваша удача зависит от вас самих, мистер Рейс. +Он мой сводный брат. +" чай какой-то не такой как всегда. +√ерцогине ентской должно быть стыдно за своего отца - члена ——. +Итак. +Ладно. +Я так стесняюсь... мне нравится так сидеть рядом,но... я не могу признаться... +Кстати, а почему я джибакуреи? +Бери след. +"Спасти астронавта." +Что это здесь творится? +Королева Ветра выигрывает! +Эй, остынь. +Откуда мне знать? +Ядзима? +Потребовалось бы слишком много времени. +-Что? +До свидания. +Черная - да, красная - нет. +Заключенные обычно не причиняют больших неприятностей, пока вы не пытаетесь приземлиться там. +Вы не захотите этого сделать. +О чём вы говорите, а? +Не говори. +... +Только 4 раза? +Мне не верилось, что ты справишься. +Осталось всего 7 месяцев. +Джон Константин... ублюдок. +..ты сражался один против скольки? +никто другой не может похвастаться этим.. +Ты поджидал меня 20 лет, Лю.. +У тебя тогда никаких сомнений не возникало. +- Давай. +Отвечай. +Отлично. +Обойди кругом. +Ну не знаю. +Ах, нет, нет. +ты начинаешь вести себя как Бастер. +Присаживайтесь. +Откyда y нее патриотические чyвства! +Я пришла по делy. +- Поставим опыт, мистер робот! +Я думал, вы такие крутые ребята... а мне было 14, что я мог знать? +Сказать правду - куда хуже. +Эй, я в твоем возрасте. +Посылаю себе сообщение, чтобы не забыть. +- У меня тоже есть дар? +Нет, она пришла сама. +Куда? +ПРИВИДЕНИЯ +Нет. +Эээ, хорошо. +Мы наконец готовы увидеть результат, что же правит балом - рыба или торты. +Это просто скопление клеток, возможно, они были там всю вашу жизнь, +А кое-что приходится говорить, потому что дольше молчать мы не можем. +Есть только это. +Уже поздно, почему бы тебе не взять свой велик, и пойти домой, на обед. +И приготовил слайды. +Для одного из вас это было бы невыносимо. +Он ведет себя как жид, копит свое жидовское золото и, как последний жид, он сдаст тебя, как только ты ему все расскажешь. +На! +Вы не продержитесь целый месяц, оба умрёте от разрыва сердца. +Но я подумала, что Карло нужно провести со мной время, поэтому я не пошла. +"начит € - всего лишь жертвоприношение за прошлый год? +"деально отточенные движени€ пальцев. +правильно ли я поступаю... +500)\K150\1cH00aaff20\2cH00FFAA00}Тайминг и перевод: +350)}когда-нибудь сможем {\1aHaa\2aHFF\3aH88\4aHFF}ли заново восстановить? +345)}Заинтересован? +225)\frz343\fs26}24 декабря 19:00 270)\frz343\fs26}Место: +Пойдёмте. +Вы на него похожи. +Игра Твистер... +Понятия не имею. +- Алекс Хитченс. +Сами попробуйте. +Он - актер! +Просроченные права Массачусетса, купоны на еду... и свидетельство о завершении курса умения владеть собой, предписанного судом. +Мистер Бримли, слышите меня? +Понравилось? +Вы называете их врагами. +Присаживайся! +Да помогать ему Бог. +Знаешь, я недавно смотрел программу, с как бы передвижным судьей, который говорил с членами группы из молодых женщин, у которых одинаковые проблемы с их парнями. +Очень. +– Hе в ту сторону, Дуайт! +Я хотела бы сказать несколько слов. +Электрикер. +-Что? +Ваш "РиПет" Оливер будет точно такой же пёс. +Вот мой контракт. +Хендерсон перекрой контейнерную зону, уровни 6 и 7. +Смеёшься? +Может, вы двое устроите представление, когда вы придёте в следующий раз. +Это все. +- Да уж. +Если она Крылатая Богиня, Доспех Дракона появится снова. +Она внутри той штуковины? +У вас нет на это права. +Он все еще был жив. +Мы вместе поговорим с капитаном. +Откуда я знаю эту песню? +Он прав. +Он был снят с покойника. +Вот она. +Мы убили 700, стреляя в упор, но они все равно заняли позицию. +- Думаю мы сработаемся. +Благослови вас господь. +Мне надо найти ритуал? +Постойте, нет! +Не плачьте, ради Бога! +- Сейчас 1:00. +Ручное управление отключилось. +Согласно нашим данным, модулем кто-то управлял. +Не двигайся! +Если она войдёт в портал снова, я не хочу обставлять её красными флажками. +Кто может помочь моему ребёнку? +Промышленный парк Миликена в Реседа. +- Эй ! +Ричард Фиш думает, что мораль берется из волокон в сухих завтраках. +Теперь она крошечная. +Интересно ... что я должен давать детям +В образе я видел себя воином с красным телом. +Нет. +Думаю, можно. +Я просто спрашивал совета. +Я готова к любому твоему ответу. +Ведь так? +Это миссис Чан. +Думаю, что я могу помочь, но не там, где ты хотела... +- Нет. +Дело "Гражданина" - в нашей юрисдикции. +Последняя поставка была бесполезна. +Нет, всё ясно. +Точно буду. +Что еще они сделали? +я думал, что ты... не любишь тер€ть контроль над эмоци€ми. +И З М Е Н Н И К И +Старший брат! +А куда его? +Вилма, поехали домой! +Пойдёмте. +- Я теперь весёлый. +Он ставил на кон, условно говоря, все свое будущее этим фильмом. +А в испанском "туте" имеет двойной смысл. +Он был одержим этой темой, но он больше боялся физического распада. +- Убери к черту эти чипсы! +Такие почти в каждом доме есть... +Так намного безопаснее. +Своим сердцем я пою тебе. +Я родился в любви. +А потом сломала мне жизнь. +- Прекрасно. +Я знаю. +Вот он ваш король. +- Одни из лучших. +Когда они будут готовьi к бою? +После того как он проиграл меня, он вернулся обратно за границу. +Кoнечнo. +- Убей егo. +Произнеси ее чуть громче, и она исчезнет... +Я заплатил их, чтобьi извлечь вьiгоду из вашей смерти. +Мы поняли. +Что ты предлагаешь? +- Бэнни, он с нами. +Pоurtаnt j'аi rеvе... +Sоuviеns-tоi quе l'оn реut tоut dоnnеr Вспомни, что можно все отдать +Dеvаnt mоi unе роrtе еntrоuvеrtе Передо мною приоткрыта дверь +Допрос закончен в 18.33 +Ничего не было, Кейси. +Теперь я могу возвращаться. +Ну, работа в Организации Объединенных Наций? +Знаешь, когда я уехал из Дэбьюка, я с ними почти совсем не общаюсь. +Вы хотите вселить в нее несбыточную надежду? +- Это.. это очень мило. +- Нет. +Ни фига себе! +Как дела? +- Кому ты звонишь? +Шеврон 6 закодирован. +-Раз плюнуть. +-Предметы женской гигиены? +Я даже не знал что. +Узри стремительную реку - могучий всадников поток. +Что угодно! +Это не... +Остальное приложится. +Ты опубликовал два распроданных романа, хотя их теперь и не найдешь, стопку рассказов, получил пару стипендий. +Шерлок Холмс, Филипп Марлоу.... +- Занять позиции. +При чем тут это, Селма? +То же самое. +Или мы заберем его в качестве платы за воду, которую он выпил. +Иди и выведи из Египта народ мой. +Бытие, глава 41 . +Да, они так делают. +Ты обдираешь нас, парень. +Но... ведь... +Продолжай! +Дамы и господа! +Тело уже готово,.. +- Нет. +Выпьешь? +Как только я сообщу комитету по этике, его сдует. +- Спасибо. +Потому что во Франции одного яйца достаточно. +смотри как красиво, 'аим что? +–енана! +знаешь, кроме одного кос€ка, что попробовала на —инае, больше ничего такого в жизни не пробовала, +почему мешаю? +хорошо, но не здесь. +€ боюсь летать. +Теперь тушь. +Женщины это поймут. +Чихару. +Шерлок Холмс? +- Всё как ты просил. +Нет! +Твоё дело здесь уже более чем закончено. +Без причины, Ленни. +Не пиши "Гэммел", напиши просто "Тедди". +Шерлок Холмс? +У Сэмми Джэнкиса была такая же проблема, но у него не было настоящей системы. +- И это всё? +Шерлок Холмс? +Я, мм.. +- Нет, ты никуда не пойдёшь! +У ходим. +Прямо сейчас? +Почему? +- Больше там никого не было, что бы это подтвердить. +Он не может выписать рецепт по телефону. +"Сделать"? +И на следующий день... +Ну а вьi кто? +Неси меня к Ксев или... +Фрида Му-гу-гай-пен. +Нет, не мама. +Не может переносить твой вид... +Проклятье. +Ладно, верни наши деньги и забери себе свой домик. +Привет, это Стив. +Это не значит, что я не могу понять их точку зрения. +- Вот. +Так ты считаешь? +Забудь об этом. +Вы живы. +Конец связи. +Значит, мы - на этой линии а она ведёт к ХАБу. +Эверет, никогда бы не подумал, что ты семейный. +Вроде, не захудалый городишко, но невозможно найти приличный крем для волос. +- Эверет. +- Валдрип. +- В самом деле? +- Озера в 9000 гектар. +-Мисс Вулвертон. +- O, привет привет. +Я потерял руку, но остался жив! +Считайте сегодняшний вечер началом дружбы. +Клер сидела бы передо мной. +Отвали, придурок. +Казнить их! +1 4 лет - слишком большой срок для катания на лыжах. +- Отличный писатель. +- Да, именно. +-Что, чемпион едет домой? +Мы просто пили чай. +- О чем вы там шепчетесь? +[ Женщина поет по радио ] У меня есть рождественская елка Мне знаком мотив рождественской песенки +Здравствуй, маленькая девочка. +Я - прелесть нашей дружбы. +Зачем? +Очень круто. +Все это - мертвое животное, ... и оно не на огне. +- Спасибо. +Она не будет врать. +Устроим вечеринку в саду. +Не ваш тип "любовница". +Всем! +Я думал, что помогу ему. +То что случилось раньше, я знаю, что я был не прав. +Пример блестящей дедукции, прямо Шерлок Холмс. +Подъезжаем! +Всем пристегнуться! +Я слишком много болтаю? +Просто Шерлок Холмс. +Скажи маме, всё в порядке. +Давай ты. +Пример блестящей дедукции, прямо Шерлок Холмс. +Спасать страну придется нам. +Спасибо. +Джоанна сильно изменилась, понятно? +С 8 до 11 . +- Я ошибаюсь? +О, Бадди. +Я могу вам погадать. +Сука! +Ну, свадьбу она не отменила. +Что они будут делать? +- Чтобы пришел +- Хорошая работа. +Ну только один раз было, по Интернету. +- Это ничего не доказывает! +Возьмёшь судьбу в свои руки. +Теперь я хочу, чтобы вы слушали очень внимательно. +А я как-будто не знаю. +Спокойнее, ладно? +Мэкс... эй, Мэксин. +Заткнись! +Почему нет? +монтаж +Не знаю. +Тишина! +Смотри на партнёров, текст бери отсюда. +А если бы я начал говорить о бейсболе,.. +Нет, она хотела от жизни хоть чего-нибудь. +И каждый день опаздываешь на работу. +Что это? +Да, много. +- О, я его обожаю! +Ты под кайфом? +Так... ты беременна? +- Ты считаешь, что я не гожусь для этой работы. +Позвони мне. +Немного ошарашена, но все в порядке. +Суджон... +Принимала лекарства. +Зря. +Ну, Вы совсем обнаглели. +Nancy_Tompson, Denlerien, nitai4andra, Dolores +- Ты ведь голоден, да? +Что-нибудь романтическое? +- Маркус! +Хьюи Льюис и группа Ньюс. +Такого, как в прошлый раз, не повторится. +Фрейзер, папа. +Фил, дай мне выпить. +Порчу воздух, крашу ногти черным. +Последнее! +Нет. +"Один - жестокостью, другой - отравою похвал, коварным поцелуем - трус, а смелый - наповал". +О боже, Донна, и правда! +Ты собираешься идти за мной? +Из-за этого фильма я плакала 3 дня. +- Да ну? +- Мне следует рассказать о нем? +Я положила его в бардачок, когда мы... +Как дела, Визел? +Всё началось одной зловещей ночью, тысячу лет назад. +А тебе нужна компания? +Незачем, действительно. +Ты думаешь, я хочу чтобы ты мне позвонил? +- Будешь? +Предположим, она – Троянский конь, посланный шпионить за нами... +А как же Градский, которого ты специально заразил Химерой? +Это не совсем клуб. +- Пишется К-Р-У-З? +- Что бы ты сделал по-другому? +- Дэйви, как там дела с бронью авиабилетов? +Мы занимались сексом до шести утра. +Он занимался только тейлонскими вопросами, почти не общался с людьми, так? +Привет, извините. +Может, я постараюсь найти выгоду из твоей ситуации. +-Но ведь это совсем другой домик. +Прикройся, Ави. +БОРИС ЛЕЗВИЕ +Я не могу поверить, что ты ее нашел. +Не такая роскошная, как твой велосипед. +Ни хуя не верю! +Я говорю вам, мать вашу! +Я уже имел дело с этими хитрожопыми русскими псами. +По сусекам скребёте за 50 пенсов. +Дебби, взгляд вперёд. +Боюсь, мне нужно более официальное приглашение. +У тебя кашель. +Время 50! +-83! +Кажется они называются Хост. +- Спасибо. +- Так точно, Китти. +- Доверься мне, O'Нилл. +- Но Ангел... +-Езжай! +Руки за голову! +У меня 6 сломанньiх костей и нет даже медицинской страховки. +"Шпион, судьба которого решена". +глядят на нас. +- Нет. +-Вы здесь первый раз? +Волк, неужели ты надеешься здесь найти зеркало? +Нет, то зеркало разбилось, теперь мы ищем другое. +Что ничего необычного с тобой уже не произойдет. +Мы пересекаем их границы только по особым случаям. +Меня зовут Желудь. +Я их надену, а ты будешь держаться за меня. +-Да, здесь так написано. +И еще злее, чем раньше! +Проплыл вокруг света по местам кораблекрушений в поисках сокровищ. +Спасибо за гольф, Рэймонд. +Неуверена, насколько он похож на человека. +Да, я попробую. +Что сказал бы твой дружок? +Где вы его положили? +Давай, шевелись. +Да уж, многое. +А лев: "Ууу". +Дики их всех подкупил, поэтому я и прибежала к тебе. +- Мы пробовали. +Привет. +Боль, смерть... апокалипсис. +Могу я у Мика переночевать? +Незаметность тоже иногда привлекает внимание. +Иероглифы в гробнице Тхутмуса говорили правду. +— Спасибо. +Просто... хотел уточнить дату экзамена, неспокойный он. +Ладно, расслабься, мы просто развлекаемся. +Угощайтесь. +Сегодня мы представляем уже 64 женские организации. +- Адриана, это мой кузен Грегори, юрист по ДТП. +Спасибо. +- Да, это странно, согласен. +Он вышел на стук и участливо спросил меня: " Что случилось?" +Стояла осень. +- Хорошо. +Я стал очень нервным. +-Майк еще не вернулся? +Агент Скалли, не просите меня поверить что это какое-то возмездие из могилы. +Я умирал много раз. +Попытайтесь зафиксировать транспортатор. +Больно не будет. +Если он попытается сделать тебе массаж ног - беги. +Вряд ли кто-нибудь поймет. +- Что за источник? +- Он мне жмет! +Это он ко мне подошел. +На это у меня уйдет три дня. +Подожди-ка... +- Привет... +Кажется, Зо'ор считает, что мне не хватает дипломатического таланта, необходимого в переговорах такого рода. +- Отрезаны от внешнего мира. +Знаешь... +Очень хороший ответ. +Попробуй Второго Бродягу. +Во время медового месяца, у мужчины преобладает аппетит к кое-чему помимо еды. +Вам было бы лучше, не знай вы этого. +Мы принимаем вызов. +Боже мой! +Хотя мне всё равно. +Снова они... +Кагоме! +Да-да! +Печать? +Так я был прав? +Это тааак хорошо, что нам не придётся сегодня спать на природе! +"...подождите меня." +Эт... то непредвиденные осложнения, Сещёмару-сама! +"ну€ша... агоме-сама ведЄт себ€ немного не так как обычно. +"Полудемон... +Не сбежите. +Что? +Прекращай хандрить и пойди лучше послушай, что говорят о Камне Душ или ещё что-нибудь. +Открылись! +Хватит играть словами, недоносок! +- Так расскажи, как там? +Мы уже обедаем. +При ударе все прыгаем. +- Тульо! +Хватит. +Ладно. +Очень самоуверенно. +Я дал этот журнал моему сыну. +У нее завтра встреча в Национальном пресс-клубе. +- Знаешь, чего ты никогда не делала? +Этот журнал создан, чтобы вербовать молодых людей. +рон, через несколько недель, после того, как президент был приведен к присяге вы получили, заметку, о его защите. +Я думаю. если он оглянется вокруг, то увидит, что никто не пытается его обработать. +Он сказал, что все мы, его одаренные дети, были... дефектны. +Записки об эпидемии чумы в Висборге в 1838 году от рождества Христова. +"Поезжайте быстрее, мой юный друг, счастливого пути в страну призраков." +Джон Бэрримор в фильме ШЕРЛОК ХОЛМС по мотивам рассказов сэра Артура Конан Дойля режиссёр Альберт Паркер +Здесь есть один парень, Шерлок Холмс, он мог бы помочь вам. +Шерлок Холмс, будущий детектив, проводит свои часы в деревне, занося философские замечания в блокнот. +Меня зовут Шерлок Холмс. +На Бейкер стрит 221 Шерлок Холмс разгадывал тайны и головоломки. +ШЕРЛОК ХОЛМС РЕШАЕТ ДАРТОНСКУЮ ЗАГАДКУ ПОСЛЕ ПРОВАЛА СКОТЛАНД-ЯРДА. +Лакей принца, Отто, считал, что если за следующие несколько дней не удастся добыть письма Розы Фолкнер, шанс шантажировать принца будет потерян. +Я только что узнал, что эти письма жаждет заполучить профессор Мориарти. +Шерлок Холмс. +Шерлок Холмс постепенно затягивает вокруг меня петлю доказательств. +Шерлок Холмс, Бейкер стрит, 221 . +В том же городе жил также агент по недвижимости по фамилии Кнок. +"Зачем смеёшься надо мной, монах? +Он берет только мальчиков. +Что с тобой? +-Ну, с которым в Чехословакию ездили. +Какие явления? +-Потолкуете, а как же? +Придёт, а чего я ей скажу-то? +А, говорили, что можно, прощали, значит. +Иан ты не хочешь понять. +- Ну, что за гадость такая? +- Так. +Есть два пути - путь богов и путь Тлотоксола, путь зла, который должен быть уничтожен. +Я стал похож на полицейского. +Но ты не должна беспокоиться. +Шампанское сделает нас счастливыми! +Здесь написано QR18, дедушка. +Однако мы должны покинуть эту маленькую загадку и вернуться на корабль +Да. +Ты меня разбудила. +Ты вошёл... туда... +Сначала мне было всё равно, потому что детство, проведённое на ранчо было самым беззаботным периодом моей жизни. +Иди сюда, я тебя разукрашу! +Прекрасно. +У неё выходной. +Весь мир у ваших ног. +Срочно. +Фильм из коллекции Мордехая Навона +Поймай меня! +Нет сильнее страсти. +Из-за своего дубового языка она так и останется в подворотне до конца своих дней. +Я никогда в жизни не принимала ванну, чтобы вся сразу. +На ногах, вверх-вниз в бегах! +- Бубе? +И ты тоже. +Вот черт, застряло! +Да, конечно. +Быстрее. +Твой катер стоит у причала, а нашего нет. +Сегодня? +И мне подпишите, пожалуйста. +Это факт. +Мы сейчас пойдем в гостиную и будем искать сейф. +Именем графа Хамболдта и его сына Курта мы обвиняем тебя в том, что ты получила от дьявола злые колдовские силы +Она всё знает. +Что значит, ошиблась? +А если бы я поехала, то взяла бы с собой все. +Не нужно, чтобы ты обо мне заботился. +Продюсер Франсис КОСН +Первая шпага Лангедока. +- Вы не можете взять то, что принадлежит мне. +Никто не спасётся. +- Только в присутствии адвоката. +Они исчезли! +- Держитесь. +- ... +Наденьте эту корону. +- Забыла? +Хочешь чаю или что-нибудь ещё? +Вы готовы вынести приговор? +-Таррон? +У вас наверное был сообщник. +Если Tarron узнает об этом сейчас, то использует против Честертона. +- Пообедаем? +- Вот вы где. +Я о ней много думаю. +Он врёт. +Моя очередь идти за водой. +А... пришельцев поймали? +Приступим? +- 11:30. +В новостях, просто думала, что тебе будет интересно. +Это не сделает больно, я специально купила это на рынке. +Быстро! +И щас хочешь, чтобы я перевозил твои "художества"? +- Кот выпрыгнул из мешка. +Как думаешь? +Если вы проснётесь и увидите, что я у руля - значит мы все в беде. +Интересно, что это была за фабрика? +Попробуйте. +Под ногами песок! +Но в отделе по образованию говорили вполне определенно. +Смотрите. +Я часто спрашиваю себя, могли бы вы простить мою сестру... +Прислушайтесь. +А что? +Я не хочу, чтобы тебе вновь причинили боль... +Поехали домой. +Раз, два. +Я видела его. +Три галактики за цену одной. +Теперь мы позаботимся о вас. +Он здесь живет. +Мне интересно. +Я... ++500 Внимание, капитан +Ничего страшного +Видишь ли, если тебе впаяют пожизненное... деньги... +Я ничего от тебя не скрываю. +Да, есть один солдат, который не сделает ничего подобного! +Этот Некто не сделал это из-за ненависти. +Он и его помощник уехали туда, где получше. +"Машина "Сентинела" не пострадала." +Я только хотел вас поцеловать! +Да, я тоже так думаю. +Тебе было бы хорошо, если бы я уехала. +Не беспокойтесь, это не проблема. +Да? +Мой отец приказал мне жениться на ней, потому что она была беременна. +-Ох, мама! +Возьми себя в руки, Энн. +Так же, как и Десперус. +Не отвлекай меня. +Вставайте! +Со мной? +Еврейка, олицетворение христианского святого. +Конечно. +Немедленно скрыться. +Что ж, веди! +Ты чей? +Ладно. +Сегодня меня кто-то спросил... +- В какую высшую школу вы ходили? +- Неужели Титикака? +Что же вы, ребята, вчерашнюю пленку поставили? +Меня даже колли не слушается. +Спасибо. +Долой сексизм! +Знаю, болван. +Ты привез настоящую Силию? +Думает, что это роман. +Я и мой друг, мы очень голодны. +Пойдем. +Я слышал, что дела у него идут прекрасно. +Правда? +Вы шутите? +Арвид прав. +Стоять! +Пойдем. +Лусиус предложил мне отличную работу. +Я должен знать, что могу на тебя рассчитывать. +Что вы такое говорите? +Мне назло? +Тогда мы поженимся. +Рушить стены? +Ой! +Сюрпризы и трюки Шутки и смех +- Там был огонь и дым! +Нет +Шеф, подготовьте зонд 4 уровня. +Ты боишься меня? +Я тоже должен был выбрать специальность. +- Что это такое? +- Он был не таким. +Ты мне нужен. +- Спасибо. +что случилось? +- Спасибо! +- Давайте, попробуйте. +- Правда, Лео. +Почему тьi не смотришь? +Правое колесо, видите? +Ты никуда не поедешь! +Я думал над тем, что ты сказала... +- Ты можешь спуститься? +Уже иду. +Нет ответа. +Может быть, потому что певица просто не можете вспомнить текст. +Прекрасно. +- Это из лаборатории? +Грибок? +Мама! +Тяжелое. +Я работала допоздна, и не имела возможности оставить свой хлам, перед тем, как заехать +Признаки очень схожие. +Теперь ты не сбежишь от меня, Уотербери. +О, Блэр, мы сможем начать новую жизнь далеко от Вустера,.. +Остановись. +Это капли, которые мы даем собаке, Она никогда не жалуется. +Я их застукал, когда они химичили с чем-то в камине его номера. +Ладно, сами напросились... +Дайте, пожалуйста, салфетку. +- Развлекаюсь... +Никаких чемоданов... +- Сыграем в очко. +Там написано: +Чтобы ни случилось, мы любим друг друга. +Это уже стало нашей традицией. +Врачи говорили, если Арни доживет до 10-ти лет - это уже будет большая удача. +До скорой встречи. +- Здравствуйте, мальчики. +Я не полезу в воду. +Не включили. +Это только аванс. +Может просто спросишь ее родителей? +"то с тобой? +"ы что делаешь? +Ћадно, давай, убей мен€. +Анна? +Это у вас захлопнулась дверь, и вы не могли попасть в квартиру? +"Вообще нигде никого", - отозвался Джои. +- Когда Кварк возвращается? +Да нет, ничего, Обо. +Женщина жила здесь в одиночестве семь лет, до тех пор, пока на этой планете не разбился еще один представитель расы людей... +Мой вид ценит жизнь выше всего остального. +Возможно, мы можем свести их снова. +- Ну что, все взял? +Правда? +Как только он покидает дом, он уже не в моей юрисдикции. +Вот что это такое. +Она была очень агрессивна с мантией. +это твой папа. +Ну, а как ты думаешь? +Все парни готовы, сэр. +Как вам арбуз без косточек? +Встретье его в воздушном шлюзе, мистер О'Брайан. +Это смодулированный луч. +Я могу потрогать его? +И ты сможешь жить с этим? +Боль пронзает твой мозг, глаза слезятся. +Этот месье Опалсен, Вы, случайно, не знаете, в каком номере он остановился? +И что, если царский жемчуг, никогда не существовал? +Возможно, лучше будет перенести действие, например, в Ливерпуль. +Там есть, что разогреть в духовке... +Отец у меня был классным. +А вот этот... +Первая моя любовь. +Накормить. +Наверное, это было 2 года назад. +Федерация удрала, поджав хвост. +А, ежедневная газета! +Выбора нет, нужно сажать корабль. +Я с ним разберусь! +Старик сказал мне, как обезвредить яд. +Ты слишком много хочешь, глупец +Снова сбросила кожу! +" что это... +Я боюсь. +Это определенно сходится с ее рассказом. +Он сказал, что мне нужно писать. +*(персонаж мифа, женоубийца) +- Как это, сержант? +- чтобы найти ответственного за это. +Теперь твоя очередь, детка. +...оторопь короля. +Тронешь её - твоя смерть. +Это меня надо исключать. +Ты не против, если мы поменяемся местами? +- Да! +- "Ока"? +Не понимаете? +Они никого не побудят, Дживс, поскольку этого не будет. +Пляшущий с рокерами передал это тебе. +Разве не это нам нужно, Мистер Уилсон? +Она очень добрая. +У тебя рожа с рекламы камамбера! +Мистер Ли. +Но я не хочу ходить перед тобой по струнке Так ты можешь изображать героя перед идиотами, что думают, что ты Шерлок Холмс. +Они хотят тебя пристрелить? +Что, Толстый? +Разве мы этого не заслужили? +Кажется, это Шерлок Холмс говорил: +Люди пытаются заснуть. +Теперь, я верю, что это был Шерлок Холмс кто сказал: +"то хорошего в реальности? "м не нужна реальность. "м нужны вс€кие забавы. +Ќет, ƒжордж, она очень смешна€. +- Ќет, конечно нет. +Мы на верном пути. +Я здесь все равно не останусь. +Мне нужны деньги. +Сайкс исчез. +Всем постам оцепить все выходы с нижнего этажа. +-Метр семьдесят восемь. +У вас есть удостоверение? +- Я просто кивал. +Это же Шерлок Холмс из госуправления собственной персоной! +Вот успокоительное, доктор. +Нам нужна собака. +- Дорогая... +- Спокойной ночи. +- Они невиновны. +- Да. +Вес тела должен быть на коленях. +Я помылся после убийства. +Спокойно, дети, спокойно. +Я хочу домой. +Вы все делаете божка из этого Столмэна. +Похоже, они хорошо сработались. +Тише, тише, тише. +Она прилетает рейсом 958. +Скажем так, атмосфера в нем дружественная. +Вы должны понять. +Бог укажет, кто станет рядом с ним. +Да. +Вы все лжете. +Achtung! +Простота и порядок - ваш новый девиз. +Прямота? +Капитан! +Найди ее, Нэд. +Они скоро успокоятся и разойдутся, как только их снимет телевидение. +Ты спрашиваешь, уверена ли я, что беременна, или, что ты отец? +Теперь двигайтесь вдоль полосы, начинайте спокойно снижаться. +Это случится сегодня, в брачную ночь скупого земледельца. +Готовься к смерти! +Мне кажется, что нет. +Когда приходит сиделка, я вижу, как ты шутишь, смеёшься. +Джоуи Мэддокс, лицензированная букмекерская контора, Фулхэм-Роуд, 469, приобретение. +Еще корова... +- А где старик? +Скорее всего, это были две шлюхи, которые искали клиентов. +- Что ты сделаешь? +И не хочу быть тем, кто первым нарушит правила хорошего тона. +-Да, Майор! +- Фантастика! +Чего ведешь себя как ребенок? +? +! +- отлично, сенека! +не одолжите ли нам огонька? +! +- А? +Это ты Снежок? +А ну, прекратить! +- До свидания, Ролан! +Похоже, они не знают, где находится центр земли. +- Разве не так? +Разорены! +- В Берлине? +Где ты взял воду для кофе? +Вы сказали, что видели его только один раз, в квартире мисс Декстер. +Я был слишком занят, чтобы это заметить. +В(ё проходит. +И посла меня к кузенам, Кларку и Изабелл. +Что случилось? +- До свидания. +- Столик, мисс? +Правосудие свершиться. +Чтобы я смог спокойно справиться с этим бокалом. +Τi аmо. +А ведь в былое время Мне крик совы все чувства леденил, +Голод выманил волка из его логова! +Я поняла, что это не ты. +А тут как оказались? +Когда м-р Баркли привёз сюда эту женщину, он доказал, что является её мужем. +Просто замечательно. +От нее сплошные расстройства и неприятности заняла мою комнату. +Чего тебе надо? +Почему? +Став королем Георгом Первым он отправил в заточение в замок Ольден женщину, чье имя будет стерто со страниц истории и чья собственная история должна была умереть вместе с ней. +Ты... +Которая всегда брюнетка. +Ключ! +Ты тоже так делаешь! +- Иди теперь домой. +Тоже мне Шерлок Холмс! +Это в интересах ребёнка. +Кресты, освященные Папой... +не уподобляйтесь дьяволицам! +Мадмуазель Хорнер, какой приятный сюрприз! +Давайте пойдём домой и насладимся простыми вещами. +Бен, насчёт этого самолёта. +Она не выдержит в санатории. +Мы рады приветствовать вас в Конти! +- Он не пострадал? +Забавно, но... +- Деньги? +Зачем мне его убивать? +Я испытываю то же самое. +Я ещё ему устрою. +- Я пойду домой. +Но не успел надеть. +Вслух Говори молитвы вслух. +- Писать хочет? +Послушайте! +Я так счастлива. +Карл. +Возьмешь мой пиджак? +Он ранил кого то. +Уходи отсюда! +-Мы пойдём или поедем? +Спасибо за понимание. +-Чему ты улыбаешься? +Теперь только ты и он. +БЕЛАЯ РОЗА +"Сейчас 3:25 утра, то же самое время!" +Татанка. +- Извините, что это? +- Ну как поездка на Марс? +Совпадение. +Тормозов нет! +ќтвали от мен€! +Не бойтесь. +Пойдём, Ричард. +Вы вышли из палаты? +- Что хорошо, Леонард? +Спасибо! +Твой муж развёлся с тобой ещё в 1953. +- Нет, спасибо. +Если бы она была важной, то хозяйка заперла бы ее в свой лиловый портфель. +Мы бывали в переделках и похуже. +Если тебя к этому времени не будет здесь с деньгами, +- Потому что я так говорю. +Еще договорной? +- Прошу вас! +[ Ведущий ] Мы прерываем песню... краткой сводкой новостей. +Птицы научат его всему, что ему следует знать. +Смешайся с золой, упокойся с пеплом, непокойный прах в холодной могильной земле. +На нем выгравировано твое имя. +Я оставлю его себе и буду играть. +Я Хелен Лавджой, болтливая жена пастора. +- В гостиницу. +Куда я спрячусь? +Лейтенант Афродита Переплетчикова. +Я думала, что он с тобой. +- О, Гомер. +- Вы не заставите меня! +Хороший повод вернуться. +Вы не могли бы говорить на персидском чтобы нам было понятно? +Точно не скажу. +Я люблю джут. +Отец мистера Бикерстета - Герцог Чизвика, сэр. +Он влюбился в дочь и задолжал отцу. +Черт возьми, Дживс. +(ВИНСЕНТ) Хороший мальчик, Чулочек. +Привет, Винсент. +Мы с радостью поставим вас во главу нашего флота... но все наши корабли должны двигаться в одном направлении. +- Как ты? +Если пламя растёт +Это слишком опасно. +Поищем его завтра. +Значит, хотеть - это любить. +Здравствуйте, Миссис Симпсон. +Я хочу почувствовать это. +Без воспитания твоего блестящего ума. +Я знала, что это заставит вас улыбнуться. +Сентименталист! +- У нас еще много времени. +Рене, какая муха тебя укусила? +Я мог бы поехать и на автобусе! +- Сэм! +Ты прав, Я положу его туда где до него никто не доберется. +Откройте. +Вперёд. +И теперь уж мне этого не забыть. +Молли, я также как и ты хочу верить в это но нужно разумно к этому походить. +- Вот что. +Этот парень вправду может зажечь мой О-Г-О-Н-Ь. +Это его короткая версия с частями из второго эпизода. +Они должны одобрить это. +Я абсолютно разная и похожа на себя больше, чем когда-либо. +Они склеились и не могли больше разделиться. +Иди купайся, доченька. +- А, вот-как. +- Следующую среду. +- Ну а если не ты, то кто? +А когда примете лекарство... +- Танцевать на облаках. +Ваpсус, ты уже pазобpался с этими паpолями? +Погоди. +И я точно знаю, что слышал имя Змей до этого. +Извините, пожалуйста. +Дорис, давай! +Это снова вы. +В прошлом году я получил свитер с узором для малышей. +Смотри, вон там Чикаго. +И я ему не понравилась. +Они? +Вы что-то хотите сказать? +Я был господином этого острова днем и ночью +Пойдем, парень Мы отправляемся на поиски сокровищ +Наконец-то. +А вы обеспечите ему полное содействие. +Я этого не потерплю. +О боже! +Вы – "Бешеный Пес" Таннен. +Как вы получили такое прозвище? +Если хочешь, я вас познакомлю. +Режиссёр +Mилopд... +В пути. +Вот оно, да? +! +Привет, папа! +[ Хнычет ] О, Гомер. +Я - улыбающийся Джо Фишшэн, ваш атомный гид по необычному и увлекательному миру ядерной энергии. +Ты врун, Майерс. +I'll see you Tuesday. +Oh, man! +И когда собака начнёт срать, из её дерьма будут торчать маленькие петельки...! +У каждого агента есть инструкция, необходимы пять подписей... но, каким-то образом, мы не досчитались одной. +Мы не спешим, месье Донекер. +Нет, "ты пытался похорониться с ним..." +Она сказала: "Отвали!" +Всем удобно? +[ Жужжание ] [ Все кричат ] +Сжечь французскую шлюху! +Третий промах, дорогой. +Я мог бы любить миллион девушек +- Ты оставила свет на крыльце. +Мы сообщим вам о наших успехах. +Мы на связи. +Я ее верну. +Девочки уже читают газеты. +– Почему он указал на меня? +Мой мистер Хэлиуэлл! +- Как желтушник. +У вас не было ордера, когда вы обыскивали его место обитания. +Я кое-что нашел. +- А коронки с зубов мне не снять? +- Я знаю день, когда это будет! +Ты меня слышиш! +-Тсс! +КАК ТАМ ЭННИ? +Мальчик! +Вот где твоя ошибка. +Ты знал, что Мейбл играет в этом шоу, Дживс? +У тебя нет мозгов, нет способностей, ничего! +Томас? +Бывает. +Мне кажется, ни одна из этих вещей вам не принадлежит, профессор. +Мы разговаривали о той рекламе. +...по поводу той последней актрисы, которую я прислала к тебе. +Я и сам себе это говорю: мы не в церкви, а в такси. +Как дела? +Новое крыло для нашего музея и портрет увековечивший человека, подарившего его городу. +Фабьен! +- Я всё объясню! +Аквелла... +Состав поверхности луны блокирует наши сенсоры. +Дай я тебе покажу! +Это не совсем психушка. +Впервые в моей жизни... ..я смогу заняться тем, что по настоящему люблю. +Ну ладно, мальчики. +- Филипп Вольтер +Я привезу тебе красивый подарок. +Где она? +Меня сделали козлом отпущения. +Я бы такое ни за что не пропустил. +Президент Кеннеди был убит заговорщиками из высших эшелонов власти. +Это наше дело! +Председатель Верховного Суда, да еще в роли главного свидетеля. +Затем, тело незаконно было перевезено в Вашингтон для вскрытия. +Мы добавили звук, эхо выстрелов. +Клоун - это сокровище, которое сохранится на всю жизнь. +Я не вернусь без объяснений. +И всё было хорошо,.. +Возможно, мне стоит проводить доктора, сэр. +Совершенно очевидно их участие в чувствах и эмоциях. +О, быстрей, господа! +Вроде лекарства. +Отвали, чувак. +Хотя она секси. +Они плохо пахли. +Хорошо. +Признание было сделано в участке, орудие убийства найдено, подкрепляющее доказательство... +ѕосмотри на этот лакомый кусочек! +ќтдай мне резинки! +Я думала, её скорее молния ударит, чем она так умрёт. +Мадмуазель Джоан, этот фартук... +Говорила: "Пожалуйста, нет." +Давай повеселимся, Бёрдлэгс. +А во сколько вы закрываетесь? +Правда! +- Нет! +Нет, нет, нет. +Зачем? +Как на нем говорят". +Говно! +Может быть, это значит, что он не уезжает. +Спасибо! +Ќекоторые еЄ стихи мне кажутс€ очень чистыми. +ћы ходили на распродажу. +Кажется, где-то тут надо повернуть направо. +{c:$ffccff}Я верю, я верю, {c:$ffccff}я верю, я верю... {c:$ffccff}...я верю, я верю, {c:$ffccff}я верю, я верю, я верю... +- До следующего раза. +] +-Доброе утро, мистер Кроуфорд. +Отличные новости, сэр. +Алло, Рэй? +- 'олерик. +Ённи, Ѕрайн внизу. +- ѕосмотреть? +Майор, нам нужна Ваша помощь. +Тема: "Решено: +Пожалуй, мне труднее, чем тебе: +Что ж, государь, себя благодарите За горькую потерю. +Эй! +Слышали о ребенке, которого похитили в Пенсильвании? +ј ты помолчи. +—тавьте ближе к кра€м. +- "ы в это веришь? +Но более того ... было в прошлом. +- Он вел себя, как несносный мальчишка взорвал здание, а затем разруливал на фургоне, зарегестрированный на ваше имя. +Я буду находиться в фургоне и ожидать вашего сигнала... +- БЕЗОПАСНО... +Ну что скажете, Дрэбин? +А? +Сперва сюда, а потом сюда. +Чокнемся. +Эй! +Ты должен быть в школе. +Но кое-что я должен тебе напомнить. ...12 лет прошло. +Это невозможно! +- Просыпайся! +- Проследи, чтобы он зажарился с двух сторон. +Но что во мне было больше страха, так это желание встретиться с ним. +Возьми... +Мне нужна только эта. +Но всё зелёное. +Работать ночью и спать днем, это кого угодно доконает. +А как же обыск, мистер Пуаро? +Даже не посмотрел на письма. +Я думал, как бы украсть что-нибудь. +Не забывай, мой мальчик, - сказал он, - +Вы действительно имело смысл для меня. +Я вас не слышу. +- Еще! +Я использую женское имя. +Ты прав. +Да, звучит очень интересно. +Вы видели Парри? +Ну, я залез в машину, и мы поехали к нему. +Под этими яйцами. +Проблема со специальной частью ноги также решена. +О технологии восстановления репродуктивной способности биороидов, +Поверхность покрыта потоками лавы. +ЮРИСТЫ БОСТОНА +Их всегда можно купить в аэропорту. +Я видел Кейтлин уезжающую на лексусе? +Умоляю, прости меня. +А вот и молочник. +На следующее утро. +В общем то я не планировала уходить на этот раз. +Слэйд хочет закопать его. +Это здорово. +Отец очень важен для нас. +В смысле, ты думаешь, я дам свое благословение этой... твари? +Расслабься. +Пли! +– Нет. +- Серьёзно, всё кончено. +А помнишь, был один случай... +Мне жаль. +Акамару, ищи по запаху того старика. +- Ну же. +В среду. +Автор +- Что ты делаешь? +Тебе повезло с Клементиной, Джоэл. +Я просто восхищаюсь вашей работой. +Я предполагала, что буду с тобой. +И ты по-настоящему умрёшь, да? +Я очень непростая девушка, так что не собираюсь обходить тему твоей женитьбы и всякого такого. +Я сейчас вернусь. +..и четырехкратная сумма больше всего и три раза меньше - число 71. +Знаю я этих лесбиянок! +Я его продюсер. +Я беременна. +Нет! +Пошел ты. +Что это? +Стань сильнее. +Пол, спасибо, что пришёл. +-Лана. +Что произошло? +Возможно, он не нужен. +Кто это? +Зукер сказал, что они сознались. +Цикада? +Когда у тебя день рождения? +-Что, что. +-Мали, все нормально. +-Делай, что я сказал. +Только с тобой. +Йосеф, Элиягу, вы мне что-нибудь говорили? +И не смотрю на тебя. +Jane! +- В свое время, свобода может быть вашей. +Идем, папа. +И если стена непонимания и вражды Я останусь с тобой до конца. +полагаться на него. +Он - никто. +Срочное сообщение от Капитана 8-го Отряда Киораку и Капитана 13-го Отряда Укитаке. +Сегодня у меня на обед бутерброд с кастильей! +что подобным путём он создал Капитанов для своей армии. +Он здесь! +Откуда ты знаешь моё имя? +Куросаки! +Ты вышел против Гина Ичимару, чтобы его защитить. +Неправильно? +что я оставлю себя без защиты? +А по-моему нет. +Получай! +Что такое? +что может временно разрушить грань между Пустым и Шинигами и создать нечто новое. +У меня какое-то странное чувство, словно... +! +Я прикончу этого ублюдка! +Извините! +Я гордилась тобой! +Кон! +Теперь я спокойно смогу сконцентрироваться на своём самозванце. +Эти штуки и вправду нацелены на души живых людей! +Tsuji Shion 15}Исполнитель: +Я никогда не умру! +Не беспокойся. +то тебе здесь больше нечего делать! +неужели он уже сдался? +Скорее! +Отлично! +Внутри периметра ещё остались Шинигами! +У меня не было выбора. +Супер скорость! +Слышишь меня? +! +Пословица говорит - "Слезами горю не поможешь" ! +Конец связи." +\fscx500\fscy500)}Банкай! +Прости за то, что ты оказалась замешана в этом. +Нет! +Ты потерял Зангецу. +Не особо. +Сиро-тян! +Как-то не верится, что все это - глупая шутка. +Приятно слышать. +У меня нет времени спрашивать твоё имя. {\1cH24ADB2\3cH114B4E}Сузумебачи. +Открылась! +Капитан! +Мне сразу показалось это странным. +Я его не прощу. +Боже... +Чертов Урахара! +Я смогу его одолеть! +но всегда безошибочно чувствовал присутствие человека. +чтоб было что вспомнить. +Почему? +Что объясняет почему никто из Гоаулдов не знал о ней, пока Анубис не прозондировал ваш мозг. +Пожалуйста, простите меня, директор... +У нас всех есть веские причины вроде этих, но... +И я не лесбиянка, поняла? +Я разделаюсь с тобой. +Гамлет - воображаемое. +Готовимся к первой сегодняшней гонке. +Шесть недель. +Клер вот-вот родит. +Можно потерять ключи, бумажник, но - самолёт? +Это мой район, а люди об этом забывают. +Ты и есть молодая и глупая. +Парень из службы по корпоративным кражам меня так унизил! +- Не говори так со мной. +- Гарт Мэренги - автор, создатель замысла, мечтатель и актер. +15 минут массажа в день. +МакКей прав. +Он всегда был продажной дрянью. +Ложись! +Если Фюрер умрёт, с кем будут вести переговоры союзники? +шестерка. +Рин* +Савамура-сан? +Но отпрянуло вмиг - нелюбима я вдруг? +Да, я очень на это надеюсь. +Мидори-тян не кукла. +- Все, что я пытаюсь сказать вам, строится на этой сказке. +Ведь я знал его 20 лет. +- У нас ничего нет, Спун. +Идем! +Совершенная безопасность ждет вас. +Пожалуйста, вернитесь в свои дома. +Это не ловушка. +Я не сожалею. +Почему же ты гладишь немнущиеся рубашки, если сердишься на меня? +- Выпустите меня! +Эй, подожди! +Он тут весь год живёт, он искал такого занятого парня, как я, а теперь прячется? +Как её звали? +Ублюдок. +У него шок, мэм. +Ты опять мастеришь модель? +Где я? +Нет, если тьı помнишь моего отца. +Всё нормально! +Я не могу развязать! +Думаю, будет лучше, если утром мы перевезём его в Велльвью. +- Проснись! +Пока. +Понимаешь? +Он холодный, гладкий и блестит. +Я не меньше вас хочу, чтобы они покинули судно. +Всё чисто. +Мы играли в эти игры сотни раз. +Эта сучка, быстро освоилась в политике. +Что? +Было бы великолепно, если бы я смог победить Энширо, забрать легенду тысячи побед и сделать этим свое имя знаменитым. +Тоби работает над таким количеством разных дел. +Это должно быть трудно отслеживать. +Она допевала песню до середины, ...останавливалась, ...потом шла от фортепьяно к самому краю сцены, очень медленно. +- Грозила депортация? +Это правда? +...как в начале. +Малыш! +И забыть не смогу ничего. +Это поручили исполнить одному солдату, ...но он так и не смог этого сделать. +Чего ты смотришь? +Ты так не думаешь? +Бросаем глаз в гардероб служащих +Вот тот Шерлок Холмс занимался им. +И ты тоже сможешь. +Доктор Хауз, это чистая комната. +- Европа, хорошо? +Мне тоже. +Бабс? +Шутка! +"Time Cop" на DVD. +Попробовать, сможем ли мы принять сигнал с высоты. +- Ты - заключённый. +- Странный голос. +Эй, Махо... +Удивительно. +Брр, холодно! +Уверена, что доберешься до дома сама? +Мы хотим увидеть твое выступление. +Похоже, он отключил свой мобильник, я не могу дозвониться. +Из-за меня? +В конце концов, на дворе 20-ый век.. +Хахахаха! +- Ставлю 1000. +- Кейтлин поблизости? +Ќет, если у ћэри Ёлис было что-то вроде кризиса, мы бы все знали. +ћен€- мен€ тошнит от того, что тво€ прическа каким-то неестественным образом даже не шелохнетс€. +ћен€ зовут ћэри Ёлис янг. +ƒа, многие из талантов Ѕри были известны на всю округу, и каждый на ¬истерии Ћейн думал, что Ѕри идеальна€ жена и мать. +Эй. +Босс. +Не показать ли мне вашу комнату? +- Не хотим быть обузой. +Ты что с ума сошла! +Привет. +Похоже, ошибка приборов... +- Да, да, верно. +Это не моя красавица-жена. +Что скажете о французском вельможе месье ле Боне? +Крещусь и сделаюсь женой тебе. +Государство конфискует. +Вся Вена слышала об этом концерте вы, должно быть, очень гордитесь +Да, да, будет весело. +Люди стали... +Я ненавижу вагину. +Точно? +Подумать. +Ты хоть любила меня? +Да, это, и в самом деле, расходы ... +Здесь неподалёку есть прекрасный итальянский ресторанчик "Домино". +Тебя тоже уволили. +ЕСТЬ! +Книга. +Звучит обнадеживающе. +Он вынужден все время защищаться от ударов. +Пока мы были вместе, мне ничего не было нужно. +Не страдай так, Шерлок Холмс. +Не страдай так, Шерлок Холмс. +Анж! +Кто заложник? +Не страдай так, Шерлок Холмс. +Вот счастье! +Пригласи всех, кто пришел к вам на свадьбу. +Время даёт о себе знать. +- Всего доброго. +Что же, я зря на прослушивание пришла? +Химиотерапия доведет меня до ранней менопаузы. +- Что вы делаете? +Мы ели жареную картошку, и всё рассыпалось на стол. +Тебя не освободили условно, а ? +Я что, выгляжу на пятьсот лет? +- Отец, это Эллисон Гамильтон. +Прости, папа. +Выжимаешь сцепление и вперёд! +- Да? +Я устрою там мастерскую. +Заслуживает внимания, не так ли? +Небольшой самолет? +Так мы рыцари? +Помогать сбежать от ФБР считается преступлением. +И это всё? +Спасибо. +Не хочу! +А мы с тобой? +Но только на секунду. +Точно. +Послушайте, мисс Колсон, ваша фирма взялась за это дело. +Б.С. +- Итак, что скажешь, Барри? +Нет-нет, он просит двойную цену, но... +Почему ты мне не позвонил? +Я никуда и не собираюсь. +Подожди пока не вернётся отец. +Я не возражал. +Джоуи? +Большой мальчик. +все по вагонам! +Двигайся, нанеси несколько ударов. +Разве ты живешь в Британии? +И еще, мистер Скрэп, мне кажется, я готов к бою. +- Я да. +С пирочинным ножиком и пожарным запасным перочинным ножиком. +Без вас управимся. +-Он был мне вместо отца. +- Мерлин не хочет нашей смерти. +Я могу драться. +Это мерзкие существа. +Все эти долгие годы, что мы провели вместе, пройденные нами испытания, пролитая нами кровь. +Но у нас получилось. +В Америке. +Мне кажется, будто последние три недели я только и делал, что работал над ним. +То, что вчера было в баре. +Я что-нибудь приготовлю, а потом мы сможем мило поговорить. +Я спросил знаешь ли ты гуанчжоу. +Сестра! +- ...мы должны позвонить в ФВР." +- А Дэнни с тобой? +Кларк! +Я тоже. +А когда я доел рамен, каждый из нас пошел своей дорогой... +Я вчера не услышал твоё мнение. +Видишь? +Я звал, но никто не отвечал. +Спасибо. +У меня к тебе вопрос. +Ладнo, а мы лучше пoйдём на свежий вoздух. +Эти парни посмеялись надо мной! +Стерва-наследница. +Вы верите этим ребятам? +Я пыталась им объяснить, что с чего бы вдруг Томми Квинси заинтересовался такой как ты? +Она не останавливает это. +- Встаньте. +Босс! +Если она не придет... мы должны будем найти замену. +"Бодлеровские дети отправились в Перу вместе с замечательным новым опекуном. +Солнышко, где ключ? +ќн упадет и расплющит теб€. +" по этой причине € рад вам рассказать, что Ѕодлеры действительно были очень счастливы. +Возможно ты забыл о времени? +Ведь когда мы одержим окончательную победу, нам потребуется множество гауляйтеров! +Фридрих, это наш Вильгельм, по кличке Тесто. +Пьер, поднимай меня! +ћы ведь любили выпить вместе. +Ќо, в целом, неплохо. +"видев, как сильно изменилась Ѕай Ћин, € вдруг почувствовал грусть. +Золотые медали. +О. +Но на прошлой неделе мне показалось, что мы так хорошо продвинулись... +Ты вообще нечто! +Эй. +Лекс, пристегнитесь. +Что всё это такое? +- Урбан! +- Ли. +Эта мелодия много для меня значит. +Да. +- Влюбилась? +Не надо. +...потому что иначе я этого не вынесу. +- Хорошо. +- Отлично. +До свидания. +Простите нас. +Есть вещи, которые убивают желание. +Я думаю с того момента как он тут появился, паренек, который больше не будет играть наверное, рассказывал, что он убил Дикого Билла Хикока. +И что в банке из-под орешков? +У него был голодный взгляд, растрёпанные волосы, и он был одет небрежно, как звезда фильмов. +' Это перевёрнутое имя Михаила. +Молю бога, ...чтобы он уготовил мне там местечко поближе к ней. +Хотите автограф? +Среди высших жрецов периода Нара вошло в легенду имя священника Сикото-но, +Мама, никто не входил. +Незаконное получение прибыли. +- Энн. +Сожги его письма и танцуй вокруг, напевая: +- Как ты это делаешь? +Я знаю, я слышал. +- Всё к этому идёт. +- О, Том мог сделать это. +- Да, смотрела. +Ты меня только что развела, как ребенка. +Ну, это же логичный вопрос, почему нет? +- Перед обмороком я кое-что слышал. +Мы здесь в самом деле одни? +С тех самых пор, как мы встретились в Чикаго. +Они высосут из него душу. +Извинитe мeня, мнe нaдо пeреговорить c мaшиниcтом. +- Мне нужно попасть в Хогсмит. +- Посмотрите на него. +Нам есть о чем поговорить. +Посмотри на этот рисунок. +Не настаивай. +Есть место. +Это изменит и нашу жизнь. +Эй, ты сам мне сказал так тебя называть. +Чего ты ждешь? +Я знаю, что это не единственная причина, почему ты так поступаешь. +- Lusi Редактор +Вы в группе? +Ты и с двумя то никого не видел. +Было много анекдотических свидетельств, что психушки в полнолуние лучше запирать, но нет веских доказательств странного поведения при полной луне. +- Вы, конечно, встречали его до операции. +Смотри за ним. +Даже разговаривать нечего! +Хоть конечно, суши и традиционная японская еда, но если эти суши готовил английский премьер-министр, я очень сомневаюсь, что их какой-нибудь японец станет есть... +Как вам такое в голову пришло? +Поверьте моему опыту - будут смеяться. +Мы поговорим с ним, мы заблокируем его путь... +С кем подрались? +Да... +Я больше на вас не работаю. +Мы недовольны! +Вот новинка. +- Не совсем. +Когда текла кровь, я облизывал руки и ощущал горячую кровь мамонтов. +Нет, ее хозяина здесь нет, и значит... +Ч-что? +"Если ты меня поцелуешь еще раз, я проснусь!" +Кто там? +Где именно? +Парень... +Я знаю, но я хочу выглядеть очень сексуальной. +Прошу прощения. +На передний ряд. +О, ради Господа, говори, Мелинда. +Что Вы здесь делаете? +Я просто не понимаю, как могло так выйти, что с Джеки тебе веселее, чем со мной. +Шесть из десяти черных офицеров считают, что я сраный расист. +Если это тебя радует, продолжай. +Это было прекрасно. +- Заткнись ! +- Сделка есть сделка. +Он все еще любит Надю, но она замужем за его брата. +Чушь собачья! +- Тогда просмотрим другую жизнь. +Забираем Линдси и убираемся. +Когда мне было 18, я ушла в монастырь, где мне разрешили принять мои обеты. +У нее начинается жар, а сыпь распространяется. +Вы правы, видимо, мы уже не дождемся "Сюрприза". +Какое великолепное озеро... +Она очень сильная. +Ты заставил меня совершить злодеяние, чтобы не мараться самому. +Но почему это должно быть связано с Луторами? +Мама выигрывает деньги на хлеб. +Как его зовут? +- [ВОет] - "Я влюблен! +- [Испанский] "Oye Como Va." +Пита? +У меня тут твоя семья. +Хорошо. +Ты же уже сделала это. +И отпусти мою руку, ты же знаешь, +Не ожидал? +-Не уверен, Рыжая, но я знаю адрес его церкви. +Плохой. +Ну, съешьте Зазу +Симба. +Нет, нет. +Ты этого хочешь. +Она та ещё... +Да, ярлыки - неотъемлемая часть жизни. +И я уронила мерную чашку. +Мы должны использовать каждую минуту. +Бесплатно! +Да ну их, этих уродов! +Посадим ее в студию. +Хлоя. +Я подозреваю, тут... другая женщина? +Это я Гасу. +Стараемся, босс. +Чёрт подери. +Если я так поступлю, у тебя не будет выбора, Чарли. +Постепенные изменения не происходят. +Она попала под машину, когда была маленькой. +- Эй, послушай... +Кто он? +Я думаю, это памятное кольцо. +Я переживаю, что ты тоже можешь заболеть. +- Да. +Опустите глаза, негодницы! +Вы мои худшие враги. +Ты так стесняешься, что не можешь смотреть на меня? +Ларспоказываетотцуземли, которые он не так давно приобрел. +Я знаю, что вы делаете. +- Серьёзно? +Не волнуйтесь, я вызвал полицию. +Я люблю вас. +Извините, мистер Витмор, если вы это смотрите. +Она решила замаскировать президента Линкольна под чёрного и путешествовать с ним вдвоём по одной из её секретных дорог. +Да, конечно. +Следующее, что я помню... +Ревматическая лихорадка поражает сердце. +Объясните мне это. +Сидят? +Живо! +- Она кинула тебя. +- Потому что завтра я все выброшу. +Я покривлю душой, если скажу, что уверена в этом. +И по правде говоря, и я не боюсь это сказать, ты ужасный отец. +Готовы? +THAT'S SIX-- LET'S GET SYNCHRONIZED. +ВСЕ НОРМАЛЬНО, МНЕ НРАВИТСЯ МОЯ ФУТБОЛКА ТОЖЕ. +ВОТ ТАК. +х гюйнмвхкх, дпсцюъ ярнпнмю. +ONE FULL SUPINATION CONCENTRATION CURL? +вот так, это лучше. +Точно. +Извини. +Собака не подчиняется... если команды ставят вас под угрозу. +Центр для людей с ограниченными возможностями +— Ага. +Ладно. +Но я не хочу помешать тебе судить беспристрастно. +А есть и плохая? +- Это все? +О, да. +По-моему, я нашёл нужное дерево, но -- +Медленно. +Вот я и написал это письмо. +Дана? +- Нет. +Я сказал Линдси, что она растит хиппи, а тут нате - у самого то же самое. +А я парень в темном углу с пристрастием к крови и с 200-летним психологическим багажом. +И Спайку нужна машина. +Черт побери! +Следующий! +Я видел, как вы двое последовали за ним в переулок. +Это старт! +Я Скипер, а ты +Вы знаете, где здесь команда девушек из берлина? +Если кто-то знает, что могло взбрести ему в голову, скажите +Блин... +Так, а никому из вас не нужно по-маленькому? +Извините за недоверие, доктор Вейр. +- Отлично. +Сегодня я встречаюсь с отцом. +Добрый вечер, Чарли. +Удрать? +Отец... +- Комиссия по закрытию баз? +- Скотт. +Тебе эта игра в Джеймса Бонда нравилась даже больше, чем мне. +Пусть моя смерть обставят культурно, как положено. +Ну же, Робин. +-Жанна-Мария, простите. +-А он кто? +Маркус Уэлби Древней Греции. +достаточно, чтобы обмануть хирурга. +- Нужен мне твой автограф. +Мы хотели бы потолковать с тобой вот о чем. +Моя карточка. +Марти! +Я был в полиции, извинялся за оплошность, которая не оплошность. +"Весенний денек. +Давай, крабье дерьмо. +Теперь она отозвала все прототипы. +- Я думал, Джоб стал президентом. +Какие проблемы? +Я всё. +Что, они теперь лично заявились? +Ты получил свои машины? +Да, Гаджен, насчёт тех яиц: попросите повара проставить на них дату. +Зачем позвала? +Вот 64.20€ +Эй, братец! +Я понимаю, что между нами ничего не может быть. +Джош. +- Плясать. +и благодаря уважению к вам всей общины. +Вы знаете, где находится Эриксплан? +Скидку – это само собой. +.. +- А ты, курва, в банк за деньгами. +(РИПЛИ) Видишь парня с усиками? +Разве ты не был там вчера? +Ты не на кочках спал, ты спал на мне. +- Мы это сделали! +* Birds fly over the rainbow why then, oh why can't I? +я не порчу твой отпуск. +Ты же вроде только уехал. +Иди сюда. +Вот как? +Так что держись от меня подальше! +Пообедай с нами. +Джеки Буркхарт, добро пожаловать на рождественскую вечеринку Лоппсов. +Ха! +Н-Наруто-кун. +- Ну, застрелился бы. +Мне нужен доктор, срочно. +- Каком таком ките? +Кажется, что он просто забавляется, но за этим стоит глубокий духовный поиск. +По всем законам, рано или поздно ты должен будешь выиграть. +Называется "Правильная бомба". +ќдноразовые? +С другой стороны, кто ж мимо распродажи пройдёт, сынок? +Несчастный случай бывает по оплошности. +Они вместе отдыхают? +О, да и... +Ты рада? +Ты считаешь, что я пропадаю? +Доброе утро. +Нет! +Мини-Джек? +- Да. +Я пытаюсь вытащить нас отсюда. +Мы в 26 футах. +Послушай, мы все боимся, но у нас нет выбора. +- Он ждет снаружи. +За Манчестер Юнайтед. +Девять лунок вместо жюри присяжных. +Как низко. +- К "Готической заднице"? +- Эй, Сибан! +Щелчок наручников -- и все... и уже завтра ты останешься наедине с самим собой. +Вот еда, ребята. +Что кто-нибудь может что-то поменять. +Большое кино". +Я ничего здесь не найду. +Верно. +ты ненавидишь мужчин. +Разве? +О, это все объясняет, не так ли? +Мэтью Колдер решил позволить жене переехать с детьми. +Знаешь, Мария, я хочу, чтобы вся посуда хоть раз была в шкафу. +- Я слышал. +Не рассчитывай! +- Пока! +- Как ты? +Стреляй. +Поэтому вы прячетесь у себя в кабинете, отказываетесь видеть пациентов, потому что вам не нравится, как на вас смотрят люди. +- Мой дедушка. +Любовь - дитя, дитя свободы. +- Дети здесь не при чем. +на следующий день, возвращаясь назад, я со щемящим чувством вспомнил свое детство. +– Почему? +А потом мы... +Очень точно обрисовал наше положение! +Что? +А потом забывают о них? +Я же говорила! +32-й этаж. +- Как всегда. +- Нет. +Я понимаю, у тебя есть сообщение для меня. +Это не так работает между нами. +- Опусти оружие. +И, по-твоему, все так и можно спустить на тормозах? +- Он направляется к озеру. +Она, конечно, будет улыбаться, точно как Пэт Никсон. +- Какой фантазии? +Я тоже больше не могу. +Дальний Восток? +Ваши расчеты неверны +- Тысяча, сразу! +Я постараюсь. +Мы совсем не похожи на геев. +- Ты тоже её тогда поцеловал? +оккупированных рабочих мест, которые помогают друг другу выжить. +Я знаю, что есть те, кто очень недоволен мною потому что они полагают, что я им не дал всего, что мог. +- Что это вы мастерите? +'Cause they're gonna wash away +Что я знаю? +"Украсьте залы зелёными ветвями –" +Когда твоя попытка побега провалилась ты свел на нет все мои усилия, чтобы освободить тебя чтобы заботиться о тебе дома. +Все, что я сделал, так это подверг ее опасности. +Я могу объяснить? +А почему бы Вам не обновить весь сад? +Желаешь ли ты взять в жены Джоанну, быть ей верным мужем до конца дней своих? +Киппи, в гриммёрку. +Почему ты замер? +Это не потому что вы мне не нравитесь. +Но мне нравиться как ты врёшь. +Думаю, они сумели затеряться, ведь и в других городах живут люди с такой же смуглой кожей, как у тебя. +Не изображай из себя отца - у нас его никогда не было! +О, передовая наука. +Лоис! +Кое-что из Санкт-Петербурга. +Продолжай играть. +Часть 33 - самая активная и дисциплинированная пожарная станция в городе. +- Возможно. +- Я все пропустил? +Я тут живу. +Когда я в первый раз тебя увидел, когда ты упала мне на руки... +Я должна уехать? +Хорошо! +Ладно, ладно. +Воздух в толстой кишке. +А это значит, что антибиотики вызывают отказ почек. +Вообще-то, я скорее хочу поехать домой, к своему мужу. +Ну... +- Господи, это Николь! +Boт здecь Mэкaй бopeтcя co cвoим внутpeнним... +- Mы пoняли: "Этo бyдeт в фильмe". +Toлкaeт: +- Трое. +А теперь послушай повнимательнее, если бы я был Санта-Клаусом, а ты Педро, как, ты думаешь, старенький Санта себя бы чувствовал, если однажды Педро вошел бы в его офис и сказал: "Я потерял список"? +- Стукачи. +О, нет. +Куда ты? +Это — лучшее шестидесятых. +- Нет на Белград. +Но со слов миссис Ван Де Камп, они однояйцевые близнецы ? +У меня не бывает депрессии, если рядом наряженная ёлка. +- Это не отослали на экспертизу? +Сейчас дети на домашнем обучении получают лучшее образование. +- Да. +И кто теперь смеётся? +18? +Задержка в развитии. +Догоняй, чертяка! +Из всей семьи никто не выжил? +Думаю, ему нужен галстук. +Это мечта! +- 30000? +Принеси мне воды. +Открой! +Я со всем разберусь. +Чиын, прости меня! +Это разве напечатаны? +- Ой, здрасте, Миссис Гидеон. +* And I'm walking along the cliff * +- Ты говоришь как старый друг? +И чище. +Постойте... +Я скоро приду. +Вы сделаете это. +Без проблем. +У нас есть победитель! +Не обошлось. +Сволочь! +Мы решили навестить тебя. +- Ассоциация Блейка. +Вы ценное оружие, Мистер Келлер, по крайней мере теперь, когда я поймал вас. +Скажу тебе вот что, Джонс. +All rights belong to their owners. +я сразу его узнаю. +Что-то случилось? +Давай, поднимайся. +Мы готовы. +У шлюхи денег на всех не хватит. +Мы в людях нуждаемся куда больше, чем Тайвин! +— Я уже ей пообещал. +Потому что... — Раз решили — пусть будет так. +Он вырос в Америке от какой матери ему лучше отказаться +Хорошо, но... как долго они были здесь? +Держу тебя. +- Когда готовилась к свадьбе? +О Боже мой, поверить не могу, что ты мне это говоришь. +- Старик? +Я должен был передать тебе, чтобы ты прекратил эту связь. +МЫ БЛАГОСЛАВЛЕНЫ! +Погодите. +Нет. +Кажется, что сейчас в дверь зайдет Шерлок Холмс. +Мне жаль, что я разговаривал с вами подобным образом. +Что я делаю? +Сука. +Быстрее, быстрее! +Удалено. +Могу ли я взять несколько? +тебе поручили другую трудную задачу. +Я выигрывал гонку Таммани на 4 июля три года подряд. +Я возьму. +- О чем ты, пап? +Вроде нет. +До победного. +Но нет. +- Ни костей, ничего. +Серьезно? +Но тут вошла она- девица в розовом в обтяжку. +Право на ношение оружия. +Тебе пришлось бы обернуть его сыром. +Да, парень, меня это разбило. +А моя мама - меня. +Ричардс! +Да ладно тебе, Волт. +0ты никогда не поддерживала меня. +Обещаю. +Чувствую себя как [пип] суперзвезда. +Да, кошмар. +Даян? +Вот это интересно. +Ты должен был поджечь сено за павильоном со свиньями, подальше от людей! +В такие моменты понимаешь, как опасен такой бизнес для женщин. +Ладно, просто... просто притормози, притормози. +Аарон — член нашей семьи. +Почему он сказал: +- О, о Тринадцатой сказке? +Но это только начало. +Что? +Знаете санскритскую притчу о скорпионе и черепахе? +Еще одна жертва нападения животного в Бейкон Хиллс. +Ты обещал чудеса. +Ты просто должен поверить. +Но ты даже не знаешь, существует ли эта земля на самом деле. +Другим платят, чтобы они это делали, разве нет? +Голдберг, мне нужна твоя помощь. +Или может, он подменил его в последний момент и сжег чистый лист бумаги? +Не ешь это. +Так будет правильно. +Чем ты её протираешь? +Дорис сказала, что планировалось выступление четырех певиц. +Как это твой? +♪ God takes your soul +Я пошутил. +Её стошнит. +Самфакт,чтоонсумел... +- У себя в квартире. +- Едем на шоссе 100. +Ты можешь сделать по-своему или так, как говорю я. +Ты сейчас, в нескольких часов от того, когда Елена разрушит связь с тобой. +Просто возьми пушку и следуй за мной. +Ну, когда поступил звонок об этом доме, там не было упоминаний ни о Партридже, ни о Красном Джоне. +Я скажу тебе семь имён, и нужно, чтобы ты установила GPS маячки на каждый из этих номеров телефонов +Вероятно пришел к ней пару недель назад, или даже месяц. +Смотреть на того, кто убивал снова и снова. +Не знаю. +Мы знаем о вашей связи с АЛС и Эдуардо Варгасом. +Шерлок Холмс? +Вы Шерлок Холмс? +Ну, тогда... +Тогда она скажет нет. +Боже мой. +Успокоиться? +ќн пишет дл€ "—тарс". +Достаточно! +Ты время завтрака проспала. +Но когда прилетали все эти бриллианты и норки... +Это точно. +О, господи, с ним играли дети. +Я не знаю, что я буду без тебя делать. +Вернись! +Не жаль, что я тебя встретила. +Можешь стоять ровно? +Я проверил кровь. +И у него определенно был способ изуродовать лицо Энн. +Ну, во имя науки, вы позволите мне исследовать место, где она погибла? +Так, "нет высшего юридического". +А Тейт? +Я к твоей маме. +Что именно он сказал? +Что? +Ясно. +Не привык к похвалам? +Если мы быстро решим наше дело, к их появлению я уже уйду. +И в этом нет ничего плохого. +Я ненавижу эту курицу. +Куда же .. +Не упускать их! +Мы спустимся в Галили +Она... +- Это Льюин. +Давай-давай, брысь. +Встречу отменили до завтра. +Проще просить прощения... чем разрешения. +Да. +Я свяжусь, когда придет время +- Сага не понимает иронию. +Если вдруг он придёт. +Долгие взгляды? +Подожди. +- Вы? +- Хорошо. +оНИДЕЛРЕ Я МЮЛХ. мЮ ЯЕБЕПЕ МЕР МХВЕЦН, ЙПНЛЕ ЯЛЕПРХ. +Вы очень молоды, ты едва знаешь его. +И теперь я убью его, пока он не убил меня. +А если нет,то все равно попробуй и помни,что у тебя есть партнер. +Шерлок Холмс. +Это дало им точку опоры для сравнения его с психоделическим опытом. опыт под воздействием псилоцибина был по-настоящему мистическим. +Она сказала "рейв"? +У нас немало бродяг. +- Ладно. +Я над этим не властен. +Точный расчет по времени. +Спасибо, доктор. +Конец. +Ну, хорошо. +Его статус: идёт перевод +- А вы к кому? +Это кофе? +Вижу сенатора, а Сьюзика нет. +Думаю горный воздух ограничил ваш словарный запас. +Нет! +Ты, должно быть, шутишь. +Сара. +А моя мама сказала, что у тебя временный консерватизм! +Стиви, нет. +Где? +Были у меня дома? +Если я туда приеду, Майк, люди начнут спрашивать, почему я не в Европе. +- Нет, спасибо. +Ex1gy, rassvet, dreaMaker7 +У меня встреча с г-ном Тайяром де Вормс, министром. +Да, так и есть. +- Ты хочешь, чтобы я тебе сказал спасибо? +Два лучших. +Пол. +Я не могу. +Ага +Я могу о себе позаботиться и не нуждаюсь в... +Мы все облажались. +она не виновата. +Не забудь пообедать. +- Да? +Такой? +Ладно, так у нас два игрока и дилер участвуют в мошенничестве. +Ну и конечно я всегда принимаю витамины. +Заткнитесь! +Я ошибся. +Крису - номер 2, а Рону - номер 3. +Касл, он говорил с кем-то снаружи. +— Алекс. +# Посмотри на них скорей +Значит, вы не особо повеселились с нашим возможным сотрудником? +- Да. +- Вы были "У Лилли"? +Марианна! +Я должна выгулять Джо Фрайдей. +Lerika90, Lotus_Blossom, Haribo, v_jey mittwoch, heylittlekatie, Sirena_de_mar, sophia77 и ещё 15 человек +Именно. +Не будет испытывать судьбу, вдруг мы работаем вне его уровня доступа. +- Пума? +Конечно. +Разнести тебе башку было бы слишком просто. +В действительности, он был направлен на то, чтобы почтить греческого и римского бога солнца Гелиоса или Аполлона. +-Нет... +Это его и характеризует. +Я отвлекал болтливого риэлтора столько, сколько... +Хоть и нет волшебной пилюли от твоей боли, ты найдешь способ жить дальше. +Туристы с грязными руками в печатях. +Я говорила с ними вчера. +- Она скоро будет. +Черт подери, я должен! +Хорошо, я признаю, я не понимаю, что именно с тобой происходит, но я знаю, что ты все еще вампир, и я знаю, что солнце... +Отдайте мою посылку! +Вон туда. +Стайлз? +Абсолютно чиста! +- Лимонад? +- Пока. +- Сигнал есть до сих пор? +Ведь раньше он был просто ужасен. +Признаю, есть кое-что, с чем я не могу справиться сама. +В предыдущих сериях... +Мисс Сумасшествие, познакомься с Еленой. +Смотри, какая кровать. +Приходи туда завтра в 7 утра. +Он не говорил, как связаться с ним, когда выкуп будет собран? +сыграть комическое представление. +- Я никогда не занималась вокалом раньше. +403)\frz8.974}вампирские 438)\frz10.08}небеса +Вам уже пора быть дома. +Моя фирма собирается инвестировать в... +- Это значит просрочена. +Нобунага! +Мечтаю? +Где ты был? +Она понимала страдания тех, кто не может родить: +и в иске отказал". +Те двое! +- Кто-то трахнул твою девчонку? +С кем я должна поговорить, если хочу сообщить, что мою племянницу избивают? +Позвать папу. +Меня зовут "Лиз", не "Лиззи". +Мы встречаемся с вашим источником, узнаем имя следующей жертвы Наемника, и уходим. +Вы увидите связь. +Имя. +Проголодался да храбрец? +И никакие мои оправдания не заставят тебя простить меня за это. +- С которой ты встречаешься? +Из-за того, что произошло очень давно, но чего он никак не может забыть. +Этот парень преследует нашего Gluhenvolk +Не слишком много громких слов, правда? +- Она несчастлива в браке. +Для этого есть фонограмма. +Я не виноват в том, что Лардю не пишет. +Проезжайте. +Да, сейчас! +Да. +Нет, атлет. +Джо. +Я взял на себя смелость изготовить колесо обязанностей. +Она сможет резвиться в полях вместе с другими домработницами. +- Далеко еще до Темнолесья? +Им суждено быть вместе. +Я об этом в книге читал. +- Как дела, Милая? +- Но не моим. +У Пейдж есть пушка. +Ростом больше, чем он сам. +Вон, Джул! +Я не хочу говорить о Поле. +работает. +Чистильщик бассейнов в Белом Доме - единственный, кто может спасти президента от инопланетных водных питонов-террористов? +Ведь я знал, что поезд отвезет меня сюда, к тебе. +~ Порывы ветра нам нипочём. ~ +Для руки смерти это ровным счетом непростительно. +Чего мы хотим? +Вы украли её имущество. +Я не заметил. +Лиам? +Скорее! +Был до этого. +Скорее всего я задвигаю сейчас речи о политике, чтобы казаться умным. +Это ведь Ваши станции "Го Хо вперёд" и "Жажда правды"? +Ты сможешь преодолеть это. +Я понимаю. +что тебя это как-то касается. +где ты? +Но зачем он хочет встретиться с Се Гваном? +Несколько недель назад ему стало известно о существовании женщины по имени Ирен Адлер. +Ирен Адлер. +Встаньте, пожалуйста. +Нужно было что-то сделать. +я могла бы сказать то же самое +Клянусь. +Я просто смотрю. +Да ты издеваешься надо мной. +Так, Катрина, меня уже достало, когда меня используют юристы, которые хотят подняться по карьерной лестнице, так что предлагаю тебе убраться из моего кабинета и найти себе другого кита. +Мы должны что-то сделать +Как вы только тут дышите. +Могла бы уж и признаться. +То есть Джимми сдавал вам информацию о делах Бобби? +Это все, что я хочу сказать. +Откуда это? +- Даже не думай. +It will be your grandchild. +4х03 : +За деньги. +- Сумасшедшие. +Я не знакома близко с Вуди Алленом. +Обязательно. +Не знаю, как насчёт "Тома Брокау", конечно, но, да, вышло ничего так. +Движения там никакого. +Это было очень давно. +-Рей, поверь мне +Простите! +Отлично сработано, браво! +Попытаетесь изменить меня, будет второй, двадцатый, сотый. +Три недели, в которые я выплакала все слезы, винила во всем себя и заедала все замороженным йогуртом. +Она выглядит иначе +Но каждая минута на счету, включая ту, что я трачу на вас! +Это рассказ о них. +только что пришло сообщение от старшей кисэн Чхон. +Росс поцеловал меня. +Эм.. она.. c парамедиками +Чтобы вспомнить всё, Корра соединилась с Ваном, первейшим из Аватаров. +Ладно, так это наемные убийцы Джо +Но если бы они умели то призывали бы остановить работу федерального правительства. +- Нам что-то стоит знать? +-Вы можете идти. +Он сочиняет сказки, чтобы создать причину для сомнения. +Я не чужой. +Это "после". +что ты госзащитник. +поэтому пришел сюда за мной? +Я принимаю гормоны, а кислота в вине заставляет расти мою бороду. +Не более странно, чем я, встречающийся с мужиком. +- Что это было? +Подожди, подожди. +Я не терапевт, это не моё занятие. +Должен знать, у тебя их целая коробка. +Конечно. +А вот теперь, это уход от темы. +А это Феликс. +Я не понимаю. +Да? +Поймали какого-то парня, который разбрасывал мусор. +Я помню. +Остались только счета. +Ага... +Кто угодно мог дать. +Чем ты занимался, когда мир накрылся? +Мы идём на охоту. +Нет, нет, нет. +Лицемерие от человека, что угрожает мне. +Почему ты не перезваниваешь, +- Это возмутительно! +Вау... +Подождите секунду! +Сэм! +Не буду! +но Расселл угадал первую букву, и получает очко. +- Да. +Я всего лишь спас ему жизнь. +Мой брат снял куртку, под которой была белая футболка, на снегу. +Возьми кассету, послушай. +Ой, хватит уже. +и мне кажется, что я что-то пропускаю. +- Как прошла тренировка? +Многие посчитали бы это удачей. +Во-первых, это было довольно сложной задачей для убийцы - зайти через дверь незамеченным. +Да-да. +Рад, что вы приняли вызов. +Уровень заказчика, а не исполнителя. +Вы сможете увидеть реку. +Ты сможешь улизнуть, а большой брат ничего не поймёт. +Вы думаете, что я заслужила это место? +Они могут обернуться неприятностями, поэтому действуй осторожно. +О, малыш... +Я очень нерешительный, поэтому могу вернуться сюда ещё не раз, если ты не против. +- Сделай это. +Макс пропал в тот же день, что и передвижной пункт сдачи крови. +Да ладно. +Обрушение здания, Карпентер Стрит, 800. +Капитан. +Тебе нужно познакомиться с другими и понять, точно ли со мной ты хочешь быть. +Принимай, сколько влезет. +Тогда... +я пришёл просить твоей милости. +И так оказалось, что вдохновение все время было под моими окнами. +Как Беретта у Бонда. +Вы должны были снять предохранитель. +Bпepeд, Haвидaд! +Haш сeньop Paмиpec пьян в cтeльку. +Но поверьте... +К счастью, он сначала позвонил мне. +Понимаешь, он никак не мог поверить, что Фил вылечился от рака, поэтому он решил, что болезни вовсе и не было. +Я - не суеверный, но ради такого случая ... я надел красное здесь. +Хорошо. +- Мило. +Говори, и возможно, мы тебе поможем. +- Какого черта тебе от меня надо? +- Нам нужно это как-нибудь повторить. +Лады. +- Я просто хотела дать ей немного кокосового мороженного. +Мы могли бы показать его с помощью проектора. +Дeткa, нe нaдo. +Если Эшер и управляет им, то как волшебник Изумрудного города, дергает за ниточки за кулисами. +Я уж на секунду испугалась. +Воздух... +[ Активирована система самоуничтожения ] [ Пошел обратный отсчет ] +То есть, сын. +Давай! +Как неожиданно. +Франциско, твой брат попадал в какие-либо неприятности? +я заявлю на тебя в полицию! +и выражения выучил не хотите ли вы прорекламировать вашу новую игру? +Что? +Ладно, тогда я сваливаю. +- Начинает казаться, что это так. +Ладно, успокойся. +Где ты взяла это? +Поэтому, я бы настоятельно рекомендовал вам использовать все из ваших ухищрений, чтобы предотвратить дальнейшее вмешательство со стороны Аманды Кларк. +Сражайся ради них. +Вот оно. +Нет, не выбросил. +Ладно, хорошо. +Я занималась сексом со своим парнем, но мы не были вместе в то время, так что-- это было несколько странно и неловко. +Так, мисс...? +Ухура, вы сообщили Звёздному флоту, что Харрисон у нас? +Эта криокапсула очень древняя. +Теперь и вы выполните мои. +- Открыть шлюз! +Дейл. +Люди любят бесплатные ручки. +Даже если Ваату сбежит, я верну его обратно в свою тюрьму, точно также, как сделал Ван. +Иди... +- Доброе утро, Сторми. +Мама, пора выходить. +Отличный ракурс 10 секунд +Чо за херню ты несешь, дебил? +Привет. +Чаво. +Шерлок Холмс. +Дядя, это Джесс. +Сколько времени прошло с тех пор, как мы делали это? +Это очень плохо, потому что это могло бы прояснить дело. +Да. +Нет, ты врезал мне гаечным ключом. +Почему я получила повестку из прокуратуры? +пройти болото, нам потребуется примерно 12 часов. +Господи, что это? +Но мне нужно 11-15 минут на растяжку, хорошо? +Мне всегда плохо во время первой части. +Я? +Надо думать, это оставит неизгладимый след в твоей жизни. +Винки. +А если все проходит хорошо, если актеры хорошо друг к другу относятся... +Чем от меня пахнет? +Допустим, я тебе верю. +Парочкой мёртвых президентов и одним парнем по имени "Ганди". +То есть, выпускники пригласили меня шутки ради, но это был большой успех. +Я видел, как он составлял его портрет из Мохнатого Вилли. +Нет, дедуля. +Что же теперь нам делать на работе, вместо работы? +Так рад увидеть вас, Баррингтон. +Не для меня, спасибо. +Ты хочешь сказать ему "до свидания"? +Тебе еще надо домой успеть до сирены. +Если вы не передадите его нам, мы разбудим в себе зверя, который разорвет и его... +Ее надежность - 99 процентов. +Очень надеюсь, что нет, мистер Сэндин. +О, вы обе еще дышите. +- Нет. +- Да. +Мы все достаточно взрослые. +- Василе. +Серьезная драка была. +И который будет стабильно делать для вас деньги. +Сейчас его нет, он покончил с собой 3 года спустя. +Он начинал говорить своим странным британским акцентом. +Да, работа для самоубийцы. +Джордан! +Это охуенно великая компания или как? +Ты сумасшедший. +Это был долгий разговор, я просто хочу узнать, помните ли вы что-то из него. +Вы меня впечатлили. +Это факт, я видел это на PBS. +Может быть я встречал его, может нет. +Я не могу понять. +Сэр? +.. +Кто знает, вдруг это ваша последняя гонка. +Когда сезон начался, многие задавались вопросом: +- Да, а крысы есть крысы. +Потому что ты так действуешь на меня. +Ты и так сильная и классная. +Неисповедимы пути Господни. +- Приятного аппетита. +Не недооценивай меня. +Я за рулём. +- Да. +Он кольцо носит. +Кевин Форд составил список жертв, Сэм, и ты есть в этом списке. +- Мы найдём его. +Иди в обход! +No, Bennet. +Президент чпокает кого-то +И теперь... +Всё же просто. +Кэм, ты ведешь себя по-детски, и я не думаю, что этим ты подаёшь хороший пример... +Может быть, это работа, может, дело Ферланда... +И пока ты будешь этим занята, ты можешь встретить хорошего человека. +Ничего. +Крис? +Счастлива +Она всегда была одной из повстанцев, вы должны ей гордиться. +- Сколько до больницы? +Значит , султан все знает? +Как вы можете видеть все картины это ландшафты- ни фигур, ни чего-либо подобного. +Да. +Это монстр. +Тебе придётся вычислить всю структуру до субатомного уровня. +Но вина и тяжесть греха могут быть искуплены добрыми деяниями? +Не могу вспомнить. +Перезвон. +Ушиб или отёк? +Нельзя, чтобы кто-то такой неузнаваемый испортил твою документалку. +Если не найдут местного пусть привезут кого-нибудь вертолётом из Квантико. +Как считаешь , пап? +Ваши постельные шуры-муры закончатся как только она узнает, что ты причина исчезновения мужа. +В каком смысле приступ? +Кто это? +Как говорится - вода везде мокрая, да? +Чёрт! +Могу? +В этом и сделка. +Пожалуйста, я тебя умоляю. +Обещаю. +Плата за похищение короля в Азии. +И стоматологическая? +Нет. +Я нянчил тебя. +Они просто шутят. +Моя давняя подруга декорировала свой дом +Прекратите покупки! +Ага. +Это ужасная идея. +Надо бежать. +Это была не я! +у тебя есть я. +Есть идеи, как это могло произойти? +Вот дерьмо. +Вы должны получить доказательства в ближайшие несколько часов. +В той же бедности, из которой забрал меня Мигель. +Я соврал ему, чтобы он от меня отстал. +-Я не могу его не задать. +Наверное, ты заразил меня манией преследования. +Но скоро... +[ Сообщить на базу и вызвать службу поддержки? +Они хотят свой фургон назад. +Это смутит священников! +Миссис Кинси убрали? +Непременно. +Я бы ему сломала не только нос. +Это она. +"Лодки случаются" +Не будете говорить, что сейчас вы не разлей вода? +На самом деле у нас нет выбора.Она нужна нам,она может помочь. +со смуглыми роковыми женщинами. +Увидишь. +Столько способов разменять человека на куски. +Эмма, мы должны бежать. +Я думал...если я просто... если бы я лучше себя вел... +ФБР узнало местоположение фермы, где держат вашего сына. +Джуниор, нет! +Все ваши тайны будут раскрыты +То есть, изменения произошли где-то внутри, но не здесь снаружи, где... +- Он испугался. +Привет, дружище. +Так что, когда все вдруг разъехались, я остался один, а этот сумасшедший юный битник пел мне песни, но все, чего я хотел, это спать. +Одной из четырех участвовавших арестанток позвонил в 23.20 вчера вечером испаноязычный мужчина и сказал, чтобы она "позаботилась" о Ноне Палмейра. +Может они с братом заправлялись по пути в церковь. +Впусти правительство в свое сердце. +Эрик всегда в порядке +Тише, моя птичка. +Порази злобного узурпатора, отнявшего корону у истинного короля. +Почему ты не рассказал? +В случаях, подобных этому, мы получаем много пустяковых показаний. +Господи! +Что-то серьезное? +Хочу быть независимой женщиной. +Странно. +Здорово, так что.. +Мы с мужем рассказываем друг другу обо всём. +- Я никому об этом не говорил. +Вот только был один случай... +Знаю, Саймон. +Нет, ты должна ударить меня. +-ты свободна? +- Спасибо. +Могу я позаимствовать тебя на минутку? +Может вы прекрасно провели там время. +Спаситель киберлюдей! +Спасибо. +Стайлс разговаривал с тобой вчера в школе? +- Давайте, живо! +Вадим, отдай мне управление пушкой... +Стой! +200)\fnOPENCLASSIC\blur1\fs100\cH1F2288}N +\blur3)}m 40 0 b 30 14 14 30 0 40 b 15 51 29 65 40 80 b 54 70 69 55 80 40 b 71 26 56 11 40 0 200)\bord3\3cH282E37\blur1\cH282E37}otobashiru shoudou ni +А мне плевать! +Контейнер! +Мигель, принеси воск. +— Что? +В жилах моих течет священная кровь. +- Флаеры забыл. +Гм? +- Оу. +Эй! +Вы в порядке, леди? +Номера водительских прав не существует в базе данных Вирджинии. +Нет, не последний. +- Посмотрите, нет ли в Нью-Йорке компании или торговца алмазами по имени Райсиджер. +- Макс, нет! +Я... +- Марти +Ты хотела, чтобы мы это раскопали. +- Марти, Марти, Март... +Я определенно беру это с собой. +Не это ищешь? +Лютер 3 Сезон / 1 Серия +Мы можем войти? +Закрой глаза. +Ладно. +Ну почему вы тянете время? +Ищем сопартийцев! +Готтлиб у меня. +Что, великий Шерлок Холмс не смог взломать шифр? +Вам нужно позвонить начальнику Ньюгейта. +Это Шерлок Холмс. +Здесь сказано, что твой отец бросил тебя и твою маму когда ты был ребенком. +Черт, я любил 80-е. +♪ till you've faced each dawn with sleepless eyes ♪ +Да это меня надо пожалеть, если я буду с тобой жить. +Условия? Ты думаешь, это так легко. +Вы оба хотели устранить меня в течение многих лет, чтобы вы могли управлять советом +Она просто хочет его увидеть. +- И это звучит дико. +Возможно это потому, что он помог мне и моей маме убрать комнату моего брата. +Мы могли быть конкурентами. +Дело в том, что я фото агент Дэймона. +Пока жива, я буду любить тебя. +Просто я так разговариваю. +– Уходи. +Мы не обсуждаем расследование с посторонними. +Почему ты пошла к ней? +Мы нашли бутылку в вашей мусорке. +Она знает? +Это не мой муж, он мой риелтор. +Не начинай. +Хорошо. +Это девочка. +Так ты думаешь, что это моя вина? +Только представь, как себя чувствует его жена, каждый раз, когда он садится в самолет +- что был готов напасть на неё. +- Замечательно. +Так ты соврала, когда говорила, как все здорово? +Okay. +- Я вызову скорую. +- Роджер. +Нет, нет. +Я слишком стар для этого говна! +Меня зовут Шерлок Холмс. +Шерлок Холмс? +Не хочешь заняться со мной сексом? +"я люблю тебя" для таких людей. +Ты бы хотел спать на матраце, на котором лежал труп? +Видишь ли, я - нет. +Ирина сказала Руби заткнуться, а потом толкнула ее. +Довольно истерик, Артур. +- Это Нью-Йорк? +-Прокат коньков. +Она жива. +Меня больше волнует то, что мы давно не получали вестей от Машины. +Похоже, на следы от ожёгов... +Может, что-то из шотландской кухни? +Хорошо. +Ну ты и натворила дел. +В мире, где я живу, все еще 1913-й и гомосексуалистов не берут сниматься в фильмах, особенно в таких фильмах, что делаю я. +Только послушай себя. +"я стал еще большим экспертом в вождении ховеркрафтов" +Держись правее. +Её зовут Мэри. +У Джо Грина есть к нему доступ. +Нет никакого времени, Мистер Шу. +Что я тут делаю, Эндер? +А в доме не стоит гадить! +А теперь? +Принеси мне кофе. +Вообще-то я уволилась еще два года назад. +Война вытаскивает из нас наружу все самое плохое. +И зачем нам какая-то дурацкая бумажка, чтобы рассказать о том, что мы и так знаем? +Я не знаю её настолько долго. +Я видел на ней плетёный ремешок ожерелье. +Да, физически. +Не знаю. +- Эй, эй, эй... +Я горжусь тобой, сынок. +Но я слишком пьяна, что бы прикрывать босса. +Я вижу тебя. +Я... +- Да, на стоянке. +И к Дэнни не имеет никакого отношения. +Нужно, чтобы сработало. +Прошу, юноша. +Открой. +Если предположить, что ответила бы на звонок. +Ну пап. +когда не пользуетесь ими. +Да, но я выросла на тех историях. +Я не хочу, чтобы он рос, как я росла. +В доме есть кто? +Ты этим занимаешься, Фрэнк? +Я зверею. +Который был в составе редакции когда Керн был там. +- Это намек на то, что я в плохой форме? +- Какого рода рабочие вопросы? +♪ Riding through this world ♪ +Вы все ведь брейкеры! +Это для вашего же блага. +Хорошо +Я понимаю. +Так что... +Эта смена будет долгой. +Меня зовут Энзо. +Мы решили, если мы собираемся уйти нам необходимо работать вместе. +Мира, так надо. +Ты уверен насчет этого? +Дьюи и Марко снова в школе "Бейвью", но уже учителя. +Нет, не решил. +Что? Тед нарушил Кодек Братана. было бы это странным? +Идем +Мама не переживет очередного стресса +Она закрыла жалюзи. +Ну, в смысле, хочу, но... +Забавно, что нам всё ещё приходится подниматься по всем этим лестничным пролётам пешком. +Да? +Грегори Линенс объединился с Thomas n'things. +Игра окончена, Кейли. +Ты все еще хочешь этого? +Мы просто знаем что все случаи связывает газета. +А, да, точно. +Ты об этом в курсе? +(Заикаясь) Да. +Хоть я и сказала Джефу Фордэму поцеловать мой зад. +Вообще то, нет. +Собаки на скейтборде? +Скоро будет подана моя апелляция. +Не знаете, что ваш муж мог делать вчера вечером в доме Роз? +Не хочешь ли посмотреть кино? +Мне надо забрать Коннора из дет. сада. +Старейшине нужен твой диагноз в течение часа. +- Нет, правда. +Знаешь что, я его просто верну назад. +Я взламываю технику. +Некоторые исследования показывают, что в умеренных количествах, он полезен для здоровья. +Поверь мне, дорогуша, для меня это стало такой же неожиданностью, как и для тебя. +Займись этим дома. +- Отдай телефон! +Ќу? "то все стоите? +- Похоже на работу изнутри. +Но они используют систему распознавания лиц. +Поддержка с воздуха вызвана. +Я бы хотел пощадить семью... +Это так по-твоему, Гарольд. +- Нет, не мои. +- Это почему? +Потому что он думает, что она может повторить попытку. +То есть подкрашивают губки машинке. +Я уверена, что его убил Кононов. +Твой мизинец слаб. +- Давай. +Триша! +Знаешь сколько оленей в прошлом году врезалось в машины? +Ты где? +И не моя. +Джонни Кэш умер. +И? +Покупатель хочет, чтобы я выступил на Жапплу на чемпионате мира в Берлине. +Его конь Жапплу уже доказал всем на Олимпийских играх, что он выдающийся конкурный конь. +Пока для Саманты не существовало ничего интимного +Тихий щелчок. +Что случилось? +Я знаю, я знаю. +Я знаю, что сострадание не очень-то свойственно вампирами, но разве мы не хотим спасти наш вид? +Это действительно весьма удивительно. +- Не могу поверить! +Не волнуйся мы им займемся +Островная башня. +Вроде погони за цаплями. +Это не шутка. +Чача в безопасности? +Что под этой железной доской? +Я вхожу... +Только ты, я и мальчонка. +Мы выжили, делая разное на что мы даже не рассчитывали. +- Как ты? +Много всего хочу сказать. +Может, мне бутылку вина принести или типа того? +Все эти люди фигуранты. +Господин президент, отряд "Дельта" в небе над Вашингтоном. +Я улучшаю позиции. +- Знаешь, что? +Я знаю эти холмы как свои пять пальцев. +Вы должны быть в ток - шоу. +Арман признался, что хочет стать художником. +- Да. +Это беспроигрышный вариант. +Это Джоан Калламезо. +- Ага. +Здесь все тихо. +Не будь глупцом +Что вы здесь делаете? +Ни один белый не станет так часто ездить в Хуарес, только если ему не нужно что-то. +Кто там? +Пойдемте! +-Куда ты меня ведешь? +Хорошо. +Потому, что Эйприл нервничает. +Привет, Тара. +- Протестую! +Just like +Хм +- Но со мной все будет нормально. +В чем дело? +В моей смье, в моей жизни, во всем. +Ты сказала, они погибнут в одной машине, через неделю. +Она предала моего деда... и ты тоже. +Я не хочу становиться между тобой и Джеком. +— Пока-пока. +За исключением вирусов, которые научное сообщество не признает за живые организмы, бактерии - самые маленькие свободноживущие формы жизни. +Так как Эдгехил устраивает вечеринку в честь "Wrong Song". +Ким Тан умный. +- Что ж, у меня другие планы. +Потому что я спросил нет ли у нас еще брокколи. +Они собираются вызвать полицию. +Благодарю. +Однако после подавления восстания я останусь там, где нахожусь сейчас. +Отцу не понравится мой доклад о нарушении субординации. +Я и не начинал. +Оставьте это для суда. +- Нет. +Я мог прийти два или три раза в неделю. +Здравствуйте, все! +Привет. +Проще говоря, нам нужно больше клиентов. +Что ты хочешь сказать ей? +Нам послали целую команду спецназа, чтобы охранять заключённую. +Я знал, что в моих зданиях использовались некачественные материалы.. +Думаю, сейчас колледжи больше чем обычно обеспокоены эмоциональной стабильностью, и выбирая, что рассказать, а что утаить... +Но поскольку здесь все готово, я пойду своим собственным путем. +До того? +Томми. +Я не могу пойти с тобой. +Как ты можешь считать это хорошей идеей? +Ах! +Почему бы тебе просто не опустить пистолет? +"и станет она для всех женою твоей" +Кардинал Констназо был награжден шестью шелковыми камзолами. +. +Как только сведу воедино список записей о сделках, я позвоню вам. +В секретариате сказали, что он появился в 16.30 и отказывался уйти без дела своего сына. +Не сказала чего? +В двух улицах от клуба Улий в 1:35 утра. +Ей необходима ее привычная жизнь. +Имею ввиду, я никогда не послала бы неприличный емайл в любом стиле. +- Во время встречи большой восьмёрки. +- Собираетесь на саммит ЕС? +Я слышал. +Надеюсь, это было интереснее, чем твоя выходка на той неделе с обливанием кетчупом. +Аррр, это могу быть я. +Сложно было представить, что Доррит влюблена и счастлива, а я — нет. +Ну, вот когда куртку дал тебе. +Нет, хватит мяться! +Так было, когда я в последний раз читала Конституцию. +- Лучше нас. +- Это она! +Большинству людей абсолютно не важно кто станет мэром, кто президентом. +Вот почему он делает, то что он делает. +А зачем мне нужна метла? +В форме портье. +— Конец нашему счастью? +Внезапно на меня накатило отчаяние. +Это так, но для убийства необходимы 3 вещи, не так ли? +"Katydid, katydidn't". +Мы могли бы... +- Знание - сила, верно? +Я знаю, но я хотела. +Ваш друг адвокат контактировал с их боссом на предмет продажи им телефона, содержащего компромат на не названного высокопоставленного американского чиновника. +Так что, для нее, вы незнакомец, который почему-то выглядит как ее муж. +Нам кажется, что в этой школе есть нечто, что представляет большое значение для нашего народа. +Повеселился б. +Пегас бы отозвал предложение. +"Пожалуйста, оставьте сообщение после сигнала" +Да ладно, что еще плохого может случится? +Того ребенка, который верит в Санта Клауса пока какой-то засранец не расскажет ему, что тот не существует. +Что вы имели в виду, когда сказали, что вы мой последователь? +И пока он был на трассе, прибыл один из гостей Хаммонда. +О, блестяще! +Продолжай, Моника. +[ кряхтят ] [ резко дышат ] +Сослужат. +Годы и вкус сражений заточат зубы твоего щенка. +Мне кажется, что все 70-е и 80-е ты, очевидно, передвигался на лимузине. +Черт возьми, я даже присоединюсь к тебе. +Потмоу что я могу уйти в другую комнату. +Почему ты так уверен? +Нацепишь прослушивающее устройство и войдёшь. +Тогда я куплю магазин, и будем считать, что вопрос закрыт. +Ха. ха +В любом случае, эта новость не обрадует Лоренцо. +Посмотри на нее и на Лоренцо. +Ладно. +- Пожалуйста. +– Нет. +– Да? +И есть еще кое-что. +Ничего. +Cinco de Mayo предназначался для расточения праздничных атрибутов, и все присутствующие пользовались этим. +Я скажу это ему. +Алан Гринспен, председатель совета управляющих ФРС уходит с поста, чтобы стать консультантом... +Что если лампочка означает не свет, а энергию? +Мне ужасно жаль, что беспокою вас, но ... +У нас была одна ночь +Взял. +Я мог бы быть краток Ты, безусловно, более, так что ты можешь сохранить свои покровительственные комплименты. +Не могли бы вы помочь нам поймать Потрошителя? +И как давно вы ходите к психиатру? +{\cH0E39F0\3cH0C1A5B}Это выматывает меня. +Мой дом здесь! +Но что же это? +Да, верно. +- Вы имеете право хранить молчание! +Ты дашь мне смертельную дозу, мы будем держаться за руки, и я растворюсь в темноте. +Не будешь выкапывать могилу и оставлять ее отрытой, просто на случай, вдруг убьешь кого-нибудь позднее. +Отпечатки пальцев сохраняются очень долго, Джо, если никто их не сотрёт. +Выходи! +С возвращением. +- Ты считаешь, что он страшный? +Повторяю: заражения нет. +Меня зовут Ричард. +Я натолкнул тебя на эту ужасную мысль. +Самое точное слово в вашем языке было бы "поэзия", я думаю. +Привет, мистер "Си" +Кевина. +"Стол не дезинфицирует." +Ну давайте,давайте. +Привет, пап. +Мисс Бидуэлл. +Я солгала. +Она впишет это в мое расписание. +И с кем? +Ты не справлялась? +- Включу микрофон за 30 секунд до эфира. +Сегодня я хочу поговорить с вами о восстановлении экономики. +Ты что-нибудь нашла? +Почему вы никому не сказали? +А значит, они тут ни при чём. +Эта штука убила Дюка. +Знаете, что? +Мы искали среди документов и Уилл как будто вытащил его имя из шляпы, основываясь только на неполном адресе. +Федералы пытаются это узнать. +Раздавленные ракушки, точно как на предыдущем месте. +Как я выгляжу? +Для меня, глупенький. +Привет! +Бухгалтер нуждается в них к концу недели. +305)}а 370)}д +- Мистер Шерлок Холмс - мой друг, сэр, это я его пригласил. +- Благодарю. +Вам что, все равно? +Шерлок Холмс: +Шерлок Холмс: +Я вижу, Шерлок Холмс, сделавшись, благодаря вам, литературным героем, стал особенно изобретателен в своих методах расследования. +Ваш друг Шерлок Холмс". +Так произошло только потому, что контрактники и солдаты-срочники живут в одной казарме. +Отвезу тебя к знакомой. +Я - человек слова. +Да и я единственный из нас, кто знает эти горы. +- Закончи его покрывать краской и спускайся вниз. +Алло? +Вы потеряли так много-- своего мужа и вашего сына. +Нет, нет, нет. +Хитрюга. +- Да уж. +Нет, я... я не знаю, это... +Кому какая разница? +Отжимания каждый день. +- Извините. +Вот еще, я против! +Маза Лапапелл бабалел лаба лелл сабба селл! +Слишком обширные для охвата территории. +Они могут быть где угодно +Молли с сестрой пошла гулять, поэтому я решил присоединиться к вам. +И с... эм... его другими друзьями. +Макс, ты снова воровал? +Вы получили смертельную дозу радиации. +Боже мой, что с тобой случилось? +У тебя кровь. +Зафиксировано учащённое сердцебиение. +Знаешь его? +- Иди в комнату немедленно! +когда я вижу их вместе! +Смешно? +- Привет. +Точно не знаю, оставайся здесь. +Шерлок Холмс. +И возвращаясь в 1991 год, вас обвинили в убийстве собственного отца нитроглицерином. +Меня зовут Шерлок Холмс. +Да, Лотти всё время о них говорила. +Акции Avinex подскочили на целых 12% сегодня в новостях. +Мисс Луизиана +Он изменил свой адрес недавно. +О да, да, да! +Я видел его в действии. +- Неважно? +-Смотри повсюду. +Это нормально! +Ты в порядке? +Приятно слышать. +Спасибо. +- А я и не знал про это место. +Ну что вы! +Наверное, это проклятье - быть хорошим слушателем. +Подожди. +Это потому что секс заглушает боль? +Простите. +Я...я не знаю. +Здесь сказано, у тебя сломаны ребра, выбиты зубы, и ты получил неплохой удар в затылок. +Ну, давай, давай, мужики! +- Бобби сказал.. +Если эта книга закончится чем-то кроме твоей смерти, советую тебе ее переписать. +Думаю, мы наблюдаем тут несколько тектонических плит. +- Впадаю в мрачность я... +Крампус - это как злой двойник Санты. +Как я здесь оказался? +- В порядке, а что? +И я поспрашивала о вашем убитом "Портовике", парне, которого оставили у больницы. +Это - детектив констебль Ридио. +Это нога! +Это сделал другой парень. +Мы не разореены еще. +Каждая толика яркости прописана с абсолютной фотографической точностью. +Твой костюм немножко... +Ага, лады. +Это же плохо. +Вообще-то я потерял где-то шнур сегодня утром. +Мистер Тревис сказал, что для него есть надежда. +- Да. +- Просто примерь их. +- Правильно. +Хокинс сказал Чо, что не хочет чернить имя офицера. +Хорошо. +Проклятье! +Она была с повитухой. +-Сегодня, после обеда? +О, как здорово. +Я не против, но им с ее светлостью придется идти друг другу навстречу. +Всё должно быть по-настоящему, иначе он заподозрит неладное. +Не могли бы вы сообщить всем о выходном для поднятия настроения? +Но он настаивал. +- Окей. +Что такое, Ральфи? +Ну, я верен твоим гренкам, Роуз. +Что это? +Они здесь явные новаторы на повестке дня. +Ах~ Я устал быть служащим... +Ее мать никогда не простит меня, если я позволю ей умереть там одной. +Не знаю. +Машина. +Сами подумайте. +Говорят, они были от одной девушки, которую ей пришлось наказать. +Ах, они сволочи. +Это кепка. +Что плохого в том, чтобы отдохнуть от своей жизни? +О чём ещё хотел бы поговорить? +Это подходящее время. +Пару лет назад у меня была ассистентка. +Алло. +Мы должны набраться смелости и принять его. +Чего тебе надо? +Во всей этой ситуации. +Старый добрый Шерлок Холмс. +Джимми. +Муж скитается. +- Забрать то, кем я являюсь... нет, спасибо. +! +Джудо! +[По манге Гатс логит кольца Силата во время битвы в лагере. +- Эшли. +Нам нужно больше пушек, да Винчи. +Тогда я должен наглядеться на тебя на прощанье. +Не в этом дело. +Предвзято относишься к медиумам? +Где ты был две ночи назад когда убили медиума? +Привет? +Что я здесь делаю? +- Ни за что. +Пальцы, вытягивающиеся подобно сталагмитам. +Well, you don't look like a lost cause. +У тебя же всегда с этим было все в порядке. +Надеваешь его и моментально становишься на 20 лет моложе. +А сейчас... +Дополнительное оружие? +Живо, живо, живо. +Я звонил девушкам. +Вопрос: как твои глаза? +Это лучший сэндвич на свете +Тогда ты можешь съесть свои деньги. +Тео, спрячься и катись! +У тебя очки, у меня очки. +Пулей промчаться он готов +А я Ожог. +- Пожалуйста, по одному. +Вызовите полицию, потому что вам всем крышка. +- Янн - 5-й +Да, не хватает длинного куска на пояснице. +- Нет, ответ где-то здесь. +Решил заглянуть из глубин, чтобы глотнуть свежего воздуха, +-Кто-то разбил окно Уильма, пока он был у дантиста этим утром. +Как эти парни действуют? +Да, босс, простите. +Сотрудник! +Да ладно тебе, я же извинилась. +Он был хороший. +-Как фамилия? +Я просто смирюсь с этим и продолжу выполнять свою работу. +Да. +Это все, что я нашла. +Она римлянка. +- Она не умерла. +Кроули может держать его где угодно. +Но не твоей жены. +- Он... встречался со мной. +! +Я ценю это. +- Нет. +Мне бы тоже хотелось. +Он взял его? +Лишь внешне. +Тут полно еды! +Ого... +Эрена будут судить? +Они здесь. +Полицейские были в вестибюле. +акова цель вашей поездки? +Кибаки не осмелился бы. +Так это правда? +ј что ты хотел? +Элизабет? +- Этот черномазый ушёл? +Нет, нет, думаю, ты меня не слушаешь. +Мы же не оставили следов. +После всего, что с тобой сделала Аманда, я бы чувствовала тоже, поэтому я понимаю что ты делаешь. +Я когда-то не выпутывался? +Мы просмотрели его журнал звонков, из дома и с мобильного... +Я обещаю им, что Одиссей жив. +этот парень должен был знать, что приезжает президент еще до того, как это объявила Служба безопасности. +Для нас важно быть частью семьи, и отпраздновать эту связь. +Причин для твоей жизни? +- Плевака! +Да! +Лейтенант, во Дворце внештатная ситуация. +Нет, я... +Ого. +Эти треники просто ужасны. +Когда ты закрыл глаза, и вы молились, о чем ты думал? +Уотсон: "Мистер Шерлок Холмс в своих расследованиях строго придерживался принципа конфиденциальности. +Джон Уотсон, врач. +- И все? +Ребята, подождите. +- А вы чему научились, милорд? +Когда она ходила в группу, в ней было просто отлично. +— Зашибись! +Я зайду туда, найду его и... — Ну ё-моё. +Что бы это ни было, мы тебя поддержим. +Нет. +У одного был жар 4 дня, и он умер. +Ей очень трудно, путь очень длинный. +Решил проверить сына. +Держи, Джои! +Мне нравится отводить тебя в школу. +Ты сам во всём виноват. +- Дееспособность +Это слушание не оставило у меня и тени сомнения, что Шерлок Холмс обладает исключительным умом и работа, которую он проделал вместе с Джоан Уотсон, ценна для полиции Нью-Йорка. +Этот лагерь стратегически важен! +Почему ты спрашиваешь? +€ ещЄ управл€ю банком Ђ"ринакри€ї в ѕалермо, и в этом году € решил профинансировать школьный конкурс +К счастью, некоторые вещи никогда не изменятся. +Мам, это и есть твоя поддержка? +Хорошо, спасибо. +Мне очень жаль. +Но намекает на противоположность лень, неряшливость. +- Она никому не нравится +Нет. +Несколько недель назад вы узнали о существовании женщины по имени Ирен Адлер. +Ирен Адлер. +Я навестила свою мать в доме престарелых всего два раза. +12. +Шерлок Холмс. +Детектив Шерлок Холмс. +Если великий Шерлок Холмс смог сделать это, тогда... у меня есть надежда. +Так что если вы не возьметесь за это дело бесплатно, было приятно с вами познакомиться. +Но для нас, это все равно неожиданность. +Хорошо, вы взяли ноутбук Мастерсона? +Дев всё ещё работает над ноутбуком Винса. +Слушайте ребята, простите, но я должен вернуться к работе. +Джейми Кёрк, вы арестованы за хранение и распространение кокаина. +Требуется калибровка. +Но я предлагаю использовать наши отношения для нашей выгоды. +Мистер Ирнхарт, рад, что у вас получилось прийти. +Я видел контейнер для виски. +Но только сегодня! +Асимо-сан? +Точно. +ДАВАЙ, ИДИ! +Было бы классно. +- Самолёт в Тетерборо для Шейха. +Нужно обмануть их всех! +Всё кончено! +В каждой мелочи. +Париж - я могу позвонить в Париж? +Не хочешь пробудить его? +- Да. +Они даже усыновили несколько других детей, черного ребенка... с клуба для мальчиков и девочек, из бостонской семьи. +Опять жульничаешь. +Он убъёт тебя. +Надеюсь, тебе понравится. +Я найду эту картину. +В ее организме остались следы от самолета? +Ана его пригласила. +Неважно, всё равно чудесно. +Как, по-твоему, что им от неё надо? +Они были внимательными, не то, что прежде. +- Это было до моего появления здесь, поэтому у меня нет новостей об Энтони. +Я помню тот день так ясно. +Почему Господь уничтожает сотни тысяч людей-мне не понять. +- И это очко в твою пользу. +Есть химчистка и прачечная. +Хорошо, да. +Он не оставлял меня в покое. +Длани. +Тоже около сорока... +Если вы не в курсе. +Не дождётесь. +Бормотал себе под нос... +Очень больно! +Да, он получает медаль сегодня. +Через сколько встреча закончится? +У них все документы, Алисия. +Вот почему я поехал в Чикаго. +Я лишь немного расслабился... +Ты мне, Харламов, не ерничай! +Нет, ну конечно. +Три, и заусенцы на указательном. +Не могу этого прокомментировать по причинам адвокатской этики. +Все хотят сесть на моё место! +Обнажение аорты и нижней полой вены завершено. +понятно! +Такая вещь как наука эквивалентна сексуальному видео. +Я сейчас упаду. +Они не тронут тебя. +Боюсь, произошедшее сегодня было выше понимания Лестера. +Рада? +о чем не подозревал. +Кэрри, пойди сюда! +- Что ты хочешь услышать? +Два года за каждое, путем частичного сложения наказаний. +У мистера Ашбау были недоброжелатели? +Кроме того, у него его не было. +А если серьезно, +Всё в этом деле непонятно. +объясни, ба, объясни! +Доктор Чилтон, каждый психиатр и кандидат философских наук, которые применяли на нём любой вид терапии, давили и напоминали, давали ему тесты, говорили ему, кем он был, а кем не был. +Это смузи. +Это так клёво! +У нас сейчас урок истории. +Человек Сола, Кьюби, разыскивает его, это не займёт много времени, и когда он найдёт его, я... я собираюсь поговорить с ним. +- Чего тебе надо? +- Да что с тобой не так? +Просто посмотреть. +- Он важная личность. +Нет. +Более того, он будет меня умолять. +Брага... +Это, видимо, шутка. +Мы всегда предполагали, что с этим можно справиться, приложив усилия. +Секс при мне он не упоминал, но многое об этом говорило. +Он заправляет черным рынком Кайдзю здесь, в Азии. +- Хватит. +- Выпускаю хладагент. +А ты позволяешь этим детишкам иметь тебя. +Я в тюрьме. +Половина ваших звонков будет на всей территории чрезвычайных ситуации. +Что? +Нет, это ты пожалеешь. +Это должно быть какая-то ошибка. +Обещаю. +Чем могу быть вам полезен? +Дышите глубже. +Если ты... +У тебя теперь другие приоритеты. +Мы готовы начать. +- Мама попросила меня принести платья. +- Кейси? +Будете ли вы работать в команде? +- Ух ты! +Гм. +Я в порядке. +Мне 18. +Косуха. +Как тихо. +Есть профессор. +Убить их предстоит тебе. +- Я буду готов. +Собирайтесь как можно быстрее. +- Ты больной. +- Меня зовут Сэм Тоули. +Ее светлость думает, что между Брэйтуэйт и Анной пробежала кошка. +Тогда зачем ты это делаешь? +Я бы хотел знать наше пятое число и "Счастливые Алмазы". +- Неплохо. +Знаешь, если мне когда-нибудь посчастливится завести ребенка, я никогда его не брошу. +Нам нужна причина, почему наш убийца думает, что совершенно обычные люди, могут оказаться ведьмами. +Ага. +Что-то вроде человека-осьминога. +Кто платил? +Но власть здесь, у нас. +Кит всегда укладывается в час, правда? +- Привет! +Это значит, тебе придется уйти, чтобы арестовать кого-то. +Возможно будет неловко. +Серьёзно? +Они следят за мной, обворовывают меня! +Хотите попробовать? +мы топили каждого новорожденного младенца, чьи двери, не были вымазаны овечьей кровью. +Давай оценивать каждого парня. +- Мы могли бы... +All he wants is to... clean up and stay out of the big house. +-Правильно, деньги -вот что нужно брэнду от Душкиных. +- Что только что произошло? +Билл? +Либби не хотела плохого. +Пока вы не ушли, можно мне одолжить денег? +Лявo. +Это невероятно. +О нет, нет, нет, нет! +Парижская служба отлова бездомных животных обследовала труп собаки. +Занимаетесь преступлениями и геноцидами? +Еще есть шанс для тебя! +"Шерлок Холмс и его возможности. +- Смотрите, это Шерлок Холмс! +- Смотрите, это Шерлок Холмс! +Пошли! +Мой первый поцелуй был здесь, под набережной. +Мы можем ввести Кеннеди на одном из них. +Всё это уже печаталось. +Я знаю это было тяжело. +Придется. +Разгорается! +Кто? +И никуда не денусь. +- Да. +Они говорят "Это вы, "Заточенные Кепки", украли оружие? " +Мел для досок. +я понимаю вашу логику, 'рэнк, но сейчас мы пытаемс€ спасти ситуацию. +Буду держать за тебя пальцы крестиком. +- "Засада" - моя любимая, сам знаешь. +Вы должны оставаться вне моего бизнеса. +Ты сможешь понять это В течении пары минут... +Хорошо. +Его статус: идёт перевод +Руки вверх! +Нет, я...! +Это прекратится? +Как жалко. +Я... +Оу... все кажется таким беспорядочным. +- Нет. +Хотя, может, она симулиирует... +Это не так. +Тео, тебе принести чего-нибудь? +Хорошо, вы езжайте, я вам отправлю адреса. +Смотри шире. +Что произошло? +Но я не тот, кто может тебе это дать. +Просто приходи домой. +Чтобы он знал, насколько серьёзно ему не повезло. +Точно. +Так ты готова к грядущему говношторму? +Э, привет, Мэри. +Не вопрос. +- Да. нет проблем. +Блэйк Шелтон, что ты думаешь о баттле? +.. +Я исключила всех кандидатов. +Боже, боже, кто это сделал? +Карл? +Дыши +Скажи еще слово и я убью тебя. +- Нам нужно несколько минут, ваша честь, +Ты имеешь ввиду мою мать? +Не пойми не правильно. +Они просто не смогли оценить насколько хорош он был. +- Да, слышу. +— Колин. +Это правда? +Если она здесь, полониум должен быть у нее, в свинцовом контейнере. +У меня отличное чувство юмора. +Как они могут измельчать,берега... +Это к тебе тоже отношение имеет. +Да. +Шерлок Холмс и Джоан Ватсон. +Шерлок Холмс и Джоан Ватсон. +но я знаю, что вы думаете. +! +*Уличные фонари* +Так к чему же ты пришёл? +Ты настоящий Шерлок Холмс. +Шерлок Холмс поступил бы так же. +Сможешь ли ты жить с последствиями своего отказа? +Штормовица! +Да, вот так. +♫ Просто не хочу быть свободным, нет ♫ +Я собиралась поехать в Сан Франциско. +Ча Ын Сан! +Не надо было пропускать платежи. +Везут в Слобозийский. +И так просто оставит её отец уехать из Турции? +Хм... +В смысле, мне спросить его, или просто сказать, что я это сделаю? +Эта была удивительная ночь слепых прослушиваний и мы официально прошли уже половину! +Надо бы возвести себе алтарь в ближайшем борделе. +Ты лжец! +Но ваш отец... +Тогда он не Рэндилл. +Всё забудется. +Элиза Вассерман, французская полиция. +Пойдем. +-Давай подвезу тебя домой. +Ты мне о них все время рассказывал. +Глупцы! +Как только мы взяли Хизер под защиту, Пегги знала, что только вопрос времени, когда мы придем за Хейзом. +- Да. +Блеск. +У него настоящий талант к рифмованию. +- До захода солнца в день Дурина, да. +Укрылся в тени. +Начнется она на востоке. +Убери скорей крышку. +Убить! +Уверяю вас, милорд, для него я лишь начальник стражи. +С каждой победой зло все сильнее. +Пошли! +Тогда тебе понадобится маскировка +Это Шерлок Холмс? +Нет, все гораздо сложнее. +Нет, не только. +Мне нужна минутка с моим клиентом. +- Аминь. +Но это дело полиции Нью-Йорка и мы возьмем его. +Мне это не нужно. +Почему же она у нас есть? +На следующий день я встал и дал показания против террористов. +После вас. +которая водится в Туркменистане обычно светло-коричневого цвета с тёмными полосами на брюшке. +Печенье... +Ого. +Так... +- Хорошо. +А что? +- Тебе следует остановиться. +В любом случае, это и мой план. +Да... +В чужом глазу соринку видишь, а в своем бревна не замечаешь. +Это хип-хоп хард пати, дамы и господа. +- Всего 9 лет... +Куда ты собрался? +Проблемы с трансмиссией. +Это же новый Шерлок Холмс! +Скажи что-нибудь. +Вот Дэн Ламберт отпечатков пальцев. +Вы нашли книгу, но как вы узнали, что она не беременна? +А ты, Том? +Часть твоих запасов на зиму мы уже съели. +Покажись! +Немцы заблокировали нам Гданьск и весь медицинский транспорт +Носилки быстро к раненому! +¬ы забираете все очки. +"очно. " раз ты не раскрыл истинного себ€ то в итоге стал богатым несчастным старым засранцем. +Я не осуждаю твое положение. +О. и да, Алекс, урок в том, что каждый оперативник одноразовый. +Подсовывание ему яда вызовет слишком много вопросов. +Недавние исследования показали, что вселенная не бесконечна. +Не важно кто проведёт вскрытие, это всё равно заставило нас ускорится. +Как насчет того, чтобы исправить этого ублюдка вместе? +С другой стороны, надо сказать, десертная вилка - это довольно практичная вещь. +Понимаешь? +Ты слышишь что-то. +Я думаю, подходит к тебе. +Выходи! +I love you +Собираешься относиться ко мне как к шлюхе? +И сделай несколько ударов. +- Вы видели, как на встрече руководства его вычеркнули в три секунды. +Я не буду ждать пока Шерлок Холмс и миссис Марпл раскроют это дело. +Хоть немного. +Да что может случиться? +Они думают, что ничего не нужно менять. +Я хочу другую медсестру! +Капитан Софтли. +Тут рискуют жизнями! +Я обещаю, ты никогда не увидишь меня, не услышишь обо мне снова! +Кто? +324-Би-21. +Мой папа в телеке... +Сейчас, Джек. +Теперь мы должны разобраться с этим. +Но это значит... +Ты всегда была прирожденным лидером. +♪ Поставь свои сети, сексуальные сети ♪ +Это должна быть звезда Motown. +Было бы проще приподнять кровать и подвинуться к нормальному пианино. +Не говори его сыну, пока мы не узнаем все факты. +Мы разносим валюту нашей фирмы по торговцам Нью-Йорка в обмен на настоящие деньги... скажем, сто наших купюр за пять настоящих банкнот. +- Тут не обошлось без воды. +Мне и не надо спрашивать, как у вас дела, потому что вы, очевидно, не в духе. +Сэр, была исследована пуля, которая убила жертву. +Но я думаю, что для Эрнесто это важно. +criminal-minds.ru +У каждого по 2 помощника, итого 36 человек. +Она сказала, где? +Пока нет. +Привела в порядок расписание операционных? +Мой упрямый сын справился, не так ли? +Он не сморит на нас. +Я теперь взрослый мужчина. +Вы ведь не слышали, как сработала сигнализация, не так ли? +Высокий уровень отходов от производства метамфетамина, что могло бы объяснить ваш нитрат аммония. +Она умирает, не так ли? +Что ты понимаешь хинди, этого не знал. +Ты, походу, спишь на кушетке. +Слышал, Уилл и Даяна с тобой поговорили. +Принимаете меня за идиота? +Найти эксперта по Северной Корее. +Этого не повторится. +И мне не поймать её своей паутиной... но я не позволю ей сбежать. +он должен письменно запросить у других разрешение. +- Господи, оставь это Тайлер! +Зачем? +Добрый вечер +— Хорошо, что они довольны. +Я хочу, чтобы ты посещала её в течение месяца. +Повезло, что ты выжил. +Я недавно видел вашу мать. +Lady Margaery has done this sort of... charitable work before. +Санса и Арья — пленницы в Королевской Гавани. +- Теперь он перегруппируется... +Я видел, как Крастер отнес и оставил в лесу своего новорожденного сына. +Мне нужно моё по праву. +Все очень стилизовано. +Держите постоянный темп. +Я не знаю, что вокруг... +Время расслабиться. +Я не хочу, чтобы другим были доступны мои давние идеи. +Здесь информация, которую ты выведал у меня и которая оправдывает твой приезд сюда. +923, могила 923. +Делом Бартлета и делом Рэмзи? +Я понимаю. +Хочешь чистую совесть - открой богадельню! +И колумбийский галстук. +(Миджан) Я и Естер, во-первых, я думаю она горяча. +(Миджан) это выглядела как коробка на хэллоуин посредине какого-то фильма ужасов. +Кроме того, вас, вероятно, устраивает быть подданным моей жены. +нам не обязательно придерживаться всех традиций иначе будет видно, что у меня лишь одна подружка невесты как осмотрительно надеюсь Дэниел правильно поймет твою политику невмешательства он знает, что я взволнована так же, как и он +Спасибо +У меня двоякое мнение. +Я прожила чуть меньше одного полного оборота вашего солнца. +Ни в коем случае! +Хорошо. +Честно говоря, когда Дерек предложил мне работу... ты бы знала, как было трудно отказаться. +Хорошо, мам. +Я серьёзно. +Иди туда и жди. +Сексуально. +Я Хэзер. +Ты должен быть на улицах, восстанавливать себя. +-Эй, Елена. +Учиться любить себя... я пытался много раз... и до сих пор пытаюсь. +Возможно. +Как говорят, +Дедушка. +Он знает систему и возможно он поговорит с судьей Брекетом, убедит его не наказывать Тею. +Сейчас подходящее время сказать, что я вступила в "Весонаблюдателей" в 96-м, и забыла отменить ежемесячные абонементы. +И ты помнишь нашу подругу Вайолет. +То, как она одевалась, звуки, доносящиеся из ее комнаты по ночам... +Вы можете описать его? +- Нет, Анна, я должна быть здесь. +В первый раз за эту вечность, +Я грациозен как павлин +У меня только десять. +Но больше не могу я ожидать! +Она со своей настоящей любовью. +О! +С отальными все хорошо? +Я взглянула на то, что было на диске... +- Джудит беременна. +И он сможет приехать месяца через 3-4. +♪ стра-а... ♪ +Она - моя младшая сестра подтверждающее это? +Ты напугала меня! +A. Потому что у нее в голове есть хоть что-то в отличие от тебя? +Верно. +Что вы имеете в виду? +- Я был постоянным персонажем. +И кто же будет решать, чей род выживет, Зод? +Откуда ты? +Только, если ты гарантируешь Лоис свободу. +- Like a black hole. +Так мы его отпустим? +Ну разве это не волнующе? +Вы же знаете это. +Гм, спокойной ночи... +Нет, у нас было назначено свидание на вчера, но мне пришлось остаться на второе дежурство, так что... +- и просто брось пистолет. +Найди одну с анальными проблемами +Зачем тебе сюжет сложнее "Это идет в это, +Впервые за несколько дней я могла расслабиться. +И Каллум увидел это? +Она мне не сестра, и да, так мы и поступим. +Ни с места! +мне надо поговорить с тобой. +Потому что я - современный Шерлок Холмс? +Попадаю впросак. +Постой, проверю туалет. +Нет, как тебе моя фраза? "Соврал, как отрезал". +- Этот парень такой старый, что может быть его отцом. +Нью-Йоркским фотографам приходится учитывать все факторы, чтобы запечатлеть лицо этого полного противоречий города, +Красная команда. поздравляю. +Мы просто так вам благодарны. +Почту за честь. +Я проверял расписание. +Причина не в деле, а в нас. +Соглашайся на прежние условия, и это немедленно закончится. +Морис, а ты устрой первый прием в с/х училище. +Они все хотели взять. +- Вот так. +- Теперь мне придется идти в магазин. +- Брэнди не подходит тебе. +Мы переехали ее в новое место +Там-то Слишком пешеходной об этом. +- Именно об этом я и говорю. +Закрой глаза. +Как это у вас говорят? +Это лучшее, что у тебя было, +Мы скажем ему. +Что это значит? +Только одна вещь. +- Если я сниму ее, то могу забыть, кто я. +- И где будет жить Томми все это время? +Вот и гримёрка Гаргамеля! +- Внимание, мы вошли. +Ты мой друг. +Пролёт. +- Насколько они узкие? +Это ничего не изменит. +Горячий сидр. +Выдох. +Но до сих пор не понимаю. +где 98 человек и 112 вотанцев мирного населения были вырезаны. +Я ваш начальник. +Нет! +Свечки, лошадки и взаимная доброта — или чьи-то неизмеримые страдания в далёкой стране, чтобы ты мог оставить злобный комментарий на ютубе, сидя на унитазе. +Ну, слава Господу, что она остановилась после первого акта. +Как ты думаешь что я сделала четыре часа назад? +Джойс, оставь птицу. +Я и не думал, что это нужно. +Мы никогда особо не общались, +Вам нужно подписать отчёт о вскрытии. +Он не был толком завязан. +Монстры. +Вместе +Что ему нужно? +Вы тупые идиоты. +Взгляд Козимо направлен на Весы на весы баланса. +Так теперь ты веришь в видения... и в демонов? +Исполнил парочку. +Какова вероятность, что ты назовешь сына "минутой", а он вымахает под восемь футов? +Мы обязательно ещё встретимся. +В которые вставляем подрывные идеи, +-Как вас зовут? +И они подумали что вы - похитители скота? +- Да. +- Я понимаю. +Ты смотрела мое шоу сегодня вечером? +- Папа! +- Да. +Очень плохо. +Нет. +Я должен ехать. +Отчисление? +Но ты будешь выглядеть глупо. +Исток Нила +- Ты не оформил документы на опеку. +Ты сможешь ходить на родео, и... и отпраздновать новоселье, и, знаешь, а что еще ты собираешься делать? +Эти носки так неосторожно висят над камином. +Все говорят, что я должен двигаться дальше, но я не вижу, что такого здорового в том, что-бы быть взрослым. +Однажды, на Рождество, когда мне было шесть, мой папа выстрелил из пистолета и проделал дырку в стене. +Больше похоже на тюрьму и... +Пока. +Прости за опоздание. +Здесь тебя никто не услышит. +Я сразу же влюбился в неё. +Строго засекреченные исследовательские бумаги. +Мне нужно, чтобы ты активировала жучок в телефоне МакКенны. +Его же преследовали, ты понимаешь? +Ну и кто же твой лучший друг? +- Нет..она.. +И ни ты, ни город не сможете мне помешать. +Если мы приглосим тебя на одну из наших вечеринок. +Annafvk, evgeh, Nimfetka, lorein appolinarya, ChosenOne637, Ying_Yang, Logwon +Когда только успели? +Что? +И ты единственный кто умеет пользоваться погружным нагревателем. +Именно. +- Хватит мыть! +Астральный Гипноз... заставляющее цель уснуть. +что я имел в виду и незамедлительно избавилась от скрывавшейся в лесу засады. +Похоже на то. +всё может плохо кончиться. +Так вы уже давно знакомы друг с другом? +Но, разве тебе не придется там жить? +Не можешь? +Отложу-ка я немного супа на всякий случай. +Закончился. +Он никому не повредит. +Вот оно! +Ты знаешь, что делать. +Я чертовски разъярена, если вы не против такого выражения. +- +Правда? +Она дорожит людьми. +Живей к периметру! +Я знаю. +С каким количеством ты согласишься? +Почему вы планируете пресс конференцию? +Почему? +Прям как в сказке. +Ты ведь знаешь наше окружение. +Вставай. +Таблица перестукиваний. +Что он просто выпрыгнул из вертолета? +У меня есть дочь. +Что же вы задумали? +То есть, по-твоему, всё хорошо? +Величайшие болтуны в мире. +Сейчас я здесь, а она никогда даже не открывала мои письма. +Хорошо. +Дети еще успеют погрустить. +Что он натворил на этот раз? +Знаете, не могу не заметить у вас очень милый наряд. +Это вероятно хорошая идея. +Ведьмы рассказывают детям страшилки, о самом великом вампире +Его не было дома. +Слушания не займут много времени. +Да, он говорит, как Джонни Ноксвилл. +Мне нужно 20 баксов для фокуса. +Из этого положения нет выхода! +Быстро! +Какие грязные секреты, вы пытаетесь скрыть от нас? +Вставай приятель. +Остаться на пару дней в Лондоне. +Эй, Минкс, если мы выживем, пойдешь, наконец, со мной на свидание? +Авто-доставка завершена. +Это хорошо.Я работал в Гонконге, когда началась вспышка атипичной пневмонии. +'Сейчас их отвлекут, уходи оттуда немедленно' +Мы запутались! +Это приспособление для клонирования телефонных номеров. +Энди Тафферт! +Огонь Зевса! +Привет, Дон. +Алло? +Мам? +Это всё. +Приказ. +- Ты что-то хотел? +- Джек. +Все в порядке? +Что хочу чтобы ты к нему пошел и объяснил что у тебя нет ко мне чувств. +Алонзо управляет крупнейшим подпольным казино в Старлинг-Сити когда он не занят похищениями. +Ты лжешь! +. +Это я заронила ее в твою голову. +Я сам буду платить. +И я останусь с Виржини. +Она уже говорила с вами раньше. +Я не понимаю зачем он это сделал. +От Кроули. +Ты знаешь, я люблю испытания. +Это так красиво. +Не в наших правилах обсуждать гостей. +-Козий сыр. +Нельзя приглашать девушку поесть всякую ерунду. +- А Скотт? +На вокзале большая толпа народу. +- Господи, Боже. +Бобби... +- Ты подмигнул. +Он сказал "Avant-Garde Cuisine" +Десятый номер недоволен. +Извините. +Можно проверить. +В мыслях, я даже представить не мог, что Елена останется вампиром навсегда. +Как? +Он пропал в прошлом месяце. +–Я хочу ее освободить. +Верни назад незначительный список. +Да, сэр. +! +Ей так плохо, что она не может даже встать. +Ты смешная. +Подловил. +Ты подписал договор о неконкурентности. +Ты был прав. +Если всё в полном порядке, вы придёте в консультацию во вторник, как обычно. +-Шарлотта делала тебе? +Засвербело в горле. +Как долго вы женаты? +Вы меня не раз видели меня с моим любимым. +Я хочу рассказать тебе кое-что, что я мало кому рассказываю. +Думаешь, я самовлюблённая или несносная? +- Нет. +Автор рассказов - его друг и помощник доктор Джон Уотсон. +Мистер Шерлок Холмс родился в 1854 году в семье помещика. +Майкрофт Холмс и Джон Уотсон. +- Позвольте познакомить вас заново, Марта: мистер Холмс, Шерлок Холмс. +Шерлок Холмс! +- Он ждет, когда придет Шерлок Холмс, плюхнется в кресло, раскинет все по полочкам и элегантно достанет кролика из шляпы? +читатель, Шерлок Холмс или... +- Мистер Шерлок Холмс. +Знаете, Холмс, я, пожалуй, свой первый сборник назову "Мой друг Шерлок Холмс". +Мне жаль, но... мэр нуждается во мне. +Это наказание. +Что это значит? +Хочешь обнять меня, да? +- Что это? +А, зимняя рыбалка. +Да. +Шелби. +Конечно, пап. +Эй +Нашла совпадение? +Он ни на кого не смотрел. +Отец, отец. +Да, Ванда. +Вуди Харрельсона. +И ты просил меня не говорить Сету, чтобы ты и дальше продолжал ему пиздеть, будто в Лос-Анджелесе ты останавливаешься только у него! +Пожар! +- Что? +Сила Христова тебя подчинит! +Но я ... +- Без базара, чувак. +- Что? +Мы могли бы сейчас заниматься чем угодно, Стэфан, быть где угодно... +Это подонок Родди Тернер убил ее, вне сомнений. +Сестра побеседует с вами на предмет здоровья во время беременности. +- Чем я вам могу помочь? +- У тебя нет детей? +Вы такой же мошенник, как и я. +- Я не закончил! +- Спасибо, сэр +- Другое направление, восемь. +Это всегда было нелепо. +Я знаю, я должна ненавидеть это место. +Хорошо, хорошо. +Время выбирать, блядь, сторону. +И ещё куча всего, что он может здесь сделать. +Сотни Теневых Охотников искали здесь убежища. +Помнишь, те, что нарисовала мама? +"Отличная попка". +И полегче с порохом в пушках. +На меня засматривались. +Простите, ваша милость. +Если вы дадите им любовь, они вернут её сторицей. +Если решил меня убить, то давай поторопись, чёрт подери. +— Никто и не должен был. +Родина (Сезон 3) Серия 3 +Слушайте... чем раньше я поговорю с Солом, тем раньше я вернусь домой, а вы вернетесь к более полезным делам. +Идем, нам надо найти Лиззи. +Время покажет. +Это ваш номер, Крис? +Ладно, сейчас, когда я подам свисток, вы должны положить руку на лодку и держать хотя бы одну руку на лодке. +Поговори с лицом, потому что рука тебя не слушает. +Бонжур, месье Бланк. +Я для Миранды помощник номер один! +Это было очень трудно, Майк! +Запомни. +Офигительный бармен, серьезно. +Я назвала бы это "осталась без гребаного телефона". +То есть ты собираешься просто исчезнуть на следующий день после моей свадьбы? +Вы позволите? +Как ее мать. +Отправь ещё тысячу людей в помощь Квинктию. +Останься, выпьем, и поищем его вместе. +Оливера Пауэрса? +Я подумал, что мы могли бы пообедать сегодня в час дня в кафе около управления. +Да. +Это доктор Карев. +Пожалуйста, не вмешивайся. +В стремлении выбросить Лиритрол на рынок, результаты испытаний были подделаны. +Ты дрянь! +Она не останется в Женеве, как только узнает, что здесь произошло, разве нет? +Всем лечь! +Потому что я жадина. +Держи руки поднятыми. +Давай, вали, вали, вали. +- Не в счет. +Ты должна меня послушать. +Омар, я действительно горжусь тобой, но я хочу гордиться и собой тоже. +And one, and two, and three strikes and you are an out for the old ballgame +– Спасибо за помощь. +Я жива? +Винсент. +Балкон. +В первый же день? +Не могу. +Изабелла, можно тебя на секунду. +Как он мог не знать, что у Доррит есть парень? +Это была ее сумка. +Для чего? +Спустись на землю. +Закрой рот. +Мисс Буррелл. +- Я изучу его офис. +Отлично. +Договориться? +- Скажи своему мужу поиграть в мяч. +Королевский прокурор. +Сначала так... +- Слишком хороша для этой игры? +Отойди от двери. +Эти женщины слишком содейственны на мой вкус +Сырный, сырный, сырный. +Какая чушь. +Но с одеждой помочь не могу. +Просто мне нравятся красивые вещи. +Она не хотела чтобы ты знал, каким он был. +Он слил тебя запросто. +Сделали как надо? +Нет, Брэндон. +Ты видишь их? +А он отправил меня прямиком в ад. +В ваших интересах это опередить. +Она ест пасту и козявки, и у нее нет близких друзей, а в следующем году её оставят на третий год в 4-м классе, но знаете, мы её безумно любим. +Судя по файлам Харриса, +Хорошо, увидимся позже. +-Лив, этого не может быть... +Кто по-твоему разрабатывает твое оборудование? +На встречу с Канан Датта. +Итак, это группа приветствия? +Давай теперь по разным кроватям спать. +что вы отлично справитесь с управлением. +Будем надеяться, что он просто уйдет +У меня тараканы ползают под костюмом. +Мам, ты напугала меня. +Постарайтесь просто ровно дышать, ладно? +Все хорошо. +Мы лишь немного спорили +Ты вернешься в свою опочевальню, и будешь молить Бога о прощении и смирении.. +Я хочу, чтобы вы отследили мой телефон. +Давай пройдемся. +Встреча? +- Дипак? +- Технически это допрос. +Хоть за правдой не успеть... +Шерлок Холмс. +Шерлок Холмс, ты такой же красавчик, как и всегда. +И, конечно, десяти недель не прошло после подписания бумаг, как я получаю звонок из ниоткуда — три утра, сердечный приступ. +Переводчики: +Я не хочу ему врать. +Я захлопну дверь. +Понимаю. +Я не умею водить. +Вам повезло. уже бы Ваши похороны справляли. +Я. +Садись ближе. +Я возьму Ли. +Решила проведать Спенса по пути на работу. +Что... что... что ты делаешь? +А кто, чёрт возьми, сказал сдаваться? +Я Сол Беренсон. +Постойте, согласно моему источнику... +Я провела последние 24 часа запертой здесь. +Саша это сделала. +Сначала ты прислушиваешься к моим советам, затем выдаешь их за свои и затем перетягиваешь все внимание на себя. +Оставленные без присмотра багаж может быть досмотрен и удален. +Почему вы не в море? +Конечно. +Да, я очень быстро ощипала куриц, потому что знала, что я увижусь с тобой сегодня, так что... возможно ты обнаружишь немного перьев в наггетсах и немного мяса внутри подушки. +Я не знаю. +– Отлично спели. +Фанфики "Сумерек". +Что ты тут делаешь? +На данный момент, онлайн-игры могут справиться с таким количеством игроков на поле пока игра не зависнет или не даст сбой, но код Дженна позволяет нашей игре вмещать сотни игроков в одной локации безо всяких подобных проблем. +Мы избавимся от тела Делроя раз и навсегда. +Но у нас почти не было времени разделить с ними их счастье. +Это 75-ые... +Особенно Гидеон. +Итак, расскажи мне обо всем. +Транспортные расходы, номера в гостинице... +Останешься на ужин? +Чего...? +как отец может быть таким... чем я могу помочь +Здравствуйте а домой намылился? +они ушли вместе. +С каких пор... ты знаешь о матери Ши Она? +Бен Али +Ты всю неделю работаешь на телевидении, а вечерами тебя постоянно нет дома, даже по понедельникам, когда у наркодилеров выходной. +У меня есть дочь, Рамона. +Как-нибудь переживём. +Да вроде бы, нет... +Но вы настроены предубеждённо. +- Не пейте слишком много, юная леди. +Да, ты копируй. +Знаешь, если бы я назвала мою мать вруньей,.. +Потом "наелась" и сбежала... +Джордж Майкл, Китти Санчес. +Мистер Герц, меня зовут Шерлок Холмс. +Ты веришь этому отчету? +Где Дэниел? +' +Ты здесь. +Я имею ввиду, постараюсь ей понравиться. +Я знаю, прошёл всего день, но... +Иди сюда. +- Это он так сказал? +- Есть некая прелесть в том, что у тебя есть секреты. +Ты еще не заставил ее ходить? +Мы видели какие великие чудеса творит молитва. +– Сними его. +Не знаю. +- Это твой наркокурьер? +О, замечательно. +На пол! +Большую часть дня... +- А как он выглядел? +- Шерлок Холмс. +У них здесь две альпийские лиственницы, вон там. +Мой делал так же. +Мне нужно идти. +У нас нет опасений на данный момент. +У неё 8 баллов по шкале. +Мистер Кроу, вы завтра выйдете в эфир? +Я сама. +*Верни это прекрасное чувство* +Ти Джей Карстен. +Я знаю, что ты не согласен с некоторыми моими методами, Джек. +- Хорошо. +Твои руки полностью в клею. +Не переживайте, у нас прикол такой. +Блядь. +от полномасштабного ядерного взрыва. +- Мы только за. +- А что если она не справится? +В прошлом году в вашей работе был перерыв. +Постойте. +- Ой-ёй. +Ничего. +Да, дети, мы распланировали каждый шаг этой ночи. +Офицер Вебстер,заберите разрешение 414. +Давай решать проблемы по мере их поступления. +Подогрев сидения. +Этот костюм похож на костюм моего отца. +А не фаст-фуд забегаловка. +Пожалуйста, подождите немного на линии. +Подожди. +ФОТО-СТУДИЯ +Да брось. +Подвесили меня к дереву. +как насчет дать пять? +- Что вы знаете про школу Стилвотерс? +Ну, вы поняли, такой маленький рыбак из слоновой кости. +Я бы сказал, что в этой игре сет и матч за леди Грэнтэм. +Я действительно думаю, что это была блестящая идея. +Ее светлость послала за мной, и я пришёл. +Но, вы знаете, я тут посмеялся, потому что позволять людям запихивать в свой южный регион все что им захочется... мужское, женское, соглашающихся животных. +Я могу объяснить. +Да. +Всё в порядке. +И да, меня зовут Шерлок Холмс и я - наркоман. +Меня зовут Шерлок Холмс, я консультирую полицию Нью-Йорка. +Мистер Хьюз, меня зовут Шерлок Холмс. +Это не ты, это не Шерлок Холмс. +Это Шерлок Холмс. +Вспоминай об этом, когда будешь лежать ночью в постели одна. +Полковник. +И дальше он говорит... +У него даже штрафов за парковку не было. +Ладно, пофиг. +Ты меня пугаешь. +Откуда мне было знать? +- Сука. +Я здесь, чтобы представить вам Королеву Елизавету, вашу бесспорную королеву. +Видишь, как мама сменила тон? +Нет, нет, вообще-то, это то же самое. +Вышел бы через 10 за хорошее поведение. +Пойдем. +- Зачем ты его искала? +Хорошо, я... +- Ага. +- Вот так новость. +Конечно я не злюсь. +Как ты думаешь, что они теперь будут делать? +А что же? +Я принес вашу почту, газеты И еще журналы. +Такое никогда не приходило мне в голову! +шпион. +Возьму я 40 цепочек для ключей, хотя у меня нет столько ключей. +Некоторым вещам не учат в полицейских.. фильмах. +Ладно. +Сначала мы поедим китайской еды в Голден Юникорн. +Сделать издевательский клип о нем? +Сразу по окончанию приема, я бы хотел забрать Женевьеву из города для романтического путешествия +Просто выключите камеры. +- Мне нужен он. +Золотой мальчик. +Он даже подумать не мог, что... +Но знаешь, у этого может быть и другое объяснение. +- Хён, я рассказал Тхэ Сану. +п╒я▀ п╫п╣ п©я─п╬я│я┌п╬ п╨п╩п╦п╣п╫я┌ п╫п╟я┬п╣пЁп╬ п╪п╟пЁп╟п╥п╦п╫п╟. +-Coloca Руки так! +- У тети Шэйлы есть бассейн. +Я пытаюсь помочь Эрике. +И перед тем как купить его, мне нужно знать... ну, вы понимаете... +до поры до времени. +Кстати, у профессора тоже. +Приятно познакомиться, Миссис Андервуд. +Зачем разбивать окно, когда можно разблокировать замок кредитной картой? +Разве не могут геи немного развлечься? +надень новый сливовый свитер с v-образным вырезом. +Все кончено. +Я хочу, чтобы ты вновь была Одри. +- Помнишь пруд Эрроухед? +У Вас может случиться инфаркт. +Только без секса, разумеется. +Там полиция! +Ты и без помощи от АНБ арестовывал сотни негодяев. +Это невозможно. +Расстегни рубашку! +Ваш дедушка. +Судья. +- Нет. +Свиньи, грязь. +Попкорн? +! +Но твой отец... +Вы ведь сами в это не верите. +- все в рытвинах. +Ты как Шерлок Холмс с поврежденными мозгами. +Ты пригласил всех этих людей сюда. +да. +Ты как Шерлок Холмс с повреждением мозга. +Ничего я не имею ни против тебя, ни против деда. +Сможешь починить самолет? +Кэп, таможня не даёт добро, врубаешься? +Да? +Всем встать, Судья Сандерс идет. +Спасибо большое. +Почему вы ушли? +Благодарю. +А теперь, Этьен, заходите внутрь этой безумной и хитроумной штуки. +Интерполом? +Заблокировать любой возможный выход! +Магия это убеждение. +Это была адская поездка для всех нас. +- Назовите карту. +Счастливый номер 13. +- Стоп. +Младший, мне очень жаль. +' Kипер, пожалуйста! +Они не самоуничтожаются. +Я не был небрежен. +Мы просто стараемся быть прилежными, Уилл. +- А моя личная. +Ты же и есть мой папа, так что ты в курсе. +Та-дам! +Они, конечно, установили высокую планку. +Вы с Тимоти сможете проводить больше времени вместе. +Подожди. +Чарли? +Всадил в неё маковую пулю. +Купер! +Итак... +А потом он просто улетел... за облака. +Бум. +Оставь его в покое. +- В обход. +Клара. +Прием. +Я хочу, чтобы у тебя ничего не было. +Всё было именно так. +- Ты чё, бля? +Покажи свои пляски-тряски. +Когда мы уезжаем? +Для этого необходимо было планирование и вложения. +Проклятье, Тим. +Хорошо, и когда будете готовы... +Спасибо, милая. +Ты должна меня понять. +Огромная 20-ти метровая волна накрыла Алеутские... +Ваша светлость? +Я рад за твой успех. +Где Джекс? +И вот что сейчас будет. +Где Сон? +Прошу, скажи мне, где шкерится эта сука. +- В старом доме Гриффитов. +Он особенный. +чтобы выжить в этом мире. +Кто ваш второй подозреваемый? +Я люблю тебя. +Какой сейчас месяц? +Доктор Уотсон: "Шерлок Холмс, обладая уникальными способностями, мог бы добиться вполне достойного финансового благополучия. +- Значит так, Джон Уотсон, вы освобождаетесь из-под стражи под денежный залог. +- Я Шерлок Холмс, частный детектив. +Я не дома. +По одному! +-Я только хочу посмотреть библиотеку в резиденции Президента. +Не говори так. +Я не хочу, чтобы она выходила за кого-то замуж, как друг. +Я... я ей позвоню. +Конечно. +Хорошо. +Что я говорю каждому журналисту в их первый рабочий день? +Не выход, отдавать его безумцу. +Впечатляет и все же ... +Как же неловко. +- Он дал ей одну звезду. +Это никак не связано с Джоэлем. +Знаешь, это как будто он все еще здесь. +Эти части уровнения совпадают с образцами рукописей, которые я взял у него дома. +Подожди. +Ты сделала серъёзную ошибку." +Да, мы, кажется, никогда... не говорили об этом, так ведь? +На вашем сайте сказано, что +И у нас есть ваш адрес, если вы нам понадобитесь. +Нет! +Но это было до того, как я понял, что призрак существует. +- Скажем так. +Вы просто кучка крыс, смывшихся с корабля, идущего с Кубы. +Были такие исследования? +Это же подтвердит и ДНК, мой друг. +Этот человек - чудовище. +В африканскую родовую маску. +Простите, этот разговор мне не очень приятен. +Извини. +Декольте тоже непозволительны +А жаль, между прочим. +Мы с Марлоу... +Я не могу закончить думать об этом, и я уж точно не смогу Ванг Чангать пока мы это не проясним. +Обещаешь? +За 30 штук из меня сделают совершенно другого человека. +Какого чёрта здесь происходит? +Только те, кто работает в Квин Консолидейтед. +Адам. +Так, и где же связь с другой стороной? +Никто этого и не утверждает, Лив. +Ты никогда не... +мое терпение закачивается полковник +Хел +Что? +Тот же вопрос, вторая попытка. +- Что это за запах? +Не говори ему, что Спенсер сказала. +Шерлок Холмс. +Что-то между ними пошло не так. +Меня зовут Шерлок Холмс. +Шерлок Холмс. +Мое имя Шерлок Холмс. +Хорошо. +Нет. +Успокойтесь, чтобы я смог разобраться, что тут происходит. +- Он для тебя шанс вырваться отсюда. +- Да... +Больше я ничего не сказал. +- Все хорошо. +Ещё год и его уберут. +Мой отчим полностью промывает мозги моей маме. +... 515.362)}... а ты свои из окна разбрасываешь? +У нас всё нормально. +Но может в этом всё и дело. +Не рыпайся и будь паинькой. +Да, это пикантно, ново, но он очищает перепела от костей прежде чем его подать к столу. +Песнь обедающего лебедя... +Если заскучаешь - буди нас. +О чем они говорят? +Рассказывай, что к чему, сержант +Что там. +Мне пора. +Бейсболка работает на Альбатроса. +Она была удивлена, когда услышала речь Оливера. +Я не понимаю. +SvlLana, Annabelle_1282, mileena, Wayne asya__vi, dolfinse, annique, flawlessalfia gosteva, TanchikZ, jul_pr81, belka9610 emillirion, qwalda, ashkzpro, Logwon и ещё 4 человека +и экскурсиях. +Хорошо. +Понял. +Это просто все, часть, ты знаешь, того что я прошла. +Мистер Гаррис Траут. +И я такая "индийское что"? +Что же мне сделать сейчас, чтобы не захотеть покончить с собой? +Прости, не у меня! +Прятание денег, планы исчезнуть - тут дело в чем-то другом. +А ты рок-звезда. +Эй, Паркер. +- Кристиан меня не устраивает. +Поэт. +Почему ты не рассказал мне? +Доусон? +Доктор в больнице. +Посмотри на себя. +Никаких видимых ран. +Да, я знаю. +Мы все об этом говорили. +Если это не сработает, он увидит меня на благотворительном ужине. +А вполне ответственным человеком. +Уясни это! +У тебя будет новая семья. +Нет, нет, нет, я не об этом. +Я думаю, это именно то, что ты должен был сделать, если эта пасть принадлежит пьяному придурку. +Ребята. +Когда вы ознакомились с отчётом? +Ты знаешь как было тяжело моей маме сделать? +Человек, который был сбит на лестничной клетке Катарины не доложили об этом полиции. +А как... еще один придворный Эдуарда. +Залепи как следует, хорошо? +Посвящено участникам операции "Красные крылья". +Это дорого. +Будвайзер. +Повторяю, слева чисто. +А она продолжала доставать меня. +Меня зовут Шерлок Холмс. +Это Шерлок Холмс, гость Пэм и консультант полиции Нью-Йорка. +Шерлок Холмс. +Шерлок Холмс.] +Там по рации какой-то Шерлок Холмс спрашивает вас. +Мы еще рубашками не поменялись. +Киты-убийцы - они не киты. +— Нет... +Имеете при себе острые предметы? +Прости, я подумала... +Ты ездишь верхом? +- Привет! +Позвоню Шани ещё раз. +Нет, Дин. +Люди часто спрашивают меня, чувствую ли я себя виноватой, оставляя его. +*** Хочу, чтобы ты видел свою смерть. *** +И вы не поменяли бы своего мнения, если бы кто-то позвонил вам и попросил? +"огда € тоже сделаю за€вление. +" € отвЄз их в пчелиную больницу, кстати, дорогую Ч ещЄ одна причина стать знаменитым фокусником. +- Подержи его. +порученное Родиной? какой ты напряжённый... +Сегодня день для битья. +Это он в тебя. +Но на мне еще и твои утяжелители для ног. +- Продолжайте... +Чемпионский пояс Дайсона? +Привет. +- Да. +Ладно, теперь я сожалею об этом. +Нет, Кас, не надо. +Курам на смех. +- Узнаю свою шлюшку. +Всё, что я знаю - он далеко отсюда с райским оружием массового уничтожения. +мне говорить с ней так или иначе. +Избейте Майка Пуласки и просите что хотите. +Меня не волнует счастье этой девушки, и тебя не должно. +После мы направимся в город. +И мы знали, что адрес Скайпа Юрия, приведет вас сюда. +Скажи, где ты нашла эти слова? +- Подсчитайте. +Мы пропустили моё выступление? +Они выводятся из организма. +Она что-нибудь говорила? +Синтию тоже. +Мне кажется... +- А тебе-то что? +Саманта. +И спасибо за помощь +Супер. +Ты там? +Говорю. +Чарли Паркер. +- Мой дед убит, за мной следят.. +Вы проверили мое алиби. +ДНК подтверждена. +Так, завязывай, Стефани Майер! +И это плохая идея – вставать на пути у ее судьбы. +О чем ты не договариваешь? +- Давно не виделись, капитан. +Разве он не любит меня? +Видишь ли, украдешь для меня ты. +Вы проиграли! +Я буду стоять на своем! +Хорошо, жду тебя. +Знаешь что? +Шерлок Холмс. +Синтия Тильден, я Шерлок Холмс. +Шерлок Холмс. +Синтия Тилден, я Шерлок Холмс. +Меньше всего нам надо, чтобы нас остановила полиция. +- Где ты её нашёл? +Идёшь? +Но в этот раз мы пройдем весь путь до конца всего темного ну или светлого, если оно закончится раньше. +Антиквариат, практически. +Я не собираюсь на это отвечать. +Что? +Энди, что за херня? +И потом прямо в участок. +- Я знаю, когда вы первый раз встретились. +Но я наблюдаю за вами. +Не позволяй ему так уходить. +Я... +Иди-иди. +- Да +Я тебя закрою, но можешь выходить через другую дверь +Ну, что-то общее у нас с ним есть +ќн спасал чьи-то драгоценности. +И властной. +Мамочки! +Что Вы видите около меня? +Вы, наверно, Шерлок Холмс, правильно? +Потом я найду способ тебя прикрыть. +Она этого всегда хотела, забеременнеть от миллионера, и вытянуть из него всё. +Я тут подумала +Ты можешь себе представить, если бы это была Джо? +Народ, народ! +Они участвовали в чьем-то убийстве. +Мы регистрируемся? +И что из них случилось с тобой? +Давай. +Да, но кроме этого ты написал это на нулевой странице... +Это я тоже люблю но это видели. +- Да, конечно. +O, нет, нет! +- Джона. +О, это не конец истории. +Меня не волнует, если они смотрят "Лицо со шрамом". +Господи, нет, мы просто друзья. +Ура! +Я должен поговорить с полковником Вивером. +Эй, Бен, мы в порядке. +Она скорее просто миф. +Я одолжила тебе 2.200 чертовых долларов, а ты бежишь трахать эту шлюху в то время, как я взяла твой чертов ноутбук и отнесла его в чертов ремонт и торчала там четыре часа? +Удивительные звезды. +Все в выигрыше. +Я могу с ней поговорить? +Кто вы, черт возьми? +Увеличить дозу. +Вы мистер Каплан? +Наблюдение за кем? +Я могу найти Лиззи. +Профессионалы. +И очень неплохих. +-Он прихватил с собой уйму лекарств, всю аптечку его брата. +Выглядите так, будто арестовать кого-то хотите. +Конечно, мэм. +Хорошо? +Медленно уходите отсюда, и заберите его. +Вы - молодец, Сара. +Заткни свою пасть! +- Эй, ну ребят, ну вы чего? +Здорово быть шотландцем. +Опустил нахуй руки, встал смирно. +Не-не-не-не-не, что ты. +-Ээ... +Мира треплет языком. +Никто не говорит "мобильный телефон". +Он не умер, Тесса! +А казалось, что дольше. +Он поплакал немного и перестал. +Теперь ты знаешь, где он. +Да, да. +Нет? +Дело в том, что Aedes aegypti обитает в непосредственной близости от человека. +- Протестую. +На по правде говоря, это было не так. +Де ла Куадра я возьму на себя. +Не от потери крови. +- Хорошо. +Он больше посвящен книгам комиксов. +Это лучше? +The Bakersfield Expedition Original Air Date on January 10, 2013 +Но она не вернет мне мое барахло. +Иди сюда. +Можешь считать его подписанным! +- Они сломаны! +Ребята, вы хорошо ладили? +И захватила с собой в бункер ящик красного и ящик белого вина. +Оставила его ни с чем. +Для вас. +Думаю удача будет и дальше вам сопутствовать. +Ну как тебе? +Всё будет хорошо. +Все живы. +Безусловно. +Работа под прикрытием? +Нет! +- Ты Лилит? +- Роз? +Прежде, чем ты скажешь то, о чём мы оба думаем, я женат. +И это она его нашла. +И ты очень хороший мужчина, и ты собираешься стать замечательным мужем. +О чём я думаю? +Ужин с журналистами? +Нет, нет, не сейчас. +Нет, нет, нет. +Ну, тогда вот что делает его Иккингом, а меня +Ричард? +Привет, это Феликс. +"Детка, моя детка, пора сказать 'прощай"'. +- что можно свалить лошадь. +Отвези меня домой, прошу тебя. +Всё, меня достала эта хрень! +Каждый раз когда я привожу кого-нибудь, ты язвишь +а завтра у нас самолет. +А это кто? +Великая сила требует великих жертв. +Я пришел сюда не трахаться, но если это попутно произойдет...здорово. +- Откуда ты знаешь? +Запри дверь. +Ты обманул Хардмана, использовал Монику Итон и помог выиграть у Фолсом Фудс. +Возможно, это был просто сон, Майк. +В соглашении сказано Дарби Пирсон, а не Пирсон Дарби. +У меня начинается смена. +Ну же, полетели! +В общем... +На ужин у нас замороженная пицца. +Чикара! +-Хорошо. +Резервист. +А потом просто пойдёшь домой отдыхать и жарить ветчину? +Что тут такого? +Я понимаю, что это непростое решение, но это необходимо. +Посмотрим. +переложить на Чхве Кан Чхи. +Что тут сказано? +Я не могу быть спокоен! +Кто ты? +что и вспомнить не можешь? +Нет! +- Что? +Госпожа Ё Уль? +Нет. +- Где Кан Чи? +Как ты выбралась? +- Я угощаю. +Она не тиран. +Интересно, сколько его здесь! +Кто меня спрашивает? +До этого ты работал у старосты на кухне и воду таскал, потому что не мог найти работы получше! +Умри! +- Останется, ну? +Давай! +- Что? +Вот что я скажу тебе, Пол. +-Вот видишь +Любовь моя. +Эти, пожалуй, малы. +Идиот! +Ты надолго? +Убирайтесь,ублюдки. +Ты не совсем правильно поняла. +♪ Полузастегнутый халат ♪ +- Ничего. +- Надеюсь, я не помешал? +Спасибо. +Не знаю. +-Теперь возможно. +Мы прожили с тобой недолго. +Круэлла# +Ну, будет тебе. +[Собачий лай] +Поговори с ней. +Мартелли, сейчас отдохните от болтовни и пора делать признание. +Подними трубку. +Росалия, это я, прости меня. +- Спасены ? +- Зачем ? +Неважно получается. +- Не мог не услышать вашей просьбы к отцу. +Я завидовала вашим братьям когда они работали с вами, чтобы восстановить Сан-Дамиано, Сан-Анжело, Сан-Пьетро. +Альбер! +Вы стояли, верно, с противоположной стороны, у окна: +Знаешь что. +Блад! +УТебяестьвсё необходимое,чтобыТымог отдавать любые приказания на корабле. +- Иду, иду, дорогая... +Вы никогда не танцуете? +Даже в шутку, Франко. +И что, это чувство настолько велико и глубоко? +- Что? +Что за цветы такие? +Программу "Для тех, кто не спит". +Oнa выpeзaлa y нeгo нa бoкy cвoи инициaлы зyбoчиcткoй, кoтopyю eй пoдapил +Мияги Марико +Он так напрягается, будто все это не пустячок. +Не забывайте, что сегодня вечером мы приглашены к герцогине. +Налаживаем связь. +- Моретти! +Извините, я на минутку. +Я к вам завтра приду в мастерскую. +Кстати, самое остроумное изобретение мне удалось сделать, стоя на голове. +Так, Табер, перебор. +- Я был открыт! +Давай сбежим отсюда. +Вон! +Держи его ровно. +Да, не сомневайся! +-Да. +Конечно. +- Мама миа, это что-то! +Благодарю Вас, господин Бергер. +Это перед Вами Дорфф? +Сколько Вам заплатили за подмену снимков Дорффа на снимки подсудимого? +Точнее, она больше не может любить. +- Когда вы собираетесь атаковать? +Я тоже. +Томми продолжает выигрывать! +Eго жизнь бессмысленна, это отражается и на мне +У нас на корабле достаточно запчастей, чтобы создать новую киберармию. +Ладно, тогда уходи. +Ты хочешь успокоить меня, правда? +Бей меня! +Он успел поговорить с пассажиром. +Только не ходите одна, не советую. +- Девять. +Мсье очень добр. +"... сэр Чарльз Реджинальд Линдон... +Да, конечно. +- Ну... +- Мембрана? +Я бросилась к этому шикарному джентльмену. +- Ничто теперь не в силах разлучить нас! +Вы говорили, что хотите показать мне какие-то фотографии. +По дороге в Красноярск нелетная погода. +Чтобы продемонстрировать, что это всего лишь иллюзия. +Люди путают. +(Ћј... —"јЌќ¬""—я √–ќћ"≈) +Сикофант. +Совсем ни чуточки? +Чувствую себя неважно. +В твоих глазах тону +Гон У! +Si, si, si. +Алло! +Джордж Сандерс в роли Святого +- Бред какой-то. +- Прости, Зиппер, но мой девиз: +У нас спор. +Здраствуй. +Джордан. +Возьмите термометр в рот и помолчите, пожалуйста. +Мне хотелось. +Вот что, милая, я считаю, что у вас просто пьяная истерика. +Негодяй, убирайтесь отсюда. +Да. +"Мы предлагаем Шабли или Мерло из Нового Света." +Да, но сейчас канун Нового года. +Не говори потом, что я не предупреждал тебя. +- Что говорит адвокат? +Нагайки казаков оставляли на наших спинах такие следы, а женщины тщеславны. +Оставьте эту заботу мне. +- Но я должен попасть в вашу страну! +Мы открыли ресторан. +Искренне ваш, Бернард Декстер. +Что это было? +- Боже! +Прощай, Лев. +- Ой! +Он, очевидно, хочет расквитаться с этими ребятами, Пламерами. +-О, да! +-Ничего, просто я слышал нечто важное... font color-"#e1e1e1" +-Как Вам не стыдно. +-Без кофе и булочек? +Да, конечно. +- Простите меня, высочество, но возможность есть. +Нет, нас пытаются в этом убедить. +- Пойду узнаю, где там мама. +Не думаю. +Кралик, я не могу в это поверить. +И потом, вы не правы. +На этом месте теперь стоит город, в нем тысячи жителей, что ты сделаешь, издашь указ о выселении? +Тут нельзя верить своим глазам, даже если ничего не видишь. +Мой адвокат займётся вами! +Я обожаю рассеянных. +- ...но я посадил его за баранку. +- И что мы скажем? +Да, пресса - серьёзный бизнес. +Алло? +- И как ему удаётся? +- Это же убийство! +Даффи, будешь меня замещать. +Она сказала: давай заключим сделку. +Нет, никто кроме меня и тебя. +- Сара, как ты могла! +- Да, любимая? +Оклахома +Назад. +Тогда сейчас самое время начинать. +Но я не отдам тебе компенсации, полученные моим дядей. +Пошли к ней. +Подождите меня! +Я не хочу быть с тобой. +Я уже сказал все, что знаю, и меня не слушали. +Я рядом. +Банкроты! +- Хорошая работа, Ходжинс. +Подумайте об этом,Кеддинг. +Они бегают вокруг тебя, вопят, типа они под защитой. +Черт, +Как дела, Джесси? +Она едет назад, в Гватемалу, а я остаюсь здесь. +Вы применили мою концепцию сонара к каждому сотовому. +- Забудте об этом Гордон. +- Да. +- +Если это так просто, почему вы еще этого не сделали? +Уже в пути. +Политики, журналисты, копы. +Нашел одного. +Иногда люди заслуживают награды, за свою веру. +Если бы я выбирался каждую ночь, кто-нибудь бы это заметил. +Ты не можешь. +О, Харви, слава Богу! +Вот это уже интереснее, мистер Уэйн. +Тогда зачем ты нарядился как он? +Я уверена, ты справишься. +NOBODY KNOWS THE REASON WHY kurushiku naru nara doushite ai wo shiru no +Наивность и разум всегда идут рука об руку. +Никто не ходил на представления и без зрителей они вымерли. +Бойцов мета-людей. +Но сейчас многие ВУЗы захватила волна протестов, поэтому я хотел бы отправить сына за границу. +Ты знаешь, как сильно я люблю вас. +Они носят пластиковую хрень и пьют томатный сок. +Мы одеваемся как нам велит душа, чтобы выразить всю темноту... +Он неправильно подумал о моей сексуальной ориентации и обблевал весь пол. +Ты же не хочешь, чтобы кто-нибудь пострадал, так ведь? +Мы можем впрыгнуть в товарный поезд и уехать в Хьюстон. +Шёл 1412 год... +Мне жаль, что ты подумал, что это свидание. +Скажи что-нибудь. +Оставь ее в покое. +Я попадаю на автоответчик. +Лекарства плохие? +Мне приходится ждать, пока учёные закончат работать, чтобы я мог начать уборку. +Положите это сюда и покажите мне ваши пригласительные. +- Это Дженна? +Ник, ты обещал. +Все хорошо. +Совпадение? +Я совершил ошибку, но я люблю ее. +- Тогда же была построена эта штука. +Министерство Волокиты не имеет права давать другим джентльменам брать на себя чужие долги, сэр. +Как дела, брат? +- Я не буду курить это дешёвое дерьмо. +Они только и думают о мести. +Это как с жизнью и смертью. +Это то, что нужно. +Здесь я могу носить свитера, шарфы, перчатки... +Да я уж понял. +Все просто. +Думаю, не стал бы возражать. +Сначала ты сказала, что не можешь, а потом... да слезь уже оттуда! +Эта операция - необязательная процедура. +Что-то не похоже. +О, ну да, да. +У меня пациент. +В смысле борьба за место? +Поверь.. мне. +Тебе можно доверять? +Стой! +как бы сказать... +Ещё? +Почему не заходишь? +Польша. +Вы также свидетельствовали, что были переквалифицированы и переведены в другое подразделение. +Изида нашла большинство эти частей, и используя свою магию... она соединила их вместе... воскресив Осириса. +Пользователь - мистер Стивен Эзард. +Что это ты так одет? +Давно это с Амиром? +Держись! +дорогая. +¬ечеринка в честь будущего ребенка на следующей неделе. +- Спасибо, пап. +- Думаешь я хочу это делать, бить тебя? +Извини. +"Эй, ты пришла, так давай делай." +Пять минут, Эйлин, хорошо? +Приложите. +- Ты знаешь, как это называется? +Спасибо. +Я предполагаю... что я должен быть счастлив. +Извини. +- Ты когда-нибудь видела эту женщину? +Это чушь, Тина. +Желание? +Учитель! +Позволишь. +Вперед! +Не стыдись передо мной, потому что я так горжусь тобой. +- "фиии"... +Ish. +Что это? +Она испытывает сильную боль. +- Здорово. +- Они от вас? +- Да. +У меня прямо нет слов. +Страх. +Ребята? +Она кричала? +Я жду. +Декстер... +Если даже такой, как Декстер... +Части тела у всех на виду. +Послали внутрь спецназ. +Два кадровика. +ДжОна, +Нет. +-Что он сделал на этот раз? +-Приглядишь за Оскаром немного? +Это значит быть вместе с людьми. +Не так много, как хотелось бы. +Именно поэтому в христианстве есть Лютеране, Адвентисты, Католики... +Почему это типично? +Это называется "смех сквозь слёзы". +Что там еще? +Вы должны понимать, какое у вас преимущество. +Она говорит, ты долбоеб с мышиным членом. +Пока не появился паренёк кофейного цвета! +Думаю да. +Предлагаю вот что сделать. +Бывший госпиталь, 12-й век. +Он сегодня не позвонит. +0)}zu 60)}zu +Теперь я чувствую себя ужасно. +Что ты читаешь? +Звук лютни? +Боишься, что я стану любимчиком? +Я только пойду возьму сумочку. +Ладно, Мэдисон. +- Прими эту победу должным образом. +Его снова с гордостью можно назвать гражданином своей страны. +Замечательно. +Я тогда училась в средней школе. +Я жил в Нью-Йорке, а Стелла жила по ту сторону реки, в Нью-Джерси... +Там, ты сможешь поставить мини холодильник или настольный хоккей. +- "А я люблю тебя, малыш". +Полиэтиленовый пакет и изолента -- неприступная стена на пути микробов. +Я имею ввиду, мы научились - например, в разведении скота мы научились как - как растить, удобрять и собирать кукурузу, используя спутниковую технологию глобального позиционирования, и никто не сидит в кресле и не спрашивает +Показать. +В прошлый раз, когда мы боролись с Далеками, они были падальщиками и гибридами, к тому же сумасшедшими. +Я не могу. +Если тебе так завидно, назначь кому-то свидание тоже. +Прости, я не могу сдержать своё обещание. +Через некоторое время, однако, нам стало скучно от этой прямоты. +Так хорошо... +Поверь мне, я даже не могу описать то, что я чувствую прямо сейчас. +- Похоже, что тебе больно. +Чего они хотят? +Что насчет этой девочки? +Я вынужден ответить отказом на это волнующее предложение. +Мне... +А еще живот. +Горячо, горячо! +Нет, это слишком рано. +Добро пожаловать. +Это слишком многого? +Ватару! +Наго! +Давненько не виделись, Тайга +Если вы в конечном итоге, как она? +Ты преступила закон. +Тогда пропадет! +Будьте счастливы, не так ли? +Я люблю тебя, Ватару! +Привет. +- Я же говорил тебе он это я. +Яcнo. +В любом случае, видя, что ты смеёшься, мне становится легче +Я хочу, чтобы было слышно, как муха пролетает! +- Да, нет. +- А это кто такие? +Здравствуйте. +Очень страшно и грустно, особенно ночью, если ваша мама пропала. +- Чак не любит надкусанные фрукты? +Раз! +Он стоял вот так. +Где именно сейчас Мимзи? +Почему ты не можешь сказать своим приемным родителям, где ты находишься? +Это ты украл моё дело. +Возможно. они вокруг нас, если бы только мы могли их видеть. +Ведь мы уже почти пришли. +Господин! +Что ты делаешь? +Работа над Spore представила нам немало трудностей. +Полгода? +Временами случалось, что когда я боялся принять неверное решение, я находился в оцепенении, от неуверенности в собственных силах. +10 дней назад? +Это нехорошо, но MSF никогда не претендовали на то, чтобы пытаться и даже думать, что они окажут значительное влияние на общую картину здоровья. +Бедрами, кругом...и вверх. +Лучшее, что вы можете сделать это рассказать мне, что произошло. +Отец? +Извините... +Mino. +- Мисс Деккер? +Стой! +Одна, две или три комнаты? +-Да. +А ты? +Звучит серьёзно. +В этом парадокс. +Но не трогай его. +От Наоми: +Будь к себе помягче. +Ну ладно. +В моём собственном жилище? +О.. +Ты должна настоять на своем. +Предполагаю, что в них они и провозят оружие в страну. +В чем бы ни было дело - мы разберемся. +- Я серьёзно. +Так что когда в 2006 году Линкольн получил приглашение присоединиться к экспедиции на Эверест с севера, он не сомневался. +Он... +Просто рваная рана. +Ни за что. +И ты знаешь, они, они ведь великолепные. +Эй, кто выключил свет? +Откуда Дейв их знает? +Это школьное задание. +Мне чертовски любопытно, Дин. +- Прости, да. +Только не уходите слишком далеко, ладно? +Вид у тебя хреновый. +[Мясник причастен к похищению людей] +Директор может запланировать визит в Испанию.. +Но двери были заперты на внешней стороне. +Моя мать умерла в Израиле - очень много лет назад. +Это более мощная, облегченная версия обычной 430-й модели. +Что-то не так с управлением! +Продолжайте! +Я хочу убить его. +Это электронное оборудование использовался чтобы обнаружить частицы прибывающие из этих радиоактивных элементов. +Мерцание предсердий - оно то есть, то нет. +Хорошо. +Если хотите поиграть в то, что у вас милый дом, чудесный дом, у вас должна быть работа, которая вам не нравится. +Я была Жизель. +- Выполняйте! +Я прошу вас. +Володя, я знаю, что не должна. +И нам с Сил... не помешает компания. +Надеюсь, что у вас это надолго. +Приём. +Они не только активно работают над этим, они выйдут сегодня голосовать. +Эмили, ты где? +- На подземной стоянке, а что? +- Один? +- Доктор Пратт, возьмёте его? +Да, сэр, но я собирался придать ей новое звучание. +- Ух ты! +Позволь мне повторить. +Таппу! +И в Париже я встретила Франсуа. +Я отыскала этот монастырь. +Мы должны идти. +Продолжаешь врать? +Как я смогу обрести мир, без Тебя? +- Да, госпожа? +Не хочу говорить нелицеприятных вещей о твоём родственнике, но я не понимаю. +Эм.. я хочу сесть там. +Ладно, не кипятись, мужик. +Пока не знаю. +Как? +Шифу не учил тебя этому. +Э-эх! +- В самом деле? +Так или иначе... не понимаю, почему это была такая проблема для тебя. +Давай без глупых шуток, Салим. +Вот это клади. +Салим поможет нам. +Что, я хочу сказать тебе, правильно! +Нет. +! +Словно то, как игрок добрался до последнего вопроса, было недостаточно драматично, +Таак... +— Горячее полотенце? +- Из-за падения акций на 40 пунктов? +Вот вся моя реакция. +-Здравствуйте, дети мои. +Почему? +Что же... давай, забудь о своем отце хоть на минуту, и подумай - хочешь ли ты этого? +Не забыл, где и когда надо быть? +Ну ладно, идёмте. +Но он был с ними полгода. +Мне нужна сестра! +Она поесть ушла вроде. +Я не знаю. +Это... +Мне жаль. +Восемь женских ассоциаций Германии выступили против этой песни. +Хочешь, пойдем вместе домой? +Чарли, нет! +Мне нравилось ходить на работу. +Вы о одиннадцатых? +Пожалуйста, можно мне увидеть того человека, который привез нас сюда. +Не понимаю, что мы делаем. +Моя напарница. +Его ты не можешь рассказать ни Теду, +Барни Стинсон напишет... +- Тогда зачем спрашивать его об ошибках? +Элисон! +Все в порядке, Питер. +Я поклялась, что однажды пойду по твоим стопам. +- Здравствуйте. +Обратная эволюция усиливается. +пшеничные лепёшки и французские пирожные. +Kitsune 245)\fscx91}Перевод: +- Мы не вместе. +Можно тебя кое о чем спросить. +Погулять. +А что я с вами тут делаю? +Я знаю, что там. +Нет! +- Сделано +Ну и значит ты поехал туда, она передумала и отказалась.. +Боюсь, произошла ужасная ошибка. +- Джейсон Стрит. +-Дорогой. +Тут 7 12 телефонных номеров, до этого нам неизвестных которые мы можем изучить и расследовать и, помимо всего прочего, убежище в Аммане. +Черт! +Что Вы здесь делаете? +О, глянь на его клюв. +- Я думаю, что ты можешь оказаться прав. +- Ты не готов проводить занятие. +Ктo здecь? +Женское белье, исподнее, тесьма,.. +Потрясающе! +Дэн! +Привет Би. +Из-за тебя мы все оглохнем. +Спасибо, госпожа Батена, спасибо. +Вы же знаете +Я вообще-то был не против. +Технологии которые изменили мир. +Аккуратно, немного правее. +Чтобы было кому на смертном одре стакан воды из рук вырвать! +[Сейчас у вас на экранах 10-е шоссе. +Дядя Майк... +И мне нравится моя прическа. +Это наш шанс выяснить, кто они и чего хотят на самом деле. +Ты поймала меня? +В безопасности. +Я купил кое что для тебя. +Все это сэкс! +правда? +Люди говорят о вакансии в Вашем блоге. +Предать, отвернуться и играть на два фронта... вот что нормально в этом мире. +Развлекайтесь. +If +Ты что там делаешь? +Я слышал, что их глава совершил самоубийство. +Мы не утонем. +- Фрэнк, ты должен вытащить меня отсюда. +"Просто, ну, не знаю, не забывай его кормить хотя бы 3 раза в день." +Пойдем. +С тех пор, как он возвратился из Венеции, он невыносим. +Привет! +Ну... +- Фазаны, которые хотят умереть? +Поделиться историей или воспоминаниями. +Куда ты? +Выглядит интересно. +ќгоньку не найдетс€? +Нет, нет, нет. +Но это был мужчина. +- Ты - птица? +Это была твоя роковая сестра, верно? +Считайте с 10 до 1. +Да, и голову тоже вымой. +- Она самая и есть! +Что это? +А-ха-ха-ха... +Что ты здесь делаешь? +Лови мячик, Вольт. +Не парься. +Я видела ее лицо. +Она любит... меня, +Мой пациент как раз в коме Форда 1969 г. +Нашему глав-врачу. +Здесь широко представлены все основные группы животных. +Почему? +Засранец оторвался от нас. +ничего не слышали, но их спальня с другой стороны дома. +Менеджер банка видел, как он вошел в туалетную комнату перед ограблением. +Моего имени в деле не упоминать. +- Пока! +Давай! +Это моя последняя воля и завещание. +В нем лежит дневник. +-Аминь! +Ты перестал мне писать. +Работали круглые сутки. +Вы врете! +Кости поражены артритом. +Ну, в чём дело? +Когда хотели - не спали по ночам. +А вы двое что тут делаете? +Знаешь, ты никогда не доводишь дело до конца. +Лукас Скотт! +- Продолжайте ответный огонь. +И вся моя темная материя обесценится. +"Изгнать недруга"? +Ну, не узнаешь пока не попробуешь. +Фрайдо и Лигола. +Кто следующий? +Контуры её тела... +Да. +Я думаю, что для меня это ты. +Я... +Лейшманиоз. +А вы порешили его из пистолета. +ћне нужны продавцы .. +Я уничтожил всю партию, но нужно найти Пита. +Эй. +это чудесный город. +Тебя как зовут? +Выяснить не связан ли объект с тем, что висит в небе. +Спасибо. +Зачем заказывать очистку пустой комнаты? +Иди. +Быстродействующее энергетическое мыло действительно впитывается и удаляет пятна, +Ты действительно её любишь. +Эти все белые в черную полосочку. +Я, ваш возлюбленный король Джулиен, должен принести жертву моим хорошим друзьям, богам воды, которые живут в вулкане! +Ты совсем спятил? +Зебры... такие же как я. +Возможно, пройдет несколько часов, но... +Какая прекрасная странная пара! +Томас. +Я знаю про Вас и про Вашего парня. +Кто из них более нелепый? +Демоны любят спальни. +- Это честно. +Выметайся! +Тебе 45 дюймов по Клэю Дэвису, разыгравшим не просто расистскую карту, а целую колоду. +- Да? +Посигналь водителю! +Рот на замок. +Грррр... +Я всё-таки разыскала вас, мистер Пуаро. +- Очень смешно. +- Марли, пошли. +Это Роланд Гленн. +- Да на кой они тебе сдались, лодочник? +Твое бессмертие. +Ты не поверишь, что у меня сегодня за день. +Марта! +Но если они в здании, скажи ему, не стрелять. +Одинокий чудак? +я бы не стал переоценивать свои возможности. +Он оказался там, где оказался, потому что много думал. +Хацу-беи, смотри. +И ты приезжай. +Я проработал всю ночь. +- Стеклофабрика. +Нет. +Это так просто. +То есть если я сяду на героин, буду больше похож на обычного человека? +Без одобрения Ленни не выдается ни одно разрешение на строительство. +-Долгие годы среди нас работает стукач, из-за которого многие рано или поздно закрывают каждого. +Проверь-ка, дорогуша. +Я думал, вдруг тебе интересно. +- У меня есть кое-что получше денег. +- Но у нее всегда были Испанцы для завоеваний, а у меня есть Блэр Уолдорф. +Дженсен. +И выяснить, как выглядит подозреваемый? +Мы все в западне. +Это не так страшно, как кажется. +Когда двери откроются, собака вырвется. +Бриллианты и платина. +После вашего прошлого визита я навел о вас справки. +Черт возьми! +Тихо. +Вы проникли в дом миссис Сатклифф, ничего там не нашли, и решили попытать счастья в школе. +Подожди секунду. +Жалобы, которые этот госпиталь до сих пор игнорировал. +А когда вы достанете мамино поломатое сердце, что будет? +Я рад, что вы будете с нами сражаться, Доктор. +- Здравствуй, Диана! +- Да. +Ну, Келли, это было прикольно. +Поверить не могу, что провожу свой выходной здесь. +- Последние 2 года я врала журналистам, выгораживая его" +- Как ты сказал? "Кипит жизнь"? +- Сперва я не хотела, чтобы она была моей мамой, а теперь она мне всё больше нравится. +- Может, он не из нашего профсоюза, но он пока президент США. +Это сложно. +Надеюсь, с ним ничего не случится. +Понимаешь? +Могу дать копию платежной ведомости. +Он нужен, чтобы ты смог выжить. +- Хорошие реплики, да? +- Ари, скажи почему ты в меня так веришь? +Что он сказал? +У тебя есть что-нибудь, чем вытянуть верёвку? +ну, это... да...? +Да мама моя! +Неха и твой папа уже все планировали. +- Нет, ничего такого. +Пенни, если ты не занята вечером в пятницу, мы могли бы сходить в кино. +Девочки! +Ты был великолепен. +Я не могу плакать. +- Пять лет. +Не припомню, чтобы вы срали серым. +- Доброй ночи. +(говорят по-итальянски) +Любить не грешно. +Преследуя порок, подчас отступаешь от Бога. +Да уж... +Джесси бы сказала то же самое. +- Давай сам. +Какую? +Живо! +"это хорошо." +- тогда я в деле. +Шериф, эта женина убила мою собаку! +Моя слизь бьёт любую на лету. +наступление противника сходит на нет. +Что с ней? +Рисовый пшенично-банановый бутерброд. +Смейтесь, сколько хотите. +Злобный карлик все-таки пнул, а вот Феррари мне не досталось. +Артур? +Я спрашиваю,потому что мне интересно, может я сам немного Финн. +Сейчас он проходит Гамбон и пересекает финишную черту. +Мне нужно дело помощника Плейбоя. +- Ну, где мадам? +Ты здесь глава деревни! +Рани? +Успокойтесь. +Спасибо большое. +Ну а так она весьма недурно работает. +Что теперь? +- Привет, приятель. +Готовь самолет. +Так намного понятнее. +Я знаю, что значит быть не таким как все. +Что, в этом журнале ничего нормального не печатают? +Нормально даже ненавидеть того человека, который сделал это, но когда эта злость... и эта боль, и эта ненависть станет невыносимой, вы можете прийти ко мне, Нейту или Люку. +- Боже, кто тут, по-вашему, режиссер? +Я сегодня выпил 30 литров воды. +И вы думаете за один день управиться? +Ага, но мы также не знаем, что там наверху. +Никогда не думал, что вы зайдёте так далеко. +Мы едем в город праздновать его день рождения. +Спасибо, что обслужили так быстро. +- Почем я знаю? +Мать моя. +Я вообще туда никогда не хожу. +Ты +И мы не повезем её в больницу. +Посмотри, может покупатель оставил ему сообщение +Кто с тобой? +Я здесь... что бы предоставить факты и помочь тебе все понять +Сделай себе каску, друг. +Нет, это случилость перед пожаром. +Как босс. +Ничего себе. +Но ты можешь положить этому конец. +Прими это. +Где Фрэнк мог достать загадочное мясо? +Теперь обратно направо. +Он кокосовый? +Создавая тучи преобразователем погоды! +Что вы имеете в виду? +Готов? +Они происходят внутри нержавеющих труб или в головах физиков. +Почему же незнакомец разговаривал с Кеичи-куном? +Тебе пора уйти. +— Это Жан. +Это вы, што вы хотите? +В их семье умение звонить передается от отца к сыну. +Куда им ешо итти, а? +который (нераборчиво)... мой банковшкий шчет. +Мы закажем всего по порции, и поделимся ! +Хорошо выспались ? +Я приеду к тебе как можно быстрее ! +Я вам чем-то не нравлюсь, мистер Ковальски? +Что вы тут делаете? +Как ты хотел с ними быть вообще? +А ты проводишь с ним время, учишь, как чинить вещи. +Где был? +Каждой семье - по 40 секунд в день. +Он был другим человеком. +Хорошего дня, Кленнэм. +Разрезать на ломтики, спутать все слова. +- Танис, сыскные отряды! +Что? +Однажды мне дали бесплатное тако, потому что кому-то показалось, что я +- Да! +Как ты играл раньше +Это не он. +И если вы не оправдываете их надежд, то... +И там ты продался? +"Неоченьвидное" Высказывание. +Но начала верить... +Мистер Счастливчик! +Да, я считаю, что это безумство с задницами себя оправдает. +Миленькая. +Если бы у него болели суставы рук, он бы не смог играть. +Тем не менее, его тактильно привлекали газеты +Отверстие в кишечнике должно было быть открыто прямо перед смертью. +Не открывайте! +- Запустить гиперпривод! +Встретимся на секретной базе в секторе 4. +- Я слушаю. +Но на вечерике Конца Света, ты сказал не ходить за ней. +- Подожди! +И да, я еду домой. +Я горжусь тобой. +Я надеюсь, ради вас, это не так. +- Так я могу присоединиться к исследовательской группе? +Ровно через 3 минуты я первым прибыл к финишу. +Ну, скользи. +Спасибо за добрые слова, Сэм. +- Что, что это? +- Это здорово. +Я хочу, чтобы ты.. +Чё ты доебался до Ронни? +Хорош. +Что здесь происходит? +Здорово, увидимся на неделе. +Дуйат, будут только пары. +Я все понимаю. +Догадливый, да? +Счастливого Дня благодарения. +Мы так все по тебе скучаем... +-Что Энцо? +Это важно для пищеварения. +-Я не туда пришел? +Беги отсюда... +Скоро я буду управлять всем. +Каждый может оставить геройский след. +Мы же не говорим о том, что они пьют или колются, мы говорим о двух детях, которые полюбили друг друга, вот и все. +То есть, ее можно, конечно, так назвать, но она настоящая шлюха. +Это один из шансов, когда мы можем следовать своим порывам и избежать с этим неприятностей. +Я могу тебе помочь? +Что тебе сделала Индекс? +.. +Это касается и места обряда. +то даже Комитет... +с кем имеешь дело? +Охота на лис - давняя и гордая традиция... +Я и не собиралась, но тут нечего стыдиться. +О, Бог ты мой. +Ты пытался привязаться к сиденью эластичными шнурами? +Разрушение больницы - вот что вызвало временной сдвиг. +Чтобы помочь ему спасти всё будущее. +Парень судебный психиатр, думает, что он Шерлок Холмс. +Настала пора что Аллах бросил вас, беспомощную грязь на гибель! +Да! +Но ты можешь вернуть их в свою память, когда мы отправимся туда, откуда я родом, +- Это так. +В том же месте, тот же палец, та же ампутация в межфаланговом суставе. +Вы знаете, что произошло. +И так... +У нас с тобой есть прошлое. +Пару лет назад. +Спасибо, сэр. +Почему я не могу быть среди них, заставляя их смеяться? +(изображает "быдланский" акцент): +Дарья диагностировала атипичную боль в груди. +Кто это? +И ты позволяешь им думать, что это можешь быть ты? +Хмм, послушай, извини... +Хочешь порепать или что? +Что происходит? +Никому это не интересно. +Мы должны вернуться в Фернфилд. +ну... подругому щеночек. +Время воспользоваться твоей внеренней силой. +Четверг - 17:00 +Алекс, когда я сказала ей, она... она ответила, что я не права. +Ты останешься со мной? +Позволь мне задать тебе вопрос, интересующий всех присутствующих: +Это фантастика, Джо! +Номер два! +Чтобы сдать. +Что, если в этом что-то есть? +Однако нет договора, где оговариваются необходимые суммы на эти программы. +Реджинальд. +Я ничего не забыла. +Пытаюсь... +Да уж, заставил ты нас сегодня поволноваться. +Финли.. +- Кара жива? +Грустно. +В общем, она не такая уж и важная. +Мы все еще на седьмом небе от новостей. +Что? +Поднимем давление, надо делать эндоскопию. +Алекс! +А, да, прости пожалуйста, Андреа. +Спасибо. +Я тебя просил не выходить из машины. +Почему? +Но мы не друзья. +Неужели ты думаешь, что я не подумал о том, чтобы поесть суп дома? +Вы все одинаковые! +Изменится ли что-либо, если я буду лежать в ящике в "Золотом апостоле"? +Это - хороший пример, как же он мог их так дешево выбросить на рынок? +Может, поужинаем как-нибудь. +- Как насчет собачих какашек? +Ммм, должно быть это сахар. +При встрече с волком помните, что это стадное животное, так что если вы столкнётесь с одним, то он скорее всего убежит. +Мы не разговаривали больше об этом. +А, чёрт! +Поучи меня снова. +И теперь... моя очередь обнять тебя. +Все тип-топ! +Послушай, технически мы даже не обязаны открывать новый спортзал. +Идти на работу, крутить роман с секретаршей и зарабатывать деньги. +- Я нашла инвестора. +Джей Ди дома? +Спасибо, что разрешил здесь устроить церемонию. +Слышала про такого? +Я не пришелец! +Mнe очeнь жaль, что ты yшлa. +" ... +Я тебя ни о чём не просила. +Нас это устраивает. +- Здрасьте. +Ну а я взял себе утешительный приз. +Усио! +Ненавижу этот город. +Давай! +конечно. 20 очков к "совращению"! +Подношение! +Ты знал, что твой сосед пропал? +Слушай, пять это ничего, ладно? +Вот именно, улики. +Ну... +Лукас, иди сюда. +Самым самым. +Мэнди, пожалуйста Мэнди. +Сразу после падения Берлинской стены 20 лет назад +Жесть. +сколько бы времени это ни занимало. +Снимите меня! +Она сводит меня с ума. +Они не отвечают. +- Не смешите. +В преступлении. +Кинг уже попросил адвоката? +Может, мне попробовать? +И Антону конец. +Простите за то, что относился к вам не как к простому адвокату. +Как вы доказываете свою любовь? +Жена... +Только год прошёл. +Он и так довольно слаб в учебе. +3 слога О-ГУ-РЕЦ +Ты всё разлила... +Кто это? +Так, что было бы, если бы я показал начальству эту запись? +Это как грёбанное оскорбление я не могу поверить, что девушки из шоу могли с ним так поступить +Такси отправляется из Бимини на наш корабль через пять минут. +Поздравляю. +Ладно, мы на древнем складе Эппл. +Должен быть другой выход. +Ты хоть не исчезаешь, в отличии от другого... +Этот мужик, он ведь не дядя Кэмерон? +Хорош шутить! +Не дразни меня, Фанни. +Может лет через 10, а может и через 10 дней. +- Тэсс, прошу вас. +Я прямо сейчас за это плачу. +Хорошо, но давайте все-таки посмотрим на результаты анализов. +А наш дружок-то кокаинИст. +Дaвaй! +Она не любит сюсюканье, я это уже пробовал. +Не понятно почему Хайленд сегодня, играют без своего звездного защитника, Квентина Оуенса, но это, говорю вам, большая потеря для всей команды. +Вы будете жить здоровой жизнью,|и возможно даже вернете свою экс-жену потому что жизнь вам даст второй шанс,|и на этот раз вы сможете сделать все правильно. +Мыможемощущатьсебя|запертымивклетке... +наедине с вашими делами. +Подождите, лейтенант Тао, одну секунду. +Американцы украдут его и позволят строить казино, где его и строили. +Итак.. +Алло! +Как мы его прикроем? +- Спасибо. +Ты должна сообщить об этом, Карли. +Давай же. +Мы с Купером вчера взяли с собой Сэма в бар. +Я вернулся, и сказал что включил его. +Что это за место? +Не знаю. +# If you want to be my lover Осанка! +Вот чем я занят. +28)}wo 22)}ko +Мы вам здесь точно нужны? +Это... это замечательно. +Что я лично думаю? +Взаимодействие - это очень важно. +- Где они теперь? +- Я хочу к папе. +Давай же, будь честным. +А второе тогда что? +! +Он никогда не учился! +а ты ответила только на 2 вопроса. +- Извращенка! +С моим Ирие... +Ему всего 9! +И главное! +Я обязательно добьюсь цели! +Что? +Я пролила на тебя мочу... +Я не хочу чувствовать себя неловко с тобой из-за этой проблемы. что выполнишь мое желание. ты должен принять это. +лМЕ АНКЭМН БХДЕРЭ, ВРН БЯЕ ЛШ ХГЛЕМХКХЯЭ. +с ЛЕМЪ ЛМНЦН РЮКЮМРНБ. +рНЦДЮ Ъ ДНКФМЮ ЩРХЛ ДНПНФХРЭ, ПЮГ ОНКСВХКЮ НР МЕ╦. +Любой частью тела дотронешься - она отпадёт. +Много осколков стекла.. +И зачем ты притащил сюда Лоис? +Где ты, Лукас? +Да. +Вы нам все расскажете. +Подтягивайся! +Больше не будет бесконечного ожидания. +В любом случае на улицу не выходи. +Поторопитесь и вынесите Соджи! +Кларк, мне очень жаль. +Я его прятала кое для кого. +Я сожалею. +да? +На помощь! +Для Карнавала мы будем делать +Есть одно судно у причала! +- Полагаю, нет. +Пошли, отвезу домой, а то ещё Сару умолять. +Это произошло в Гвиане. +Это враг, которого мы искали 14 лет. +А сегодня к нам зашёл странный посетитель. +Что правда, то правда. +Мне будет не стыдно представить его в меню. +Давайте попытаемся. +Аннабель! +Зачем вообще нужны дети? +Это, это в Гриффит-парке, и мы делаем круг. +Да ничего. +Привет. +Ты танцуешь? +Ну, они склонялись к моему предложению уйти, в какой-то момент, но я забрал свои слова обратно. +Тебе нельзя не быть в ужасе. +Обнаружил длинный интервал QT на ЭКГ. +Хотите посмотреть? +А у тебя есть очки ночного видения? +Тебе это нужно за тем же, за чем и мне. +А вот на *жену* Тауба... +"В океанариуме перестали продавать пиво" +Полные права на распространение в Европе, и доступ к самой эксклюзивной ВИП-палатке в Сандэнс. +Это моя спальня? +О! +Можно обжаловать? +Биргитта! +Какое решение примешь? +В казино, да, но только в казино. +- Хорошая мысль. +Я предпочел бы. +Если тебе нечем больше заняться в свои увольнительные, проведешь их там внизу. +Не волнуйся, я буду вести себя хорошо. +—пасибо, √ейл. +—огласно новому исследованию, +Парень дал тебе кольцо-хлопушку, когда тебе было 6. +Ух ты, ты типа как обслуживающий персонал? +Рядовой Миллер, отвечайте на вопрос. +Болит, будто я ее проткнул. +От кого бежишь? +Она собиралась нам помочь, а ты только все испортил! +Не там, сэр. +Я пойду +Так вот, если люди хотят верить в эти вещи пускай. +Сделаем предположение, что каким-то образом мертвые родители в раю могут помогать их живым детям. +- О твоих срывах. +Просто ночь не спал. +- Что вы здесь делаете? +- Не, не хочу. +Успокой ураган своих мыслей. +Дерьмо. +О, Господи. +Он стоит там, +Сейчас это крутейшии автомобиль в Великобритании. +Я бы с удовольствием остался с вами поболтать о ваших крайне-сомнительных методах выписки рецептов, но я пришел за мед.картой лейтенанта Эванса. +Она умерла спустя несколько дней после моего приезда. +Никто за мной не гонится? +И у нас есть пара вопросов к тебе. +А на офицерских курсах ты мне говоришь: +Он, похоже, не мог сказать и стал объяснять нам жестами и междометиями. +Ты видишь его! +Получается, она уйдет из этого мира в марте. +Какая хитрая милашка! +(Прим.: +На суше она бесполезна. +-Они тебе не пригодятся. +"Философствовать - значит учиться умирать." +Смысл не статичен, это не какой-то неподвижный телос, или вершина, или цель. +Где этому она научилась? +Погоди-ка, я знаю это место. +Да. +О, нет, нет. +Скорей, скорей! +Боже милостивый! +Попить? +И, не, это был не я. +Господи! +Я не возражаю, если ты спаиваешь мужиков, но я потерял из-за блюзменов двух дочерей. +И я тоже. +Мы проиграем немного от Грязнули Уолтера сейчас. +Логин и пароль, пожалуйста. +Постой. +Прими то, что тебе дали. +Я просто проверяла. +Я мед-сестёр не терял. +Надеюсь эхо покажет дефект. +Форман думает, что я ценю его мнение. +Чистим мех и пора Эллиоту надевать брачные цепи. +- Зайдём в дом, милая, +Земля к земле. +Назад. +Ты не думал, что Рота когда-нибудь прихватят на продаже кокаина? +С их помощью проверяют, нет ли ядовитого газа в шахте. +Ремень безопасности я посадила на скрепки, раскрасила лампочку "Поломка двигателя", а на руле написала фломастером "Airbag". +Еще б я не помнила ее! +Лоис.. +Аль-ба-ку-ки? +Я чуть не вытащил тебя из шкафа, в котором тебя даже не было. +Нравится? +Потому что я посмеялся над тобой? +Ты что... не можешь отличить реальность от кино? +- Да. +Вообще, что ты тут забыла? +Всё, выводи. +Это... волшебство. +Я думала чувство с того времени может вернуться. +Что случилось? +Э? +Что теперь будет? +строчка 3. +что я хотела его обмануть. +Режиссёр! иначе ты будешь негодной. +Хенкок, я кое что раскопал в интернете. +Ты засунул голову заключённого в зад другому? +- Да. +Arletta +- Здравствуйте, мисс Гэррити. +По моему похож на клетку, закрыть людей внутри, а? +Собственно говоря, нет, почему? +Рэкс Линн +Эрик? +Что произошло в 1920? +Спасибо, дядя. +Ты еще многого не знаешь... +Прямо здесь и сейчас. +Соль, нужно что-то солёное! +- Что такое ШЭЛ? +Ты снесёшь здание +Больше похоже на две мили. +Я пошёл! +Полироль "мрачная струна"... +Ну конечно! +- Франсуаза. +И лошадь еще уведите. +Я забыл! +Ну, наше задание как раз и связано с ней. +Ну да, я знаю! +Они не нападают на Древо Жизни. +Клеофин! +Ой-ой-ой-ой, дамы и господа... +Где ты нашел этого? +Чтобы увидеть, что мы сможем съесть после игры, если выживем, конечно. +Ешь, это суп из Потшопи шупсу. +Пошли +Сюда +Лимфокемия Беллини — аутоимунное заболевание. +Так-то лучше. +- Когда? +Что должно свершиться сегодня? +Занимайся своими делами, ма. +Маленький бедненький песик. +Это vintage. +Это... +"Грейс" - это красивое имя. +Слушайте, вы видели новый клип +Время покажет. +Послушай, детка, я не хочу, чтобы мне приходилось звонить в полицию из-за тебя. +Да наши новички могут надрать задницу вашим, в любой день. +- Пошли. +Двадцать два бэ. +Около трех лет и трех месяцев. +Мы должны задать вам несколько вопросов... +Серьёзно? +Это его мания. +Моя жизнь - это фильм. +Я не могу позволить тебе разрушить что-то важное во мне +Ты больше не флиртуешь со мной. +В молодости он был красивый парень. +- Нет, спасибо. +О Боже! +Нет. +.. +Отой! +Ты не знаешь о каких гнусностях они думали. +Пожалуйста, откройте ворота! +Как такое происходит? +- Спасибо за ужин, он был чудесный. +Толку с этого, если важнее всего смысл. +Да. +И все благодаря тому, что ты схватил его сообщников и выудил необходимую информацию. +Дак - трезвенник. +Ты вольна танцевать с кем хочешь. +Давай. +Как я объясню родителям? +Очень сложно набирать новых людей. +- Швальмштадт +Мы не уполномочены. +Что? +Вы показали нам дорогу! +Равно как и скверные. +Я что-нибудь придумаю. +Эта пиццерия жертвует деньги школе за каждого студента, купившего пиццу сегодня... +Мой телефон в кармане. +- Пошёл ты! +Доверься своей матери. +Мы должны были получить указания. +Прошу вас. +Заставь их говорить. +Моя дорогая, вам не нужно вступать в партию, чтобы убедить меня. +Его дети! +Су Хо. +Так ты будешь счастлив? +Уже ничего не изменишь. +Не надо обвинять меня. +Не знаю. +- Тише. +Ее очень трудно заглушить, ничто не может быть настолько мощным... +Ему это удалось, он убрал их отсюда, но отправить их было некуда – нигде в библиотеке не безопасно. +Это важно. +Потому что сейчас я бы этого не вынесла. +Твой пожарный ошибся. +Я приеду вовремя, спросил принц. +Что? +Но когда через нее говорят боги... +Их не видно. +Я знаю, где ты живешь! +- Провода, дым видел? +- Слушай, если ты не хочешь меня видеть, я могу и не приходить. +"150-М-М", да? +Брось телефон! +Готов? +Нет, у нас всё не в порядке. +Из чего я заключаю, с прискорбием... +Но ведь это фильмы ужасов. +А я бы лучше посмотрел сцену, изображающую зачатие Спока. +Господи боже, Дэйзи! +Он спрашивал... о метвых телах. +Ты надавил на меня, Ари? +Ты серьезно? +Вау! +Ты уверен? +Это только твоя проблема. +На что это похоже? +Температура. +Как бы отреагировал вермахт? +Совещание вот-вот начнется. +Это ясно. +Вот, ищу билет обратно. +Просто она ипохондрик и перебрала с выпивкой. +Я могу остановиться. +Было бы на что смотреть. +Дети, что вы здесь делаете? +Ну, на самом деле это семейный обед. +Могу я их забрать? +Что касается принятия, то мы все его принимаем. +- Хотела выйти пораньше, чтоб немного расслабиться. +Для неё этот день такой же, как и все остальные. +Ему нужна была помощь в семейном бизнесе. +Вы же не имеете ввиду,что доктор Уотсон действительно Шерлок Холмс? +Шерлок Холмс,Джек-Потрошитель... +Быстрее! +И божественный камин, в котором ты сможешь разжечь божественный огонь. +Шеф. +Здесь нам больше делать нечего. +А в семье все друг другу помогают. +Шерлок Холмс. +А, ну да, теперь вобще всё беспроводное. +Шерлок Холмс. +В твоем случае о компьютерах. +Я знаю, что я не могу запретить ему встречаться с другими людьми. +О чем думаешь? +Пошли... пошли. +Майк Баркер, Мэтт Витзмен и Сэт Макфарлейн представляют: +Я тебя прошу .Пожалуйста. +Верю, что люди могут измениться. +Проходите дальше парни. +- Я несильно интересуюсь одеждой, но даже у меня найдется подходящее для бала платье. +Смотри, это как у гинекологов. +Гомер? +И я подняла его. +- Ага! +Мне надо увидеться с матерью. +Я же говорил, я никого не трогаю. +Анатомия Грей 5 сезон, 7 серия +Я не могу сейчас все просто бросить... +Salvador, Fabian, Jesus, Maria, +Ты ни в чём не виноват. +Ты уверена, что хочешь этого? +Да, это лейтенант Карлтон, мы сотрудничаем с полицией штата. +Думаю, человек, который это написал, сейчас нищий +Ладно, расскажу я, что копу сказал. +И лучше нас здесь нет +Это война еврейского интернационала за мировую революцию, за идею сделать... народы рабами, так, как это уже сделали с вами. +Ну, чё припёрся то? +- Целый? +- и Иисус. +И у неё был ребёнок. +Но, сейчас, есть дела покрупнее. +Или есть ещё какие-то причины, по которым ты не хочешь, чтобы я говорила с ним? +Я проверил его показания, они не сходятся. +Что? +Сначала я хотел, чтобы презентацию провёл мой сын, +Это было частью вашего плана? +Но друзья зовут меня Бабушка. +Да. +Спасибо, но у меня много фоток... с девочками, которые отчаянно хотят привлечь внимание парней чтобы поднять cвою самооценку. +Потому что это был правильный поступок? +Справедливо. +У меня... хорошо. +Какая разница? +Конечно, они могли отправить сообщение по букве, с этим не поспоришь. +Мы этот жопошный город в 1814 дотла спалили. +— Всем довольны? +Ее идеальным ребенком. +Смотри, как он рад тебя видеть. +Скажи мне... +Настасья! +Гармонией, благодаря которой мы можем жить среди гор рядом с оленями и волками одновременно... с оленями и с волками... +Вы должны остаться здесь. +Все, ок, подымайте его. +Канзас-Сити. +Как всегда. +Где ты? +Почему же? +Он звонил ему на мобильный. +То есть ты не помнишь... +— Стив! +Это очень мило. +О, ты был там? +Я знал, что оставил отпечатки. +Будь это Сьюзи, иои девушка по имени Алекс... +Убийца оглушил его сзади. +Спрыгнувшего или выброшенного? +Теньзинь! +- Да, ты знаешь. +Это ужасно. +- Я не тупица. +Побалуй себя. +Ты должен вернуться! +Северная Атлантика, 07:13 AM +Ближе всего к Вашингтону. +- Почему? +Убивать людей. +Чего-то не хватает. +Сейчас посмотри вниз. +Не было никакого гнета. +что нам опасно во всё это влезать. +Эм... будь добра, подожди меня снаружи. +Кто ты? +- ну, не совсем. +- Гхм. +- Клево. +Я так рада за тебя. +В смысле, как сказать своему парню, что ты беременна от кого-то, сама не знаю от кого? +Да. +-Ты прав. +Тем вечером она вернулась домой в ярости. +Так вы что-нибудь слышали? +Посмотри на эту женщину. +А сколько салфеток? +Ну это да. +Ну я не знаю... +- Ладно, оставь их. +Да, мои милые. +Моча стерильна. +(SlGHS) +Ч Ќет, мы были пь€ные. +Ч ¬олосатый глэм? +Пойдем, я отведу тебя домой. +Круто! +Салат заказывали? +святой я. +Когда экран затемнится, у вас появится более конкретное представление о месте расположения камеры. +О, Боже. +Прошу прощения, Сайрус. +К черту. +Мистер Шилдс рассказывал, что Вселенная бесконечна. +Это кто сказал? +А я не уверен. +Что ж, если ты все обдумала - делай, как знаешь. +И, на заметку, никто из нас не знает как на самом деле это делать. +Они штурмуют магазин. +Я подожду снаружи, посторожу Жучок. +Ќа стену вешают большую простыню, на ней фильм и показывают. +Кто-то делает мне массаж! +Как ты можешь меня ненавидеть? +Да, похоже один из моих фургонов Что он сделал, сбил кого-то и смылся? +Мы связались с ней. +Я понял. +Месье Барбьери. +Надеюсь. +- если бы я... +Знаешь что, парень? +На одну ночь - возможно. +- Все так рады, что вы приехали. +Оливер +- Так решено? +Яхия! +Есть что-нибудь в доме? +- Бинджи умер. +Она не убила вас. +Ты не станешь. +Да, он управляет крепким бизнесом. +Уличная кликуха +"Писатель"? +Мы ищем девушку с йоги. +- Ясень. +! +И чтобьı бьıло ясно: не вьıходить, не вьıлетать, не телепортироваться и не вьıпрьıгивать из этого здания, пока нас не будет. +До турнира магов ещё несколько лет. +Argh! +Позвони мне, как только узнаешь больше. +Хорошо? +- Нет, мне так... +Там что-то есть. +— Она тебе не сиделка. +Уверен, врала. +Но, как говорится в моей татуировке +Наша пицца будет готова в 2.15 +- Мой отец хотел знать почему я задушил доктора, и как я это сделал. +Но, когда я спрашиваю тебя, что происходит, ты со мной не разговариваешь. +То я снова буду описывать вечеринки дней рождений животных. +- Слишком рано, Боб. +— Нет никакого желания. +Мне нечего надеть. +На обоих запястьях видны компрессионные переломы. +Я знаю, это бессмысленно. +Хорошо. +Ну, я не думаю, что Вас ограбили. +..не позволим.. во что бьI то ни стало.. +Значит тьI .. ученьIй? +Ни у кого нет ответа? +Мы понаблюдаем за ней еще несколько дней. +- Тихуана, мотель. +Кто может сказать, что я на все сто делаю всё правильно? +Это грубо. +Твоя фамилия Пакерман, да? +Потому что вы в Хоре. +И напишу статью, от которой у вас волосы встанут дыбом. +С ее отца, напротив, не взяли даже штрафа. +Она опять тебе звонила? +Вы правда так думаете? +— Я дойду до начальства. +Она видела его онлайн в прошлом месяце, но сразу не поняла. +К слову о дьяволе. +Завтра будет другой день +-Что если мы не вернёмся? +Похоже, они не особо о тебе волнуются. +Нет, тебе не нужно принаряжаться. +Я принес багаж, дорогая, но боюсь, там что-то разбилось. +Не в этой жизни. +У меня было плохо с химией. +Лечишься? +¬се должны быть счастливы. +¬ свой выходной. +О да. +Они могут быть связными. +Почему луна такая одинокая? +- Идите, садитесь с Братством. +Но может. +Ты в порядке? +Английский, Ирен, английский. +Ты даже не пытался. +Ты делаешь мне больно! +Давай. +Фрейд умер, правильно? +Слушайте все. +— Пошли. +Я вас к нему провожу. +— Ты лучше. +У меня начинается клаустрофобия. +Он выглядит как Шерлок Холмс. +Змеи, эй! +Солнечные лучи выманили на поверхность других ужей. +Три варианта. +Мелисса? +Я прокручивала в голове наш сеанс, снова и снова, и... +Не хочу, чтоб ты это сделал. +(Бормотание, скрежет металла) +Я чувствую себя защищенной рядом с ним. +Сказав нет, я солгу моему господину, и я не знаю что хуже. +Мы все братья! +♪ +Ладно, хорошо. +Какой рекламой? +С собой её у меня нет. +Ты хочешь, чтобы я оставила комнату, в то время как ты трудишься в магазине и тебе негде жить? +Ын Сон, вот это сюрприз. +Мы с твоей мамой дружим уже 30 лет. +О, боже мой. +Крыска Энни. +Расти ее! +Я бы сейчас тебя взял... +- Зудит... +- Я из отеля пришла. +Потому что это самая крутая история в мире и я это докажу. +ѕолагаю, это было что-то вроде любовного клича. +Только незначительные следы безобидных микробов. +Но тогда мне нечем будет торговаться. +- Серия 4 +Mode не следует тенденциям. +Дейл, я тут вообще-то убираю. +В твоем случае, до конца недели. +- Джил Потрошитель. +Ублюдок! +Нет, нет. +Будет хуже. +В какой стране? +Дерьмо. +Не знаю, почему ты решил назвать их в честь каких-то тётушек. +Прости, что никогда не говорила тебе об этом, но я знала, что ты думаешь о детях. +Здесь вот, твой фон для того, чтоб ты делала потрясающие портреты. +Вы также знали, что он хранит ключ при себе. +Я не понимаю. +Случилось невозможное +Я теперь питаюсь небольшими порциями пять раз в день. +Трейси. +Закон о застройке городов и поселений. +Просто примите это как данность. +Что случилось? +- Идёт! +Я не экстрасенс Шерлок Холмс играющий в Супермэна. +Дамы любят его? +Я сейчас вернусь. +Это просто здорово, Майк. +одна из вещей, которую тайный агент обязан забыть это мысль о честной схватке. +Во время полета они чувствуют, что возвращаются на остров. +Как дела, Доуз? +сэр. +Вероника нуждается в тебе, +Когда Сплетница присылала свои сообщения +Мой постоянный клиент +Нет, не получится +Я не могу собраться с мыслями +Ready? +- Охуеть, Скотти! +- Спасибо. +Я был испуган, потому что... +- Деде, иди сюда, взгляни на мой гибискус У него появился роскошный розовый цветок. +Я рассказал Мэни, что случилось той ночью. +- Где-то здесь. +Отправляйтесь в Пэрис. +Посмотрим на что вы способны. +Хорошо, это глупо Принцесса: +Думаешь, что всё это - игра? +- Да. +Ну, ясно ... +субтитры подготовил oneoflost +Я еще свой не заработал. +Извини, что опоздала. +По ее словам. +Что я знаю - так это то, что человек делает что-то потому что хочет чего-то добиться. +Почему такие убийства? +Начал хорошо и потом просто "выпал". +Я получил то, что хотел, но мне было важно их заработать. +Мы собирались пойти в торговый центр. +Где ты был? +Я не практикантка. +Мой "бывший".... +Вот как его с одной чашки кроет! +Есть пульс. +- Вдруг вы будете искать дом, или что-нибудь подобное. +Я буду старше, когда он вернется. +У них строгий кодекс чести. +- Не будь таким занудой. +Вы, видимо, Магда. +Еще бы. +Здесь нет игры. +'Ждала что бы получить шанс на освобождение.' У нас нарушение безопасности в саду. +- Я буду рядом. +Погоди. +Скотт? +Вздерни их на флагшток, и гляди, кто станет салютовать. +Надеюсь что нет. +Планета в иллюминаторе уже огромная. +В историю бедность, дешёвую дурь! +- Да, на что? +И добро пожаловать на виллу. +Извините, конечно, но вам крышка. +твоя жизнь... тебе больше не принадлежит. +Пойдем назад. +Я так и сделаю, но сначала вы, парни, отдадите свои стволы. +Мой плащ, туфли и безупречные перчатки. +Объяви розыск. +Боже, Билл, ты меня до чёртиков напугал! +Мы пытаемся поддержать порядок. +А помнишь этого сумасшедшего? +Я думал, он... +Что он задумал? +Что такое? +Теперь ты дружишь с геем. +Пошел за анализами. +Подожди. +Закончил Школу Лиги Плюща, женился на девушке из школы. +Я только что видела, как муж Джини целовал другую женщину. +"Темно и мрачно, и невозможно понять акцент, отвратительная еда, много насилия, наркотиков, люди впрыскивают темазепам друг другу в конечности... +Замечательно. +Я чувствую, что сейчас не могу двигаться вперед. +Я его вижу в твоих глазах. +Ничего, просто хотелось посмотреть комнату. +Ага. +На то есть причины. +Осторожно. +Робомир - символ мира и гуманности. +И трудно соблюдать здоровую диету. +С тех пор баклажаны... +В пятницу приедут из Общества охраны природы для выступления. +Мы курили сигареты. +Она всегда уставшая. +ДАЙАН КРЮГЕР +Это значит, что ты все забыл. +Моя знакомая работает здесь медсестрой. +О боже! +На кого? +Нет. +Да, да, входите. +Я не хочу выглядеть анти-феминисткой. +О, нет. +Совершенно естественно, что вы расстроены. +Как тебе пришла идея сделать нечто настолько... +А бывает так, что перед каким-то событием воплощения не появлялись, но ты просто не помнишь, что произошло? +Древняя Греция? +Понял. +Дуайт, я могу с тобой поговорить? +Так вы смотрели первую часть? +Внимание, народ. +Меня огорчает эта ситуация. +Страницу. +Проходите. +"Чарли Келли против Главной Лиги Бейсбола и Неистового Филли." +Вот бы и мне какой-нибудь приём. +Я благодарен тебе за это предложение. +- Что? +Я не могу поверить, что не замечал этого раньше. +Артур Митчел, ты просто получил отсрочку приведения в исполнение приговора +Да, если это можно так назвать +- "The Doors", они настолько лучше! +В 1968 году +Спасибо. +Так что дело не только во мне. +Да, настоящий дух Рождества. +- Вы не арестуете мою жену. +- Что тебе надо? +Иди сюда. +йакес еповес. +Ты можешь мне ответить? +Береги её. +Чтобы избавиться от источника проблем, я принял важное решение. +- Я не позволю ей так просто уйти. +Там ничего от него не осталось. +Поэтому я собираюсь навестить его. +Да, сэр! +Чан Ди, ты в порядке? +Но? +Держи. +Ты нашла что-то, из-за чего готова быть названной сумасшедшей. +Я буду защищать тебя. +Три закрытых дела +- Ты видишь? +Я бы с удовольствием посидел и не обсуждал это больше. +Оскорбляющий бывший муж. +и в какой-то момент она подошла к чужому ребенку и заговорила с ним. +Жюри вынесло вердикт? +А вы? +Встреча Пантеона Несогласных и последнего из Повелителей Времени. +– Марлин, тут только ты и я. +Что такое, Баллард? +- Я буду в полной безопасности. +Морин приехала в ужасном состоянии, +Какие-то проблемы? +Но, Ла Хи... +Винный осадок... +Мы уже достаточно натерпелись. +Э, куда ты пошел? +- Ты с ума сошел. +Извини. +Майлз, счастливого Рождества. +Что странно, потому что большинство преступников вытерли бы его перед повторным использованием. +Добрый вечер, сэр. +Нет, благодарю. +Он сам обмотался вокруг деревьев и сам же исчез. +Так, да? +Удивительно. +Если за год она не передумает, встретимся снова. +Мы ждали, чтобы поговорить с ним. +Зиги был с вами на дне Благодарения. +- Спасибо. +сэр. +на что уставились? +Твой младший брат... скоро будет у нас. +Хладнокровно убивали своих коллег и товарищей. +Связи нет. +Да. +У меня есть просьба. +Буда и Пешт? +Оппа. +голубиная" стая лишилась своего вожака. +Мы просто оставим его в покое? +но до меня даже не дотронулись. +что взял Юн Хва в Венгрии. +Мы обязаны есть именно здесь? +Ты убил Сон Юн Мина? +Простите. +Хо-хо-хо, с Рождеством тебя, дорогая Лоис. +Ну, она снимается. +Осторожно. +Это их вина. +Спасибо. +Это самый ужасный напиток за всю мою жизнь. +И что у нас тут? +Эта та железная дверь, которую она описывала +Я послушный гражданин. +- Не-а. +Это не вызов. +Я смогу сузить промежуток времени до суток, когда из личинок выведутся мухи. +Я не помню. +вы же ещё не слышали. +Ni trop sage Не слишком мудрый +С теми, которых мы закопали. +- Не обижайтесь +- +Крошечных роботов! +- Ты должна приехать тоже и провести выходные в нашем доме. +Не нужно курить. +Ладно, во-первых, ты собираешься скрываться всю оставшуюся жизнь? +I'm gonna have to process this. +Убил я. +Может вызвать отказ нескольких органов, если Если бы уровень гормона щитовидки не был в полном порядке. +Ты отнял жизнь у пациента и врал об этом неделями. +Берите...змеиные лаза. +Посмотри на себе. +И учу биологии детей, которые с радостью бы занялись чем-то еще. +Я молюсь за ее душу. +-Ты подрос. +Чертова Venus Gate! +Ты чего творишь? +Еще раз. +Хватит, Стю. +Парень, ты как? +Я не притворяюсь. +Это Тедди, он с нами. +- Подвинься. +И у него штурвал прикреплен к месту, где трусы расходятся. +В том случае, если... +В миллиардах световых лет от дома. +Вам же известно, сэр. +- А также преступление во времени. +Великолепно! +Не всё так просто! +- Да, вот эта дама. +Эбби, сейчас ты произносишь свою речь. +Прости, Филлис. +Если бы ты был снайпером, я бы уже сообщила твои координаты. +Слушай, а мои десять косых? +Привет +Глар и не Нира. +И никакой пощады. +Какая большая вселенная! +- O, великолепно. +Что нового в Хеттоне? +Джон рассказывал мне, как дивно он провел у вас уик-энд. +На самом деле... я полагаю, что она сейчас с ним. +И я его понимаю. +Да, именно, вы — результат всего, что произошло с вами. +С волнением и радостью сообщаю вам, что буду продюсировать... новый фильм Гвидо Контини: +Здесь все, кто может помочь с фильмом. +Грим, пожалуйста! +Хмм, Вы входите в царство психологии, в область непроверяемых домыслов. +Доктор чувак или чувиха? +-Я хочу убить его. +Это именно то, о чём я говорю. +Был только один телефонный звонок? +Всё по-прежнему. +Да, но в этот раз у нас особая процедура, Эхо. +Ты доверяешь мне? +Вечером самцы и самки собираются вместе, и самцы начинают новое соревнование - глаз за глаз. +Он с радостью схватится руками за эту штуку и даст ее коню облизать +Мы ... +Не точно так же, как здесь Вы. +Конечно, это же твой монтаж. +Давайте я вам обьясню: +Похоже, что другие всадники были возрождены. +Ты не против, если я немножко вздремну? +Первый бал в школе. +Так чего ты ждешь? +- Рад был встрече. +- Мы можем поговорить перед уроком? +Просто я такая, Элли. +Хорошо, хорошо. +Оказывается... +Мне кажется, у тебя доброе сердце. +Просто откройся. +навсегда погрузшее в приливах и самоуверенности +Это... +Значит, Нолан ей вхреначит. * +* И я маньяк-испаньяк. +Я ж не могу поспать! +Ты где? +Пльзень, там живет Эма. +Мы же так и договаривались. +Знаешь, куда мы поедем на Пасху? +— Нет! +— Да, но... +Что Эти следы от шин - здесь, в грязи. +И если ты будешь недоволен, я расплачусь. +Тогда, я тоже помогу. +Это то, что тебе нужно. +Собрать вещи и уехать в другую страну... +Извини, я разбудила тебя? +Это столб света... +Наши агенты в данный момент прочёсывают местность. +Тут кое-что еще. +И вот сколько вы должны за месяц. +Тайлер Кейт Оуэнс +А кто бы мог подумать, что я, успешный менеджер крупной компании, ...вчера еще всеми любимый, ...этим вечером буду, как идиот, торчать перед этим домом ...и орать весь этот идиотский бред. +Наших душевнобольных. +Значит, это три пентхауса, так? +Я просто тренировался. +Если я соглашусь, а пересадка не удастся... +Мы не можем потерять всю ночь. +Да, левую. +Опросы говорят: +Я знаю, что это ты. +Мы тебе благодарны. +До свидания. +Чувак, на этот раз это хорошо. +Ничего, в этих местах полно уродов! +Без проблем, Мисс Смит. +Не думаю, что будет следующий раз. +Мам. +- С тобой? +А как он выглядит? +Вот запись его визита. +Подумай об этом. +Эти жареные пирожки такие вкусные! +Я знаю, что это. +Ты должен помочь нам. +Ладненько. +Ты обдолбанный имбицил. +Какой смысл в деньгах, которые не можешь потратить? +Я знаю парня, который знает парня по кличке типа "Человек дождя". +Хм, что-то я не припоминаю гигантской такой сносочки в "Правилах журналистики от Лоис Лэйн". +Похоже на красный провод. +Д-р Шепард, а я тут рассказывал про наш новый график членам правления. +- А ты разве не это делал все время? +Звонит звонок, я отвечаю. +Это старое говно еще долго проработает, и даже после нас будет работать. +Сара... +Поднимаем! +Вы их не любите. +Приятно видеть молодую француженку, восхищающуюся творчеством Рифеншталя. +Когда я передвигался из джунглей в Америку я плыл на корабле? +Эти двое - те самые немцы из отряда Мразей, которые одевали нашу форму и устраивали засады. +Бил Косби. +Герти. +Сэм, в чем дело? +Разговаривает именно так. +Барт Лемминг поднимается к нам. +Конечно, Джон сказал что они не могут подтвердить +И описать свою автобиографию. +Азиатская. +Эй, уже 3 часа утра. +Мы не должны иметь секретов друг от друга. +Близнецы, я думаю. +между вами и вашим мужем, чтобы мы там ни видели или испытывали в видениях. +Пора применить мои надежные подошвы: +Не веришь мне? +Я должен идти. +Послушайте, Джим, Марти. +На этой длинной записке. +Вы все в этом участвуете? +- Малкольм. +Ты сможешь. +Это расхожая фраза. +Вы свободны! +Простите, сэр. +Алкоголь крепче тебя. +- Мистер Ник? +Или, быть может, менее красочными. +Мы не смогли доказать, что Джоул Тэнан - убийца, но по крайней мере, мы убрали его из ее жизни. +Сложно сказать. +Джек Гарсия, которого вы видите на ТВ, это не тот мужчина, за которого я вышла замуж. +Поэтому мы уехали подальше от кампуса. +У моего отца слабое сердце. +Обвинялся в изнасиловании, в нападении, в деле о наркотиках, в ношении автоматического оружия. +Эй, Лу! +Неправда. +Он монгольский воин из 13 века. +Мы хотим профсоюз! +Ларри! +Но тебе нравится "Теннесси"? +Знаю. +Он живет с нами? +Медсестра. +После пыток они признавали вину и соглашались, что их казнь - справедливое наказание. +Барри, было приятно встретиться с тобой сегодня в кафетерии. +Друг друга какого-то простака. +Давай что-нибудь другое +Будьте честными. +Ты должен уложить меня в постель. +Это была Рин Рин! +А я больше не буду над тобой издеваться. +[С кем встречается Кан Шин У? +Это не имеет ничего общего с тобой, твоей бывшей женой или моей болью. +Можете моргнуть один раз, если "да", два - если "нет"? +– Составлю тебе компанию. +Карбоновые двери, усиленные пружины. +Эстебан... +Я уже волнуюсь. +Отлично. +Ты ведь знаешь, как эти люди относятся к посещаемости. +На этот момент никаких предположений нет. +-Ты сошел с ума? +Она хотела узнать, как получить запретительный судебный приказ. +Нью-Йорк по прежнему за смертельную казнь через инъекцию. +- Мы просто хотим... +Ты что творишь? +Так вот кто кричал. +Опять грабитель? +Раскололся наш. +а моя... проба подошла? +Коль встретим мы любовь-мечту, +Предложение, сделанное в основном из-за лауданума и цвета волос невесты, должно теперь обернуться браком, основанным на любви и постоянстве. +У тебя должна быть идея. +Парни? +Все продолжается. +Я наношу ответный удар, только когда мне что-то нужно. +Значит, куда больше шансов, что диагноз — экстрагенитальный эндометриоз. +Оливия. +Ну, и где же ты была всю мою жизнь? +Думаешь, Коттон способен на убийство? +А иначе Бренда Гормли. +Конечно, он покончил с собой, прежде чем мы смогли схватить его +чтобы ты мне говорила это. +Мы явно забыли или не стали возвращаться к статьям доходов и приводить их в порядок. +Я сделаю это. +Свежий как маргаритка. +Тогда ваше сотрудничество с Клайдом Мейсоном и началось? +Это пройдёт, я уверен +Только после того, как вы, двое, во всем разберетесь. +Мда, моя икота прошла. +Когда я сказал отцу, что боюсь твари в моем шкафу, +Он просто хотел вырваться. +Дирк - придурок. +Это подделка из папье-маше. +Определённо. +У нас было очень много сделок. +Они меньше заморачиваются, +Стой! +Положи это. +С вас 100 йен. +Он такой пугающий... найду работу на полставки. +Она подумала о том, чтобы предъявить иск по этому делу? +Как всё это мог сделать один человек? +Дубина! +Интересно... +Что-то не так? +485)}Банкет в ущелье что скрыта в тебе самом. +Он мне не родной сын. +300)}Niji ga kakaru yo 440)}Тебе пообещала +! +Тени... +сейчас не время для объятий... +Ч-что за? +Почему ты не проявил отцовскую волю и ничего им не сказал? +Глупец. +1 Корпус. +Сигнала от Лина всё нет. +товарищ Кимбли? +что у него за связи. +Они могут быть жертвами. +Я совершенно серьёзно. +Все вы уже у меня в желудке. +Мы сделали это! +Коварно, но эффектно +Я помолился за ее душу. +Твоя мама,упокой господь ее душу... она настояла бы на том,чтобы мы провели всё в Мумбаи. +Нет,я имею в виду,что... +И написали недавно. +Нифигасе +Кто же как не я, говорил не оставлять горящий пакет с твоим дерьмом под дверью продюсера +Ричард, дай мне... +Ну теперь мы все здесь, я думаю... +Пойдем, Эмджей, пора домой. +Ну, на данный момент, это не реальное место назначения. +О чем все остальные за 10 лет. +что у вас тут? +- Сообщите мне, когда Патрик приедет. +Отлично. +Это же кривая обучения. +Это ты, да? +Ни его родители, ни друзья, никто не знал, где он. +Ахмет, смотри! +Я порeкомeндовaл тeбя, и они соглaсились. +Хватит! +Подходит? +Так больно? +а не дворовые мальчишки. +Я видел, как они издевались над ней. +- Не за что. +Хорошо. +Я серьезно. +ƒержи. +Она волновалась вчера ночью, потому что ты такой прекрасный, и она недостойна тебя. +Значит, из-за того, что ты хочешь вернуть свои 20 лет, вместо попкорна и задницы красавца с экрана, я должна напиваться с тобой и твоей буйной подружкой? +Я ухожу. +Вернись, мой газетный друг! +Тот клевый парень - это же просто игра чтобы ты переспала со мной. +Ты о чем? +Я уверен, это превосходно, спасибо. +Одного взгляда хватило. +Кто ему это написал? +Десять десятых? +Не совсем так. +Очень, очень далеко. +Нет, нет, нет. +И скоро ты сможешь летать! +Так что они бездействовали. +Мэри Данбар, она давала массировать свою спину каждому. +Все. +Вау, я чувствую себя важной особой. +Я просто хотел сказать тебе спасибо за убийство тех тварей. +Это сеть. +¬перЄд. +ѕон€л. урс прежний. 0-3-0. +– Ну да, я заложил очень крутой вираж... +Рюкзак. +Ќе смотри ей в глаза. +Они верят мне. +Ладно, я захожу. +- Никакого. +Грейс ничего не упускала. +Гpeйc. +Мы знаем, что его застрелили, чтобы заткнуть ему рот. +Пасуй, пасуй. +Лежи на месте! +Мы тоже бились с Акаги и Като. +Нет. +- Да? +- Люблю тебя. +Помедленнее! +Да я понятия не имела насколько большим и важным был шаг, который мы сделали! +С чистого листа!" +И мне кажется, люди, которые по натуре одиночки, у которых были определённые трудности, когда они были совсем молоды, +Это не главная команда. +Изъян плана в том, что вы оставляете еду на всех своих перископах, и поэтому не видите куда вы движетесь. +-Ах ты не веришь! +как я посмотрю. +П-проклятье... +Что, чёрт возьми? +По-настоящему мы сблизились, когда Хёнджун появился в NSS. +*EX. +Они ничего не могут сделать. +Мама? +Я постараюсь. +да.. +Обо мне. +Давай. +Все это....действительно должно случиться? +Я не хочу этого делать." +Окей, так, слушай,иди по вентиляции к прачечной; если ты сможешь добраться до прачечной, то окажешься прямо перед дверью. +Пожалуйста, только не мусорные контейнеры. +Я слышал, Минелли приглашает тебя на стаканчик. +Мы все испробовали, Анна. +На улице тебя ждет машина. +Было такое. +Ну, Клотэр ! +Нет. +В моей жизни это только заполнение часов исполнительской работой, это удерживает меня на плаву, более или менее. +И в школе есть поважнее дела, чем просто спорт. +Получившийся газ поглощался желудочно-кишечным трактом. +- При всем моем уважении, ... первое, что Альфа пытался сделать после соединения личностей... было уничтожение своей оригинальной. +Он сделает из меня высшее существо. +- Нет, я не согласен. +- Мне переодеться? +Но что будет, если ты не можешь сам о себе позаботиться? +Я еду домой. +Пока не важно +Ты целый год пахал, как лошадь +Ну надо же! +Но я слышал, что тебя... +Я сама закрою за собой дверь! +Хотя Габриэля простить будет труднее. +Я и в магазине слышала, как об этом говорили, что... что какая-то манифестация, что концерт... +Мы уже проехали"извини" на данный момент, Бетти. +мне нужно подготовиться. +У меня дела. +Не думайте, что я позволю ей забрать кота +Слушайте, эти парни узнают, чем мы ответим. +Человек не будет сыт сомнениями. +Вы - девственник, правда? +— Посчитайте, пожалуйста. +Что это значит? +Она проводила там время, большего никто никогда не знал. +Инфекция фекального стрептококка от рака толстой кишки. +Сюда, киса, киса, киса. +Я тебя достану, я тебя сильно достану. +Я не тот за кого.. +Ты сделала это? +Если у вас больше нет вопросов, то я предпочту отправиться в тюрьму. +О нет, кровь. +Но потом уступил маме. +Серьёзно? +А, я говорил тебе, что они все еще вместе. +Любовь так прекрасна. +И тогда голубое небо и солнце гарантирую. +Только цель +Он не дожил до этого момента. +Это настоящий крокодил! +Помоги мне! +Я позвонил сам себе. +Что не даёт тебе право перекинуться в лагерь защиты. +- Искала приключений. +По словарю "горе" - это острое душевное страдание из-за несчастья или потери. +Слава Богу. +И я знаю, что некоторые из вас сегодня пришли сюда глубоко одинокими. +Нет. +Картографирование кажется было осуществлено во время ледникового периода, а это было миллионы лет назад. +Но если факелы не использовались, то как эти древние комнаты и коридоры были освещены? +И девушка полностью погружается в работу. +Ты со мной. +Я выключаю телефон, хорошо? +"Бог даёт нам родственников... +Я понимаю. +Привет, вы не видели доктора Бреннан? +Думаешь, Дорит был пьян в момент смерти? +Он не хотел застрять в офисе. +Гарбер, штат Оклахома +. +Спасём корабль - и жён спасём. +Это карта лабиринта. +Прийти сюда было хорошей идеей. +Вчера и сегодня была в четырёх магазинах, мои ноги ужасно болят. +Случайно. +Боже, какая банальщина. +Шерлок Холмс был бы в восторге... +Да +Ты здорово напортачил. +В этом районе есть еще одно убежище. +Докажи что ты не полный идиот. +Нам нельзя здесь оставаться. +Я могу остаться, но она ненавидит взрослых, и если вы не уедете, она очень-очень разозлится! +Он рождается! +И моей. +- Будь там. +Этим и хорош Лас Вегас. +Ты можешь перебороть это. +- Этот способ - операция. +Почему они атакуют? +Кстати, твой дядюшка грешил и тем, и другим. +Я... +Но это... +Шерлок Холмс. +Шерлок Холмс помог полиции +Шерлок Холмс +Шерлок Холмс, посол Стэндиш из Америки и лорд Ковард, министр внутренних дел. +Закончите работу, или следующим трупом будет Шерлок Холмс. +Разыскивается Шерлок Холмс +Профессор Мориарти. +ШЕРЛОК ХОЛМС ПОМОГ ПОЛИЦИИ +РАЗЫСКИВАЕТСЯ ШЕРЛОК ХОЛМС +Шерлок Холмс. +(досл. - "Чёрный Лес") +- ШЕРЛОК ХОЛМС помогает полиции - +Я снова Ирен Адлер. +Инспектор Лестрейд просил меня срочно Вас привести к нему. +Здесь была Ирен Адлер. +Шерлок Холмс. +Завершите работу, или же следующим трупом будет Шерлок Холмс. +РАЗЫСКИВАЕТСЯ Шерлок Холмс +Инспектор Лестрейд просил меня срочно Вас привести к нему. +Профессор Мориарти. +- ШЕРЛОК ХОЛМС - +Шерлок Холмс. +- ШЕРЛОК ХОЛМС помогает полиции - +Я снова Ирен Адлер. +Инспектор Лестрейд просил меня срочно Вас привести к нему. +Здесь была Ирен Адлер. +Да... наверное, это была стандартная процедура. +Шерлок Холмс. +Завершите работу, или же следующим трупом будет Шерлок Холмс. +Прошу Вас! +РАЗЫСКИВАЕТСЯ Шерлок Холмс +- Давно пора, знаете ли... +Что Вы жулик. +Инспектор Лестрейд просил меня срочно Вас привести к нему. +Профессор Мориарти. +- ШЕРЛОК ХОЛМС - +Шерлок Холмс. +Эту женщину нужно отвезти в больницу без промедлений. +- ШЕРЛОК ХОЛМС помогает полиции - +Я снова Ирен Адлер. +Боже храни Королеву, сэр! +- Она без ума от рыжих гномов. +Инспектор Лестрейд просил меня срочно Вас привести к нему. +Здесь была Ирен Адлер. +Шерлок Холмс. +Итак... +Завершите работу, или же следующим трупом будет Шерлок Холмс. +РАЗЫСКИВАЕТСЯ Шерлок Холмс +- Что? +Осторожно, ступеньки. +Инспектор Лестрейд просил меня срочно Вас привести к нему. +Профессор Мориарти. +- ШЕРЛОК ХОЛМС - +Шерлок Холмс. +- ШЕРЛОК ХОЛМС помогает полиции - +Я снова Ирен Адлер. +Инспектор Лестрейд просил меня срочно Вас привести к нему. +Здесь была Ирен Адлер. +Шерлок Холмс. +Она шла за Вами, Холмс. +Завершите работу, или же следующим трупом будет Шерлок Холмс. +РАЗЫСКИВАЕТСЯ Шерлок Холмс +Инспектор Лестрейд просил меня срочно Вас привести к нему. +Мы считаем, что сержант был первым, кто, явившись на место преступления... +Профессор Мориарти. +- ШЕРЛОК ХОЛМС - +Шерлок Холмс! +ШЕРЛОК ХОЛМС +- Шерлок Холмс! +Мне нужно то, что Риерден делал для Блэквуда, закончите работу или следующим трупом будет Шерлок Холмс. +"Разыскивается Шерлок Холмс" Ты попал на первую полосу. +Что-ж, похоже ты теперь по другую сторону закона, а в этом мне нет равных. +Холмс! +Доктор, мисс Мэри, инспектор Лестрейд просит, чтобы вы прошли со мной. +Мориарти... профессор Мориарти. +Когда он вырастет, он станет бунтарём. +Взгляни на себя. +Передавать дворецкому записки для вас. +Я болен, Но я не слепой в конце концов. +Да. +Боже мой! +Доктор Фостер,я вас ищу +Я слышал о предъявлении обвинения Кэролин Холлин. +Я хотел привести его туда, где он сможет расслабиться, побыть в безопасности, вспомнить что-то из детства, до того, как кто-то причинит ему вред. +Тот, кто предложит лучшую идею, получит заказ. +Урод. +Все в порядке. +Как насчет тебя? +Я думаю, что они сбежали, чтобы продолжить свои гомосексуальные отношения. +Целься лучше! +Что ты делаешь? +Пожалуйста, не надо об этом, Говард. +Тестируют их! +- Где она? +- Эй, ты же у нас великий путешественник с джи пэ эм и значками. +Оставьте мою добычу! +Не повредите ценный экземпляр. +Я доложил командующему гарнизона, что дело улажено. +- Я была замужем +Мистер президент, вы в порядке? +А хавчик где? +Дай угадаю: мне достался гардероб самоубийцы? +Я же не завалила какой-то урок, нет? +Я жертвую одежду, которую он не носил. +И сколько же? +У нас есть звонок +Хорошо, ему 23, он вроде как мой парень. +Я не могу просто заскочить и сказать "привет" моему любимому связному? +— Мне просто надо было знать насколько Стриклер влиятелен. +Дай мне 250 страниц. +Он сказал мне, чтобы я отдал диски, но я сказал нет. +"Кого же вынудит к сему нужда" +Я верю в то, что трещина является результатом удара орудием возвратно-поступательного типа. +Привет, я Чак. +Пожалуйста. +На Провензе совершенно новый галстук. +Фрэнк приедет домой завтра! +Все уже ушли. +Только так можно было вернуть тебя на остров, вместе со всеми, кто его покинул. +Он стал безумным. +Что это? +Посмотри на этого бездельника. +Четыре раза, и я даже еще не приготовила ужин. +Боже, что такое? +Это вопрос выбора: потерять меньшее, но взамен спасти большее. +- Ты что, за нос меня водить вздумала? +Чо Ин... +Угу? +Она даже не может нормально петь. +Помогите мне, пожалуйста, устроить эту экскурсию. +Он не обвинял всех в своей судьбе. +Секс, чпок... +прекратите! +Я сейчас подойду. +- Что? +Наше начальство просто в ярости! +Я бежал впереди машины. +Спасибо, Мисс Тэйлор. +Калеб, я хочу, чтобы ты пошел со мной. +- Это значит, что я подумаю. +- Ты прав, Боб. +Надо спрятаться в пещере. +Калеб, сейчас же вернись в машину. +Поговори с Ржавым, хорошо? +Убери его. +Тут у нас настоящая атмосфера Капитолийского холма. +Наверное, ты только что встретила свою половинку. +Фу. +- Я даже не знаю что это? +- Эта как-там-её-зовут сидит в моей машине. +Эта записка - чтобы дать тебе знать, как я тебя презираю. +Гениально! +Это должно быть незаконно. +- Хорошо, это хорошо. +Мы с тобой играли в мяч. +Главное – найти денег. +Они просто пытаются делать то, что они будут делать. +- Но он каким-то образом умудрился тебя подвезти? +Оу, привет. +Это не игрушки. +Да. +Где Хорас? +Кто-то уже проснулся. +Вы не доложите о докторе Марко в Центр? +- Видела бы ты его. +Доктор Эмерсон, вы рассчитали траекторию? +Да, я получил ваши сообщения. +- Восемь? +Джои не захотел, чтобы Дженни запятнала свою прелестную попку? +Разве ты не гей? +Я думаю, вы понимаете, что легко быть номером один когда нет конкурентов. +Настало время привести в город нового шерифа... (лошадиное ржание) такого, который знал как играть роль президента. +Как мне дать знать Карме, что я хочу бассейн до Дня поминовения? +- Брось, Герцель. +Все из-за нее, из-за этой бочки, что бросила диету. +- От Паула, да? +Но он был нарисован примерно в то же время, что и я, в том же месте, что и я. +С тех самых пор, как я эти патрули и организовал. +Кто здесь главный? +Слишком ты на копа смахиваешь. +Я не хочу большую суету. +Моё плечо болит, твоя очередь. +Мне нужно идти. +Но хотел бы я знать, зачем вообще учиться. +Простите. +Точно не хочешь пожить у меня? +Но если понаблюдаете за Да Чжи 10 минут... +Похоже, это случилось не на Чеджу. +Всё равно. +Он игрок. +Если я уеду... он будет счастлив и даже поможет мне в этом. +Что нам теперь делать? +О.. +Она говорила, что именно хочет обсудить? +Обычно я делаю это для друзей своего сына. +Я просто говорю, что давно знаю Брук, я знаю, как ей сложно справиться с разбитым сердцем. +Сказал людям переключиться на другой канал, телесетям это не очень нравится. +Я могу его увидеть? +Они предают друг друга потому, что они жадны и слабы. +Да, уж постараемся. +Когда я была маленькой... и жила тут, был такой человек... сумасшедший... он меня сильно напугал. +Ты все об одном. +Ну, даты, номера кредиток. +Она - нянька. +Если ты тоже, я... пойму... надеюсь ... +Я слышала голос. +Есть дети эрудированые, есть не очень. +Странно - это когда её сын брызгается одеколоном и одевается, как франт. +Договорились. +Спасибо. +Вы, блядь, наверняка обвиняете меня. +- Мы должны отпустить его поспать. +Вставай, Сима. +Или ты включила любимую функцию "Выдавать желаемое за действительное". +500)}yume no tsudzuki oikakete ita hazu nanoni когда ночью вновь смогли бы видеть сны. +Все впорядке. +Он мог просто остаться в твоей спальне. +Да. +Ты пришел увидеть свою мать? +Любовь - это... кража без остатка и сожаления. +- Спасут... +Вы должны покинуть столицу. +Это было недоразумение, господин Хачжон, Ваше Превосходительство. +Это правда? +Право. +Позвольте предложить. +Именно в это я верю. +Он хотел что-то для нас приготовить. +5 лет. +Даже я поверил в это. +- угу. +Ваша Честь. +Почему нас заставили надеть белье? +Тем не менее, он выбран главой комитета по подготовке к саммиту. +Как научный проект. +Приятный сюрприз. +Я опаздываю на работу и чищу зубы. +Простите. +Поют, рисуют и вяжут крючком. +- Глупая макаронина! +House M.D. / Доктор Хаус Сезон 5, Эпизод 12 +А у Рейчел всё просто отлично. +Ты что, винишь меня? +Парень принимал лучшие в мире опиаты,которые Голубой Крест мог купить. +Я думаю,ты напутал с расписанием прийомов из-за своего комплекса "Я хочу занятся сексом". +И что с ней? +Как всегда. +Марк, ты на самом деле Шерлок Холмс? +Рицин. +Простите, иногда когда сложно думать, я закрываю глаза, это помогает. +Возьми две штучки. +Как вы думаете? +Ты можешь забрать его за доллар. +Я подумал, что если ты меня не останавливаешь, то ты выпила таблетки или еще что-нибудь такое. +- Бывшая жена. +Саша. +Да... +К чёрту математику. +- А нафига? +- Что я ем, пью... +Её волновали только две вещи +Кажется, он очень болен. +Которые захотят отобрать у нас что-нибудь? +- Что ты тут делал? +- ...что не приехал раньше. +Что он сказал? +Пойдёмте. +Это и слишком многие девочки должны любить. +МАРК: трепет некоторые! +Папа подарил мне ее на шестнадцатилетние. +Она мертва. +Увидишь, что случится! +"Мэгги". +Голод. +Если бы у них на всех была хотя бы половинка мозга, они бы поверили в высшие силы и справедливость могла быть востановленна. +И королевский флот при помощи бесчисленных торговых моряков и при поддержке еще примерно тысячи судов разного рода... перевезли более 335.000 человек из пасти смерти и позора... на их родную землю. +Но, как я сказал, это было 20 лет назад. +Ни одно вторжение не сработает без гавани. +Да? +Очнись! +И я думаю, что я мог бы сейчас уже быть свободным, так, как того и желаю, я мог бы уже победить этот чёртов... амиотрофический склероз... напоследок. +Я был так погружен в себя, что не понимал, что что-то не так. +Женщина, чье тело вы обнаружители, с ней ничего странного не происходило этим вечером? +"Кусок Хлеба" литературная гадость. +Мы купались в том, большом. +Мы молимся Господу, чтобы не отчаиваться перед лицом смерти. +И никогда не расставались. +Целовать её или... +Я использовал такую, когда учился +Расскажи мне... +- Оу, должно быть что-то хорошее. +Подожди +Джокер попал в психушку Аркхэм летом восемьдесят девятого. +Дааа +Что папочка? +Таким образом этих документов ни у кого нет. +Да,должна +Мию Вестлэйк замучают до смерти. +Это все. +Эдриан. +Ну нет, я не хочу слушать про ваш безумный обезьяний секс. +Почему он всегда думает, что я пытаюсь преподать ему урок? +Я совершенно, совершенно устала. +Ты сразу предполагаешь, что они мои. +Её зовут... +Доктор Ченг? +Это было очень, очень грубо, хорошо? +188 00:08:36,064 -- 00:08:38,965 (выдыхает и тихо смеется) +Можно мне пойти с ней. +Делают всё, чтобы продвинуться, что бы обеспечить свои семьи. +Картер: +На землю! +Он был хороший мальчик. +Под прикрытием Сезон 2 Серия 3 "Убежище зверя" +Эриксон считает себя своего рода мессией. +И он едва смотрел мне в глаза. +Это ужин. +Пошел в задницу! +Черт возьми! +Я на это надеюсь. +Понял? +что суд присяжных способен спокойно выяснить правду. +Но это заболевание по крайней мере +Направление, которым я занимаюсь, это маркетинг. +Дай мне чуток этих кристаллов. +Отец Маленького Чабби, Большой Чабби владелец почти каждого бизнеса в городе от химчисток... +-Ничего об этом не слышал. +Солёный хлеб! +- Ладно, давай по-другому. +Я знаю, что ты делала этим летом, и с кем. +Я там, где мне нужно быть. +КЛИВЛЕНД +Ты нехарактерно не супер-многословен. +Если от меня не будет вестей до 4 дня... вы поймете, что у меня возникли проблемы. +А кто вам нужен? +Шпиц и Фишер "Судебно-медицинская экспертиза", +Остановите ее. +Раны на руках были обычным делом для войсковой разведки. +И я тоже в ярости. +Верно? +Достаточно хорошей, чтобы одурачить Ширли, провернуть аферу с чеком и подчистить их банковский счёт. +Комик-кон в Сан-Диего? +Ну, Лоррейн, знаешь, ведь я всегда могу остаться, +"Я желаю проигрывать и с лёгкостью переживать это." +Да. +Исчезает. +Он ушёл с нашими файлами. +Юнис должен был обыскать его. +- Прошу прощения. +И ещё вдогонку! +У него эта жалкая нужда всем об этом рассказывать. +- Сердечная частота снова падает. +Открывай, не будь такой скучной. +Идиоты. +- Кажется нашёл ! +Я вас умоляю, я участвовала в сокрытии ценностей. +Террористы. +Вообще-то, да. +Если, конечно, мне не прикажет Император. +! +Именно тот ответ, которого я хотела. +Именно поэтому они были у Гвен. +Спасибо за доверие. +Ты не можешь винить меня за то, что ты с ним сделал. +- Это тоже. +Кто будет снимать? +Прекратите быть такой девочкой. +Теперь мы вместе, Лана. +И с выбором таким должны всю жизнь прожить. +- Просто возьми тонкий нож или канцелярский нож. +перевод: hvblack +Однажды на Новый год она так набралась, что упала в пруд с рыбами кои... в котором она приземлилась на тебя, пьяную в стельку. +Ничего не меняй. +Это безумно хорошо. +Ну просто... +Нет, Ло.. я.. +- Понимаете, Рей... +Ты не хочешь объяснить это целиком для тех, кто уже выпил стакан вина? +- Ты о том, что ошиблась с беременностью? +Кто же устоит от такого приглашения? +Хочешь? +Эй, весельчак, мы уже побывали в Маями, а теперь пора домой. +- Нет. +-Нет. +Где он собирается быть в 16.45 сегодня? +Ты должен мне помочь. +- Все в порядке? +Вам нужны баксы? +- Как будто твоя Изабелла ангел. +Сколько времени это может занять? +Если бы ты ассистировала +Еще с большим количеством такого хрупкого материала +ДАААААА! +Но я приехал, чтобы понять, что есть другие люди, о которых нужно думать, другие люди, о которых нужно заботиться. +Я не могу позволить незнакомцу вмешиваться в наши дела. +И сказали: "Мистер Руссо, мы сожалеем, если причинили вам боль той ночью в клубе во время рейда. +Именно это я и попытался сделать с собственной жизнью. +Это воспоминания современника Петра Ильича. +Настя, не вылетай! +Привет! +Он работает. +Мы хотелибы получить посылку. +Я дал ему слово. +Он там? +Давай, заходи. +Послушайте, ребята. +Я пытался... защитить себя. +О, у тебя хорошо получается. +Эй, нет ничего плохого в том, чтобы быть продавцом мебели, точно так же, как и кем-либо другим. +Ну потому что когда ты читаешь её, она чувствует, что ты осуждаешь её. +Однако должен сказать, раньше он выглядел получше. +Да. +"Ураганы никогда не начинаются без предупреждения. +Ты немного отдохнёшь. +Kevin Hales. +Пора домой. +Как я и думал, она не уверена во мне. +Итак, здесь нет ничего общего с уходом Доктора Тома? +Все, что я знаю, это то, что он врет. +Снова Сэм? +Мне очень жаль.Я плачу за все. +Я должен тебе сказать. +I won't be able to keep it to myself. +Не может быть, чтобы нас вызвали. +Он даже все убрал после окончания трапезы. +Давай скопируем +Твой драгоценный отец скрывал от тебя правду. +И забыл чуранье, Как им дать отпор! +Спасибо, что ты такая классная, мам. +Обнаружить, объяснить, спрятать, Элли. +- О, я в порядке. +Я знаю, я бы был. +Всё же вам этого не понять. +Знаешь, ты мне очень нравишься. +Вау, ух ты, надо же... +Значит это не правит сознанием? +Спасибо, Мегги. +И путь всей нашей компании подобен гейше. +Божественно! +Мне больше нравился Шерлок Холмс. +Сейчас займусь. +Нападай! +проведём забег. +163)\1cH4833C6}Следующая глава: +Эй. +Как быстро! +Так-то! +Простите. +Ни за что и никогда! +Дальше я вас не пущу! +Он - враг гильдии. +Почему? +Я потеряла ключи... я всем только мешалась. +не дай ей уйти! +но не такого же. +Ты у нас знаменитая новенькая? +ты сказала: "Не хочу тебя больше видеть". +Дедуля. +Что такое с Дождией? +Sh1ka +что вы откажетесь! +Я хочу, чтобы мы пошли одни, Рэй. +- Ии-и? +Ладно, Шелдон. +ƒорогой, это €... +Вы же не хотели для нее такой жизни. +Всадник? +- Война. +За ансаб благодарим WITH S2 +И почему ты его сфоткала? +До встречи. +И вообще, когда ты кричишь на меня "Играй нормально! +Ты одинокий, да? +Только назначаете совещание? +"Машина Любви"... создана тобой? +Хорошо. +— Да, на нём я потерял 40 фунтов. +Что сделал граф Виктор Люстиг с Эйфелевой башней? +В 1950 году "лифчиковая банда" одурачила телефонную компанию Southern Bell пряча собранные деньги в своих бюстгальтерах. +Там было много людей. +Постойте! +Прости, но я видела её коллекцию туфель.. +Ты кучу раз забирал органы +- Мне так жаль, что Эмили расстроилась. +Мне не нужно твоего разрешения, я же сказала. +Ей нужен жёсткий. +-Да, Джимми. +Я с ней говорю... +Ами-тян или Нанако-сама... +Эни и Оби ждать когда мы принести специи. +Я представляю Вам Консуэло Хименес, Совет по вопросам равенства и социальной защиты. +Это неизбежно. +но по ориентирам доведу. +- Рыбы! +Это парень еще билось вас? +Они - все что у меня есть. +Это, вероятно, приведёт к применению Главы 7 этого Кодекса, к их ликвидации. +- Но мы ему помешаем? +Я ведь жил у вас, в Китаяндии! +Бензобак в огне! +Он знает, что его ждет. +"Н" в слове "ПИДЖАК". +На самом деле, мы больше занимаемся графическим дизайном. +Только саранча ест. +Аккуратней с этой штукой! +Продьюсер сказал она не подходит для главной роли. +Вам двоим нужно повзрослеть, потому что это маленькая девочка о которой вы говорите как о куске мяса кому-то приходится дочерью. +- Срочные новости, МакГи. +Не вижу смысла, если спинную доску уберут. +Вот моя визитка. +- Льёт, как из ведра. +- Куда? +Но мы ищем подальше. +Быстрее. +Всегда что-то заставляет тебя вернуться. +Эй. +Мы никогда не угадаем. +Я бы выбил парочку пятицентовиков из этой киски! +- Привет, парни. +Какая? +Сегодня мы поговорим о многом, но для начала, не могли бы вы рассказать нам немного о той ночи, когда произошла предполагаемая любовная связь, ваша первая встреча с Нейтаном? +Послушай, Шон, мы не можем впустую тратить время. +Богом клянусь. +Это доисторические носороги. +Машина ждет тебя снаружи, таким образом, Ханна должна отправиться покорять магазины, сейчас. +Позволь себе посходить с ума. +Отлично! +ќ, при€тель, это было, о...! +Мы должны выяснить, сможем ли мы быть вместе без секса. +На что ты намекаешь? +В этой арии Баттерфляй надеется, что однажды ее любимый к ней вернется. +Липовые платежки. +Если меня нет дома, он злится. +Просто ей надоело, что её оскорбляет какая-то рука. +Почему? +Ќеплохо, да? +Но если хотите, можем сделать его похожим на вас. +А после школы Филипп будет забирать тебя домой. +Правильно, вот для чего нужен был фонарик. +- Сегодня выдался тяжёлый день. +Это для них освобождение +Но мне лучше зайти и выйти чем быстрей, тем лучше, на всякий случай. +Зачем вы розыскивали меня? +Мэри Хеймер, вы являетесь членом данного общества? +Спасибо. +Странная она. +Конечно, любит. +Ну Дженнифер бесновала в суде после трех дней безо сна +Думаю, я найду немного мелочи. +Совсем недостаточно. +- Нет. +Вот почему пришлось торопиться и получить результаты эксперимента. +- Ты женат, Пол? +3 миллиона. +Взгляни на это. +Голос очень испуганный, но говорит, что знает, кто убийца. +- Вы узнаете кого-нибудь из этих девушек? +Похоже, ты не удивился, увидев меня. +Раз в год государственные алхимики должны предоставлять результаты своей работы. +и Александр тоже здесь. +- Мой адвокат позвонит твоему адвокату. +Правда? +Стэйк с горошком и яблочный пудинг? +Ну тогда ладненько. +К вопросу о Тэде вы подойдете чуть позже? +Вы уверены? +Наши схожести в культуре помогут мне проникнуть в компьютер корабля Нерона и найти генератор. +Ты так жалко выглядел, что я не мог тебя бросить. +Черпов? +- Привет! +Брехня! +- Как мы его назовём? +Как посол вулкана на Земле, +2900)}ka 3220)}ki +! +В груди горит... +Я не помню, когда девчата вернулись. +А если вы купите прямо сейчас, в подарок получите прекрасный кошелек! +Не надо электродов, просто слегка потри меня вот тут. +Хорошо. +То, что он там нёс, думаешь, он говорил правду? +Молодец. +Га-га-га! +Вы существенные. +Обычное дело? +Знаете, я тут подумал... +- Так? +Ты прав. +Здесь безопасней. +Я заслужил их. +Естественная среда обитания - самая лучшая база. +Переводчики: +Вы не можете вечно истязать ее! +Первым делом в понедельник пойди и найди мне нового игрока, с мозгами. +Как я уже сказал, просто друзья. +Я хотела поблагодарить тебя за твои заметки по моей работе о опровержении квантовой динамической теории мозга. +Почему? +Нет, сейчас никого. +Он хотел тебя... очень сильно. +Посмотри, Луиза. +Я не слышал, что он такое говорил. +- Привет. +Только... +Утонем в ледяных водах Северного моря. +Извини, мама. +Саймон, я такая влюбленная. +Дай сюда! +Спрашиваю в последний раз. +"Небесной, идолу души моей, ненаглядной Офелии" +Возвратился Гамлет. +Я... +Поверь, это я знаю. +Весь город катится псу под хвост. +Эй... +2009 год. +Это также подтверждается тем, что кровь на лезвии принадлежит нашей жертве. +- Просто устал. +Она может подавиться водой. +Почему ты трубку не берешь? +Как Гаррисон Форд! +Чай и сочувствие, притворяешься, что беспокоишься об этих уродцах. +Мне кажется, что наши отношения с канабисом довольно запутанные. +У нас есть документы жертвы? +Я просто прикалываюсь. +Что за грязные намёки? +Я не хочу, чтобы ты уезжал. +Я законно приговорен к смерти и благодарю Господа за то, что он даровал мне эту смерть за мои преступления. +Ты получил список мест, которые ей обслуживаются? +Что ж это за день-то сегодня такой? +Опять еврей. +Капрал Гаал. +Назовите настоящее. +Мы пошли в пиццерию рядом с домом. +Это Леон. +И убери свои грязные копыта с моего стола! +Нет, я хочу пойти на этот обед. +Джимми погиб из-за меня, и я не могу допустить подобной ошибки +Это потребовало мужества, чтобы вернуться. +Так держать. +Я толкнул его, а потом он упал с лестницы. +Жми на газ. +Ты чертовски серьёзный. +Извините, но Белоснежка - это сказка, написанная сотни лет назад. +Тройные убийства в каждом из этих городов. +я говорила вам, +Здорово. +Моя мать умирает, помогите святой отец! +Только вытирать с рубашки. +Я уже попал под дружественный обстрел фрикадельками! +Потому что Ивана невыносима, и не в том смысле, что она мусор не вынесла. +Да. +Но при этом ты носишь дорогой итальянский костюм. +Делай, как он говорит. +До свидания. +"десь нам придетс€ уточнить некоторые пон€ти€, дабы объ€снить происход€щее. +К сожалению, миссис Вуд, жидкость накапливается из-за опухоли на шее ребенка. +- Что? +- Нет. +Извините за беспокойство. +Примерно так я и сказал. +Хорошо. +Попробуй сначала это место. +Я бы даже был разочарован, если бы ты позвонила. +Помоги мне! +Так что... +"Прошу прощения. +Никто не любит дыню. +Кроме того, немного ревновали. +Что он говорит? +лш сундхл? +Выиграешь Олимпиаду - вообще освободят от службы. +Неужели надо на это отвечать? +- Чарли? +Он был принят третьего января +Может, это Дебра проскользнула в комнату Анджелы? +-"ы знаешь, что это означает? +Ты думаешь, это тяжело, встречаться с кем-то из семьи Стрендж? +Я без него вырублюсь. +И тебе нужно охладиться. +Я знаю, это пугает. +Побочный эффект от недостатка циркуляции. +канун нового года +Тедди... +Кто этим занимается? +Вы мне совсем не помогли. +Эти мило. +Монокультуры деревьев захватывают земли по всему миру. +- Она самая. +Это салфетка для лица. +То, что произошло сегодня, всё равно бы произошло. +Я буду говорить только с ней! +Как... +У меня расстройство желудка. +Первый сердечный приступ был у твоего отца больше двух лет назад. +Что-нибудь насчет четвертой жертвы? +Фокусировка Уольтер даже в лучшие времена лишь вопрос степени. +Запихнуть крикетный мячик в трусы, чтобы облегчить свое состояние, само по себе это не такое уж и безумие. +Так что настало время отправиться на наш трек и выяснить, какая окажется лучше. +Не гоните как идиоты на круге. +Ах ты... +! +Потому что прошло 38 минут, максимальное время, сколько врата могут быть открытыми. +Надеюсь мы повеселимся. +Пошли. +Начинай учить имена, Брайан. +Посмотрим что он скажет про это. +Мама, я хочу с тобой! +- Стоять! +Хотя, сидеть будет негде и не на чем. +Я думал ты будешь курить его со мной. +А я спрашиваю, зачем ты об этом просишь? +Так же, как и другие. +И вы поговорили. +- Профессору Дамблдору. +Это ради того, чтобы дать нашей маленькой девочке то, что она на самом деле хочет. +- Шикарно. +Я хотел сказать, что вы оказались в темном, загадочном +Правда? +Нет, нет, нет, мы его не крали. +Да? +не переживай. +Не хотите ли.. ли.. нет. +Очень дорого. +Я позвонил на фабрику. +Я сегодня уезжаю. +Ты понимаешь, Мари? +А я, как говорится, его бывшая невеста. +Ммм +Это ещё что за чёрт? +Давайте. +Я прыгнул под пулю. +Тогда я была потеряна, +Улыбнуться, что толку от слез? +Ты доводишь меня до тошноты. +С психофизиологической точки зрения, это великолепно. +Давайте, подумайте. +Хотела помочь вам. +Том, я пока не знаю, всё ли взаправду. +Я хочу, чтобы ты встретился с родителями парня. +Она думала что он следит за ней. +- Нет-нет, извини, я не думал смеяться, но она... нет... это очень продвинутые существа. +Не могла уснуть. +- Ответь на звонок, Леонард! +- Ответь на звонок, Леонард! +И ему нужна твоя помощь. +А почему Леонарду можно идти? +Медленно, на колени! +В таком климате? +Думаешь, что после трёх романов уже пора проявлять уверенность в себе, но... +Или помогать сразу двум группам людей нельзя? +Случай был достаточно серьёзным. +И вот однажды я сижу в закусочной, ем сэндвич, смотрю в окно а там он. +Но ты вернулся снова в колледж не для того, чтобы получить несколько секунд детства. +Как там у вас дела? +- Этого достаточно, чтобы заполнить пробел. +- правда? +Переводчики: +Мы должны пожениться. +Ну, это имеет смысл. +Я не знаю. +Спасибо вам... +Быстро. +Я же говорю, уходи. +О мой бог, кто придумал есть три раза в день... +Отец, ты гений! +Давай вернем. +Если нет доверия, что проку хранить обещание? +Что тут такого? +А суп тоже подаете? +Эй, Ман Бок. +лШ ОНМХЛЮЕЛ ДПСЦ ДПСЦЮ ОНРНЛС, ВРН НАЮ БПЮЫЮКХЯЭ Б АНКЭЬНЛ АХГМЕЯЕ. +рШ +щОХГНД36 цДЕ РШ АШК, Ю? +х ДЮФЕ С РЕУ С ЙНЦН МЮ КАС МЮОХЯЮМН: "ъ +рБНИ НРЕЖ АЮМЙПНР. +Пусти. +Кто знает? +Поэтому пойду с тобой на свидание. +Через 45 минут. +СВЕТ ДНЯ Павильон для гостей +кЮДМН, РНЦДЮ Б 4. +Но только вы и я знали, что она беременна, доктор. +Потом. +Слушай, маэстро, что это там у тебя за карусель получилась? +- Здоров. +Она тебя уже искала. +Наши наземные войска выходят на границу +Как... +Мы знали, что он ошивается недалеко от дома, но даже не предполагали, что он так опасен. +Что с ней случилось? +Она говорит, что Мишель случайно привёз её в больницу. +А это коллеж +Так что... +Ты уверен? +Профессор. +Мы ничего не получили, как обычно. +Ты ничего не понимаешь. +- Ты с Окинавы? +Этa yжacнaя тётя, y кoтopoй ты живёшь, дyмaeшь, тeлeгpaммoй cooбщит мaмe в Caлaцгpивy, чтo ты oдин вeчep нe былa дoмa? +Я... +Что ты хочешь сказать? +Нет. +Как долго осталось? +- Правильно. +"Поглядите, как ужасно это. +Какого преступления? +- Женщина! +Горячие закуски, жаркое из телятины Кюрнонски. +Вы не замечали, встречается ли она с кем-нибудь из местных? +У тебя очень уютный дом и вид замечательный. +Я вернусь к своей жалкой жизни! +Бабушка открыла. +Мой дом выходит окнами на площадь. +Госпожа, не делайте этого! +- Не думаю. +-Он его брат, я думаю. +Я люблю тебя. +-Я не хочу слышать об этом! +Председатель зовёт на собрание за распоряжениями. +Майк, что происходит? +Завтра вы оба должны поговорить с Фануччи. +Как я знаю, ничего. +Мелких сошек они убивают... и всё их состояние переходит к императору... если только они не приходят домой и не кончают с собой. +Я не знаю, на что он живёт. +Вито. +Не делай из этого проблемы. +Почему ты спросил меня, когда я приду, если что-то пойдет не так? +Сын! +Покажите вашу сплоченность! +Закопали бы твоего отца, если могильщики ушли бастовать. +- Да. +"ацепили. +приятель. +Встретить бы сейчас этот чёртов "Мустанг". +Я собирал деньги целых три года, чтобы его купить. +Всеобщее расслоение, создаваемое спектаклем, неотделимо от современного государства, т.е. от общественного расслоения, вызываемого разделением труда и прочих орудий классового господства. +Посмотрим. +Болезнь нашего времени. +- Как я ждал этого момента. +Я уважаю Аристотеля и люблю Святого Фому. +- Что, месье Кальфон? +- Не стоит. +- O, ну и история. +Сестричка Уми, сзади! +Фибс, будешь это доедать? +Финкл ей просто не воспользовался. +С приходом поезда тайна открылась. +- Нет, что с тобой сделал твой почтальон? +Видите, Вы напрасно волновались. +Ладно. +Они успокоены. +Я в безвыходном положении! +Моей жизнью тщательно руководила моя мать ... которая была озабочена обеспечением нам места в обществе ... желая выдать меня либо за богатого, либо за военного. +Судья не любит слушать некоторых прокуроров которые любят слушать сами себя. +А где кофе? +Тебя усыновили. +Оу, да. +Да. +Только не надо разыгрывать трагедию. +Он не знал, что делать, как получить о тебе новости +- Он ждет меня. +Это каждому хочется. +Все в порядке. +Это ребячество. +Я подумала, что и вы двое захотите последовать за нами. +- Где-то шатается. +Назад в автобус! +Вытащите нас отсюда! +Ушёл на пенсию в 1989 году нет одного пальца на руке. +Раньше времени! +Их ведь отключили. +Я подумал, что он поклонник, но... "Я люблю тебя, я боготворю тебя..." +Восславим торговца за это чудесное мясо, посредника, поднявшего цену, и гуманных, но решительных работников скотобойни. +Почему? +Он сказал: "Я посмотрел "Четыре свадьбы". +"Слова эти касаются каждого из нас". +Да, он мой муж. +Он приехал сделать тебя майором. +Я бы хотел взглянуть. +У меня это так хорошо получалось, что через несколько лет армия решила, что меня надо принять в американскую сборную по пинг-понгу. +ОЙ! +На экран. +Ну что ж, еще увидимся как-нибудь, МакКенна. +Просто... +(царапает) +Наглый, как черт. +Бодрствуйте, ибо не знаете, когда придёт хозяин дома. +Я хотел бы устроить трастовый фонд, чтобы мои дети получили образование. +Заткнись! +- Я так ничему и не научился! +На следующее утро, в тот момент, когда Ракель раскрыла свой маленький секрет, ...в "Мэйн Нэшнл Банк" зашел человек, на которого никто не обратил внимания. +Потом возьмешь у Рустера. +Я обижена. +Почему он уничтожит звезду? +Я приглашал Вас сюда не для оценки +- Что ты смотришь? +- Аааа! +Дорогая, принеси мне пакетик и веревочку из кухни. +Ќе заметил. +Это твое. +Булли Рэй был сыном священника, и когда его папаша навещал его, он всегда усердно работал. +Правда? +! +Я уверен как Ад, не идут! +В этом районе Китая у молодых мужчин и женщин есть традиционный способ преодоления величайшей проблемы - робости. +Ничего серьёзного, но это помогает нам их отличать... от врачей, разумеется. +Ну, мало ли. +Лжец! +Меня это добивает +Хорошо. +Нацисты убили всю его семью. +Даже думал, имя поменять! +Зато я все провернул. +Ты заслуживаешь гораздо большего. +- Ты откуда? +Асанте сана, жуй бананы! +Хорошо. +Алекс в Боснии... +Ты безумна как шляпник, Нана, знаешь? +Ну, что Шерлок Холмс, улика была у вас все это время? +Пасуй! +— Еще, Додо. +- На таком расстоянии сложно сказать. +Чтобы найти тебя, Луи, достаточно идти по крысиным трупам. +Наблюдая как ты следишь за мной. +Разве г-жа Друссе жаловалась на то, что плохо слышит? +Почему бы тебе не перестать отвечать за всех? +- Нет, послушай, Боб... +Роуз, вернись! +Уолкер только что закончил рисовать мишень на лбу Колмана. +Кто-то позвонил, он слышал чей-то разговор об этом ограблении, мы должны проверить это. +Еще один Шерлок Холмс, только ушедший на пенсию... +Значит, ему не понадобится набор для детектива "Шерлок Холмс". +Это странное ощущение вызвало у него простое событие. +США выражает свое решительное неприятие этой позорной декларации, и наше отношение к ней останется неизменным. +Хотя она и не могла в этом признаться, пока вы держали ее на прицеле фазера. +- Можешь повторить? +"Детектив Сиповиц, вы относились к моему клиенту крайне враждебно. +Спасибо, шеф. +Никаких Землян. +"Окей, две сосиски." +Не надо меня за дурака держвать, Ипкисс. +Привет, Стэнли. +Мое чудо, моя любовь +- Ты уже мертв. +Ригмор, я страдаю. +Пусти меня! +...вр€д ли природа сделала бы такой щедрый подарок, наградив нас бесполезным органом. +Как он. +Разве это разрешено в священные дни Г'Квана? +Я проработал в доках 40 лет и это оборудование не проработает и двух месяцев. +Нас ждет загробный мир. +Он видит только деньги перед собой. +Да вон там. +Ты понимаешь, что сейчас идет наблюдают за зданием? +- Вы его слышали? +Ты выпускаешь тепло из дома. +Как ты можешь их носить? +Джесс, когда ты в последний раз видела как я прыгаю. +Давай прошмыгнем мимо... +- Профессор. +- Нет, офицер... +Возглавите поход на Фландрию, вместе со мной. +Она права. +Сходи за Наваррой. +Совершенствовать появления и уходы. +Они сейчас смотрят телевизор. +- Нет. +Коммандер Сиско направил меня исследовать необычное поле частиц за червоточиной. +- Ким, ты не принесешь нам кофе? +Головка вышла. +Это же значит, что я могу принимать решения за неё? +Пусть учёные приезжают в апреле в Чикаго. +Оставьте меня в покое. +Я нашел это. +Кира вызывает Сиско. +Пусть они сами добьются победы. +Жду Рэчел, которая несомненно опять заставляет ждать еще час. +Я должна повесить его в рамку. +он сделал работы за нас похоже, капитан пытается добраться до него раньше нас мы будем там. мы возьмем Кена и окажем ему радушный прием но, сэр... +Вы собираетесь использовать это в гостинице? +Единственной, кто нас будет слушать, будет Пола и пара скучающих в обеденный перерыв ребят. +Э-эй! +У них там такая утка, ты подумаешь, что умер и оказался на небесах. +O, нет, я не хочу, чтобы кто-нибудь на него садился. +Вот так первый человек, Рюии Кану, родился. +Нужно гораздо больше материалов, чем у нас есть. +Вот как я собираюсь это сделать. +Привет. +Когда? +Дорогой брат... ты поднимаешься в обществе. +Вот. +Наследники моего состояния если так оно может быть названо". +Момент близок. +Я никогда бы не причинил вам вреда. +Добрый вечер. +Прекрати. +Ох, да. +- Я тоже. +Эй, Данте, давай! +Сделка между нами. +довольно привлекательный. +Твой паспорт. +- Нет, спасибо. +Вперёд! +- Верно. +Так вот. +Да. +Ага... +Сискин из тех мужчин, которые мне нравятся. +В таком случае хочу поговорить с Эйнштейном. +Скажи же, что это неправда. +Кем мог бы быть государственный министр? +Луиза Рок всё ещё влюблена в него. +И так каждый день. +Грипп. +Навести завтра моего отца... +У будущего депутата плохое настроение? +.. +Спасибо, доктор. +Это все гротеск, и отвратительный гротеск. +- Тишина и покой. +- Чисто деловой? +- Мне они не нужны. +А ну, делайте, как он велел. +Я разберусь с этим. +Который тебе нравился, но был женат, и его жена была твоей пациенткой. +- Это... ужасно так говорить, да? +- Пошли +НОВОГОДНЯЯ ВСТРЕЧА МЛАДШИХ БОССОВ СЕМЬИ ЯМАМОРИ +- Прекрасно. +Скажите же что-нибудь. +Еще один день из жизни мисс Дам-Дам +О! +И тебе начхать, что подумают люди. +Так и есть. +- Почему? +Вам ничего не передавали? +Ты к етому не привык и никогда не привыкнеш. +Попьем чайку, +Играть перестаньте, там похороните, к роднику каменному. +Мы с ней Она должна тут остаться +- Скoрее, князь, вoзвращай меня oбратнo! +- Ничего. +Э... +Нет, что вы. +-"Аминь. +Что там говорят? +Дай мне свою руку. +Я не могу заниматься электропроводкой, пока не отремонтированы трубы, понятно? +Хотел, чтобы ты пришла на улицу Гобеленов. +Mr. +Белый хлеб куда изысканней. +Я нуждаюсь в вашем разрешении выкопать ее тело и доставить его на материк... для освидетельствования патологоанатома. +Я выпорю тебя. +Спасибо. +Старые газеты, пустые бутылки и сломанные трубы. +Ах... +Он не придет, по-крайней мере не будет бросать свое место наблюдения. +Потом еду в Чикаго. +- Когда умер твой отец? +И не мне одному. +Кто знает, что может происходить в голове сумасшедшего... +Добро пожаловать в Лаго, сукин сь? +И так странно, что ты должен от всех прятаться, чтобы мы встретились. +Спасибо Дэн. +Значит это наш человек. +- Я гребу. +Проклятые машины! +Весек, Марыси нет. +- Угум, угум. +Все готовы. +Вы думаете, как мы можем снова поставить эту студию на ноги? +Бедный старина Иуда, +- Профессор! +Пошли. +Не прикасайся к нему. +Все такое же. +Но вы не можете это сделать! +Она доминион. +Так что давайте, приезжайте. +Тебе не нужно его убивать, Ашер! +Теперь ты доволен, Рыжий пес? +Правда, которую вам сказал Саймонсон? +- Как получится. +Я твой друг. +Англию, пожалуйста. +Это всё. +Что мы тут делаем? +Мы знаем, что случилось в той аптеке. +Ан нет. +Я могу тебе помочь? +Так, что однажды, если ты поработаешь, ты мог увидеть разницу. +- Мы пока не знаем. +Не клевещи на преподобного Майклса. +Убедиться, что он в порядке. +От психолога. +- Чтоб сегодня без детей уйти. +- Да, неплохой. +- Нет, не надо. +Присвой ему статус подверженного опасности заключённого. +Привет! +- Вылезай. +Тебе достался самый кислый лимон, который только может дать жизнь, и ты превратил его во что-то, напоминающее лимонад. +Мне нужно ходить на площадку и встречаться со сценаристами, после того, как я обосрался перед ними. +И тебе привет. +Да еще с таким жутким акцентом? +Кто он? +Как там погода? +- Привет, Джимми. +Какой приятный сюрприз. +-Нам не положено... +А нет. +Мистер Шерлок Холмс. +– Понимаешь? +Хорошо, до скорого. +У них устанавливаются хорошие отношения. +Я пыталась помочь ей. +Клянусь богом, ты флиртуешь в самые неуместные моменты. +Доброе утро, мисс Гроувз. +Я аж горю желанием. +Ваша жена переехала с детьми в Девон. +Если вы не против, я тут еще полежу чуть-чуть. +Вперед! +Я не единственная, кто уничтожит твой счастливый конец. +Первая база - поцелуи. +Я знала, что ты это предложишь, спасибо, но нет. +Тот, кого ты защищаешь, является последним пережитком заражения, которое искоренили мои люди. +Всё перечисленное. +Меня зовут Брайт. +Значит, он невиновен? +Фу. +Ж: +Не волнуйся. +И до всего этого я работал в ФБР. +- Я не пытаюсь его убить. +- Мама! +Если наши враги пошли против нас... (фр.). +что меня будут проверять. +нет. +- Где сейчас полицейские? +- Она не говорила. +Что продажный полицейский хуже любого преступника. +Лана, я больше не буду тебя шантажировать. +Я извиняюсь. +Такой уж я. +Да пошёл ты, Хорас. +Как вы видите, грузовики загружены, как и договаривались. +Перепробовали всё! +Я водила его ко всем специалистам в городе, но... +О, да! +где ты его найдешь? +Не можете просто довериться мне? +! +Ваша искренность. +Хумус Соус +Я ничего плохого не сделаю, как только ты приблизишься ко мне. +Позволь преподать урок. +ВЫНОСИТЬ МУСОР, НЕ КРАСТЬ (МНОГО) +- Его не смущает, что его увидят, и он не боится наделать шума, уходя. +- Мне пора было поднять задницу. +Закрой, пожалуйста, дверь. +Как и нам. +Мы сейчас. +Встретимся у входа, после того, как уничтожу партию. +Ведь он весёлый добрый малый, никто не будет отрицать. +Отец, я хотел спросить... — Что? +— Нет... +Это была не моя идея. +- Я пытаюсь помочь. +Они живут, как известно, в щелях глиняных хижин и соломенных домов. +Трахни меня в зад. +Что? +Мое имя Шерлок Холмс. +Это мои любимые. +Да, вы чуть не оторвали дверь моего такси. +- Подождите! +Я хочу знать, кто за всем этим стоит? +Красочно! +Сеньора Мессина, вы, похоже, считаете, что мои люди работают на вас. +Начнем с рытья траншей через каждые 20 ярдов, по сетке, которую Селим сейчас рисует. +В тот момент я была Шоном Ренардом. +Он был дома в отгуле, когда началась бомбёжка Ковентри. +Ничего не изменилось, только потому что я начал носить костюм на размер меньше. +-Родди Фартингейт не накладывал на себя руки. +Погоди, держи. +Все было в порядке. +Я думала, вам есть дело только до моей сестры. +Третье февраля, 2008. +Вместо этого я собираюсь выяснить, что ты задумала и как это связано с сенатором. +Я думала... +Мартин, ты и эта растяжка постарели на год. +Эй, эй. +Корабль пойдёт ко дну только при бухом капитане. +Я отправляюсь на чтения Библии. +Это о... вы помните, когда я перекрасилась в блондинку? +Она очень острая. +Марвин, это Рэймонд. +Мы только что останавливались на заправке. +Но... +Не суетись. +Кроме того, мы переплатим какому-то магу, у которого может быть, а может не быть нужная нам информация. +Я сделаю всё что угодно, чтобы спасти мою маму. +Их уничтожили на территории Соединенных Штатов. +Я немного стесняюсь, понимаешь. +Потому что они точно считают себя дохера крутыми. +- Эй, Рэй. +О чем вы говорите? +Лейтенант, он что-то нашёл +Я должен подготовиться к прибытию моих гостей. +Харгрейв. +И я её получил, потому что моя семья давно здесь живёт. +Если у нас будут эти данные, может, получится отследить подлодку. +Чету всё равно, появимся мы или нет. +— Я не могу. +Поцелуй меня. +Это настоящая я... +Шерлок Холмс +Он жестокий, но он очень, очень богат, и я хочу заполучить его деньги. +Нашел, где Тендлер может хранить свое барахло? +Есть много путей, чтобы служить Богу. +Он не поверит первому встречному парню из чата. +"Мистер Хаген и доктор Блейк коренным образом изменили наш взгляд на коралловые рифы Карибского моря". +Меч останется во мне... +Я подсунула сигарету... спасибо вам! +Хорошо. +Судья не подписал ордер. +Переводчики: pfqrf, Grenada +Пытался меня убить. +Я больше не хочу врать. +Давай. +Поговорим. +Хорошо, да. +Усилие. +Ну... +- Извини, он выходит завтра. +Возьми рубашку и сверни её комком, попытайся заткнуть ей рану на ноге брата. +Значит, мы все теперь друзья? +Но я говорил серьёзно. +И никто не собирается спросить о роботе? +И нам нужно раскрыть его убийство. +Потрясающе. +Классный дрон, брат. +Замечательно. +Дело не в этом. +Тогда почему там Боб Дрэг? +Кое-кто обдолбался. +Посмотри, она встала? +Что это? +Но я знаю, вы пожалеете. +Батя твой? +- Боже мой! +Она отвечает на его сотовый? +Все может закончиться плачевно. +Добрые вести. +Ты была там вчера ночью. +Смотри, какие счастливые. +Друг? +Но я заберу своего друга +Сегодня... +Я пойму, если ты захочешь бежать. +Привет, Скотт. +Постой, прости. +Более могущественный. +Он один из лучших... +Ты тоже попробуй. +Скажем так, Саманту из ресепшена больше не интересуются мужчинами. +Вы можете как-то помочь? +- Так ты просто познакомился с женщиной и переспал с ней? +Сегодня мы сыграем фрагменты из произведений одного композитора, +Я бы никогда с ним так не поступила! +Может, проверишь? +♪ +Ты любишь ее? +Мне нужен ШЕрпа. +Марбург распространяется через биологические жидкости инфицированных людей. +Где Элизабет? +Похоже, какая-то женщина, но я не уверен. +Это Келси и Лайза. +У меня есть объявление. +То есть как? +Я бы с удовольствием поела клубники. +Что он тут делает, Джейкоб? +Потому что это работа, на которую я подписался и в которую я продолжаю верить. +Оно о переменах, трансформации. +Тот самый дизайнер? +Спрошу еще раз. +Это не была ошибка. +- Диалоги отличные. +М: +Заходите внутрь. +Теперь, видимо, ты уйдешь. +Ник Лоуэлл сдал тебя Рэю Доновану, и он должен найти труп Фионы Миллер. +Хочешь встретиться? +Обед стоит 15 франков, по средам готовят свиные колбаски. +! +Будьте здоровы. +Это стопроцентная правда. +Прометей подставил... +Ты можешь этого избежать, но не будешь? +У этой сучки реальные шансы? +Я их не вижу. +Я чего-то не понял. +Наполненный кровью, стоит фонтан +Я по пути объясню. +Конечно. +Нам нужно немного времени, побыть наедине. +Пробегает ярдов 90 с тачдауном. +Я был еще ребенком, но чувствовал то же самое. +Она что, умерла? +И вы всегда красивы. +Я это "работой" не считаю. +А кошек? +Так, мы можем заблокировать лифт? +Он - лик врага, с которым мы всегда должны бороться, всегда одерживать победу. +два... +- Куча благочестивых сукиных детей считают, что они слышат голос бога или богов. +Будущее дома Тирелл. +- Тогда мой обгорелый труп должен висеть на вратах Винтерфелла. +Значит, ноешь. +Я тоже. +Продолжайте ехать. +Назад, мерзкие жучары! +Мишель ранена, но у неё есть шанс, а он задерживает нас. +Я думаю, это круто. +Ты ведь даже не в E Corp. +Будем приглядывать за ними и дадим отпор Токугаве. +Матушка... +- Нет, милая. +Мазикин. +Включи музыку, здесь как в морге. +- Я хочу с ним поговорить. +- Так в пекло его. +Возможно, есть другой способ. +- Ура! +- Скажи-ка... +Всё будет отлично. +Водка с содовой, да? +Привет. +Нет! +Тилли. +Сын... эта лавка в твоем распоряжении, делай, что пожелаешь. +Это телефон Беллы? +Хотя она очень хочет. +Ладно. +Стыд и срам. +Мы не могли бы обсудить это позднее? +ѕо данным нашего опроса, мы имеем не очень высокую поддержку среди женщин-избирателей, так вотЕ мы хотим изменить ракурс воспри€ти€, вместо матерей, потер€вших своих детей из-за оружи€, матери, защищающие детей при помощи оружи€, +¬се уходим! +¬ы следили за —интией. +Внимание! +- Соберись! +- Спасибо. +- За малышку Беллу. +♪ I know it's never enough ♪ +Людишки. +ну, несмотря на бесполезную трату пуль, давай посмотрим. +- За фотографию вас двоих. +Я умру. +Ален... +Что это? +Понятно, начала вонять! +Всем спасибо. +Мы посреди поля. +Так как авто Ричарда самое стойкое, мы решили, он поедет первым. +Решил обойти по широкому! +Он виноват! +Ты всё обо мне знаешь. +Я поставил замок, чтобы его не украли. +Спасибо. +- Эндрю Бёрч. +Я засвидетельствую как частный представитель банка. +Возможно, меня не должно было быть в кабинете, когда обсуждали Аксельрода... но вы знаете Нортон, местечко на пляже? +Я бросал яйца только раз. +- Его жизнь висит на волоске. +Закрой глаза. +Жду с нетерпением, когда увижу настоящую Эйприл Маллой. +Одно сзади в шею, второе в грудь. +Могу я узнать, почему? +Отойдите. +Ты прав. +- Джон? +Если Ник узнает, что ты снова стала ведьмой, всё может пойти не так хорошо. +У меня некоторые проблемы с доверием. +Вторник... +Нет ответа. +Эй. +- Что? +Я не уверена, что знаю, что мне сказать. +Итак, господа. +Нет. +Чтобы я вызвал Мег и Кевина для допроса. +В доме кое-кто был. +Топлива всего треть бака. +- Хорошо. +Ж: +Хочешь умилить её до смерти? +- Спасибо, сэр. +— Ну да. +— Отойдём? +Большое тебе спасибо, милый ДжейДжей, спасибо. +Дорогуша, мы найдем Красных Колпаков и он будет нам должен. +Так не должно быть. +Сэм: +Да. +Ага, что случится, когда мы заглянем за шторку? +Но не будет ни суши, ни чимичанги... ни пиццы... ничего не будет, пока вы не подниметесь туда и не вытащите проповедника из моей церкви! +Твой отец переживал за тебя... +Чистенько отстрелил. +Кажется, вы сделали всё, что было возможно. +- Рид, время пришло. +Не отойдёшь подальше, чтобы мы хорошо получились? +Мне пришлось ударить его... +Сказать ей, что был несчастный случай. +Так вот, комиссар, мне нужна ваша помощь. +Она ещё не может положить её в рот, но... +Насколько я понимаю, вас не соблазнишь несладкой закуской? +- Нет. +потанцуй со мной. +Сама мне скажи. +Кроме этого. +Я пока думаю, что лучше сделать. +Нэнси! +Что такое "ци"? +Парни просто прикалываются. +- Почему бы не пойти и не спросить? +Мы не вернёмся в зоопарк фриков! +Галавант сказал, что был бы рад, если б она умерла. +С громким пуком, если я правильно помню. +- Пап, ты меня не слушаешь. +"Кто раньше вычислил чокнутого". +Заходите! +Я звоню в полицию. +Я так счастлива! +И я тебя. +Как же круто вырваться из дома. +Я это делаю и для Леонарда. +Я просто подумал, что должен сказать тебе. +Вот в чём ваша проблема. +Манзанар. +- или что-то еще? +А ты? +В Лондоне живет Шерлок Холмс... +- Знаю. +Повторюсь, дело в настрое... +Где ты, Фрэнсис? +любовная история. +Я вся в длинных угрюмых молчаниях, следующих за ехидными комментариями, следующих за другими молчаниями." +- Должно быть это Ванесса. +Давай. +Он не придёт. +Ты сказала "спасибо"? +Эй, неужели не впечатляет? +Мега-эксклюзив. +Не будь стесняшкой. +Почему это всегда происходит со мной? +У тебя нет плана. +Смотри на меня! +. +Я новостной продюсер. +Если я пропущу историю девушки с сайта, что я получу? +– Замолчи! +Это Малик. +- Мне почти всё идёт. +Когда вы общались с ним в последний раз? +Я знаю, что это отстой - все переписывать. +Кажется, что у этих ублюдков в море нет никаких забот, тогда как я прилип к месту, беспокоясь за пакетную коммутацию и компьютерные вирусы, спасибо большое. +Главное, чтобы мой сын держался подальше от этого. +Внутрь! +Чиррут. +Она использовала нас, всех нас! +Ж: +Продолжай. +Удачи, Вайнонна. +Разрешите представить мисс Полетт Свейн, одну из наших стремительно восходящих звезд. +- Её уже нашли? +У нас через несколько дней самые важные выборы в истории Америки. +Он очень милый. +Скрываться у всех на виду. +Давай ты только не будешь учить меня про многозадачность. +Он в восторге. +Вы знаете, что это означает. +Отлично. +Как королева, сэр? +Очень мило с вашей стороны. +Да я на закрытую вечеринку быстрее вписалась, а сраную газировку до сих пор дождаться не могу. +Мне насрать. +Насчет коммутатора, если будут еще проблемы, вот мой сотовый. +Я - единственная, кто ещё знает, над чем он работал. +Зачем кому-то на раскопках использовать взрывчатку? +Ha ha ha! +(очень нравится) +Я так понимаю, ты контактировал с Дианной Моран? +В Берлин? +Он держал меня в курсе твоих успехов. +Сотрудничество с финансовыми кругами в Саудовской Аравии. +Билл Бинни, Эд Лумис и Кирк Виби. +Я понимаю. +Мы должны как-то покорить ее. +Не хочу. +У меня несметное количество одежды и обуви. +Итак, чтобы спасти астронавтов, госсекретарь должна заключить сделаку с двумя самыми гордыми народами на Земле, с одним из которых мы стоим на пороге войны? +- НО +Спасибо за танцы, Ариэль. +Крещу тебя во имя Отца, и Сына, +Курит "Салем", веря, что они не так вредны. +Свою версию меня. +Я вернусь в участок, проверю, не заявлял ли кто-нибудь о его пропаже. +Я волнуюсь о тебе. +Вообще-то, детектив Белл, и меня не надо подвозить. +Кто у нас такой хороший? +у вас есть отвертка или молоток? +У меня нет намерений бежать. +Тебе понадобится новая одежда, может даже мотоцикл... +По своему опыту знаю, что его здесь ждет теплый прием. +Он ворвался, орал. +Его невозможно обнаружить. +– Ты не должна этого делать. +Я знаю. +Осторожно! +О, нет. +"Шерлок Холмс и дело о потерянных труселях". +- Точно, детка, как Шерлок Холмс. +Люди вас опасаются, верно? +Да просто ты боишься, что я смогу затмить тебя. +Так что вы думаете? +Это трудный путь, легко заблудиться. +Что ты наделал? +Я буквально сбежал из дурдома, где меня удерживали насильно. +Я знаю, что я должна сделать. +Мне нужно идти. +Потом на север. +Благодарю, г-н председатель. +Ладно. +Ну нет. +– Ага – Понял да? +Всё +Команда всю ночь работала над решением. +Тогда где, черт возьми, этот парень? +Круг растет. +Мы должны оргназиовать ужин. +- Немного. +Это даёт вам привилегию врываться сюда и бранить меня, не смотря на то, что я никак не могу вам помочь. +В районах с высоким уровнем преступности. +Ты только посмотри. +Даже у Уолл-стрит на вас стояк. +- По-моему, пока шансов маловато. +При случае сходим куда-нибудь. +Не думаю, что им было дело до нас. +Нет. +Че каааааааак? +Я уйду в течении часа. +Да. +Вы Бриттани? +- Спасибо. +Решили тебя подвезти. +А то вы не знаете, как это бывает, сержант Морено. +- Так что мы здесь делаем? +Валим отсюда! +Спасибо. +Использование старых технологий, как радио, позволяет его агентам прятаться на виду - получать секретные сообщения во время задания или посылать их... +Умираю от скуки. +- что также незаконно. +- Да. +Ты мне тоже понравилась. +Нет. +Каждую травинку. +- Она вполне спокойненько перейдет на темную сторону. +Слава Богу, они все парни. +Посмотреть его кабинет, компьютер, файлы, телефонные звонки, разумеется. +Как выглядел мистер Кинг? +Это Джоан Ватсон, Шерлок Холмс. +Перед тобой полностью новый я. +Если он позиционирует себя как Дьявола, так? +Что, черт возьми, ты со мной сделала? +Я собираюсь пойти к прокурору и приму предложение, которое он выдвинул. +О, а вот и он. +- А. +Прошу. +Лучше признать это сейчас, чем тратить годы впустую. +Ладно, но самый большой повод для беспокойства, это уголовное преступление. +Как только напишешь заявление, сразу неси мне. +– Тогда нарушу я. +Красиво. +Беллами! +Что насчет тебя? +Который делает много милых комплиментов. +Ребята +- Молодец. +Попробуем разобраться с этим. +Ребят, вы хоть настоящие? +Итак, сначала была Эсте Лодер. +Он вам не нужен? +Не за что. +Ты играешь с огнём, друг мой! +Это Кол Портер. +# Now glide, now curtsy low +Если он не объявится к утру, +Я прямиком с поля боя. +Хорошо, Лайонел, давай убедимся, что ты заработаешь пенсию. +Интересно, как же она умудрилась взять себе фамилию Дрейк, если она никогда с тобой не встречалась. +Меня зовут Монтгомери Скотт... и а вы, собственно, кто? +Вот там. +Они не для взлёта из атмосферы. +И даже голоса за все эти годы. +- Чем я могу вам помочь? +Что думаешь? +- В этом нет необходимости. +Ты принадлежишь мне. +– Ясно. +Он годами терроризирует людей. +Да, шасси этого DB11 разработал бывший инженер Lotus, но его предупредили, что шасси нужно тут для комфорта, а не для управления. +Не знаю что сказать, Джулс. +- Ты видел это? +Вирус группы В передается через слюну, так что единоразовые контакты, как доктор Холстед и я, не в группе риска, но любой из её длительных контактов может там быть. +Ну, ты совершенно определённо перечитал всё, что я тебе посоветовала. +Я позвонил Лее, чтобы она присмотрела за детьми +Таких данных у меня нет. +Шарлотта была готова тусить нон-стоп. +Будьте добры, счет, пожалуйста. +Спасибо, что пришёл за мной. +Как и Поп. +И я с вами. +Не пытайтесь запугать моего клиента. +Я шел за тобой. +Но решения по управлению персоналом принимает Говард. +Лори, я прав? +После провала с голосовой почтой байкеров +Это всё мура. +Эта вещь - копия. +Он жертвовал значительную долю своего жалованья на благотворительность, исполнял партию тенора в Бруклинском хоре гомосексуалистов. +♪ Heaven ♪ +По крайней мере, для меня! +"...чем на 16 милионов". +Как ты собираешься это сделать? +"трудно предсказать". +Давины больше нет. +Я просто хотел узнать, какая она. +Наполеону не пережить русской зимы. +Ты там? +– Что с тобой происходит? +Комплиментом было бы "неотразимый". +Так что... просто подтяни меня. +Все в опрядке. +Но мы должны продолжить без тебя. +Нужно было поработать кое над чем. +Ты только обещаешь. +- Нет, нет, нет. +Да, "кручу". +Лиам говорил, что ему не даётся чтение Торы. +Они дороговаты, но стоят того. +Я предложил ей приют, и она согласилась. +Просто делаю свою работу. +Владыка позволил тебе вернуться не просто так. +Нам надо многое обсудить. +Какое это имеет значение? +Мне говорили, что он этим не занимается. +Я боюсь высоты... они бессмертны. не разбирая людей на правых и виноватых. +Немного левее... +Большую черную, рядом с бассейном. +Да? +Он пытался убить себя. +– Точно. +Это будто бы смотреть на скульптуру, но не из глины, а изо лжи. +Оса паразитоид,известная как "Oobius depressus" +У Нейтана их оставить нельзя, сама знаешь. +- Да? +Спасибо. +Они подготовили нам нашу комнату. +Ну, это очень хорошая догадка. +Они смотрели на меня, но больше не были самими собой. +Астрид. +Всё хорошо, приятель, я с тобой. +Я... я ухожу. +Я в порядке. +У тебя же положение выше. +Ты подожгла дом? +Отправиться в Осаку означает не дать клятву верности. +Что это с ним? +Эй! +Не двигаться! +Вы партнеры? +Ты просто делала свою работу, и может в процессе ты поняла, что... +(1833-1868, первая женщина-детектив в США) +А потом поняла, что для вепря он слишком хорош собою. +Я не знал, к кому обратиться. +Она идеально подходит для команды, которую ты пытаешься создать. +Нет, его хватают и лелеют. +Ты правда думаешь, что я упущу свой последний шанс? +Она прислала более дюжины фотографий. +Если она не надёт его, её мир рухнет. +- Прошу. +Это не только твоё, это и моё дело тоже. +- Скину тебе немного анекдотов. +Заценииии! +Я же говорил. +Меня зовут Джек Айриш. +- Ага, я как раз собирался уходить. +Живее. +Расследования чего? +Год интенсивной терапии - это крайне необычно. +- И кстати, ты подавлена. +Кто-то извне помогает дяде. это кто-то на самом деле умный. +А чтобы выйти на ее профиль, ты, должно быть, искала женщин, чтобы познакомиться с ними. +АФГАНИСТАН, 2013 ГОД. +Грампи кэт, Маппет-шоу? +Я... +Вы уволены. +Понаблюдаем за ним вечером и завтра я прооперирую его разрыв печени. +Я воспользовалась вашим советом. +♪ Когда я буду на встрече ♪ +По ходу моей жизни, на всем ее протяжении, я всегда задавался вопросом: +Возможно, война не подразумевает победу. +Он много говорил о тебе когда ты ушел. +Как продвигаются поиски? +Это константа. +Твоя мамка. +- Вот краски. +То есть это будет стоить... +- Я никогда раньше не был боссом, и это нелепо, чувак. +Алло? +Как его личная жизнь? +Он мне сразу же понравился. +Только ты. +Нам нужно было убираться оттуда. +— Да, это... +Да! +Но вы можете сделать это в любую другую ночь. +Это раковая опухоль для корпорации, Уэнделл. +Это заголовок? +Разве не прекрасно? Мир вне времени. +Боже мой. +- О, Филипп! +У нас есть 100 различных угрозы на завтра. +- Это фессалийская гидра, я ручаюсь. +- Сколько? +Я бы справилась. +Я прошу прощения, за доставленные неудобства. +- Кэл, послушай меня. +Они скоро будут готовы. +Их можно найти там, куда их приводят их желания. +Ох, я не никуда не выезжаю. +Доброе утро, мисс Крайер. +Я ей верю. +Зажигай, чувак! +Я приеду сюда, чтобы забрать наши вещи. +Ну, ты можешь уничтожить Мараю с той информацией, которая есть у тебя. +Ладно, мама. +- Не знаю, что с ней такое. +Это может занять несколько минут, +Почти знаменитость. +Можно тебя...? +Вечно в дороге, играя по клубам. +Ладно? +Помириться? +Он никогда не перестает плакать. +Да, уж, немного подловил. +- Нет! +Ты как? +Прямо сейчас, там, где ты живёшь вместе с женой и дочерьми. +Я не знаю. +— Ценой собственной жизни? +- Шерлок Холмс. +- Шерлок Холмс, а это мой друг и коллега - доктор Ватсон. +Исчезни. +Кажется это Ирен Адлер. +- Ирен Адлер. +Ты же Шерлок Холмс. +- Шерлок Холмс, адрес - Бейкер-стрит, 221-В. +- Шерлок Холмс, адрес - дом 221-В, Бейкер-стрит. +Добрый день, я Шерлок Холмс, а это мой друг и коллега доктор Ватсон. +- женщины Ирен Адлер. +- Ирен Адлер... +Военный врач, значит, могу переломать вам все кости, называя +- Вы Шерлок Холмс, наденьте чертову шляпу. +- Шерлок Холмс, адрес - Бейкер-стрит, 221-В. +- Шерлок Холмс, адрес - дом 221-В, Бейкер-стрит. +Добрый день, я Шерлок Холмс, а это мой друг и коллега доктор Ватсон. +Вроде имя этой женщины Ирен Адлер. +-Ирен Адлер... +-Вы Шерлок Холмс, наденьте чертову шляпу. +Это не делает из меня убийцу. +Что происходит? +я почти на месте, босс. ¬ы далеко? +В этих спальных районах всё время творится какая-то жуть, как в "Красоте по-американски". +Стой. +! +Я понимаю. +- Вам здесь делать нечего. +В ней нет ничего плохого. +Мне следует с ней попрощаться. +Выкурим их всех! +Эм... нет, не помню. +Что тебе нравится? +— Да, такой свет будет очень резким на плёнке. +Твою мать. +Пока Форнелл не у дел, агент Монро будет представлять ФБР. +Как вы можете уйти? +Думаю, огонь его взбесил. +Видишь, Майк? +Чёрт, да стреляй уже, Майк! +Не может у тебя зазвонить телефон посреди пустыни. +Там наверняка есть соль. +Похоже новые покупатели предложат Риггсу сделку, от которой он не сможет отказаться. +Карточка мужа Исабель Фрейре. +Все три жертвы похожи. +Здесь его группа. +Фотографии в интернете множились, вызывая беспокойство. +Такое ощущение, что это ведь параллельная армия, +Ты не до конца понимаешь, но знаешь, что это правда. +Поэтому я пошёл и напился. +Майка арестовали. +Как вы вообще живёте без левых поворотов? +Это она. +Та сделка была одноразовой. +И ты пытаешься это скрыть. +В этом отеле симметрия – фундаментальная эстетика. +Моё заключение в шкафу привело ко всем симптомам посттравматического синдрома. +Что оставляет нас с ни с чем. +И эти семьи. +До смерти? +Мы плохие люди. +Продолжайте искать. +Как она? +- Завтра после ланча. +На моей парковке. +Леви любил Оскара. +Я выпущу то, что знаю я. +Чем вы так ее обидели? +Он непреклонен. +Вопрос не риторический, кстати. +У тебя может и есть оправдание для парня, который тебя ограбил, но у нас есть свидетели, которые говорят, что другой парень пытался заступиться за тебя. +Ты подождешь, пока его поразят несколько раз. +Но подача интересная. +Кто-нибудь даст $50 тыс.? +Будем считать, что никто. +Так что спасибо, на сегодня всё. +Не открывается, шеф. +А как сказать такси? +...и ты даже этого не смог выполнить. +Собственник хочет за это шестьсот в неделю? +Но такова моя натура. +Сюда! +Только вдвоем +€ набросал движение планет. +Вы действительно хотите так усложнить мне задачу ради этого? +Минутку, вы мама той девочки, которой Джоани наваляла? +Хорошо. +Еду, можно сказать, из ниоткуда в никуда. +Кажется, она сказала, что встречается с Квентином, после того как заедет в хранилище улик. +Нормально. +Рад тебя видеть. +Нет, не знаю... +Ну... +Мы не общались в ветке "Горе". +Собираешься полететь на тренировку с Громгильдой? +Река Тама станет нашей предельной линией обороны. +Давай. +А что я сделал? +Лежать! +Прощай, Карен. +Ребята Лоренцо нас преследовали и обстреляли машину. +Не сейчас. +Шутка для своих. +Это Наоми. +Я могу помочь тебе получить их. +Я облажался. +Четверо. +(ЭММА) Хорошо, тогда... +Я соврал. +Ненависть не победит. +Давайте отпразднуем её возвращение в духе лагеря. +Это важно для меня. +Он крайне мобилен, так что перекройте аэропорты, ж/д и автобусные вокзалы. +Как бы то ни было, Оливер, но я слишал, что +Одевайся. +Эти девочки не Лаура, Стивен! +Ой! +Мне нужно идти. +- Паркинсон? +Ты сказал: "Вы можете подчинить нас". +Почему кресло пусто? +Меня зовут Шерлок Холмс. +Плевое дельце. +Какую бы сопливую историю эта женщина ни поведала, мне было бы всё равно. +ИЗМЕНЁННЫЕ СОСТОЯНИЯ +- (АНДИ) Мой пейджер. +(БЭННО) Неверный диагноз - лучшее, что со мной случилось. +Да, Камилла. +он много молился. +Но не стоит так активно навязываться Директору национальной разведки. +Я хотела поговорить. +Ого, это быстро. +Я дерево. +Со своим народом. +Папа. +"Для Говарда - 'ло-мейн'". +Несмотря на его оскорбления и побои. +Откуда это волшебное число? +Мне нужны все подробности. +- Я похожа на беременную? +- Это вы видели? +Это не "кто". +После того, как позаботился о Блэквелле, я не смог вернуться в комнату до тех пор, пока всех демонов не выгнали. +Послушай, хоть ты отсюда ушла, но она наша мама. +Залезай! +Я был в своем семейном ресторане, праздновал свою свободу. +Ты ведь сбежал. +Часть нас. +Я действительно не нравлюсь Перлматтеру. +А потом вдруг начал метелить Хосе и Фрэнки. +Здорово. +Судя по углу падения и трещине в шлеме, я бы сказала, его толкнули в спину. +Хочешь драться, Флэш? +- Прекрасный вопрос, мисс Леблан. +Какого черта мы это делаем? +- Ага. +Хочешь притворяться братом, о котором он никогда не слышал? +Нет. +Стив, что ты здесь делаешь? +Ты вытолкнешь меня отсюда, ясно? +Мир повернулся к тебе спиной ? +- Анализ. +Это детектив Белл и Шерлок Холмс. +- То есть ты хочешь знать, настолько ли глупа моя мать, чтобы отдать $100 000 идиоту? +Длинный день. +У него хоть есть имя? +Лишь слышал его голос. +Попроси его показать руки. +Франклин Вашингтон, университет Морхауз. +Шерлок Холмс. +Но он что-то сказал на латыни перед уходом. +С ума сошел? +Не шантажируй меня, пожалуйста! +Ты спас моего мальчишку, и я благодарен, но, если ты переступишь черту.. +Иди вниз до пляжа, так далеко, как сможешь, и направо. +- Да. +Это разозлит их. +тот, кто не может... +Вы можете войти. +- А я думаю, что ему нравишься ты. +Было лишь одно золотое правило – никаких серьёзных отношений. +И мы снова говорим об этом. +Нужна скорая... +- Режьте веревки. +? +Дженни? +Я любил её. +Мне нужна прядь твоих волос. +Нам нужно покончить с этим. +Вот такие следы несколько раз были на месте преступления. +И не говори. +За исключением того, что по отчету Рейнольда о вскрытии ножевые раны, от которых умерла наша жертва, были нанесены под острым углом. +Добавить сюда несовпадение ДНК. +- Внутрь! +Хотя, есть одно исключение. +Дай с мамой поговорить! +Это трудно объяснить. +Мне нужно подумать, ясно? +Нет, не говори ничего. +Где все журналисты? +Мне что-то послышалось. +Это был конец. +Переводчики: +Никогда. +В школе? +Я долго обдумывал все это... +Желаемое - это что? +- Да, точно. +Ты провторял это снова и снова: "Я кайфую!" +Верно, мне просто... нужно всё это переварить, иначе я не смогу дожить до конца дня... +-Нет. +Та-эр аль-Сафэр. +И заодно выясни, не купили ли они новые жучки. +В будущем мы должны были пожениться. +Нина встречается с Перри прямо сейчас. +Ты справился, Ёнсиль! +– Идём. +Король много рассказал мне о нем. +Давайте же! +Один белый глаз, она тоже из Неолюции. +Я сижу на унитазе. +У Guerrilla Gang пару лет ничего не выходит. +Она не была украдена. +За дело. +Сегодня мы не так много сможем сделать. +Отличный парень. +Кейт, вернись к Энтони Димплу-как-его-там. +Что за смена настроения? +Хочешь, я скажу ему, что тебе пришлось уйти? +Я не подкидовал пистолет. +Я был под прикрытием. +На данный момент...10 миллионов долларов к концу дня. +Почти добрался до двери, но мои руки отмерзли из-за смешивания напитков. +Они были там, строили дома. +Это моя таксистка. +Эбби. +Я тоже. +А где работал ваш муж? +Итак, этого хватит на плаванье и на несколько недель экономного путешествия. +Я имею ввиду это весьма теоретическая магия. +Что именно мы ищем? +Эй, слушай, у меня появился клиент, так что я тебе перезвоню. +Они подталкивают ОРНО к благородным заявлениям. +А сейчас мне надо готовиться к встрече с акционерами, и... +Ясно? +Как за это браться? +Шелдон, довольно. +Как красиво. +- Ну, если не боишься ... +Они выкинут нас с канала и продадут на какую-нибудь кабельную помойку, которую спонсирует снотворное. +Джей! +Что? +ФРАНКО ВЫХОДИТ ИЗ "ДЕННИ"? +Они дали отрицательный отзыв. +- Да. +Да! +От него веяло Мудростью веков и культурой +Не могу водить на каблуках. +Я..я не знал... +М: +М: +Ролик про вас в новостях произвел фурор среди социальных деятелей. +Я работаю. +Я ошибался. +Так как насчёт еды... +Лос-Анджелеса нет. +Что помогает тебе смириться с убийством ребёнка? +Я не хочу отдыхать. +Я был точно такой же ситуации, когда впервые приехал сюда. +Давай, держи руль. +Это же кошмар. +"Секс-свидание звезды сериала на виду у шокированной семьи". +Заходи. +Этот глобус пробил бы в нём пол. +И, кстати, Зигмунд Фрейд, Томас Эдисон, Шерлок Холмс – все употребляли кокаин. +- Шерлок Холмс вымышленный. +Как и Шелби. +Занимался, а теперь не занимается. +Она сказала, что хочет уйти в большую компанию, у которой есть клиенты "уровня повыше", как в агентстве ДСПР, которые были бы и у меня, если бы люди, как она, не уходили. +Может, пришла пора для женщины-слона. +- Ого. +У нас есть человек в местной разведке, +Какие? +! +Всё будет. +Зависит от того, нужны тебе детали или нет. +Но кто считает? +Я где-то об этом читал совсем недавно. +Чего тебе опять, Харви? +Кэтрин! +Результат истинной любви. +И у Коннора тоже. +Вы сказали, это покроет участие в заговоре и препятствованию правосудию, мне нужно письменное подтверждение. +Моя дочь - единственное, что у меня осталось в мире. +Твой отец выдал нам оружие, и официально не заявил для чего. +Это было не представление. +- Да, шеф. +– За всеми нами. +Не-а, они повесили трубку. +- Дядя Майлз? +Именно поэтому мы отправили тебя к Веллеру. +"А вот и Джонни", что бы... +Отбелил зубы с помощью полосок или пошел к дантисту? +Я немедленно выясню. +Не шути со мной. +Можно мне... +Потому что я никогда не встречал таких, как она. +Вместо того, чтобы представлять, как будешь выслушивать обвинительный вердикт, который состоялся лишь благодаря тебе, представь себе трудяг. +Эдди, где...? +Э, полагаю для этого есть спиральный нож, наверное. +Он знает, что ты здесь. +Племянник. +и вот я здесь, перед вами. +Или глазунью? +Многоликий Бог научил его, как снимать лицо и как вручать дар. +Малыш Теон. +До скорого, шериф. +Значит, прошу прощения, Проповедник. +Я больше не могу об этом! +- Как думаешь, она подойдет Дэнни? +Речь о том, чего хочешь ты. +Сидни и Джастину, которых необходимо вырастить так, как мы с Николь планировали. +Удачный ход. +Бэт приставила пистолет к моей голове. +Я просто пела песенку "Крошка-паучок" +Да, но я не хотел этого . +Мы все ещё задаемся одним и тем же вопросом: +Дело твоё. +Но ты... будешь великолепной. +Прямо назад. +Извините парни. +Ты умеешь выживать. +- Интерестно. +Гони! +Ага, это случайно не он был вашей мишенью вчера ночью? +Кроме того, не похоже, что он редкий экземпляр. +Что происходит? +Оставим в прошлом всё то, о чём мы говорили в последний раз. +Это правда, дебил? +– Но чувствую, что у меня нет выбора. +Эш? +- Не расстраивайся, Эш. +Дай-ка сюда. +Беги сюда. +Шерлок Холмс. +Нужно вернуться к работе. +Это Шерлок Холмс и Джоан Ватсон. +Значит они с ним в одной дырявой лодке. +Это часть моего обаяния. +Судя по этому, только один из вас был в здании в прошлый вторник в 3 ночи, когда звонок был сделан из офиса Анны. +Он существовал? +Отпусти меня. +Точняк. +Эй, Крис, я... +Послушай, Майк. +Биохимическое оружие, увы, пока не подходит. +Я не знаю где он. +Начинаем. +- Слушай, Карл, просто успокойся. +Я серьёзно за тебя беспокоюсь, Люси. +Большой пакет, полный денег! +Минутку. +Что-что? +Мой брат потускнеет и исчезнет без следа. +что ты хотел заменить меня на небесах. +Вмешался отец Гийома. +Дай ему, так сказать, "обрамление". +Простите, я вам не нравлюсь, но знаете что? +Я собиралась начать лечение. +Говоришь в открытую. +Да, получила огромное удовольствие. +Вы не можете трогать меня. +Послушайте! +- А по-твоему, за что? +Как я сказала, навряд ли. +Моя могила. +- Да. +Где-где? +Это все новый слои брони. +Была прекрасная жизнь. +Супермен никогда не был настоящим. +- Губернатор... +Что дальше? +лонирование устройства завершено успешно. +¬ы ошиблись дверью, мисс. +Так. +Нет, я хочу этого, я справлюсь. +Не могу поверить, что ты пригласила +Эллиот. +Я рад, что Шерлок Холмс - под ашей фантазии. +Никогда не недооценивай уличных удобств. +Я передам его вам обратно. +Там видео с тобой. +Несколько страниц мемуаров бывшей первой леди опубликованы сегодня на сайте столичного городского портала. +Я платил этой стране налоги 19 лет. +Поджечь весь мир или умереть в попытках. +Да, ваше... ваше лицо мне знакомо. +Ваал управляет его сознанием. +Могу я спросить, откуда ты узнал об этом векселе? +Нет, вообще-то можете. +* +* +Я с ней справлюсь. +Я думаю, что его обвиняют в куда более тяжких преступлениях. +Он хладнокровно забил человека ломом до смерти. +В этом нет необходимости,но я принимаю их. +У вас руки в крови. +Выключу совсем. +У одного была заточка размером с кухонный нож. +Что с тобой? +Я передумал. +Прожектор, это Бэйкер 6. +Ну-ка ну-ка... +Пусть остальные остаются на местах. +Я надеюсь, потому что мы проведём остаток наших жизней вместе. +Потому что когда он был помощником ему ещё не было 30. +Ребята, Келси только что твитнула, +Какого черта? +Перестань меня так называть. +Не волнуйся. +Cкaжи, чтo я ceйчac. +Думаю, что она начала их коллекционировать, +- Эй. +- Готов идти на собрание? +Дамы и господа, первая леди Соединенных Штатов. +О, Клэр. +И никак не перестраховался? +Старый добрый Поли. +Эффект ярче. +Закрытый ночной клуб +16 часов, Ваша честь. +Разве не ты осознанно поменял команды, чтобы мы с Дрю не попали в одну? +Наконец-то. +А другие... +подумайте над этим. +Хорошо, это похоже на то, что ты хочешь добраться до Шарлоты Ридардс сам. +Но ты уверен, что это именно то, что ты ищешь? +Ты чувствовал себя слабым. +Считаешь это комплиментом? +Случившегося с вами уже не изменить. +Он быстро раскололся +- Иди сюда. +Можете поставить ещё две. +А теперь я сиделка Энни. +Я должен был убить всех их, шанс у меня был +Милый. +Да, ради её безопасности. +Я ей позвоню. +- Что? +Да. +Пощупай. +"Отцы ели кислый виноград." +мамочка хочет... +Меня всю жизнь все недооценивали. +— В коробке для чаевых. +Как по-твоему это место до сих пор работает? +Да, научилась. +Назад. +Сегодня вечером будет благотворительное мероприятие. +-Спасибо +Его номер в моем заднем кармане. +Постой. +Ты имеешь ввиду бывшей девушки? +Я слышал тебя на пленке. +Ваша и Шерлин. +- Качок. +Адонису не удалось разыскать её семью. +Люди, которые тебя ранят, те, что по правде тебя ранят, это те, кто близки настолько, что могут это сделать. +Вы его не видите? +Это улучшение. +Это же такая мелочь. +Она была весёлой. +Потому что я бы хотела, +Вы из PGT Ballistics? +Говорят, там очень чисто. +Но дорогая, это же Апокалипсис. +У вас же есть отдел спорттоваров? +Это именно то что произошло в сериале +Переводчики: janethevirginrus, EvgeniaSt, HelFed, inola sashaokyn, p_zombie +- Софи, дай маме разобраться с этим. +Я приготовлю тебе бокальчик вина для ванной. +Я просто человек. +Я сказал: не задавай вопросов. +Давай поговорим офлайн". +"Флаттербим" – лучшая компания из списка. +- РОПН. +Он назвал Марию наркоманкой. +В любом случае, пикник? +Эй. +Удвойте количество сотрудников. +- Вольно. +Опять? +Ты ведь скрывался, откуда серебра столько нажил? +Но я просто не могу сделать это сейчас, потому, что ээ... +Потому, что я беспокоюсь о тебе. +Не хотите мне ничего сказать? +Вы можете взять машину. +Я глубоко сожалею о том, что до этого дошло, мистер Фиск. +Второй раз за сегодня нам приходится это делать. +Боже! +- Я в город, пока. +Да. +Возможно, она пытается женить тебя на себе, Джордж. +Но, понимаешь, это неправда. +Также относившиеся к кубическому реализму, эти художники были известны как "Безупречные", и этому есть причина... +Сегодня четверг. +Мне надоело слышать о твоей мертвой девушке. +А вас где черти носили? +Малыш. +- Иди.. +И это ведет к пункту 3. +Ясно? +Так, это всё твоё, что нужно? +Я купил этого карлика за один золотой. +Ты меня поразил. +Гарольд – мой друг. +делают людей слабыми, легко управляемыми. +Настоящая проблема, мистер Спектор, ваше признание. +Теперь весь мир знает, кто такой Марк Фюрман, но только не присяжные. +Хорошо. +Время для ежедневной прогулки. +Мне придётся всё видеть, раз я буду рядом. +- Вам нужно взглянуть на него. +Видите ли, я хотел "Китай рулит, потому что всех подкупают", но тогда Министерство Финансов меня бы заткнуло. +Порядок. +Может, он был болен. +Что за хрень ты тут устроил? +Но людям всё равно нужно расслабляться. +Я был женат на работе в первые 20 лет нашего брака, а... а следующие 20 лет должны были быть нашими. +Спасибо! +Что, какая-то забастовка? +Это все, что нужно. +Пусть только пикнут. +- То есть вы создали материю из ничего? +И вы уверены, что это был Люк Кейдж? +Этот смех... +Мне шесть. +Будь осторожна. +# +Я позвоню тебе завтра. +- Да. +.. +без них не полетим. +А эти туфли! +И он сумасшедший. +Но я все равно не понимаю, почему я нужен в этом деле. +Ты когда-нибудь хотел забыть? +Но сегодня вторник. +То есть... от меня ты этого не слышал. +Хочешь провести последнюю неделю в Райкерс? +- Джейми, ты нужна в зале совещаний. +Не знаю. +Ты ничего не можешь поделать с этим. +Это всё, что мы знаем. +Всё хорошо. +Лаки Морад, вы арестованы за убийство Касты Митчел. +Хм, я в этом уверена. +Или... +Бежим! +И я не готов смирится с этим это происходит так редко. +Почему вы молодежь записываете всё? +Мы с твоим отцам друзья вот уже двадцать лет, и он никогда не просил об одолжениях до этого. +Вообще-то, Тони, я думаю, что общение это ключ к крепкой связи. +Вы шутите? +Как ты? +Не волнуйся, милая. +Напряжение между вами хоть мачете режь. +Ты сделала, что должна была. +Мы должны праздновать это! +С Лисбет всё так и вышло? +Нет. +Видимо все для вас, ничего для себя? +Ага, действительно... +И мир говорит, "Пусть умирает". +Мне перезвонили! +Крутые. +Но я ненавидела Харви, когда он травил меня, и они возненавидят тебя, если ты станешь травить Тревора. +Шерлок Холмс. +Я Шерлок Холмс. +Хорошо, держите меня в курсе, если будут новости. +Да, сэр. +Слышал, ты меня разыскиваешь. +Как бы ты его поменяла? +Алло? +Это Шерлок Холмс? +Шерлок Холмс, сержант Блэк из 7-4. +Спасибо. +Немедленно сообщите своему начальству. +Мы хотим остаться с Джоди. +Как ты думаешь, Гидеон? +Поверь мне. +Не трогай её вещи. +Ты же леди. +Базз, сюда Кроме шприца, тут ещё и жжёная ложка есть... зажигалка прям повседневный набор повара... +Начинаю отрезать 12 секций под миной +Ах, да, +Я сходила, когда чувствовала себя перегруженной, и это помогло. +Даркнет, скорее всего. +Пегги. +Боюсь, что у нас проблема, господа. +И так напугана. +Без обид. +Законы Вселенной и все такое... чтобы меня вернули сюда не просила +что ты сделала? +Я новенький. +Нина, Алек – найдите орудие, и мы получим ответы. +кредитная карта? +съешь сама. +- Ты закончил. +Игнорируешь? +Сонбэ... +Питаюсь хорошо. +Прошу: самый мощный товар на рынке. +— Я бы записал это. +Разбуди его. +ДжейДжей, ты лучшая из тех, кого я знаю. +Очень важно чувствовать поддержку близких, когда встречаешься с кем-то. +Да, через чёрный ход. +Не нормально! +Никто не погибнет. +Идёмте, парни. +Дядя, я... я просто пытаюсь понять. +Вчера, здесь. +Магазин фототоваров. +Я делаю! +Но после недели работы она выглядела рассеянной. +(стучат) Мужчина: +Я здесь. +С любой стороны! +Не верю. +Хочешь со мной? +Не нужно нарываться на пулю. +- Но затем меня спасли. +Похоже, что это была просто аллергия, как её опекун и подозревал. +Почему? +Это хочешь от меня услышать? +Но это так. +Ветер прогнал нас с пляжа в город в поисках горячего чая. +Откуда тебе знать, что ты сможешь? +Сделай одолжение. +Я делаю это не ради денег. +-Нет. +Я... +Даже сексуальная. +Осталось организовать доступ к данным на сервере. +Это Шерлок Холмс, мы из полиции Нью-Йорка. +Я знаю про Ирен Адлер теперь. +- Вхожу в роль ведущего. +Не передашь мне дохлую лошадку, Норм? +Может, обижает вас? +Хочешь еще бюджетного шампанского? +Адриан? +Надо только привыкнуть. +Вы убили её и оказались в западне. +- Какой? +Ты действительно хочешь, чтобы я это сделал? +Этот облик называется, +Мы заполнены на 40% +Но мы - можем. +Это может быть твой парень. +И мэр +Из-за места преступления. +Спрячь на дне своей сумки. +Спасибо. +Пролет дрона был де факто вторжением, а значит доктрина дома как крепости применима. +Моя невеста, Джосс, правда их любит. +Пойду я домой. +Я не твоя жена! +Палмдейл, +Можете на минутку остановиться? +Ей сколько, 20? +(исп.) +Что ты только что сделал? +Он придурок. +Ты, похоже, забываешь, что я знаю твой грязный маленький секрет. +- Horus is going to bring her back. +Нет. +Как и мы все. +- Спасибо, Жюль. +Если он с ума сходит от 10 метров бархата, мы используем 15. +- Мы не виноваты. +- Ранее в "Дневниках вампира"... +Идём. +Я и не спорю. +Ты ведешь себя так, будто я помешал роману века, но вы же были вместе, и я не удерживал тебя от этого. +Обри, мне нужно, чтобы ты опустил меня вниз, хотя бы ещё на метр. +Поднимайся! +- Да. +- Что случилось с ребёнком Мелиссы? +С невозмутимым видом продолжил: +И будем сражаться с нашим врагом +Как говориться, никогда не роняй мыло в душевой рядом с подобной вирусной сволочью, Мобли. +Или, по-крайней мере, когда-то являлась. +Ты правда думаешь, что сможешь заставить меня остаться? +В смысле, я впечатлён. +Нам нужно имя. +Гитлер. +Слушай, Эмилия, мы знаем, что ты здесь, и что это очень важ... +Просто... +Доктор Малек. +Слушай, у нас проблема на девятом. +Детектив Доусон, отдел расследований. +Надо будет к тебе заглянуть как-нибудь. +Ещё он просил сказать, что вы приглашены на первое собрание избирательной комиссии. +А теперь посмотрим под другим углом. +Не упустите его! +Ради всего святого, нет. +Какая от этого польза? +— Тебе нужно выбираться отсюда. +Шерлок Холмс, +Оставайтесь в 4-6 шагах друг от друга. +Он не в лазарете. +Это не он. +Все вокруг меня меняется слишком быстро, и никто не интересуется, устраивает ли это меня. +До тех пор, ваш сын будет в безопасности ... +Готовы? +То есть... всегда пожалуйста. +Он смешной. +Всё в порядке. +- У тебя убийственные волосы. +Оно и в моих волосах. +О. Ясненько. +Ты. +- Вставай и сражайся, слепая девочка. +Избежать людей вроде нас невозможно. +100)\} чтобы твоему твоему кхаласару дали тысячу лошадей в знак моей благодарности. +Мне приказать выкопать для нее могилу, милорд? +Я знаю кучу людей, кто бы заплатил тебе за такую защиту. +Говоря о, хм... +Надо вернуться в "Мэйсон Индастриз". +Это между нами. +Попробуй. +— Разве что что? +- Хорошо. +Он начал бороться с преступниками в ту секунду, как получил свои способности. +Ta жeнщинa cкaзaлa, чтo мы мoшeнники. +но в тронном зале а не в этом священном месте. +Сейчас это не важно. +Нет! +Нет, нет! +Документы сухие. +Потому что он Карлос. +Ей нужна пища. +Отстаньте от меня! +Переводчики: algambra +На шее гематомы и отек. +Высокомерный ублюдок. +"Она"? +- Знаешь, я, может быть, и врач, но это не значит, что я никогда не бывал на вечеринках. +Будем шептаться? +А мне не нравится, что вы ведете себя, будто ваша клиентка конфету украла. +А почему их 6? +- Я... пыталась... сделать пирог. +- Caitlin. +To come and eat your food, I'm there. +Давай поцелуемся. +Оружейная на пути в Мистик Фоллс. +Они не выдерживают испытания временем. +Я пожертвовал всеми и всем для тебя. +Я не хочу убивать тебя, Стефан +Ага. +Переведено на Нотабеноиде +Нет родственников. +Несмотря на то, что вы оба в тандеме странно очаровательны. +Все безуспешно. +А потом он выяснил, что кто-то его ограбил. +Давай я налью заново, а потом мы всё запишем. +Можешь отвезти Дэнни в радиологию? +Большая шишка в колумбийском картеле. +Кто ты, бля, такой? +У нас трудности. +Просто добейся подтверждения. +Что, черт возьми, ты делаешь? +- Что-то здесь есть. +- Кому поручили дело? +Ну типа "С причудами". +- Ага. +- Она поцеловала меня. +Да что такое с этим домом? +Горячо! +По 10-балльной шкале, где 10 - это максимум, как бы вы оценили систему поддержки? +Спасибо за встречу. +Наверняка. +Я не понимаю, как так вышло, после нашей крепкой дружбы. +Но именно это и случилось с рукописью. +- У тебя тоже есть кличка? +Это был проступок, а не уголовное преступление. +Простите, но я просто хочу уйти домой. +Так где ты вчера спал? +- Я вас понял +Ты можешь приземлиться - и это затягивает тебя в прыжки, ведь иначе ты бы и не стал пробовать. +Компании платят, чтобы их отождествляли с определёнными качествами. +Так, праздничное угощение. +Что-то вроде банка продовольствия. +Значит, у него есть паспорт? +Да. +Я думала, мой муж больше мне не изменял. +Это не совет. +Я думала ты была рада снять ее со своей шеи. +Телефон посыльного, его аккаунт в Twitter, планшеты, IP-адреса – всё было неактивно примерно с 18:43 вечера пятницы. +Посмотрите движения по +Помогу попасть в Азваи. +- (палациос) Нет. +Скорее. +Поцелуй свою жену и детей. +Ну, ты дверь не открываешь, и это странно. +Я рад, что ты не одна из тех психов. +И это не похоже на плод работы моего подсознания. +Прошу. +? +Ник? +Что случилось? +Я говорила с Рейвен Райт перед подписанием приказа. +Город, который и через полвека, когда меня уже давно не будет, неминуемо напомнит всему миру о Джеке Рэкэме. +Что случилось? +60 км/ч. +Ты сказал, что пошел к Мелани как друг, а потом все переросло в нечто большее. +Выпей со мной. +Мы нашли Черную Рыбу, милорд. +Я победил тебя, потому что я лучше тебя, Берик. +- "жасно. +- Ќе знаю, что сказать. +—пасибо. +Он копается в данных старых испытаний вакцины. +НЕТ +Выпьем, наконец. +Я кое-что нашла. +Мы должны сказать правду. +Чёрт! +Ладно, ну что, мне нравится хоккей. +♪ Что ж, вам просто не терпится быть вдвоём ♪ +- Тебе нравится! +Добро пожаловать. +Если ты, так сказать, не захочешь мне подыграть, то Туко узнает о твоем бизнесе на стороне. +Адам Эймс, 61 год. +Его укусил альфа? +Все тела так и не нашли. +У всех пять-шесть одинаковых шуток. +Ладно, сюда. +Короче... +А я нет! +Так что его актеры не используют презервативы. +- И что вы сделали? +В общем, с тех пор как она и Крэйн развелись, я подумал, что у меня есть шанс. +И это моя главная проблема. +Бруно попалась картина стоимостью более миллиона баксов. +Ещё два цветка. +Птичка из суда на хвосте принесла, что ты хотела меня видеть. +Хагоромо... да? +После он оставил теневого клона в качестве своего трупа. и наложил её на свою рану. +Серьезно, если ты получишь фото чего-угодно, с чем они работают, это принесет гораздо больше денег, чем четыре фунта. +Загрузка. +О, мы его, наверное, в тюрьме оставили, когда ты попросила достать программку. +Всем большое спасибо. +На самом деле в последнее время много чего было чертовски здорово. +И что такого? +Давайте, давайте, поехали! +Разрушаем барьер. +Вы можете это сделать? +Чарли! +Удачи, Шарлотта. +Эстер, я думаю, ты могла бы позволить себе быть немного свободнее. +Семьдесят процентов Земли покрывает вода. +"Андерсону" кранты, мое единственное спасение – "Майами Уэлт". +— И вы! +Но мы не смогли обнаружить аккаунт собеседника, что означает, что либо он удалил его, либо не существовал изначально. +Ты отвечаешь за него. +[Юлия] Я не услышала "спасибо". +Всё правильно. +Всё в порядке? +Четыре. +Помочь всем. +Мэгги, Дэв, берите первого. +Каждый раз, когда ты сталкиваешься с препятствием, ты устраиваешь себе жалостную вечеринку. +Ты беременна. +У меня получилось. +Он, он спит. +В третьем поколении. +Он не следовал за мной. +- Фрост! +Я думаю, что там кровь. +Нет! +Отец наш... +Эти ягоды здорово снимают напряжение. +Я клянусь... +Шерлок Холмс не был для вас развлечением. +Да, конечно. +- Лажа! +Дейл, расскажи д-ру Мастерсу, что сделал с моими туфлями от Герберта Левина. +Гектор хочет не только жену Эль Осо. +Шерлок Холмс, Дэрил Зеро... +(Дэрил Зеро – это Шерлок Холмс в фильме "Нулевой Эффект") +Внимание! +Начни с того, почему ты запер меня в бункере, пока жил тут как король? +- Так же как и пианино. +Почему? +Кстати, после таких правильных поступков, можно целовать мой зад. +То как... +Мне очень нужно попасть в дом. +Огонь я получу +Беги! +Ты должна помочь мне. +Пистолет на землю, быстро! +– Хорошо долетели? +— Я садовник? +Я хочу это. +Да. +Барлоу, это Уолт. +Я никогда не отступлю. +Не знал, что ты в городе. +Тогда почему ты держишь нас на мушке? +Это тайный сайт в Темной паутине. +- Ага, ты права. +А теперь, вы увидите их в тюрьме в комнате для посетителей. +Мы хотели обсудить с ним дела. +- О, глянь-ка. +Если у тебя чего-то не должно быть, то ты и не можешь от этого избавиться. +Офигенно! +Хорошо. +Ранее в сериале... +что у вас там происходит? +Спасибо. +Плазма? +Ты просто подумаешь, что я глупый. +В лучшем случае, Джослин - это женщина ,которая бросила меня. +Бэн! +Есть данные, что он был здесь где-то с месяц назад. +Позвольте дать вам совет. +Когда я пришла домой прошлым вечером, +...то ее полюбят. +– Нет! +Кто знает какие разрушения может учинить такое слияние, как Малахит? +Ну же. +– Можете расслабиться, мистер Осборн. +Я вспоминаю, как господин Снарт сказал, что присутствие на борту Сэвиджа +Рэй, ты же знаешь, что я тебя люблю. +ѕриготовитьс€! +Мы даём Москве слишком много места для манёвра. +Я требую ещё. +На сервере есть файл с названием Шива. +Для тебя это было пыткой. +Не помогай ему. +– Да. +Ты был полезен для Сони. +Боженьки. +Мне было девять! +Да, но Антония подобрала двоих одновременно. +Когда всё закончится. (нем.) +Я знаю. +Я умру, Клэр. +Прости, Риггс. +Родж, да без разницы. +Он делал его слабым, непредсказуемым. +Но Фрэнк не может решать, кто должен жить, а кто умереть. +Он омерзительный козёл. +И я положу конец его страданиям +Я не могу позволить тебе навредить моей семье. +Не без белого дуба. +Не будешь ли ты сильно возражать, если я попрошу избавить меня от лекции про нерадивого отца? +Куда это ты собрался? +Так пойдем за ним. +Она была удивительна. +Именно он. +Исида-сама так меня выручил! +У менеджеров "Livestock" другие приоритеты. +М: +Есть новости, сэр. +Вообще-то, я должна вернуться. +Во что я скажу... +Она знала, что Меррику в прошлом было отказано в праве посещать ребенка, собиралась о нём сообщить. +Да брось. +Доброе утро. +Не волнуйтесь, сэр! +Он нужен нам живым, Мик. +Шерлок Холмс. +Это был наш первый совместный тур, и вы не можете представить мою радость, когда я узнал, что этот парень из Кентукки никогда не был на охоте на бекаса. +Хирурги помогут тебе восстановить лицо, но ни единой секунды не сомневайся, что ты прекрасна. +Просто хотела, чтобы нас поженил тот, кто имеет связь с Богом. +Что случилось с Сибиллой? +Все знают, что тебе за этими стенами вообще ловить нечего. +Время разбегаться, Карл. +Родители сказали он тебе снится. +А что должно было произойти. +Да, мы можем оставлять крошечные отметки и таким образом обеспечиваем нашим клиентам требуемый уровень защиты. +Эшли! +Ты хороший отец, ты знаешь? +Все заканчивается. +– Где Питер? +Просто стоишь. +Я не буду больше говорить. +думаю, у меня есть минутка. +Я... я знаю. +Я все равно закончил. +Давайте закажем маргариту, которую подают в сомбреро! +Чего бы это не стоило, согласись. +Неа. +Чего? +Не хотел, чтобы ты во мне разочаровалась. +Я расстроена потому что Папочка Матео не сказал мне то, что должен был сказать. +Да, он умный. +Прошу, если наша дружба для тебя что-то значит, окажи мне эту услугу, пожалуйста. +- Давай, локти прижимай, локти прижимай, гони. +И как я посмотрю, ты всё так же повсюду развозишь шлюх. +- Вылитый Санта. +Что? +Никаких больше костюмов морячка! +Расскажи об этом. +- Эй... +Помоги друзьям. +- Я задет! +Если ты хотел её увидеть... +Мама. +Она не смогла бы провернуть это одна. +- Спокойной ночи, мама. +И это правда. +Думаю... +Наверно, старая модель. +Не ждет она, что будем мы в совете. +– Почему? +- что фраза "токсичная плесень" звучит не очень хорошо... +В центре. +- Да, я заметил. +О, да! +Не волнуйся. +Прости, сынок. +И от тебя. +Что если Меган не просто обдолбалась и ударилась головой? +Это Сэм. +Сюда летят другие. +Наверное, я последний, кого ты хочешь слушать, но я был на твоём месте. +Осторожно! +Кольцо... +Это почти точное изображение одной из самых значимых тату на твоём теле. +Шагай. +Вы всё это время были правы. +Это техническая проблема, всего лишь глюк. +Лучше послушай меня! +Придёт время, когда тебе придётся выбрать между ними и собой. +Я так и знала. +Они заплатят. +Теперь полиция во главе. +He did seem pretty rattled about his nephew. +Она и так прекрасна, мам! +Задиры — они страшные, когда увидишь их в метро, но когда за ними гонятся 80 Убийц — весьма смирные. +- Хранители Знаний? +- Не знаю. +Ослышалась. +Стойте. +Каково твое решение? +Нигде. +Можно украсть у тебя подушку? +— Ты в порядке? +Очень мило с их стороны ? +Что мы тут делаем? +Все хорошо? +Знаешь... +У тебя было тяжелое время, но это не.. +Лейтенант, его жизнь была кончена в 15. +Ну, как бы я ни наслаждалась той штукой на странице 187, сейчас я не в настроении для этой конкретной штуки. +Что будет в следующую встречу? +Нет. +Я не могу. +Бут. +– Нет, мы не... +Нет, ваша. +– Что? +Чувак, это детские шары. +Она на самом деле пришла в себя? +Майклу Томпсону. +А ещё мы знаем, что вы провели большую часть последнего десятилетия, стараясь разрушить её карьеру. +И не проходит и дня, чтобы я не думал о нём, я понимаю, как вас это гложет, знать, что ваш побег повлиял на вашего отца вот так, и если бы вы были дома, вернулись домой... ваш отец был бы жив. +Зачем ты вообще здесь нужен? +Мальчик теперь знаменит. +Детка. +- Да, да, да. +Прости. +Ещё можно успеть на "Евростар". +Да. +Мне нужны каталка и экстренная бригада сейчас же! +Большинство из вас меня не знают, но то, что я здесь должно вас беспокоить, потому что меня зовут, только когда дела совсем плохи, так что давайте начнем. +Я... +Такого не будет. +Ему нравится с тобой работать. +Позвольте представить вам Кэти. +Что-то случилось с Вашей рукой, Айхорст? +Помоги мне помочь тебе! +Я знаю, что такое страшно. +Она встретится с тобой в полдень за ланчем. +поэтому дальше вы сами. +Нет, нет, знаете? +Ему нельзя вас трогать. +Нет... нет. +Ж: +Коби? +- Это моя мама. +Как бы вы шли по жизни, если бы у вас её не было. +- Картер? +- Спасибо. +Ты хорошо поработал сегодня. +Джош, не... не думал, что ты мог бы сказать что-то приятное своей маме? +Grenada, rose_madder, GooFFi +Эс хочет видеть тебя за ужином. +Знаю людей считавших также. +Сара Мэннинг в Брайборне? +- Народ сейчас такой... +- Да как ты смеешь! +Мы, на самом деле, +Проблемы будут только у Вайнонны. +Это значит "Рука". +Мне нужно разобраться с этим. +Правда? +Я думала, тебе стало лучше. +Ты стараешься ради Призрака. +Вопреки распространенному мнению и примерам из книг, крайне маловероятно, что в зыбучих песках можно сгинуть, Джордж. +— У вас есть жена, детектив? +— Нет. +Какую карьеру политик, вроде мистера Галлахера, демонстрирует своей работой в офисе... +- Увы, нет. +Я это сделал только ради помощи бездомным. +- А то. +- К агенту у меня претензий нет. +Ты потушил меня довольно быстро. +Ты изумлен до смерти, не так ли? +"падающие звезды из Плеяд". +Она как будто спала. +Именно поэтому нужно действовать с осторожностью. +Он связал мои запястья и ноги скотчем. +Может быть. +Как он мог влюбиться в столь ужасную женщину? +Вы определите область или области, проблемные для стажера, и далее вы будете копать глубже, пытаясь найти конкретные факты по их делам. +- Теперь используй это. +Ваши родители так и не поженились. +Что ты нашла? +Ханна Вэйланд. +- Я хотел бы... +А что, если расскажу? +"Что с этой бочкой забитой капустой?" +Может ты знаешь к кому обратиться ... +Если услышу еще раз разговор о коммунистах в этом доме +Я даже не уверен, что слышал выстрел. +Я твоё печенье с предсказанием съем? +Слушай, извини. +Интересно, а мы с моим отцом так делали? +Рад познакомиться с вами, мэм. +Ужасное на вкус. +Извините. +У моего сына, который боится, что больше не увидит свою бабушку. +Но я могла бы выйти замуж за этого парень. +Это была тихая церемония без украшений. +Я не пью алкоголь +А я не говорила, что это просто. +Ладно, да, просите Дойла. +Я хотел, чтобы у нас получилось. +Паренька? +Сердце моё трепещет. +Да, конечно, сэр. +- Ты что наделал, мудрила? +- Зачитали. +Ты видела "Во все тяжкие"? +Мне правда нравится по-дружески с тобой сближаться, но прямо сейчас мне очень нужен секс. +Я не следовала за ним. +Алло, Мелани? +Точно. +Они делают выводы на основании улик и фактов. +Без обид. +Предупреждаю, я уже достаточно накопил этих двух копеек. +- У меня нет вопросов‎. +Где ты этому‎.‎.‎. +Сначала Драбек. +Они больны? +- А то несправедливо. +Это даже не история. +Во всей сети Нэшнл-Сити пробита брешь каким-то кибер-террористом, и никто не знает, что они делают, или кого или когда они снова нападут. +Я связалась с людьми в Пентагоне. +Спасибо. +Это Роман. +Только здоровая еда. +Мэдисон. +Я думал, что у нас нет видео с дорожных камер. +Кость срослась неправильно. +Кто, чёрт возьми... +- Будешь жалеть. +И на этот раз я ему отвечу. +- Понял. +Он не сказал вам, насколько вы влипните? +Слава богу! +Это ужасная история. +Что же это? +Так, ты хочешь, чтобы я все бросила? +Ты не занята? +Но ели это и правда так важно... +Это бессмысленно. +- И... +У нас просто нет ничего общего, вот и все +У меня есть диплом P.O.P. +Здравствуйте. +Сегодня посидим в тишине. +Президент работал на агентство? +- Довольны? +- Понятно. +Я работаю с некоторыми известными людьми. +Смотри! +Невероятно! +Это было в 1641 году, во время первого из моих путешествий в Японию. +Прошу прощения. +Эй, Шерлок Холмс, знаешь, у кого могут быть все ответы? +- Это ваша песня. +Да? +Кровь, волокна, всё остальное. +Привет, я Стефан! +Ты погибнешь, кто их остановит? +- А вот так. +Привет? +Мне все равно, что ты натворила. +Давай. +Я буду должна тебе. +У меня был тяжёлый день. +Господи. +Жесткое порно, фото и видео. +Это не месть, клянусь. +Бишоп! +Убери руки! +Он прямо под нами. +— Военный опыт, харизма, семейный человек... +Дэвид? +Ага. +Теперь до самого конца я... +.. +разрушившим жизнь отца. +Ирак? +С этой информацией вы легко меня раздавите. +- Слушаюсь. +Не ради тебя, ради неё. +Копы Чикаго. +Я ездила на курорт для одиноких два месяца назад. +- У тебя травма? +Он... +И я рад тебя видеть. +- Привет. +Смысл не в расточительстве, Ваше Преосвященство. +Отдай мне рюкзак. +Чья там сейчас очередь? +Эти удивительно хрустящие. +Ты плохая мать. +- Да. +- Кантри не особо её жанр. +Тодд Престон. +Ясно? +- Ничего подобного. +Да. +У вашей подруги было подобное в анамнезе? +Папа был пьяницей. +— Да. +Быстро! +Это приносит честь семьи предложить ребенку Кирин-Тора. +Я пришел к Жирдяю Эрни. +Теперь твоя подача. +Да, пожалуй. +Всё сразу замолкает, понимаешь? +- Понял. +Соглашение об обмене научными открытиями сегодня уже не так призрачно, после того, как к переговорам в ООН присоединилась Россия и Китай. +Боже. +А сама была у парня... +Я ухожу! +Она получила все преимущества. +Нам надо быть готовыми, на случай если Человек опять решит вернуться раньше. +Э, Боб? +Говорю, игрушки будут на ура. +Переводчики: +На выдохе отпускаем боль. +Труп так сильно... разложился, что они даже пол не смогли определить. +Вчера днем было обнаружено тело женщины, совсем рядом с жилыми домами в Северном Галифаксе. +Прошло два месяца. +Реджина, если наша магия здесь работает, +Начнем с этих. +- Не надо, все в норме. +Твой друг на больничной койке там, внизу. +Давай! +То ты хочешь, то не хочешь... +Потому что Италия - прерасна. +Нет. +- Нет. +- Глаза. +Он решил это сделать, взял её, зажег фитиль, бросил, ну и побежал, конечно. +Очень мило. +Парня из колледжа на свидании. +"Она послужит вторым ключом при перезапуске механизма для нового задания". +Да. +Возвращаясь домой, когда я только выехал приветливый, богобоязненный лавочник совершил жестокое сексуальное преступление. +Я сейчас приеду. +Но ему не понравится. +Что тут такое? +Я даже не араб. +- Да где же она? +Что это? +- Не боись, я его выпущу когда надо. +Какой он, Гамбург? +- Постой, Вова. +- Дай письмо. +Я чувствовал бы намного лучше, если бы это сделали вы. +- Да, сэр. +Но потом произошел взрыв. +- Не надо так меня гнать. +Не вижу, как вы можете мне помочь, если ваш муж простой сторож. +Посмотрите на эту штуку. +Хорошо. +- Джо? +Конечно, мне нравится старина Шерлок Холмс. +Шерлок Холмс, если это всё для тебя не одно и то же. +Сэм будет очень разочарован вашим негостеприимством к другу. +Любовь моя, иди же сюда. +Он обычно приходит раньше меня. +Я побежал к выходу. +Слушай, я знаю, ты по уши в этой мутотени... +Я всё ещё ребёнок. +Серьёзно? +Ваше Величество... +- Выходите вперёд! +Прошу тебя, пойми! +— Было 11 000, но сейчас только половина. +Да ничего! +- Да. +Потом этот человек, Террол входит и отрицает свой приказ. +Вь* прячете от меня новенькую? +Простите, Куотермасс, таких людей я обхожу стороной. +Как мы отреагируем? +Льва. +Завтра сражение, и на сто тысяч войска малым числом 20 тысяч раненых считать надо. +А картошки важнеющие! +Кто-нибудь дома? +Очень рада с вами познакомиться. +На колени! +Ты не такая великая домохозяйка, но шить-то ты умеешь? +Лично я вам верю. +- С семи часов. +Надеюсь, кровать. +- Должно быть, было скучно. +По какой специальности? +Будет лучше, если вы сразу позвоните моему шефу, а не будете посылать запрос. +Нет, только не сюда. +Это территория под фабрику. +Помогите! +Я приму мерь, чтобь положение это кончилось. +А правда, папа, что вь получили новую звезду? +Я слишком часто слышу это слово. +- Капитан, прошу извинить. +Нет лицензии, мистер Фиш. +Вернулась к тебе? +Очень далеко. +Вы готовы к операции? +Eго cбили! +Доктор Маккой уже загрузил в компьютер медицинские данные. +Я почти готов. +Уходить? +Тогда почему ты уходишь? +- Постарайся понять. +- Отчет... сегодня... в... 18... часов. +- Желаю удачи. +Больше мы с вами не увидимся. +Верно? +Да. +Так куда вы решили ехать? +Вам, и вправду делать нечего? +Маню! +Да. +Я знаю это. +Что насчет Джейми? +Особенно ты, Мариса. +Все зависит от вас. +Мой флот. +Как вулканцы выбирают себе пару, +А я хочу, что бы Джексон был мертв. +Что важнее, бизнес или дурацкая карточная игра? +Капитан Сэм... +Отец её снова куда-то сбежал, а мать использовала его уход как предлог, чтобы развлекаться где-то на окраине города. +Господи, да где же она? +Смотри, там кто-то есть. +И тот, кто отрицает это - невежда из невежд. +- Я знаю, спасибо тебе. +От лица человечества, теряющего свое лицо на фоне машин, я этого требую. +Я годами за тобой наблюдал. +Давай вперёд него. +Просто не взяли. +Нам надо разжечь его. +Хватит. +- Слушаю. +Каждый мужчина вправе ожидать? +? +У вас есть чем оплатить? +Одну минуту. +You ought to know +Отвечайте на вопрос. +В газетах меня прозвали "красоткой Кати", теперь вам ясно? +О, не волнуйтесь, м-р Перри. +- Вот, вот. +Они летают в космос уже несколько веков, но никогда не покидали пределы своей солнечной системы. +Вы слышите? +Когда? +Если вы думаете... +Я сам. +Можно сказать, что он стал чем-то вроде машины, которая лишилась своего оператора. +Никаких формальностей! +Не убегай! +Я рада! +Я хочу поговорить с тобой об этом идиоте. +Я её побил за то, что она оскорбляла меня. +Нет. +- Но для меня это всё меняет. +- А женщины, можем? +-И как скоро? +Со всеми этими неприятностями, я не думал, что ты вообще сможешь уснуть. +О, и еще одно. +Развод пошел тебе на пользу. +Джованни и Антуан переедут ко мне со Стэнли. +- Вы знаете его лучше, чем любой из нас. +Вы назвали её дьявольским изобретением. +Так вот, он предложил мне уйти в отпускза свой счет. +Перья, меха, посмотри, сколько она понавезла, чтобы пускать пыль в глаза. +Как прекрасно небо! +Сейчас... +Эй, идем же! +Как я могла не придти, если ты не давала мне жизни своими звонками. +Лидеры советов уступили. +Хочешь их послушать - жми на кнопку. +- Ты о чем вообще? +- Беги, беги, куда глаза глядят! +Полагаю, ты последнее время общалась не со школьниками. +Без свинки. +Я ее люблю. +Ты только послушай её! +А начальники станции у вас есть? +Здесь ошибка. "Келли" с двумя "Л". +Ты когда-нибудь читал, чтобы Шерлок Холмс имел дело с женщинами? +Шерлок Холмс. +Шерлок Холмс. +Где Шерлок Холмс? +Шерлок Холмс? +Настоящий Шерлок Холмс? +Слушай, этот человек вовсе не Шерлок Холмс. +- Ты правильный Шерлок Холмс. +Вам, конечно же, и самим известно, что Шерлок Холмс... никогда ещё не брался за дело, которое не мог распутать. +Вы вовсе не Шерлок Холмс. +-,никакой не Шерлок Холмс... +У настоящего Шерлок Холмса в футляре всегда была скрипка. +- Шерлок Холмс. +Шерлок Холмс и д-р Ватсон - дилетанты по сравнению с нами. +Стало быть, Вы были твёрдо убеждены, что этот человек и есть Шерлок Холмс? +Фальшивый Шерлок Холмс. +Шерлок Холмс ему обещал принести обратно настоящие марки! +- Шерлок Холмс. +- В качестве Шерлок Холмса и д-ра Ватсона мы получали такие поручения, которые Моррис Флинт и Мэки Мак Макферсон никогда бы не получили. +Почему не лично Шерлок Холмс? +Шерлок Холмс никогда не существовал. +Может быть сейчас сможешь ты мне сказать, кого ты выбрал? +Ты когда-нибудь читал, чтобы Шерлок Холмс имел дело с женщинами? +Шерлок Холмс. +Шерлок Холмс. +Где Шерлок Холмс? +Шерлок Холмс? +Настоящий Шерлок Холмс? +Слушай, этот человек вовсе не Шерлок Холмс. +- Ты правильный Шерлок Холмс. +Вам, конечно же, и самим известно, что Шерлок Холмс... никогда ещё не брался за дело, которое не мог распутать. +Вы вовсе не Шерлок Холмс. +-,никакой не Шерлок Холмс... +У настоящего Шерлок Холмса в футляре всегда была скрипка. +- Шерлок Холмс. +Шерлок Холмс и д-р Ватсон - дилетанты по сравнению с нами. +Стало быть, Вы были твёрдо убеждены, что этот человек и есть Шерлок Холмс? +Фальшивый Шерлок Холмс. +Шерлок Холмс ему обещал принести обратно настоящие марки! +- Всё это верно. +- Шерлок Холмс. +- В качестве Шерлок Холмса и д-ра Ватсона мы получали такие поручения, которые Моррис Флинт и Мэки Мак Макферсон никогда бы не получили. +Почему не лично Шерлок Холмс? +Шерлок Холмс никогда не существовал. +мы можем убрать его. +Пэтти, я знаю, что нет никакой мисс Ливви. +Что за чушь! +- Что? +Леонардо снова был собой -точным, сдержанным, невозмутимым. +- У меня есть ещё один воздушный шарик! +- Очень милый дом. +Я случайно Вас увидела. +Ты ещё не переоделся? +Послушай Дока. +Я не вправе считать себя жертвой. +Верно, будем. +Может, отдохнем немного? +Мы продолжим этот разговор в другое время. +Прости, они приглашают меня в Париж. +Ничего. +В Васюках состоится первый в истории междупланетный шахматный турнир! +С этим пора завязывать. +Отмена команды! +Да? +Когда-нибудь всё вылетит из головы... как после удара копытом... и - пока, Ента! +Другой же мне просто не нужен +-Положи обратно. +- И что же? +Вся улица сейчас об этом знает. +Осторожнее, Джо! +Откуда вы сами , встретившие нас пророческим приветствием ? +Удар, иде лу бы лконец, +Вкрови и не отерты их кинжалы. +- Нет, спасибо. +Ты что, пытаешься денег выпросить? +- Да, да. +- Кармен. +Почему Вы не выйдете замуж за Тэда? +Правда глупо? +Что же случилось в этом монастыре? +- Бал был чудесный, мы даже не смогли уснуть. +Начав как художник, он продолжал как ученый и не прекращал исследований до конца жизни. +Где они? +Джорджио! +Пожалуйста, Джулио, вытащи меня отсюда. +Добро надо избрать. +Соловьем поет, прямо разливается. +И всё, что я теперь хотел - это чтобы он и закончился прекрасно например, под музыку Людвига Вана. +Лижи! +И сон этот мне снился постоянно. +Взаимопонимания между двумя друзьями. +Зачем укол? +Теперь мы можем осмотреть блок "В". +Сюда, пожалуйста. +Не знаете, это что-нибудь значит? +Номера, точно? +Все случившееся так прискорбно. +Лица, о которых мы даже понятия не имели, одолевали нас визитными карточками. +По мне, все лучше долгой помолвки. +Не с кем встречаться в этом городе. +Что с тобой? +Не дадим ему умереть девственником. +Ты от этого нисколько не пострадал! +Мистер Стаут будет сильно недоволен, если увидит, что Вы играете с его оборудованием! +- Нет. +Да... +Поистине, это было главным стремлением. +- В Британии нет. +- Чаво? +Будем надеяться, его страдания не затянутся. +Я - женщина. +Де Симони, де Антони, Делори, Маньолиа... +Студент у проходной сказал, что мы заходим, когда темно, и выходим, когда темно. +На старт, внимание, марш! +В Париже было скучно. +Бедняжка, он такой нежный и беззащитный. +которые являются одной из главных проблем Службы охраны национальных парков. +Прекрати! +Видишь? +полицией, армией, +Здорово, что ли. +Банк закрыт, сынок! +Если веревка уже у меня на шее, как вы защитите меня? +Никто не заподозрит. +В этом нет нужды. +Нет, я буду здесь. +Я могу поклясться, что я +Я останусь здесь! +- А в каком городе? +Кальмино, сохраняй спокойствие! +"Моя бесценная Джульетта! +Рикити! +Всё у них есть. +- Да. +Потом поем. +- Да. +До того, как переехать в Киото, я жил возле армейских казарм. +Да и просто яиц. +Надеюсь, что нет, конечно. +- Мне неизвестно ни одного случая. +У них есть другие вещи, чтобы компенсировать маленькие неприятности. +Он совсем забыл, что у него есть невеста. +Париж не для смены самолетов! +- Но он мне нужен. +- Вопросы? +Что она делает? +(звонок) +Бедный останется бедным, а богатый богатым. +Большевик какой-то! +Будь достойным сыном. +Тебе не интересно? +Спокойны ночи. +Ненавижу! +Там мост. +Спасибо. +- Это кристалл. +Спасите! +Ладно, дядя, пока. +Полная оптимизма. +- Да, но он бы не приехал. +Счастье - это покой и достаток. +Докажи! +- Я имею в виду проход Антуко. +Вечно же свой? +- Да, он ехал на какой-то турнир. +- Он был полицейским? +- Это пирог с лососиной, но я взял форель вместо лосося +Тебе лучше позвонить ему. +Они ... они ударили его по голове. +# Синее бархата была ночь +Разве не следует рассказать все это моему отцу? +Соберите поисковые отряды! +И в один прекрасный день он поднялся на склон и увидел, что всё его дерево сплошь покрыто цветами. +У японского дерева? +Ты не можешь здесь оставаться. +Через несколько секунд они станут тверды, как лед. +[Мери смеется] +Я извиняюсь за такое сильное выражение. +Кто "мы"? +Оператор Филиппос Куцафтис +- До свидания. +Балуешься с цветочками? +-А через пару дней? +Если он возьмет деньги, а в срок их не вернет, у него заберут всё его добро. +Ты знаешь, кто это сделал? +Еще вина! +- Мадам, к вам исповедник королевы. +- Где твоя мама умерла? +Нет. +— Ты кончишь тюрьмой. +- Ты шутишь? +Почему бы нет? +- Конечно. +Да, не отказался бь|. +Роджер, где Лэсли? +Отлично. +Что изменилось с появлением, так называемой, магии короля Калунго? +- Ты едешь? +Он из Паральбы. +Устал. +Начать с Венгрии или других новостей? +"Поэтому и пришла в Собрание". +И так тошнит. +- 50 +Я - хороший искусник. +Извините, что мешаю вашей беседе. +Выходи с поднятыми руками, или я стреляю! +Ты можешь подержать конец этой рулетки в углу на полу? +Это уже третья работа в этом году, с которой меня выгнали. +Это - твой первый турнир, Дьюк? +- Что? +- Поворачивай. +- Вы любите лосось? +- А больше выпить нечего? +Что за черт? +Мистер президент, вы, возможно, должны передать планетарный сигнал бедствия пока у нас еще есть время. +Слива и виноград! +- Извини. +У неё болит голова. +? +? +? +, ? +Другого выхода у нас нет! +Чем ближе обрыв, тем сильнее накал страстей. +Гусь, даже ты можешь рассчитывать на победу в этом месте. +Они вели себя как обиженные дети. +Сбросьте все, что у вас есть на мои позиции! +У меня есть несколько замечаний по поводу сегодняшнего шоу. +Сегодня тут вообще нет голов, как ни странно. +Мы заходим. +Они отступают. +В ульях живут пчелы. +Но, похоже, баррикады не выдержали. +- Огонь на борту! +Мы только что закончили обход. +Сюда! +- Надеюь, подушки не испортились. +Ну, и чем же я его убью? +Это ваши? +Нет. +А, что-то припоминаю. +Я сказала своему господину, что проклятие должно быть передано другому. +Послушай, Сандрина. +Смотри-ка, есть дыня! +Как ты справедливо сказала +- Нужно отвести Луиса к доктору. +- Про Федорову. +≈му нужна его мама. +Сто тысяч раз прощай. +— А, Мария. +Знаю, я для этого и пришла. +Вы сделали большое дело. +Почто гремят там гласы трубны? +Ну все Элис, представление окончено. +Алло? +В любом случае - она мертва. +Профессор. +Откуда можно позвонить? +Теперь я стану водопроводчиком. +Вы уверены, что не ошиблись адресом? +И Вы, между прочим, тоже. +Здравствуйте. +Это правда, я невиновен! +Нет, у меня жена дома. +У тебя неприятности? +- В лавку. +Вы сами должны достигнуть своих знаний. +Я покажу тебе, когда я буду готов. +Привет Мэир. +Что она хочет от меня? +- Погоди! +Мне нравится этот мирный край. +Вот здорово! +Ты должна научиться повиноваться, моя любовь. +Полное уничтожение! +"Погибни все!". +Оставайся здесь и пригляди за Доктором. +Как побыстрее выйти отсюда наружу? +Сугимото, я весьма доволен твоей преданностью! +Санкт-петербургская этуаль. +Продержался! +Он возвращается к прежней жизни, не став мудрее, не умножив познания, не поднявшись ни на ступень выше. +В сердце... вселила! +Он еще и воспитателем бьiть обязан. +ƒон арлеоне... +- Ёто подруга арло. +Она самого дьявола охмурит. +Он обязательно придет. +- Спасибо, Тони. +Он известен как лучший дилер наркотиков. +- Это должно быть он. +Он не ожидал, что его пригласят на свадьбу... поэтому он хотел поблагодарить вас. +Она скорее из Греции, чем из Сицилии. +Ребенок плачет. +Поговорим о деле. +Он умнее, чем я. +Весело, что ли? +Мы не обсуждаем дела за столом. +ƒва мес€ца назад они поехали покататьс€ с еще одним парнем. +ќзначает, что Ћюка Ѕрази кормит рыб. +ћайкл, ты гнусный ублюдок! +Да, я забыл. +Шейла? +Я шутила вместе с ним, чтобы сделать ему приятное. +Сразу видно, что это Брайан. +"Пусть и тронутая". +- Что? +Во вторник днем мы с моей старой подругой миссис Парри ходили в кино, вечером ветрено. +Давно никто из Сантосов не переступал порог этого дома. +- Ясное дело, что она не думала. +Ты знала, что Начо ответственен за разрушение проекта Ист Риверсайд? +Теперь понял. +Акио, беги. +Я считаю эту проблему решенной. +Надеюсь, он не очень ревнивый, потому что я бы с удовольствием выпил с тобой кофе, Марта Костелло. +Двенадцать с половиной очков это долгий матч. +Я всё ещё не уверен насчёт сделки, Пол. +Я не перед чем не остановлюсь, чтобы выиграть. +Ладно, открой. +- Туалет в зале? +Забудь. +Чтобы вы с Холли ладили. +Не знаю. +Д'Артаньян! +Безумие неизлечимо, старик. +10 баксов на то, что в ее спальне +- Они ничего не записывают. +А можешь использовать эту информацию, чтобы определить место, где кто-то вроде Вескорта может совершить попытку? +- Расскажу людям. +- Я каждую ночь отправляю сигнал в космос, не боюсь я твоего "Самсунг Гэлакси", что ещё? +На небесах не нужен юмор. +Я пророчу кругленькую сумму. +Всё в порядке. +Мы могли бы устроить выставку в офисе! +В железе неполадок нет. +- Официальная причина еще неизвестна... +Мы скоро вернёмся. +Знаю. +Именно в ту ночь я записался в морскую пехоту. +Получилось. +Ладно, слушайте... я... +- Я сказал ей - больше никаких звонков сегодня. +Ладно. +Спасибо. +Прости за вчера. +Надеюсь, что это сработает. +Эй... +Твой парень связывался с тобой? +Шерлок Холмс, познакомьтесь с Сэром Джеймсом Уолтером, +Шерлок Холмс здесь? +Шерлок Холмс, познакомьтесь с Сэром Джеймсом Уолтером, +Шерлок Холмс здесь? +And then I made it a little bit... less copacetic by pissing off the Monsignor. +Это ерунда. +Спасибо, что задержался. +Синтия, встреча оркестра в среду в 3. +Я позабочусь о твоем муже. +100 миллионов. +Не туда. +Вон большая лей-линия прямо под ним. +Господин Дулакве, мы благодарим вас за ваши щедрые взносы. +Народ, отличные новости! +15 или 16? +О нет! +Осторожно! +Как еле? +Бросайте это! +Да, мы подождём. +- Говори. +А, ты говоришь о тех, вооруженных до зубов. +На прошлой неделе я поднимался по лестнице не 65-й этаж... тренировка у меня такая... и увидел на лестничной клетке Питера с парнем, похожим на головореза. +Знаю. +"...мы не можем предложить вам стипендию, но ждем, что вы попытаетесь в следующем году". +- Нет. +Думаю, ей 19-21. +Моя мама позвала священника, мой папа взял мой телефон, затем они отправили меня в лес +Нет. +Прости - а разве ты не служил на флоте? +Что он хочет. +Но это не оправдывает того, что ты сделал. +О боже мой. +Чем мы можем помочь? +Привет. +Я чуть не забыл про самое главное. +♪ When I close my eyes ♪ +— Ты направляешься в дом Монро. +Слушай, я не хотел заводить серьезных отношений в этот период моей жизни. +- Для "Сёрфспорт". +- Я командую? +- Беркович. +Сана +- Мне жаль. +- Что? +- Тогда ее надо поменять. +- Да, вам повезло. +Сказал то, что думаю. +Приношу извинения +И как же мне свезло, что я вернулся в родные пенаты. +- Да, милорд. +Держитесь, парни. +Хворь обитает среди тех сокровищ. +Некоторые, у кого нет детей, пытались убежать. +Эрна, завтра мой черёд. +Сейчас мы его заблокировали. +Нил, она влюблена в тебя. +Нет. +- Теперь то что. +Где я найду тебе эти сраные патроны для снайперской винтовки? +Где они теперь... +Томо... +Он нервничает рядом со священниками. +Бегом. +Нет! +Как... неожиданно. +От нее моча начинает пахнуть. +Ты должен пригласить офицера Энди сюда как-нибудь, чтобы она смогла познакомиться с твоей мачехой. +Эй, Кара, ты с самого начала говорила, что он слишком опасен. +Что ж, твой новый офис будет ждать тебя, когда ты вернешься. +И меня продвинули до замзаведующего в пейджерной компании в Трентоне. +Секундочку. +Мы заставим это сработать. +Живо. +И если Луис Литт попробует связаться с тобой, не отвечай на его звонок. +Мы собираемся жить вместе. +Я не хочу это читать. +Он потеряет целое состояние, если станет известно, что его артисты использовали машину, для генерации хитов. +Да. +Затем придет очередь Ребекки, твоей печальной сестры. +Ахх! +Пытки это совсем другое. +Сомневаюсь, что это ему понадобится. +С чистого листа. +-Ну, спасибо. +На прошлой неделе ты провела с ним 20 часов сверх нормы. +Не могу разделить твой оптимизм. +Я хочу любовную историю. +Катерина не единственная,ты знаешь? +Я думаю, нужно немного разогнать кровь. +Это просто срочно. +Да. +В случае с Маркусом - он, похоже, переключается между тремя личностями. +Да, я знаю, знаю. +- Снимайте плащ, располагайтесь. +Я их отслеживаю. +Я делаю пи-пи в постель. +Фэнни! +Я дала. +Нет... нет! +- Ты лжешь. +- О, нет! +"дравствуй, сынок. "вой хэштег привлЄк много внимани€ и мы считаем, что это здорово! +Дай пять, малышка! +"Иди нахуй!" +Подумай на выходных. +Что за чёрт? +Ты просыпаешься tenshi no hohoemi de +Увидимся. +Мы снова встретились! +Сегодня в "Нью-Йорк Таймс" Чарли Сэвидж, обаятельный Шерлок Холмс политических репортажей, методом дедукции пришёл к выводу, что эта непрерывная череда утечек вероятно означает, что за этим стоит один человек, решивший раскрыть всю эту информацию. +Он вообще исчез с поля зрения на прошлой неделе. +Получила все, что нужно, для свидания с Иваном? +Это что, распутный Шерлок Холмс? +Ты скажи. +Могу лишь предположить, что в итоге вы этого не нашли. +Он точно не получал таких денег от меня. +Сегодня выходной! +То есть, ты бы действительно сделал это? +Что это? +Но еслиб не ваш папа.. +Доступ без разрешения. +И вообще, мы вроде встретились, чтобы обсудить мою идею. +Я просто- +И я не держу зла. +Ты знал. +Все хорошо. +Найди Мэгги. +Ты единственный, кого до сих пор волнует это дерьмо +Там будет легче поговорить +Почему? +Думаю, огорчение изнурило ее. +Ха. +Дядя Спенс так разозлится. +Прости меня. +Рыбы. +Это займет какое-то время. +Ой! +Джимми, предлагаю вам с командой притвориться рассчетной фирмой а мы с Олински будем банкирами. +Или какая-то секта. +- Я ни на кого не хочу произвести впечатление. +Ты переходишь с одной работы на другую, постоянно находя в них недостатки? +Нельзя, чтобы нас увидели, понимаешь? +Это был деловой обед. +Ей нужно было все исправить. +было так реально. +Привет, мои два любимых человечка на земле. +И это не значит, что тебе тоже нужно погибнуть. +Богатые сукины привилегированные хреновы упыри! +Любой может. +Чтобы я больше не видела тебя в этой форме, или ты испытаешь новые оттенки сожаления. +Второй... мы больше никогда его не увидим вне тюрьмы. +Как будет, так и будет, хорошо? +Вот тут в конце, эта кукла с такими... +- Я же говорил. +- Кевин! +Господи. +А вы почему нет? +Это бред. +Какая тебе с этого польза? +Пропускай. +Спасибо. +И ты тоже неодобрительно смотришь на меня, да? +- Это хорошо! +Только ты и я. +Позвольте мне отнести его в храм и похоронить достойно, чтобы он смог обрести покой в загробном мире. +Подпись: +Милорд. +Я не собираюсь умирать за убийство Джоффри. +Да! +Она командует армией Безупречных, моя королева. +Что это было? +Знаешь, Кости в бешенстве. +- "Некоторое" - это сколько? +Вау. +Тогда жри мешок с куями. +Неужели? +Рита.. +Я так понимаю, вы хотите, чтобы обвинения в домогательствах остались, и вы могли доказать, что мисс Маркус мошенница? +Вот такая у моего сына жизнь. +- Что ж, тогда мы оба популярны. +Я не знаю, как мы будем строить отношения, если ты мне не доверяешь. +Unh ", это. +Циничный И шарлатаном. +Ты сказал, что был похищен +Бог сказал тебе не парковаться здесь? +- Тебе придётся уйти. +- Нет. +Шесть. +Мне нравится ваш кардиган. +Если хотите объяснить начальству, почему мне не стоит это делать, я не против. +Я тоже не делал. +Я скучала по тебе! +Простите. +Ммм, Да.. +И на заметку, из тебя вышел неплохой Уолтер. +Твоя дочка - попугай. +Увидимся за ужином. +Нет. +— Вовсе нет. +— Ладно. +Где же ты? +Потому что... +Мы изыскали деньги на ваше дело. +Вам не придётся ничего выбирать. +Народ, знакомьтесь, это мои родители. +Я верю, что там наверху есть люди, которые присматривают за нами. +А где наш папа? +У Эйприл? +С этого момента остаёшься с Сон Чха Ок один на один. +Ты виделся с адвокатом? +Гэс. +Пол Манкузо на первой линии. +Я знаю. +Да, это я, красотка. +Телефон. +Я не подпишу договор. +Это Финн. +Смотрю. +Почему бы тебе не пойти вниз и не поиграть с какими-нибудь камнями или еще чем? +Мечи наголо! +СИРША: +Нам не нужен глаз этого парня. +Когда Танос захватил мою родную планету, он убил моих родителей на моих глазах. +Однажды, на мгновение, группа была способна разделить энергию между ними, но даже они были быстро уничтожены ею. +Твои жена и дитя теперь обрели покой, зная, что ты отомстил за них. +Как скажешь, птенчик. +Если хоть один человек то... сейчас будет самое главное. +# To a spiritual groove +Они боятся вас, поэтому оставили меня в покое. +Вы чё, оборзели? +зови рикшу. +Не знаю, как я себя буду ощущать, помогая ей избежать тюрьмы. +- Если... +Назад, Иккинг! +Из того, что мне известно, это мог быть и он. +Рон, в чём дело? +Возможно, это Аллах послал знак, что выборы — глупая затея. +Он умер, зная, что я его ненавижу. +- Куда ты идешь? +Здесь ребята ответ уже нашли. +Ваше лицо мне знакомо. +Боюсь, у него развивается гангрена. +Сделайте перерыв на кофе. +Замолчи сынок. +Нет, не надо ... +Я мидий купил. +Ты принял достаточно. +Если. +Ты открываешь дверь, я вхожу, а он выходит. +Куда ты собрался? +Из Бремена. +С кем вы хотите поговорить? +Правда? +Пять женских журналов, выбранных наугад. +Как вам нравится быть героем? +Боже, это ужасно +Одноглазый парень. +В таком случае, добро пожаловать. +Он ушел. +Серьёзно? +Джош! +Хватит. +Не уходи. +наружу всплывает истинная сущность. +Он сказал мне поухаживать за тобой +Нет, нас не... +Нет, на самом деле, я думая, что вы, ребята, замечательные. +Снова. +- Да. +Не я. +Там есть место для моей жены. +Как кого-то может просто не стать? +Да, мамочка. +Я знаю, что некоторые люди используют это слово, чтобы описать тех, кого они любят.. +Если я принесла тебе столько проблем, то избавлю от дальнейших! +Нет, Лэни. +- Разве? +И вы уже стучитесь в двери, чтобы занять место управляющего партнёра. +Это неумышленное раскрытие информации. +Как вы? +Джереми! +Нет. +И эта информация... бесполезна. +Ты знаешь, где твой напарник? +Ничего. +Ты видишь её, Клейтон? +У них на одного учителя 14 школьников, Бут. +Когда я получу свои кости, кудряшка? +— Это для её же безопасности. +Так, слушай меня, Молли. +С удовольствием, господин президент. +— Я вам не верю. +- Это деньги. +Ты хренов долбодятел, Дэнни! +Так я и живу. +Например, с наркодилером? +Работает в Нью-Йорке. +Разве у них нет детей? +Она заселилась вместо Кейт. +Нет, нет! +Я освободил уже сотни зАмков. +Вы можете ему передать, что Бенни Северайд хотел бы с ним поговорить, и что он может связаться со мной по этому номеру? +Я беременна. +Тогда сделайте его слишком больным чтобы ехать. +Ну, это большая тема обсуждений. +В комнату отдыха, пожалуйста. +Партнёр видит возможность всё уничтожить... +# Сначала давай посетим западное побережье. +# Ты пришел сюда, чтобы подобно Иисусу +Мы сработаемся +Я просто собираюсь выйти туда и выдать все, на что я способен. +Какого черта ты вытворял? +Но... +Нам только нужно, чтобы он заговорил. +Основанная на чем... на вашей интуиции? +Huh. +"Мудрый человек получает больше пользы от своих врагов, чем глупец от друзей". +Не могу дождаться, когда буду в твоем возрасте. +Слушайте сюда, уроды! +Не люблю кемпинг. +Нет. +4 нападенью на геев в прошлом месяце. +Что ж, конечно, это не лучшая идея, но я думаю, что тебе нужно больше находиться здесь. +Я не горжусь этим. +Хочешь её подержать? +Он всего один. +- Не надо... +Развидимся позже. +Я очень устал. +Зои? +Думаю, Винчестеры на тебя плохо влияют. +Что? +- Я знаю. +Я делаю это потому что вы полезны мне в шахтах. +У меня и ключ есть. +Эрин Майо. +И я хотела сказать ему перед всеми вами, как сильно я его люблю. +Что правда? +Я никогда не расставалась ни с кем, и я не хотела обидеть тебя. +Я знаю, я знаю. +Нет! +- Как глупо, чуть не забыл... +Не кричите, мистер Харкер. +И дa нaчнeтcя игpa. +Но причин паниковать нет. +Ага, то есть они поддерживали друг друга, да? +Ты пошла против семьи. +Хочу. +- Нет, не в этом дело... +Не землетрясение +Имя, которое Снежная Королева использовала в Сторибруке, Сара Фишер, не появляется ни в одной из переписей. +Темный по доброте душевной вернул мне то, чего когда-то лишил. +И вы должны превратить мышонка обратно в человека. +Это Луи Вюиттон? +Я скажу Майлзу, что тревога ложная. +Сэм, послушай. +Ладно. +Да. +- Продолжайте читать. +Вы читали мультфильм? +Ага, видала? +Исправь это. +Переводчики: cloudmachine_, trans_LATE, Alex_ander, lucky_girl anton1x, slruslan, Valeria_Galeeva, Ravery +Все, что тебе надо сделать - прекратить ей говорить, что ты чувствуешь. +Я всё ещё люблю её, знаете? +- Привет. +Пойдем. +Вы уверены? +Маршал, пока вы не покажите мне ордер, вам лучше не входить в эту дверь. +Если бы был сукиным сыном, +- Оставь нас. +Ну поздравляю. +- Вроде клёвые. +Здесь все чисто. +Мне здесь все нравится. +Куда мне? +Как всегда, Я хотел бы поблагодарить моего гостя, +Скорее о... +Добрый вечер. +Давай пульт. +-Даже незнакомых. +- Убери его отсюда. +Напиши что-нибудь обычное, например: "Я увидел твою страницу. +Я ничего этого не помню. +Просто изумительно. +[Завтра будут ещё четыре полных лодки.] +Хорошо. +Ты напоминаешь мне одну девушку в очках, что я написал когда-то, давным-давно. +Тогда где оно? +Привет. +Вот почему так важно говорить о таких вещах. +Тебе обязательно было менять специальность? +Погодите. +Так. +Он контрабандист? +это я. +Да. +Фух. +Да снимите вы трубку! +Так что делаешь, когда видишь киску? +- Ура! +Слегка испугались. +Говори. +Не нужно беспокоиться об этом. +Это моя компания. +Я должна.. +Ты же знаешь, как оно бывает. +Ты все еще можешь пойти к Харви. +Будешь почку, Лейтон? +Сборище идиотов, решивших таким образом попасть в правительство. +Должно (быть, она уже под столом7 +За покойных1 +Уже на полную мощность. +Дай-ка надену свой скептоскоп. +Минуточку. +Отдай сюда. +А где свет? +А сенатор Ллойд, как он? +Покупатель ждет. +Вы запрограммировали их так, чтобы сделать одну смертельную атаку, как пчела с одним жалом. +В студии Эндрю Диккенс и я беседую со слушателями. +Так, ты у нас Кэйн - космический шахтёр, у которого в животе яйцо пришельца. +Почту принесли. +Итак... +- Я так не думаю. +Спрошу снова. +Она приманка +Она выбрала меня. +Все нормально +Великим индийским националистом. +Либо кто-то хочет прекратить отношения, но не может сказать об этом, либо оба хотят, чтобы всё наладилось. +Но боль становится только сильнее! +Прости. +- Ты сделаешь это? +Вам следовало делать операцию, но вы поручили это ему! +Это не первое мое родео. +Мы сбежим сегодня ночью. +Знаете что, Джимми. +- А вам они доверяют? +- Доброе утро. +Далее, леопард, маленькая морячка, и наша подруга в персиковом также совершенно неуместно одеты для собеседования. +Это же медведь. +Мы были в магазине ковров. +Никто меня не слушает. +Это значит, что мороженое будет вкусным, если ты захочешь, чтобы оно было вкусным. +Я работала на Спенса. +Да. +И спортивной +Ты же понимаешь, что без тебя я бы не смогла? +Мы должны потратить эти деньги, чтобы погасить наш долг. +Как старый друг... из прошлого. +Кларк? +- Нет. +Всё хорошо. +Вы не похожи на любителя поэзии. +Правда? +Что тут твориться, йо? +Мама понятия не имеет. +Привет, Купер, нам нужно поговорить... +Фантастика! +3 секунды. +Отвечай на вопрос! +- Как правило, это пустые... +Я просто предупредил. +- Мы здесь не шутим. +Можете идти. +Когда он будет найден в его доме королевской стражей, я отрублю ему голову. +Вот. +Она должна быть в больнице, а не перед камерами. +- Я очень рад. +Но если мы оба будем продолжать прикидываться ими, +Все в порядке? +Кто противник? +- Мост достаточно прочен. +Пока другой свидетель не сказал, что это сделала женщина из толпы и ушла мимо. +Пока ничего толком не могу сказать, но... +Может быть. +Нет! +Там хранятся записи всех действий. +Стой, тормози. +Это не слабость, не так ли? +Они все едут отдельно. +Правда - это то, что Астрид здесь застряла. +Никаким образом. +В данном и любом другом - на власть. +— Вопрос в том, почему? +Да, да. +- Дрю. +Что ж, учитывая всё, что я собираюсь им сказать, тебе, вероятно, не стоит меня ждать. +Рейчел, послушай. +Мне-то откуда знать? +Мистер Бейкер. +Никогда не будешь +И предоставь меня самому себе. +Здравствуй, красавица. +. +Комната Нельсона, в ночь его смерти. +Позвольте мне оторваться от земли и услышать королевство душ. +- Да. +Я тебе сейчас покажу, какой я гомосексуалист. +- Жан Вальжан? +О, глянь-ка кто получает НП теперь. +Коул, Кэлли, вы можете присоединиться к нам внизу, чтобы перекусить. +О чем ты только думал? +Как моральное обязательство. +Земля шотландцев. +Какой вид логического мышления использовал Шерлок Холмс? +Вот это не обязательно истина, однако, это тот вид логики, который использовал Шерлок Холмс. +И Шерлок Холмс использовал абдукцию, а не дедукцию. +Шуберта и Мендельсона дали ему идею для его "Тем и вариаций в ми-бемоль-мажоре". +Точнее, я специально тебе сказал, чтобы ты их не сшивала. +Вы меня слышите? +Манго или шоколад? +Я гораздо лучше выглядел тогда. +Я люблю тебя всем сердцем. +Они внизу. +- Прекрасно! +Заткнись и веди тачку. +Если бы я сдалась, стала бы я так делать? +Но это хорошо для вас. +Пять минут. +Он единственный, кто может навредить вам больше всего, и есть причина, чтобы отказаться от него. +- Верно. +Надеть маски. +Постарайся. +Твои любимые. +Мы такое ни за что не пропустим. +Она прелесть. +У твоей подруги Шарлотты хороший вкус. +Узнаете кого-нибудь из них? +— Ага. +И что там написано? +Тошнота, усталось, потеря аппетита... +Послушай меня. +Что я видел? +Ты меня искупаешь. +А теперь болит? +Спаркс скроет информацию о ребёнке до того, как они увидят? +папа оторвал зад от кресла. +Пойдём в кафе? +Сейчас отбывает полугодовой срок в Томбс за хранение с целью распространения. +Так что единственное, что ты должен делать - ходить на занятия. +- Так происходит всё время. +Поспаррингуемся? +Ого, Джимми! +Вчера я была ответственной мамой в классе Стэна, +Ты хотела защитить меня, чтобы я не сорвался, потому что если бы я сорвался, это лишний раз доказало бы что мы не должны быть вместе +У нас есть письмо его матери. +Ты знаешь, что Принстон стоит почти 40000 в год? +Вы хотели бы собрать вещи Кейтлин от своего шкафчика? +Он не отвечает на мои сообщения. +А что на счет Китая? +Я приехала всего пару дней назад, так что я вычеркнула из списка только одно - поход в Метрополитен музей. +Вы были вместе после того, как он не продлил с вами контракт? +Раз уж вы настаиваете. +Ммм, похоже, им нужны новые подошвы. +Олли правда? +Спасибо. +Это ложное заявление. +- Секретарь Со. +дядя Чжун Ки здесь. +Вот дерьмо. +У меня не оставалось выбора, Джеймс. +Да, спасибо. +Укажу, что в зале заседаний №4. +Мне так жаль, что я пыталась помочь тебе, что я пыталась все это для тебя исправить... +- Здорово +- Нет, он ничего не говорит. +Кригер. +Нет, нет, нет! +Ибен, когда мы на самом деле пробовали всерьёз? +По роману Ёсикавы Эйдзи "Десять Меченосцев Перевод с японского: +Карли - это человек? +Увидимся через минуту. +Померь вот эти. +- А, Марк. +- Что? +Помните лорда Мёртона? +- Пожалуйста, не спрашивайте, почему я так думаю, но я полагаю, его амбиции значительно превосходят то, что может предоставить карьера лакея. +Если пробудешь у нее до трех - успеешь вернуться в свою спальню незамеченным. +- Ладно, давайте я пробью трещину. +Чудо, как она умудряется печь такие лепешки, с такими-то жаровнями, что у нас на кухне. +Это Хью. +Просто успокойся. +- Ля Топ! +Папа. +Ты читала его? +Я люблю свой новый вибратор. +Они дадут тебе какого-нибудь адвоката-бюджетника, а сейчас твоё дело, кажется, весьма проблематично выиграть +ДЖАМП СТРИТ, 41. +Как это понимать? +Там были мои друзья. +Ты сказала нашим наездникам, что вы готовы к битве. +Надеюсь тебе не придется. +Что происходит в этой комнате, остается в этой комнате. +Я сдал! +Мы все хотели быть похожими на него. +Ясно, покажете нам, где те, что он держал здесь? +- Пообещай, что не ударишь меня. +- На кого он напал? +! +- Ванесса. +– Бах! +Стол, слоны. +Ни кто не должен был пострадать. +Она хочет драки, значит будем драться. +- Раз уж Деррил ищет наркотики, и все ищут Деррила, так пусть они все найдут наркотики! +Поддерживать друг друга. +Я надену жучок. +Прощайте, девочки. +Во Флориде. +А вот сюрпризы мне не по душе. +Ты поймешь, что со мной, Джо, это не всегда так. +Я знаю свою мать, детектив. +Понравилось. +- Знаю, что тебе нелегко. +- Знаешь, в чём разница между мной и тобой? +И сколько? +- Ничего они не делали! +И что потом? +Мне нужны медицинские записи по последней миссии. +Мне не положено покидать мой пост. +Он не работает. +Эти свиньи основатели ошибаются. +Мой напарник, Томсен. +Да, я тоже немного раскопал. +Уже несколько месяцев. +Я не так уж уверен в тебе как раньше. +Мы расстались. +Понял? +Торопись! +Привет! +Мне надо решить, что делать с Гарри. +- Питер. +"Одобрено Гарри Осборном". +- Особенно когда мы уже разгребаем их бардак бесплатно. +Мне нужно взять кровь, провести анализ. +- Да. +Каждый раз, как тебя сбивали с ног, ты поднимался. +Я вижу это. +Я моргала. +О, ничего, ничего. +Кофе будешь, Кристина? +Не верю! +Вы можете противостоять ему за нас обоих. +Фактически, я моргнул, а буррито уже нет. +И тогда к вечеру, сделав всё запланированное, я уже буду на коне, во всех смыслах этого слова. +В коалах я не разбираюсь, но знаю, что лошадь по уровню разума на 9 месте среди животных. +Хорошо. +Что ты тут делаешь? +- Нашел. +Да вы просто стервятники! +Спасибо! +Нет. +Я не в ладах с общественностью. +Она уже в пути. +Это ведь сработало, да? +Пару дней назад. +Ох. +- Ладно. +Да, мы хотим знать источник финансирования. +Я могу сделать это в любое время. +Должно быть это тяжело. +— Он так же думает о нас. +[ толпа выкрикивает ] +Спасибо. +- Да. +Они кретины! +Не нужно обижаться. +- Что вы говорите? +Да-да, я в курсе. +Нет, прости. +Ты знаешь, кто мог бы стоять за этими кражами? +- Прекратите! +Немного влево немного вправо мы так всю ночь можем когда слабаки спросят, кто я я отвечу "верный брат Омега Пси" +Это безопасно? +Мы же не хотим потерять это навсегда, не так ли? +Выглядит серьезно. +Люк, ну же, мне нужно... +Если он решил наломать в ваших отношениях дров, то он балбес, и тебе не стоит об этом переживать. +Если по КПГ ударит обратка от этого всего, нас с тобой выедят и высушат. +Хватит! +Моя.. моя дочь говорит, что это, возможно его попа. +Пожалуйста... послушайте... +♪ Это легко, если попытаться ... ♪ +это значит нет, не так ли? +Ооо! +Чтобы выкурить сигаретку. +Раз уж Джо теперь может ходить, я подумал, что он мог бы немного помогать по дому. +— Дали бы ему две бионические ноги. +Шведский иллюстратор по имени Густав Мальмстрём был тем, кто сделал эти рога и драконьи крылья на шлемах героев. +Нет, подожди, подожди. +Я не женат. +Армия в той стороне! +Всем, кроме нас, проигрышные варианты. +Это просто, это только сон, хорошо? +Судя по форме лобной кости, узкому носовому отверстию, а также размкеру нижней челюсти, жертва была европеоидной женщиной. +Послушайте, я даже не давил на нее. +- Но ты с ним скоро увидишься, верно? +У меня нет времени для твоих видео-сообщений, Лео. +Да. +Если только он хочет чтобы его нашли. +Сказать, что мне ужасно жаль - не сказать ничего. +Почему бы не продать несколько удостоверений? +Посмотрите кто это! +Док готов был поставить всю травку и пачку сигарет на то, что Слоан и старина Риггз регулярно трахались, и это именно тот бойфренд, о котором говорила Шаста +Д-р Руди Блатноид. +Спасибо, не надо. +Слушай. +Да +Но в своей лжи ты заменила мальчика на девочку? +Хорошо, Кэти, держи. +мы столкнулись с некоторым долбоебизмом. +Но если дневник Виктора Франкенштейна у тебя, ты должен понимать, что его надо уничтожить. +Мышечные спазмы в верхней части тела и ногах. +Нет прока если не можешь оживить труп. +Или Шерлок Холмс - это английский Бьомкеш Бакши. +Согласно Википедии, Шерлок Холмс появился раньше. +вы проиграли. +546.314)}Теперь я стану королём. +Главное молчать. +- Он еще не ваш, Дмитрий. +если я умру первым - а я умру - ты пoлучишь все. +Я не думаю. +Я не хотел предавать вас. +Беги в собор Санта-Мари на Брукнерплатц. +Не хватает перца. +Но... что у неё есть акции. +Я очень голодный. +Как поживаете? +Какая-то странная фигня для принтера... +Нет. +Как такое месечко нашёл? +И вы ни разу с ним не пересекались? +6 внутренних швов, 8 наружных. +- Работаю над этим. +Я пришла к тебе, Эмиль... +Все произошло быстро? +Притормози. +Пошли. +Из проживающих в доме нет. +Не считая свадьбы, думаю, нам с Сарой лучше избегать встречи. +Я пытаюсь его завербовать. +Гора Фудзи вновь меня отыскала. +Я поупражнялась в работе. популярно в Антверпене. +Он хочет, чтобы вы пошли следом? +Здесь. +Этот перевод, возможно, ещё не готов. +Думаешь, былые заслуги дают тебе привилегии? +Ну, думаю будет лучше подождать остальных. +Это опасно. +Нет никакого Мартина. +Ты потрясающе освещаешь комнату... подбородок чуть выше. +Больше, чем наверху, около двадцати, тридцати? +Во мрак. +Вероятно, ты даже не можешь вспомнить, откуда ты взял это лицо. +- Я не думаю, что мы есть. +Он был в той церкви, покрывал алтарь эмульсией. +Это нам развлекуха. +Он один +Но я уверена, он бы сделал то же самое для тебя. +- Сэм, наполни раковину. +Готов? +О, наконец-то! +- Я... +Хорошие новости. +- Идёмте. +Нет, я хочу понять, из-за чего ты разрушил всё, что между нами было. +С такой силой, такой... +Думаю, если существует хоть малейший шанс на какую-нибудь зацепку, стоит проверить. +- Как долго до... +- Нет, этого не будет. +Шерлок Холмс. +К тому же, при всем уважении к организации этих убийств, она не так уж и продумана. +Шерлок Холмс. +Ты даже не могла вспомнить, о чем ты разболтала. +Я не могу найти вену. +Я тот, кто грохочет в ночи. +. +- Странновато, да? +Я жалею лишь о том, что мама не смогла приехать. +Но пока мы возвращаем деньги. +- Да? +Чего вы? +Я дождался, пока она уйдет. +Как твои дела? +Хорошо, я проверю. +Думаю, если вердикт "виновен", то мы ничего не скажем. +У вас была конфиденциальная запись, подтверждающая совершение подсудимым этого преступления? +У присяжного сестра адвокат защиты. +С нетерпением жду, когда все это закончится. +- Нет. +— Боже, не шути так больше. +Забудьте. +Они лучшие друзья. +Мы с тобой всегда найдем общий язык, Дариус. +- Иафет, где ты? +Я хочу знать, почему ты их пощадил? +Да. +Проходим! +Нам нужно уходить! +- Отец! +Темно-красный с темно-синим, с золотыми треугольничками поперек полосок. +Чёрт! +Правда раскрывается. +Пока не смогла. +Не получилось уловить все, но у нас есть [р], [ы], [л], [о], +"Это обжигает горло." +Его там не было. +Нузрат. +Юная леди... +Не лезьте не в свое дело! +В вопросах брака у меня нет права даже давать советы, не говоря уж о приказах. +- С хирургической точностью. +А это можно носить? +Слушаться приказа! +Одну ошибку... +Во время апокалипсиса это всё равно, что два года назад. +Этого я бы точно не хотела. +Я думала, что потеряла его. +Винсент пытается закончить с прошлым. +будто ты из другого мира что очень далеко отсюда +Черт. +Простите, Леонард Миллс? +За прошедшие 20 минут мы увидели, как безумная тётка целует эмбриона в банке. +The Anything Can Happen Recurrence +- Но она переманивает наших людей направо и налево. +Теперь ты понимаешь как важна для меня покупка этого магазина? +В вашей мечты, вы когда-нибудь зайти внутрь? +Так... +Ему уже поздно строить пирамиды, а мы играем в "египетскую крысоловку". +- По правде, если Ванс может привести нас к Стивену... +Аоши. +Одавара, на тракте Токайдо +Что? +Февраля. +Вы разобьёте голову. +Она - моя подруга. +Здравствуй, Арчи. +Людям она не подходит, но, может, вам сгодится? +Я знаю ты там! +Прошли через эти двери, и когда я говорю "артист", именно это я имею в виду. +Могу быть ботаном. +Он хочет начать войну? +Мистер Элиас ждет вас. +Только не говори... +Слушай, она сказала, что прорецатель предназначен привести только избранных в храм. +Всяк сюда входящий. +Раздавая всем оружие? +Внимание! +Но если я вернусь к Мэрион, мне придется жить во лжи. +Извини. +Что? +Ну, разве что первые несколько недель... а потом мы были заморожены! +Просто скажите, что сегодня Хэллоуин. +Привет, Тина. +Так как вы заняты, я интуитивно свой ​​лестный комплимент. +Видио у Филипа? +Ты не сможешь убить нас обоих. +Ок? +И от него пахло парфюмом пару раз. +И остеофиты на позвонке были вызваны тяжестью ненастоящей груди. +- Хочешь поговорить об этом? +Думаю, они смогут взять тебя с собой и показать, как они работают. +И это не так. +- Привет, я Дэвид, а это Элизабет. +Не могу понять вашей связи с Элизабет. +-Я приведу этого парня. +Больше никто, только моя дочь и я. +Давайте взглянем, а? +Не двигайся. +Оно как песня Дона Хенли (прим. вокалист Eagles) +- Так я буду патрулировать? +Вернёшь за проезд? +! +Главное - добрые намерения! +Тайны его отрочества покрыты мраком. +Выйдешь за меня? +Она убежала от меня. +Послушай... +Они болтают о разводе в течение трех месяцев +Хорошо.. в смысле, прекрасно здесь все зависит только от вас так, у меня еще есть несколько дел +Алан: +При Каз, и я начал пить вместе, наша любимая водка были эти big angry медведи на этикетке. +Вы держите всё в себе. +Твой талант унаследован. +Я имею в виду, ты же была у него вчера вечером. +И веду подсчет. +Натали Ортис арендовала машину два дня назад в Логане и вернула её сегодня. +Даже и не знаю, Том. +Фитч. +Свобода сейчас! как бы подразумевая: +Это не я. +- Где она сидела? +Сумасшедший, который толкнул его за край, из-за которого мать его выставила, из-за которого вся его жизнь полетела к черту. +Шуба, экстравагантные сборы средств. +Милая Элизабет. +Теперь ты в порядке. +- Найду кого-нибудь, кто не прогонит меня из ванной. +Даже не верится. +Вы его отобрали. +— Как насчёт сока? +Подождите! +Теперь, уберите свои чертовы ноги со стола. +Сколько они знают? +! +- Там, кажется, трудные роды. +Все верно. +Первая, я не думаю, что сам Шерлок Холмс смог бы разобраться и в половине того дерьма, что творится в городе. +Серьёзно? +Не этот парень. +Шагай, гений. +Отказано. +- Узнает, он громко взлетает. +Нам нужно в этом разобраться... вместе. +Потому что ниндзя никогда не оставляет следов. +Почему ты считаешь, что ее убил Сайто? +Отец, это - правда? +Что это значит? +Послушаю, как вы допрашиваете родителей, может, они лучше расскажут о том, как Энни жила. +Не хочет делиться мыслями. +Без проблем, потому что я поссу. +Алло? +Останови... +Хочешь сказать, что мы надыбали лишь экземпляр "В кругу семьи"? +Тогда вы знаете, как плохо Я облажался. +Дай закончу. +Ч ѕочему бы и нет? +Я буду делать так каждый день - и в дождь, и в солнце. +Точка. +Нет, спасибо. +25 лет назад ты пообещал, что никто не узнает про то, что мы тогда натворили. +Купол появился из неоткуда и изменил наши жизни навсегда. +И никогда не значила! +Это грубо. +Поможет тебе успокоиться. +День хорошо прошел? +Это вариация шифра Виженера, а значит, у него есть одна слабость. +А если Чёрная Борода умрёт? +У меня были недавно несколько несчастных случаев со слабым полом. +Привет, ребята. +Я возьму пиццу. +Ќе работает. +Я, наверное, выскочил слишком рано, да? +Я не знаю. +Я был огорчён! +Это вероломство. +Два передних зуба у меня вставлены, и каждый раз перед дождём у меня болит ключица. +Ну, это операция на головном мозге. +Папа старый. +Этот город мог бы организовать поисково-спасательную операцию на самолёте. +Что? +Режьте веревки. +Этот вирус погибнет, если погибнет его хозяин. +Я знаю, но... +Ну или эта штука Брюса с яйцами. +– Пока рано. +Я все объехал. +Вот твой шанс доказать, что Енот ошибается в тебе. +Дизори обязан вам за финансирование эстакады, его голос обеспечен. +И пока Луны приветствовали нового члена семьи, +Как видите, мне не хватило всего лишь два кредита, чтобы окончить университет Южного Иллинойса, и... +В свинг клуб? +— Индейке? +- И чем вы занимаетесь. +Я собираюсь выйти из этого дела. +Тогда мы попробовали... маленькие, крошечные шарики. +Наверное, не стоит волноваться. +Всегда его ненавидел. +потому что сейчас станет жарко. +Обещай мне! +Мне должны делать операцию, но врач исчез. +Ухожу... +- Парень, по имени Нэд. +— Хорошо. +- Льюис - 8-й Сезон, 6-я Серия +Ты хороший детектив. +Прости. +Кофе. +Да они просто развлекались. +- Мне нужно в город. +Из-за чего цапаетесь? +"Капрал Корбет отражала непрекращающиеся атаки противника, до прибытия подкрепления." +И если этот случай заставит его иногда думать о других, я буду рада. +- Я бы так не сказал. +10 миллиампер, пожалуйста. +Да. +Я политическая беженка. +Приехали. +И тогда, возможно, вы вернетесь весной, определенно, на следующий год. +- Ни разу не слышал. +Я дyмaл, ты yмeeшь нe тoлькo щитoм мaxaть... +Если Совет будет впадать в такую злость всякий раз, когда кто-то толкает нас на игровом поле, возможно, кто-то должен вести надзор за нами. +Хотите сказать, он подозреваемый? +О чем вы говорите? +Это она, это Клара! +Надеюсь, вы в порядке. +Время можно переписать. +— Может, вы пропустили последние известия? +- Конечно. +Извини. +~ Вопрос второй: где ТАРДИС? +Я — Архитектор. +- И я тоже. +Действительно, не много. +Это в прошлом. +Нет. +- Но, если ты спросишь меня... когда кто-то оперирует такими словами также часто, +- Прав. +пусть наша совесть - будут наши руки, а наш закон - мечи и копья наши." +ƒа? +Пристрели его, Перл! +Он вшивает монеты в головы своих жертв. +Правда. +Она не упала, она всегда спит на полу. +Иди поиграй. +Он проклят. +Ладно, просто расскажи мне, что случилось на вечерин... если бы это зависело от меня - я бы выбрала Зелански. +Вот почему, мне нужна твоя жена. +Чтобы уничтожить Вайденера. +Готов поспорить, так оно и было. +И я. +Это произошло из-за решения кампании отменить все мероприятия, намеченные предвыборной компанией. +Я бы сказала, минимум три дня. +Ту, вали отсюда! +Это если дата что-то значит. +К слову о взрослых мальчиках... +К нам правила не применяются. +Я спрашиваю тебя в последний раз, где ты взяла это пирожное. +А другая, вообще-то, восхитительнейшая персона, так что её я тоже не трахаю. +Нет, я имею дело с воображением. +Знаю, что звучит это как теория заговора, поэтому я позвонил в офис прокурора... +Не забывай, нацисты руководили Интерполом во время Второй мировой войны. +- Моззи этим занимается. +Как в старые добрые времена. +Она умерла от рака, так и не узнав правду о дочери. +Моя неумолимая мать приготовила ловушку. +А тебе какое дело? +Дора Лэнг, детишки в лесу? +Ну-- кхм- +Знаете, в Восточной Европе все еще водятся волки. +И куда теперь? +Повесьте его. +Взгляните на локтевую кость, Мистер Брей. +2 может быть 2,5 Что? +Прекрати. +Как вы? +А сперма приставучая. +- ОК. +А завтра сделаешь пару звоночков. +Но знаете, в конечном итоге, я уверен что они полюбят меня за то какой я есть... +А потом бомбить начало. +- Знаю, конечно +Нет, нет. +Хм, как насчет двойки? +- Отлично. +У него и раньше были секреты от Бо. +Торговец Йохан только что вернулся с острова Отбросов. +Ты сказала, что знаешь новый клевый прикол, и нам нужно обеим лечь под одеяло и трогать себя за... +Нет! +Ну прости. +Мы можем чередовать понедельники. +Чем докажешь? +Благодаря маме, я избавился от вышибал. +Да. +Чё ты имеешь в виду ... +Эллен? +How long has he been like that? +Спасибо. +- Привет. +Это потрясающе. +Методы, у детектива Риццоли хорошие, но ты не можешь позволить ее нетерпеливости влиять на твою методологию. +Пойду поищу сюз-словарь. +Кто? +Наверное, через интернет, с одного из тех нарко-сайтов. +Шунске! +Как фамилия пишется? +Думаешь о том, чтобы позвонить ему или уже позвонил? +Возьми одну. +Да, будет. +Мудрость велела бы убедиться, что это не ловушка. +Хочешь посмотреть, какие я сделала селфи? +Я забеспокоился, но +Я должен. +Мистер Уискерс? +Сидни, возможно, и лгунья, но она чертовски хороший пловец. +Хорошо. +Просто я пытаюсь защитить себя. +Костюмы! +Отлично. +Сделайте потише! +Япросто. +замужем за тобой. +Я чувствую, что мне нужно быть в другом месте сегодня вечером. +Куда делась твоя одежда? +На тех основаниях, что весь город превратится в руины, если ты этого не сделаешь. +Том на свидании с чёрной девушкой. +- Да. +Потому что я вижу пару славных шлюх +Ох, он достал меня! +Эти супернатуралисты упоминали своё название? +- Спасибо. +- Нет. +Так что она напросилась помогать мне толкать. +Это хорошее качество ткани. +Теперь представьте, что Вы хотите, чтобы подписать. +Хорошо. +Нет шансов, что там его мать. +Шевелись! +Плохая карма, мужик. +И я справляюсь со всем куда лучше. +Он никогда об этом не упоминал. +И, Эльза, мы должны быть осторожны. +- Я Мэри Кейт, это Элисон. +Нет, с нас хватит. +Я не могу вернуться в Англию. +Ваша честь, у авиакомпании KB нет оснований для аннулирования милей моего клиента. +Да, мы не получаем прибыль, но мы относимся к ним так же, как и к коммерческим пассажирам. +Удивлен? +Анна? +- Дэвид? +Что? +Ветер прошептал мне твое имя! +- Чтобы ты могла отыграться? +Я нанёс Джону визит, чтобы оценить проблему. +- Да. +Эй, Кэти-кекс, видала мой...? +Эй, будь с ней понежнее, хорошо, Джейсон? +Дело не в том, к какому классу он принадлежит. +Конечно, в этом. +Чуть дальше... +Что? +Слушай, мне жаль. +И шутки. +Раз, два, три. +- Это кое-что что я продавала в моем магазине в Новом Орлеане. +Батюшка. +А зря! +Я здесь, рядом с тобой. +Фантастика. +Но в его музыке было нечто такое. +- У меня исчезли показания по делу! +Нет. +Как твой друг это сделал? +Поэтому попросите его поддержать вас позже. +Нет, Алисия, мы не можем оставаться здесь. +Со всем этим "недоразумением" на ее лице? +Так ты счастлив за Джорди сейчас? +Не думаю, что Мистер Сэйнт может оперировать чем-то, кроме консервного ножа на кухне. +Позовите носильщиков. +Конечно, иди. +Но есть опасность, что сержант Уиллис, или кто-то, с кем он поговорит, +-Никто. +Он будет в порядке. +сколько тебе лет. +Пошлите за рентгеном. +- Осторожно. +Пошлите за рентгеном. +Правда? +Не дайте им выбраться на улицы. +О, нет. +Лестер, на пол. +Как будешь готов! +Что тебе Шерлок Холмс подкинул доки ИТП? +Я тебя не увольняю. +Ах ты мудак! +- Пожалуй. +Война окончена. +Великаны? +Сегодня отец отрекся от меня. +Поначалу - да. +- И..? +Мальчишка разбирается в дорнийских домах. +Он объединился с Теннами, +Пять лошадей. +Временами мне хочется ненавидеть тебя. +И ты голоден. +Принц Оберин, простите за вторжение, мы слышали, могут возникнуть... проблемы. +Коул, ты не был случайно назван в честь великого Коула Портера? +Может, это волшебный наркотик. +-...или очень близко к нему. +Может, попробуете добавить простецкого говорка? +Сейчас же! +Вставай! +Значит, ты дал священный обет врагу? +Нет. +Что еще за хрень? +Ты помнишь, где была клетка? +Меня не интересуют эти тайны. +Частичного. +Нет, я хочу поговорить здесь. +Цирроз. +-Я даже никогда не курила. +- Нет, я его ... +Я не пыталась вас обмануть. +- Ужас какой. +- Рангуне, где, купив древние грузовики... +Почему просто не позвонить ей и не спросить её, где она, и имя её жениха? +Ну, какова наша позиция? +Настоящая служба, призыв +Что ты хочешь назвать безрассудным? +- Скоро. +Ради там какого-то виртуального шоссе. +В Советском Союзе его вообще нет. +Слишком поздно. +И тебе достанется! +И тем не менее я единственный неуч в семье. +Он ушел от боя. +Мы не будем тянуть соломинки. +Не делай вид, что ты не азартный человек. +Он называл себя MRX. +Включи какое-нибудь порно! +Я провёл вероятностный анализ, +И Мистер Джэксон дал мне помочь тебе. +—порим, ты тупо сейчас себ€ чувствуешь, да? +Господи. +Сами готовили мясо? +Так ты сдаёшься? +Вы не мужчина и никогда не были. +Вы будете гостем на "Часе Болтающих Близняшек"? +Смотри на меня! +Теперь знает. +- Я дам вам знать, если что-то произойдет. +Упаковывай сумку. +За жизнь. +Что Мэтту нужно от Стефана? +Отправь меня обратно первой. +Просто... +10 000 долларов в стодолларовых купюрах. +Их было 42. +- Ага. +правдивые слова. +Да, я был...слегка занят. +- Ну и вот! +Они отслеживали тебя, с помощью закодированного передатчика. +Ты знаешь что. +В любое время. +Шерлок Холмс, Джоан Ватсон +Шерлок Холмс. +Я здесь чтобы загладить вину. +Господин Вульф? +Откуда? +Она умерла из-за тебя! +Вскоре после этого она встретила милую девушку и они полюбили друг друга, так что у сказки был счастливый конец, по крайней мере для Синди. +О, милый, мне так жаль. +Начнём. +Дерьма кусок. +Ч 'орошо. +Ѕольшой палец... пр€м глубоко так. +Только я. +- Привет. +Стефано, парень Элизабет хочет поговорить. +Шифра, что ты делаешь здесь? +- Убери руки! +Но ты умеешь бегать +Не думай о том, кого ты можешь победить +Почему --п-почему ты делаешь то? +Почему меня об этом не спросил другой парень? +У нас есть много информации, чтобы подготовиться к первому тесту. +Между Кармой и Лиамом что-то происходит. +Есть что-то, что тебе нужно увидеть. +Подожди. +Подожди секунду. +Хватит! +В полдень? +Ты делаешь мне такое большое, большое одолжение. +"Тампакс Перлс". +Ей не удастся. +- Это семья. +Я это видел. +Что оно значит? +Он сказал, что если она получит энергию, то сможет дать им отпор. +В тебе больше от врача или от убийцы? +Уходите! +Я поговорила об этом со своим сыном. +Крис. +Не могу поверить, что говорю это, но я все еще слушаю тебя, Джинджер. +Что тогда значит "яйца подменили" и "две взлетающие птицы" означают? +Я не исключаю другие факты. +Подумал, пускай мой типок тебя просветит. +Я уверена, что всё, что нужно, всегда было в тебе. +Я просто хочу попасть домой. +Может они хотят украсть наш урожай? +Каждый раз, когда буду смотреть на капусту - буду вспоминать тебя. +Разве ты не видишь? +Эй. +Точно, все это нужно. +— Надеюсь, что смогу. +Повторяю, я полна решимости сообщить всем торговцам Нассау, что вы завладели заведением, убив хозяина. +"А что об этом подумает Элеанор Гатри?" +Они там собираются убить 300 человек, чтобы сохранить кислород. +Мы отказали почти сотне. +Бекка! +И как его зовут? +Не двигайся. +Никогда нельзя загадывать наперёд. +Триша, если тебя это грызет, поговори с ним об этом. +- Я не касаюсь его личного досуга. +- Частный или государственный сектор? +Кусанаги-сан... давно не виделись. +Видишь? +Это отказ системы. +Я сказал... +Пожалуйста. +Сигарету? +- Нет. +Наверное, расстроилась из-за полиции. +Знаешь, вся эта фигня про её самобичевании... +Да. +Ты не знала об этом? +Проследи, чтобы все в кадр попали. +Будем. +Да, я понимаю. +- ВИСВО! +Все же лучше, чем иметь микропенис. +Ничего себе! +Меня зовут Ли Мин Ён которая будет участвовать в ток-шоу с вами я Чжи Хэ Су +эй! +- О чём ты? +Как вы считаете? +Ты много узнал о Хэ Су всего за ночь перешли на новый уровень в отношениях? +Закрой глаза. +Comment: 0,0:34:54.00,0:34:59.06,Default,0,0,0,♬ Oceans apart and it's heavy on my heart. ♬ +Не вздумай вернуться! +- Да. +- Так и сделаю! +- Сцепляй. +У меня... посмотри. +Он определенно в моем вкусе. +Пусть Эмили поживёт у меня. +Простите, что притащил вас сюда. +- Я подозреваю. +Ты сумасшедший, если надеешься на такой план. +Хорошо. +А Басра в 2008? +Когда-то они были лучшими подругами. +Начинаем +Я буду тем, кем вы захотите, сэр +Что это за хрень? +Ты закончил? +Я не знаю лучше места чем здесь.. +Нет... этого не будет никогда. +Теперь мы проверим кровавый след. +- Кто? +А ты никогда бы меня не отпустил! +- Я не считаю, что ты неправ, я тебя понимаю. +Ты была на ферме? +Мы уже говорили. +Я уже не знаю. +- Не думаю. +Это пять отдельных случаев. +Что? +У нас есть несколько мест в финансируемых домах, Сестра и есть более достойные кандидаты +? +- На Гарри? +Его отец не проспал ни дня за свою жизнь, а теперь я потеряла хорошую дойную корову. +Не так уж классно. +Это наш билет в сказочную жизнь. +Я из западного Гринти. +Эмм... +Что у меня могла быть связь с таким человеком, как вы. +- Я рад был с вами познакомиться. +- Джимми, ты вышел под залог. +У нас у всех разные родители. +Вы будете перенаправлены на голосовую почту после сигнала. +"Я просто съем еще один тост". +У Наташи получается лучше, правда? +Я секретарь "Аэроклуба". +Почему ты так и не женился? +Сделай это ради своей семьи, ради тех, кто был убит в Данде-Дарпа-Хеле и тех, кто пока еще не стал жертвой ЦРУ. +Есть вещи, которые сделали пакистанцы, несмотря на наши договорённости. +Твоя история. +Насколько я помню, детектив Перальта рассказал мне, что... +Я могу назвать десятки. +Никто не сделает и выстрела пока этого не потребуется +Эй, Головастик. +Честно, иногда мы забываем о тебе. +Обычная болтовня +Рад знакомству, Ллойд. +И... +- Откуда ты знаешь? +Ну и что же мне делать, бросить работу? +Какое? +Нет, мои, твоих там 30%. +Раздувшейся и толстой. +Да, я тоже. +- Он чуть не умер. +Вы же здесь не для того, чтобы говорить о моих кисках. +- Твоё решение. +Шерлок Холмс. +Шерлок Холмс. +Шерлок Холмс. +так что, я буду. +А... +Все, что со мной когда-либо случалось. +Что произошло? +Когда будете говорить тост, разнесите банкетный зал, напевая "Интернационал". +Как дела? +Положи это и сядь. +Она забрала мой кошелек. +У меня нет первого урока. +Поздравь его от меня. +Да, все хорошо, что хорошо, для нас обоих. +Ладно. +А это, Кейд? +Инопланетный противник. +Я хотела бы тебе верить. +Шерлок Холмс. +Мигг говорит, что так даже лучше. +Чудесно. +Кейти прибыла по адресу... +За здоровье! +- Что? +Не стоит благодарить меня +Отпустите! +На этом моя очередь закончилась. +Знаешь, как сказал Шерлок Холмс: +Конечно. +Эй, вам вправду надо бежать, прямо сейчас... +Дай мне две минуты, пожалуйста. +Это... это безумие. +- His grandma pays for it. +Только что звонил эксперт. +Вы считаете... он в самом деле был... +- Мне это кажется досадным. +Не в первый раз. +Конечно, возможно. +Варис откроет. +Протяну подольше тебя. +"Ис эм Кис". +Нашли время для шуток. +- Что? +Подождите! +Шторм? +У меня нет никаких проблем слетать в Детройт поговорить с Бобом и всё такое... +Что ты хочешь доказать, Гарри? +Будут проблемы - дам знать. +Но все это подходит к концу, все сокро закончится, мы должны думать о том, что будет дальше. +Тишина! +Думаем, это дело рук Реддингтона. +Шерлок Холмс, Джейн Марпл. +В тот момент, когда она начнет поворачиваться, бегите к сараю... около 20 метров на восток. +Стой! +— Хорошо. +Мы слышали о твоей большой новости. +Что? +быть весёлым и жизнерадостным. +Даже не пытайся. +Возможно не необходимости. +Я думаю, что не знаю, кто, черт возьми, сделал это, поэтому все под подозрением. +К кому? +Дверь открыта. +Систолическое давление около 220. +Нет. +— Да будут все мысли и... желания мои по воле Твоей! +Твой муж, ярл Сигвард, я видел его! +Хвала Господу. +У вас уже не осталось никаких средств, насколько я понял. +- Я уже всё обыскал. +Я тоже выйду тут и дойду до дома пешком. +Энн, это прекрасная мысль. +Почем вы думаете, что нам стоит продлить срок аренды для "Горячей тушёнки"? +О, привет, ребята. +И что? +Фитц потерял партию. +- Да, его только что завезли в Россию. +Следующий! +Инфекция попадёт. +[Blades whirring] +Переводчики: gojungle, Deo, Scorpie, Eliza_day jackxlifer, Android, gumarov, Aquarius33 +Мы сейчас владеем теме же рычагами, которыми управлял Джиа Сидао. +Идем, давай поднимем кубок в твою честь. +Он знал об этом, когда я приехала. +Ладно. +Просто подпиши эти документы прямо сейчас, на пунктирной линии. +Мне сообщили, как ты был восстановлен. +Все расчески, кофейные чашки и скрепки, принадлежащие ей. +Одну рюмку! +- А поцеловать? +Сюда! +Хотел сделать этот момент менее неловким. +Где ваши манеры? +Хорошо. +Да. +Генеральный прокурор. +Четырех котов. +Я всё потеряла. +Нам нужен план. +Трам пара-рам-па-пам! +Все излучение не поглощается до изнеможения. +Броди - единственный выживший сапер. +Беги как можно быстрее, милая. +Так инвалидность известно, все говорили об этом. +Я когда-то был человек железная дорога. +Ваше величество. +Поднять! +Звучит отлично. +Люди, которые заботятся о тебе? +- Нет, мы верим тебе. +Она может увидеть их на каждом углу. +Вижу, кто в доме хозяин. +Дисциплинарное правило 5-107а "Принятие компенсации.." +Невероятно. +Мы с тобой будем править этим миром, а? +Хорошо, кто руководит офисом на Манхэттене? +Никогда не думал, что увижу это место снова. +- Нет, все в порядке. +- Неужели вы не понимаете? +Она была моей любимой учительницей. +Где у вас электрощит? +После проверки дома, +Я пыталась до тебя дозвониться. +Эй, Ник, видел Дова? +Думаю, мы можем. +- Нет. +Это - я. +Да. +Но мне кажется, новым магам Воздуха нужен кто-то, кто поможет им и расскажет, что значит быть частью нашей нации. +А потом, прямо в его кабинете +Я не хотел, чтобы все раскрылось вот так. +Безусловно. +Мы можем назначить встречу. +Знаете что? +До тех пор, пока мы не получим Нобелевскую премию. +Они принадлежали матери Хобарта, бабушке Филиппа. +Сначала я думал, что всё дело в свертываемости крови, но доктор Эдвардс показал мне, в чем была ошибка. +Умри! +И сейчас он скачет туда, где находится Книга. +Я приказываю тебе убить её. +– Ты же знаешь мою маму. +Это долгая история. +Чё ты гонишь? +Не стоит благодарности. +Знаешь, что? +Мы голодны. +Мистер Бохэннон пропал. +Внимание! +- Доброе утро, Джордж. +- Могу? +Ух-ты, био-робот! +Морт спрашивает. +О, сержант, что не так? +Она ругала меня в клубе. +Что ты только что сказал? +Ничего, если я получу еще одно +Ты знаешь каково это потерять семью? +-Ну и пусть. +Как это могло произойти? +Перестаньте! +Теперь я смогу исполнить все твои мечты. +Имеет смысл разбиться по парам. +Нет! +Ты правда хочешь это делать сегодня? +Он убийца. +От друзей. +Это просто теория. +Ладно, я знаю, что первая часть тура будет длинной, но я буду приезжать так часто, как только смогу. +Классно! +Всегда рад, господин Плевака. +Итак, вопрос в том, каким образом ее отравили? +Меня сейчас удар хватит. +Эй, Мисси, ты хороша, Так хороша — сведешь с ума. +Что ж. +Мам! +- Да? +Я бы сказал, что это вполне возможно. +Прячемся на виду. +- Алан, я не могу. +Есть еще виляющий хвостом золотистый ретривер. +Я велел ему прекратить работу. +Потому что не будет ни единой ночи, когда мы будем полностью уверены, что монгольский клинок не настигнет нас во сне. +_ +Боже мой, Салли. +- Или это Ван Гог зашёл подработать? +И что, мистер Бернс так и не узнал, что Мэгги спасла его электростанцию? +Так за кем вы следили? +А в Твиттере подняли такую шумиху! +Постойте. +Вот так. +- Вы хотели видеть нас? +Молодец парень, мне нравится этот парень. +Ты там будешь. +Heт. +Какого черта ты хочешь? +Я же ее предупреждал. +Так, дети. +Если не будет никого, кто присмотрит за Стэном, он опять засунет заправку для салата в бутылку с моим шампунем. +Да? +Но, честно говоря, я знаю свой предел. +Теперь скажи мне, что это. +Если потеряешься там, крикни нам! +В этом нет ни капли правды. +Приветствуем! +И нужна была лишь искра. +Ну, теперь я здесь. +Что ж, может, тебе следует свозить её куда-нибудь, знаешь? +Я никогда не болею. +- Спасибо, Робин. +Видите здесь? +А мне он сказал, что машина в мастерской... —Правда? +- Ладно, парень. +Какое чудесное имя. +"Труд – это любовь, которая видима." +Oх! +Спокойной ночи. +♪ Положи масло, ♪ ♪ А потом опять все начала ♪ +Все могут телепортироваться? +Вы сказали, это содержательно. +Сидни! +Короче, у нас будет очень важное мероприятие в Ирландии. +Слушайте! +Оставили все, как есть. +Хватит. +я перестала преподавать много лет назад. +На. +Мне очень жаль что ты чувствуешь будто живёшь в аду. +Слишком крупная рыба. +эм... продал кое-какие картины? +Новый сосед по офису, не очень хорошо. +Забудь об этом, ладно? +Делаю то, что они не могут. +Дело в том, поднимешься ли ты. +Наш бирмингемский друг? +я нагрел стул. +Нет. +Какая разница. +Теперь за работу. +Твой отец имеет какое-нибудь отношение к этой части мира ? +Где все? +Так много тестостерона и так мало мозгов. +Эй, читать таблички не умеете? +Ладно. +Ты прав. +а потом учителя косятся на нас во время школьных ярмарок. +Меня убивает то, что многие жители Веги забыли про эту истину. +Инспектор Джек Уичер. +Иногда нравится. +- Серьезно? +Копай дальше. +Его больше нет. +Эй, не сглазьте! +Человек, который +- Ты его не видел. +Барбара. +- Я всё подготовлю. +Американцы известны тем, что говорят только на одном языке. +Давайте проверим, есть ли любые сообщения в полицию о вашем адресе. +И не уверена, что покажу. +Вдалеке виден дым. +Что ты с этим делаешь? +Спасибо, Мэтт... +Будь серьезней, Нолан. +41)\1сH0000BF\fscx100\fscy100}ka 200)}ka +41)\1сH0000BF\fscx100\fscy100}a 200)}a +Как все прошло? +Меррин Трант. +Hmm. +Всегда таким был. +Уолдер Фрей. +Его зовут Робин... +Да. +Я прошла две ступени кодирования. +Я на пути к Нолану прямо сейчас +Хорошо. +Держи. +-когда он будет готов. +Не могу поверить, что ты все сделала так быстро. +Он в Атлантик-Сити. +Давай поменяемся. +Ты на дороге. +Покажись. +Я звоню всем своим друзьям И говорю, что мне все равно. +Я за мужем. +Да. +Это невозможно. +Поэтому я подготовился. +Если мы его не захватим его, мы уберем его. +Итак, как ты добрался туда? +Остальные разозлятся и заставят меня остаться здесь. +Что случилось в похоронном бюро, то остается в похоронном бюро. +Ладно. +- Охранник? +Он очень изменился. +Новые? +Ну и что с того? +– Гипсокартон. +Я скучал. +Вы вспыльчивы, м-р Хьюз? +Что? +Хватит придуриваться! +Нет. +Ты такая молодая. +Просто уходи. +Нужно это уладить. +Просто расскажи. +За что? +- В том-то и дело, что нет. +Ты это выдумываешь. +Предложите им два эмбриона. +Любимые росянки сами себя не польют. +Я перезвоню. +Говорят, что есть призрак. +Рядом с Сан-Диего! +Продолжайте движение. +На самом деле, понадобилось бы несколько месяцев, чтобы новый адвокат вошёл в курс дела. +Не волнуйся, Джинора, мы его найдём... +что способна заставить танцевать даже самого застенчивого. +- Он здесь, пап. +Конечно хочешь. +- Что она делала в его доме? +Верно. +Спасибо. +Я видела, как ты жестикулировала и махала руками. +Стефан никогда меня не полюбит. +Что-то хорошее? +Племянница однажды переехала от него или что-то вроде того. +Что? +- Нет... +Мне плохо. +Нам нужно больше времени. +Я в порядке. +кровавый остров +Сможешь? +Хорошо. +Да пошел ты, Дани. +- Я схожу узнаю. +Заходим в комнату, оставляем деньги. +Ясно. +Тут только эти странные с усатыми мужчинами. +Эй, Марк! +Ладно, просто дышите. +- Ладно, я немного беспокоюсь. +Спасибо. +- Используем его по делу, а? +Я не хотела... +– Ты правильно слышал. +Если Китай не появится на торгах гооблигациями, то проценты по долгосрочным кредитам взлетят. +Удачи! +Мечта Шиноби +А вот это всё, знаете, просто рабочие дрязги. +Поэтому и не потеряли контакт с реальностью. +Мелисса Коннорс, финансовый директор. +Я не думаю что её нужно оставлять одну. +Но благодарю за своевременное вмешательство. . +Это плохо, потому что я думал, что номер Клэр ты получил из-за того, что она опасна для себя. +Плохо сформированные дыхательные пути. +Короче, вы поняли +Как в любом бизнесе +Мы богаты +А про что? +Что, собираешься сыграть мне? +Холодную кашу с идейкой. +Пока. +9,7, 2, 9, +Простите +- Я родился в 1979 +Мы должны найти Анну. +Вы разве не страдаете? +– Пару недель назад. +Что здесь делает Холдбрук? +Это пожалуй один из главных вопросов... +Не волнуется, что она не часть группы. +Ахаха! +Ту самую. +Как насчёт пропусков? +Умоляю, пока мы с тобой заняты всей этой ответственностью, этот первый и этот второй веселятся. +Не могу в это поверить! +Зарубите себе на носу. +Да, мы сделали это! +- Ни за что +И я хотел лишь стать капитаном и хорошенько всем отомстить. +Я не готов! +Мы не можем спокойно видеться друг с другом. +- Пойдём. +после обеда... когда тебе станет грустно без причины которая понимает тебя лучше всех на свете +Продезинфицируй сначала. +это не так! +И будешь знать, что внутри меня сейчас нет ничего, только любовь к тебе. +Из него недавно стреляли. +Я ужасная мать +Поговорим о нас. +Я не думал, что у него получится. +- Спасибо. +Я обожаю, когда шоколадный торт становиться таким липким, что чувствую своим ртом и как ползет в горло. +Пару дней назад её сильно обсыпало, так что это не обсуждай. +Она знает, что тебя задержали, и очень волнуется. +В школе мне рассказали о людях, которые предлагали деньги за фото несовершеннолетних девочек. +Понимаешь? +А вы, сеньор Вега, вместе с женой скрыли от нас, что заплатили выкуп. +Можно войти? +- Бишоп может желать его смерти. +"Давай тайно обменяемся информацией", и тебе скармливают недостоверную информацию. +А мы со своим комитетом не согласуем действия. +Кэри, всего минута. +Хорошо. +Не навреди мне... и я не наврежу тебе. +Ты не настоящая фокусница, Тина. +Не волнуйтесь. +С.Л.Магнус? +! +Спасай положение! +В нём участвуют лошади и деньги, которые мы получим. +Дай мне минуту. +Дон Тодд. +Нет. +- Шутите? +Привет. +Ты говорил, что разберешься в ситуации. +Сколько... сколько у меня времени? +ћожет, мне пересесть? +Это как борьба Давида с Голиафом. +Спасибо, Фрэнк. +Я помню Зика. +Это будет два первых пика, плюс перспективный раннинбек ... +Сальваторе Альбергетти? +Эй, мне только что сообщил Бэн. +Могу я одолжить твой? +Когда ты об этом узнал? +Я в курсе, что ты проклята. +Ч Ќаписано хорошо. +и если мы оглянемся, то увидим военных, которые охраняют Джамала Аль-Файеда, чтобы он вышел к вам, как фараон. +А у тебя там дома подружка есть? +-Отвечаю. +Ты знаешь, нет. +Подвиги? +Ты должен идти! +He didn't do what they say he did. +Просто тронулись с места, не попрощавшись. +Вы же репортёры +Представьте невидимого врага, вооруженного неведомым оружием и личиной любого из нас! +Тогда это будет его выбор- раскрыть себя или нет. +Которая выпустила коктейль "Skinnygirl". +- Развод. +Но это ложь. +Доктор Гласс, вы меня слышите? +У вас есть время до полудня. +- Почему это? +Твой первый урок. +Ты смешной парень. +Я скоро вернусь. +- Я ничего не делала. +Я хлопаю? +"Смит энд Вессон 500". +Буду выражаться прямо. +"ШЕРЛОК ХОЛМС" Шерлок! +- что Шерлок Холмс... +Шерлок Холмс покончил с собой, прыгнув с крыши больницы Св.Варфоломея. Посмертной записки он не оставил. +"ШЕРЛОК ХОЛМС" +Пора на Бейкер-стрит, Шерлок Холмс. +- Это дама. +Ты симулировал самоубийство, явился через 2 года, а я должен быть спокоен, потому что Шерлок Холмс считает, все в ажуре? +Что такое? +- Пусть войдет. +- С того, что ты Шерлок Холмс и умнее +Шерлок Холмс. +Шерлок Холмс. +А как там Джон Уотсон? +Значит, ты подстраиваешь свою смерть, затем заявляешься живой и здоровый, но я должен относиться к этому спокойно, потому что Шерлок Холмс считает, что это в порядке вещей! +Потому что ты Шерлок Холмс, великий и ужасный. +Прошу тебя, думай. +Шерлок Холмс! +Шерлок Холмс был реабилитирован, и с него были сняты все подозрения. +Шерлок Холмс. +А как там Джон Уотсон? +Братан. +И я должен относиться к этому спокойно потому что Шерлок Холмс считает, что все в порядке? +Шерлок Холмс! +- Шерлок Холмс, адрес - Бейкер-стрит, 221-В. +- Шерлок Холмс, адрес - дом 221-В, Бейкер-стрит. +Добрый день, я Шерлок Холмс, а это мой друг и коллега доктор Ватсон. +- женщины Ирен Адлер. +- Ирен Адлер... +- Вы Шерлок Холмс, наденьте чертову шляпу. +"ШЕРЛОК ХОЛМС" Шерлок! +- что Шерлок Холмс... +Шерлок Холмс покончил с собой, прыгнув с крыши больницы Св.Варфоломея. Посмертной записки он не оставил. +"ШЕРЛОК ХОЛМС" +Пора на Бейкер-стрит, Шерлок Холмс. +Ты симулировал самоубийство, явился через 2 года, а я должен быть спокоен, потому что Шерлок Холмс считает, все в ажуре? +- Он? +Нет, не получается. +- С того, что ты Шерлок Холмс и умнее +Шерлок Холмс. +Шерлок Холмс. +А как там Джон Уотсон? +Значит, ты подстраиваешь свою смерть, затем заявляешься живой и здоровый, но я должен относиться к этому спокойно, потому что Шерлок Холмс считает, что это в порядке вещей! +Это не подпольная ячейка, Джон. +Потому что ты Шерлок Холмс, великий и ужасный. +Шерлок Холмс! +За пределами огня и воды.. +Пока +Нет, нет, нет! +Ладно. +Да? +Просто доверьтесь мне, Пол. +Присоединяйтесь к веселью. +- Насчет Эми... +Шерлок Холмс. +Шерлок Холмс. +Я вижу вы ждёте моей смерти. +Если можешь... +Но ты сама знаешь, как опасно выходить на улицу. +Чёрт. +- И что потом? +Я уже позаботился об этом. +Прости, я не могу. +Привет. как дела? +Всё! +- Тебе не стыдно? +Ты же открылась? +Ах да. +Я даже не знаю из какого вы клана. +Этот якобы недостающий Кубик, который сможет обезвредить Адскл. +Ничего, Супермен. +Нет! +- Оно нормальное. +Ќапример, избирательные участки. +Так что не беспокойтесь. +Ты все равно проиграешь. +Слушай. +Ясно. +Обвинения были сняты. +Я не буду звонить этому сукину сыну. +- Вы его знаете? +Если вы заблокируете наш вариант и строительство будет одобрено, цена на нефть упадёт ниже 79 долларов, и Россия обанкротится. +Ты оперативный агент. +Не появлюсь - возникнут подозрения. +Нет! +Найти спасательную лодку и уничтожьте её. +Шон, слушай. +Шерлок Холмс. +Понял, понял. +Да, +И она слишком хрупка чтобы противостоять влиянию Евы. +Шерлок Холмс. +~ Должны мы стать одним! +! +У меня есть знакомые, среди помощников шерифа в участке. +Я получила работу! +Ужин в доме Чарли и Марси? +— Что? +Я сниму футболку. +Майка! +Давай. +Извините, вы не видели этого мужчину? +- Нет, он... +Со мной ты нормально разговариваешь. +Постой. +Молодец, приятель. +Они не очень-то нас любят. +Если ты беспокоишься об Уилфреде, я поговорила с доктором Граммонсом, и они сказали, что придумают, как его вернуть, когда закончат. +.. +Безупречно! +Ты пристрелил пса и сделал из неё чучело? +Приступы гнева, каннибализм, множество жертв. +В детстве я мечтал о такой работе. +Молодец, сынок! +Что ты со мной сделал? +Это может быть Лиан Ю. +Антивирусные препараты? +Dark_Alice +- Капитан Пирс +- Скип? +[ +Сезон 2, серия 12 "Дэнни Кастеллано – мой личный тренер". +А я говорю тебе, что ты смотришь на нее. +Я не могу просто так отменить его. +Бывший член украинской мафии, сейчас доверенный уполномоченный Ивана Юшкина. +Держи, это питательнее, чем косметика. +Чё это за хуйня? +Погоди. +Держи, это тебе. +Я думаю, что у нас нет выбора. +Но вы же смогли его взять, ведь так? +- Совершено преступление. +Говорим не обо мне. +Ты не следующий? +- Ладно. +Займись этим! +Стоит попробовать. +Кто? +Ах, да. +- Что это такое? +Отпусти меня. +Доктор Квирк. +Какие-нибудь личные вещи погибших случайно не были возвращены родственникам? +Теперь, сразите меня своими сигналами. +Баскетбол! +Выдишь? +Так это караоке-бар? +Если бы я беспокоился о своей репутации, я бы избегал его, не так ли? +Это не совсем... +А как же твои слова, что отсутствие результата - тоже результат? +- Что-то ещё? +Мы должны поддерживать друг друга. +Она посмотрит на жизнь с другой стороны. +Давай же. +Это он, Кит Прайс. +Да. +Ничего. +По правде говоря, ни о чем другом не могу думать. +Ты все знал? +Тогда это разница, которая меня устраивает, но если ты и дальше станешь ставить под сомнение мою власть, тогда у нас с тобой будет совсем другой разговор... который тебе совсем не понравится. +И не позволю тебе более быть дураком. +Мне нужен мой отпуск. +Привет, Ал. +Каждый может наслаждаться ею. +Стоит только об этом задуматься, но ты ведь отказалась от многого ради этих девочек. +Я здесь не останусь. +В особенности если указанный пистолет не зарегистрирован, и если этот пистолет будет использован для защиты помещений или общественных заведений вроде этого. +Я был сам удивлен. +Всегда пожалуйста. +Она сидела здесь, 3-D. +Я познакомил ее с этим парнем. +- Зачем оно тебе? +Видите ли, эм, я просто... хотел сказать мне очень жаль. +Расскажу тебе. +Я просто налетел на него с ним. +А выставленная напоказ спина молодого Джейми всегда принесет деньги. +Он взял меня в этот поход, потому что я заслужила его уважение как целительница, или по крайней мере подобие доверия. +Зачем в места где собираются геи приходят красивые одинокие девушки? +Я люблю тебя, пап. +Ясно? +Боялся заболеть антракозом, поэтому бросил шахту, поступил на службу. +Народная власть. +Конец истории. +— Знаешь, я ещё не готова к завершению банкета. +Томми! +Пошли. +Пойдем +Здесь порядок? +Значит, ты не думаешь, что два человека могут заниматься сексом, чтобы это был просто секс? +Незамужняя. +Йо, что это за мультяшное дерьмо? +Нет, я в порядке. +Это безнадежно. +Город Чикаго находится на краю пропасти, балансируя между добром и злом. +- +Ладно, мисс. +В котором часу? +Я просто должна была успеть. +Извини. +- Вам нужна медицинская помощь? +- Классно! +Хотел бы я выглядеть так, когда мне будет... +Очевидно, что стрелок целился в людей. +-Она убила своего брата. +Я смогу с этим справится. +Простите. +Знаком ли вам настоящий голод, миледи? +Мне нечего больше сказать. +С грузовиком. +Нет. +Есть что-то чего я не умею? +Но ты ранила мои чувства потому что... +Переводчики: +И где она сейчас, Гарсия? +С тремя, если точно. +Началась потасовка, и вы трижды ударили его шприцом в грудь. +'а ! +Дай две недели. +Сэм. +Она твой лучший друг. +Наш неизвестный - женщина. +Ваш мозг вас дурачит. +- Ее там нет. +- Я избавилась от этих штук за три минуты, Кейдж. +- Вы не любите их. +Да брось! +Из небольшого городка Сайнс-Хилл. +Увидимся в другой жизни. +- Вместе? +И это просто.. +Even closed your medical practice. +Okay, that's ridiculous. +Да, знала. +Что ж, возьми меня за руку, дорогая. +Бри. +Ты вошла в класс Джозефа во вторник, шестнадцатого апреля. +В этом просто нет смысла. +Чтобы бы тебе не потребовалось, обращайся, ладно? +Очень хорошо, бабуля .Здесь bemoon +Полагаю, тебе теперь надо воспользоваться одним из твоих запасных вариантов. +Прекрасно. +Переводчики: dimambo, Fleur_de_Lotus, Malina19, marselus11 +Может быть ты мог бы прийти и поговорить с ними? +Что вы хотите сказать? +- Ты видел, кто... +А кто здесь, в уголке? +Это делает тебя уязвимым. +Нет, скажите, когда мне вернут фотоаппарат? +- +Бен. +Меньшее, что ты можешь, это спасти их. +Потому что позитивно настроенные люди счастливее. +Я могу идти ? +Хочу встретится где-нибудь где ничего не происходит. +- Ты же не думал, что я побегу за тобой по первому зову. +Нет. +Я не верю в это дерьмо. +Тебе нужна моя помощь, и я помогу. +Мы сзади. +Нет, не так. +Откуда тебе знать, что он прекрасен, они они все одинаковы? +Хочешь присоединиться ко мне сегодня на вечер веселья и шалостей "все включено" +Блядь, они и его туда запихали? +Я имею в виду... +Они смеются надо мной. +Эй, что? +Я не знал. +Да, точно... +Я и есть твой брат. +Пап, что происходит с Киреном? +Я полагаю, что это жертва была задумана Великим Ханом. +Ты не способен причинить вред, мастер Марко. +Я его хорошо знаю. +Никаких следов Гарсия. +Что ты, чёрт возьми, задумал? +- Рад, что ты спросил. +— Правда? +Ты шутишь? +- Иногда. +Мальчики полюбят эту ферму. +Как же страшно люблю, Мишель! +- Вы меня возьмете? +- И что там? +Никуда не уходи. +- Эй, как ты? +Можете зайти к ней. +Но мы одна семья. +Не соблюдается даже минимальный общественный порядок. +Мне тоже. +Тебе же нужно ехать. +Меня заводит, когда женщины говорят мне такое. +Что ты, черт возьми, творишь? +Мы расшифровали несколько немецких сообщений, проанализировав частотность использования букв. +Увольте их, а деньги направьте на создание моей машины. +Настройки Enigma. +Я сказал, что мы едем, чтобы получить некоторые лу ... +В каждой 6:00 утра message-- "Погода", очевидно, +- Л... +Тесно, но уютно +— Ты еврейка? +И теперь я обслуживаю каждого сраного пациента, переступающего порог больницы. +Ты живешь в трейлере, +Ди-джей, запускай. +Без металла. +Тогда мы бы не допустили создание Стражей. +Что с ним произошло? +А что вышло? +Немного разыграла. +Попрощайтесь. +Нет больше конспиративных теорий заговора. +- Да, вместе с нами. +Пока, мама. +- Класс. +Последняя затяжка. +Ладно. +Ё-моё! +Я реально соскучился по вам. +Это противно. +И не веди себя так, будто ты по ним тоже не скучаешь. +Заофу - последний город. +Завтра утром я еду за Фальконе и мэром за подставу Марио Пеппера. +И он отшлифовал все полы. +Да. +- Я... я знала, что он болен. +Будь более агрессивной. +Это летающая гильотина. +Тогда в автобусе я просто его дразнила. +Ты не достоин короны, и не достоин своей королевы! +Джон Уотсон. +Мой друг, Джон Уотсон. +Нет, сэр, я капитан Джон Уотсон 5-го Нортумберлендского стрелкового полка. +Я Джон Уотсон, 5-й Нортумберлендский стрелковый полк, три года в Афганистане, ветеран Кандагара, Гильменда и чёртовой больницы Бартс! +Одна и только одна вещь интересна в этом загадочном деле, и, честно говоря, весьма обычная — Джон Уотсон. +Кто из вас Шерлок Холмс? +Это Шерлок Холмс и его напарник, Джон Хэмиш Уотсон. +Не ты. +если кому-нибудь из вас потребуются наши услуги, я раскрою ваше убийство, но именно Джон Уотсон спасёт вашу жизнь. +Это знаменитый детектив Шерлок Холмс и его напарник, Джон Хэмиш Уотсон. +Джон Уотсон, ты поддерживал меня. +Автор Шерлок Холмс. +Девчонки обожают солдат. +"ШЕРЛОК ХОЛМС" +- Кто из вас двоих Шерлок Холмс? +- Он очень известный детектив - Шерлок Холмс и его напарник +Это известный детектив Шерлок Холмс и его напарник Джон Хэмиш Ватсон. +Вы же знаменитый Шерлок Холмс. +Отлично. +Джон Уотсон. +Мой друг, Джон Уотсон. +Нет, сэр, я капитан Джон Уотсон 5-го Нортумберлендского стрелкового полка. +Я Джон Уотсон, 5-й Нортумберлендский стрелковый полк, три года в Афганистане, ветеран Кандагара, Гильменда и чёртовой больницы Бартс! +Одна и только одна вещь интересна в этом загадочном деле, и, честно говоря, весьма обычная — Джон Уотсон. +Кто из вас Шерлок Холмс? +Это Шерлок Холмс и его напарник, Джон Хэмиш Уотсон. +если кому-нибудь из вас потребуются наши услуги, я раскрою ваше убийство, но именно Джон Уотсон спасёт вашу жизнь. +Это знаменитый детектив Шерлок Холмс и его напарник, Джон Хэмиш Уотсон. +Джон Уотсон, ты поддерживал меня. +Автор Шерлок Холмс. +Джон Уотсон. +Мой друг, Джон Уотсон. +Нет, сэр, я капитан Джон Уотсон 5-го Нортумберлендского стрелкового полка. +Я Джон Уотсон, 5-й Нортумберлендский стрелковый полк, три года в Афганистане, ветеран Кандагара, Гильменда и чёртовой больницы Бартс! +Одна и только одна вещь интересна в этом загадочном деле, и, честно говоря, весьма обычная — Джон Уотсон. +Кто из вас Шерлок Холмс? +Это Шерлок Холмс и его напарник, Джон Хэмиш Уотсон. +если кому-нибудь из вас потребуются наши услуги, я раскрою ваше убийство, но именно Джон Уотсон спасёт вашу жизнь. +Это знаменитый детектив Шерлок Холмс/i и его напарник, Джон Хэмиш Уотсон. +Джон Уотсон, ты всегда меня поддерживаешь. +Автор Шерлок Холмс" +Джон Уотсон. +Мой друг, Джон Уотсон. +Нет, сэр, я капитан Джон Уотсон 5-го Нортумберлендского стрелкового полка. +Я Джон Уотсон, 5-й Нортумберлендский стрелковый полк, три года в Афганистане, ветеран Кандагара, Гильменда и чёртовой больницы Бартс! +Опять же орудие, нет ножа. +Одна и только одна вещь интересна в этом загадочном деле, и, честно говоря, весьма обычная — Джон Уотсон. +Кто из вас Шерлок Холмс? +Это Шерлок Холмс и его напарник, Джон Хэмиш Уотсон. +если кому-нибудь из вас потребуются наши услуги, я раскрою ваше убийство, но именно Джон Уотсон спасёт вашу жизнь. +Это знаменитый детектив Шерлок Холмс и его напарник, Джон Хэмиш Уотсон. +Джон Уотсон, ты поддерживал меня. +Автор Шерлок Холмс. +Что нам нужно сейчас - так это лидер, который объединит нас и сделает снова сильными, который будет бороться за нашу стаю. +Ее первый муж ходил налево, так что их брак не был счастливым. +Знаешь, тот, что взорвался, когда он первый раз приехал? +Сильней давай. +Чува, притормози. +Или ты сама это сделаешь? +leonidovna, nastyawood +– Правда нравится. +Maestro, это Глория. +Первая +Если я думал, что он поверьте, я бы. +Моего товарища Дейла. +Возьми, расстели его на кровати. +Они уже едут. +Это потрясающе. +Я потеряла всех. +Да нет. +Да. +Ты... в порядке? +Он жаждет воссоединения нашей семьи. +и у вас нет выходных! +Я пока не знаю ответа, но мне кажется, это как-то связано с Портовым убийцей. +Вы слепая, я слепой. +NBC. +Я не помню точно, но ты был в моём сне. +Из-за новостей, люди по всему городу выбрасивают молочные продукты даже не смотря на то, что они не произведены на ферме Макинтоша. +Шерлок Холмс, когда это ты стал таким любителем клише? +Шерлок Холмс, когда это ты стал любителем клише? +То, что вы называете "одержимость", я называю богословием. +- Мы тонем. +О, Боже! +Ч Ѕудет 20 в марте. +"Ќочные путешестви€" были не просто порно, они потр€сли весь мир, они изменили лицо эротики 90-х годов. +Полный отряд на подходе. +Чтобы при поездке во Францию вы могли говорить по-французски. +- Эй, ты опять жульничаешь. +У нее лекция по химии в корпусе Реджентс Холл до 17.00 +Вы даже не представляете. +Раз уж вы здесь, почему бы нам не объединить усилия? +Фотошоп фальшивый и искусственный, но это то, что мы делаем. +Пожалуйста! +- И ты только сейчас это осознала? +Ч ј может, пиццу? +— Нет, это невозможно. +Адалинда. +Что ты творишь? +Но пастве из церкви Спаса не нужно знать, что это время близко. +Каждый журналист должен отдать дань Дьяволу. +У нас нет выбора. +Она рано окончила +Та огромная власть, которая есть у моего мужа... +Вы тоже так думаете? +У меня есть вопрос. +Хорошо... +Давай, ослепи меня своей голливудской улыбкой. +- Ваш номер 6. +Тут всё загажено паразитами. +И клерк такой "Опять вернулись?" +— Умоляю, скажите,... что вы нашли моего сына. +Отдай! +В заброшенном сарае по шоссе Д316. +Возможно, мы можем что-нибудь придумать. +Меня послала за тобой твоя мачеха. +€ согласен, теб€ можно поздравить. +Почему нет? +Это не я ее разрушил. +Мм, расскажите. +Я любил вашу мать больше, чем вы можете себе представить. +Получит. +Те рабы, которых вы освободили... +Но нельзя этого делать. +Что ты делаешь? +Этот перевод, возможно, ещё не готов. +Входите, моя королева. +Тогда мой арест - это лишь вопрос времени. +Бирка для ключа с номером. +И мотив у них тоже есть. +ФБР. +Я знаю, как у неё выиграть. +Посмотри на меня. +что ты его забрал. +ты человек? +Он... такой фиолетовый. +- Мам, пожалуйста, не плачь. +Через десять минут, не больше, добавьте каперсы и петрушку. +У тебя другая семья. +А, красный, овощной. +- Нет. +Меня зовут Араки Хидео, кто-то убил меня, чтобы я замолчал. +Чего вам надо? +Ты придумал, как обойти условие о неконкуренции, а теперь придумай, как заставить его работать. +Как насчёт моей медкарты? +- 12. +В Президента стреляли! +Ух ты. +Она учится в Леди Матильде, но Капитан и Миссис Баттен принесли письмо от её наставника по Средневековым Исследования из Бофорта. +Большой седан, припаркованный рядом с домиком. +Это номер Ложи. +Я неправильно понял контекст. +- Привет. +Матео - моя первая любовь, он мне очень нравится. +Я и не ожидала. +Никто не знает, что они там. +Достань мне вакцины. +А? +Эйва. +Ты же не врёшь нам, правда, Джей? +Эта тварь меня достаёт. +Я знаю тебе страшно +— Да. +— Нет. +Знаешь же, я сделаю всё ради вашей безопасности. +- Хорошо, меняемся, я устала тут. +Что, правда? +Конечно, когда она вернулась, дом Уитморов уже был сожжен. +У меня для тебя сюрприз! +История Дня Единства дает людям надежду, хотя и мир восторжествует над насилием. +Ещё и слегка жутковатый. +Я хотел задать вам всем вопрос. +Террасфера может сравнять город с землёй. +¶ like I ache +Ох! +- Какие-нибудь... +Старик. +Зато автопилот сможет. +И твои дети это знают, особенно Мёрф. +Запуск ускорителей. +Это отстой. +Мне не очень по душе притворяться, что мы там, откуда начали. +10 лет назад. +Все готовы попрощаться с нашей солнечной системой? +Это волны! +- То, что должно помочь. +Мы ждали тебя весь день. +"Никто не пострадает"? +(Шоу) Благодаря GPS координатам, которые ты послал мне, я вижу его автомобиль. +Отойдите. +В тюрьме было намного хуже, ничего страшного. +Окей, я думаю я пропустил что то. +Как ты узнал, что можешь довериться мне? +Для меня большая честь познакомиться с вами. +— Координаты подтверждены. +Могу ли я задать вам вопрос, мадам? +Это... +Я полагаю это обязательно. +Тут нет никакого заговора, Тед. +Я почти ничего не слышу. +И даже когда угрожали закрыть нашу школу, мы храбро боролись, за то, во что действительно верели. +Ты работаешь прокурором всего два месяца, а уже на ножнах с комиссаром полиции, не говоря о половине сотрудников прокуратуры. +Правда? +- Но мог увидеть. +Уже 1.58. +Знаю. +Пускайте голограмму. +Спасибо за оперативную помощь. +Ладно. +Он считается нестабильным, враждебным и уклончивым. +Здесь все. +Ничего не произошло. +Она говорила о реслинге и плакала! +Да. +- С трудом. +Вы турист? +Почему ты это забираешь? +Я знаю что я угрожала тебе. +Это я его убил. +Его имя? +Вообще-то, я уже давно не был с женщиной постарше. +Нужно сыграть раунд в "Найди ключ" +Устала кидать им жалкие части для себя, ха? +тело моего Киндреда! +Итан, его знания и Кира. +Поэтому большинство наших дел поступало от его армейских знакомых. +Я летал на космическом корабле. +Byron Lee. +Так, было время, распоряжаться Чарли тела, а затем добраться до вас. +Думаю, это придумал Карлито. +Нет. +Ты убил его? +Я именно так и думал, когда меня заставили это запомнить в первый раз. +Это было предсказуемо. +Привет. +Бригаду медиков сюда. +Вот так. +А как же школьные танцы? +Он нарушил главное правило. +Знаешь, что? +Шерлок Холмс. +Шерлок Холмс. +Шерлок Холмс +Ни что иное как голод толкнул мальчишку на кражу. +Вы оба на сцене, все остальные в зал. +Да ладно. +Мы знаем, как они связаны? +Знаешь, я ведь не слепой. +насилие придает работе смысл. +Я могу поехать в деревню и завтра. +Большая Медведица. +- Мне так сказали. +Да. +Я никого здесь не знаю. +Я не могу с тобой говорить об этом. +проведать вас. +А жена? +Да, но тогда чей это сон? +Я скоро позвоню тебе, хорошо? +Ты понял о чём я. +Ну я знаю, что твои бро не особо понимают розыгрыши. +Я подумал, кто-то хочет на меня прыгнуть. +Что думаешь, новичок? +Не существует Бога. +Некоторые вещи в этом доме мы пытались убить целых 20 лет. +- Что? +Ты нам еще ой как пригодишься. +Последний раз прошу, не надо. +- Харви. +Русские субтитры: +Без проблем, мой друг. +Слушайте все. +Элисон. +Можете оставить нас на минутку, пожалуйста? +Медленный рост и локализация часто свидетельствуют о доброкачественной опухоли. +Ты уверен, что это такая уж хорошая идея, друг мой? +- Я была так осторожна. +И мы должны давать Эду то, что он просит, 30 миллионов зрителей будут смотреть. +Когда я впервые увидел океан, я думал, что это озеро. +Я хочу попросить вернуть мне работу... надеясь, что ты не станешь использовать меня против моих друзей. +Это был лазерный меч. +А иногда, ты не уверен, оно это или нет, но стараешься хотя бы попытаться увидеть мир глазами другого человека. +Где Джон и Стивен? +Зависит от того, насколько ты сумасшедшая, чтобы забрать ее у меня? +Это она. +Сказался спад экономики – там полно пустых зданий. +Вот это правильная выпивка для первого раза. +Он занял немного денег, чтобы начать своё дело, но не не смог вернуть их. +-Папа! +Не сегодня. +Аське... +Пожалуйста, Бастиан! +{\fs17.551}Извините. +Как ты знаешь, мой отец работает в департаменте. +как Ко Бок Тэ отмывает деньги +Нет, мама, не должен. +и виноваты совсем другие люди. +Следующий бросивший вызов. +Хмм, почему бы тебе не практиковать для всеобщего внимания потому что это будет становится все жарче. +- Нам это знакомо. +Как будто можешь наброситься, стоит лишь щелкнуть пальцами? +Не обижайся, но она даже страшнее тебя. +Сегодня вечером неизвестный без колебаний пристрелил себя. +– Ни в чём. +Чему конкретно это меня научит? +- Моё. +Роберта Уоррен. +Принимаю тебя, принимаю. +Хреново. +- Привет. +Да, я за. +Ну, я ее не виню. +Где мы? +С "Худышом". +Мне кажется, стоит продлить наше медицинское наблюдение на более продолжительный период времени. +. +Ты сам так сказал. +А он:"Не, она будет моя, смотри, смотри". +И откуда же вы знаете Пайпер Чепмен? +Ты был прав. +Боже мой, мама! +Понятно, серьез... я... я... +Мы называем это возвращением законного наследия. +Просто спросите, где артефакт? +Просто держите руки. +Нам просто надо убедить водителя этой фуры, что мы установили блок-пост. +Это то же самое, как когда у меня был туберкулёз и ты отправила меня в пустыни Юты, и ничего вокруг не было, только пустое место с отсутствием воды, на сотни миль вокруг! +Прекратите! +Похоже на "близкие отношения". +Это адрес исследовательского центра в Мидтауне. +Эй. +Есть идеи, почему? +Переодевайся, не то я тебе голову снесу. +И наконец, я хотел бы поблагодарить наших товарищей из Ньюкасла-на-Тайне. +Убьёшь меня? +Но я не понимаю, почему Сэм Винчестер, зная о твоём состоянии, заставляет тебя ехать в такую даль, чтобы спасти его брата. +Не будем забывать, что мы изменили жизнь того паренька. +Мы вас сменим. +Хочешь вернуть их? +- Да. +Будет весело. +Все мы. +И что нам теперь делать? +Обещаешь? +- Мелли. +Уверен, что ты еще считаешь, что имя влияет на личность. +Слышь за мышь. +Поприветствуйте своего папку. +Вы ошиблись. +Послушайте, я вполне доволен тем, что пью вино и смотрю в окно на... пацана на велике, который едет с той же скоростью, что и мы? +Ты слышал меня. +Я думала, что он умрет, мам. +Сегодня. +Я должен знать, кто убил моего брата. +~ Весь дом вверх ногами, ~ +О, да. +Добро пожаловать в шкаф. +Подождите, что происходит? +Один из вас переедет к другому. +Если мы всех выгоним таким образом, нас навсегда запомнят как неудачниц, которые не смогли организовать веселую вечеринку. +-У нас есть такая услуга. +Ах! +- Сoйдет. +- Ага +Не дай мне тебя потерять, ведь я только тебя нашел. +Мы опоздали. +При помощи МяуМяушек вы сможете рассказать, насколько вам нравится, кто вам нравится, где вам нравится, и все это с обычного телефона без дополнительных расширений. +В МяуМяушках ученики смогут оценить преподавателей, а преподаватели - учеников. +- Да, чувак. +Не пить. +Наше оружие ... +Хм, Итак как убийца подключил провод к жертве? +Мы найдем ее. +Ты мог убить себя. +- Ничегο я ей не рассказывал. +Думаю, что да. +У тебя пациент в Ньюпорт-Бич, и нам стоит поспешить, если не хочешь торчать в пробках. +Нет, нет. +Знаю, что он пришёл к тебе и ты рассказал о госпитале. +Сказал мужик, привязанный к стулу. +У тебя там 150-фунтовая сила натяжения? +Я просто хочу, чтобы с парень вернулся домой целый и невредимый. +Значит, ты механик. +Боже! +Мой основной интерес в моих сучках рабынях. +Так ты мне соврала? +И жутковато. +А кто вы? +Может посмотрите? +Я думаю, она поедет дальше... +У вас был ключ от него. +Сок, я не хочу про это слышать. +Это хорошо. +Могла знать убийцу, босс. +Милый, официантка принесет. +Спасибо, что уделили время. +[И, как в большинстве снов,] +Высокий мужчина. +- Растин. +Правильно поступаю. +- Знаешь, тебе повезло, что меня не было рядом с той виселицей рядом с тобой. +Были наказаны за свои деяния +Я не стал бы лгать в этой форме. +И где мы достанем 20 фунтов? +Моя мартышка. +Он поворачивает. +- Понятно. +Роман, ты умный молодой парень. +Народ думает, что Панночка - ведьма. +Бастрючка бачила. +Полагаю, мы можем договориться. +Тут музыка, масса туристических путеводителей... +Серый ястреб. +За что ты сгоришь, Гэбриэль? +Адам, когда в последний раз вы видели Джерри? +Они это сделали! +Я работаю на автомойке "Три кольца". +Да. +Это клапан. +Как прошел вечер в городе с Гарри Крэйном? +Как она называется? +Но я знал, что могу обойти защитников. +Я делаю платежи. +А я должен сказать, что ты выглядишь подозрительно, приятель. +Ну, даешь. +Мы - представители закона, подонок. +Давай, хлюпик, начали. +Нет. +Начинаю потеть. +О, дорогая. +Это был всего лишь... +Чего ты именно хочешь? +Нам следует подождать до следующего месяца с зачатием. +Я обещал, что сделаю все, что ты захочешь. +Дом терпимости. +Вот он, "Любопытный случай", да, инспектор Лестрейд? +Инспектор Лестрейд. +Шерлок Холмс. +(инспектор Лестрейд) +Шерлок Холмс. +Я оставил тебя человеком, потому что надеялся, что ты будешь жить долго и счастливо, но ты и это испортил. +Вот он, "Загадочный случай", да, инспектор Лестрейд? +Шерлок Холмс. +От него есть вести? +Надо признать, у этой ведьмы водятся денежки. +Вы сказали, что Синди выпивала и принимала наркотики в ночь ее убийства. +ее мотивов с этой точки зрения +Это Шерлок Холмс. +Я хочу с тобой встретиться. +Может, отложите оплодотворение до июля? +Я горжусь тобой и счастлива за тебя, и просто хотела, чтобы осталось что-то на память, ясно? +Они динамщики. +Ты чинишь сердца детей, +У меня будут неприятности из - за этого, а я не хочу этого. +Да, он только что вернулся с войны. +- Привет! +О, Боже. +- Я не могу этого сделать, милая. +Я бы носил голову льва на своей голове. +Как ты? +- Хорошая ритмичная песня. +Во всяком случае, в наиболее важных вещах. +Домохозяйка. +А парень-то реально по бабам соскучился. +Все-таки заметил, да? +Чей же он? +Но,ты должен поблагодарить нас за этого(эту) +Питер отдыхает. +Что ж, пока его нигде нет, но есть еще куча времени, и нет причин для паники. +Просто... +Доброй ночи, детка. +Ты падаешь в кроличью нору. +Зик сказал мне, что твоя дама любит поиграть. +А барменам стоило бы проверить у вас удостоверения личности. +Это настоящее оружие. +Идея обменяться всем этим... +Спасибо. +Леонард, я в полицейском участке. +Шерлок Холмс всегда говорил, что если исключить невозможное, то, что останется, даже самое маловероятное, всё же может быть правдой. +Есть множество книг под названием "Шерлок Холмс", но нет ни одной, названной "Офицер Эрнандез." +Знаете, Шерлок Холмс частенько употреблял кокаин, чтобы сосредоточиться. +Шерлок Холмс всегда говорил: +Знаете, Шерлок Холмс использовал кокаин, чтобы лучше сосредоточится. +Шерлок Холмс всегда говорил, что если исключить невозможное, то, что останется, даже самое маловероятное, всё же может быть правдой. +Есть множество книг под названием "Шерлок Холмс", но нет ни одной, названной "Офицер Эрнандез." +Знаете, Шерлок Холмс частенько употреблял кокаин, чтобы сосредоточиться. +Я надеялась посмотреть на эти файлы, и... +- Я думал, мы друзья. +Может, просто от потрясения. +Эта лягушка обжора. +Sky of rubble is our bond.}{Ed:}Узы наши сокрушили небо. +\blur0\shad0\bord1\1cHFFFFFF\3cH000000}gai +Да. +- Большое спасибо +- Неплохо. +"Жизнь - это восхитительный восход солнца". +Сильнее всего ее ранила новость о том, что она не сможет иметь детей. +Он вероятный соучастник и очень опасный. +Скажи: параллелепипед. +] +И насколько плоха была твоя жизнь, что ежедневный риск со мной казалось неплохой альтернативой? +Дышите. +Вызовите кто-нибудь скорую, умоляю! +- Да, он в рюкзаке. +- Дот. +Она была номинирована на Оскар за Милдред Пирс. +Я и Донна писали тогда друг другу любовные послания, которые были зашифрованы. +Даже, когда были мэром и постоянно давали Земной Республике по зубам, я знал, что вы действовали из принципа. +Это Сюзан из госпиталя. +До скорого. +Ты ведь не будешь глупой сучкой... да? +О, мой Бог, выглядишь шикарно! +Нет, я хотел посмотреть на вашу работу. +Мне больше нравится играть с кем-то моего возраста. +Нет. +Погоди. +- Феноменально. +Слушайте, если вы будете меня держать здесь, он потом придёт за вами. +У неё было две двери? +Значит поужинаем, но только не здесь. +Почему сокрытая? +Извините. +Это правда. +Вот ты где! +Да, и он угрожал раскрыть меня, так что я должна его заткнуть. +- Эй, отойдите от фургона! +- Салливан, двигайся. +Давайте быстрее и валим отсюда! +Дорогой Чарли..." +Какого черта? +Нет. +Эта фраза абсолютно универсальна. +Мне жаль. +Я сказала — я не могу умереть. +Значит, решено. +- Все кончено. +SmSado76, Simosha, wid0ki, lovelvis +Шерлок Холмс. +он едва может держать себя в руках. +Так вот, старичок повернулся к старейшине, и говорит: +Розмари! +Мы как раз делимся чувствами. +Прекрасный вопрос. +Тогда пошли. +Переводчики: erika2110, Lily798798, katyxa12, Aida_Phobia ddtdw, Gala9, _GhostWhisperer_, Shpunechka +А если ты мне нужен сейчас? +Я тысячу лет не вспоминала о них. +Всего пару недель в работе, а вы уже прямо Шерлок Холмс. +- Что? +- Это верно? +Возможно, вы пропустили факт того, что использовали это слово. +Ясно. +Я хотела спросить у тебя кое-что. +- Спасибо. +Да, ему не очень повезло. +- ј мне интересно, о! +- "то ж, мне, разумеетс€, придетс€ позвонить родител€м в ќклахому. "же не в первый раз твои злоупотреблени€ внос€т хаос в из размеренную жизнь. +Но вам ведь нужен Шерлок Холмс? +— Кто такой Шерлок Холмс? +"Шерлок Холмс в наркопритоне". +Раскрой для меня преступление, Шерлок Холмс. +Расист, судя по татуировкам, так что какая разница? +Джон Уотсон явно в опасности. +Шерлок Холмс, если ты рыскал по "Ютубу"... +Зато как вам небезразличен Джон Уотсон! +Болевая точка Шерлока — его лучший друг Джон Уотсон. +Потому что Шерлок Холмс совершил огромную ошибку, которая разрушит жизни всех, кого он любит. +Шерлок Холмс и Джон Уотсон, отойдите от этого человека. +Шерлок Холмс и Джон Уотсон, отойдите! +Шерлок Холмс и Джон Уотсон, отойдите от этого человека. +Ням-ням. +Но вам ведь нужен Шерлок Холмс? +- Кто такой Шерлок Холмс? +"Шерлок Холмс в наркопритоне". +Раскрой мне преступление, Шерлок Холмс. +Джон Уотсон явно в опасности. +Шерлок Холмс, ты подлый. +Шерлок Холмс, если ты рыскал по Ютубу... +— Да. +Зато как вам небезразличен Джон Уотсон! +Болевая точка Шерлока — его лучший друг Джон Уотсон. +Потому что Шерлок Холмс совершил огромную ошибку, которая разрушит жизни всех, кого он любит. +Шерлок Холмс и Джон Уотсон, отойдите от этого человека. +Шерлок Холмс и Джон Уотсон, отойдите! +Шерлок Холмс и Джон Уотсон, отойдите от этого человека. +- Ќо любое воздействие на рану может ее сместить. +- Если вам Шерлок Холмс нужен, я его тысячу лет не видел. +- Кто такой Шерлок Холмс? +- Шерлок Холмс в наркопритоне, как это выглядит? +- Чтобы Шерлок Холмс сдал свою мочу на анализ. +Раскрой все тайны мира, Шерлок Холмс. +Шерлок Холмс, вы гнусный бессердечный манипулятор и подонок! +Это старый прием, известный людям, которые могут с первого взгляда определить код. +- Шерлок Холмс, если вы смотрели на ю-тубе... +Потому что Шерлок Холмс совершил одну огромную ошибку, которая разрушит жизнь всех, кого он любит, уничтожит все, что ему дорого. +- Шерлок Холмс и доктор Ватсон, отойдите от него подальше. +- Шерлок Холмс и доктор Ватсон, отойдите от него. +- Шерлок Холмс и Джон Ватсон, отойдите от этого человека немедленно! +- Во все времена нам будет нужен Шерлок Холмс. +Ду Рим... +Это Шангри-Ла. +Я не закончила свою песню. +"Что мне нравится, решать не тебе. +Аж так. +Ты же теперь враг. +Парням нравится это шоу. +Боюсь, что ты не в состоянии идти в театр. +Я думала, здесь стало темнее, потому что его включили в другой части дома. +Думаю, достаточно страхования для одного вечера, мистер Нефф. +То, что его дни сочтены. +У вашего мужа в последнее время была депрессия? +...что точных данных нет. +А что я могу сделать? +— Исполню, государь. +Кто знал, что вы надели ожерелье именно в тот вечер? +Гордимся везде и всегда, +- Может, ты бы и воду забыл. +Не смотри туда, там за вторым столиком... сидит парень с усами. +- Да, папочка. +Я должен попросить вас сейчас же отвести меня к Стелле. +Похоже, я его больше не интересую... +Но откуда? +Как вам нравится этот? +А выше вы не могли забраться? +Tак вы же уже всеx набрали. +Почему нет? +Тупую песню Кэти Пэрри, или ещё что. +Земля расположена на идеальном расстоянии от солнца... +Я даже не помню, о чем мы разговаривали. +Детективы. +Как и от людей. +Просто запутался. +Переживать за клиентов – моя работа. +Офис прокурора прислал документы по делу Бреннана. +Тибет! +Я знаю, что вы не любите мою сестру, но вам придется сделать выбор. +Садись. +У меня осталась половина пирога с ревенем. +Ты права. +Я могу определить спелость на глаз. +И... и.... повернуть его на бок. +Эдвард была на длинном поводке слишком долго... я её не виню. +Мальчишка у нее. +Я сделал всё то, о чём он говорил, именно потому, что для меня главное – казаться более значимым, чем я есть на самом деле. +Дамочка Вандертампон в одиночке, в подвале здания. +В знак признания доброволец посмертно получит медаль почёта Конгресса, присуждаемую, если Конгресс существует, а его существовать не будет. +Тут очень красиво. +Да, Когсворт? +Лет десять пылились +Давай узнаем, умрет Дойл, или нет. +Может и так, брат. +Погасить тьму" +Могу ли я рассчитывать на возмещение расходов? +Ну давайте, идите все сюда. +- МАРК КОТЭ +- со счётом 7-5, к концу пятого иннинга. +Дейл подарил мне Xbox. +Вы должны покинуть здание. +И приезжай, как только сможешь. +Пожалуйста, не говори... +Но как пилот узнал, что Уиллоуби была ловушкой? +ЗАПУСК ПРОТОКОЛА 45А29 - УСТРАНЕНИЕ УГРОЗЫ +Синди, ты знаешь правила. +Спасибо, супермен. +Дайте ему пару часов. +Пожалуйста! +Республиканцы. +Мне нужна свободная комната, быстро! +Я так нервничала тогда, но ты сделал так, что всё было... +я изрядно согрешил. +Я не знаю. +Суд над Холландом. +Круто, сынок. +Вы задавали мне этот вопрос три раза. +Ли, ты не сошла с ума. +Спасибо. +- Тетивы! +- Что? +- Хорошо, притормозите. +- В чём дело? +Это неловко, мам. +Джеки, пчела! +Говорят, что он часто перегибает палку. +Немногие пошли бы на это. +Подожди. +Я имею в виду, что ты детектив. +Джейс не убивал Гретель. +- Кое-что есть. +Я просто... просто... +Да, и, по-нашему, такие эффектные и броские автомобили попросту глупо тестировать на британских дорогах. +Я ощутила ее присутствие, и она подняла меня на ноги. +Код отмены +А ты думаешь она? +- Да. +- Я не предлагаю отрицать кражу. +Ну да. +И Большой Медведицей. +Тут сплошь тупики. +Все они заболели из-за меня, и именно я договорился о сумме, прилагавшейся к договору. +Ну а он позвонил мне. +- (блейк) Не знаю, но многие улыбаются. +- (джина) Какой провод резать? +- Да, это тело механическое. +Я люблю тебя. +Меня не покидает ощущение, что она лишь началась. +Чего же ты от меня хочешь? +Не из-за тех, кто творит зло, а из-за тех, кто молча наблюдает. +Моё почтение. +Серьёзно? +Доктор Уилсон? +И он вечно суетился. +"Восстание", "вторжение". +Слышно что-то от наших друзей из АСЗГПС (Американский союз защиты гражданских прав и свобод - прим.пер)? +Дьявол изгнан. +Кажется, ты сама ответила на свои вопросы. +Нет никакой связи между ним и Корбеттом. +- Взлётная полоса в частный сектор. +Врать не буду, я, бывало, подыгрывал себе, когда был на передовой, но уже надоело. +АЛЕКС: +Мой папа бил меня. +Присаживайтесь. +– Чего мы хотим от вас? +Бун? +Согласно их форуму, наши охотники собираются в субботу в тире у Харли. +Я думала, проскользну тихонько. +Отец посещал Землю раньше? +Только... +Похоже на стену интересов, что размещают в интернете. +- Месть? +Ваш сын соврал ради вас. +ты обещал быть дома вовремя к празднованию. +Ты приломила хлеб с Рэйчел? +- Нет. +У меня есть законные основания врываться туда, где обитает мистер Путнэм. +Шерлок Холмс. +Шерлок Холмс. +Шерлок Холмс. +- Стыдно сказать, но я не могу быть только матерью. +Носитель вынужден искать жертву. +- Не сейчас. +- Я не прятала, поищи внизу! +В лучшем случае я всю жизнь работал бы на фабрике, как мой отчим. +Что это было? +Ты облажалась, придя сюда. +С-400 классифицируется как оборонительное оружие. +Когда Тэнет сказал про Ирак "дело ясное", все аж подскочили... +Ты +Простите. +Двигатели готовы. +Он отошел. +Всё должно быть по-настоящему, ты же знаешь. +ЖЕНСКИЙ ГОЛОС: +Я могу помочь с разгрузкой. +Нэш, как это происходит? +Каждый день одна хуйня. +Нас зажали +И он не будет разочарован? +Бабушка, нет. +Рада твоему настрою, Рапц, ведь приветственная церемония, это только начало. +КОРОЛЕВА АРИАНА: +Не хочешь умирать. +Но я тебя уговариваю, потому что даже мне ясно, что это прекрасная возможность для тебя. +Она мертва. +Определенно, я не ходил ни на какой музыкальный фестиваль. +Женщина пришла в паб, и заявила, что Ян приставал к ней. +Твоё место - здесь, рядом с нами. +Его зовут Джимми Лэйквэлл. +Что ты с ней сделал? +Рояль... +Ледвард, останься с Кариной. +Пиздуем отсюда. +Ты о них слышала? +- Фелисити, вы можете подтвердить слова мужа? +Самые грязные тайны. +Она придёт сейчас! +Меня лишат лицензии! +Он был в реанимации, но видимо доктор Бейли его перевел. +Приготовь тампон, будь готов прижать его крепко. +Отведу тебя к д-ру Макки. +- Понимаешь. +Хорошо, понемногу. +Не сельскую местность как таковую, а людей в ней. +Но ты и есть мой отец. +Стойте! +Отец, я хочу сражаться с тобой. +Они ожидают, что мы будем сражаться определенным образом. +Красный. +- Да! +И это колодец. +Он мужик-юнец +О, Господи! +Все хорошо. +Говард тут, чтобы переводить Эмили и делать заметки. +Убери от него руки. +Потому что если да, то я хочу, чтобы ты это сказал вслух. +Это было 10 часов назад! +Ты прочистишь рану, да? +Всплывает на поверхность по всему морю. +За два года до запуска боеголовок Кадоган распродал всю недвижимость Второй Зари. +Если он не будет этого делать, то будет хуже, а они не... больница... они не знают, где он. +Обнаружена неисправность. +Так что, если я хотя бы приближусь к "Лавитикусу" в Вегасе, камеры распознают меня и поднимется тревога. +Он и так легко отделался. +Уходим! +Что тут у нас? +Он оказался точно таким милым, как ты и описывала. +Беременности протекают или хорошо, или плохо. +Мы вернёмся завтра утром, чтобы забрать ребёнка на машине. +Вы можете помнить распоряжение Трампа: +Но направо склоняются не только дикторы "Синклера". +Мне нужно, чтобы ты поместил в него свою кровь. +Мне было 19. +Вы заберёте мои земли только через мой труп. +Всё. +Но в итоге, ты у нас герой. +За миллионы и миллионы лет моего существования я совершил много ошибок, Питер. +- Всё нормально. +Дин, всё нормально. +Хочешь уйти? +Что? +Не переживай за меня, ладно? +Возможно. +Ты утверждаешь, что Кадмус украл реестр зарегистрированных пришельцев? +- Умничка. +Да пошел ты... +Я сожалею. +Если сделать так, всё кончится плохо, для всех. +Как долго мы еще тут будем? +Это уже ни в какие ворота. +И это странно - Тэбор не считал его ценным. +Полагаю, вы знаете, о чем я говорю? +Мой дорогой друг! +Нам нужно убраться с улиц, иначе мы все умрем. +Ну надо же. +Я вел урок. +У вас нет телепорта, а Даксамиты модернизируют свои щиты. +- Что это такое? +Но если направить это оружие в нужную сторону... +Послушайте, я не знаю. +Нет. +Не посылай кого-либо за мной. +Вайнона? +- Я не из Скотланд Ярда. +- Хейвуд Брун был прав насчет тебя. +Сейчас всё хорошо, тьфу-тьфу. +По вагонам! +- У нас? +Я должен сказать ей как можно скорее. +Не двигайтесь, если можете. +Она моя дочь! +Стайлза. +Вы знаете, что делать. +А тебе какая разница? +Самолёт с опергруппой приземлился в пустыне для дозаправки. +Господа, это Шерлок Холмс и Джоан Ватсон. +Вот так-то. +Остальное я сделаю сам! +Знаю, каково это. +Боже, с ума сойти! +Ничего, вы очень хорошо справляетесь. +Они приедут вместе, кстати. +Потому что он невежливо обошёлся с нашей подругой... +Поэтому я в ту же секунду ему позвонила и рассказала о смерти девушки, которую он едва знал. +А мы - друзья. +Как и ее сын, ее внуки, весь ее дом. +Но если Золотые Плащи вас узнают, предупреждаю: я не боец. +Останется лишь применить их к Луне. +Что вы думаете о принцессе Палатин? +Все хорошо, я держу. +- Арчер, стой! +Мог бы действительно использовать мою фляжку сейчас. +Вы скоро разберётесь в этом бардаке, но для этого придётся быть мУлами. +Нужно пару отрядов. +У него чувство, что всё идёт не по-нашему. +Я хочу, чтобы ты управляла моим фондом. +Нет. +Кэти. +Мистер Шерлок Холмс. +Они наверняка где-нибудь наслаждаются чашечкой кофе у камина... +- Бальные танцы? +Нужно поговорить с Майклом и Джоном. +Ты очень, очень хорошо справилась. +Большое спасибо. +Я выложу это. +Вот только не существует такого понятия, как "спасательная погоня"! +Убойный отдел хочет участвовать. +Я больше не хочу слышать фамилию Бош на утренних совещаниях. +Привет, Кафеус. +Сомневаюсь. +Значит, это твое второе назначение? +Что-то не так? +Он должен проделать путь перехода. +Я сказал ему, что это означает "двойное проникновение"... так что ему в голову приходили только грязные мысли. +Подчисти все следы +— Перестань. +Первый в мире взрыв озера. +Я думал, дело в руках, но всё становится только хуже, улучшений нет. +Ты думаешь, что слоны были настоящими. +Кто знает, может по этому мы и ладим. +- Множество шансов. +И у нас есть способ. +Так и в чём проблема? +Играет с твоим разумом... +Мы все идём, да? +Понимаю. +- Так и сделаем. +Как долго он с вами работает? +У тебя две дочери, которые все еще здесь, мы все еще живы, а ты потерял все, что у тебя есть, и это так меня злит. +Им будет безопаснее в Точке схода. +Ненадолго. +– В Стар Сити? +- И Джани интересовалась на счет новой Корузи? +Ясно. +Я могу помочь. +И всё. +Да, мы все поняли и ужаснулись. +Может мне позвонить Бенни, может он сможет накопать что-то на шефа Андерсона. +- Идём, идём. +Я знаю, какого потерять родителей, и... +Стой. +Ты же на это не подписывалась. +- Я не буду драться +Будет весело. +Отлично. +Этот сукин сын Бёркхард. +Она необходима для нашего успеха. +Я всё упрощу. +Двинь сюда свои губки и... не забудь пригласить язык на вечеринку. +Вот так. +Того же, чего и я +Я не знаю, как быть счастливой. +Он не просто нёс чушь про бейсбол. +Творожок свой она ела +Это одна из немногих сцен, хоть она и короткая, где мы видим, что у Икс-24 есть какие-то эмоции, примерно как у ротвейлера или питбуля. +Что? +Места хватает для свободного танца. +Но коммерческие бортовые системы не общаются с наземными системами. +Эдди Оуэнс только что обратился в неотложку. +- Да, конечно. +Мистер Рейес, это Майк Росс. +Что скажешь, если будем бояться вместе? +Вы её узнали. +Я желаю тебе, относиться к таким вещам посерьезней, я не хочу видеть мою компанию разрушенной. +Слушайте, я этого не делал. +Припоминаете вчерашний спарринг с 19-летним Гектором Перазой, который, по словам очевидцев, отправил вас в нокаут? +- Повезло. +Я бы точно был. +Головка открыта. +Охрана. +Это значит, что если Кевин убил Линду, то закопал её дважды. +Ќезапланированный посетитель. +Чтоб использовать его против Дианы? +Да, и пусть так и останется. +Договорились. +Мы обсудим это позже. +Нужно поговорить. +Но то, что мы видели... оно вернулось. +- Я все исполнила. +Грядут морозы. +Перевод субтитров выполнила Злюка. +Нет, если Шерлок Холмс хочет выйти на связь, не заметить этого нельзя. +Шерлок Холмс. +Но если Шерлок Холмс тоже умрёт, кто тогда будет рядом с тобой? +Ты не первый наркоман в моей жизни, Шерлок Холмс. +Потому что миссис Хадсон права. +Я лично могу вас заверить, что Шерлок Холмс не собирается арестовать королеву. +Либо я серийный убийца, либо Шерлок Холмс пристрастился к наркотикам. +Шерлок Холмс. +Шерлок Холмс? +Вы Шерлок Холмс. +Я Шерлок Холмс. +А Шерлок Холмс? +Этим утром Джеймс Уэклер повесился в своей камере. +Итак. +Чтo вы xoтитe oт мeня yслышaть? +Oткудa вы знaeтe? +Никаких сложностей. +Я тоже взрослый мальчик, но если пропущу хоть один, закачу истерику по-взрослому. +Вы все еще его отбываете. +А ты? +Выгляни в окно. +Скажи правду. +Валяй. +Когда мы приехали на вызов, дверь была заперта.... так что мы подумали.... +– Не знаю. +Должен быть какой-нибудь способ вернуть его. +- Он уступает в скорости. +Когда мне исполнилось десять, они с мамой решили рассказать мне правду. +Помнишь, ты говорил... что это ловушка? +Какая разница? +Рамси тот ещё подонок. +Бури приближались. +Он крадёт... отнимает... экспроприирует. +— Да, большое спасибо. +Прикольно. +Я был в беде, cкaжу я тебе. +Я его девушка, но это только бизнес. +Твоя стратегия была полезна какое-то время, но если она уже не полезна, то следует изменить тактику. +Он хочет произнести речь на ступеньках к зданию суда через 15 минут. +- Пожалуйста, не надо! +Дайте мне заплатку и 5-0 пролен. +Мы Салливаны, и мы... +- Я согласен! +Делал то, чего хотели копы, пытался выяснить, что случилось с парнишками. +Зачем? +Этот парень делает подстрекательские видео с Секу, помогает ему загрузить их на сайт, затем даёт ему 5 тысяч. +- Но это... +- Твоего режиссёра, он же бойфренд, ещё нет, так что ждём. +Ну, знаешь... +- Никто. +Он не способен понять тебя. +то есть, .вряд ли ты старше 135? +Смотри дальше. +В лучшем случае. +Пока. +Нет, нет, она ускоряется. +Может, стоит проверить твою моторику? +Все свободны. +связано. +Пони для Анны-Марии. +- Я сохраню вашу тайну. +Сию же минуту убирайся от моего дома! +Молодец. +- ...обмочила мою адресную книгу и сжевала два дивана... +Пруди! +Когда я унаследую Тренвит, ты будешь жить там как мой управляющий, и мы вместе будем делать колеса! +У тебя получится, сладенький +♪ Помни - мы страдали ♪ +Сэр. +Если вам что-нибудь известно, вы облегчите себе жизнь, если всё расскажете прямо сейчас. +- приключений Рика и Морти. +Соберись, пока не встретились с Куки. +Что у тебя? +Мистер и миссис Велсборо, это мистер Шерлок Холмс. +Меня зовут Шерлок Холмс. +Прощай, Шерлок Холмс. +Кто такой Шерлок Холмс? +Каждое мое передвижение случайно, и даже Шерлок Холмс не может предугадать, как выпадут кости. +Я же Шерлок Холмс. +Следуя за тобой, Шерлок Холмс. +- Джеймса Сент-Патрика только что арестовали. +Привет, Изи, как дела? +Позвольте мне объяснить. +За девочками вроде Джули-Энн всегда кто-то приглядывает. +Мы знаем. +Вот здесь никого нет... +Алло, Лоуренс. +- Тоже? +- Что там? +- Это чё за? +Если ты конечно заметила! +Черт! +Он был такой спокойный +Восхитительный фильм. +Меня зовут Шерлок Холмс. +Где Шерлок Холмс? +Ирен Адлер. +Наконец, Шерлок Холмс, пора разгадать ритуал Масгрейва. +Шерлок Холмс? +Шерлок Холмс и доктор Ватсон. +Ты до сих пор не поняла, насколько я нужна вам всем? +- Приму это за "да". +- Кэролин... +Дёрни, как в последний раз. +Так и есть. +Скажи, что Криса нужно перенести в начало списка. +- Да. +Возможно, не найдём вас на карте. +" с ∆юлем-ѕьером ћао? +Я коп. +Это неразумно. +Свежий воздух, свежая еда. +Знаешь, я не могу помочь, но думаю, что возможно, всему есть причина. +Кто-то из конкурирующей банды нашел его адрес и убил его. +- То есть? +В суде? +Да. +Ты в порядке? +Пожалуйста... +Тебе не следовало скармливать штраф собаке. +Я знаю, что иногда мы можем выбрать либо дерьмо, либо еще большее дерьмо. +Это был Сан Франциско. +Я не пойду на соглашения. +- Но не внутри. +Да. +Меня вызвали на работу. +Так приятно слышать твой голос. +Да, это так! +Мне это не нравится. +Чтобы сказал о нас Дуайт? +Но эта дюжина сепаратистов больше не похитит ни одного американского гражданина. +Нет. +Привет, Скотт. +Если там есть отпечатки, вашу версию легко проверить. +Я уже достаточно долго ждал, Дефстроук. +Кори... +и в убежище... слишком отокормлен для раба. +я хочу тебя защитить. +как прикажете. +Мы тебя знаем. +Их помощь имеет свои условия. +Конечно. +Что это? +Даже не знаю, любила ли я кого-то сильнее до нее. +Я расследую исчезновение доктора Мэтью Лаксмана. +Угу. +Я чувствую. +Это невозможно. +Если это то, о чем я думаю... +Давай. +Брэтт, нужно её переместить. +Знаешь что? +Что ты несёшь? +Запри двери. +От этого мы его избавили. +Это только слухи. +Ты вот-вот войдёшь в избранную группу. +Да не вляпалась я не во что. +- Многие из них бывшие военные, как я. +Хорошо. +Ты не можешь пообедать с Брюсом уэйном. +Мы просто должны узнать, какая слабость у Святого. +замечательно +- Стойте! +Иди ко мне. +Завтра я уже буду в Дубае... +Где Эдди? +Никогда не догадаетесь, кто это. +- Но? +А теперь серьезно +Я пыталась играть в софтбол, но потом возненавидела его. +Шестой раз подряд? +Мама. +Я вернусь через минуту +Хорошо. +- Ты давно здесь? +- Лукас. +- Жду не дождусь +Зачем? +Эммит с тобой больше не разговаривает. +Это совсем неподходящий поворот этой книги. +Как пожелаешь. +Всё должно складываться в уточку. +Всего шесть. +Друг Луки её подставил. +Хотели сказать, ваша девушка? +- Почему он на вашем компьютере? +- Сестра из "Харбора". +- Красиво, правда? +Внутри напитки бесплатные. +Ты хочешь уничтожить этот мир! +Что мы здесь делаем, Кристина? +Миссис М., я почту за честь, если вы позволите мне сопровождать вас. +Я выбираю агентов для заданий, исходя из целого ряда факторов, сержант. +Нас будет не двое. +Где выбит рисунок рыбы. +В 10:30 встреча. +Будьте добрым католиком, Скотт, а вы - доброй епископалианкой, Зельда, и всё будет хорошо. +Ясно. +Тебя приглашали на интервью. +Тогда расскажите нам. +- Спасибо. +Так что, не надо себе врать. +А лидер, мы называли его Отче. +Возможно, я неверно перефразировала. +Я практически изобрела Темную магию. +Он в порядке? +У меня все под контролем +блевать в растения или еще что +Ага. +Миссис Ниппелворт, мы едем в уютный домик. +Но это не Пит. +Я готовлю тебя. +Я быстренько осмотрюсь в других комнатах и присоединюсь к группе. +Ты? +Это Феакия? +-Тим, спасибо +Я исцелён. +- (лиэнн) Нет, мы её спрятали, помнишь? +- (алайда) Да? +Это я сделал. +Давай я попробую сейчас найти их. +Никому пока не говори, хорошо? +А Кэролайн говорит и говорит. +Даже неприлично, что никто не плачет. +Начали появляться волосы внизу. +Это было его планом с самого начала. +Кто скажет, почему оно голубое? +Нашел, вот, вот! +– Надо разделиться. +Конечно же. +Я чувствую. +Саймон был последним, кто его видел, он был подозреваемым в том расследовании. +О, боже! +Прости. +Хорошо, достань мне телефон. +Послушай, извини, если я задел твои чувства, но это похищение... +Да, спасибо. +Ничего себе. +- И один из них +Нельзя позволить эмоциям повлиять на поступки. +- Я хочу на фудкорт. +Оно схоже. +О, лейтенант Бернхардт. +Копы меня совсем задолбали. +Но что поделать, если я люблю её влиянье? +Почему Вы говорите мне это? +Вы выиграли. +Она была готова подбежать к сотне гиен и рявкнуть: "Чего надо?". +Мы не любим телефоны на посиделках. +Но он был слаб, и он тебе всё рассказал. +Вместе. +Вы знаете, почему мы здесь? +Бетти,ты меня знаешь, +- Нет, нет, нет. +Выключи зажигание и выйди из машины! +Итак, дорогой, ты едешь в Вестминстер! +Кампания ещё не закончена. +Мне наплевать. +- Достаточно. +Мы могли бы вернуться незаметно, но Доктор есть Доктор... +- (лив) Пит! +Отлично. +Это займет больше времени, чем вы хотите, шеф, +КРИСЬЕН: +Я не поддержу эскалацию конфликта. +Ну, какая от меня польза на корабле? +- Эта процедура одобрена в Англии. +Что это? +Как дела с дисциплиной? +- Моя пахла паприкой. +Я должен достать ему кое-что. +Надо устроить показательную казнь. +Своими руками. +Я пойду. +Был в башне. +Отлично. +Она не берёт трубку. +Мы знаем, где они? +- А мне ничего? +Оставлю-ка я вас одного поразмыслить над этим. +Рафаэль, дружище! +Почему бы тебе не придумать и не попробовать, красавчик? +Запах еловых деревьев, лодки на озере Палич. +Ты везде несчастна. +Я хотел закончить наш брак. +Я ещё гадал, что вы с этим засранцем Пуллингсом затеяли. +Я Джули О'Брайан, жена Барри. +Удачи. +- Ты выпивши? +Всякая теория, что я могу придумать, чтобы разобраться в случившемся с Арчером Данхиллом, постоянно возвращается к вам, и Элисон, и твоим подругам, особенно к тебе. +- А ты уверен, что хорошо придумал? +Ты защищен от падения цены ниже предела. +- Значит, подбирается? +Одному там не потянуть. +Вы станете чудесным отцом, однажды. +Потеряли машину? +Никто не видел его после этого. +Где твой любимый человек? +Какого рода зажигательное устройство? +Я думала, это Люциус. +И не говори так, а то еще прицепится. +Но с такой жизнью, что у вас двоих, эта любовь между вами, это единственное.. +Я бы сказал большими дозами за короткий период. +Мы полагаем, что это он подложил туда бомбу, что Секу Баа подставили. +Eiga no chiketo nimai kudasai. +Ну же, малыш. +Я пошутила. +Гордон передал бы меня, и я, скорее всего, был бы мёртв. +Пульса нет. +Конец сцены. +Ди, Ди, Ди! +Кажется, у нас получилось. +Мне особенно понравилась, как ты стряхнула грязь с плеча. +Ранее в Элементарно... +Шерлок Холмс, консультирующий детектив, я сказал, что я Шерлок Холмс, сын Морланда. +Конечно нет. +Я говорю. +Слушайте, вы, бесстрашный чемпион Пояса, хотите выставить меня злодеем, потому что я землянин? +Она уже сдохла? +Я знаю, что Дайя попала в неприятности. +Точечное кровоизлияние в оставшемся глазу показывает, что она задохнулась, лёд сохранил это для нас. +А шериф может передвигаться. +- Это чудо. +Как Вас зовут? +Из чего на этот раз? +Похоже на пересказ, а не на вопрос. +Правда работает. +Это делал не он. +Скажи это моим пазухам. +- Конечно. +На Девятой улице. +Имею в виду, что мы от этого получим? +Он не хотел воровать у людей деньги. +У нас целый совет, и все имеют право голоса. +Что более важно, детектив, ты заслуживаешь кого-то столь же хорошего, как ты... потому что... ну, ты особенная, а я я того не стою. +Не знал, что ты участвовал в наших разговорах, Джа. +Эй, парень! +Они будут в восторге! +Пройдёмте. +Позови его. +Чудесно, чудесно. +Что-то не так с домом? +Я ваш опекун. +- "Перкин Уорбек. +Бегите отсюда! +Мы не едим свинину. +О нет, никакого программирования. +Мерфи, я умираю. +Тэсс Шумахер. +- Верно, сэр, он этого не делал. +Он ничего не сказал. +Повозка на разгрузочной площадке отвезет тебя на север, к Халцедону, +Что когда-либо снова смогу тебе доверять. +Ладно, почему бы тебе не взять кусочек и просто не попробовать. +— Инструкции получены. +- Спасибо. +Златовласка! +- До свидания, дорогая. +Да, но сейчас канун Рождества. +- Я знал, что что-то такое будет. +- Знаете ли вы, Марокко? +- Колонна прибывает. +Моего друга. +Зачем? +Вот так. +- Где вы были, капитан? +Осторожнее, ступеньки. +Добрый вечер, Джо. +- Джон Энтони. +- Потому что ты не можешь понять это! +- Никак не выходит из головы. +Доброго дня всем вам. +Что заказать? +Лотрек еще слишком молод. +Кушай! +Простите! +Нет, не слышала. +Ц —кажите, кем вы ощущаете себ€ в данной ситуации...чьи утверждени€ вы ощущаете более созвучными? +—егодн€, как и вчера, бесконечно раскачиваетс€, принос€ миру неизменные человеческие страсти, неизменные радости и страдани€. +Что ж, посмотрим. +Нудис, завяжи ему рот! +И там ещё были люди в балахонах. +Аминь. +Такое чисто семейное тихое дело, никаких сигналов. +Нет, нет, почему она включилась, мы не знаем. +- О, нет, нет, я не привык откладывать, я все решаю в одно мгновение. +Не помешаю тебя? +Он меня достал... +Франсуаз. +Вы не собираетесь продавать апельсины, не так ли? +Почему бы вам не прийти завтра? +- Хмм? +Доложим командиру бригады! +- Пусти ее! +Мы вместе под водой воевали! +- Что ставят? +- Медаль у меня уже есть. +- Но почему я не могу сделать так же? +Самое важное. +- этo мeрсo . +Нет, это арфа. +- Бензин кончился. +Постойте. +Итак, завтра утром в 08:05, Лионский вокзал. +- Сейчас получите! +А ты не собираешься проявить ко мне повышенное внимание? +Если бы я это сделал,.. +Пятеро? +Мне не нравится то, что они называют кофе и едой, меня тошнит от их снежно белых зубов. +Компьютер выдает сигналы. +И не узнаю. +Я никогда не слышал его на Кембеле раньше. +- Можешь показать, где я буду спать? +Ты сам знаешь, что сошёл с ума! +- Ушла с Митчеллом. +Открой дверь, милый мальчик. +- Посмотреть. +Майор, это хорошо, что вы так откровенны, но следующую войну я уже обещал своей жене. +Есть новости от батальона Петах? +Но как ты будешь выглядеть в Бруклине? +Я хотел... +Пойми, что это для твоего же блага, Хосе Мария. +Давай заберём их прямо сейчас. +Мария! +- Я только его сопровождающий. +Потому что тебе тоже будет лучше, если больше никто не появится здесь. +Позвольте мы проведем медицинский осмотр. +Нет. +- Хреново. +Мы уже уходим! +Усни навеки, малыш Джим. +Милый, ты хорошо пахнешь. +- Она хорошенькая? +Якоб, поверь, это же не болезнь, носить ребёнка в животе. +Неужели ты не заметил, у портнихи? +Тогда не говори этого. +Куда же ты? +И откуда же у тебя деньги? +Добрый вечер. +- Господин Балла! +Кати, ты спишь? +Его жена ни о чем не догадывалась. +Кто-нибудь что-нибудь нашел? +Это обычная процедура в таких операциях, коммандер +Вызываю боевые станции. +Цитирую: " Весь исследовательский персонал на чужих планетах... обязан проходить медицинское обследование... у медика Звездного Флота с интервалом в один год." +У этого человека нет соли в организме. +Поцелуйте меня! +Как же это произошло? +- Отдай червя. +- Эй! +Благодарю Вас, матушка. +Сестра Сюзанна, встаньте. +В качестве образца зоопарка? +Куда девалась твоя любовь к нему? +- Позвоните на пост номер 2-06\В... +Шерлок Холмс, например, играл на скрипке, +А если покороче? +Шерлок Холмс, например, играл на скрипке, +Нет! +Не хочу чтобы ты видел как я уйду. +Мне надо было понять ваши истинные намерения. +Ригель-12, мистер Фаррелл. +Своей оценке, поверьте мне. +Умный римлянин. +Ах, не беспокойтесь, Доктор, я присмотрю за пареньком. +Он с Кротонами. +Товарищ, Вам конкретно, что нужно? +- Бендер Задунайский. +Да, но дерево сырое. +но я могу тоже пойти, если хотите. +- Похищены часы, бумажник, кольцо. +Ты знаешь, что делать. +Они бесполезны. +Моя рука только что прошла сквозь человека и стол. +Мне очень жаль. +- Я ничего не могу гарантировать. +- Источник, лейтенант? +Простите, мудрый отче, за неготовность признаться в моих постыдных грехах. +пловец я хороший. +До свидания. +Мы приготовили бы что-нибудь поесть... +Я бунтовал против цифр, мой господин. +Победа! +- Нет. +Это смелый шаг туда, куда не ступала нога человека. +- Он ушел докладывать. +Держу пари, что это проклятый Жакоби! +И ты обязана... +Не в твоем духе. +Спасибо, друг! +Что у тебя за игры, Шерлок Холмс? +Допей час... +Хватит флиртовать, у нас есть серьёзная проблема, которую нужно решить. +Место назначения, вашу национальность и полное имя. +Извини. +Похожа на репродукцию Модильяни. +Подлец? +И не гордится? +Ромео. +А пусть-ка попробует со мной поговорить. +Синго! +Давайте развернемся. +5-летняя миссия по исследованию неизвестных миров, поиску новой жизни и неизученных цивилизаций. +Ваше задание - прислушиваться к звуку горна и бежать, как только его услышите! +Конечно, знаю. +-Спасибо. +- Не щупал тебя? +- Уж не подозреваете ли Вы кого-нибудь? +Если вам нужны билеты, вам надо обойти дом и зайти... +Я разрешаю ученикам делать то, что они хотят. +Один и один хотя и два, но это ещё не пара. +Иначе он бы мог быть никому не нужен. +А яка гарна одежда была у них... +Спок, вы живы! +Так скоро увидеть вас вновь! +Немец, стрелять. +Пора! +Не обижайся. +- Что за вопрос! +Я ехал по дороге и не заезжал на ферму. +Теперь, джентльмены, мы знаем, что она преследует нас часами. +Что ж, пойдем вниз, дорогой. +Какая разница, что в нем происходит? +Я слышу, поезд приближается. +А вы можете пойти и открыть дверь. +Он должен бы быть известен шире. +У нее пена шла из пасти? +- Как вы это сделали? +Закройте глаза. +Продюсер ВИНЧЕНЦО ЛАБЕЛЛА +О, тьl говоришь о царстве. +Нет, нет, дай мне договорить. +Это старая шутка Граучо Маркса... что я никогда не хотел бы принадлежать к клубу в членах которого состоит такой как я. +В полночь на 19 километре дороги. +Щупал маленьких девочек? +ћайданов: +- ћожно, ирилл јлексеевич? +я сам отец, у мен€ дочка есть. +С удивительным упорством он пытался восстановить дыхание, игнорируя ее присутствие, имея единственное намерение - выжить. +Новенькая. +Богохульство! +Проклятая ведьма. +Буду ждать Вас утром в 7 в такси. +Я посмотрел на Луи и сказал: +Простите мне, синьор, но кто вы? +Сейчас проверим машину! +У нас тут сумасбродный цирк. +Чушь собачья! +Да, но я хочу, чтобы вы знали, что мне приказали разработать крупномасштабную операцию. +Благодарю. +Я сейчас вернусь. +Вчерашнего или сегодняшнего. +Ну, что, проблема решена? +И я долил воды. +- Ему не нравится. +? +Что это? +- Видели мою шапку? +Это не "свободолюбие"! +3..5..сколько бы не заработал, все приносит домой. +- Кто владелец фирмы? +Сделаю что надо. +Под вас уже копают. +Обвиняемый считал свидетеля преданным активистом. +Много? +Так сказал нам Лех. +Где-то! +Вот досада! +Мы не сможем продолжать путь. +Но где же город? +Почему ты вечно изводишь меня своими снами? +Это же копии с работ Марклунда. +Каковы могут быть намерения Дамиана? +Господин Ричмонд заявил - к чему нам такая армия? +Яполучилзапрос для программы по извлечению руды иполезныхископаемыхсоднаморя. +- Наверное. +Вот разумный человек. +Это я, говорю, олух? +Они - мелкие жулики. +Михайлов, пожалуйста! +ваша и его. +Тогда он сможет проиграть всю запись. +Тебя бы тоже убили а дроиды уже находились бы в лапах Империи. +Ну, я не... +Пошли. +- Привет! +- Спасибо за предложение. +- Бен! +Проверь, и ты узнаешь, все это производится здесь. +За... за что? +Ах. +"Прыгай за моей любовью" +Или лучше дайте мне 50% гонорара +"Шерлок Холмс-не настоящий детектив" +И как всегда, звонит мобильный. +Здравствуйте! +"огда идЄм. +ѕапа. "ы жив. +Не двигайся! +Никак с мыслями не собраться. +Просто... +А тебе и не надо понимать. +Познакомься, это тетя Вера. +Он вчера весь вечер таблетки какие-то глотал. +Да, я тоже. +Ты не можешь бороться с физикой! +И я последний человек, который может критиковать кого-то, связавшегося не с тем человеком. +Ты любовных романов начиталась +Он подарил тебе черепашек? +Ладно, я понял. +Опоры выпущены. +"Я беру на себя командование флотом". +Нехило. +Ха, я дам тебе цитату, с которой можно жить. +- Только не обижайся... +Я бы ее быстро обработал. +Я заказываю чай, обмениваемся банальностями. +Убийство королевы? +Прости. +Хотя бы восстановись. +Да ничего. +предупреждает зрителей о вреде чрезмерного употребления сильно- алкогольных напитков, а также о соблюдении соответствующих законодательных норм, равно как и об ответственности за нарушение общественного порядка на почве злоупотребления алкоголесодержащей продукцией;) +Идем. +Скоро придёт весна. +Кора благословенная! +Только тронь это, кишки пущу. +Прошло четыре года с того дня, на Заверти, Сэм. +И он спасён. +Ты доживёшь до лучших времён. +Тогда я разрешаю такую тактику допроса. +А между тем наши акции падают в цене. +Как свинья. +Тебе нужно как следует это обдумать. +Каждый реагирует по-разному. +[Блин, ну ты и балда.] +Я очень опытен в этих делах, молод и хорошо собой. +Заседание закрыто. +И Ламб из Массачусетского технологического института. +! +Мне что-то не хочется. +Неплохо, Клаус. +Он же наш...? +РАВИ! +Приготовить орудия! +Чтобы поддержать свою репутацию отличника офицерской академии, а также, чтобы сохранить честь Дома Весслер я буду делать все возможное, чтобы как можно скорее получить звание полноправного офицера Анатора. +Ару! +Сильвана взяла курс на Пасть Дракона! +Кроме того, я просто не могу удержать свои руки от моего десертика. +Это слишком опасно. +Порежу на хрен! +Desert Spada +Если они идут сюда из Юбы... +Слушай, твой желудок без дна. +ПИСТОЛЕТ! +Какая разница? +Поспеши! +Нигде больше боль не чувствуете? +Они хотели, чтобы я поделился с ними своими деньгами. +Сани Санта-Клауса! +Спасибо. +- Спокойной ночи, Боб. +Да ради прикола. +Эй, да ладно. +Да, я с удовольствием поучаствую в шоу. +Джордж Майкл наконец-то сумел обуздать свою страсть к Мейби и был счастлив пойти с ней в кино просто как с сестрой. +Здравствуйте. +Я готовлю на двоих, а теперь выясняется, что нас пятеро. +- Спокойной ночи. +Она любит своего жениха, но ей чего-то не хватает. +Хозяйка считает, что раз вы так быстро согласились, она попросила мало. +Мы согласны на новую цену. +- Не знаю... +Шелк, волосы, кусочек кожи, крохотные пальчики. +Спасибо, Нокси. +Мама! +Бывают домохозяйки такие - женщины одинокие... спрашиваю ещё раз... +Неужели... недвусмысленная шутка? +.. +будет не так плохо. +Вот так. +Наверняка. +А? +Ладно. +Ну, я пытаюсь. +Он существенный шаг вперед на пути вашей эволюции. +Что ты имеешь в виду, что это идея Дебры? +Что же на него нашло? +Для этого нужно намного больше усилий, чем ты думаешь. +Ладно, я покажу тебе, как вырезать миску из березы. +Че спрашивать? +я тебя ненавижу. +И рыбы, вроде вас и меня. +Ну что ж, а вот и Крутой риф. +Течение приведет вас прямо к Сиднею. +Я знаю, кого ты имеешь в виду. +Прочти это. +Дори, у тебя получилось! +- Я застрял в Испании. +Просто я должна вернуться к своим детям через пару часов. +Будьте чисты! +Что ответила писательница Барбара Картланд, когда ее спросили во время радиоинтервью: +Как бы Плиний справился с застрявшей в горле хлебной крошкой? +вопросы, которые тебя гложут, муки человека, который понимает, что значит сделать такой выбор: +Я точно возрожу деревню с этой жизнью ,которую защитил кузен Араши. +Все там будем! +Нет, она на занятиях, вернётся попозже +Здравствуйте. +- Да, просто головорез! +Алия! +Салуса Секундус +Мы идем вперед и возвращаемся. +- Ясно. +- Да, я поняла. +Ага, конечно. +- Нет, позвольте мне. +Он нам не угрожает. +мне жаль вам мешать... +потом бросили ребенка... +- Шерил, это полицейская работа. +Очень хорошо. +Фелджер! +Давай, пошли. +Сначала жатва, война после жатвы. +Они чудесные люди. +Вы меня осмотрите или будете ждать пока я умру от переохлаждения? +Ну... нет. +Это жестокий бой у канатов. +Его последняя надежда... +Он – просто душка с этими его глазками... +Сочетание двух крайностей. +Я не сделал ничего, чтобы место с тех пор как я переехала полгода назад. +- Думаю, да. +- Один из террористов которых они хотят освободить из тюрьмы в Пакистане. +Одиночество пытаюсь избежать я вновь +И теперь это я. +А как номер, вид хороший? +- Мы хотели бы задать несколько вопросов. +И папа всегда будет прав, что бы он ни сделал. +А вы пока ступайте переодеваться. +В семь лет я потерял аппетит и вдруг ослабел без всякой причины. +! +Главному инспектору сообщили, что члены семьи Со Чхон Су входили в этот дом. +Похоже, в последнее время у него много дел. +Как буду заглядывать во дворец – стану записывать. +Я даже не представлял, какую боль вы таите в сердце. +Вы что тут делаете? +Можете наказать, только не выгоняйте! +Е-мейлы - это только е-мейлы. +- Куда ты собираешься? +Я не с тобой разговариваю. +Робин! +- Стоянка запрещена! +Сколько можно заработать? +Собираешься помочь? +- Смит! +Давайте скорей, мешкать не стоит. +Вы среди них. +Люди на "Разящем" рискуют. +Всех. +- Связал пару морских черепах. +Как ты спасся с того острова? +Я знаю, мое сердце знает. +Разве это не ты? +Иногда этот день мне снится. +Давайте начинать. +- Да не умею я. +- Я думаю, можно сказать, что мы вновь обрели счастье. +- Да, что-то типа. +До свидания. +- Так нельзя! +В предыдущей серии: +Тебе что, жалко? +Ух ты, ты выглядишь так что я даже есть перестал. +И почем нынче смерты +Вы изволите смеяться над моим недугом. +Извени это я виноват прости... +^_^ +Не трогай. +Это здорово! +Не думай, что уйдёшь от нас живым! +Мы охотники за наградой всегда рискуем жизнью и смертью. +На данный момент все еще отсутствует доктор Харлей Куинн. +- Вы уже пообедали? +Тебе не больно? +Брэндон Хит. +Конрад! +Именно дерьма. +А Сара... +тихо вернуться к машине, ... или подойти к нему. +Начал безрассудно спекулировать и потерпел убыток. +Она была порядочной девочкой. +Доброе утро. +- Я нуждаюсь в вас. +Все они чистые. +Мужик, будет весьма печально... если такой международный предприниматель, как ты... не найдет, куда деть пару лишних мерседесов. +Все решил голос моего секретаря, которая качала вашего малыша. +Гай заплатит за тебя, а ты ему потом вернешь. +Пошел ты на хуй, вороватая греческая пизда. +Рэй, помнишь в парилке, когда ребята пытались дать тебе покурить сигарету, а ты проглотил её? +Это не Йемен! +Тебе не нравится. +Служанка? +Так, цыплячье мяско для всех. +Скорее, двигаем! +Еще меня наводит на подозрение та деталь, которая нужна для изъятия духа. +Ну конечно! +До чего нас довели! +- Просто... +Или птица, возможно. +- Не очень хорошо. +Покрасьте меня в умный цвет. +Невероятно... +-Изменит. +Присоединяйтесь, я сижу вот здесь. +Вот так мы молчали каждое утро по дороге в школу и были счастливы. +Мой издатель, Джон Бослоу, сдал этот дом мне. +Очень мило. +Ты был прав. +Это "джаккузи"? +Там будет посещение консульства и суд. +Я просто подумала... +К сожалению, это зелье на тебя не подействует. +Чувствуешь? +Теперь она замужем +В тот день, покидая Эштон, я наслушался всяческих советов. +Они имели передо мной преимущество - были живыми, . . +Оже! +- Немного. +Так ничего и не скажешь? +- Что? +прямо во время секса, была жестоко убита супружеская пара. +А это профессор Мориарти, +Нет, нет. +Не надо слов. +Нам сейчас выходить, да? +Тебя разбудили на целый век раньше срока. +- Конечно, нет. +Ты всегда копируешь своего друга Юбиуса. +У тебя с этим все в порядке? +А ты ее вымоешь? +Может быть на стоило бы делать это лучше. +Я не могу! +- Ну, что ты решаешь? +- Откуда у тебя столько денег? +Так и есть. +Есть держать прямо! +Все хорошо, жена, не волнуйся. +Саймон Кэллоу, Джим Картер, +О здесь три монеты О, четыре, четыре монеты в одном углу. +Девчонка, про которую я говорил. +This sounds absurd, but I remember a question on one of the tests was: +We had been. +Гладко. +Что ж, большое спасибо. +Навсегда. +- Что? +Ладно, ты не сказал мне, что она чёрная. +Не могли бы вы, пожалуйста, проявить терпение? +Мы не сделали ничего плохого или противозаконного. +Да! +Я пытался. +Что-то, на что я не знал, что был способен. +Я бы тоже не была счастлива. +Ни один не проходит рядом с ним? +Киба, ты слышишь меня? +Уверен, это было здесь. +Давай пойдем вместе... +Хамона. +Не зевай. +Это место, где ты можешь с нежностью вспомнить уже потерянное прошлое Это не место, изменяющее будущее. +Ты хочешь попробовать снова? +Ребенок может расти без родителей. +Не ты. +Я должен был... +Давай же. +- Я наверстаю, увидите. +- Отлично. +Я уже сочинил целый альбом, в который войдет мой хит "Дина". +ЧАРЛИ Давай это обсудим, когда у меня не будет раскалываться голова. +На арабке? +Ортодоксальным иудаизмом. +И я тоже. +Tы же любишь веселиться. +Через час после знакомства я поняла, что он и есть тот самый. +Весь этот переезд для тебя. +А как вас зовут? +Мы не ожидали, что сбегут вообще все заключённые. +"Больница и медицинский центр Сент-Винсент. +Нет. +Эй. +Охуительно. +Он обнаружил,что я сменил фамилию, и приставал с расспросами, всё расспрашивал. +Bьı мoжeтe пoдoждaть в зaлe. +Можешь подъехать на М-60? +В этих штанах ты был прошлой ночью. +В этот раз не будет так больно, потому что сейчас там открыто. +Быстрее! +Для тех, кто сейчас дома, рассказываю, что на Лукасе сегодня черные трусы с традиционным белым верхом. +Он пропал две недели назад... и я не знаю что делать, к кому обратиться за помощью. +Наслаждайся. +Да! +Говорите открыто. +Всех съесть? +Они могли разделаться сразу. +В алхимии это называется принципом равного обмена. +Уверен, что ты видел нечто ужасное. +Ты ведь был в Ишваре и сам всё видел. +Я и правда очень хочу вернуть наши тела назад... +Таких предателей надо убивать. +Нет! +Как глупо. +Потом... +Встревожило что-то странное в воздухе. +Сучка. +"Наверно какой-то жуткий культ ..." +Даже без него на них полно кровы, потому что алмазы, добывают в Африке, на территориях подконтрольных повстанцам... которые заставляют местных добывать алмазы и управляют с помощью устрашения, например таким очаровательным методом, как отрезание рук маленьким детям. +- Что ты имеешь в виду. +Я не знаю, что сказать. +- Что будет... +И я хочу, чтобы все знали, что Майкл Келсо спросил меня, и я защитилась от его чар, и отшила его. +Я хочу быть всегда права. +И ты будешь, после пары лет... они сдаются. +Хорошо? +- Вот тебе и телефонное правило. +В 52 милях к северо-востоку, азимут 0.5. +Да. +Поговори с моей рукой. +-Что? +Я могу-- Я не могу. +ЭЛЕКТРИЧЕСТВО ВКЛЮЧЕНО +- Продержимся ли мы эти 3 минуты? +Нет ничего невозможного. +* Did somebody say make money money Make money money money +Не усложняй себе жизнь, Ченг. +", работа в ћетрополисе мен€ и так преследуют семейные неур€дицы. +Мы заберем их у тебя где-то через 48 секунд. +В исполнении Федора Шаляпина. +Нет нужды говорить, что все продукты на чужих полках - это святое. +Ваша первая лекция оставляет желать лучшего. +Я не вполне уверена, но мне сказали, что он напился пьяным и был найден утром на причале мертвым. +Я этого не понимаю. +Поселенцы. +Идите сюда! +А зачем вы приехали в Юсвелл? +Я не могу... +Я, кстати, не только фея. +- И отправляем. +...каких-то странных предчувствий? +Тигры никогда не рычат перед нападением, что бы ни показывали в фильмах. +В последнее время я задумываюсь, чего на самом деле хочу. +Могу сделать, выбирай из коллекции. +Ты знаешь лучше меня. +Ты все деньги забрал +Передай отцу, пусть поищет в деле с Пунчиком других дураков... +Достаточно, что знаю я. +Менты покопаются в дерьме, и поймут что товар ушел... +Я безумно влюблена в его талант, и честно, если я встречу его лицом к лицу, я скорее всего не смогу взглянуть на него. +Ну и вляпалась я! +- С каких пор? +Вольфрам и Харт удалили тебе сон? +- У меня проблема с Лизой. +- Он не получил повышение. +И когда я вернусь я тебе позвоню. +Извини. +Много лет назад, а рубашка та же. +Потому что я- избранный, ты придурок! +Ты знаешь, сколько их здесь было, когда я их купил? +По жертве пожара ЛИ Джонг-хьюн нет никакой информации +Привет, Ба, это я. +Я знаю, что мама и папа любили ее. +Выходит, все это впустую. +Так что Альфа жаждет его убрать. +Добро пожаловать, чем могу вам помочь? +Мы там побываем. +Мне нужно взять в машине капсулы с ядом и все такое. +Хочу, чтобы ты знал: +Так или иначе, ты смогла бы уйти с уроков сегодня? +Иди! +Не какого-то бандита в бегах, только невинную- +Джулиана здесь нет, Лекс. +-Я что, придумываю это? +Она может быть матерью моих детей... а может и не быть ею. +Пэйси. +Ты думаешь там только два парня, которые чистят весь Принстон? +Я знаю, что мне нечего скрывать. +Но почему ты дал мне продолжать? +Наверху. +Я бы хотела, чтобы ты пришел на похороны. +Мигните светом! +- Вам незачем его знать. +Но иногда, не поверишь, уходит с головой в работу, увлекается и такое творит... +Ничего, так, ничего... +Но спасла тебя девчонка. +почему меня окружают бездари и слабаки нет уже не имеет значения. +- Слухи? +Я рискнул остаться. +Прости. +Ваш муж ничего об этом не знает. +Софи! +Я пришла поговорить с Жульеном. +Нет. +Вот ОН! +Она не нужна мне! +Что я сказал? +- Ральф Уиграм. +У нас должен быть пирог от Фортнума! +Клемми, я работаю день и ночь,.. +Почему вы не скажете об этом ему лично? +Вы же купили билет до Феса, а это Дуар. +- О, чёрт! +Сыр мы соусом зальём +А где Корделия? +Знаменитости, богачи, магнаты. +Спасибо, приятель. +Своего рода холодная война, Сэр. +Он ужасно выглядит. +Я думал, что она вас всё же слегка взволнует. +Да, пожалуйста. +Как высокому человеку, мне претит необходимость наклоняться за почтой. +Правда, хорошо, Дэнни. +Ты не умираешь. +Но надо было идти дальше. +- Да. +Может, я что-то для вас значу? +Ни за что. +- Я могу войти? +Ты первый, чувак! +Что ж. +Няньками нанялись?" +Зарабатывает 50 000 в год. +Пустите! +С молоком, пожалуйста. +- Вот. +У нас есть общепринятые для японцев понятия - как, скажем, вкусная еда, +Ты сможешь это сделать. +Люди, которые прыгают под музыку, как животные? +Вон там. +Нет, я её повезу. +Первоначальная идея что через раскрытие и проявление своей личности родится новая культура, которая бросит вызов власти государства. +Ну, он просто... +- Я вижу больше. +Ќе, не, € могу подкинуть. +Первый коммерческий банк МИнтнера. +- Сейчас это реальная тема. +Чё ты её донимаешь? +Профессор Мориарти. +Шерлок Холмс. +Поздравляем, Шерлок Холмс. +Виктория, это мистер Шерлок Холмс. +Мистер Шерлок Холмс? +"Шерлок Холмс ловит множественного убийцу" +Мистер Шерлок Холмс, доктор Ватсон. +Профессор Мориарти. +Но как я теперь скажу ему, что профессор Мориарти все еще жив? +Профессор Мориарти здесь, внутри. +Профессор Мориарти! +- Центр Управления, приём. +Будь хорошим мальчиком и делай, как велит доктор! +Юшимура! +Тысячу лет? +Всего доброго. +-Поехали. +-Я думаю так: месяца три пошарачу, потом этот... +"Позвоню по этому номеру..." +Время 6:00 часов вечера, 26 Января 2001 год. +И наверное сейчас не лучший момент-- +- Это немного тревожно, понимаешь? +Прошу прощения. +Я хотел бы быть немцем в Германии. +Этот вопрос лучше прояснить раз и навсегда. +Я скоро вернусь! +- Перестань так говорить. +Блондинка-красотка +Нет, я не взволнован. +Отлично, др. Эшленд отлично. +Отлично, спасибо... +Ты не думаешь, что это подозрительно? +Вытащите его! +Нет, я даже не планировал играть. +Он всё прекрасно понял. +Ты достала говорить одно и то же. +- Джону нужен автобус... +- Мик, твой член такой же большой, как у меня? +- Вас нелегко застать на месте. +Горилла, горилла, горилла +Всё образуется. +Прошло 15 лет с тех пор как великая смерть унесла всех, кто вышел из возраста невинности. +Я тебя люблю. +У нас свой специальный способ складывания вещей. +За сколько вы можете собраться? +Кошмар! +"Почти в трехстах футах ниже уровня моря, пещеру охраняет... +Нет, спасибо. +Куда собираешься? +Давай узнаем, чего он хочет. +Знаете, вы можете подать апелляцию. +Что с ним случилось? +И на этом всё. +Но что ты будешь делать? +Очень мудро. +Я приду к тебе, как только смогу. +Не бойся. +Большинство мужчин в подобной ситуации дали бы её повесить и раскачиваться, как во время свинга. +*Это так оправданно! +Дамы, свет выключается. +* +Правда. +- И ничего не говорить. +* +* Они заслужили это, * +Так ты теперь тоже агент? +Нам нужен аванс. +Но после пяти стопок "Jack Daniel's"... +- Уау! +В доме не убрано, и Боб истекает кровью. +У него голова постоянно болит или что? +То, что у меня есть подруга. +Это... +Хорошая игра. +-Виктория? +- Настоящий Шерлок Холмс! +--- Перевод: +С каких это пор обчищать негров и воров считается преступлением? +Американский BR-15. +Я - сенатор. +- Почему же тогда ты не слушаешь меня? +Мы обсудим это позже. +Тогда будь крайне осторожен. +Мастер Эни, вам знакомо это имя? +Уведите его. +- Он был цветным? +Достопочтенные головы судей. +Ну, все, Альберт! +≈й нужна срочна€ инъекци€. +ѕо одной с каждой стороны. +¬се будет хорошо. +Всегда рядом! +Понятия не имею. +Неудачники! +Он к вечеру вернется. +Но собакам лучше на Земле, да? +Мария! +Я вообще не хотел ехать. +Прости меня, хорошо? +Вам нужны 8.000 песет. +Королевский двор, а кто же, черт возьми, по-твоему? +Она всегда на кону. +Лишь мы. +смотри в обморок не упади. +Удиви меня. +Да вы просто орлы! +Меня сейчас вывернет. +Полиция Лос-Анджелеса уже год разыскивает его. +Он схватил мою ногу! +Женщин и детей? +Тогда и я погибну как любой из них! +Хозяин нас предал. +Гэндальф сказал мне что ты один из Детей Реки +Но что он получит кроме резни. +Прости меня. +Бежим! +Говорящие деревья. +О чём же тогда? +Какое-то зло подгоняет этих тварей. +Господин? +Очень удачно, что мы вас нашли. +Они поймают вас. +Но только на короткие дистанции! +Иди за мной, пойдем. +Теперь ты не можешь оступиться +Есть ли другой путь? +Ангелы работают. +- О ком ты говоришь? +- Так же как и ты, Ник. +- Джимми Пейдж. +Я думаю, он не должен так много ныть. +Я думаю, пара в жизни - это глупо. +И так каждый год! +Ну что? +Он такой страшный. +! +потому что беспокоишься о нем? +Избавься от них! +Верно! +Нет, я про ту штуку вверху. +О. Ты увидишься с ним прямо сейчас? +Ты несомненно всё испортил. +Но сначала надо выбраться самому. +Да, если так на это смотреть. +ѕозвони ¬есу, пусть сбросит бумагу на факс в офис. +"абыл отдать вам подарок. +Хэй, хэй! +Я сказал: "Джордж Шапиро.. +- Что такое, Джо? +Заметьте, как я привлекаю к нему внимание, не стараясь привлечь к нему внимание? +- Как вы думаете, сколько времени это займет? +Для вашей безопасности. +С какой стати ей сейчас чувствовать себя в порядке? +Та леди уже устроила все виды ада. +О! +Не смей кусаться. +Зед? +Когда ты только начинал, были люди, которые выдавали себя за королей пляжа? +Пришлось повыкручивать руки чтобы получить сведения о пропавшем файле по Дрэйзену. +Убей! +Послушай меня. +Вам предется меня протолкнуть. +Стойте на месте. +Четыреста фунтов убийственной ярости заперты в клетке. +Не горячись. +А если она не настоящая, значит, все здесь не настоящее. +Сними девчонок, оттрахай их всех. +Этим я обзаведусь сама. +Мой босс поступает так со мной. +- Джейк рассказал, что хочет себе такое же? +Ладно, опусти свою костлявую задницу на стул и смотри, как я научу Джейка как играть в пул! +- Ты хочешь жену - ты получишь жену! +...Помоги Диане, если понадобиться. +Свобода. +Они нуждаются в тебе +Осуждает тебя на небытие. +- Клёво! +Это история горбатого карлика, придворного шута, чью прекрасную дочь изнасиловал злобный герцог. +Все здесь. +Тихо. +- Пива хочешь? +Эй, мы же договорились! +Это никогда не приводит ни к чему хорошему. +Главное, мы живы. +Только не пугайся - я кричу, когда мне хорошо. +Люди Хромой звали. +Внимание всем ученым! +Каждому из вас будет позволено ежедневно выходить в город и приносить 3 килограмма... картофеля, да... и одну буханку хлеба. +Вы не видели моего мужа? +Твоя зарплата. +Я выгляжу сексуально, или очень сексуально? +За меня и Дэ Чжина. +- Почему ты ничего не ешь? +одна ночь в моей комнате стоит больше чем все ее турне. +ƒо того как разыграл теб€. +— Спокойной ночи. +Вот лидер! +- В кого? +-Что ты ей сделал? +я не хочу говорить стоп. скажи нам, мы не станем его хотеть ладно. +Решил сам немного повоевать. +- Государство не имеет права казнить больного человека. +Что ты будешь? +Что случилось? +- Пожалуй? +Про всё это. +Берегите их. +- Ну пожалуйста. +Томас Альварез и Али Джи. +Кален! +- Цветы.... +Случайности нет места. +Это последняя модель. +Чтобы получить гору, подарков от маминым богатеньких друзей. +Не заставляй меня стрелять в тебя. +Ты пишешь историю. +Мне пора. +Я на тебя смотрю +У меня не хватает людей. +Вы в самом деле просите ограничить посещения дневными часами... в присутствии миссис Макналти? +Передайте всем. 11-35. +Дай покажу. +Да. +Совсем нет. +...Я решила. +- Брось немедленно! +Зачем же он устроил этот цирк? +- Слишком рисковано. +- Мне просто нужно... +Всё ещё практикуешься, Клерик. +Ладно. +Ну, как там дела в офисе? +Я не помню, что это было. +Слишком рано ушла. +Я не могу этого допустить. +Много миллионов! +- Годится. +Заткнись! +- Я обожаю голень ягненка, когда она потушена. +-Смешно, да? +Уверен? +- Марти Вульф. +Готов к полёту, Фрэнс? +Не скучай. +Видимо, это означает, что ты с нами не пойдёшь? +Эрин, первый вопрос. +Проверить, не мокрый ли он, не голодный ли, дать срыгнуть. +Простите. +И это только потому, что вы пришли к ним, как представитель только одной нации. +Два месяца назад, другой исследователь Иммунитеха Питер Стофер исчез. +Я был охранником в Иммунитехе. +Да. +Эта женщина здесь. +А я надеюсь, у меня получится. +Потому, что он такой богатый щеголь? +- Вы боролись вместе с Рейнольдс на войне? +Эй, эй, так будет не кошерно. +Это же часть традиции. +Благодари Лану. +Ты сказал, что хотел помочь мне. +Это была больница. +Пресса приняла официальную версию событий. +Я не могу даже вспомнить, как оно было до того, как не болело. +Я физиологически не приспособлен к супружеской верности. +Вы же видели мои работы. +Я сказал букашку? +Теперь ты со мной. +Что? +когда ожидать такие ловушки. +Тогда еще не знали о широте долготе. +Найди путь к той охранной подстанции +Эй! +Не то что бы я пытался сбежать. +- Я... +Вот как. +- Она для меня ничто. +Что ещё ты думаешь что знаешь? +- О господи. +- Смотри! +Это ведь мой дом, так? +Прости, шеф, это я не про тебя говорю. +А с чего это моя проблема? +Просто нужно. +Это не честно +Где моя счастливая ручка? +- Энди Портико. +С ней все гладко не пройдет +знаешь! +Говорят, будто она на другом транспортнике. +Дело житейское! +Я поговорю с ним, хорошо? +То есть, как я понял, они не молодожены. +Сэр. +Так будет лучше. +Это же " Сливки международного криминального мира" . +Я отвечу на все ваши вопросы, но-- +Мы застряли, старик. +Надо идти! +Прикрой меня! +К ветеринару? +Значит, ты наврал мне про успехи в школе. +Зачем ты это сделала? +Как ты можешь говорить это? +Извини, но я не услышал ничего стоящего. +- Дераока Кенжи Цунеки Шинобу +[GPS - глобальная система определения положения] +Так что он не так уж значим. +Шеф, есть новости о сотруднике Министерства Иностранных дел, с которым вы сегодня встречаетесь. +Ты стремишься сделать из своего сына убийцу? +Спасибо. +Ладно. +Надеюсь, увидев меня, вы дадите мне возможность сказать несколько слов. +Заложник заминирован. +Странно... +Извините, это я сказал не вам. +Да, я бывал здесь мальчишкой. +Дура! +Чёрная библия (часть вторая): +Колокольчики, колокольчики... +Он не выглядит хорошим. +Так что вперед - красней, заикайся, покажи ей, какое впечатление она на тебя производит. +Эй, Mэpи! +- Как ты нашел меня? +- Наверное. +Вы должны верить мне. +Ты больной, а всё равно куришь? +Помощник любит точки. +- За судью Брюса. +Мой профессиональный совет, как вашего консультанта – просто дайте ему эту грёбаную награду. +Первый раз за всё это время я... +Помогите нам, пожалуйста. +Возможно я не совсем в курсе... +Ты им сказала? +Потому что я не хочу идти. +Я дохуя бабла заколачиваю, братан. +Супер. +Да я вообще не в курсах, чё за кино. +— Ношение оружия, это ж фигня. +Последнее время я как задрот уёбищный. +"в отчаяньи я живу +Ты следил за мной? +Ну, а теперь вы живете в большом, плохом городе. +Чего ты ждешь? +Я упоминал уже, что меня тянет к зубрилкам? +Они освобождали политзаключенных, играли в Робин Гудов, были обвинены в уничтожении Мантикоры, а копы их не трогали. +Ты правда веришь, что это работает? +Я может никогда ее больше не увижу. +Французский глагол можно сравнить с нашим "иметь". +Может, все мы пришли на 15 минут раньше. +Я должен арестовывать преступников в округе +Не успевал; всё буфера оттягивал. +К чёрту этот разговор. +И, конечно, ключи от машины надо вернуть. +Прочь с поля. +Я всё равно могу... +Тренируюсь! +Узумаки Наруто находится в наших руках. +НАРУТО (127-128) Перевод: +Ты тогда тоже смеялся. +Постэффекты проявляются... +Соперники! +Но этот бой- Лишь только жизни половина! +Стооой! +Это поддержит меня. +Иначе... нас ждет... смерть! +Это же... +И по-русски? +Кретин! +Ты же... +Впервые я вижу Гаару таким ослабевшим. +- Не надо! +Желые карточки! +Бог создал людей по собственному подобию. +Полин! +- Ты совершенно ничего не понимаешь. +Не двигайся, дорогой, не двигайся. +С медицинской бригадой. +Ударь меня! +Малыш, покажи, сколько у тебя? +Все это - часть нового плана. +! +Дядя Скотт. +Привет. +Давай поедим сначала, потом и поговорим +За сделаную работу. +его уже невохможно вернуть. +Нет! +Странно. +Дотронься до обложки! +Нет, погоди. +Я не знал, что мусульмане пьют. +Жена моя, дочь твоя! +Тише, тише. +Вашингтон от нас далековато. +Одно дело, когда ты слышишь голос. +- Алекс привёз багаж во внедорожнике, а Софи привезла маму с папой на Бимере. +Доброе утро. +- Возможно. +- Нет, без сахара. +В самолёте он сел рядом со мной, и мы разговорились. +Смотри, чтобы не сбежал! +Итак? +Меня не заботит, что он префект +- Здравствуйте, Луиза. +И ближе. +Хорошо, сюда. +Я вас очень прошу, я только прибыл, я не виноват, пожалуйста! +Человек этот представился майором ФСБ. +Если через три часа его не будет у памятника Ленину, я должен звонить в английское посольство в Москве. +Звонила Bаша мама. +Это мне? +Самонадеянный. +Ладно, детки, выпейте свой риталин и успокойтесь. +- O, она смущена +Снежный король повелевает! +! +"фраппе латте", или как там это всё называется. +Даже не бескокойся об этом, принцесса. +Он никогда не произойдет. +-В них нет ничего человеческого. +Это правило. +Пускай он дергается. +-Жена и ребенок засветились, с ними один сопровождающий. +-Думай. +С кем хочет работать: +Давай повесим? +- Да, конечно. +А чё это мне цветы не дарят. +- У нас в России по традиции следующий тост нужно выпивать за родителей. +- Не... +Вот смотри, вот давай синюю. +Ничего. +Моё... +- Ищейка трупов? +Старински! +Макнесс! +Его жена говорит, что он всё ещё здесь. +Ещё один звук, и ты пожалеешь о том, что вообще родился. +Этот вечер очень даже может стать вашим последним в замке. +Как долго его делать? +Ты не понял. +Это он. +Но не волнуйтесь. +Он лишь воспоминание. +Так вот кто твой хозяин. +Но я об этом не хочу распространяться. +Давайте все кидаться книжками в Миртл - они же пролетят насквозь. +Теперь можно паниковать? +Mой м-момeнт? +И это тоже. +Почeму ты отделaлcя только шрaмoм a Лорд Bольдеморт лишилcя cвоей cилы? +Что случилось? +На занятия ученики ходят в сопровождении преподавателя. +Слушай, нам нужно у тебя кое-что спросить. +Жрaли в общeм зaле пирожные? +-Этого не было в конктракте... +Заходи. +Добби? +Хорошо, слушайте. +Довольно серьезно. +Стреляй, пока он не понял, что я говорю. +Да никто этого и не говорит. +-Да, мы друзья. +Обручальное кольцо! +Вы его поймали. +-Ты меня не убьешь? +Найдите "Особое Мнение". +Маркс! +Выпей, пока я не опрокинула его тебе на колени. +Стойте. +-Как же ты заставишь...? +Андертон, подожди! +Видишь человека с шариками? +Я его даже не знаю. +-Ну, давай. +- Бог тебе Судия. +- Отношения — это полная жопа. +Ничего. +Эта очаровательная женщина - твоя жена? +- Это признак депрессии? +Мой талисман. +Если всё это оставит после себя только неприятные воспоминания, тогда перестань. +Что значит, "к нам поступил"? +Какая публика! +Этого хватит для завершения моего дела. +Ладно. +АО "Сердитые кадры" +- Ну, полагаю, он был слишком занят похищением ребенка... +Ага, попробую объяснить это на примере с телефоном +Привет, Мистер Дойл. +Он не выходит на улицу. +-Мне нужна подружка? +Она прекрасна. +Почему? +я бы хотел сделать тебе предложение. +Мы можем не дожить. +Это любимые цветы Виктории. +Да я в самой ванне. +Что вы здесь делаете? +ѕерестань! +ќн видел стекл€нную дверь, проход€ мимо. +Я остановлю тебя, если мы что-то забыли. +Майкл прятался в машине когда я вчера вечером уезжал. +Нарушение! +Ложитесь! +- Ты тянул нас в это, а не она! +- Заткнись или я стреляю! +Клара, что происходит? +- Что это? +Я Беверли, а это Шон. +Я хочу, чтобы ты держал рот на замке. +Посмотрим, ладно? +Давай, пристрели сукина сына! +- Фред, это фантастика. +Клянусь. +ладно. +И они уже должны быть здесь. +Ну, может это и так. +Грецкий орех. +Покажите удостоверение личности? +Уверен, тебе известен ответ. +Гарри. +- Я понимаю, что, дав ей пистолет.. +- Ни записки, ни мотива для самоубийства. +- Господи, должно быть, это.. разочаровывает. +- Я - друг. +и всегда его так произносил +И я так отчаялся достучаться до него, что сделал то, чем не горжусь. +Раньше никогда не видел такого, как ты. +Не сомневаюсь, что правление МЕТ оценит это по достоинству. +– Симпатичные? +Финч, не позорь себя. +Я просто гулял. +Я думаю ты собираешься оставаться дома по крайней мере месяц или может быть шесть недель. +Ты не хочешь даже попытаться и заставить это работать? +Поворотники моргают. +А для меня с ложью... покончено. +То, что они делают с тофу, шокирует. +А я никогда не уйду от тебя. +Почему они со мной это сделали? +Думаю, что судья Джаллиано ещё должен вам ордер. +мои родители хотят, чтобы ты ушла ему не позволено больше видиться с тобой так что, чтобы ни было между вами... все кончено +Он только что ушёл. +Сколько можно об этом говорить? +Я встречаюсь с вашей дочерью. +Учитель Теннодзи! +Точно! +Ты работаешь по ночам? +Не хочу выводить его из себя без причины. +Они смеются над чудом жизни. +Пожалуйста, взгляните. +Ты заплатишь мне за каждую собаку. (араб.) +Ах вот ты как? +Всем-всем, до свиданья. +И я очень сильно тебя люблю. +Не надо этого взгляда. +- Пардон, я с вами говорю? +Что еще? +- А здесь иного всего... +Кто вы? +- Захлопнись. +что это? +Не хочешь для меня сделать что-нибудь? +Он поехал на встречу с Йенсом? +Мм, что скажешь? +Мы все время ее дразним. +В этом нет никаких шуток, и мне жаль, если я заставила тебя почувствовать себя именно так. +Он знает и отомстит! +Эй, эй. +Что ты сказала? +Когда надоест. +Ты с ума сошёл? +Значит, он рассказал ему о том, что видел? +Всё равно благодаря тебе. +Ты как инопланетянин. +Вы... +Пожалуйста, не беспокойтесь. +Не ешь? +Все готовы? +В кого? +Очнулась... +Появились некоторые проблемы что вам просто нужно воспользоваться моим именем... +Отец. +Честно говоря +тебе некуда бежать +- "Детская преступность"? +Номера тоже совпадают. +Мне нужно, чтобы ты начал со второго куплета +На шее? +И факт в том, что я по глазам твоим вижу, ты только и думаешь о том, чтобы запрыгнуть в тот грузовик и рвануть. +Марко! +- Ты ведь сама сказала, что расстались. +Ладно. +Какой наркоторговец будет спрашивать у копа время когда несет кейс заполненный травой? +Пятый этаж исследования, шестой охрана. +Нет, думаю, обойдусь. +Нет, я просто сижу тут весь день и несу чепуху. +Мы знаем, что ты проник в кабинет Гамильтона. +Я делаю это для нас. +Я никуда с тобой не пойду, Тим. +Конечно заботит, Мам. +Видишь где-нибудь мои сигареты? +- Как скоро? +Может, он себе слух повредил? +И римляне пробились через фаланги... с короткими клинками... +Он сумасшедший выпускайте Кракена! +! +Мне уже пора собираться. +- Да. +Как дела, доктор Метцер? +Мы не вместе. +Ух. +Не знаю как на вас, парни, но это место пугает меня до одури. +Ждите! +Итак, у нас не будет столика в модном ресторане, что сведет Глорию с ума. +Моро? +И задыхалась от собственной крови. +Джонни Блэйз! +Вообще-то, она сказала, я цитирую +Мы собираемся поместить Бэлли в компьютер. +Но один из советников Министерства нефти сможет встретиться. +Но я считаю, что мы продали один и тот же участок обоим покупателям по слишком высокой цене. +- Я не умерла. +Сюда! +Что ж, у меня нет вопросов. +Шерлок Холмс? +Я возьму камеру. +She said somebody had betrayed her. +Я же говорил тебе, что выиграю. +Откуда ты это знаешь? +Эй, следи за языком, ребенок! +Ты всех нас подставил, кретин. +Что ты делаешь? +Если мы это сделаем, то не сможем пересечь реку по пути назад. +- Трус! +Отец гниет в темнице. +Мой отец сделал бы всё, чтобы обеспечить нашу переправу. +Вы не приказываете мне, кхалиси. +Поэтому я и переезжаю к Рикки. +Двa мecяцa нaзaд м-p Хoкни yrнaл npoeзжaвший no Кyинcy rpyзoвик c paзoбpaнным opyжиeм. +Это очень важно. +Да, должно быть из-за полнолуния все обострилось. +Все что я знаю, это то, что я как взведенная бомба и что если я не сделаю что-то так, как хочу я, я клянусь, я взорвусь! +Подождите и увидите. +Напою тебя любовью моей попки." +"Давай же, почувствуй ритм, не стой на месте. +Раджат, так и будет, если между нами ничего нет. +Смотри в камеру. +Нет, я спрашиваю с тобой все в порядке? +- Я был занят. +Посмотри, останешься ли ты и дальше заинтересован в ней. +Привет! +Туда где есть солнце? +- Хорошо, у нас есть несколько вариантов. +- Хватит! +Мы можем лишиться лицензии! +Это потрясающе, Эрнесто! +А здесь всё по-прежнему. +- Какого чёрта ты смеёшься? +Ничего не случилось. +йНЦДЮ ЛШ ОНДМЪКХЯЭ МЮ ОНЯКЕДМХИ ЩРЮФ +оНРНЛС ВРН ЛЮЛЮ ЛМЕ ЦНБНПХКЮ, ВРН МЕАНЯЙПЕА СУНДХР РСДЮ, ЦДЕ ФХБСР ЮМЦЕКШ. +нРЙСДЮ ДСЛЮЕЬЭ, ВРН ХДЕР? +ю ЕЫЕ ЙНЕ-ВРН. +лНФЕР РШ ЯДЕКЮК АНЛАС сХКЯНМ ПЮГ РЮЙ РНПНОХЬЭЯЪ ЯН ЯБЮДЭАНИ. +Извини. +Да, это так. +Куш, должен сказать.. +Люди. +А твой братец та еще зануда! +! +Устала я. +Известие о приговоре принца тебе принес я. +Ты подходишь. +В мою постель. +Ты думаешь, что он будет спать в какой-то звуконепроницаемой камере, положив голову под гильотину? +Ты такая утонченная, а она просто выскочка. +Просто... +Я злилась на лучшую подругу, а тебе всё спустила с рук, хотя ты виноват не меньше неё. +Его семья сообщила о его пропаже. +Милый. +Да это просто вздор. +- Какой дедушка? +Я убил этого оленя. +Думаю вы сделали правильный выбор. +Знаю. +Они пострадали? +Ты права на счет каблуков и высоты. +Геем. +Я знаю, каким концом бить. +- Вайла. +- Вайла. +- Да. +Черт. +- Может у него есть письма ко мне. +Да. +Могу я увидеть письмо, сир Барристан? +Ты вообще представляешь, насколько нелепо звучишь? +Я скучаю по девушкам. +Пытается сбежать? +Не беспокойся. +Завтра 4-ое. +Он мне ничего не сказал. +Вон Так какое-то время, вероятно, будет отсутствовать. +что ты можешь пострадать, как Вон Так хён. +Думаю, у него скрытые мотивы. +Знала и о ней. +Надо связаться с тем, кому я доверяю. +- Два дня не будем есть рыбу. +- Я знаю, что вы друзья. +Лиза цела и невредима рядом со своей матерью. +Это я +551ые сиги +Let's us get together and chat private. +А как придурок себя вела ты. +Вы хотите, чтобы мы подготовили тело сразу для панихиды? +Это игнорирование проблемы. +Да, хороший и правильный Преподобный Мэйфеер. +Я постоянно говорю Иану, чтобы он перебирался сюда и работал со мной. +Я тебя не знаю. +Миленько. +- Hичего я не вышел. +Прекрасно. +Сработало. +Коннор, я агент Ван Пелт. +Он не может умереть. +Говорю же, я не могу! +Она может сделать вагину похожей на пару больших пальцев шведских младенцев. +Куда вы? +Кортни, что я сделал необычного в последнее время? +- Да. +Билл? +Дейл. +Возможно ничего. +Ладно. +Полегче там, Шерлок Холмс. +Так, первая? +Ну, а что вы скажете, если мы все закажем ланч и пойдем к бассейну? +Я думаю, это не наше дело, Нолан. +Все так изысканно. +Информация о Бене и показания под присягой +Я знаю как оно работает. +По условиям Вы не должны останавливаться... +Сай! +Саске не мог вступить в Акацуки! +О, Боже! +Я не подпишу того, что не явялется правдой. +А как же мисс Свайр? +А я считаю, что люди раскаиваются в честности не так часто, как во лжи. +А я считаю, что люди раскаиваются в честности не так часто, как во лжи. +И не смей его обменивать на школьный, ясно? +Он разогревается. +Это 10 звонков в секунду, каждый день. +Ты гляди, всего одна ночь, и он уже знаменит. +Оч. смешно. +Хватит. +Мне кажется, ты не понимаешь, сколько всего я для тебя делаю. +Сэр. +- Давай. +- Прости. +Ты, ты... конечно. +- Нет, знаешь, что? +От него все равно правды не добьешься. +Я уверен - ты знаешь где она. +- Почему вы не арестуете его? +Готово. +Спасибо, мисс Эдисон. +Каждый чистить плесень рад. +Недолго осталось. +По плану мы должны были вместе его остановить. +Агенты Данн и Картер. +Богдан! +Кутраппали. +Преступления прошлого 1 часть +- Только если что? +Это британская керамика, а он сюда мелочь складывает. +Выпьем! +Даже не пытайся с ним справиться и, чтобы не случилось, не садись к нему в машину. +Перекрыть вход и двоих на крышу. +Точнее, тачка компании. +Чёрт. +А я думала, у вас денег нет. +- Люцифер. +- Возможно. +Джованни, проходи. +Но зачем? +Но чтобы заманить не вас, а ваших друзей - американцев. +Или ты можешь уйти, объяснив это тем, что заглянул в будущее и увидел, +Я не люблю врать". +- И? +Которое есть одним из официальных событий которое уже забили.. +Парни? +Правда? +- До свидания. +На другой ты их стираешь, и остаются две тройки. +Она подстрелила полицейского. +- Давай покормим этого животного... +Приветствую, сэр. +Моя жена из Джексона +Еще нет. +Надо завязать тебе глаза. +- Кто вы? +Хочу пошалить с парнем из бара. +Вот, одеколон. +Ты решился на это в присутствии детей? +-"88. +И что теперь будет? +Я заботился о нём. +Джо..., Джо Уильямсом. +Побить его, что ли... +Снова? +яОЮЯХАН ГЮ ГБНМНЙ... яМНБЮ ФЕМЫХМЮ? +мН ОНГФЕ МХЙЮЙХУ ГЮОХЯЕИ МЕ НАМЮПСФЕМН. +мЮЬ╦К ВРН? +.. +Я так счастлива. +Хорошо. +Хорошо. +Мы сейчас сравниваем ДНК крови подозреваемого с пресс-конференции, с той кровью, которую он оставил вчера. +Господин... у нас не будет сдачи. +Но мы не опустимся на дно снова. +Есть ли шанс, э включить "Вчерашнего Гаса" +Я-я не... я не... +- Все, идите сюда. +Мотор. +Он живет в аду и единственное, что ему нужно - это наказать себя, потому он считает, что грех не должен вознаграждаться. +-Так, что же заставило этого Томаса Крауна вломится на базу Пенделтон? +И? +Что было, то было. +Такие преданные родители. +Вообще-то, я сейчас сокращаю его потребление. +И то, что я бываю здесь уже не так часто, вовсе не значит, что я про тебя забыла. +Это? +Он будет в порядке. +- Сделай мне кофе, я уже иду. +Итак, Бастьян... +Ты в курсе, что ты чокнутый? +Какой длинный язык... его не остановить. +Вот сколько ты стоишь в мире искусства. +Я даже дpугу этoгo делать не буду. +И его зовут кариес! +Я же говорила, что детям будет интересно узнать, насколько сантиметров они подросли с прошлогоднего медосмотра +Ну, мы ехали не по автостраде. +Она была схвачена племенем Явапаи и удерживалась в плену, и позже была продана племени Мохаве. +Я пришёл домой и здесь никого не было. +Тогда, я считаю опрос оконченным. +С ее-то характером то еще представление получилось. +- Давай поговорим. +Я пойду к нему. +Почему спрашиваете? +Вот почему стала заниматься ею. +Спроси сама. +Я больше так не могу. +- Нет. +Всё нормально, Роберт, правда. +И меня тоже! +Полициянесколькочасовдопрашиваласотрудниковотеля ипостояльцев. +Вот эта сволочь. +Да, только цыплята убежали. +Немного бы перекусить. +Вы печете лучший яблочный пирог во всем Миссисипи. +Здравствуйте, отец Куинн! +Это телефонный номер. +Я знаю. +Ремень безопасности. +Я была такой глупой. +Мне нужно выпить. +- Хорошо, это библиотека. +-Не ... не ущипни меня. +Да я же разбогатею! +Тем сильней тебя все жалеют. +Ещё один хренов облом. +Я мечтала об этом годами. +Ты думаешь это смешно? +Все вы футболисты забиваете как Зомби во время первого тайм-аута. +И к тому же я уже уладил все формальности. +Я говорил с Винчем по поводу денег. +Мне нужно было знать что для нее важно. +Пол МакГиган (Шерлок Холмс - 2010 (ТВ), Счастливое число Слевина - 2006) +Я чувствую у вас тягу к сердечной хирургии, или это просто похоть? +Честно говоря, я не представляю вас как пару. +- Да, мы с Троем друзья. +Непредумышленное убийство, милая. +Я спрятал вас у себя. +Давайте, садитесь. +- Нет, все целы. +Сиди, малец. +Скажи девчонкам, что мы на рыбалке. +Ты в порядке? +Ты... +Я посмотрела на этот логотип... +Это также хорошо быть с тобой... только с тобой. +Собираешься. +Больше похоже на то, что он боится. +Так, что ещё я могу рассказать о себе, чтобы понравиться тебе. +"Артефакт отсутствует" +Не надо, нельзя уничтожать столько артефактов сразу. +- Сейчас. +Они лучшие в лиге за последний месяц с 17 победами и 4 поражениями. +Ты можешь ждать очень долго +Есть что-то сладкое в том, что ты один +- А где мне ещё это делать, в унитазе? +Tьı сказал до трех, мать твою. +- Понимаю. +Увидимся? +Давайте, проверьте. +Ошибка заведующих реквизитом. +Чёрт. +Он американец. +А ласково как? +Надо оттащить его подальше, малышка. +Спросите его. +XauRan, Chydesny, KachAn, Barnickl, antiglo, tess_m, mus777 +Теперь я могу попробовать новый усилитель. +Они не задались с самого начала, и я достаточно зрелая, чтобы признать, что это моя вина. +Майка. +Повезло, что только целовались. +что это такое? +Алло! +Мне нужно идти. +Не волнуйся. +Да. +Скэнлона? +Он здесь! +На меня напали. +Они должны объявить об этом всем. +- Как Шерлок Холмс. +Доверься мне на этот раз, пожалуйста. +Но теперь я не знаю +Мне нужна ледяная стружка и бальзам для губ. +Похоже, вам надо многое прояснить. +Эта фишка с возвращением на родину угнетает меня, Лавон. +Твоё здоровье гораздо важнее футбола. +Я дал клятву, Мерлин. +Давай музыку! +Джонни с ней встречался. +Она уже на лестнице, быстрее. +- А ну-ка включи! +Ee звaли Элиc Уиллc. +Ты не беспокойся, мы договоримся. +Дэнни, с Грейс и Рейчел все в порядке? +Я не буду делать предупредительный выстрел. +Я наберу тебе, когда будет безопасно, хорошо? +Так. +- После прочтения "Паутины Шарлотты" Уайта. +Забей. +Что ты разглядываешь? +Нет, ты не посмеешь. +Похоже, они взяли процесс в свои руки. +Скажи мне то, что я хочу знать. +Хьюстон, на связи База Спокойствия. "Орёл" сел. +- Убери его отсюда! +Я могу за неё поручиться. +Режь, режь, режь! +Да, точно, неожиданно. +У нас такие вещи под запретом. +- Привет, мой ангел. +- Ты не посмеешь. +Здорово, мы всё это провернули, правда? +Интересный поворот... +Почему ты запретил съёмку? +На север уехал. +- Воды? +- Какому же? +Подбросьте меня до города. +И беседы с морализаторствующими незнакомцами не заставляют людей менять свое поведение. +Мы должны определить общую среду воздействия. +Да. +Я такими не занимаюсь. +Я ценю это. +Спасибо за все, что ты делаешь. +Сейчас самое время для насилия на почве страсти. +Что они с тобой сделали? +Не волнуйся. +О, я, скорее всего, просто прижался к стене. +Не думаю, что большое количество "так" похоже на ответ, Шон. +- Обещаю. +Эм... +В ловушке. +- Ух, спасибо. +Когда ты остановил меня на лестнице. +Ради бога! +Асю... +Алле. +Это - нашествие! +- Здесь Ваш пингвин. +Здорово, да? +Ты что, отправил их в клетку? +- Надо забрать пингвинов. +Мисс! +Нет! +Вообще-то я не знаю как вы вообще прожили вместе так долго. +Хорошо. +Сколько? +как я могу всё сейчас бросить! +- Уберите всё здесь. +Где сейчас Ким До Хён? +Кто такая Ли Чжун Ён? +это ублюдок Ким До Хён. +что вы беспокоитесь обо мне. +Я полна решимости порвать отношения с Джеймсом. я тоже помогу тебе... спастись. +Ничего такого. +Глобальное потепление это круто. +Тогда мы просто будем иногда отключаться от повествования. +Хоть я и жалкий трус? +Открывай дроссель, Ханна. +Мотор! +Отойди от ножа. +Я был в Shadow Elite, меня поймали и пытали противники. +- Что? +Нет, не все. +All right, we're gonna get you to a hospital. +Откуда вообще люди друг друга знают? +И купила тебе Шайнер Бок и чипсы, и не смогла устоять: +Париж, Италия, Дания. +Я, как Шерлок Холмс. +Я как Шерлок Холмс. +Спокойной ночи. +И всегда найдётся выход! +Покажи мне! +Генерал, Вивиан знает нас всех в лицо. +Ну, нам пора идти. +Думал что ты пройдешь этот путь вместе со мной. +Это просто грязь. +Итак, Каплан из Вестьанк Кэпитал. +- Есть какие-нить проблемы? +О чем ты? +Да ничего. +Такой, с которым встречаются перед свадьбой. +В нём не так тесно... +Пейте, если хочется, но без таблеток, хорошо? +А-2, приступайте. +Это совершенно нормальная реакция. +Разве ты не хочешь, чтобы Кейт извинилась за то, что заставила твоего отца забыть про твою маму? +— Кто я по-вашему? +Я бы хотел осмотреть раны Малены. +Привет, мамуля. +Тогда проверьте на отпечатки пальцев. +Что это за ловушка? +Я даже попросил её дать мне немного пространства. +Ты понимаешь, что произойдет? +Ай, проклятье! +Что? +Он получает твои приказы. +Верни его. +Знаешь, я начинаю думать, что ты намеренно пытаешься держать меня подальше от моих шахмат. +Что, если мы позволим ему найти нас? +Так пусть узнает. +Ты же знал, что эти рабы дерьмо, ещё до отъезда. +Да у нее 17 миль пробега. +Ладно, есть еще план Б. +- Как дела? +Детектив Мэнсфилд. +Что должен сделать парень, чтобы стать номером один? +Просто небольшой перепад давления. +Застукал ее и того парня. +А можно, она тебе смс-ку пришлет? +Между мной и Дэнни Мы просто с ним слишком давно знакомы. +Ай! +Это сокращенно от Баклен. +Ладно. +Ну, девлинг-это Одна моя подруга, мы с ней вместе жили в общежитии +Ничего хорошего. +Я просто... +- Два с половиной года в Нью-Йорке, а до этого в Лондоне. +Он не мог не выпить еще одну бутылку. +Надеюсь никто не против начать с Элис? +Тогда нам не о чем беспокоиться +Я здесь из-за Лорен. +И не отвечала на телефонные звонки. +Я продолжу готовиться к моему сольному выступлению на виолончели. +Я чувствую то же самое, понимаешь, по поводу первого причастия дочери твоих друзей. +Мы закатим отпадную пивную вечеринку и перевернём вверх дном всё в округе! +Давай повторим... +Далия,. подожди. +Если кто из вас помогать. +- Что ты там придумал? +Всё отлично. +-Вы сказали, Льюис? +Немного суетливый, но но, в целом, ничего. +Да, точно. +Только что позвонила. +Когда ты засыпаешь... +Быть занятой целый день и по-хорошему уставать к вечеру. +- И вы не боитесь сжечь за собой мосты? +— Давайте немного погуляем перед ужином? +— Мы будем очень рады. +Дуглас! +Гретхен, мне нужно еще мармеладу. +И не забудь преклонить колени. +Ага, хочешь поговорить о темных делишках? +Вы идите. +Как насчёт заглянуть в одну из тысяч Лос-Анджельских лавок легальной марихуаны? +Вообще-то я хотела поговорить с тобой о Габи +Смотрите-смотрите... +Да. +КЕЙН: +Там! +Спасибо. +- Привет, простите... +Я бы предложил вам выпить, но давайте просто предположим, что мы опрокинули по одной. +Я знаю что ты беспокоишься из-за денег. +Мистер Провенсано, вы напишите мне письмо с благодарностью, что продал вам такое потрясающую машину. +Она по вызову. +- С кем? +Он сказал всем в баре сидеть спокойно, так что не надейся на помощь. +Он оставил за собой след из трупов по всему побережью. +Очень страшный. +Молодец +Вот еще одна история из тысячи +Это жуткий факт. +Откройте, пожалуйста. +Прямо за дверью - офис Карла +Тут нет знаков. +В этом случае - ничего. +Джейн. +Подростки, знаешь ли. +Да, да, да, да. +Мой аппарат требует предельно точной калибровки. +Фьюpи, Hикoлac Дж. +Ладно, такой реакции я не ожидала. +Адски хочу кофе. +Что ж, мои соболезнования по поводу двойников. +- Нафиг. +Возвращаются воспоминания о старых добрых кровавых денёчках. +Я только начал кое с кем встречаться. +Поймал убийцу на месте преступления. +На стол положи, пожалуйста. +- Если вы его не остановите, какие шансы у этих ребятишек? +Понятия не имею, что все это значит. +Оставаться в Стокгольме слишком опасно. +То есть, делай, что хочешь. +- Да, я достал и спрятал, когда он ушёл. +Я ещё не успела тогда родиться. +Ох, не думаю что буду завтракать. +Да, точно Серьезно? +Давай! +Ноуп, ради бога, возьми себя в руки. +О боже. +Жисанна Гупта, прошу. +Как я проигнорировал это? +Нет, мама, меня только что облапали! +Как можно было быть таким дураком? +Эй, Анка, расслабься, всё будет хорошо. +Похоже кое-кто покинул вечеринку в самый разгар веселья. +Это же традиция! +Где телефон? +Я спас его. +В вашем положении, это, к сожалению, невозможно, прямо сейчас. +Да, да, ок. +Вещи отца. +Думаю, я только что сделал это. +Леонард, это надолго? +Ага, точно. +Корзина щенков. +Это мне следует говорить спасибо +*Я - сверкающая звезда.* +*Может быть сегодня...* +Конечно, ты ведь его хорошо знаешь? +Ты сегодня был хорош. +Конечно же оно не может. +Я сам возьму. +Что с твоим лицом? +Увидимся, дедуля. +- Факлер? +Ну, ты должен знать, кого-то из благородных семей, услугами которой мы можем воспользоваться. +Война сделала всех такими подозрительными. +- Дай мне ключи! +Это того стоит? +Почему нет? +Настоящий потоп, друзья мои! +Если есть какая-либо неисправность, он включается автоматически. +Она могла принимать таблетки без вашего ведома? +И тебе не хочется её шантажировать? +Я имею ввиду, Голливуд должен сделать ебанный фильм об этом. +Прости, что не перезвонила, была загружена делами. +Я починил дверь. +Один, два, три, четыре, пять быстрых ударов в нижней части брюшной полости... +Так пусть же они всегда насаждаются этим вкусом. +Он все еще ничего не сказал? +- Я не спал с ним. +0)}рюсэй blacknight намида томаранай дзутто фудзёри на коно сэкай о урандэита{} дэгути мо най коно мэйкю кара нигэдаситэкутэ{} дзию о мотомэтэта +Поняла и всё. +Долбаный сестрофил! +Ну, я в нем не сплю. +Спасибо, мисс Кокс. +Спасибо. +Мы с подружкой сели на карусель. +Мне кажется, ты не справишься. +Другого выхода нет. +Найди Ривер Сонг. +Прости за вчерашнее... +Это жестокий город. +Лиза, я должен поговорить с тобой. +Но чувствую себя великолепно! +Поистине рождественская подделка. +Да ладно тебе, Габи. +Слушай, ты сделала много чего плохого, Квинн, но если ты расскажешь всем про Пака и Шелби, ты разрушишь жизнь этой малютке, и тогда ты будешь действительно несчастна. +Увидимся на сцене. +Меня, как современную девушку, не должна волновать такая мелочь, как развод, но я от всего этого чувствую себя отвратительно, а она не хочет понять. +Мой отец лишился фермы. +Я не знал, что ваш отпуск был так богат событиями. +Уорнер Торп. +Ага +Джеймс Кромуэлл +Я принимал таблетки от давления. +Я Ричард Хадбэк. +Ёто особый пирог мисс 'илли. +ѕошли, мама. +Волпе, вы проверяли звонки? +Да, вот мы здесь. +Почему бы тебе не взять кого-нибудь с собой для разнообразия? +Джейсон, он такой. +Мне только нужно оплатить нестрахуемый минимум. +Знаешь, иногда ты недооцениваешь мою полезность. +Особенно Стерлингу, если он узнает, что у меня рак, это его просто убьёт. +Две пары, флеш-дро, пара вальтов. +Здесь слишком красивая природа. +- Ладно. +Я хочу собой с тобой сегодня, прямо сейчас. +- Вообще-то нет. +Я думаю... +Наблюдалась депрессия, раздражительность, и всё, какие были обстоятельства неизвестно. +Оставьте меня в покое! +Сделаем это! +- Нет! +Ладно, Рейвен, бери пальто. +На меня она подействует? +- Даже через тайный канал? +Обалдеть. +Прости. +Мы сами найдем их. +У меня другие планы. +Не в этом случае. +Они вроде нормальные... но они не настоящие. +Это не ты, Ханна. +Я так и думала. +Красота. +Но компьютерные вирусы действуют только на компьютеры. +Мы ничего не можем сделать. +Дочка, я ничего не понимаю. +- Карлос, подожди снаружи, милый. +Недавняя задумка моей матери. +ќтдай мне пистолет. +Нет, просто разговаривали. +Мы в курсе всех Ваших махинаций с торговлей информацией и нелегальными доходами. +- Комедиант. +Таканабе в хорошем настроении. +И всегда таким будешь +Но если бы доктор Ким остался на родине, они бы использовали его талант лишь для создания оружия массового уничтожения. +О, пассажирский. +Кортикостероиды и иммуноглобулин внутривенно. +Впрочем +Кто-нибудь поможет с машиной? +Нам нужно вернуть Кэролайн. +Я не собираюсь делать этого. +Мы просто позовем Ворона. +Эй, ты! +Этим и нужно воспользоваться в полной мере. +да. +Неужели труп не может пить что-нибудь другое? +Ты измарал нашу еду! +- Веттию! +Это моя ошибка, уважение к твоему отцу остановило меня. +Думаете, я действительно отторгаю печень? +Если я не ошибаюсь, мы на вечеринке, посвящённой твоей помолвке. +Пожалуйста... +Я должна была знать, что ты всё бросишь. +Она как... президент фан-клуба. +Ничего страшного. +И Су умер 5 лет назад. которые трудно объяснить. просто потому что Сон И Су нравилось его есть. что любишь есть шпинат. +Похоже для тебя это важно. +Я постараюсь прийти до 23.00. +Я выберу. +- Прекрати? +За два года... девушка, что свела вместе любимого с подругой, чувствовала себя отлично. +Вот она! +Мне любопытно. +Я бандитка? +Samjogo Subbing Squad Перевод: +Я больше не могла жить с ней. +Я так развлекаю себя, как корректировщик. +49 дней - это не так уж и много. +Собираешься приходить каждый день? +Неплохо, да? +Я действительно могу умереть. +Но мне надо ждать у дома Кан Мин Хо, пока он не вернётся. +Так говорите, Пак Чжон Ын, ушла за секунду до моего прихода? +- Что? +Хорошо, что оставили торт и подарки тут. +Мой термос попал к И Гён через тебя. +Да не волнуйся. +Хотите что-то заказать? +Ты же... уже магистр... +Доставать ее было весело. +Ты так переживала. +Считай в обратном порядке от 100. +Виденье, Маргарет, верно оно или ложно, мы потеряли связь со страной. +Вот твоя сумка. +Здесь само пространство режиссирует +Что думаешь? +Кефри, Аризона, где все живут без забот. +Да, не двигаюсь. +Ну давай-давай. +Да, все в порядке. +Нет, я не хотела тебя расстраивать. +Я думала о тебе. +Со мной Бог знает что могло произойти! +Выжить в шторм тоже было невозможно, но мы здесь. +Кроме того, мы оба знаем, что ей необходимо Блаженство Анны, иначе ужасная боль вернётся. +- Потому что я это делала. +Недавно в Сингапуре проходил незаконный аукцион. +Мотор! +Но что-то не похоже. +Я? +Почему же пьёшь в одиночестве? +Естественно, я должен всячески помогать ей. +Надеюсь. +Через окно? +Пожалуйста, господа, просто позвольте мне делать свою работу. +Я оставил их на столе, а он съел их. +Прощу прощение, сэр, не подскажете, где дворец? +На самом деле,я считаю,что большинство хулиганов просто хотят быть услышанными. +Нужно сделать КТ, чтобы понять, где источник кровотечения. +Он обращался к врачу, ему сделали рентген грудной клетки, снимки уже готовы, так что сейчас мы должны взять согласие на бронхоскопию, чтобы исключить рак. +Можешь поехать с ними. +Правда? +Я полагаю, с точки зрения творчества, некоторые персонажи заслуживают смерти. +Где Валиев? +Давай, девочка, вывози нас отсюда! +И, благодаря финансовой поддержке моего великолепного сына, у меня частный заповедник для горилл в Темекуле. +Он... +Не совсем. +Ваш начальник, Бен Эштон, настоящий отец Вашего ребенка? +О,занимаюсь анкетами, которые кстати я просил сдать еще вчера. +Не волнуйся, Касл. +Нет. +Героин - вот тебе возможности. +Хочу только сказать как же приятно быть вновь на привычном месте +Вот там. +- О чём ты говоришь? +Почему бы вам не прийти в участок завтра и не дать показания? +Что? +- Не знаю, может быть. +Ты сама себе покупаешь спиртное? +Ты поняла? +"Мне нужно поплакать!" +А чем Свити Белл занята? +Шерлок Холмс: +Меня зовут Шерлок Холмс. +В свою защиту скажу, я всё точно рассчитал. +Но как всегда мой друг Шерлок Холмс придерживался абсолютно иной точки зрения. +Меня зовут Шерлок Холмс. +- ШЕРЛОК ХОЛМС - +- Лишь великий Шерлок Холмс... +Толщина листа предназначена для печатного станка. +Дело в том, что мы фактически не знаем, что там затевается. +- Шерлок Холмс. +Шерлок Холмс: +ШЕРЛОК ХОЛМС: +Судя по этому, профессор Мориарти. +ПРОФЕССОР МОРИАРТИ +ШЕРЛОК ХОЛМС: +ПРОФЕССОР МОРИАРТИ +А что? +Вы уверены, что больше ничего не хотите сказать? +что все люди похожи на него. +Мы подадим в суд на производителя краски, выиграем дело и нам заплатят неплохую сумму. +Ничего страшного. +И Хикстон оказался мертвым. +Ну, конечно, разумное решение можно выработать путем переговоров... +Блииин! +Время узнать свою... +Возможно, я не встречу другого такого, как Уолтон. +Ого. +Так что будь супер милым, хорошо? +Заткнись, пожалуйста, заткнись. +Семь. +Он много говорил о вас, если вас это утешит. +Мы можем встретиться? +Я не знаю. +Вы знаете о видео? +- Клодин? +- Рыбка? +- Конечно, нет. +Да, мистер Броуди. +Ты разрушила мое исследование, испортила мою карьеру, разрушила карьеру Ричарда и чуть не угробила свою. +Как будто бы то, что ты сделаешь или скажешь, или чего не скажешь, навсегда их изменит. +Ты же не хочешь опоздать на работу. +Нет, мы с мужем оба хотим девочку. +- Энни. +И теперь, я никогда не увижу его снова, и я никогда не смогу сказать ему. +Вальтер, давайте не будем так спешить. +Высоки.Да. +Если я съедаю больше 350 нагетсов в день, то раздуваюсь, как воздушный шарик. +Роберт в задней комнате. +Мы сдружились, пока лежали в больнице. +Как же так вышло? +Быстрее, а то автобус уйдёт! +Не считайте это работой. +Не знаю, может не стоило говорить, что поработаю только над этим проектом. +Проникающая колотая рана между третьим и четвертым ребром. +- Я тоже занималась танцами. +Нет, прекрати, ты должен рассказать мне что случилось. +- Итак, он обошел Вас в делах торговых и теперь вы вот так его поимели. +Пожалуй, и правда стоит написать большую статью о Короле Воров. +Мы изучаем возможные связи. +Ладно, всего хорошего. +- Всё было хорошо. +О, Ричард, дорогой. +У нас тут жилищное предложение сегодня: +Чтобы замять дело, компания-миллиардер нам предложила каких-то 24 тысячи. +Спасибо. +что мама умерла! +Вы знаете что? +Для кого? +И я был заблудшим. +Немного доверия, Лисбон. +Терпение, терпение, терпение. +Иди погуляй с Илаем, только не вздумай опять смотаться. +Я бьюсь чисто. +Твои способности проявились +! +Что? +Я пыталась сделать какие-то воспоминания! +Какая потеря. +Ты действительно любишь свое дело, да? +Ни за что. +- Спасибо. +Они вылечили тебя? +Эй, эй, эй... +Бенджамин остался на вашей яхте вчера ночью? +Микробы могут убить щенков. +- Твоя мама приедет? +Это наш. +Не знаю, что у вас за проблемы, но вы мне очень мешаете. +Как ты меня удержишь? +Господи, совсем позабыл про особые манеры для Папы. +И вот тогда клешнями его, Френсис. +- Эй! +А? +Это не важно. +А ты, я гляжу, заматерел, сучий потрох. +Это кровь, что ли? +Мне лампа нужна для занятий. +— Вы спасли меня. +Как нормально вести себя по отношению к людям. +Как всегда? +Это плохие парни, или массажный салон? +Картер! +Нам нужно ехать. +-Всё уже решено. +Мён Чжин дрался с Чжан Мён Пе и напоролся на ржавый гвоздь. +Я сейчас тут с ума уже сойду! +все они погибли. +что я терпеть не могу математику. есть ли какая-нибудь информация о Ян Щи Чоле и других детях. +Поэтому я и хочу снять этот фильм. +Нашли его? +и закругляйся с этим делом. +Детишки! мы усилили меры безопасности. +Это наше первое свидание. +- Кое-что случилось. +Но она не додумалась сесть за руль. +Он говорил что-то про "паучье чутье" и "трепещет". +Ты сказал, что Одинокий Мститель стоит на страже добра. +- Хорошо. +И увидев, как тяжело живется Эшли, вам будет проще понять. +Я не уберусь. +Это слово много значит для некоторых людей. +Лиам, ты никогда не посмотришь на меня, как раньше. +Это то, чего ты боишься, Шарин? +Ну, я хочу говорить про это вслух... +Ребята! +Я должна объяснить – я никогда не отвечала на такие викторины. +Знаете что? +Нет, Кев... знаете что... +Очевидно, между мной и Финном накаляются страсти. +Финн, взгяни на меня. +Ага. +Как заботливо. +Тебе лучше быть настороже, потому что я не покину город пока не получу то, что заслужил. +hlxr_sylcolor! +hlxr_sylcolor! +hlxr_sylcolor! +\frx180\alphaHFF)}a +)}P +\3c! +\1c! +hlxr_sylcolor! +\1c! +)}k +250)}h 250)}o +\fscx100\fscy100)\t(\3cH1EBFBFCE)}ai +поэтому... как твой отец. +\3cH64161616\bord2.5\be0)}n +hlxr_sylcolor! +250)}d 250)}r +\alphaH00\frx0)}k +\3cH64161616\bord2.5\be0)}e +hlxr_sylcolor! +)}u +\frx180\alphaHFF)}u +И мне жаль. +Она будет огромной, как дом. +- Пол, отъебись! +Допускаю, некоторые отдельные события, показанные в фильме... может, Брюс Уиллис действительно был для них привидением. +Значит, рано или поздно он начнёт сильно, знаешь ли, раздражаться. +Вы муж Арлетти Маркс? +Центральный комиссариат? +Я позвоню тебе позже. +Послушай, Калеб, ты правда не должен был делать это. +Не кричи так, я ничего не понимаю. +Что? +Давайте увидим сколько видов наши видео полученный. +Нет, l было не. +За преступность. +Я сам вызвался. +Классно! +- Крекеры-рыбки не на столько всесильны. +Папа, послушай же меня! +Да. +Уверен, те девчонки из ролика про копру теперь ведут шоу знакомств где-нибудь на VH1. +Думаю, они так поступили из-за нашего хамства. +Встать! +Господи, да о чём ты? +Кажется, у тебя небольшая истерика. +Эти два - восьмерки, коренные, а эти два - двадцать девятые, передние премоляры. +Я собирался начать учебу... +Если ты когда-нибудь соврешь о Барб снова, +Браво. +- Отлично. +Двое свидетелей в один день, по тому же делу. +- Да уж. +Сердце колотится, когда человек влюблён. +Три розы уже отданы. +Черт! +Прости обмними ее, ладно? +Мне просто нужно время. +Прошло только три дня после твоего возвращения. +Я друг Роя Монтгомери. +Вы же знаете, крэк... он... +Я пошлю его за тобой. +- Чего ты добиваешься сообщая эту сумашедшую историю моей дочери? +Что? +Объедение. +Спасибо. +Оставляют записи. +Если тебе кто-то нравится, тебе нужно привести его сюда поскорее и познакомиться. +Как две девушки. +- С возвращением. +Ты опоздаешь! +Томми, давай, пошли. +Я голоден. +Смотри. +"Лишней еды"? +- Верно. +Это календарь чирлидинга. +Ты не должна заболеть. +- Моя дочь не больна! +Ну... +(ВЗДЫХАЕТ) Ладно, мы хорошие. +Удачи. +Беги. +Что? +Один раз на миллион, что... +И будь осторожна +Кто сказал тебе это? +Да вы шутите! +Да. +О, Боже. +Она стоит больше денег, земли, лошадей или коров. +Огнестрельная рана, ...[исп.] +Слышал, рукобот? +Их "милосердие" убьет тебя. +Лицом к лицу? +Стабильно замкнуто на Эми. +Я немного не так сказал. +Только не так! +Что случилось? +- Нет, для моего друга. +Что ты здесь делаешь? +Что вы хотите? +К тому же, могу предположить, что бразильская мафия будет в миллион раз сексуальнее. +Мы её защитим. +Вы же знаете, что такие вопросы банки задают своим клиентам. +Пойдем, надо на это взглянуть. +Никто не должен знать об этом. +Это же круто! +- Я не хотел отставать от вас. +Ты же хочешь, чтобы я бабло забрал? +! +Это было бы здорово. +Даже не пробовал ее отговорить. +Вылезай через окно! +Мистер Счастлив Неебаться! +По утрам, когда его ножки дергались, я давал ему пять минут чтобы закончить... +.. +Если ты выйдешь на гонку с головой, забитой всяким мусором, если послушаю что-то типа Rage Against The Machine, у меня будет неправильный настрой! +А потом окажется, что я должен полмиллиона баксов, да? +Но сейчас мне понадобится ваша помощь, чтобы всё преодолеть. +Спасибо. +Пришел дверь починить. +Я оказал вам услугу. +Ей нравится Милтон. +Ого. +4 часа? +Не нужно, дайте мне немного медицинского спирта и я обработаю сам. +Думаешь, я не знаю кто ты такой? +"Дестини."[destiny - судьба (англ.)] +Почему они в моей машине? +- Только убедись, что никто вас не видит, хорошо? +Шерлок Холмс объявился. +В 3D все выглядит лучше! +И пишешь справа налево. +Черт,Френки.Я знал,что просить моего брата было плохой идеей. +Мы не курим. +Ой! +- Может... +- Она была в секте. +"Хочешь изменить мир, сам стань переменой". +Райли. +Это и есть биопсия? +Да, к сожалению, это не единственное, что мне нужно. +- В сторонку. +И это твоя благодарность? +Он играет за "Пэйсерс". +Я не заметила. +- Просто сделай, как я говорю. +Учитель! +- У тебя есть шанс +что ты - гордость старшей школы "Мидо +Простите, сэр. +Когда вы знаете, что вы умрете насильственной смертью, когда для вас это единственный способ умереть... то остается только дождаться окончания шторма... если ожидание не убьет вас раньше. +Ты думаешь, что можешь себя контролировать? +рЮЙ ВРН, БЯЕ ГЮЛЕВЮРЕКЭМН, МН Ъ АШ ОНЯНБЕРНБЮК РЕАЕ БШАПЮРЭ РНЦН, +My associates just found sale-weight heroin in his room. +Простите, простите, но я не верю, что все это ради книги. +Поздравляю. +Какого...? +Спит. +Ага. +У них один из самых мощных телескопов в Японии. +Таканабе-сан! +А... мы тут затеяли тест на храбрость. +Пойду в свой личный кабинет. +Оливия Касл? +Нас! +Ладно. +Его желание исполнилось. +Рестлинговая маска производит верное впечатление, но посмотрите, во что он одет - +Извини. +Ётот студент или студенты, €вный дегенерат, украл деньги, предназначенные беспомощным животным. +Держи. +Я вижу, дорогая. +Меня тошнит от тебя. +Ну все. +Ключ к тому чтобы заставить что-то выглядеть опасным это иметь полный контроль над результатом. +Он хочет, чтобы мы так думали. +После свадьбы? +Ты можешь купить нам выпивку, если хочешь. +Просто... +Слева все еще есть опухоль. +Спасибо за старания, доктор Шепард, но... +Эйприл, жду тебя в операционной. +Мы сможем узнать все, что нам нужно +- Поняли что? +Пол МакГиган (Шерлок Холмс - 2010 (ТВ), Счастливое число Слевина - 2006) +Просто разбей его. +* +Это не смешное имя! +Итак, первый поворот, выходит широко. +Хорошо. +В действительности, секрет долгого лазания на высоком уровне, повторюсь - это страсть. +Конни, подожди, подожди. +Эти деньги надо где-то отмыть. +Нужно чтобы большинство оторвались от нас. +Понимаю, что обедом вину не загладишь... +Не нравится? +Да, пока. +Или с клёцками? +Где ты? +А я могу здесь переночевать? +Зачем она хочет меня видеть? +- Им будет нормально снаружи. +На моём месте любой бы так поступил. +Слушай, меня не волнуют все детали из твоего прошлого, и надеюсь - тебе не интересны мои. +Детки, это правда. +! +Рекомендую подготовительное отделение. +А? +Я хочу, чтобы ты пообещал мне, больше никакого лазанья. +- Уже? +Поэтому он король. +Сколько тебе лет, мальчик? +Ты не можешь отказаться от жизни! +Ты имеешь полное право злиться. +Мне действительно лучше уйти. +Где я? +Я не счастливый турист. +Вот почему, она не знает. +Я и Хаус можем потерять лицензии. +Ну ты и мудак. +Они все повзрослели и кажутся такими... удовлетворенными. +Это все? +Нет, он взрослый ребенок. +Да. +Плати наличными. +Нет. +Умерла в 6:17 этого утра на Роял Олдэм. +Это не такой друг. +- Есть другой телефон. +А сегодня пятница. +Нет, послушай, послушай, спокойно. +- Можно я его принесу? +Иначе нельзя, раз мы оба собираемся работать. +Ладно, мистер Эрик. +Слава богу. +Но зачем? +Не хотела навязываться... +С твоим двигателем! +А познакомились за три месяца до этого. +Молодец, Хаус. +Зачем ты повесил мою фотографию, а не свою? +На форумах все говорят, что это так вкусно. +Ванесса была моим пациентом. +Это означает что в ванне аллигатор. +- Ты весь такой серьезный. +Мацушима Мисако +! +Понятно. +Я знаю, что последнее, что ты хочешь услышать - это мое мнение. +С таких как я немного покодовала над мамой и папой. +Теперь детей отдают только семейным парам. +Ну, возможно, этот вопрос тебе стоит задать Рикки. +Рей вернулся. +Значит, тебе лучше быть с человеком, чем со своими! +Голубчик. +И этот выбор я сделал этим. +Да. +Я поначалу сомневался, и вот вы совершили невозможное ! +- Александра ? +Ты умеешь выживать, не правда ли, Женева? +Это ЦРУ. +Пройдемте со мной, Джон. +А то, что его фамилия означает "вор" - просто совпадение. +Что-нибудь еще? +И все остальное. +Нет, мы должны найти его и убедиться, что этого не произойдет. +Он также был одним из главных осведомителей по торговле оружием в Южной Америке, пока его не бросили за решетку за организацию антиправительственных демонстраций два месяца назад. +О, мы знаем, что я за человек. +- Секретарь Ким не отвечает. +Понятно? +Дьявол! +Если не будешь осторожной, он не отвяжется. +Президент, поздравляем! +Отвратительно. +За английские субтитры благодарим With S2 +Тётя, у меня просьба к вам. +Я приеду с мороженым. +У нас много одеял. +Сын Чхоль! +- Ён Гю, Ён Гю, держи. +Это словно кабарга, пьющая росу. +У вас есть секрет от меня? +Нет. +- Но я уже закончила. +Я куплю вам ужин завтра. +Я приношу вам доход? +Здо-о-орово! +Ты высасываешь факты из пальца. +О чем мы говорили? +- Кто это? +- Это тоже был Син Хён Тхэ. +Эй, я слышал ты получил должность. +В Голливуде. +Думаю, лучше бы я жил в учреждении для реабилитации бывших заключенных +Я благодарен, что она предупредила меня. +(tv playing indistinctly) +На настоящую работу на должность консультанта по финансовым вопросам в лидирующую компанию. +Хочет ко всему быть готова, правда, любимая. +Нужно уйти отсюда. +Мы в опасности? +Ага. +Я не хочу, чтобы наши отношения прекратились. +Я ценю это. +Здесь идеальный порядок. +Шерлок Холмс говорил: +Мы делаем свою работу. +- И? +Так, попытайся еще раз, +Выпечку можете +Парень был одет также, но коротышка. +Хотя, может и не до самой. +По крайней мере, у тебя есть реальный шанс. +- Солиситор или клиент? +- Вы проверили зеркала? +Я сделала что-то не так? +Но в отделе розыска пропавших сказали, что занятия в тот день отменили. +Оно приходит с опытом или... +Разбивает ей голову об пол. +С ним все будет хорошо? +А чтоб тебя! +Чёрт возьми! +Остальные уже поели. +Сати, ты? +О. +- Где Лидия Холли? +и ЛеВар Бертон с телевидения. +Ну, я не очень хочу идти на вечеринку. +Оно показывает достаточно твоей груди, чтобы привлечь нового парня или голодного младенца. +М-м, нет. +Не бойтесь. +Лежачих круто избивать? +- В смысле, долго всё будет продолжаться? +У тебя что, дома ножницы сломаны, сынок? +- Привет. +Если так, его повесят. +Но самозванец с кораблём. +Я отчаянно её защищал, но, несмотря на все мои старания, она пошла ко дну. +Найти его! +Что вы за адвокат такой, Джина? +Ебучий случай, Чарли! +Но мы же знаем, что в этой фирме мы не высмеиваем ошибки наших коллег. +- Потому что, когда ты первый раз сдавала ты упустила один существенный нюанс. +Да, я зашел к госпоже Калани. +Не беги. +Почему ты спросила? +(музыка) +Да. +- Дин? +И ты думаешь, что Мать чего бы там ни было замешана в этом +Локоть очень болит. +Ария, не надо. +Остановись! +- Убирайтесь отсюда или я достану оружие. +Вентресс! +Продолжайте искать. +Пойдем со мной. +Всё на месте? +- И каковы они были? +- В наручники их. +Ли Син! +Ты знаешь сколько сейчас времени? +Я был там. +У меня совсем немного одежды. я хочу быть классным ты слышал? +Ли Син? +Надеюсь, не репортёры? +Мы всё равно будем видеться из-за представления. +От ходьбы всё прошло. +А, да нет. +Послушай, Ли Ён Су. +Не о политике или кредитах для малого бизнеса или заговоре в Гугле, ладно? +Все видели, он первым начал? +Она и её стремления были для тебя букашкой на пути? +А ты... местный Шерлок Холмс что ли? +{\i1\cH8AC0EF} п║п╨п╟п╥п╟п╩п╟ п╬п╫п╟ п╪п╫п╣. +п╜я┌п╬ я┤я┌п╬? +Это маринованное яйцо? +Ну, а почему вы думаете, что да? +Успокойся. +- Что? +Ферзь убьёт их. +Хорошо +Но доктор Бриланд обещал мне повышение. +Давай. +А астрономы заглядывали всё дальше и дальше в тёмное ночное небо, в глубину времени и пространства. +Дэвид... +Алло? +Я сказал что это плохо кончится. +Бургеры. +А с кем же ты работал? +Бегите! +Вошли трое парней, убили владельца, связали работающую там девушку. +Ты жив благодаря тому, что молод и здоров. +? +Вечеринка еще и не начиналась. +На сегодня это всё. +Кто? +Яростно. +Если уж очутился в постели с уродиной, закрой глаза, и приступай к делу. +Возможно увидишь, любимый. +Лидер оппозиции в Палате +Мира уезжает завтра, да? +Нет, все не так. +- Спасибо им. +- Привет. +Нет, мы полагаем, что в то время им пользовался тот, кому он мог доверять - его помощница, Франсин Трент. +Решено. +Уникальный шторм продолжается. +Там только две зебры. +Привет, Бастер. +Вот что дало импульс. +Я просто интересуюсь, не беспокоит ли вас что-нибудь здесь? +- Уже забыла? +На мобильный телефон, зарегистрированный на его имя. +- Нет. +Надеюсь. +Полиция. +В этом случае, нас обоих не уволят. +Джон с тобой не все в порядке. +Но ежели ограничить полномочия Совета, не стесним ли мы тем самым и царскую власть? +Слушаюсь, Ваше Величество. +А ну отвечай, причастна ли ко всему этому государыня? +Я ничего не стану делать. +Вообще-то, они тщательно подходят к своей работе. +Как ваши близкие друзья описали бы вас человеку, который вас не знает? +Этого я не знаю. +Понимаете, Я-я сделал запись в блоге, и я отправил другу, в Чикаго. +Почему не Нельсон Мандела? +Вся эта... архитектура. +Вы не видите, что вы разрушаете сами себя? +Да. +Жирный кот. +Входите. +- А ей всего три года! +Прости. +Если хочешь жить, позаботься о моей дочери +Может кто-то вывести меня из этой дыры? +Готовы? +Это может оказаться ловушкой. +Первое место, в котором я работал, в Йошино, было знаменитым рестораном. +Пока ты закончишь, настанет 20-я годовщина. +Я живу в доме номер 154 по бульвару Перер в 17-ом округе. +- Папа? +Я буду тих как мышка. +— Он не будет тебя облизывать. +Немного разболтало. +Посмотрите на него. +Карта в дереве. +Но я слышала, это ужасно. +Ты бы сразу сказал "нет". +Заходи. +Ещё одна девушка. +У вас когда-нибудь было венерическое заболевание? +Ты соблазнительна, когда злишься. +Здесь, в Бриджтауне, полиция распространила вчера это фото. +Все, что она должна сделать - это оттрахать его. +Ты все ещё думаешь, что я сумасшедший? +дю, в╗пр! +Мы прослушали каждый его телефонный звонок за прошедшую неделю. +Ага, "работает она." +Да. +Он несет портфель в левой руке. +- Отрицательно. +Мне холодно, мокро и страшно. +Если тывне хочешь привязываться, мы не будем брать большой поп-корн. +Ну знаешь. +Что ты делаешь? +Он работает руками. +Из-за вас, я убил невинного человека. +- Так что вы выберите кого-то подходящего. +Имеешь в виду Джека? +Как быстро она сможет быть здесь? +Это мой бизнес. +- Статиста, которого вы пытались убить? +Привет, Гордон. +Вот они. +Замороженную мочу? +Есть термин, которым называют пирамиду с плоской вершиной. +Ну а как ты можешь согласиться c чем то, чего ты не читал? +- Доступ к информации ограничен. +Это не просто отклонение от протокола, это потеря всякого контроля. +привет, киски привет +Нет, меня там не было. +Ей повезло, что о ней заботится мать. +Не придется. +- Нет. +И вы разыскали старого напарника вашего брата, Рикки Данна, потому что знали, что Джон не стал бы помогать вам. +Куда? +То же самое нам говорят все остальные. +А ты пока постарайся принять мои искренние извинения. +Кудзё вставай! +Чувствуешь себя хорошо, не так ли? +Ты прав. +Джули, вы помните, я показывала вам фотографию молодой женщины? +-Что он здесь делает? +Нет, нет. +- Зачем? +Всё нормально. +А я тебя сейчас вытащу из-за стойки и засуну в такси. +И я предлагаю приступить к работе. +Заткнись! +Значит, он передаёт какое-то поле, которое сводит на нет первоначальное, поэтому Анджело мог умереть? +- Нет, нет, послушайте... +Спасибо. +- Хмм. +Кто готов немного подрыгаться в джакузи? +Ну не прелесть ли? +Затем убейте всех. +Там нет поста. +Липиды тела перемешались с упаковочным материалам и преобразовались в тканях в жировосковой гель. +Ну, блестящее эссе "Теории коммуникации с другими видами или какого это иметь близнеца" +Просто каждые выходные мы ездим на свадьбы, и на каждой вагон и тележка твоих бывших. +Нам нужно ее согласие, чтобы хотя бы рассматривать ее как кондидата. +Все что я сказал раньше... о твоих глазах? +Мы уезжаем завтра утром. +И нам тоже следовало это предвидеть. +Я надеюсь, ты получишь необходимую тебе помощь. +Здесь, действительно, БМВ Хаммонда, а где же твой Мерседес? +Простите, Фрэнк. +Причинённые покупателям. +К сожалению, мы так никогда и не узнаем. +И что мне за это будет? +И понадобится всего полчаса. +Хм, похоже, кому-то придётся выйти на холод и купить нам ещё кетчупа. +Можешь мне сказать, что всё будет путём? +Я тебе скажу. +Я не затягиваю? +Эта шальная штучка любовь. +На шею! +Уверены? +Он спрашивает разрешение. +Всё уладиться. +Но мне уже намного лучше и я хочу поздравить вас с помолвкой. +Похоже ее здесь нет +Потому что можешь много есть и не толстеть. +- Вы хотите, чтобы я примирилась с Богом? +И мы с вами не можем им это показать. +Иди побудь с отцом. +Забыл положить сахар, но все равно вкусно. +Если бы это был мой выбор, я бы хотел быть с тобой вечно. +У обвинения мертвое дело. +Он внутри тебя. +- Хорошо. +Нет, не можем. +это верно. +Они убьют мою дочь. +Там, в Англии, вы задирались? +Как видите, я установил орудие и возможность преступления. +Дружище. +- Все молодцы. +Шучу. +Это от 10 до 20 лет, легко. +Подключаю к камерам запись. +надо было держать её поближе! +Привет, я Бриттани С. Пирс, и я ваш следующий президентом старшего класса. +Я проводил уроки, пытаясь попасть под ее юбку. +Эй, эй, эй, эй. +Что? +Язык, на самом деле, очень похож на коктейль, не правда ли? +И там вы делаете всё на английском? +Знаешь что? +Послушай, Лори только пришла поплавать в бассейне. +Жалящие стрелы Шакала. +что он жив? +На колени. +Может, ты видела ее. +Это флаг... идеальный указатель ветра. +Ты не возражаешь если я кое-что ей скажу? +- Я не могу показать. +Угу, я люблю читать. +Напяливай платье, и ни за что не снимай. +Скажи нам, где Тэмми, Сай, и все. +- Как бесчеловечно. +И все здесь довольны. +-О! +Поужинаем, потанцуем. +Одна, одна - это не так, у тебя есть я. +Как дела? +Я не понимаю, почему она так расстроена. +Небольшое напоминание. +Он воспринимает вас скорее не как босса, а как делового партнёра. +Объяснишь по дороге. +Что происходит? +Давайте сделаем это. +Лиминанконг - родной дом 80-и рыбаков па-алинг, с которыми отправилась съёмочная группа. +Ролевая игра. +А теперь хватка-- Позволь я посмотрю. +Бери. +Валирийская сталь. +Я думаю да. +Следуйте за мной, леди Старк. +Валирийская сталь. +Я имею ввиду, что его насторожило? +Да, я слышала. +Почему тебе так надо задеть...его...чувства? +У меня машинное отделение на рогах. +Нолан изучал артефакт. +это ваш "развод", да? +Мы всё время были друзьями, и поэтому я сделаю для тебя исключение. +Зайбацу не единственные, кто следит за школой Мишима. +-. +-Подгоняй машину. +- Ты - мой любимый котик, да! +Доброй ночи, Эдриан. +Заметила, что даже жизнь по их правилам, прямота, культ воздержания, +Так... +Критическое. +- Конечно, человек. +Что? +255 00:11:56,573 -- 00:11:57,890 Теперь то я с тобой. +Я просто хочу кого-то, кто полюбит меня за то, какая я есть. +Pleasure, gentlemen. +Он страдает от многочисленных зависимостей. +Я попросил бы маркиза де Вильена не подвергать сомнениям ничью верность королю. +- Вскоре вы сможете отвезти его в Аревало. +Ты уверен? +Вот как надо тупить! +Я уезжаю в пятницу. +Давайте проверим, подходят ли отпечатки к обуви жертвы. +Регулярно посещал собрания Анонимных алкоголиков... +Прости, сладкая. +Вот это меня и беспокоит, что вы стали так важны для него. +А Тринадцатая? +Хуже плохого хирурга может быть только испуганный хирург. +У всех нас они были! +Почему вообще все думают, что я расстроен из-за Роуз? +Оох. +может, я не знаю. +Конечно. +Мне без разницы. +Ага, прекрасный был завтрак. +Там +Например, взять отпечатки пальцев или провести тест ДНК? +Мэтт! +- Я думаю, вам лучше пойти домой, сэр. +В зале, мы будем пользоваться прозвищами. +О, это отвратительно! +Он не подписался в таблице посетителей. +Всегда так происходит, когда она замаскирована +Уровень кислорода падает. +Он руководит больницей, он дал мне список специалистов. +Она так улыбалась. +Он был магистром во всех этих вопросах? +Секундочку, это ж критика. +И Вы встретите одну из них. +Мне надо переодеться. +И всё. +Мы отсюда... до сюда... два года в пути. +Натали умная. +Сара Уолкер. +Хорошо, хорошо. +Вглядитесь поглубже. +- Ты идиот! +Кардинал Делла Ровере направляется к нему, пока мы тут болтаем. +Эй, вы не можете держать в секрете. +Я иду так далеко, я могу не быть в состоянии остановиться. +Мне очень жаль. +- И девчонка. +- Я вовсе не такая. +Это спокойное место, рядом очень хорошие школы, и государственные, и частные. +Может, пойдём выпьем кофе? +Спасибо. +Смогу побыть с тобой подольше. +- До встречи. +Выбери что-то одно. +Кто-нибудь вернулся в дом? +Рад слышать это. +- Ну, может, и заставлю. +Хорошо +Возьми бензин. +Спасибо. +И это, сэр, очень хорошие часы. +Он сам. +Совсем нет. +Я обещаю. +Что это? +Клаудия...! +- Вперёд, чемпион! +Что ж, отлично, по рукам. +Полагаю, он со своей бандой делает грязную работу для них. +- Митч Тернер? +Разряд. +Её холодный, пустой взгляд. +— Нет, конечно. +Какую систему мы используем? +Плюс это показывает нашей команде протирщиков что я их поддержу если клиент будет слишком груб по отношению к ним. +Боже. +И ты сказал, что не произвел на тебя впечатление крупного босса, и что где-то должен быть человек выше него, так? +Мы доставим вас в больницу. +Мой сын скрывался несколько недель и пытался уйти. +Похоже, что Курт потерял свою камеру в драке. +Какое состояние рассудка может вызвать этот коктейль у человека? +Вам не обязательно отвечать. +Не волнуйтесь. +— Не глупи. +— У тебя наверняка есть сомнения. +Оу, извини за такую наглядность +Спортивный фестиваль - это весело. +Все! +Кто? +Мне на мобильный позвонила женщина и сказала что я выиграла машину. +- Что? +Меня зовут Кеннет Мартин. +Элли, мужчины отличаются от женщин. +Всё решено. +Ты не хочешь свалить отсюда? +- Пару секунд. +А что? +В нашем округе. +сэкономите 20%. +Особенно если не окажется достаточно сил. +! +Как там дела с той сумкой? +Мам! +Да. +Не шпионили. +Я вернусь. +О, это вряд ли. +Мы снова встретились, Дэвид. +Оттуда загрузили файл Кроссену. +Мы рады принять тебя, Кэсси. +- Это ты новенькая? +Извини за такую встречу в переулке. +Ильза, что он делает? +Но улик нет. +У тебя всегда был порядок. +Видите? +Да, это идеально подойдёт для голубой пачки. +Мы с Гинн выяснили, как открыть девятый шеврон на Землю, когда Судьба подзаряжается от звезды. +И не говори ему о чем мы говорили. +Да. +Нет! +Маги использовали подобные машины когда я был мальчиком. +Тогда он велел вам запереть двери, да? +"Сниму эти тату вместе с кожей и повешу на стену"? +Тебе будет сложно стрелять в меня с прикрученным глушителем. +Ну, я полагаю, она не займется нашими налогами. +Я попрошу Эбби отследить её мобильник. +А, как я помню, ты рассказала Рафу. +В каком направлении мы теперь будем двигаться? +Нет. +Здесь намного больше воздуха. +В обмен на его жизнь он требует, чтобы ты вышла замуж за его сына. +Довольно твоих оскорблений! +даже я знаю, что что-то не так, но что? +Ты показала своё истинное лицо. +"Когда мы влюблены, то повсюду видим возлюбленного. +А поступки, совершенные в состоянии гнева, всегда приводят к раскаянию, госпожа. +Эй! +Где Парвати? +Поздравляю! +Боже, Билли. +Ты разгромишь свидетельские показания моей лживой пройдохи-официантки в пользу тех... бедняжек-студентов, так? +Мне сюда можно? +- Милорд, свидетель не имеет на это квалификации. +Вы достаточно слушали? +Нелегко об этом говорить... +Он сказал, что не владеет им. +Она жива и здорова, ходит довольная на трех лапах. +Обе ноги оторвало. +Мое тело уменьшилось! близкие мне люди окажутся в опасности. как меня зовут. я решил пожить с Ран и ее отцом-детективом. +Типа Шерлок Холмс? +Со стороны пожарного выхода валит дым. +Это будет плохо, если мы сбежим в туалет прямо сейчас? +Где Самара? +Папа, остановись. +У нее были деньги, много денег. +Но я забил хрен знает сколько столбиков. +Да? +Ты же понимаешь, что просто отравить его не можешь. +Они знают как скрыть свидетельства нелицеприятного разрыва... как восполнить то, чего так не хватало их детям... как щадить чувства тех, кого любят чей вкус, возможно, и не разделяют. +Почему? +Убиватьарчерумри, нет. +Перестань его бить! +Проголосуем еще раз. +"Мы должны подниматься?" +Я в порядке. +Да? +Ты никогда, блин, не опаздывал, Сэм, отличное выбрал время, чтобы начать. +Она... +Я был так голоден... +Не исключено. +Бишоп? +Чак, ты должен знать, что.. +Это вообще разрыв челюсти! +Делай минет, даже если очень устала!" +Каждый раз, когда вы забираете своего ребенка из Монако более, чем на 6 часов, вы должны поставить в известность охрану дворца. +Спасибо за эти слова. +А северная пятнистая сова - всё ещё хищник? +Этот вопрос уже задавался. +Ты... +Наш центр уделяет особое внимание информированию населения. +У нас список самых каверзных и частых вопросов. +Дракон ест и коней и овец. +Леди Кейтилин, приятно видеть вас в эти тяжёлые времена. +Киван, вели барабанщикам бить сбор. +Пожалуйста, присмотри за Роббом. +Клятвопреступника? +Ваше подсознание выражает ваши чувства с помощью голоса. +Я даже не знаю, кто ты теперь. +Это деликатный процесс. +Не было компьютеров, сотовых телефонов, чертовых микроволновок. +Ко мне пришел только один ребенок и это ребенок из дома. +Ох! +Оцени-ка этих красавцев. +Они ничего не украли. +Из-за Дафны. +Правда? +- Что было, то было. +Да что нам стоит? +Ты заходил на наш сайт? +Я думаю, это была кровь. +У меня важная информация по расследованию. +Валентина. +иногда они зацеплялись друг за друга, и.. +Нам нужна собака +- В чем дело? +Это было за 20 лет до моего рождения. +- Вам с Лорной нравится у нас? +- Зачем? +Держись. +И прикрыл спину. +Как моя мать могла не сказать мне о своей должности? +Не то, чтобы мы ставим ему это в вину. +Кое-кто встал между нами и разрушил мои отношения с Док Го Чжином. +У неё под ногами хрупкие азалии. +Ку Э Чжон, ты на самом деле... +Вот. +Два кофе со льдом. +Один вопрос, господин Док Го Чжин. +Но ты разболтала про взятку. +Чтоб с первого дубля, ладно? +Не будет. +И после того как уйду, меня будут помнить. +Ку Э Чжон, должно быть, ликует. +Она носит одежду другой фирмы. +Двинули. +Всё перепачкаешь. +Скажи-ка мне, кто тот мужик, что собирается её вышвырнуть? +- Держись. +Если сказал, что сделаю это, значит сделаю! +В таком случае Ку Э Чжон-ши потерпит неудачу. +Успокойся. +Помнишь, где логово Марко... +План квартиры жертвы. +Да, кстати об этом, Фейри Шерлок Холмс и Фейри Ватсон. +Просто это... +- Шерлок Холмс. +Смерть. +Вы тут, такая милая пара, вам нужно милое семейное гнёздышко? +Пойдем ложиться. +Рози, вперед, пошла. +Два посетителя. +Второй посетитель? +Привет. +Давайте послушаем про этого монстра, на котором вы женаты. +А потом она дала мне зажигалку и соусницу. +Похоже. +А то я забыл. +Это много значит для меня, Андрэ, столько, что я готов прослезиться, только подумаю об этом. +У нее возникли проблемы и она не смогла вернуться, поэтому я ухаживаю за её собакой. +Почему ты танцуешь с Лукасом? +Привет! +Roofie получить работу? +Спасибо. +Десять кварталов? +Почему ты пьёшь? +- Никак. +- Будь осторожен. +- Что это? +Нельзя! +Просто пытаюсь вспомнить, как это делается. +Да, я порешительней буду. +Всё это произведет одухотворяющее действие. +Куда направляешься? +Может быть ты бы смог измениться. +А что? +Нет, не воняю! +Вы отомстите за меня? +Да, по дороге сюда. +Ладно, можете идти. +"Хокса Чхорон" будет нанесён сокрушительный удар. +Эй, пойди разбуди их. +Следующим будешь ты, Тон Су. +Да, Ваше Величество. +Я разрушил свой брак +Но, уверяю тебя, помощь мне словно долгосрочные активы... +- А ты? +Она в буквальном смысле покрыта ранами. +Окей +Ну же! +А. Вот, как это произносится... +Это Карен, пап! +Угадай, что я сейчас видел. +Вот она... +Где я? +Что это за место? +И если мы не попробуем, то смерть Ника будет казаться еще более напрасной, чем сейчас. +Я клянусь. +Это ведь все еще считается моим первым разом? +- Но у меня ещё есть две минуты. +Мы пытались поймать террористические группы. +Ваше расследование основано на том, что вы могли прочесть на стене ванной. +Да, сэр. +Да? +Так ... +И тяжелеет к тому же. +Мы просто хотим поделиться новостями, хорошо? +Ну, это из-за марганца, понял? +Мы могли бы попытаться... +Тропа оленя. +Я зарезервировал номер в четырехзвёздочном отеле с видом на океан... +Ещё одно повышение, и я стану настоящим детективом, как Шерлок Холмс или Спид Багги. +Ещё одно повышение - и я стану настоящим детективом, как Шерлок Холмс или инспектор Гаджет! +Значит мне и правила чинить. +Около двух лет. +Давай повеселее. +"Большое вам спасибо, синьор". +как бы я хотел вернуть прошлую ночь это был твой день рождения. это не должно было быть у тебя на уме все в порядке нет, это не так я твой отец и я не хочу то что случилось прошлой ночью.. +О, этот самолет послан небом. +Я... +Ебаный стыд, Ало! +Вперед! +Ну так сделай что-нибудь. +Я звоню агенту Гиббсу. +Пора уже принять решение. +-Да. +Поехали. +Так... +Что? +Это все, что я могу. +Он ругался, когда приходилось рубить дрова, ему, такому великому режиссеру. +В свете, знаешь, десятилетий массивного лицемерия. +- Добре. +Вот и всё, что я хочу сказать. +Не беспокойтесь. +Не вешайте всё на меня. +Простите, что я заговорила. +Видения - обо мне и тебе? +Хлоя. +Иди сюда ко мне. +.. +Там принимают насильников, карманников, разбойников... и убийц. +А когда он станет прежним? +И что важно понять? +Занимательно. +Так не пойдёт. +Я хотел тебе звякнуть, но упустил момент и... +Она называет меня "Забавный мальчишка". +Я не хочу деньги. +Пленочный фотоаппарат. +Как я мог бы их пригласить! +- Глазки вперед. +"Сегодня кровью истекать я не желаю" на корейском, и теперь я обожаю их! +Стоишь тут. +Снова. +Мексиканский флаг. +Знаешь, ты могла бы оказывать больше поддержки в семейной терапии. +Вот. +Да, но они не такие, как мы. +Мне так жаль. +Из-за того, что... +Оо. +Здарова мужик. +чего ты от него никак не ожидал... тогда он попадает прямо в сердце. +Я не убивал твоего отца. +Специально для dorama.su. +Отнеси её. +(xD) +До пяти лет. +Ты такой из-за слов Дан-унни, да? +Она на моей стороне. +Сейчас это не проблема. +Зачем нам медовый месяц? +Парк Хе Ёнг - её жених. +До тех пор, пока мы не найдём более подходящего носителя. +- Он не отрицает этого. +- Так точно! +Опиум важнее! +В течении 15-ти дней чиновник-супервзяточник, будет наказан. +Я никогда до этого не падала в обморок. +- Воины! +Близится день гражданских экзаменов. +У того парня есть мой личный номер! +Мы слышали от одного из ваших соседей что это могло разрушить ваш брак. + +- Почему? +Я скажу Буту, чтобы он проверил есть ли у кого-нибудь в Диллио такая машина. +Можно мне взглянуть? +Ему плевать на всех, кроме себя, включая тебя, Майк. +- Его лечил доктор Остен? +Что за привычка шарить в чужом телефоне? +Те два похищения, которые не были раскрыты ты давала такое же обещания тем семьям? +Это уже маркетинг. +- Ты думаешь, что это... +- Есть кто? +VHS это трава, DVD - кокаин, Beta - мет. +Пожалуйста, дай мне извиниться перед ним, когда вы встретитесь в следующий раз. +Не узнаю до тех пор пока не доставлю его в лабораторию. +Это кровь Хулио. +Он настолько в себе уверен. +Привет. +Эй, приятель, остынь. +Таймер мог бы взорваться где угодно. +Машина, в которой ты видел Элисон той ночью, когда её убили-- +Разумеется. +Бейтса? +Действительно. +Куда она делась? +Сколько? +Прошлой ночью нечто ужасное произошло в городской гостинице. +Ты опоздал. +Нашу честь. +Иди! +Она... она шутит. +Я влюбился в Эмили и готов жениться на ней. +Он жил тут до меня. +Я хочу, чтобы вы знали, что бы ни случилось, я не осуждаю вас. +Если я оставлю мост открытым, высвободится вся мощь Биврёста, которая уничтожит Ётунхейм вместе с вами. +Старый дурак с больной головой! +Перенаправьте, как и остальные. +Я пришёл проститься, брат. +Данные сфальсифицированы. +Нет, я бы сказал, русский, конца 19-го века. +Я просто не могу, у меня каша в башке. +Это, по-твоему, порядок? +Если что-то случится, я приду и заберу тебя. +Идем. +Что-то случилось? +Но раз уж конкурс набрал обороты, я постараюсь использовать это на благо нашего общества. +"Теренс, мой любимый. +- Ты спятил? +Это уж точно. +Ей нужно общение. +РАСПЛАТА" +Это другой телефон Дина, вы знаете. что нужно делать. +Вы убили его. +Нам с президентом известно, на что способен Джарвис. +Говорят, он был мясником в Чикаго во время Всемирной Ярмарки 1893 года. +Всегда кричала на него. +Прям как по часам. +- Нет. +Переводчики: umnikus, Mitrandir666 +Ну, я собирался, но у меня во рту было слишком много языков. +Слушай, а если я притворюсь, что я на тебя запала, отвлечет ли это тебя настолько, чтобы я успела умыкнуть комикс? +Мы должны отправить гонцов в Королевство Лота... и предложить вознаграждение за поимку Артура. +покупаемое королями ценой человеческих жизней. +Сладкие бутеры всегда будут частью нашей жизни. +- Почему нет? +- Майк... +ќсобенно ѕаваротти. +Ты должна переключиться на что-то более сложное. +Хорошо, просто знай что я буду там как только смогу, и скажи об этом Стиву Гомесу. +это всего лишь прикрытие крупнейшего торговца метом на Юго-Западе. +Не смог найти шлюху чтобы тебя приютила? +- Как табу. +Теперь никто и не вспомнит, что ты наболтала на пресс-конференции. +Ээ... +Мои друзья. +Он гений! +Я конечно люблю Тернера, но всё это я нахожу просто ошеломительным. +Вы уверены, что не хотите прогуляться под дождем? +Я мог бы пропустить сегодняшний вечер? +Я была просто... +- Прекрасно выглядишь. +Финал! +Ну, в любом случае, мне надо идти. +- О чем же? +С чего вы взяли, что я что-то с ним сделал? +- По сравнению с кем? +Вы можете сформулировать это как-то иначе? +А как насчет пикетчецы, которую он убил? +Поздоровайся с остальными. +Тебе надо убираться из квартиры. +Это все к чему вообще? +Это точно не хуже. +. +Скажи мне как человек, решивший остаться свободным, почему ты всё ещё здесь? +Это быть обманутым. +Но главное в Angry Birds - всегда пытаться предвидеть все возможные исходы. +You're gonna bend for me, bitch. +Эти деревья срубили. +Изгой. +Продолжай. +Мио, что случилось? +За машиной! +Я купил отличный чай. +Придумай что-нибудь... +Баба! +Разве это не слишком буквально? +Возможно ничего, с таким отцом как этот. +Ты, наверное, только сейчас это осознал, а я уже давно себя сдерживаю. +Твой справа. +йЮФДШИ ХГ МЮЯ ЯРЮБХР ОН 2 ЛХККХЮПДЮ БНМ. +п╞ я│ я┐я┌я─п╟ п╫п╦я┤п╣пЁп╬ п╫п╣ п╣п╩. +п я┌п╬ я│п╨п╟п╥п╟п╩ п╫п╟п©п╦я│п╟я┌я▄ я┌я┐я┌ я┌п╡п╬я▒ п╦п╪я▐? +п╞ я┤я┌п╬, пЁп╬я─п╫п╦я┤п╫п╟я▐? +п·п╫п╟ п╫п╟п╨п╬п©п╦п╩п╟ п╢п╣п╫п╣пЁ п╦ п╨я┐п©п╦п╩п╟ п╤п╟я─п╬п╡п╫я▌. +Вы гляньте, рюкзак собрал, машину арендовал, женские сапоги напялил. +Прости, что втянули тебя во всё это. +не думая о последствиях +Как только он нас увидит - +Хотя мальчики-подростки, как известно, безрассудны. +Потому что,если он умер, весь запах надует мне. +Вы должны были что-то узнать о снах - из курса, книги. +Нет! +Принц Чарльз. +Я тоже тебя люблю. +Да? +Делая что? +В понедельник. +Роскошно. +Хочет все попробовать и ищет приключений там, где не надо. +Что? +Что, но? +Ухожу. +А что? +Алло ? +ГОТОВИТ СЕБЯ ДЛЯ НАСТОЯЩЕГО ЖЕСТА +Кто был за рулём? +Как? +Потому это очень важно для меня, чтобы вы его надели. +Я правильно понимаю? +Нет, я ведь притворялась. +Может быть вторая бомба. +Остались лучшими друзьями +И что ты предлагаешь? +Да будет известно, чьей силой были люди в моем патруле" +Почему ты вечно его провоцируешь? +У нас с ним... что видит Викки. +Купите футболку Школы Спрингфилда? +Барт, твоя мать считает , что эти ваши сборы на дереве какие-то подозрительные. +Ладно, пойдем. +Это всё портит? +Тот, у кого в мамах дотошный хирург. +Он мой сын. +- Сучий сын! +- Скатерть повесь против ветра. +- Здесь полно ошибок. +- Нет не и иллюзия! +Уже нет. +- Он ненадолго. +- Я пойду и заберу свои вещи! +- Джей! +Лейтенант Биксби хочет, чтобы его жена купила лотерейных билетов на 50 долларов. +Я позабочусь о ней. +Обними меня. +дружище. +это не для меня. +- Да, знаю. +Если будешь слишком настойчивым, она уйдёт. +Привет, Мора. +Я всего лишь ждал подходящего момента. +Пошли! +О, Дана, Дана, Дана, это на самом деле твой последний день? +"по судебному делу №670-3. +Чтобы двигаться дальше. +Вопрос только в том, когда другие узнают об этом. +- Вы нашли ещё одну. +- Я не знаю. +- Нет. +Уолтер. +А чего ты ожидала, Дудочка? +Вы побывали у меня дома, когда меня там не было. +Они прилетели на них из Валирии, чтобы построить величайшую в мире цивилизацию. +Кхал Дрого ведёт мою армию не в ту сторону. +Вам следует поговорить об этом с вашим отцом. +-Твоей матери? +Как пожелаете, милорд. +Я собиралась рассказать тебе, но мы отвлеклись. +Поехали. +У меня есть кому это делать. +Нет, одно местное представление. +Но... +Что за сдвиг произошел в твоей голове, что заставило тебя подумать: +Мои новые сапоги! +И что? +Я не чувствую любовь. +Осторожно! +Тише. +Дэвид ебаный Блад! +Играйся с Бэрри и Флинном и маленький Мисс Реабилитацией! +Подождите, стойте! +Болтун. +Дас, знаешь, об этом, мм... +Все, кто за меня? +...если ты ничего не предпримешь, я расскажу обо всем Кабинету, обо всем, что ты натворил. +Шон! +Вот так. +Мое сердце будет продолжать биться, биться внутри тебя. +Что-то происходит. +И, разумеется, министр не может позволить себе быть замешанным ни в коем случае. +О чём ты хотел меня попросить? +Дай мне холодненького, ради Бога. +Может, но это не так. +Бесплатный бар! +У тебя отличный песок! +Кто моя девочка? +А что нужно, чтобы побороть вирус? +Давай. +Он абсолютно здоров, сэр. +Пусти. +С тобой не соскучишься, Наракотт. +Нет, я всё понимаю. +Давай! +Как в прошлый раз. +Бог с ним, папа. +Джентльмены! +Я дам 25 гиней! +Ведь ты у нас самая главная. +Ты понял? +Элис... +Вы бы нам рассказали, что происходит. +Слушай, мам, давай об этом потом поговорим? +Он в теле Аларика. +Полиция! +! +Я всё ещё здесь. +- Бля! +Всё забирай. +О, только не это! +Да? +Хаус. +Если мы найдем как инфекция попала.. +Хватит! +Это звучит не очень хорошо. +Могли бы и постучаться. +Я в курсе. +Все таки, когда я увидела как ты входишь в тот банк, как Джон Вейн, я хотела ударить тебя. +Я так рада, что дочь Билли Флуда в порядке, но что насчет наших детей, Дэнни? +И это, прошу заметить, довольно большая машина. +Возможно, экран навигатора расположен далековато, и езда несколько жестковата, но это не настолько неприятно, как в моем AMG Mercedes. +Да ну? +- Как мне найти его? +Я решил, что позвоню ему, когда будет о чем сообщить. +Вижу, ты знаком с этими ребятами. +Так и не стал адвокатом? +"Наш сосед Бедфорд - Шерлок Холмс в отставке. +- Но это же вне юрисдикции ММС. +- На первой полосе? +Джек все еще уверен, что я люблю его. +Дочь Тристана Флёри, Виолина (Аннабела) +Поздравляем! +ТьI пристрелишь ее? +Это была вовсе не шутка. +Если он нацелен на помолвку, для него нет лучшей цели. +Смотри в камеру. +"Пойдешь по суше - встретишь тигра, поплывешь по реке - крокодила". +надо кое-кому помочь. +Я запомню. +Попридержи у себя до 7. +А как же наша прогулка? +Откройте, полиция! +- Да. +Милая, обещаю вам: я сделаю все, что вы попросите. +- Я нахожусь в отличном настроении. +Полагаю, все отметили Ваше платье и как Вы прекрасно выглядите. +Старая добрая школа Джексона. +Теперь всё стало на свои места для Вас. +А это что? +..до тех пор, пока я не выдам новый заем ещё какому-нибудь бедняге. +..он обнял меня и поцеловал,.. +Если кто-то может сказать, почему они не могут состоять вместе в законном браке,.. +Тогда что произошло? +Я начал сегодня. +Разве что вы обо мне постоянно волнуетесь. +Говорите. +- Хватит, надоело. +Нас отстранили от дел. +Я уверен, что городу не нужно это учреждение. +Ладно, я сказал лишнее. +Мистер Джордж Бейли. +- У тебя нет машины. +Перестань действовать людям на нервы. +Это хорошее место? +А ты уверен, что это и есть Бэйли Парк? +Знаешь, Джордж, по-моему мы делаем кое-что важное. +А чей это дом? +Пусть войдет. +Она где-то здесь. +- Это морские львы, а не тюлени. +Большую часть времени я трачу в Комитете Сената, отвечая на вопросы. +Там нет, я смотрела. +И посмотреть её запись. +Отвезите его домой и ждите звонка. +Опять Путим! +У тебя даже на лестнице голова кружится! +Не стоит. +Страх. +-Но я всё стёрла. +Почитаешь ещё? +Мы услышали выстрел и бросились вниз. +Он такой нелюдимый, замкнутый. +Что? +Ты, что подумал... +! +Страйд! +Ну, тогда мы думаем одинаково. +Энни, подойди сюда. +Все прошло хорошо? +Он за несколько миль. +! +Ну, я пошел. +Ты спишь? +Мужчина упал с крыши и погиб. +Благодарим тебя от всего сердца за твою щедрость, умоляем тебя не лишать нас своей милости, чтобы наша земля могла плодоносить к твоей славе и нашему удовольствию. +Иди садись за мой стол! +- Иду, иду. +Понятия не имею. +Нет, всё в порядке. +Я просто надеялся... +Посмотрите на себя! +Ты ведь просто хотел убрать из эфира Гриффинов... +Ни одного свободного места, чтобы сесть! +Вот именно. +Что? +Нет, двенадцать реактивных самолётов и восемь... +Давай лучше пойдём. +Нет. +У него может быть более сильное дробление. +Вас здесь трое. +Дай пройти. +- Ужасной помойной ямой! +Отойдите от неё, или я буду стрелять! +- Вперед. +Позволь мне показать насколько я забочусь о тебе. +Думаю, туда могла попасть вода. +- Правда здорово? +Как давно ты про нее знаешь? +Так что, не задерживай лейтенанта. +Некоторые обречены на одиночество, так ведь? +- Да. +Ганс, сколько у тебя их было? +Блядь! +- Отлично. +В школу? +Хорошо. +Как я уже сказал, два дня назад мой парень почти раскрыл личность крысы Костелло. +Трущобы Соути. +Ебучий крысиный хер! +Может есть. +Фрэнк хочет, чтобы я проверил задворки. +И мне очень жаль, что вам не понравилась моя первоначальная реакция на ваши слова. +Я привез твоей маме кое-какие фотографии своего отца. +Гражданский арест? +Ты пытаешься что-то доказать своей семье? +Мне здесь, на хрен, делать нечего. +Для него это было вроде страховки. +А ты кто, на хрен, такой? +- Марио. +Сестра Марис. +Я обычная. +-He тyшyйcя. +Ты всегда... +Ух ты! +Зачем ты так со мной поступаешь? +- Да? +Мама, я его так не воспринимаю. +Он хотел напасть на меня в моей собственной квартире! +Именно поэтому, я буду новым начальником охраны. +Детка, это я Ты дома? +Да. +Вы думаете? +И в заключение поприветствуем президента фонда "Детство" организатора этого мероприятия, которое проводится в честь его сына. +Картинка размыта. +- Точно. +Именем каждого погибшего тогда ребёнка названа улица. +Посмотри внутрь, там во всех +Я должна была ей это сказать. +Итак, почему в Ирландии растут пальмы? +А пока ты захочешь нажраться. +Да не орите вы так! +Ладно, тогда... тогда давай я хотя бы помогу тебе. +Я бы осталась, но если Бейли меня здесь "застукает", она ... +И у Финна есть планы. +...играть в русскую рулетку с моей овуляцией! +- И с разрешения пациента. +Идемте, вы двое! +Так вот почему ты не была у нас с тех пор, как он у нас поселился. +Это он. +Если я не туда поверну сегодня вечером, я могу не успеть к перекличке. +- Как ты узнал, что он тут? +Тебе она скорее понадобится. +Привет, Блауман, Билсон, это Маршалл. +- Вот как они это делают, а? +Видения или что еще. +- Мы пойдем. +Пообещай мне, что на этот раз я буду руководить. +Сейчас. +- И этого. +- Сайласа ты тоже не знаешь. +Хотите узнать будущее? +Исполнять фокусы, а не убивать птиц и ломать пальцы моим зрителям. +Смотри. +Добро пожаловать в Колорадо Спрингс, мистер Анжер. +Тогда те дни, когда это правда... становятся особенно важными. +Мне и в голову не приходило проверить калибровку, ведь шляпа не двигалась с места. +- Что в этом трудного? +Не придется делать тебе дыру для воздуха! +437)}Кого нам убить для собственной выгоды? +серьёзно +Слишком рано делать выводы. +Для Бобби 9-1-1. +Он не такой. +- Да, пожизненное. +Все равно это все чепуха. +королеве Квартала Кабуки. +принесла ему смерть И выкрала его ребенка. +Киннику Бастер! +там нет яда. +- Гинко. (^__^) +! +Вы втёрлись к нам в доверие и проверяли нас. +Да похрен! +Нет... уже нет. +что это значит? +у него довольно странная манера одеваться. +Кто-нибудь! +кгда я был окружен молодыми сочными плодами. +Любуйся моей прекрасной луной с того света. +что надерете ему задницу и- правда? +Теперь... +Ничего не вижу... куда не проникает свет... даже после смерти Король Ночи может гулять в ночи... +собранные на свету. +Думаешь? +Где же тогда настоящий папа? +Гинтама выходит в третий сезон! +но это невероятный риск. +естественно устанешь. +Иди найди работу! +Кагура-чан. +Будто заново родился... как он выглядит? +Идиоты! +Успокойтесь! +Кто каждый вечер читал тебе Шерлок Холмса? +Не двигаетесь. +А теперь посмотрите на пятна. +- Нападения крокодила? +И напарники нас прикроют. +Почему? +Ещё одно утро с Ван Де Камп. +Она меня заперла здесь. +Хорошо. +Куда? +Я объяснил им, как выехать на шоссе. +Постой. +Кто из твоих людей отвечал за тайник? +Я не могу его вот так сдавать. +Они могут прийти за тобой. +Чуешь? +Сосульки, сосульки! +- Но я не хочу возвращаться. +Это решение суда. +Похоже, им удалось уйти. +- Нет, все в порядке. +- Просто убирайся! +- Отпусти их. +Семья ... +Это же здорово! +Что? +Это ужасно. +Я ничего не соображаю! +Привет. +Я просто охренительный художник. +Это не-ритмия. +Эй, помнишь, я рассказывала тебе про свою подругу в Канаде, которая очень рано вышла замуж? +Послушай, просто скажи: "Нет, я не замужем". +Девочки, посмотрите на него. +- Да. +У вас была петрифольная регрессия, верно? +Это хорошо. +- Не мог бы ты закончить на этом, Чип. +Что с ним случилось? +Я немного знаю самолечение. +Круто, правда. +О, мы позаботимся об этом позже. +- Да. +Я могла бы обессолить для него огурцы! +Тогда объясни это! +Слыхал? +Угадай, с кем я только что говорил по телефону? +Если твоя пицца-бублик немного остыла, то я могу разогреть в микроволновке этого плохого парня для тебя. +То есть, если игрок наберёт миллион очков - это будет наше самое последнее шоу! +Оставайтесь с нами! +Но злой Лорд Зину был готов к этому. +что начнем все с нуля и это включает в себя моих родителей. +У меня пятно на лбу? +И я думал, что с этим покончено. +Я сделал это. +Я знаю, кто ты, Аарон. +Ничем не интересуется кроме сына. +Мама тут, Пан. +А то, что ты не можешь быть в шоке, если ты напоила людей тремя чашками кофе, и они не хотят поехать выпить кофе. +Джи Джи, возьми пальто. +Моя мать болела и умерла, когда мне было семь. +Бесполезно! +Скажи, что я сделал не так? +Дай им еще немного времени. +- никаких укусов. +Мистер Монк поможет нам выяснить, что на самом деле произошло с тренером Хэйден. +Она никогда его не бросала. +У него проблемы с подвижностью. +Не думай, что я делаю это по неверной причине. +Пойдемте, месье Лерой. +До свидания, мистер Джексон. +Какая отличная мысль! +ƒа? +Пэм, привет. +- В основном мы это делали. +1210)}nai 22)}mo +28)}e 28)}shi +0)}ri 65)}ri +Выпряги вола из телеги и продай его мяснику +Ты знаешь как? +Что-то не так с Чатрии. +Почему Хек ты шепелявишь? +Смятение исчезнет вмиг. +Вы грубый. +Нет. +Вы причиняете ей боль. +Меня наверняка прикончат. +Не важно, какое сегодня число. +Или, раз уж мы не можем от него избавиться, как приручить его, как тем не менее превратить этот голос в средство выражения гуманности, любви и т. д. +Я схожу. +- Я не знаю. +-А мне нравится. +Слушай, я сожалею, что так получилось. +Или налаживают свет. +Мама, папа? +У тебя в животе еда, одежда на теле, и чувак, который боготворит твои следы. +Но все равно страшная. +Шерлок Холмс... мертв. +"Ученый Шерлок Холмс!" +В Олд Бэйли у нас есть Рейхенбахский герой Шерлок Холмс... +А получилось бы замечательно, "Шерлок Холмс, человек за кепкой." +- Шерлок Холмс? +Шерлок Холмс, вы арестованы по подозрению в похищении людей. +Рич Брук, актер, которого Шерлок Холмс нанял на роль Мориарти. +Знаете, что, Шерлок Холмс? +..Шерлок Холмс. +Прекратите стонать и слушайте. +Могли быть любые изменения вызванные разными волнами. +Да. +Ешь вот это. +Мы должны довести дело до конца. +Куда ты идёшь? +Что с твоей рукой? +Он славный малый... +Мой стул скрипит. +Моя сладкая принцесса! +Не бойтесь! +Стал замечать, стал их искать даже. +Я ошибался, а будь на вашем месте другой, все было бы по другому. +Слушай, я могу остановить кровотечение, но его надо зашивать в больнице. +В главных ролях: +И никто не вычислит? +Это голосование за план Волтера Стрингера, который имеет разногласия с пунктом 11.6, по размещению отступа от переднего дворика. +А Сайлас вышель во двор, чтобы раздаольбать штукатурку баскэтбольным мячом. +Проблема в том, что в последнее время их не берут..." +- Я Крис Гарднер, меня ждёт Волтер Риббон. +Подымайся. +"дачи. +- ¬ы - брокер? +- Если смогу. +Что? +Ты не передо мной должен отчитаться. +Счастливого плавания! +- Я серьезно. +— Нет. +- Hi. +У меня была одна знакомая Дорин. +- Но отстаёт почти на круг. +Участники выстраиваются на старт. +- Испортил. +Не вздумай подъезжать! +Джентельмены, большое вам спасибо. +Я ведь не в домах буду их взрывать! +Узнайте, отправляли ли кого-нибудь из своих... +- Я видел фильм Шерлок Холмс однажды. +Если вы знаете что-нибудь интересное о папоротника, скажите мне. +Долой угнетателей Ирландии, +Вы вмешиваетесь в решения суда. +Вообще-то, раз он богат, мне было без разницы, как он выглядит. +Что я могла сделать? +Shadow32 +Почему изменил свое мнение в последнюю минуту? +Поверить не могу! +Думаю, он влюбился. +Тебе нравятся грузовики, да? +Остановился. +Мне нужна подруга для свадьбы. +- Проходи Переоденься, присмотрись и присоединяйся. +Не стреляйте! +Поверить не могу, что ты правда здесь работаешь. +- Он взялся из книги "The Meaning of Liff", которая, как это ни странно, была написана совместно Дугласом Адамсом и продюсером этой программы, который каким-то образом ухитрился внести это в мою карточку. +Я хочу предложить тебе занять место помощника Мэтта. +Дерьмо, а не группа. +Огромное, блядь, спасибо за помощь, Шерлок Холмс и доктор Ватсон. +И я последую на зов +Однако, Франсуаза +Да это так. +Они нас слышали. +В наши дни, доктор О'Мэлли, в этом нет ничего удивительного. +Не притворяйся дурачком, Билли. +Завтракать! +Ты тоже. +Итак... +- Было здорово. +- У тебя 3 варианта. +Ой, как раз вчера место заняли. +Но я не хочу, чтобы ты стал радоваться и думать: "Боже мой, у меня два очка за это", потому что на самом деле, ревень ... +- Льва? +Отпусти его. +Просто небольшое доказательство моих слов. +- Вы - такси, которое я заказывал? +- Ага. +- созданный первоначальными планировщиками. +Повтори. +У нас тут сзади экстренная ситуация. +Что ж, это твое время. +Пошли. +Не цепляйся к нам. +- Спасибо, милая. +Быстрее, прошу. +Лучше не ждать. +Этот парень - один из миллиона, способных на такое. +...трагическая гибель нашего коллеги. +Он все еще на свободе, и я жду... +Давай, выкладывай. +Да уж. +Надо просто поехать в город и забрать их. +После того, через что я прошёл? +- Заполнено отбросами. +Депелтер Турбо? +Я уже много раз была на телевидении, но до сих пор не могу привыкнуть к камерам. +Мне нужен прочный меч. +Думаешь, я куплюсь на этот дешёвый трюк? +Что мне делать сегодня? +Я никогда еще так... +Она - это все, что у нас есть. +- Мы должны бежать внутрь. +Мы думали это кровь, +Я тоже! +И я не просто произношу заученный перечень, я вкладываю в это душу и ощущаю искреннюю благодарность. +Что-то не так. +Город в нескольких милях. +Энни, доложи свое местонахождение. +Всё что надо находиться в сумке. +- Не потел. +Великолепно. +Песах Бейт аЛеви. +Большую неоновую вывеску. +Но сначала я бы хотел чтобы ты одолжил мне свой Сазерленд. +Вы были соседями? +Опухоль вызывает структурное повреждение. +Там же есть кафетерий? +-ТИММИ! +Да. +Не задумывался? +Ты что-то принимал? +Аль Каеда! +Погоди минутку! +Давай! +Родиться с боевым талантом так здорово. +Пошел прочь! +когда люди с тобой говорят... +Точно. +Проклятая Европа и Америка! +Отправь фокейцев на козью тропу и моли богов, чтобы никто не сказал о ней персам. +Uh! +под Маникой не прекращается. +Что случилось? +- Хватайте носилки! +Санитары, живо! +Я сожалею насчёт картины. +А значит, я не могу от нее избавиться. +Я на следующем уровне! +Джеймс? +Кончай! +Катрин! +Я никого не убивал. +Мне это не нужно. +Он всегда говорил о свадьбе. +Почему ты такая тяжёлая? +Где ты был? +Почему ты потом не приехал к Ын-Ён? +Нет, я не голодна. +Я просила тебя выйти за меня. +Тхопага, от этого слишком много пыли. +Эй! +У меня самолет через два часа. +Я знаю, что ты чувствуешь. +Я больше никогда не увижу Вивьенн, ты не увидишь Вивьенн, и он больше не увидит Вивьенн. +Линда! +Теперь он меня выбросит, точно! +- Забери назад свой иск и мы с тобой договоримся. +Он работал над нано-технологиями, когда они находились ещё в зачатках своего развития. +Посмотри на меня. +Здесь где-то 25 метров. +Правда, я простил тебя. +Что ты ищешь? +О, ну вы знаете тепло по телу и покалывание с освобождением энергии, когда всё заканчивается. +Я тоже пойду. +Том Джитер арестован за нападение. +Срочно в убежище! +А теперь начнем игру. +- А если они напишут о вас? +Никто. +Кто тебе сказал? +Хорошо, это был Дэнни. +Оказавшись в подвале, он притворился, что на все готов. +Александрия, 1942 г. +Разденься. +- Это старые диски отца. +Хеннинг! +Многие наши последователи женятся, обзаводятся семьями. +Папа послал войска, чтобы завладеть сокровищем Приората но они ничего не нашли. +Почему так долго? +Мне то же, что и ему. +В 1990-ых мы начали наши попытки восстановить наследство японских фильмов о привидениях . +- Что? +Ты ещё не забыла, как это делается? +— Хорошо. +Здесь нет его вины. +Эй, а я думал, что тебе нельзя есть в течение нескольких часов после того, как тебе поставили пломбу. +Нет. +Мы их не пощадим. +Постараюсь. +ДюкуАн, попробуй. +Оденьте пижаму, я вернусь. +Нет. +- Что ж, было приятно видеть тебя, Боб. +Да, слышал. +Через неделю - отлично, но еще лучше - никогда. +Это точно. +И этот человек – он. +У тебя есть сестра? +ОН 255 ХЕМ... дНПНЦНБЮРН. +Замолчите. +Закрой рот, никчёмная старая корова, или я вышибу твои мозги! +Это для Маго. +Я знаю, что по ночам она тайком смотрит на него. +которую она нам подарила. +Это что-то, правда? +Монахиня в порядке. +И просит вас купить свою долю свободы. +! +Чувак. +Если надо по бизнесу, то без балды, но ради политкорректности? +Zoo! +Я... встречаюсь с домохозяйкой. +Ты действительно считаешь, что ваши с Пан Ха Чжином отношения были лишь шуткой с его стороны? +Ты, наверно, сильно устала! +Не могу точно сказать. +Ты хоть представляешь, какие глубокие раны оставил после себя? +Это так печально... +Я никогда в жизни не видел снег... +Прости... хотела сказать, ты бы подарила ему свою девственность? +Будь это посттравматическое расстройство, подёргивания не исчезли бы по мановению волшебной палочки, когда мы дали ей иммуноглобулин. +О чём ты? +Время на наручных часах обладает теплом. +было веселым. +Я стараюсь быть полезной. +Но пути назад уже нет. +Он определенно не позвонит по видеотелефону своим работодателям. +Пап, дашь мне денег на ботинки? +..он должен мне деньги. +Только момент. +Не смогу поднять снова, если поставлю. +Как смешно! +У нас мало времени. +А она понимает, к чему это приведет? +Ну если вы действительно хотите отблагодарить меня, почему бы вам не зайти ко мне на ужин сегодня? +Происходит испарение, так, что тепло Гольфстрима и пар переносятся преобладающими ветрами и вращением Земли в западную Европу. +Во-первых, а разве ученые сами не спорят между собой о том, проблема это вообще или нет? +Трижды три будет девять. +Опоссум два. +Ну, давай, Диего! +Мой... +- Великолепно. +Диего, я... +Что ты делаешь? +А ещё... моя девушка была стервой. +Такэ - болтун. +Поздравляю. +На какие деньги? +Дэвид Аполскис. +... он поймет, что её там нет. +Юми! +Так лучше. +Ни иди туда один. +Все хорошо. +Ты уверена? +Как сказал Шеппард... это наша идея. +Нет... мы создаем источник пищи для других Рейфов. +Карсон. +Я еду на Сивитавечию. +Эвакуировать людей? +- У меня есть сандали. +Ты только подумай, о ком идет речь? +А потом заявишь, что камеру украли. +Грядёт буря, а вы ребятки и ваш отец - вы угодили как раз в её эпицентр. +Он со слезами умолял сохранить ему жизнь. +Ну и что ты не понимаешь? +Кира. +О? что хорошо это или плохо - убивать преступников. +О да! +К тому же, эти счета где-то месячной давности. +Автор русской версии +Пока что! +Просто, садись в машину. +Мне же не нужна операция, правда, Шон? +Мать и сын. +Второе... выпусти ее наружу. +Я же сказал, я сожалею. +Мало подвижные и не как не проявляют эмоций. +Хочу чтобы дядя Люки меня подержал! +Ну, не знаю как у нее это получилось, но она унаследовала ее подбородок. +Он, эм... он работает. +Барни? +Тебе лучше зайти. +- Стэнли, что происходит? +Откуда? +1040)}mi 0)}to +28)}nai 0)}nan +я не против. +100)}dakuse wa oni {\1cHB0B0B0}The world of man is evil Comment: 0,0:22:26.50,0:22:28.24,The Ed,0000,0000,0000, 100)}seigi wa nanzo to? +Хорошо... это... +Прошу прощения! +К делу не относится. +Да. +И ты еще смеешь называть себя моим сыном? +Восемь и два, 82. +- Карл. +Картман достигает студии "Гриффинов" +Я рада, что у неё хороший аппетит. +У меня коленки дрожат. +Ты говоришь, что я глупая, тем самым ставя себя на одну ступень со мной? +Кушай, сколько захочешь... +О, Господи. +Мы - американская рок-группа Мы - американская рок-группа +Эрагон! +ВСЕ СООБЩЕНИЯ УДАЛЕНЫ +- О, великолепно. +Ты просто хочешь привлечь к себе внимание. +Вы хотите что-то сказать, господин Равн? +Ммм. +Мама Дэйла Тёрнера погибла сегодня от другого взрыва. +Мы будем проверять по всему городу. +А что касается папы, жутко трудно заставить его выдавить из себя фразы. +Каждый из нас однажды любил. +Взять с собой мою маму? +-Очевидно, да. +Что еще здесь? +И ещё одно... +Германия. +- У спокойся. +Моё плечо - твоё плечо. +Я не понимаю, в чем проблема. +- Тренер. +Слушайте, я видел женщин за рулем. +- "ƒа, да € тоже знаю что делаю..." +и отослал любовнице СМС. +А ты слушала меня. +Я приняп Вас за другую. +Отлично. +Ты кричала. +Она хочет написать о Франции. +Пока. +Из-за любви люди плачут и думают, что умрут. +Какими чистящими средствами вы пользуетесь? +Боже. +Отпереть сундук. +Дело худо. +Нам надо, в смысле, не помешает? +Я ищу это. +Все хватаем Линдера! +Да, что? +Я не могу понять, почему это так важно. +Эй, Мэтт. +Может, он нас не заметит. +Мне сказали, что 10 лет назад ты осталась у бабушки, но я не знала, что так надолго. +Хвала Будде! +- Бросьте это. +Но теперь мы думаем, что это улица +Ну вот, опять! +- Симпатичная. +Этот пиджак она выбирала. +Звучит изумительно. +Спасибо. +О чем ты думаешь? +А почему нет? +Лучше ехать на машине, чем стоять в очереди за билетами +Почему бы тебе не прибрать кассу и не уехать лет на пять? +Приветствую Начальную Школу Агрестика, выпуск 2006 +Да, но знаешь? +Что потом? +— Добро пожаловать на рассмотрение дел высшей лиги. +И что он тебя такого сделал,а? +Они криллитанцы. +Перганон, Асинта, свой собственный народ, Доктор. +Ты в него прекрасно впишешься. +Это терпимо. +Шайенн умна. +Ты смелый, отче, если решил сразиться с вампиром. +Не понимаю, почему они убили семью Макса? +- Твоим голосом? +Да? +Переведен в прошедшее время. +Вот это да. +Ладно, мальчики, вы выглядите по-разному, потому что когда я была беременна тобой, я ела только ванильное мороженое. +Давайте танцевать! +Давай лучше сфокусируемся на тебе, мой друг. +Он хочет с тобой работать. +Я согласна. +Ну, если... +Прости. +Есть ещё вопрос. +Привет. +делаешь? +мы должны постараться направить его на путь истинный. +Ты испугал меня. +чтоб моё сердце стало твоим любя Сейчас.... +ты рулишь прямо! +Пойду-ка я в душ. +Потому что она переживает из-за меня. +похоже на то. +для Чи Гянг начинаются сложные времена... что случилось то! +Не жди от меня чего-то. +Я заставлю Шина пересмотреть свои решения. +Вдруг вы захотите изучить. +Но дети, однако же сразу почувствовали его отличие от остальных. +Обсудим это в машине. +Я только сказал, что Лекс пошел на площадку за Фултон, и, как все говорят, его убили и оставили в одном из заброшенных домов. +Банк - ублюдок пиджака и галстука, и только. +- Это оно. +Вставай! +Привет. +Борат, Борат. +Да, мне тоже, из под тента. +Сколько я тебе должна? +Что ты здесь делаешь? +А что с женщиной? +Просто хочу продемонстрировать, что умеет этот "щеночек". +Тогда нам придётся вскрыть ему живот. +Ты друг Паппи? +Мы снимем их, и ты снова ослепнешь. +Почему ты никого никогда не слушаешь? +До сих пор все помнишь? +А я люблю лапшу с говядиной. +Я же не коп! +Что-то случилось? +Что думаешь? +Я... был призван очень симпатичным мастером. +Сделай одолжение как другу. +Черт возьми, гвоздь программы! +Говорила вам, дуракам, что он гей! +Но другого способа пробраться туда нет. +Эти затемнённые зоны здесь и здесь. +Контрастная МРТ. +- Оul +Кажется, это я их женю. +Или молчи, если не будут. +Я здесь для...- +Какая у тебя работа, кроме сендвичей? +Что у тебя там? +Я одолжу у вас доктора Тодд на минутку, это... это очень срочно. +Секунду. +Может они слишком долго ждали, может ну знаешь, поздно возобновлять отношения. +Ваше желание жить спасет вас. +- Спасибо. +Если Портер опознает мертвеца как мужа Розалин, значит, он еще был мужем, когда она заключила брак с Гордоном! +Мне жаль, что он мертв. +- И ты, Брут? +Эй... +- Угомонись! +Садись назад, чтобы я тебя не видел, не позорь меня. +- Она будет. +Я его отец, понимаешь ты или нет, отец Янкеля Вальдмана! +Ты не можешь вязать в баре. +У тебя нет права... +Выгони его, чтоб он вернулся к нам домой. +Эндрю, как пишется "эстроген"? +- Милая, врачи хотят взять несколько анализов. +Знаете, положите всего понемногу. +А это значит — ой-й, мы ошиблись. +Нет, я, конечно, согласен, у поэта "пиала любви" +От ночного клуба? +- Вы не верите в настоящую любовь? +- Я всё видел Мэй. +- Нет. +Вот как? +Ну что ж. +Хочешь обратиться к психоаналитику? +- OK. +Ищите тела. +Давай пять! +- А ты, детка, на бойся. +- Конечно. +- Ванесса, я только хочу.. +Нам нравилось сидеть в его машине, кататься по улицам, слушать вызовы по его рации, а затем мчаться на скорости. +"Поэтому я решил придти сюда и просить сделать пожертвование у Вас и у других его друзей, +Нет. +Нужно сходить на кладбище, прибрать на могилах матери и Зиты. +Мы уже третью добиваем. +Нет! +Я не играю, я тренирую. +Вас заботит, что люди будут Вас оскорблять? +Ну... у меня еще не было секса. +Поцеловаться... +- Не можешь. +Не понимаю. +510)\kf23\kf28}put 680)\kf51\kf17}out +O, Боже. +У нас есть очень неслабые вещички. +И когда вы изберете меня, я обещаю быть всем тем, чем Даг Вилсон не был. +Итак, они оба слепы, кровь везде... +- О, мой бог! +- Давай! +Да, я поймал много убийц. +Что? +Присаживайтесь. +Я уточню у Бэт. +- ќсторожней будь. +ѕриходишь сюда в день моей свадьбы, размахива€ стволом... 'от€, тут все пон€тно. +О, этот будет намного хуже. +Исключительный? +Ничего не поделать. +Может быть... они собираются, потому что хотят быть очищенными Аяко? +- Так и есть. +Это фуфло? +Пока. +Не для актёра. +Ты смотришь на нее. +Хорошая девочка! +Как же я тебя люблю. +Я не чувствую себя в безопасности с тех пор, как у меня отобрали лицензию на оружие. +- Да. +Ты никому не нравишься. +Это вам не мусорная свалка. +Стефан? +Старик, я бы хотел, чтобы можно было поговорить с папой. +Тебя не было в палате. +- Я пойду с тобой. +Прошу, присаживайтесь. +Двадцать три? +Что? +Сказал ему, или он берет его товар, или путь отдает свой угол. +Может, ты придёшь в себя, когда я слягу от переживаний? +Всё разрешилось. +Я не позволил ему. +и хорошими друзьями. +Обожаю эту школу. +[смех] +Что, черт возьми, ты делаешь? +- Есть определенная опасность. +Ну, что ж делать? +Отче... братья ропщут. +Мне ведь как начальнику твоему, требуется тебя наказать. +Ты не можешь вынести - быть неудачником, как я? +42. +Но оскорбил. +Вот так. +- Я всех сегодня ненавижу. +— Это не великое самопожертвование. +Это может быть и неврологическое. +И вы сможете снова возобновить попытки, когда будете здоровы. +Никогда не делал. +Думаешь это делает тебя более мужественным? +Скоро рассвет. +Вы смотрите Нью-Йорк 1. +Нет, её пригласил один паренёк с работы. +Я сам слышал, как Му Док называет вас братом. +Не надо с кем-то поговорить, или еще что? +-Нет, ты меня поцеловала. +Никто не знал этого лучше, чем одна блондинка, которая исповедывала свои грехи отцу О'Малли раз в неделю с самого детства. +Так? +Он мог позволить себе крекеры. +Давай, давай! +Кто такой тренер Доусон? +Ты неудачница, Барб. +На самом видном месте. +Не стучи. +Эй, эй, Глен. +Так, Викрам, успокойся. +- Сэр? +- Откуда вы узнали о досье? +Ты про того, который у них главный? +Детектив, я родился в Куинсе. +Во время Второй Мировой, работал в швейцарском банке молодой американец. +Я не шучу, мать твою! +Я не воровал. +- Нет. +Хорошо, я не хочу кофе сейчас. +Эй ! +- Дева Мария покинула нас! +Из июльского? +- Ладно. +Постой. +И у меня очень много времени. +ШЕКСПИР НА СТОЯНКЕ Кристиан Томсон +Надеюсь, вы осознаете. +Присядем? +Я подозревала. +Вообще-то, у меня отгул на этой неделе. +Посмотрим, где заключён источник проблемы - в конечностях, или в позвоночнике. +Лилиан тебя порекомендовала. +До времени. +Но здесь лишь тело. +Посмотрите на его лицо. +ууфф, да, огурцы - корнишоны, укроп. +Спасибо. +Спасибо! +Хочу подремать после жирной пищи! +Быстрее вынеси своего брата из дома! +Этот Сайрус Донован, он исчез в апреле 63-его. +Лгун ! +- Открой дверь. +Со мной никто не сравнится. +- Долг зовет. +А? +Смотри. +Я тоже раньше приезжал сюда на лето. +Так хорошо. +Возможно, будет довольно мило, если ты упомянешь что-нибудь... об этом. +- Капитан не делает работу. +Все идеи принадлежат вам? +Мозг - обширная и удивительная страна. +Когда переступаешь порог, такое чувство, как будто получил пощечину от Рождества? +У меня другой звонок. +Монк, все будет хорошо. +Это только презентация. +- Помолишься с нами? +- Я безумно влюблен в тебя. +Ты будешь. +Отпустите его, я не буду предъявлять обвинение. +Радуйтесь! +- Спасибо. +ъ едс! +- Зачем? +Законопослушных гражданам нечего бояться. +Значит к Миллену проще подкатить, а с помощью него добраться до Оуэна. +Чёрт возьми, это уже слишком! +Пошла! +Не в духе. +грязная одежда, сеновал на голове? +Кровь на стенах, его машина там была. +— Точно. +Я приехал в гости к дедушке. +Ты не можешь. +Он как Филипп Марлоу и Шерлок Холмс в одном-- +Выиграл? +- Да, благодарю. +Как вы там? +- Что слышно? +Наши парни встречают вас и... +Ты не говорила, что она может оставаться на ночь. +Нет, не думаю, что я понял. +Энди и Лупита знали где меня найти и я не собираюсь оправдываться перед своим юным дитем. +Я догадалась, что ты хотел отвезти ее в починку. +Сделайте эхокардиограмму. +Триттер просто играет. +Как она может все это делать, оставаясь незамеченной? +Вы можете это доказать? +Все повреждения внутренних органов исцелены. +Я же знаю как вы любите наблюдать друг за другом. +- Да. +Я думаю, что здесь существует баланс. +...о старшеклассниках, из Нью-Йорка. +Этот дисплей поможет вам проконтролировать заказ +Точная цепь событий остается неясной. +Я знаю, какие слухи будут об этом ходить, Джордж, ясно? +Послушайте, может, выйдете из машины, и мы немного поговорим? +Нет! +...признаю... +Он назвал ее в честь девушки, которую он преследовал в колледже. +Ты создал эту проблему. +Извини, что отвлекаю от работы. +Он издавал эти по-настоящему страшные звуки. +Все мы. +Держи, купи себе крендель, козел! +Я смог бы тебя бросить сверху столь сильно, как ты не увидел бы ни слушал бы никогда больше. +Иннокентий Иванович, согласны ли вы взять в жёны гражданку Соединённых Штатов Америки К... +- РОСС прекрасный, чудный и не со мной. +Поэтому всё, что вам нужно сделать, чтобы вернуться в настоящее, - это активировать её. +С этого момента события принимают трагический оборот. +Передайте ему, что у пациента тяжелые осложнения в полулунной кости, и я не вижу, как можно провести реваскуляризацию. +подарили эту игрушку своему сыну? +\fscx100\fscy100\alphaHFF)}зар +Невозможно! +Он встречает не так уж и много женщин. +Просто поднялась в 4:00. +Скукота. +Ты не решил, как смеяться? +- Камера. +-Да, но ее подруга... +Они хотели, чтобы никто не взял то, что полагается им. +Это важно для меня. +Смотри на меня. +Увидимся, ублюдки. +Они начали делать глупые вещи. +Но это было моей работой - держать эту комнату заполненную наличными. +- Да, я тут работаю вон с теми ребятами. +- Мы арестовываем вас за-- +Понимаешь? +Вот что я сделаю. +- Я выкинула пейджер. +- Чёрт, он снова прикрывается. +- Я не знаю. +Не надо десерт. +Нашим правящим чемпионом. +Тот, кто угадает их количество, выпьет из священного котла ... и возродится как Зверочеловек. +А от одного его слова всё разрушилось. +Ладно. +Да, правда. +Рюкзаки, попадающие на Гикори Роуд очень странные. +Людям нельзя доверять. +Я и не паниковала. +Родители их любили. +Папа мне как-то давал порулить. +Это скорее сатира на нравы общества. +Нарушил слово и убил 18-летнего мальчишку. +И не опаздывайте. +Слушаюсь. +Просим подкрепления. +Нечего сказать? +Я по-прежнему буду держать вас в курсе событий. +Я хочу немедленно изъять этот образец и уничтожить. +Требую пересмотра дела. +У нас нет на это времени. +Посмотри, что за письма! +- Я возьму Джонни Ганг-Хо. +- Идем! +И что обидно, я её в руках держал. +Ниже берите, товарищ генерал! +Точно говорю, у них в бомболюке животное. +Подросток под влиянием спиртного буквально озверел. +- Огонек-крохотулечку. +Это свидетельница из отеля +Хорошо +значит, так? +Мама! +Слушай, Джеймс, после обеда приходи к симулятору... и покажи новичкам то, о чем мы говорили. +Я не говорила, что не обещаю. +Нет, вы не поняли. +Я завязал. +Да, я принёс его вчера. +Что вы с ними сделаете? +Я бессмертен, ты не можешь ранить меня. +Что ты делаешь? +Я рассказывала тебе о Сэме? +Даже собаки понимают, что это не телефон. +\fscx100\fscy100\alphaHFF)}sho 0)}S +\fscx100\fscy100\alphaHFF)}n +Иногда - аппетитных тетушек. +Ты знал? +Ну и слава Богу. +Запретная любовь мужчины и его двери. +Очень, очень глупо. +- Фокс? +- Она очень довольна. +За все время, что я здесь пробыл, меня ни разу не пригласили на собеседование. +Что еще? +Джерри, посмотри на меня. +Скажу так, он бы достал до 10 этажа, встань он вертикально. +Всё-равно мь/ найдём вас опять! +Он мог бь/ тебе помочь. +- Да так. +Мышцы в деревья. +Нас выживших там несколько. +Ёто делает теб€ практически членом семьи. +я улажу все пр€мо сейчас. +"то возвращаес€? +я возьму это. —пасибо ћам. ћы вернемс€. +\fscx100\fscy100\alphaHFF)}ka +Нападение на королевских солдат это тоже самое, что и нападение на самого короля. +Идти! +Все они соперники? +У вас получается! +Ох какой ветер! +Здорово! +Ты не Микан! +Если вам прислали такую, не прикасайтесь к ней! +О нет! +Если вы правы, нам понадобится гид - хур'к, чтобы пройти. +Нашим предназначением было найти его. +Теперь сказала бы. +У вас есть книги по оккультным наукам? +Я думал, он сказал "господин." +Привет! +Полиция зашвыривает их обратно! +это дешево +Это было очень давно. +Давай. +- Что такое? +Я - его мать! +Вот и ведите себя, как мать! +Начиная с 8:00 вместо майора Фрэнкфурта я буду вашим командиром. +ОТЕЦ ТЕД +Подождите! +Нет, нет, нет. +13 01:21:34:64 Но постой, это куда не все... 58 01:21:38:52 "Сегодня в метро человек подошёл ко мне, +75 01:30:40:66 "Да, да, ты прав. +Повторите... +Лейтенант, простите, что прервал, но я... прибыл в город 20 минут назад и меня сразу послали сюда. +Господи, как, бля, его звали? +Да, я вижу, но мне это ничего не говорит. +Нет. +Телефон? +У нас выигрыш. +Со светом проблемы. +Хорошо, сдаюсь. +Я не особенный. +Кто-нибудь. +Мы все сделаем наново, по нашему. +Чтоб за попкорном не ходить. +Там есть стоянка такси. +Это цитата. +- Пойдем со мной. +Вам нужно то, чего вы не можете иметь. +Я её сто лет не видела. +- за помощью. +Я видел это отсюда. +Приятно было снова увидеть вас, ребята +Я пришла к выводу, что Господь дал своим детям много возможностей для разнообразия. +- Зевс, Купидон и всё такое прочее? +- Нет. +Она понимает. +- Могу ли я войти? +Нет, просто... +""Холм это или гора?" +Мне так жаль. +Я не сказала тебе раньше: боялась ошибиться. +- Прости, сержант. +Мне трудно произнести всё твоё... +Шимицу-сан, я должна снова просить об одолжении. +Йошида... +Пью за ваше здоровье, соседи. +Нет... никакого отца +- В чём дело? +Хорошо. +- Привет, Кейси. +Мы задержали фермера, который нашел их корабль. +Один из четырёх королевских городов защищающий святую землю Джулиана. +! +Мисс Беннет, у моей сестры есть к вам просьба. +Мы даже не будем упоминать ваше имя. +Отлично, отлично! +Мы прибыли! +Нет. +Нет. +- Я еду за тобой. +Думаешь? +Хочешь вина, Наталья? +Успокойся. +-Да. +Извините. +Становится всё интересней. +С дороги! +Я конечно не Шерлок Холмс, но научился полагаться на свои инстинкты. +Всё закончено, Наоми. +- 15 лет назад. +У нero ecть дocьe нa Coзe. +Неприкосновенность, чтобы отвязаться от вас. +Снеллер, кто-нибудь из мужчин сейчас дома? +- Спасибо. +- Как там она в Холле? +он заберет нас в комнату: +Ты просто плохо искал. +Думай! +\fscx100\fscy100\alphaHFF)}a +\fscx100\fscy100\alphaHFF)}so +Аккуратнее. +Первый раз не считается. +Когда Барри был обручен с тобой, мы с ним немножко развлекались на стороне. +-Когда, черт возьми, когда! +В Алжире мы придумали новое прилагательное: +Хелен, не вешай трубку! +Давай, давай. +Отойди от окошка, моя дорогая. +Да, слышу. +l used to make fun of him because of that. +Leave him alone? +Словно свет выходит из его головы, через глаза, и освещает этих людей. +История, которую вы увидите, основана на письмах и творчестве двух поэтов. +Только процесс творчества имеет значение. +Они располагают к сексуальным разговорам. +Она не должна тебя видеть. +Хватит ломаться. +Ни царапины. +Всё это дают нам наши кибермозги и киборгенизированные тела. +Но он пробил защиту... наших самых секретных файлов... и сумел передать разум в виде потока данных. +Boт кaким Бoг coздaл миp. +A я лyчшe нe yмeю. +Чтoб xopoшиe и плoxиe нoвocти бeз зaдepжки. +Клянусь любить и служить Джиневре, и защищать её честь как свою. +ВСЕ НА ЗАЩИТУ ИСПАНСКОЙ РЕСПУБЛИКИ!" +Понимаешь? +Что это тебе в голову взбрело? +Я тебя вижу, Рамон. +Отопление! +Идите со мной! +Вы что делаете? +Это - всё, что есть? +Её оставили недалеко от... +Этого не могло быть! +С нами происходит то же самое. +Всегда ты. +В наши дни, к ним прибавились техногенные ужасы... такие как химическое оружие, впервые поднявшее свою уродливую голову... во время атак смертоносным горчичным газом в Первую Мировую Войну. +Кажется, я уже видел этот фильм. +Но... +Я вам дала уже 3 подсказки, Шерлок Холмс. +Нет, что вы. +Вы ошиблись. +Вы уверены, что это Ваша сумочка? +- Прекрасный образчик. +Должно быть, Вам около 65 лет. +С этим покончено. +Он ушёл? +Как ты? +Просто надо заглянуть за угол. +Ты мог бы приходить на занятия в дом Пулов скажем три раза в неделю? +Сейчас бы нет. +Мне ужасно жаль, Джоани. +Будь он лошадью, британцы и спортсмены никогда бы не позволили столь скверного обращения и равнодушия. +Думаешь, доктора в подобных местах только и думают о сексе? +Но сейчас я не могу войти. +Я думаю, что не пойду к этому Ларган-сагибу. +- Никогда такого раньше не видел. +- Тебе скучно? +Убирайтесь или я позову слугу. +Мне не нужна одежда и не надо мне её покупать. +Расслабься. +Ну ладно, я перезвоню ему. +Купи её. +Она и так едва успевает в театр. +- Джерози? +Э-э... она же ещё ребёнок... +Правда. +Искреннейшие поздравления, принцесса +Март, девятьсот сорок седьмой. +Ясно. +- Попробую достать дома. +Я разберусь. +Пожар слава Богу, не здесь. +Дикс, когда возвращаются домой, значит терпят поражение. +Просто я имел ввиду, после всего, через что пришлось пройти Блэр это немыслимо. +Надеюсь ты собираешься на вечеринку Spectator сегодня вечером? +Я знаю, что произошло, Дин. +Ты знаешь Бенни? +Потом я вхожу в дверь. +Взгляни-ка на себя, приятель. +Нет. +Она сильно преувеличиваеть прошлые оплошности Рикки на этом тупом блоге именно поэтому у меня ужасная сыпь в моей жизни +Чингиз Хан, Шерлок Холмс, какой-то, не знаю, Человек-Гоблин. +Восковой Шерлок Холмс! +- Это тупой спорт. +Как... +Тецума. +Ты не можешь победить меня. у тебя нет ни единого шанса. я никогда... +Махиро... +Ты жалок. +Правда? +обувь как необходимая вещь переоценена. +Привезли немного продуктов, но тебя не было дома. +Тебе стоит добавить ее в друзья. +! +Джон, как ты мог? +Я не должен тебе никаких объяснений. +Краммер-ара-ранж. +Дорогая! +Я посмотрю что угодно, только не в 3D. +Почему бы нам не придерживаться принципа "оказания услуг"? +Какая-то эпидемия. +Это не важно! +Ого. +Мы устроим еврейское рождество и будем получать подарки восемь дней подряд? +Доктор Кан Ын Чжин. +о чем Вы говорите. +Личные вещи заключенных. +- N034723 – Квон Хёк Чжу. +Спасибо. +Тайпсеттер: {\cHFF8733\3cH210C00}AngelMa +Но отдел "К" тоже там был. +Здесь - настоящий код антивирусника. +В отделе "К" произошло преступление. +Схожу за бутером. +Кто поскачет со мной? +Дочь. +Берегись. +Мы в немилости у королевы. +Выглядит неплохо. +"Собака Баскервилей", Шерлок Холмс. +"Собака Баскервилей", Шерлок Холмс. +Ну и куда меня это привело? +Она у тебя в гримерке. +Тогда я очень сильно впечатлен! +ЛОНДОН МИ-6 +Зависит от вопроса. +Боже! +Podruga +там она и вышла замуж за Президента. +как я всегда говорю... +и я не занесен в реестр служащих компании. +Почему? +Что это с ним? +Смерть будет ужасной. +С его помощью я пробью стены Форли +Увидимся вечером. +Это место очень суетливое, Рей. +Это как-то связано с его смертью? +но... поэтому... поэтому... можно нам с папой тебя навещать? +извините. +Мы не будем прекращать подавать её. +Такое впечатление, будто ты тут, но на самом деле ещё не спустилась на землю. +Зик, ты когда-нибудь был серьёзно болен? +Ты должна отдать мне то письмо, потому что наше положение незавидное. +Твоей матери не из-за чего волноваться. +Что происходит? +И учитывая вышесказанное... +Я? +Мы бы смогли перевернуть страницу, если бы только дали волю чувствам. +Он здесь. +Это значит, что сейчас мы... +Снимите отпечаток. +Эй, вы видели? +Риск слишком велик, если деньги свяжут со мной. +¬ любом случае, ты должен немедленно вернутьс€ в лабораторию. +Вингтипы - звучит устрашающе. +- Потанцевать? +Ты всего лишь тупая домохозяйка на содержании. +– Почему я должна +Хардман вернулся. +Как его зовут? +Эта история произошла в мае 2012-го. +Это Холден,ты знаешь. +Я хочу услышать тебя, и мне нужно поговорить с тобой +Когда я вышла, его машина остановилась у обочины и тонированное стекло опустилось. +Здpaвcтвyйтe, пoлкoвник, Кpиcтин Дaйe eщe нa бopту? +Чувства +Я... я ... щас... +Деньгами не свети. +Приятно было поболтать. +Хан Чже Хи подаёт на Вас в суд за шантаж. +Какое имеет значение, что они мертвы? +Что случилось? +Ресурсы были истощены, а у нас были другие дела, поэтому пришлось уехать. +Джорджина Йейтс. +А кто кого со стенки будет соскребать, мы ещё посмотрим. +Я тебе нравился тогда? +. +Давай не будем увлекаться. +В отличие от тебя, он решил, что ваше свидание прошло удачно, и хочет понять, что будет дальше. +Нет, это не так. +Понятно, папа. +Младшая сестра Мелиссы Хастингс. +Нет. +Ага. +Всё нормально. +Но такая возможность здорово. +Так что я должен просто отпустить её. +- Хорошо. +Ты такой стильный. +Прощай, Лидия. +И совершенно бесполезны, если их нет. +Стой! +— Даже ты, милый великан. +В этом смысл слова "пленница". +Это женщина? +Хватит ли на лошадь? +Амон из Северного Племени Воды. +Если бы я знал, насколько ты была расстроена, +Вы не поймете. +Мне придется это сказать +Джули! +Мне нравится это. +-Миранда победила. +Я бы сделал яичный пирог, если бы у меня было больше времени. +Тебе всё досталось. +- Я рад, что ты пришла. +Что ж, хоть на фотографиях я неплохо вышла. +Правда, война скоро закончится? +Я считаю, что тот, кто убил его убил так же и вашего предыдущего главного операционного директора, Гари Норриса. +" Я так рада, что ты держишься в тюрьме. +К примеру эта женщина. +Может, просто занимаются этим в просмотровой, как я. +Но моя следующая миссия.. +Позвольте ему спокойно работать над собой. +Они ненавидели Линкольна с тех пор, как он выступил защитником бывшего священника против епископа Чикаго. +594)}Сапоги феи 642)}Пояс цветов +К-Кирито-сан? +А что случилось-то? +Мы намереваемся занятся серьезной ходьбой. +когда родители собираются сделать что-то слишком глупое. +- Уверен, ты не на лицо смотрел. +А теперь аплодисменты тройке финалистов +Отдыхай. +От старта до прыжка проходит где-то 5 секунд. +Что делаешь? +Твой папа будет не в восторге. +- За вас кузен, кузина. +Я мог плавать под водой. +Не Фрэнк, а +Это вы, фельдшер? +Ты только погляди на всё это! +Хорошо одно - в такую погоду никто не придет. +С этим помочь не могу, но могу отдать личные вещи. +36)}kuchibiru togaraseta atashi {\cH6100EF\3cH6100EF}wo mite 678)}Ты {\cH6100EF}как дрожали губы заметил мои. +На этом всё. +У меня получится! +Потом его сбили, там оказалось несколько птенцов. +Да, всё хорошо. +- Это жестокий акт насилия. +Рози не разговаривала с нами... месяцами. +Кто-нибудь, приведите доктора Гласс, немедленно! +Рыбоголовые. +Ты же сказал в четверг. +Ок. +Говорят, это будет лучшей защитой на рынке. +Всё хорошо. +За один день просто невозможно +Сбор наша страховка. +Но это потому... мы так и не нашли его тела. +Должно быть достаточно... чтобы достать оттуда что-нибудь. +Феи! +Они меня приняли. +Верни камеру! +Я не для того изучал инновационный маркетинг, чтобы гоняться по всей стране за какой-то провинциалкой. +- Может, нам нужно выйти? +Сейчас, сейчас. +- Надеюсь, у тебя всё в порядке. +У нас специальные люди, чтобы это делать, мэм. +Я могу начать прямо сейчас. +Эй! +Да? +Да ты спятил. +Как? +Я говорю тебе - она не Ли Су Ён! +Я правда убью вас! +- Привезли автотрейлейр. +Майя, он просто шантажирует нас. +Мы не говорим, что вы имеете к этому отношение, но если кто-нибудь в "Сееланд" имеет, то нам нужно об этом знать. +Или в том, чтобы наладить деловые связи с лучшими друзьями? +- Правда? +В любом случае, Льюис после этого перестал со мной говорить. +Ладно, слушай, вот предложение. +Ты же знаешь, что никуда не уедешь, Дэймон, а я - не твой новый сообщник в вампирских аферах... +Я не хотела... +Нет, не поздно. +Я - нет. +Я ищу миссис Уоррен. +- Не понимаю, о чем вы. +Кто ты? +- Я? +- Ну да. +Только куча бабла, да пара-тройка примочек. +- Очень милое. +Шерлок Холмс. +- Шерлок Холмс, надень штаны! +Ирен Адлер. +Мистер Шерлок Холмс. +Спокойной ночи, мистер Шерлок Холмс. +- А, Ирен Адлер? +У Ирен Адлер. +Ирен Адлер больше не твоя забота. +Думаю, сегодня вы обнаружите Ирен Адлер. +- Шерлок Холмс настоящий везунчик. +Ну что ж, вы - госпожа, поставившая всю страна на колени. +Потому что ты великий Шерлок Холмс, смышленый детектив в забавной шляпе? +Это материалы дела Ирен Адлер? +Новости об Ирен Адлер. +323.333333)}Костюм: 700 фунтов 307)\frz12.454}Безоружен +Шерлок Холмс +Шерлок Холмс. +- Шерлок Холмс, наденьте свои брюки! +Ирен Адлер. +Мы оба лишены сана, мистер Шерлок Холмс. +Спокойной ночи, мистер Шерлок Холмс. +- А, Ирен Адлер? +- О нет, Рождество отменяется! +Как вам не стыдно, Джон Уотсон. +Потому что ты великий Шерлок Холмс, умный детектив в смешной шляпе? +Это дело Ирен Адлер...? +Это о Ирен Адлер. +Шерлок Холмс. +Это здесь. +- Шерлок Холмс, наденьте свои брюки! +Ирен Адлер. +Мы оба лишены сана, мистер Шерлок Холмс. +Спокойной ночи, мистер Шерлок Холмс. +- А, Ирен Адлер? +Намного большее. +Как вам не стыдно, Джон Уотсон. +Потому что ты великий Шерлок Холмс, умный детектив в смешной шляпе? +Это дело Ирен Адлер...? +Это о Ирен Адлер. +Шерлок Холмс. +- Шерлок Холмс, надень штаны! +Ирен Адлер. +Мистер Шерлок Холмс. +- Наблюдателен? +Спокойной ночи, мистер Шерлок Холмс. +- А, Ирен Адлер? +У Ирен Адлер. +Ирен Адлер больше не твоя забота. +Думаю, сегодня вы обнаружите Ирен Адлер. +- Шерлок Холмс настоящий везунчик. +Потому что ты великий Шерлок Холмс, смышленый детектив в забавной шляпе? +Это материалы дела Ирен Адлер? +Новости об Ирен Адлер. +Я натолкнулся внизу на Майкрофта, ему на телефон нужно было ответить. +Джон Х. Ватсона Шерлок Холмс озадачен Тело 45-летнего мужчины было найдено в машине на пустыре в южном... 1000)}14 часов назад +Шерлок Холмс. +- Шерлок Холмс, надень брюки! +Демонстрация силы. +Мистер Шерлок Холмс. +Спокойной ночи, мистер Шерлок Холмс. +Я думаю, ты найдешь Ирен Адлер этой ночью. +Она может остаться со своей сестрой, требование доктора. +Потому, что ты великий Шерлок Холмс, смышленый детектив в смешной шляпе? +Только Шерлок Холмс может меня обмануть, а я не думаю, что это его рук дело, как считаешь? +"Уважаемый мистер Шерлок Холмс. +Шерлок Холмс. +Шерлок Холмс испугался. +Синдром Аспергера. +Так что, спасибо. +Оливия, Питер приходил. +- Нет. +Подождите! +Одно и тоже дело будет держать нас свежими. +Нет, нет "Мистер Кент." +Иногда когда целую тебя. +* To come and dance with me * * Come and dance with me yeah * +Объект 2 сбежал. +Хотите ещё одну? +Что? +Ну, извини! +У вас разве нет других дел, помимо этого? +Послушайте, кто-то в отделе кадров принял скоропалительно решение, да? +Да, они начинают рыскать вокруг Селекса и в конечном итоге все узнают. +Я никогда не сдаюсь. +Я не врач. +Хорошо, ты знаешь почему я не расслабляюсь? +Лучше не делай пока таких заявлений. +-В чем подвох? +Спасибо. +Опуститься на колени! +В работе ассистента стоматолога нет ничего приятного. +Нет... +И это "чудесно" стоит, как поездка на Гавайи. +Пошёл, пошёл! +Хелен один из наших крупнейших акционеров. +- А теперь? +Нам не нужны его подачки. +Всегда хотел быть фермером. +Он просто считает ее интересной и хочет поговорить. +Ты же понимаешь, что согласилась выйти за меня на глазах у 200 людей, вот что это значит. +Хорошо. +Ага, она беременна твоим первым внуком и пьяна. +Отвали, бездарность. +Мистер Бобо! +(Вздыхает) +Ты делаешь это на моих условиях сейчас. +Наверное он в курсе, что я нынче живу только на зарплату полицейского. +Вся его амуниция помещается у него на спине, а тело его стоит как бы на булавках. +У вас нет разрешения, чтобы оставаться в Советском Союзе. +Чтобы мое социальное окружение меня отторгло. +Что происходит, Керри? +Так держать. +Прошу прощения за неразбериху. +На самом деле у нее был нервный срыв. +Что Вы подразумеваете под этим? +Просто... это глупо. +Мне это нравится. +Вместе с Microsoft. +"Потому что я волнуюсь, что это ужасно скучно для тебя" +Если Вы собирались покинуть дворец, изменив облик, надо было меня предупредить. +Я хотел бы погорить с ней, не оставите нас наедине? +Кровь будет течь рекой, тебе обязательно сломают пару костей. +Госпожа. +Давай. +Жутковато. +Вам помогут лекарства и упражнения для глаз. +Для вашего сведения, он мне не друг. +Если вы пытаетесь сбросить пар, приседания были бы дешевле. +- Бля, Карл. +- Да. +-Флэшка? +Одним словом какое романтичное путешествие. +...изображающих знаки зодиака,.. +Они здесь работают уже много лет. +Торопитесь! +А почему здесь? +Он был занят превращением в Гремма Уайлера. +Ты поступаешь правильно. +Тогда почему Машина показывает нам ее? +Хочешь повеселиться? +Какого чёрта? +Сенатор Тензин здесь. +Люди меняются, когда вы на них не смотрите. +Конечно, не сообщили. +Как только вы поняли, что это та самая девушка, которую поймал на слежке Виндэм, вы последовали за ней до отеля и убили ее. +Как Рита? +Чтобы не усложнять. +Они провели ангиографию, и она из-за Вада тест. +А вот и столик 10, Эрл. +Вот так и делай. +Не я придумываю цены. +Взгляд +Людьми, которым он доверяет и которых уважает. +Я не буду больше отвечать на ваши вопросы. +Переводчики: +Зигги Кулиза. +"Эксплорер", круты! +Круто. +Я убью тебя! +А куда Вы собирались до этого? +О том, чтобы двигаться вперед. +И Люк забыл свой научный проект, так что я сейчас еду в школу, чтобы забросить его. +Девочки... они... +! +Я же социальная бабочка, Райан... +-Яйца ! +О, правда? +Ясно, и больше ни чего? +- Все, я готов. +Держись за меня! +Когда я был ребенком, я хотел стать полицейским. +Эндрю! +Мы можем поговорить об этом потом? +Я поменяла образ жизни и пролетела через всю страну ради парня, с которым познакомилась будучи стриптизёршей. +Лео, ты можешь просто поверить, что это на благое дело? +Спасибо. +Просто сделай одну вещь для нас, Лайнел. +Может я никогда не буду отцом. +Меня только что осенило. +Эпштейн-Барр был причиной мононуклеоза. +Это ужасно. +- Мы должны поговорить, Алисия. +Но придется ехать на твоей машине. +Это просто вынуждает тебя принимать слишком активное участие в их жизни. +Ух ты, как тут шикарно! +Погодити-ка. +Мы ими не пользуемся. +Прими нашу скромную благодарность, Господи, прости нас за наши прегрешения и прими Хэрри Корн в своё открытое сердце. +"Камелия", правильно? +Затем Феррогат погиб в автокатастрофе. +Но вы не ведете себя как ложно обвиненный. +Гы, спасибо. +Мы пропустили три последних выплаты по ипотеке, но мы на тебя не давим, милая! +Интересно наблюдать, как лучшие из лучших соревнуются друг с другом. +I just think you have too much detail on that particular dress. +Теперь, когда вы прошли коридор, поворачивайте направо. +Всё, что меня беспокоило... +Отражение своего отца. +Паспорт? +Да, ладно. +Она живет в Канзасе. +Привет. +Кто это такой? +Но она умоляла меня, и я больше не могла этого слышать. +Чем бы это все ни закончилось, твое пройдет иначе. +Текущая политика Соединенных Штатов склоняется к тому, чтобы не приводить в исполнение закон +Переводчики: +Я знаю, что вы собирались сказать "позже", но нам не нужно потом, нам нужны деньги! +Ну же, хуйня ты сраная. +Вау! +Я буду прямо здесь, на улице. +Говорю вам, она как сон, от которого не хочешь просыпаться. +Эллис, ну же! +Я же говорю. +Она в кабинете стоит возле портфеля. +Я одинокий танцор, вот кто я. +Что? +Небось давненько никто тебя и пальцем не касался! +ты б уже летела на кухню! +Капитан меня удаляет с тем, чтобы ее человек заглядывал тебе через плечо - не просто так. +Конечно, нет. +И которая занималась балетом с 5 лет. +Извини. +Дай сюда! +Что я не больна раком? +Если бы это была такая хорошая идея, мы бы уже были миллионерами. +В чём дело? +Сколько стоит билет? +Страдивариус Кейн? +Когда ты приехала? +- Что ты хочешь с ним сделать? +Жаль, что совершенно ошибочный. +Сделайте ее синей. +Ваши родители не хотели, чтобы вы общалась со мной, когда я была беременна. +Она не понравится тебе. +Даже выбрали его любимое блюдо, карбонара, чтобы подходило под содержимое желудка. +Может быть, ему нравится держать все под контролем. +Видели моего мужа с любовницей? +Смерть дарует жизнь.- +Вечно лезешь в чужие дела. +уже иду. +В новостях проскакивало. +Что? +Изысканный смысл? +Эй! +Вода льет как из ведра. +Судьба? +И негласные тоже. +хвалю! +Король был в ярости. +- Нет, я имею право... +Хорошего вам дня. +Пёс, обеспечь команду встречающих каждому отряду Баратеона, который сумеет высадиться. +Взяли! +Они не подлежать возврату. +Что за такой странный... +В настоящее время вы мастер по ремонту автомобилей на дому? +Я вообще-то не хожу на свидания. +Может, ты прямо скажешь, к чему ведёшь? +Я скопировал полное собрание сочинений Шекспира и выдвинул им обвинение этим засранцам из Coastal Motors, я регулярно опустошаю запасы спиртного у Харви и я забираю все батончики с малиной и отрубями из кухни. +Я вообще-то не люблю говорить об этом. +- И был пьян. +Он идеален. +Хорошо. +Твой отец нас не впускает. +Ты нашла? +Я стал бы тогда Сумчатым Евреем. +У Пенни есть для тебя послание. +Только посмотри в его глаза. +Гость, которому вы пытаетесь позвонить, недоступен. +Лучшее обслуживание +И у вас было достаточно возможностей для этого. +Так его и назовем! +Дедуля, полезай в ясли +Остановитесь, не трогайте его! +Моя девчонка говорит, у него глаза насильника. +- Держи эту ноту , наверху +Нет, не правда. +Мы на полпути к Вегасу... а Болонья проводит семинар чувств коренных американских народов +Посмотри-ка получше на свою жену. +Всё в порядке. +где оставила её. +Мой интерфейс не ... +Как ты объяснишь это. +Идёшь играть в карты? +Я хочу продавать травку. +Что такое, Бандит? +Ты сошёл с ума! +У меня только 20. +-Я тоже, Карл. +Народ, держитесь в стороне. +Жена игрока, проигравшего всё. +Вы должны иметь дело с тем, что здесь произошло. +В последние несколько месяцев его жизни твой отец был параноиком и очень напуган, и... +И мы все это засняли. +Послушай, приятель, ты не можешь вот так метнуть бомбу, а потом выражать недовольство, когда все начинают кричать. +Очевидно, много чего произошло здесь, и это случается, когда у вас большая семья. +- То есть, опыт у вас есть? +Закрывай. +Да ладно. +Нахрен Женевскую Конвенцию. +Перелом большой берцовой кости со смещением. +Ладно. +- Приступайте. +Подъём. +Ну, преимущественно, это коробка, набитая огоньками. +He's saying mean things to try to piss us off. +Она почти все время спит. +Мы видим. +Я... не достаточно... жирный! +Ладно. +- Дэн Иган. +Подобно Робинзону Крузо. +С тебя на сегодня хватит. +Это ключ от вашего нового дома, который вы купите ниже рыночной цены благодаря Вознуму, Кенили и Данфи. +- Что случилось с ней? +Ты не был тем же с тех пор. +Ты хочешь выяснить, кто пытался убить тебя и ты думаешь что лучший путь дать им попытаться сделать это снова. +Если все из нас умрут быстро, то нам повезет. +Бьюсь об заклад было нелегко. +Они и правда выше. +Я перебежала дорогу и за углом +Она со своей мамой. +Расчистить дорогу! +"Привет, ребята!"... +Гордон Мёрфи был не только ее спасителем. +И значит там Дэвид раньше жил? +Нет. +Ты звонила мне? +Но сейчас это не так, по крайне мере пока. +Сестра, комната Монсиньера Антинори. +С ним все хорошо. +- Мне хочется поплавать. +мы снова начали встречаться. мне будет трудно тебе ответить. +Перерыв тебе не по карману. +Надо позвонить Кэрол и спросить. +- Почему? +Ладно, я буду откровенен с вами. +Она послужит только милосердием, освобождающим тебя от того, что ты сделал. +Я тоже. +Ничего. +Ну, в адресате указано "Обслуживание клиентов" +По крайней мере завтра ты отдохнешь от меня. +Она слишком красива. +Это наша последняя надежда. +Зомби. +Золотой материал для моей следующей книги. +Если полиция установила эти жучки, надо вывести их на чистую воду. +Сколько тебе лет? +Это не так. +Я просто хотел предупредить тебя. +- Дай время... +Ким До Чжин! +У вас нет подруги? +Можете спросить ее. +Я не хочу быть таким отцом. +Ты должен наслаждаться вечеринкой. +Хорошо. +Заранее готовьте верхнюю одежду и личные вещи. +Прощу прощения. +Значит, договоримся так: вы отдаёте нам формулу омолаживающего крема, а если попытаетесь связаться с мисс Мур, она отправится под суд. +√овор€т, его не победить. +- Да. +Мистер Голд, а вы что здесь делаете? +Что он делал? +Пойте со мной! +Ага. +Джим... +Возможно Лили не первая +Я иду в свою комнату без ужина. +Заткнись! +Он не нормальный преступник, очевидно же. +*Я...* +Невероятно, как так можно? +Чтобы это предотвратить. +Вы и ваш напарник. +Успокойся. +А это? +- Это второй вопрос. +Нормально, за исключением моего женатого экс-бойфренда, который продолжает мне названивать. +Не могу не любить сериал, в котором мистера Скотта постоянно просят поддать газку. +Я не знаю , что это значит. +Слушай, парни такие же эмоциональные, как и девочки. +Сэр? +Но с ней все будет в порядке. +Мы из КБР +Экстази? +Может мистер Джейн мог бы дать нам пару советов. +И я увидела мистера Мактирни, который разговаривал с... проституткой. +И после этого они считают меня международным преступником? +Слушай, я понимаю, у всех есть свои нужды, да? +Поздравляю. +Вернись в свои покои. +А если мы его убьем? +Мы дали вам плацебо, чтобы посмотреть, симулируете ли вы и этот симптом, чтобы отсрочить отправку в тюрьму. +Это замкнутый круг. +Экстрамедуллярное кроветворение. +Ладно, Фин, Роллинз, выясните все о этих обедах. +Думай, дурачье. +- Это твоя мама? +- Что? +Мора... +Что у них есть такого, чего нет у нас? +- При всём уважении, но выбирать работу по степени крутости - это по-детски. +Что? +- Удачи! +Пойду прилягу. +Тебе не сделать так, чтобы я не добрался до малыша. +Я ничего не чувствую. +У Аларика психопатическое альтер эго. +Здесь проживает Шерлок Холмс? +Прочь из этого дома. +У меня не было выбора. +Позвольте мне разобраться с этим. +Я не виноват в повреждениях. +Потише, потише. +Выметайся. +ПОжалуйста. +Ребята, ребята, мы поступим следующим образом. +Может быть, тебе достаточно, дорогая? +Они все знают. +Я приму, Отэм. +Эбби нашла письмо в компьютере бухгалтера о просроченном платеже за арендованный дом. +Компас у нас, но пепел от шкафа всё ещё у Коры. +Всё готово. +Ты можешь сделать это. +Поиграем в игру "обвини себя"? +Всю свою жизнь, я была пятым колесом, которое мешает людям заняться сексом. +- Ты врал мне. +Да, посмотри сама. +Нет, сэр. +- Все в порядке, слушай, Джози. +Мэтти! +О Боже. +Ну... +Будет ли $53,000? +Я ... +Он и есть. +Если так я разоблачаю тайны - да. +"20 ты? +та? +? +- Мн? +Робе? +- Аг? +заводи! +прокурор? +ставку на шестой номе? +Теперь все хорошо. +Хочешь о чем-то поговорить? +Харпером Дирингом. +И они соврали о своем гражданстве, чтобы пойти в среднюю школу. +Питер с Эмили сейчас в прямом эфире, и мы не знаем, где. +Мне нужна копия. +Вот придурок. +Господи, ты просто очаровательна! +Какого чёрта ты на это согласилась? +Они предложили ему деньги за молчание. +Хорошо, потому что у нас новый номер. +Или тот, который работал там? +Его подставили. +- Что вы горячая штучка! +Это результаты ДНК. +Я так много лет пыталась это забыть. +Что вы сделали? +Извините, мэм. +В такой спешке, не могли вы заранее предупредить его о своём присутствии? +Никто не говорит об этом, но именно это и есть в книжке мисс Гаскин. +Конечно. +Я поддерживаю этот выбор. +Хорошо. +Мако говорил мне держаться подальше от Тройной Триады твой брат ведь не твой босс? +Нет, ты своё задание выполнила, Энни. +Дар языков. +Как думаешь, где она его взяла? +Ты одержима Карлом. +Тёрнер. +Девочка была чьей-то дочерью. +Не помню, чтобы это название упоминалось в Корпорации Квин. +Майк... +Вам нужно найти хобби, или заняться чем-то, чтобы перестать вмешиваться в мою личную жизнь. +Это заседание членов совета. +Думаю, это мальчик. +Вотмояистория. +Дай мне мой билет. +У тебя два варианта. +- Типично. +она была безответственна. +- Здравствуйте. +Как долго он будет помогать вам? +Броуди, если это какая-то снова брехня... +Исправить нас. +Он прав, я носил это в себе слишком долго. +Что он делает? +я до сих пор не знаю, кто убил Ёллен. +Вы сидите в ней и знаете, что здесь много усиливающих растяжек, и вы думаете, да, это полностью гоночный автомобиль +Знаю это камень преткновения... +- Тигр? +— Что его убило? +Вставай, друг! +Значит, глушим крепкий, чтобы нажраться наверняка. +Привет, дорогая. +И самое забавное то, что я даже не осознавала, что мы там вообще делаем. +что мистер Эймс делал в казино? +. +Человек хочет увидеть сына, своего биологического сына. +Больше не звоните по личным вопросам. +Думаешь, мы похитили их? +И даже если что-то найдем, что это даст? +шМ ьХ ц╦М... вРН НМ ДЮПХР? +йРН ОЕПБШЛ НРЙПШК НЦНМЭ? +Хорошо. +да? +Я гуляла с парнем прошлой ночью. +Вы ведь не думаете, что я убил своего родного брата ради какой-то загадки? +Слушай, мне надо идти. +-Миссис Марбер? +И потом, я засыпаю и мне сниться. +Это было неизбежно. +Территория под охраной. +Мак. +Нет, ты не можешь... +Может даже тем же самым. +Открой же закрылки! +Я, типа, надеялся на резину. +Я знаю, кто ты такой. +Никто не живет вечно. +Я просто хочу побыть с тобой сегодня. +Знаешь, веселее. +Узнай его. +Или библиотеки. +Почему бы тебе не пойти к черту. +Извините. +Где? +Что он проснулся. +- Может убийца. +Я не стану драться с тобой. +- Нет, дело не в том, чтобы быть... гомофобными. +А до тех пор никто это не увидит +Ты просто Шерлок Холмс! +Ты здесь больше не командуешь, маленький лорд. +Но Родрик Кассель убит. +Пусть Семеро помогают принцессе в ее путешествии. +- Отменяю своё мнение о тебе. +И всё это стоит 2 млрд $ за 10 дней... +Классно, выглядит, правда? +Откуда ему знать? +Это самая важная вещь на всем свете для меня. +Забудь о Рафи, мужик. +Круто! +Я рекомендую немедленно ввести в действие Директиву 10-289. +Скажи-ка. +Я нашел на складе коробку, полную писем, которые так и не доставили. +А эти здания достаточно высоки, чтобы служить точкой обстрела. +Да? +Бедняжка. +- Без понятия. +Хочешь править? +- Если бы он начал говорить... +Потому что Моретти сказал так? +По-другому никак. +О, в омлете есть зеленый лучок. +* +Нам понадобится просмотреть эти дела. +Я сказал, пусти ее! +ак ты себ€ называешь? +Очень даже... +- Эй, там. +Ну не так же! +Я крутой, да? +Той ночью Барни и я очутились в новой, необыкновенной вселенной под названием... +Ничего подобного. +Между тем, брат Сонам Капур Тедж Сингх заявил, что семья не удовлетворена заявлениями полиции о том, что скорее всего это несчастный случай. +А ты был пойман с поличным. +Ты вломился в мой дом и рылся в моих вещах? +- Мистер Риз? +≈му он все равно не нужен. +Ты просто хотел моего тела. +Игра закончена. +Знаешь, он больше на тебя не злится. +Он атакует! +да. +Тайные покои Луны. +зачем вы прислали мне подарки? +Ты красавчик, Том. +- Где вы родились? +Люди меняются. +Что я тебе говорил? +Откроютнамвсепомыслысвои . +Ия ,склонясьподбременемнеправды, +У Дими есть капос? +Как она работает? +Это слишком просто что бы быть правдой. +Красный Джон - один из самых трудных случаев, с которыми мы сталкивались. +Куда их? +И что, если голос Тэнзи будет решающим для победы Левона, а мы даже не попытались, а? +Ты имеешь в виду мучить тебя. +Вы уже, ну, +О, возможно это будешь ты, моя любовь. +Тебе она нравится? +Искал двойника. +но это так. +Бонни, все что мне нужно было от тебя - это держать ее подальше отсюда. +Ты составил отчет по крови? +Вы заслуживаете больше, чем куклу. +И будь я проклята, если я позволю кому-то другому испортить это +ј она говорит: "Ёто" и бум. +"џ "Ѕ"Ћ ћ≈Ќя, —" "Ќ —џЌ! +Никаких больше переписок, ладно? +Может, за сокровищами. +Ты переубедил своего отца? +"Сознание вечно. +И наследственные факторы ещё не ясны, так что... +Снова снег пошёл? +Спасибо тебе большое. +И все эти горшки с диким огнем ему не помогли, так ведь? +А огонь — это власть. +Это был Станнис. +Я не могу практиковать. +Здесь некого винить. +Рейчел сделала мне маску для волос +Здесь сказано, что машина, которая разбилась, предназначалась мне. +Вы разве не знаете, кто я такая? +или город, не знаю +Его отменят? +Я хотела увидеть тебя. +Да, но ты никогда не чувствовал себя виноватым из-за того,что Эми забеременела? +Если у них есть кровь, их можно убить. +Давай-ка попробуем. +И я черпал ею мороженое, пока ты заправляла машину. +- Не дрожи, жена. +Я в Хьюстоне! +Ты меня предал. +Улучшение. +- И оставь штаны дома. +Спасибо. +Пахнет как гуава. +Ты его дочь, а не мать. +Половинка. +Уинтер, Данауэй, Паркс. +... И поют "Mack The Knife", вы помните. +Хотя да, видела. +Кто он? +Я получила данные на твоего загадочного незнакомца с видео. +*Здесь для нас* +- Стрейзанд. +Это... это... +Хорошо. +Офицер Макнелли. +- Но нам надо сказать ему напутствие! +-Ну же! +Ты мне можешь, черт возьми, объяснить, как ты можешь решить задачу по термодинамике, и при этом не помнишь, что я присутствовал на твоем первом причастии? +Возвращайся в постель. +Понравилось? +Ты заставил меня отречься от всего моего рода. +Подними свою задницу и проверь за стеной. +Стоп. +Да, я весьма полезна. +Я знаю, что у него были проблемы с деньгами. +Отношения в семье разладились, и Вера сбежала два года назад, с мечтами стать актрисой здесь, в большом городе. +Она, кажется, довольно искренна, и, кстати, она в инвалидной коляске, вот почему она зависит от обезболивающих, и вот почему не водила тебя на каток или на лошадях кататься. +О, боль вернулась. +Никому из них не говори "привет". +По словам наркоконтроля, эти банды 10 лет назад развязали войну. +Хорошо. +Это не жизнь! +И что вы приобретёте сегодня? +Он увидит их боль, их слёзы. +- Отвали! +Спасибо. +Где я теперь буду спать? +Вчера приходил человек, интересовался, где она живет. +- 22. +Слушай.. +Нет. +Спасибо, что уделили мне время. +Сюда! +Крутился возле моего дома. +Ты счастлив? +Она в сарае. +Кит? +Совершенно точно. +Все непросто, очень запутанно. +- Прошлым вечером. +Вы будете этим гордиться. +- Куда? +Мы думали, что у нас есть страховка. +Я знаю. +Почему? +Кто носит один носок? +- Что? +- Да, да. +Вперёд! +Э, э, э! +Да пусть он подавится им. +Тёмочка, сынок, нам надо бежать. +Уничтожить его - преступление. +- Откажи ему! +Просто склонишься перед Зодангой? +Такую машину? +Теперь нужно точное время. +Так что мы делаем? +Пока-пока. +Вечером отдайте форму в химчистку. +Тебе тоже. +Хозяин, хозяин, хозяин, плох забойный зазор. +Это как, ты что идиот или ты знаешь, что чудесен? +Любые люди дерзнувшие даже посмотреть в эту сторону убегут очень быстро. +Рейс в Шанхай! +Ты слышишь себя? +Да что ты говоришь? +Серьезно? +Хорошо. +BX9 пытаются дразнить нас? +Собаки в заведение. +- Никогда не принимал присягу. +Шугар Рей? +В школе мы часто зависали под эту музыку. +Хорошо. +Роберта, выведи этого господина. +На кой тогда Кевину вертеться здесь, если не из-за нее? +Я надеюсь, "шанда" означает, что тебя простили и всё равно заплатят. +Все будет прилично. +Живите полной жизнью. +- Что? +Если вы будете осуждены за сокрытие преступления, воспрепятствование осуществлению правосудия, они станут подростками еще до вашего освобождения. +твоим светлым ликом вдохновляться? +- Неизвестно. +Что? +Это спецагент Ларри Купер. +Чем вы занимаетесь, мистер... +! +Возможно, я могу помочь Вам с его производством. +Но поскольку это было после того, как председатель увёз меня, по закону это заявление не слишком уместно. +Хочешь получить перед сном? +Ты сможешь так разочаровать своего отца, зная, как он тобой дорожил? +- Что касается Грега, то уж точно теперь они не смогут его достать. +Конечно. +Да ладно, любой, кто когда-либо говорил "Я не должен никому рассказывать" - всегда жаждет кому-нибудь рассказать, так расскажи мне! +Это не является фальшивкой. +Ты должен был выкинуть меня, еще до того как я закончил это предложение. +Военные наручники, шарнирные, такие же вы использовали, чтобы приковать сына к столу. +Я боюсь. +он говорил другое. +Прошу прощения. +Это сюда. +И я сказал ей, предубеждение - это когда ты судишь заранее, +Кто-то тебя обидел, ведь так? +Нет, я в порядке, но спасибо тебе. +We have to compartmentalize our lives. +Забудь свою волшебную шкатулку +Слушаю. +У таких всегда есть что-то интересненькое. +Не он, а я здесь +Думаешь, комбинация в безопасности в твоем уме, Стэнфорд? +Что-то не верится! +А что это значит, кстати? +Все, что тут происходило, я просто... +это так трагично, как нож в сердце все пытаюсь отвести Линдси в оперу, а она не хочет прости, просто я не фанатка толстяков, поющих на чужом языке целых 2 с половиной часа да уж, опера не для всех +Прекрасно. +Но если бы я хотела, какой план, по твоему бы, сработал? +если ничего не делать. +- Нельзя даже в туалет отлучиться. +А я афроамериканец, сидящий на заднем сидении автобуса, +Нью-Йорк, 2005 год +- Шеф. +Я его не люблю. +! +Хорошо. +Мы не замужем. +Я сдержу твой маленький секрет, но я знаю правду. +Но если ещё раз у меня украдёшь, +- Давай не будем портить это... прекрасное... +А душа сына. +- Здравствуй. +Как прошёл ваш медовый месяц? +Сейчас, я к сожалению должна показаться на работе, но мы встретимся завтра в 8:00 утра. +Нет. +Здравствуйте! +Ты в порядке? +- Анит, и софист Ликон. +Этот мальчик - сын волка. +Можешь и снаружи подождать. +Это не любовь. +господин адвокат. +Ты предлагаешь мне последовать примеру Гаури? +Теперь ты работаешь на Саватью. +- Ладно. +Это кто? +Ну что за люди пошли! +Нет. +Добро пожаловать, джентльмены. +Мне кажется, что все в моей семье сходили с ума, потому что мы что-то не так делаем. +Я не знаю как гении ТВ-гида их составляют. +Остается что-то ещё, кроме коллективных молитв? +Высокий уровень АсАТ. +Ты так боишься стать ненужным? +Интегра? +Однако я припер тебя к стенке. +Что ты там говорил, +(УСМЕХАЕТСЯ) +- Ээ... +Не совсем. +Мисс Поттс, есть минутка? +Муравей, сапог. +От свободы. +Это уже не остановить. +Повернуть корабль на 180 градусов, курс на юг! +Все было... +Потому что это был снова он... кто он есть, музыкант на сцене, играющий для своих поклонников. +Мы стали глубже изучать тексты песен, смотреть о чем них говорится и в некоторых, совсем в немногих, были географические отсылки. +- Но вы не можете парковаться здесь. +Ну, во-первых, она слишком много трепется. +Если побеждаешь, ты получаешь чемодан. +Позволите мне убедиться? +Направляйся по адресу. +Привезли. +Ты отлично держишься. +Почему ты так со мной поступаешь? +Она. +Чем я могу помочь? +Теперь я зову тебя Секси. +Почему не двигаются? +Вот так. +Из вещей Луэнн. +Я слышал про Отто. +Призраки, детка. +Как будто мы... +Вы не заявили на него. +Я Вас не понимаю. но как правительство может ожидать от меня отказа от курения чтобы ребенок не оказался что я буду работать бесплатно? +Так она обычно называет его за глаза. +Как дела с Тензи? +Робин снова выигрывает! +Они такие белые. +Что? +Я не сильна в прощании, так что пока. +То есть, нет. +Тогда и увидимся. +- или монографией о гробнице Рамзеса третьего. +Жалованье по-прежнему низкое, работа непосильная, а времени на отдых почти нет! +Думаешь это из-за Моны? +- Ария: +Они решили никогда не говорить со мной снова. +Пока вы платите вовремя, вы не сможете Услышать от хозяина что либо. +бля +Шанс. +"Уважаемый господин Шерлок Холмс. +- Здравствуйте. +- Великолепно! +Шерлок Холмс. +Шерлок Холмс испугался, ты говорил. +- Хм... +"Уважаемый мистер Шерлок Холмс. +Шерлок Холмс. +Страх, Шерлок Холмс испугался, ты уже говорил. +Я позвонила, мисс Хенли и отменила все твои утренние встречи. +У меня ничего нет на обвинителя. +Туда. +Какого...? +- Пока. +Может мне и себе вытащить? +НКЛФ ЛС1. +Я к тому, что там был двухэтажный дом, Микки. +Прости. +Или, если не хочешь, можем... +Я понимаю. +Даже сами люди не меняют людей. +Так где он сейчас? +Боже мой, Дэнни. +Я хотел повременить с этим... отдать это позже, но... +Спасибо большое. +Покажите ваши документы, пожалуйста. +Какой ужас. +Вообще-то, я к этому и вела. +КТ показала обширное внутреннее кровотечение. +Конечно. +"пока расследование не будет закончено." +У вас есть что-нибудь для нас? +Однажды Бог снова заговорит с тобой. +♪ +- Это классно. +Она осыпается. +Детка, я в больнице. +Кьяран Джозеф Салливан - отличный парень! +Мам, это твое платье? +Сначала нужно спросить позволения у Его Величества. +Давай, пойдем. +Мы хотели, чтобы он страдал. +Я работаю на ЦРУ. +Привет, Майк, это Ди Би Рассел. +"Сегодня я уничтожу негодяя, точно также как негодяй разрушил мою семью". +Как они? +- Спасибо. +В гражданской войне было Сражение Геттисберга. +Я думал ты знаешь! +Пожалуйста, не говори мне, что перед смертью ты внезапно захотел отношений. +К черту chicken Alfredo." +Могу я надеть пиратскую шляпу? +Но с чего им его убивать? +Она будет невыносима. +Бедная Би. +Это ты не можешь идти дальше. +И если мне понадобятся деньги, у меня есть мамина половина наследства Сиси. +- О, вау, так вы двое... ещё не успели наверстать упущенное, я так полагаю. +Нет. +Заходите. +Это четырехугольник, но нет ничего символического в четырехстороннем вогнутом многоугольнике. +Я не хотел тебя напугать. +Ну, вы были в стесненном положении, Дэнни. +С таким же успехом можно позволить им получить всё, что они хотят. +Да, знаешь что? +Я знаю, что у вас у всех были сомнения, но... я правда чувствую, что это начало новой и лучшей главы моей жизни, так что... +Тот, кто нанял Мэтлока, прикормил и его. +Приятно было вас видеть. +Нет, он отдавал распоряжения по телефону. +Это оригинал, да? +Фальсифицируя мальчику арийскую идентичность, вы можете понести уголовное наказание по нюрнбергскому закону расы. +А у меня никогда такого не было. +Если да, тогда третий вопрос. +!" +Ганник! +Пока. +Вы просто двое людей которые живут в одном доме. +Она заботится об этом котёнке, как о своём детёныше. +Ее узелки. +Я все время думаю, что Тоби нашел работу в Другом округе, чтобы быть подальше от этого. +Вербена! +Привет! +Это его кишечник? +Это похвально, но как вы это допустили - гораздо более важный вопрос. +Как ты посмела туда пойти! +Фильм Рози. +Да, Джордж. +Держа это в голове, я предлагаю следующее. +Ты права. +То, что она невиновна... +У тебя есть идеи, кто бы это мог сделать? +Так он завоевывал женщин. +♪ Плакала, плакала ли она? +Да ну тебя, выпендрежник мелкий! +Исчез. +Джек! +Я набирала Ника трижды. +Хорошо, текст и изображения на этих письмах выглядят так, словно взяты откуда-то с бульварных журналов +Черныш Деннис, заводи машину! +Понимаю. +Она не травила их. +Хммм +Вот что меня беспокоит. +Готова увидеть мою десятикратно увеличенную задницу? +Тогда давай сбежим. +Э.Паркер? +На острове оставаться нельзя. +— Это мой крутой телефон и компьютер. +Это хорошо. +Что, вообще никаких... никаких вопросов о старых добрых временах? +Это должно быть да женщина, которую я видела у отеля. +Эй, эй. +Не беспокойся! +Уже всё кончено. +Если Джексон стал бешеным псом мой отец не позволит бешеной собаке жить. +Забудь об этом и перестань говорить со мной! +Silly Naive +Сэр! +Остановимся здесь +Тот ублюдок... да еще и угрожает мне? +Прошлым вечером мы отправились в паб поужинать, и по пути туда видели эту припаркованную машину. +- Мы тебя обыскались. +Я принесу её тебе, хорошо? +Мы должны взять этого дракона под контроль. +Я хорош в своем деле, Сай, так же, как и ты в своем. +Вы ей нравитесь. +Я могу спеть для тебя. +На самом деле я - принцесса Адора, а она Спирит. +303.778)}Пистолет и меч +Нет. +Письма, которые якобы были присланы от Меган, предназначены обратиться к вашей фантазии. +Но я точно не видел в нем особого рвения.. +Черт. +Нет, это не так. +- Кто-нибудь видел, как вы приехали? +- Не в моем вкусе. +Вводная труба в доме Кэролин Гаррет была испорчена. +Дружбе конец. +О, точно! +Чувствуется запах деревянной пароварки... +А, вы... +Я понимаю, скорее всего вас повысили, чтобы вы держали язык за зубами. +Ты победишь агорафобию, если будешь верить в себя, Томми. +Пожалуйста. +Ты должна ее поднять. +Хорошо, похоже Дэнни в 4 милях впереди нас. +Я подожду. +- Ты в порядке? +Слишком остро и насыщенно. +Но "зачем" самая важная часть... +я бы не привела тебя в тот раз +Нет, и не наступай на нее. +- Она говорит, что это я виноват. +Скажи мне... +Не верю! +Доброе утро. +Минутку, пожалуйста! +Да. +Рады вас видеть, Эллисон. +Куда торопиться, там же все уже мертвые. +Это, ну, Шерлок Холмс. +Это Шерлок Холмс. +Он просто оставляет его в гараже? +- Он может залечь на дно. +Я привез сюда эту бомбу. +"Чтобы открыть глаза слепых, чтобы узников вывести из темницы". +Пока ты не понял своей ошибки, открой-ка ящик моего стола. +Извините, я не понимаю. +Ты не знаешь, у кого-нибудь в городе есть другой доступ в интернет? +Мы будем выглядеть глупо +Я не по-английски говорю? +Шерлок Холмс? +Неужели я тебе так нужен? +Мне не нравятся платья. +Это было так давно. +Я виновата перед Сон У. +Я пришлю вам коробку алмазов. +я бы был на твоей стороне. +что Зелёная Строительная Корпорация получила право на поиск полезных ископаемых. +Но это же важно. +Просто делал. что дом Ын Хе будет разрушен. +У осьминога же не девять ног? +Благодарю! +Это так трудно? +Ты знаешь адрес Сон У в Сеуле? +Шерлок Холмс... мертв. +"Ученый Шерлок Холмс!" +В Олд Бэйли присутствует Рейхенбахский герой Шерлок Холмс... +А получилась бы прекрасная статья "Шерлок Холмс. +- Шерлок Холмс? +Шерлок Холмс, вы арестованы по подозрению в похищении людей. +Рич Брук, актер, которого Шерлок Холмс нанял на роль Мориарти. +Знаете, что, Шерлок Холмс? +Спасибо тебе Шерлок Холмс. +Шерлок Холмс ... мертв. +"Эксперт Шерлок Холмс!" +В Олд Бейли должен прибыть герой истории с "Рейхенбахским водопадом" Шерлок Холмс... +"Шерлок Холмс, человек в шляпе". +- Шерлок Холмс? +Шерлок Холмс, вы арестованы по подозрению в похищении. +Знаете, что, Шерлок Холмс? +Шерлок Холмс. +Шерлок Холмс... мёртв. +- Шерлок Холмс. +"Эксперт и дока Шерлок Холмс!" +- Шерлок Холмс... +А могла бы получиться отличная статья "Шерлок Холмс: +- Шерлок Холмс? +Скорее 20-30 раз. +Шерлок Холмс, вы арестованы по подозрению в похищении и насильственном удержании лиц несовершеннолетнего возраста. +И никто не чувствует себя обделенным, раз Шерлок Холмс - обычный человек. +Знаете что, Шерлок Холмс? +Шерлок Холмс. +Мертвому. +Они просто веселятся. +Я люблю сладости. +Ќаконец-то мы вместе... +И я старший сын семьи Андон Кима! +кто будет наследником престола. +Доктор Чжин. +что Министр уйдёт со своего поста? +если у Вас будет головокружение или Вы плохо себя почувствуете. +какая из этого выгода для Вас? +Они сами блестят. +Я выдумал для себя убежище, где жизнь счастлива, мирна и безопасна. +Я ему не доверяю. +Прекрати пороть чушь. +Да, так лучше. +Я тут заметил, вы тоже бывший самурай? +Живо! +- Давай, за уборку! +Всегда быть готовым к большему — вот золотое правило бизнеса! +Точно! +Эй! +- Я закончил. +Нет, я его задерживаю. +Это было для рекламы твоей колонки, или нужна была пара на свадьбу лучшей подруги? +Я знала, что у него здоровое сердце. +Круто! +Да, в 10 лет пришлось делать операцию. +Дело не в этом. +Бэй, он преступник. +Он задирал задир, и вносил толику новшества и галантности в этот процесс. +- Подловили. +Но ты меня ужасно расстроил. +Лучшие места для тайников. +Почему? +Налетай! +Это же наш малыш Пиноккио! +Я сожалею о том, что выгляжу подавленым +Электрошокер не легален в Британии. +Гарри, не надо. +Мне так жаль, Шон. +Хочешь, чтобы я тут в каждую чёртову дверь ломилась? +Какая же ты свинья. +Ну, ладно. +- Мне кажется, тебе не стоит... +Но она слышит только шепот +Рис Ратстейн, №2 в списке на трансплантацию, родился с синдромом единого желудочка. +Пожалуйста, тебе нужно уйти! +Только сохранить. +Главарь... +Переводчики: +- Да. +Существом более низкого уровня. +- Сейчас. +Не переживай. +Однако ситуация с NBC в Иране изменилась. +Если актёры готовы, то мы приступаем к читке сценария. +Я вернусь завтра. +Гости посла. +Славно поработала. +Обещаю. +Она просто - старая сука. +- Какое дело? +Мы боремся. +Я сняла их... только что. +Это семейное имя. +- Это отличная песня. +Что? +Ты был в тюрьме? +Должно быть они ранены. +Подобные риски, я как правило не оплачиваю. +- И ты проверился? +Той ночью здесь был кто-то еще. +И обязательно побывай в кампусе университета, развесь там плакаты. +берите вещи. +Акуленно! +Подождем когда человек закончит испражняться. +Она тот еще персонаж. +Вина? +Думаю, будет лучше, если ты уйдешь. +Можете сказать папе... +Ленивый Глаз. +- Нет, спасибо. +! +Теперь вы откроете библию и начнете читать мне мораль? +Да. +Нет, я знаю. +Прости, я правда хотел уехать с тобой подальше ото всего этого... но всё изменилось. +Правда, меня это не волнует. +- Простите. +А вам спасибо за проявленный интерес, сэр. +Но я не должен тебя убеждать. +- Черт! +Ты все испортил. +Просто... +Так ты поддерживаешь это решение? +Успех с русскими. +Что магнит? +Так, готов? +Принес? +чтобы сейчас отказываться. +Мы продолжим нашу терапию, Лана. +! +после увидимся. +Не знаю... не стоит. +Преследовала меня? +У меня есть то, что вы, копы, называете зацепкой. +Мы друзья. +Можешь, не сомневаюсь, но я сюда пришла не за половиной. +Я был не в курсе вашего прибытия. +- Я говорю об этом с моей мамой! +Превращаюсь в овощ. +Нина... +Я так и делаю. +Мы преступники. +Может быть, завтра? +Луиджи. +Но Noble имели ввиду, "Мы высылаем Вам другую "оставшуюся" машину"? +1150. +Ты - его противоположность. +Что? +Ты в последнее время, встречался с кем-нибудь из "бригады" Саида? +И с тобой тоже. +Я потом поняла, кем хочу быть на самом деле. +Проверьте Фитца! +Хак, это Оливия Поуп. +Ты же в курсе, что она замужем, так? +А это сегодняшний. +- Брат. +Смирись с этим. +- Это всем ясно? +- Привет-привет. +Да, это тоже. +Нет. +Пожалуйста! +– Как я сказал, сэр... +Вы не можете допрашивать Натали сами. +Так они и убили ее. +Я обращаюсь к твоей тёмной и коварной и, откровенно, сексуально несоответствующей стороне. +Я недооценил тебя, Натаниэль. +Да. +Так что, для Рейнхольда было очень тяжело разочаровывать нашу мать. +Ведь стрелять хорошо это не то же самое, что ездить на велосипеде. +Тут достаточно улик, чтобы закрыть Капусту и Ко за содействие. +Можешь там освежиться. +Я не смогу сама разгребать все неприятности. +00:07:39,195 -- 00:07:39,829 Спасибо вам , Вагнеры. +Ладно, не важно, забей. +Всегда предполагается, что выбор есть у каждого. +Lullub9 +Поднять +Что это было? +Что ты делаешь? +Мы сейчас должны заботиться не о диагнозе, а о том, что будет безопаснее для пациента. +Ты имеешь ввиду Тауба? +Во рту? +ФБР. +Научил всему, что нужно, и мы хотим доказать миру, на что он был способен. +Нет. +Дай мне подумать! +Нам об этом знать не обязательно. +Умоляю! +— Да помогут мне в этом боги. +Это был мой сын. +Это был мой сын. +Я здесь, чтобы получить диплом взамен моего фальшивого, чтобы я мог снова работать адвокатом. +Мясо почти никогда. +Мы начнем, как только вы будете готовы. +Так опустите ее. +Это Шерлок Холмс +Мне нравится жернал The Strand, как и всем, но мне прекрасно известно, что Шерлок Холмс - выдуманный персонаж. +Шерлок Холмс +Теперь же я дергаю за ниточки! +Это Шерлок Холмс! +Мне, как всякому, нравится журнал "Стрэнд", я точно знаю, что Шерлок Холмс - вымышленный персонаж. +Шерлок Холмс. +Я всю жизнь этого хотел! +Я не просил об этом. +Мы использовали ту же породу в моем подразделении в Тикрите. +Как будто, этот сарай с болтами кто-то угонит, Форрест. +Он так и спит на матрасе на полу, как долбаный китаец. +"Спасибо, братан"? +Не только Даунтон. +Кому? +"о был не президент ќбама, а президент Ѕарри √ибб ќбама. +я вице-президент "ѕат ћарк". +- Обалденно. +Постарайтесь не потратить её слишком быстро. +Значит, мы сами уедем. +Если доктор Моттерсхед - археолог, с какой стати она носится с этой новомодной чепухой? +- Да. +- И я надеюсь, вы его поймаете. +Что ж, прощайте, миссис Стромминг. +Вы просто притворялись? +Эй, лови Зайку. +Не могу поверить, что судья этого не видел. +Ты не смог этого сделать". +Все думала, когда же ты нас навестишь. +Назад! +Она не назвалась. +Вы вызывали? +Перевернутый текст! +Вы сказали, что так дешевле, будь я на семейном тарифе. +Заодно можно поговорить обо всем этом открыто. +Знаешь, у меня такое чувство, будто за мной следят. +- Завтра днем, мэм. +Благодарю вас, Шерлок Холмс. +Шерлок Холмс. +Капитан Грегсон, Шерлок Холмс. +Это Шерлок Холмс. +Вы хотели его забрать, но не смогли, не так ли? +Шерлок Холмс. +Капитан Грегсон, Шерлок Холмс. +Это Шерлок Холмс. +С-свинья. +Честно говоря, он... как обычно превосходен. +Должна быть связь, которую мы упускаем. +Это опасная игра. +По крайней мере, здесь я могу использовать это, чтобы поговорить о Кандински. +К тому же я хочу поскорее закрыть это дело. +И мы должны выяснить, кто. +Предпочитаю поговорить наедине. +Я поговорил с приставами. +Около 100 человек. +О, Боже. +Дам тебе 74. +Насчёт "Вспомнить всё". +Черт. +Про камеры в лифте даже в голову не пришло. +Теперь появилось много вопросов. +Вы как рыба на суше, Лана, бьетесь и задыхаетесь. +Я не оставлю тебя здесь, Лана. +Нет, сестра, это не обо мне, или Грейс. +-Точняк. +Она была ярко пестрая и я ... я любила ее +Она оставила меня, Билли. +Почему вы это делаете? +В общем, мы тут думали о большом празднике, пригласить всю семью Эми, и семью Рикки, и друзей Эми и друзей Рикки. +С иллюстрациями. +Ну, мы были неплохой командой. +Потом... потом он узнал правду, выследил ее и убил. +Может, ее волосы? +Я хочу показать тебе что-то. +- Бертран, звукорежиссер. +Спасибо. +- Не такая уж... +Она всегда думала и заботилась о своём муже. которая управляет почти всей недвижимостью Каннама. +( Тихо бормочет ) +Мэйсон, пожалуста, не сердись на маму сейчас. +Хочешь снова вырвать его из груди? +Это ведь не табак в трубке? +Что нужно сделать, чтоб завоевать тебя, Кэрис? +Вот твой знак. +Тяжелая работа? +Веря, что ему есть, что рассказать. +Что я могу сделать для тебя? +Пожалуйста! +Сентябрь хотел, чтобы ты это нашел +Что со мной не так? +Разряд! +- Убирайся оттуда! +И какого чёрта ты делаешь? +Р +Вылезай из долбанной машины! +Кто это? +Нет? +Похоже на то. +Мистер Голд. +Это было о нем, не обо мне! +Ну, это многое объясняет! +-Ты меня не просила. +- Ребекка, ты в порядке? +Компания близко. +Нет, мадам. +Будет лучше для всех, если я уйду. +Карл и Джимми воюют в гостиной. +На следующий вечер, все, что я хотел сделать - это насладиться вечером дома. +- Люди. +Вы нашли машину нашей жертвы. +Обнимашки и поцелуйчики? +- Они мне не друзья +! +Смотрю, ты вообще ничего не знаешь, так ? +Лига приняла нас. +Их богатство мы разделим. +Блейк Джон. +Застрелил девочку! +И теперь, я делаю так. +Полиция буксировала машину, когда они пробили номера и обнаружили, что она была украдена. +Спасибо, Сара. +- Чего? +Пендальф! +- Ну, конечно же, в спину. +- Как же она теперь найдёт меня? +Мое ночное зрение не такое хорошее как раньше. +Пока достаточно того, что я с тобой. +Она не моя. +Это химикаты. +Что ж, осталось только спрятать концы в воду. +- Должно быть было здорово. +- Нет! +Учитывая то, что я, возможно, покойник, могу спросить у тебя кое-что? +Без понятия. +Привет, классный костюм, друг. +Бэн мертв. +- Мы вас остановили из-за висящего на зеркале компакт-диска. +В нашей работе главное +- Обязательно. +Завали хлебало! +А потом она рождает маленького ребенка. +Где ты был? +Так, теперь гостиная. +Ну одно слово - зеки. +Хватит. +И я думаю, ты к Алексу так не относишься. +Руди? +Коля, Коля, это же... +Кто там? +Извини, но ты должен что-то сделать, Пит. +Ладно. +- Почему. +Должно быть что-то в доме Хокинса. +Пусть вышлет тебе квитанции, а ты уже отдашь их мне. +- Почему мне нельзя ехать на этом? +Если вы мне не верите, вот мои документы. +Он был великим воином. +Я выбрал тебя. +Пункт 17.3 твоего трудовго договора. +Я просто не хочу. +Боже! +Неужели у вас не было мужчин? +Можно вас на пару слов? +Да нет никакой разницы, сделал ли это Траттман, или кто-то подставил Траттмана. +Знаешь, когда этого еще не произошло, +Комиссар Голомб подал рапорт об увольнении с сегодняшнего дня. +Дата выхода в эфир 10 октября 2012 +Так кто он на самом деле? +Они всё больше... совершенствуются. +О, нет, нет, нет, моя красавица. +Ну не то чтобы знаю. +Помощь? +У Ким урок вождения. +- Да, а вы... +– Класс. +Поможет одно. +Я все выдумал. +Но, знаешь... +Привет, это Шмит. +- Высоко я взлетел? +Нет. +В Голете проходит ярмарка грузовиков с едой и там будет музыкальная сцена, группы играют. +Подождите.. у нас сегодня занятия, Буу? +Штат? +Своей грубой лестью ты не исправишь неловкую ситуацию. +Какого чёрта ты делаешь? +- Какого черта? +Отдайте мне, пожалуйста, Ваш телефон! +Когда холодно – одежду нужно надеть. +Возможно, это наш последний шанс. +Эй, Барни. +Иди. +Можешь снять это? +Она вернулась. +Хочу, чтобы вы знали, что миссис Флорик не имеет влияния на своего мужа. +Это плюш, все еще качественный. +Надо постучать по дереву, попрыгать на одной ноге... и ударить кого-нибудь из Йогерсонов! +- Ого! +Я не устал. +- Для Молины, все! +Похоже, у него есть разговор к продавцу закусочной на колёсах. +Вот. +Адам сказал поговорить с Виктором. +У меня есть приказ о покупке 4-х миллионов акций "Трайтек". +И вы полагаете, что я так просто пойду и сделаю это? +А теперь пошли. +Эй! +Забавно, что Вы спросили. +Я делаю вид, что я пожарный. +Ну, хорошо. +Куда ты? +О чем это ты? +Мы проиграли. +Ведь синий мет уйдет с рынка, я прав? +Нет. +Ну, возможно, они хотят, чтобы кто-нибудь туда пришёл, даже если звезда - не ты. +Последнее - верно, но я не злюсь. +Вам есть что сказать семье Карлоса Руиза? +Доктор Соня Кидд. +Простите меня. +Вы не... нельзя же... +А теперь убирайтесь. +Так мне уйти или остаться? +Ну всё. +Занятия по методу Грей начинаются прямо сейчас. +Нам пора пересматривать отношения? +Ну же! +Никто не получит сальсу! +Чак! +Было бы идеально разоблачить его сегодня на гала-приеме перед всей городской элитой. +Можешь ещё нам пригодиться. +Крыс останется здесь на ночь. +-это кровавый мюзикл! +Прости. +Мне казалось, что мы с Джейком были счастливы, но потом вэм, бэм, расстаемся, мэм. +Это "лисель" - галсовый узел. +Они играли определённую роль в ваших отношениях? +У вас есть студентка, Ясмин Рандэлл, она вам помогает в лаборатории? +Поздно ночью подвозил до дома. +Алло. +Но это совсем не то, о чём я собираюсь говорить. +Тара Скай была обижена на Кесси Флад, как в личном, так и в профессиональном плане. +Лисбон. +Я не настаиваю. +Тофу. +Прости? +С трудом в это верится. +Да, конечно, делайте меня предметом своих насмешек. +Фрэнсис! +молодец. +почувствовал себя преданным. +Ничего если я схожу по маленькому, моя крошка? +Знавал я одну красотку, которая любила пошалить в лифте. +ќн виновен только в том, что задавал вопросы. +я рисовала в парке и... +Я доверяю тебе. +Я не знаю, как я могу это доказать. +Привет, Питер. +- Шумиха из-за угрозы бомбы? +Вот так. +—ейчас мне нужно помен€ть ей Єбаные поднузники. +- ѕошли. +- Видимо, тот ему чем-то досадил. +Трое из них не сидят в тюрьме - вандализм, магазинная кража, вождение в пьяном виде. +Для вас бесплатно.. +Бешенства не было. +..."24-30-c-6-h". +Меня не отшили. +-Сделали? +Так вы нашли двойное дерево? +- Где он остановился? +А почему бы и нет? +Просто потому, что мы трахнулись? +Возле моего дома есть место в котором лучшая пицца так, что я просто... +- Что? +Какого черта происходит? +Что это? +Пока. +Привет. +У нас все пока хорошо. +Я тоже так думал. +Да. +! +Как вы знаете, мне повезло учиться у професора Нэш в юридической школе, правда, она ставила мне самые низкие оценки в моей жизни. +Кэрри, это мой друг, Шерлок Холмс. +- Привет +нет, ведь вашим пациентам, у которых вы его крадете не приходится терпеть сокрушающую боль. +Когда вам хорошо, вас тянет в магазин? +Это мешает соглашению. +а сплошная загадка. +сделайте одолжение. +Хьюго... +что мой убийца - спаситель. +как и ты. +Лучше. +С тобой он их надевал? +Настоящий профи, но заработал нервый срыв в середине процесса по защите группового иска против Бромквеста. +Зачем тебе меня ждать? +Знаешь что? +Давай, пошел, пошел отсюда. +Я первый, ты прикрываешь. +Какие ставки? +- Да. +Daras. +Только давай это пока останется между нами +Мне нравилась оригинальная песня на моем звонке. +Так и есть. +- Где ты ее оставил? +Могу я называть тебя "Нати"? +Я чувствую,что не могу не думать о тебе. +Нам надо очистить эти улицы, пока кого-нибудь не убили. +* +Ты живёшь здесь? +для симметрии. +Баттерс быстро учится обычаям предков. +Что-то там с кузеном случилось. +В каждом случае состоятельная пара убита посреди ночи. +Шерлок Холмс находился здесь шесть месяцев, и за это время он не упоминал ни женщин, ни мужчин, никаких имен либо дат. +Шерлок Холмс. +Шерлок Холмс находился здесь шесть месяцев, и за это время он не упоминал ни женщин, ни мужчин, никаких имен либо дат. +По криказу губернатора с целью строительства железной дороги Чжи Ли жители деревни Чен должны в течение 7 дней снести свои дома. +В предыдущих серия "Нэшвилл"... +Только без мексиканцев. +Сэма Джонса. +Тара в курсе. +Подброшу тебя. +Мой муж — президент клуба, Джексон Теллер. +Мы к услугам вашей светлости. +Я понимаю, мистер Педроно. +Политика здешнего офиса может сделать людей параноиками. +Начало через 5, 4, 3, 2, 1... +Это мог быть Китай или Япония, возможно даже Индия. +Все зависиттолько от вас. +У меня есть кофе на кухне, займитесь сами. +апельсиновый самый вкусный. +Французского генерала. +Слишком поздно. +- Правда? +Ты сейчас с ним? +Я не осуждаю. +Член преступной группировки. +Эй. +Нет, вы же должны меня защитить. +Ордер на обыск, перчатки... +Мы будем следовать доказательствам, независимо от того, куда они нас приведут. +Что ты думаешь насчет японской тематики для детской? +Вот, вы видите? +- Ладно. +Заставил своего друга совершить незаурядный подвиг. +Ты не слышала, он сказал тебе, что я не раб? +- Спасибо. +Будь ты проклят, черныш, мы не преступники. +На чём мы остановились? +Пора прикрыть мои уставшие глаза. +Не получится. +Благодарю вас, благодарю! +- Ужасно. +Она не из таких. +Ты мог вписать меня. +Но Ваше Святейшество возвел короля Карла на... +Я, может, и не Нарцисс, но можно мне потанцевать с Эхо? +Мэнни! +Что ж, думаю ты только что потерял шанс быть шафером на свадьбе. +Чтобы делать что? +Но он понимает людей. +Нет! +Да, она шумная... +Это всего лишь на несколько дней а затем она вернется в Скоттсдейл +-Я спрятала все серебро. +- Знаешь что? +ЧарльССтон. +Эта любовь безнадежна. +Нет. +Здесь кто-нибyдь есть? +Tы, что ли? +Ты тут не при чём. +Я не была уверена, захотите ли вы давать интервью после всего произошедшего. +Эй Лип, что-то на радаре? +мест? +Девиль, познакомьтес? +2... +Но когда я увидел его с Остином... +Мистер Кворлс, из-за вас я уже потерял пост шерифа. +Я буду копать и дальше и не остановлюсь, пока не найду что-нибудь. +Как бы сильно я её ни любила, она отвергает любую мою помощь, а я... я знаю, что она несчастна. +Раздевайся. +Сестра Мэри Юнис всё мне рассказала. +Прости. +Щас иайдет +Оиа жива. +Мистер Хейген свободен. +Тебе надо напомнить, что это значит? +Все нормально, эм... +Лотор Брюн, вольный всадник на службе лорда Бейлиша, и сир Донтос Красный из дома Холлардов. +Мика, где Пит? +Ну же! +Я не имею права задавать вопрос "почему?". +И немного жирным? +Ладно. +"Крокер" +Где Данте, кусок ты говна? +Или вы сами можете изменить своё время. +— Да. +Умираю с голода. +Не потом, или когда тебе будет удобно, а сейчас же! +Я не знаю. +И на этот раз никакого постановления о неразглашении. +Тед, не имеет значения, сколько вещей ты нагромоздишь в этой комнате... +Ну, просто... я действительно скучаю по городу. +Думаю, тебе стоит согласиться. +Галя, ты же Шаргунову всю голову проломила. +А мне нравится это приложение. +- О Господи. +Скажи ему, как долго я поставляю вам алкоголь. +Стоп! +Я и не собиралась, но... +- Да, это просто как блокировать определенные звуковые частоты. +И "черная дыра" тут тоже отметился. +Доктор Махони: сдаешься? +Послушай. +Иногда он говорит. +- Ещё пивка? +Я к Эбби. +То есть это грандиозное событие произошло с нашим первенцем целых три месяца назад и всё это время ты мне ничего не говорила? +За женщину платили ее отцу деньгами. +Прошу, не убивай меня. +но... что вы меня использовали. +А вознаграждение? +Мне пора. +Сказал, что с небольшой помощью она может сама о себе заботиться. +Ему не нужна была компания. +Запах дыма и смерти ветры унесли в самое сердце Рима! +И все? +Я просто пытаюсь помочь. +Да, тогда Клаус вытащит из нее кол. +Когда я последний раз просила тебя внушить ему. +Но показ в НИАДА на этой неделе, так что мне придется провести все выходные просто я усердно готовлюсь к нему, чтобы быть увереным, что я справлюсь. +! +Это просто альбом. +Человек не имеет права прийти в свое любимое место, и просто выпить, и посмеяться? +Хм? +Сплетница. +Я должна была получить доступ к твоему трастовому фонду, для твоей матери, что я и сделала, а потом вернулась к своей жизни, пока не столкнулась с тобой в Лос-Анджелесе... +Будем здоровы. +Да, но не у этих. +У МИ-6 нет крота в "Византии", мистер Кил. +Галлюцинации сделали его убийство проще? +O, нет. +Это я фрикаделька? +Иди ты на хуй. +Ну почти. +Шерлок Холмс. +Шерлок Холмс. +Ну, наше небольшое недопонимание на вашей вечеринке. +Я - основной докладчик, Харви. +Хочешь расскажу тайну? +Я слышала, что охотники на ведьм убили твоих родителей. +Ты разрезал меня на десять частей, Лиор. +Я понимаю... +Серия 6. +Я у нее в руках, как зверь в клетке, и нет зверя более опасного, чем зверь загнанный в угол. +Хорошо? +Конечно. +Всё что тебе нужно. +Как он завербовал тебя? +Нет, я нужен Деклану. +Да, об этом я и говорю. +Paramount только распространяет, в обмен на 40% от сборов. +Ты это умеешь. +- Я в порядке, мам. +После главы о составлении писем-жалоб, позволяющих получить товар в компенсацию. +Придумайте стратегию, хорошо? +- Мы должны сказать ему, что она придёт. +Садись. +А что у тебя с работой? +Да, Рэнди, ты не веришь в американскую команду? +Я исправлюсь самостоятельно. +А он уже празднует, даже не зайдя туда. +Он потерял много денег, теперь тонет и жалуется. +Пассажирам метро на маршруте Б было страшно. +Именно в 10:14 утра? +Она права. +И только выпивка избавляла от боли. +Я думала, о паре бутылок хорошего шампанского. +-Роберт! +Великолепная молодая девушка... и такой конец. +можно сказать и так. +— Идём? +как это понимать? +Приятно познакомиться, ребята. +Я буду в порядке. +Ну и кто выигрывает? +Видите? +Под макияжем не видно ... +Никаких сомнений. +Да нет, не надо. +или ваше желание? +- Это моё вино? +Знаете, мы давно потеряли связь. +Но взамен он забрал все. +Вот настоящая причина, по которой Кэмпбел его преследовал. +Ты шутишь, да? +Дзынь. +Выдра! +Вы - воплощенье чести. +Продолжай. +Увидимся на поле брани? +- Путешествует везде. +- Нет. +Давай свою красивую ручку. +Очень хорошо. +Так что кто ты, черт возьми? +- Я уже видел это раньше. +да святится имя Твое... +И я чертовски уверен, что могу быть им снова. +Хорошо. +Я работаю... +Нет! +Я тебе всё верну, я тебе клянусь. +Не смешно. +Да, а операция "ужин" прошла успешно. +Тебе надо зайти на склад, достать дело МакКиллена. +Привет. +Ммм +-Гусеница превращается в бабочку! +Что кто-то хочет твой смерти и нанял для этого чёрного парня. +Он не понимает, насколько здесь важно время. +На самом деле, их было три. +Вставай! +Давай! +Ну и что? +Вы найдете конверт на столе. +Я рад что хоть что-то обо мне помнишь... даже если это всего лишь мои фейерверки +Фактически, они могут пробраться незамеченными почти везде, если захотят. +Кости будут разбиты +У него Мирт и Минти. +Возможно, золото осталось без охраны. +Чудненько. +Леди Галадриэль +Мы должны проснуться, чтобы воплотить мечту в явь +Такой был план. +И никому не стоит знать, что я ходил за конфетами. +Знаешь, ты останешься "новеньким" до тех пор, пока не узнаешь получше своих друзей. +Идем. +Подожди. +#Быть может образное покрывало# +Я осталась без машины до завтра. +Эй, не налегай на сосиски, сына. +В Бакане есть страсть. +Вы... хромаете. +А сколько сюрпризов было в этих развалинах! +У озера. +У нас мало времени. +Хотите увидеть? +Что она делает? +Ох, у нас есть одна из них? +Быстрей! +А взамен можно перед уходом... +Нет другого выхода." "Я ничего не могу поделать +! +Я передам ваши слова. +Хорошо +Тебе не надо ничего делать, хорошо? +Мы так гордимся тобой. +Гордись собой. +- Моя помощь с редактированием слегка давит на тебя? +Прости, за то, что было ранее. +Ничего не понимаешь. +- А, блин! +Я не очень хорош в роли парня. +Большое спасибо! +Я как можно скорее найду себе что-нибудь другое. +Согласна. +Автор сценария Крис Грин +21 декабря. +Где Риффо? +Я им воспользуюсь. +Подарок на рождество. +А, привет, Эльза. +Итак... скажите мне... как ваша жертва может выглядеть как Нельсон Блейкли, когда он якобы умер десять лет назад? +У вас самые защищённые компьютеры в мире. +Спасибо, Шерлок Холмс. +Да, это так. +Не вините себя. +ты прав. +Вы сказали, что не общаетесь с сыном. +Что происходит с Томом? +- Ты в порядке? +- Сообщи это. +- Да. +Я у тебя в долгу. +Эй, Иосиф, зацени. +Слушай, не мог бы ты прийти ко мне домой сегодня? +Да. +Кажется, не стоило заводить этот разговор. +Усмехаясь. +Водицы... +Они такие молоденькие здесь. +Прошла ли я только что мимо фургона с едой и купила себе вафельное мороженое с фруктами? +Вот фотка, где мы целуемся в офисе Бена. +Да. +Что еще-то? +Гонщицы. +Если отключат твою игру, то тебе же будет хуже. +Святилище! +Давай. +Нашла тот секретный проход и теперь здесь живу. +С чего это ты... +И, кроме того, меня ждёт моя работа. +Малышка естественна. +Ты его взял? +Я знаю, это - иритопотин, он - жулик! +Но жульничать не просила? +Такой смешной, чуть нас не убил! +Это реально! +Ой... +Я лучше всех тебя понимаю. +! +Я совершал ошибки. +Ну, не совсем место, скорее отсек для хранения. +Не думаю, что это хорошая идея. +Я могу позвать их и попросить помочь. +Перлин, вы должно быть гордитесь Кеннетом. +Тебе надо шоу делать. +О, нет... +Так говорит лев. +Нет, все в порядке. +Голос Масакадо? +растёт много колокольчиков. они уже расцвели. +О, да ладно! +Нет. +Именно здесь Ричардс столкнулся с этим психом. +Ёто было прелестно. +√ермиона. +Ладно, прости. +Средний – то, что я сейчас купила четыре кекса и один съела у тебя в ванной. +Она моя Джеки О. Тебе стоит вдуть ей. +- Да. +Да. +Высший пилотаж нагишом. +Она сказала, что поможет мне найти что-нибудь о том пожаре, в котором погиб мой папа. +Я подошел к окну, увидел на земле тело. +Э, Джо, а можно нам два билета на полицейский бал. +Это помогло? +Было мило. +Не говори мне о красной ленте. +- Это за то, что изменил жизнь моего парня. +Спасибо за отличный сезон. +Нет. +Постой рядом со мной. +Я ношу галстук и все такое. +- Что? +Сукин сын забрал мои награды. +Он всё ещё здесь. +И нет пути назад. +*Скажи мне почему* +Внутри досье на него от МИ-6. +Если я смогу выяснить, где, у Айзека больше не будет на меня рычага давления, и я смогу его убить. +Слушай, я не могу связаться с Микичем. +Итак, какой план? +Охранную систему усовершенствовали после того, как была украдена скрипка. +Ты... ты всерьёз сравниваешь нарушение божественного обета с крошечным пятнышком на репутации твоей семьи? +-Да, это был не экзамен! +Это невозможно. +Открывай сейф. +Код – чёрный! +Пошли! +Отстань! +~Улетитведьптичка! +Если они не придут, Валерия останется без подарков. +Ты ведь не при чем? +! +Отличная новость. +Я умоляю вас... +Слишком часто мы друг с другом сталкиваемся. +Я не знаю никаких запретов, меня ничто не остановит. +Ты красивая. +мои ножки! +не надо! +Все они изучают политические науки. +Виноват мой отец. +Сдохни! +Вот что я знаю, детка. +Но сейчас ты спасаешь невинных людей, таких, как Чарли Бертон, а не старых гангстеров. +И твои сводные сестры. +Все они продажные. +И Нуклави? +У Леа не будет другого судебного процесса, так что это правильно. +- Невероятно. +Ты в этом добилась успеха. +[Право же, я не хочу, чтобы вы унижали ваше величие], [целуя руку вашей недостойной служанке.] +! +Хорошо. +нам можно сегодня просто понаблюдать. +Это... почему ребёнок в слезах? +Так почему? +умрешь ты или я. наступи на меня и иди. +Ты слышишь меня? +Координатор - kukushka92 Переводчики +Вы только что велели ему перелезть через забор? +Теперь ты в полном смысле слова одинок. +Ждите сообщений о дизентерии. +ВИДИШЬ ТЬМУ В МОЕЙ ДУШЕ, +Помогите! +Ты говоришь, что я его сам себе отправил. +На кого ты работаешь? +Пожалуйста, вызовите полицию! +Мне нужна ваша кредитка. +И тем более ей больше не нравится Мэдисон. +Остаться где? +Я понятия не имел. +Ты так респектабельно выглядишь. +Я абсолютно сосредоточена. +ты ещё многого не понимаешь. +Сама так умоляла правдоподобно притворяться им... в каких вы с ним отношениях. +Сейчас нельзя уставать. +Почему? +Я буду тебе платить +Фонарь починили. +- Очень вкусно! +Ын Гёль меня ищет. +Ты бы куда лучше подошёл на роль главы компании. +Всё-всё? +был бы настрой! +С каких это пор? +Мне понравилась Марципановая Диана. +Люси закрыла, ключик ... +Зачем нужна война? +- Надеюсь, что у них хотя бы есть кровати. +Привет! +Да, в самолете. +- Прости меня. +Они все думали, что они лучше меня... +Эмили, я был один в течение 13 лет. +Когда я смогу с ним переспать? +О, Алекс. +как. +Брианна только что это твитнула это. +Хорошо, я позвоню Брассу. +Почему? +- Ничего. +Прекрасно. +Мне нравится, когда все, как есть. +I'll raise it a fiver. +Думаю, это не +Вы понимаете? +Но это не так страшно, как то, что она зачем-то иногда врет о себе. +Расскажите мою историю. +Они идут! +Завтра на работу. +- Он тебе не поможет. +Обгоняй этот Пежо! +Это ты кастор устроил? +Дело в том что я боюсь что утром мы пойдем туда где матадоры встречаются и они тоже не будут его знать. +Ребенок переправляется через Атлантический океан чтоб искать своего отца. +Но в городе они производят впечатление чего-то противоестественного, почти чудовищного. +У тебя остался только я. +И щепотка отчаяния. +- Клянусь, что нет. +С ней всё будет хорошо, Док? +Как ты думаешь? +- Можно я зажгу свечи? +Враньё. +Это шутка? +- Ты разве не собирался за город? +- Она вернется. +Мария... +- Добрый вечер. +-Джузеппе Ротунно +Моя мать даст что-нибудь на себя накинуть. +Это наш лучший, лучший. +Она - твоя! +Вот что, я успокою ее и привезу. +С недавних пор, это моя любимая еда. +Конечно здесь, и сейчас. +Их много на свете. +Вы сказали глупость. +Мне уже не раз приходилось урегулировать такие случаи. +Я не могу себе позволить взять с собой чужую жену. +Мартин, ты хотел бы иметь ребенка? +Несмотря на болезни и смерти, мы получим 1 1 тысяч сестерций! +-Гордая. +! +Надеюсь, ему нравятся эти приветствия. +- Хорошо. +Она уехала из Феникса неделю назад. +Прокатитесь кружок. +Вот и дождь прекратился. +Она всегда ворчит! +Этот Симпсон работает в том же банке, из которого сбежал клерк. +Мы пытались связаться с миссис Эндрюс, но похоже, что-то не в порядке с вашим телефоном. +А что ему сказал доктор Шолкин - уменьшить количество холестерина. +. С вас $17 4,50. +Голди Уилсону III, в любой из наших 29 отделений. +Черт! +Куда ты пошел? +НАДПИСЬ: +Хорошо. +И тогда я уничтожу машину времени. +Он узнавал все результаты из альманаха. +Идиот. +Хорошо, погодиите. +Да, наверное, ты прав. +И люди тут бессильны? +Держитесь крепче! +Я уже не вижу разницы. +Мне нужно закурить. +Я пришла попросить развода, и он настоял. +Да зачем он вообще здесь нужен? +Хорошо. +Вы всё же можете быть дикарём. +Хо хо хо. +- Ух ты! +Можно? +Успокойся! +Это ты, папа? +Очень давно. +Мы её просто обожаем! +Виконт! +Я не хочу ставить вас в неловкое положение. +Дyмaeшь, мнe вeceлo, кoгдa тeбe вeceлo? +Tы eщe ycпeeшь. +Не по моей воле. +Девки тебя любят, а? +Порядок! +Я уже говорила - меня напугать очень сложно! +[ Гомер ] Видишь? +Ладно. +Но и в фильмах тоже. +А потом я уехал. +Давай, пой, черт возьми! +Нет больше. +Каждый день, я вижу тебя.. +Копы! +Он лежал вот здесь. +Эй, мужики! +Давай спрашивай. +- Не стреляйте! +Мы - "Ленинградские ковбои". +Я всё равно буду идти за тобой. +Холодно. +Я все спровоцировал. +- Я не могу этого сказать. +Я как-то жил в этом доме. +Я уверовал в Бога, Мириам. +Сегодня из дома. +Кики, смотри! +Папа говорит, что мы живём для того, чтобы тем, кто придёт после нас, жилось проще, но у нас не всегда получается. +У тебя уже много раз была эта проблема. +Положите конец мучениям с протезами. +Я вас нашла, чёрт возьми! +Когда я покупаю новую книгу, то всегда читаю последнюю страницу. +Навсегда? +- Что это? +Открой окна! +Что ты сказал, повтори. +Я лишь надеюсь, что сэр сможет найти время... в своем, как я понимаю, чрезвычайно беспокойном расписании, чтобы оценить, что для меня остричь волосы на голове сэра... представляется покрытой снегом вершиной в карьере цирюльника. +Вот так жизнь и идёт, Барбара. +Даю тебе слово. +Теперь мне страшно. +Нажми эту кнопку здесь! +- Славные дети. +...и это твой служебный долг. +Ты ходячая проблема. +Пойди, проспись. +Полезно знать. +Столько же времнени занимает поездка из Саффолка в Лондон. +Мне бы надо учить арабский или посмотреть графики морских перевозок, но, я думаю, уже слишком поздно. +У этого образца кишечник содержит мягкие листья тропических растений. +Я сказал, иди спать. +Боже мой! +Привет, Чарли. +Доктор, я ищу вас. +Держись крепче. +Мне очень жаль, Джордж. +На "три". +Я могу заболеть в любой момент. +Сержант, мы в душ. +Ещё хватит на ремонт, если мы будем бережливы. +- Но если ты не будешь бегать, то много потеряешь. +Вы знаете, как вытащить пулю? +- Найдите пса. +Так ты коп? +чтобы съёмки начались... нужны деньги. +На этом все. +Умеешь удивить своим визитом. +Директор дал своё согласие, ведь она часть моей работы. +И мне бы не пришлось париться с экзаменами. +Как ты мог так со мной? +Как похоже на тебя. +Она ушла на работу, дорогая. +Этого еще не хватало... +Кажется, я заболеваю. +Мэтт, будь недалеко от меня на левом фланге. +Ну всё, увидимся завтра. +- Да? +Я не видел тебя на работе. +Павлиса тут нет, скоро придёт. +Теперь ты стала сиропная. +Сильнее. +Прерати! +- Не знаю, это ты эксперт по дипломатике. +- Хочешь, я поставлю за тебя? +Это единственное, что я ела. +Сколько раз я должен говорить одно и то же! +Ты не можешь, хотя бы немного повеселиться? +Тогда ладно... +Почему ты не ответила? +Какой он, этот парень? +что хакеры пойдут тем же путем. +Ким У Хен? +Вы его знаете или нет? +Да. +Прокрути немного назад. +Я пойду. +Я! +Почему ты не уходишь? +Да? +записная книжка) +поэтому я не могу быть незатронута. +и что? +Кто тебя просил приходить такой красивой? +Работать допоздна, когда тебе сделали предложение, так несправедливо. +Ты упорно зовешь это струной. +Ѕыла великолепна€ пара. +Чего вы? +Он лишь недавно представил свою собаку, Герцога. +Я позволил вам поработать в Четвёртом полицейском участке, но всему есть пределы. +Думали я вырою нору и сбегу? +Да, вбейте "ДэнниЖахаетЖивотных.Ком". +- Что ваш пёс сейчас сказал? +"Джерген" - вы знаете что делать. +На каждом входе стоит по десять вооружённых бойцов. +Мы все можем умереть. +И от этого стало так тепло внутри, словно взрыв блёсток. +Суть в том, что я не могу этого сделать. +Англии. +ва? +эт? +На кого руку подня? +я ва? +де Брильи, затащи? +русски? +Мы знали, что если переживем школу, переживем что угодно. +Дайте 10 пакетов теплого физраствора. +ноги неутомимые. +плох? +Госпожа Ким Хан А! +Негодяй... +я уже попросил воинов поискать его... +Что Вы делаете тут совершенно один? +Что Вас привело сюда? +- Никто. +Ах ты, щенок! +Таня сказала учителю, что священник ничего не трогал. +- Давай! +- Никаких. +- Нет, выслушай меня. +Смотрите, вот она, лейтенант. +- Я бы лучше осталась с ним. +- Со мной? +- Абсолютно точно. +И какие хорошие манеры. +Стэн? +Он уходит с работы ввиду ухудшения здоровья, вызванного переутомлением. +- Да, если это в моих силах. +Сестра, сестра, Немного терпения. +Лина! +Всё подарки воздыхателей. +'Нам 18 лет' +Знаменитый сыщик мистер Шерлок Холмс +Верно, сначала "Следопыт", потом Шерлок Холмс. +Впрочем, Шерлок Холмс учит, что именно пустяковые дела дают простор для наблюдения и анализа. +Трудно, поднять руку на человека, если минуту назад были под впечатлением общих воспоминаний. +Выпроводи! +- Сюда, ко мне. +- Нет, дорогая, розовый. +Калевала, покажись! +Замораживайте землю! +Этот узел тебе никогда не развязать. +Нет. +Но ей могли сообщить эту новость, как бы это сказать поточнее... на словах. +как я ожидал. +Осторожно, кто-то идет. +Ох... но Ты такая же, как она сама! +Что ты, я же пошутил. +Мама, это твой сын, Роджер Торнхилл. +- Держите. +И Томаса. +- Не смейся над ней. +Какая радость. +Не теряйте ни минуты. +Посмотрим, что найдем. +И должно быть по ошибке взяла сумочку Вашей жены. +- Я слушаю. +Один велит отдыхать, а другой - делать упражнения. +Если бы у нас была кабинка для переодевания, все было бы не так сложно. +- ни один корабль не мог стоять здесь больше суток. +Развратная девчонка +Тащишь в рот всякую грязь. +Ты хочешь залезть в воду, Джорди это все равно, что подписать себе смертельный приговор. +-Ты что, хочешь похоронить меня здесь заживо. +В Англии нет художников, достойных так называться... +В нём беспpеpывнo гopит oгoнь, pвущийся из недp земли. +Руби, привет! +Я принёс вам кофту. +Поэтому эпизод с Эмили придётся снимать сегодня в прямом эфире. +Нет, сержант, не надо священника. +- Добро пожаловать в Арборию, принцесса Ора! +- Нет, нет! +Блин! +Мы не хотели мешать вам, господин. +Придется все время улыбаться... +— Он знает, что делает. +Бог мой. +Но командующий ещё не прибыл. +И свечами возьму. +- Что ж... +- У тебя плохо получается. +- там, верьте, счастья нет! +Издадут в роскошном переплёте +Мне сообщили только, что ее поместили в детдом и изменили имя. +Мышь? +продолжайте исследование. +С такой фигурой, как у тебя, ты будто тратишь природные ресурсы впустую. +Даже в собственной микросхеме шагу не ступи... без разрешения Управляющей программы. +Понял. +Он такой с самого первого дня. +Он отрицает всеобщность! +Видел вчера, как они тренировались на площадке. +Товарищ Йованович, принимайте руководство. +Я тебя слишком хорошо знаю. +Пару узелков хотят вырезать всего-то +Меня помнят те, кому я мыла машины на автомойке. +Я никогда не отпущу тебя, приклеюсь намертво. +Гнев и ненависть заставляют тебя сообщить об этом. +Почему вы молчали? +Где... где мне подписать? +У меня есть парень, который меня устраивает... +Наверное, её заставил менеджер. +Думала ты не придёшь. +Все. +Что Вы делаете посреди дороги? +А теперь вопросы. +Так и есть. +Что? +Я вернулась, Эрик. +Может. +Стойте. +Да, хотя в этом нет необходимости. +Надеюсь у него все хорошо +Нет +Тот что повыше думает, что ты привлекательна. +Когда я был маленьким и Уолтер возвращался со мной в свою вселенную, лёд треснул. +Вы были как Шерлок Холмс. +Он всегда говорил: "Всякий раз, когда ты чего-то не понимаешь, попроси совет." Может ли чей-нибудь разум быть ему врагом? +То, что мы будем путешествовать по всем вокруг мир, что мы сделаем кинофильмы. +Люди, это весьма неплохо. +Сто раз тебе говорила: до замужества мужчины для меня не существуют. +А где Адрик? +/Ы! +- 53 минут, Антон. +Извините Леон, Я не узнал Вас. +Иди к чёрту, мерзкая свинья! +До свидания, Георг. +Правда? +- А, лягушатник? +У меня аллергия на Ретинакс. +Затем, я посоветовал ему вернуться в Германию. +- Благодать. +- Берите ваше сокровище, мой юный друг. +В жару и стужу жгучую, Чтоб не было беды, +Перестаньте! +Искусство – просто байка. +Боже, я просто не знал, что это будет так грустно. +Это невероятно, мне надо поговорить с Вами. +-Спрашивайте, я отвечу. +Всем известно, что это улица шлюх. +.. +Брайс КАммингс, мы познакомились в СпАго. +Дик, дай пару баксов, мне негде ночевать. +Вы ничего не видели. +И наконец, в этом заявлении раз и навсегда подчеркивается... что пришельцев не существует... поверхностного мира не существует... а Ванда Сакнуссемм... лишь плод Вашего воображения. +Я жажду... +Думай о времени, проведенном вместе. +Я имею в виду... людям кажется... что вся жизнь еще впереди, они живут завтрашним днем, но это все чушь собачья. +С тобой все в порядке? +Я хочу поскорее поправиться, чтобы увидеть привидение. +Я уверена. +— Нет. +- В конце концов пусть объяснит! +Кто плох? +Запомните её. +- Джеймс. +- У многих людей есть подобные. +Что она его тоже... того? +Через пару часов заеду. +Я здесь живу. +Я рад, что он счастлив. +- Обещаешь? +30. +Ну а смотритель? +Не могли бы вы подписать книгу для моего внука? +Деньги потекут рекой! +] +- Вали отсюда, мы закрываемся. +- И тут пусто. +У него есть билет в ад? +Тогда действительно родственники встретятся! +Шифр такой. +- Тогда до завтра +Трус этакий! +Я не вру. +Прекрасный день. +Если вам что-нибудь известно об этой девушке, пожалуйста, свяжитесь с нами. +- Нет. +Он захватил мою пиратскую станцию... +Большая игра, национальный плей-офф 85-го. +Это он метнул нож в Эдду, твою мать. +Осторожно, доктор. +Нет. +Достаточно? +Сердце вырвется сейчас, почти Шанель №5. +Спасибо. +Спасибо. +- Я ребенок. +- Оставь девчонку в-покое. +Девять, десять Никогда не спите, дети +Спасибо. +Спасибо. +Ладно. +Мы переезжаем в Палм Бич. +Также эмоциональный риск. +Как дети, честное слово! +Да, но, +По существу, М-р Коуп. +Она пойдёт одна. +- В каком смысле? +Пойдем, потанцуем! +Но не всё же время! +Мне нравилось быть сопричастным этому. +- Ты принесла копилку. +Спаси меня, Алонзо! +- Улицы зовут! +Зонтика всякий стоит. +Бесы просили Его, чтобы позволил им войти в них. +Тецуо... +Но когда она вернулась и увидела его здесь, не представляете, что с ней было! +Отличная работа. +Вы в последнее время стали часто нарушать наши обычаи. +- Я слышу голос, молодой голос. +- Мама не любит ябед. +Чего не имею права? +Как вы вообще сюда попали? +Поздравляю вас. +Ну ладно, до свидания. +В танковой полиции одни ненормальные девицы... +Чего это ты задумал? +Они убьют нас. +- Может быть, ты был прав! +Технически это змеиная желчь, но в целом он прав. +О, боже! +- Бабах? +Ёто было и так очевидно. +Ца. +Зачистить и уничтожить! +Морт, давай вместе обдумаем ситуацию. +Этот. +Пингвины из Мадагаскара. +Фу-у-у, мех на ногах... +Чак Чарльз и я знаю новости. +Моя машина! +За чистую работу. +Дорогой. +Куда там, вы - отбросы планеты. +- Это они? +Так что пошевеливайтесь! +Не волнуйтесь! +Мы никогда больше не будем делать "бабах"! +Рэй, спасибо тебе за свидание в лифте. +Я хочу уйти отсюда. +Почему бы тебе не посидеть здесь? +- Вылет в полночь. +- Мои как боксёрские шорты. +Ох, моя нога. +Нет, один ФБРовец. +Не уверен. +Плохой привычкой. +на самом деле я миссис Слоун. +Он полностью решил, что я не буду делать ничего, что нарушит его планы. +Когда она вернулась, первое, что она сделала, это пришла увидеть вас, сюда. +Вы меня обскакали. +Бросьте. +Лучше останьтесь. +Направо? +Как будто ничего и не было. +Нет. +И нечего называть меня психом! +Надеюсь, и для меня останутся какие-нибудь роли? +У меня нет другого выхода. +Это ж Ронда Роузи! +- Я не знал, что сказать. +Убийца застрелил его во время молитвы. +И я собираюсь вернуть ее. +Будем с ним пожестче. +Мой отец жизнь положил, пытаясь ее найти. +Нет, нет, всю зарплату целиком! +Сначала это стена, а потом внезапно раз - и появляется пробоина, а вскоре и стена падает. +- Так, погодите, 5 дней в неделю, 7 недель... +Нет. +Эй, народ! +Смогу рассказать о подобных ситуациях и как с ними напортачили. +Я направлялся в Нью-Йорк, чтобы убить тебя, +Не уверен, который час, но если отправитесь сейчас, будете там к рассвету. +Спасибо. +Дрилл, я хочу, чтобы ты оставил мою дочь в покое. +Будто ее и не выгоняли. +Приказала. +Говорите. +Капитан, вы же знаете – это несправдливо. +Напомни мне, откуда ты? +Запечатывайте. +У системы наблюдения есть ряд проблем. +- Отец, он только что приехал. +Это правда, что жизни Вашингтона что-то угрожает? +Да, дорогая. +Но я устал оглядываться назад. +Я начал работать на город Нью-Йорк шесть недель назад. +Поэтому у нас теперь обычная старая кофеварка. +Со всем уважением. +Там ты ощущаешь себя один на один со вселенной. +Я вас всех люблю. +Вы можете сказать: "Ну и что? +Поверьте. +Эй, ребята, хотите увидеть, как мы это делаем на Северном полюсе? +Жребий брошен. +- Всем встать! +В общем, они оказались в восторге от книги. +Это характеризует тебя лучше всего остального. +Ведьма! +Так, когда отправляемся? +Влажная. +Это ложные слухи! +у нас произошел прорыв. +Эй! +Может, я положила их в другую сумочку. +Милочка, когда я захочу послушать рассказ, я скачаю аудиокнигу. +Разве нам сейчас не это нужно? +Хорошо. +Отец, закрой глаза. +А я просил тебя о помощи? +Стэна избили. +Вокруг чего? +– Так и есть. +- Это неправда! +Быстро. +Чувства специального агента Пуран вполне логичны. +Говорят, что она переводила деньги кому-то из рассылки по терроризму. +Я знаю. +Ты что под кайфом? +Я просто хотел, чтобы он её забыл. +Всё будет в строжайшем секрете. +Возможно. +Арестуй. +Ну, мы пожалуй пойдём. +- Лев. +Кто-нибудь пробовал так делать? +Калеб Браун. +Помнишь предоплаченный телефон, с которого Акосте звонили в ночь убийства? +Ах, да. +- Вы идёте тусить в клубе. +Эм, это нередкость в здесь. +- Бесчисленные сокровища. +Он стал вас отвлекать. +И кто? +Чего именно ты от меня хочешь, Лиам? +Спасибо. +Сегодня утром оборвалась жизнь серийного убийцы Джо Кэрола. +- София. +- Да. +Но с тех пор я узнала еще столько всего. +Но если да... +Что за отбросы общества предпочитают их еду вот этим деликатесам? +Я всё ещё загружаю операционный код в нанороботов. +Представьте, как они шевелятся. +Если только ты не Шерлок Холмс, то не стоит рыскать дальше. +Если только ты не Шерлок Холмс, то не стоит рыскать дальше. +Я подумываю о том, чтобы пропустить один семестр. +Кого-то подстрелят. +Знаю, они не настоящие. +- Я не убивал их? +Похоже, пиво ударило тебе в голову. +Боже! +Хотела бы я, чтобы парень так смотрел на меня. +У Винса кое-что есть. +Я не верю, что тема обсуждения имеет значение. +Моррис хочет купить ствол. +Ничего! +И... +Твои отпечатки на пуле, которой убили Неда Дрейка. +Не совсем. +Миссия... ..для которой, я уверена, ...вы предназначены. +Этот перевод, возможно, ещё не готов. +Сегодня у вас будет пять минут. +Первым от лица Gryzzl выступит мистер Рон Свонсон. +Ты можешь прозевать человека из-за того, что ходишь отлить каждые 10 минут. +Вперед! +Позор тебе, дочь... смешать с таким dandical народных когда твоя плоть и кровь должны иметь приоритет. +Да. +Но он тебе нравится, верно? +Переводчики: +Оно проходит по незакрытому делу о грабеже в...догадайся, где... +Помоги. +- Нет, Шерлок Холмс, не подменят. +Как мило! +Мои мысли это демон, который преследует меня. +Да, точно. +Знает, что ненавижу ждать. +♪ Домино, Домино! +Подтверждаю, сэр. +Да. +А теперь, человек, который нас туда сопроводит, ваш Маэстро Родриго де Суза. +— Да, да. +- Непросто вас поймать, советник. +Я так не думаю. +- Ну, после этого, сможем ставить по 2-3 за день. +Я была уверена, что все просто. +Пришли сюда без разрешения. +- Ладно. +Нет, я уже проверила больницы и морги. +Я положу конец слабостям. +Грейс с ума сходит. +Да, правильную, не основанную на страхе. +Слава богу! +Обещаю. +Нет. +Что? +О, а где Тиана? +- Кто садится в такси и говорит: "Везите, как хотите. +Восемьдесят восемь? +- Какие у тебя на неё планы? +Ты понимаешь, что я держу нож в руке? +Воу,остановись. +- Поделом! +- Сюда, сюда лей! +- Отвяжите его. +И тогда, пока солнце падает в закат но до того как прибудут ночные часовые, нападение может быть совершено. +Я боюсь. +Нет... +- Я? +Они просто хотят кончить. +А что мне с этого? +Еда будущего. +Это не конец, Сэмюэлс. +Господи. +- Поколение +Все началось. +Я так понимаю, вы сегодня почётный гость. +Она коснулась его руки. +- Мой адвокат? +Я ношу цветок! +- В качестве вашего спутника, вы имеете в виду? +- Мисс Лили. + +Трев, зачем ей врать? +- Ёб твою! +Полегче, милый, а то швы разойдутся. +Переводчики: +Да, она просто... просто добавила. +СЯДЬТЕ В КРЕСЛО, ПРИСТЕГНИТЕСЬ И ПОМОЛИТЕСЬ: +В In Utero мне понравилась песня, которую вы убрали - "Ненавижу себя и хочу умереть". +Тебя создал Дэвид Элстер. +Так, вы находите куколку, и делаете все, что нужно подходящее для такого... как трагическая случайность. +- Да, я слышал. +Кажется всё, пора идти. +Сегодня было фигово. +Потому что я тебя знаю целых десять лет, и ты никогда не ходил в храм, и не разговаривал о вере в Бога, а на прошлом Дивали я наблюдал, как ты съел два фунта священной коровы в бразильском стейк-баре. +Учитывая моё прежнее отношение к этому вопросу, кажется, малость опрометчиво поднимать его сейчас. +Где твой настоящий нож, Кол? +А что если он не покажется? +Знаю. +Тебе от этого будет не по себе? +Просто иди. +Да, вам понравится. +Я тот человек, что вас ударил. +¬иктори€ ¬инчигуэрра. +"ри недели сижу. +Ответьте на один вопрос. +Что? +Ну, для начала, я здесь, чтобы ты извинился передо мной. +Мне пришлось уйти, пока я могла. +Угнали машину со стоянки у закусочной... +Ты что, Шерлок Холмс? +Тогда мы должны придумать, как заставить его полюбить тебя. +Нет. +Анна может быть замешана в этом? +Ты знал, что твой друг хотел здесь арендовать склад? +Ты говоришь о моём не волонтёрства? +Слушай, я помню твою ситуацию тогда. +13.14 +Ты меня слышишь? +Ребята попали в сильный ветер. +Я должен был прятаться в дурацком сарай, что бы практиковаться каждый день. +# Когда вы открываете его, чтобы говорить +— Я только надеюсь, что она тебя... удовлетворяет, потому что если нет... +Не связывался со мной. +- Послушай меня, Тео, здесь речь идет не о работе, а о жизни людей! +- Что происходит? +Агх, я знаю что, мать, только не знаю-- +- Что это за звук? +Psychotechnic +Ты думаешь, что мой сын с тобой, потому что хочет заняться сексом со мной? +У тебя счастливая жизнь? +Мы взяли в долг 5 кусков, чтобы расширить производство... +Здесь мало кто знает, что в меня стреляли, не говорите об этом. +Ага. +Наполовину растение, наполовину зомби. +А как ты попал в эту тему с зомби травкой? +- Нет. +Да, значительно чаще, чем мы изначально договорились. +А ты попробуй начать. +– Назовите имя. +Так что вы хотите, Рут? +Вообще-то нет. +Теперь поторопись сдержать и своё. +Да. +- Ничего? +Послать Уотни достаточно еды до Ареса 4, или послать Гермеса обратно, чтобы забрать его сейчас. +Осторожно. +76 километров. +Это же 5? +39 минут 12 секунд. +Адресовано всему экипажу. +Каждый день я выхожу наружу любоваться дальними горизонтами. +Дэнни? +- И это отстой! +- Она пропала. +Видно, что вы ухаживаете за собой, но я скажу это всё равно. +Эй, Маркус. +Но ты только посмотри на себя. +Из-за тебя Барри Сила грохнули. +Я хорошо усвоила этот урок. +Значит, я отнесу их в свою квартиру, и ты сможешь прочитать их там. +Направляю наряд, но мы сейчас перегружены. +Гнаться за ней на кресле-каталке? +Вы не зря потратите время. +Конечно же, конечно же мы вернёмся. +Нет, просто не посылай его в Берлин. +Но несколько лет спустя один осведомленнейший человек рассказал мне, что девушка без денег, земель и войска довольно быстро обзавелась и тем, и другим, и третьим, а вдобавок еще и тремя драконами. +Он смазливее обеих моих дочерей, но сражаться умеет. +Он смазливее обеих моих дочерей, но сражаться умеет. +Но не вы, отец. +Кем? +- Цел? +Происходящее со мной кажется невозможным. +Это несправедливо. +- Найдите его. +О, мой Бог. +Классные времена тогда были, правда? +Но ты волнуешься, что он может перейти черту? +Благодарю тебя. +- Я немного выпил. +Пожалуйста, не забывайте об истинной причине сегодняшних показаний Бобби. +Отлично работаешь, Берри. +Вы - легенда. +Хор так низко пал в этой школе, что мы не сможем никого к нему привлечь. +Я все потеряла! +- Дружелюбные. +Тобиас... +Возможно‎, мы действительно что‎-то чуждое этому миру‎. +Вы... не могли бы положить это в багажник? +Ты издеваешься? +О, да. +Заместитель шерифа Юджин Куше. +- Пусть врач подберет тебе новые препараты. +Но мы не разбиты. +Младший лейтенант Санд, 4-я рота, 2-й велосипедный взвод. +Молодец. +Тебе нужно будет поговорить с его начальником, Уэнди. +Вот кто ты такой. +А! +Можно и так. +Это повстанцы! +Змеи, такие большие, что могут проглотить целого человека, а потом выплюнуть его кости? +Зачем я это делаю? +Прости. +Мне жаль, что я знал, но я думаю, потому что он боится и я думаю, что он не может вынести до то, что произошло. +Но я точно знаю, что он существует. +Принцы, принцессы, и охотник, жулики. +Старое, как это. +Что там происходит? +Не двигайся, придурок! +Что предложил Фиск? +Лесли Шамвэй был бухгалтером... вашего... +Они просто снайперов. +Дай пять, дай пять! +- Нет... +- Ульф! +- Выпьем! +"Вороны" +Избавься от него, хорошо? +"И самая белая белая шея"? +- Да. +- Я сходила в магазин. +Ты сделала? +Я ничего такого не делал, Эйвери. +Хотя бы так. +Да, верно. +Потому что никто не сказал мне об этом. +Тут тебе не смехопанорама. +Мартин, следи за языком. +Я никогда бы его не бросил. +Нет! +Оставь меня. +Устройся поудобнее и наслаждайся своей ебаной игрой. +Угробишь нас обоих? +Наркоманы становятся самоубийцами, когда заканчивается кайф, а не когда у них в кармане лучший товар недели. +Полиция. +Я могу понять, почему ты так думаешь. +— Попробуем снова. +Сэр... +Есть хорошие парни и плохие парни. +Вы ещё что-нибудь помните о той ночи? +Не думаю, что понимаю, каково ей. +Это понятно? +Ч я побеждала. "ри года подр€д. Ч руто. +Ќу, в чЄм ещЄ ты уверен? +- Нет, ты не в порядке. +- Тим Вагнер. +- Во время нашей первой встречи вы сказали, что учились около Куперстауна. +Гарсия, как у тебя продвигается с проверкой людей в соседних районах? +У Диего были какие-либо проблемы с деньгами, кредитами за учебу? +У правительства есть система, +Если не возражаешь, +Как и я. +Не надо, пожалуйста. +Думаю, у меня было бы столкновение и с мисс Синклер, если бы она она смогла попасть в Гарвард. +Подъём! +Можешь попросить детей закрыть глаза? +Теперь мыло по 60. +Вы знаете этого человека? +Как ты, вообще, мог подумать о том, чтобы прийти сюда? +Я часто ездил в Лондон по выходным, когда учился в Сэндхерст. +Надеюсь, вы принесли полиграф. +Чух-Чух. +Лекарство строго проверяется, так что... я не... +А мы просто на работу идём в красильню, прямо туда, как обычно. +Первым делом братаны, а бабы потом. +Нет, мы можем и сейчас поговорить. +Укрепление Лас Вегаса было гениальной идеей. +- Я не сказал вам, потому что... +Хорошо. +Верни мне, блядь, деньги... уёбок ты чёртов. +Джейми, ты же знаешь, что не должен использовать эту линию. +Доставьте ублюдка Джареда Веннетта ко мне в офис. +Верно. +Марк... +Нет, а что? +Ну, просто так ничего хорошего не дается. +– Нет, нет. +Я считаю, что наша работа не требует осуждения других культур. +Что? +- Это кидалово, пап. +Шерлок Холмс. +Теперь очисти свой меч от ее крови. +Какого чёрта вы тут делаете? +Бутылку за бутылку. +- Ты ее слышал. +Ханна нашла паспорт на имя "Холли Воржак" на чердаке её дома. +Бэкстром был прав насчёт второй бомбы. +Я давно тебя знаю, Алекс. +Это он, офицер. +Могу только сказать... справляться одному - это не жизнь. +Он главный сегодня. +Я так не думаю. +Черт! +У меня есть мяч. +Мей Фонг была благословением. +Он хочет вернуть свою дочь. +Консультант Нью-Йоркской полиции, Шерлок Холмс. +Уэйтс сбежал из-под охраны полиции. +Майор Андре вызвал нас в Нью-Джерси по очень важному делу. +Давай, Тер. +Можешь взять это... +Такого больше не случится. +Силовые атаки. +И оттуда наши грузовики отвезут его в страну Басков. +"Мне нужно, знать кто это". +Вы пережили свою первую нью-Йоркскую зиму. +Это Джим Фаррел сидел с ними в машине? +Что такое? +Я даже не знала, что нравилась ему. +Вот! +Эта баба мертва." +- Отстань от меня. +Все нормально. +И нам нужно благодарить за это Охотников на драконов. +Реплику. +В постели,он был так же плох со своей пипеткой, как и его проза. +Силой мысли. +Вы собираетесь обвинить меня? +Ну же, папа! +- Через перевал. +Боже мой, Блейк! +Нет. +Возможно, следы укусов. +Как бы сказал Шерлок Холмс: +Дэннис тоже переходит на второй уровень, но в моё прямое подчинение. +Вот твоя мать. +Я забеспокоился. +- О, Боже. +Всё обман. +Твоя протеже, твой золотой ребёнок. +Да там всех сношают. +- Прекрасно. +Так. +Мартина арестовали за мошенничество, подделку улик и препятствие суду. +- Ты точно сделала всё, что могла? +Защита! +Ты нужна там. +Большинство людей говорят просто "Мэтт Мёрдок". +Эта большая головушка создана не только для больших шляп. +Они на самом деле думают, что у них есть отношения с этими людьми. +Я люблю его. +Ты все еще официально не ответил на приглашение. +и вам требуется помощь. +Что мне напоминает мне нужно ей перезвонить +Отто? +Да ладно, Джимми. +Я ничего не понимаю. +Твоя кожа кажется очень мягкой. +Давай, лучше я. +Прогуляйся со мной, Блейк. +Ну ты знаешь, как у крутых ребят из старого вестерна. +Спроси ее, делала ли она когда-нибудь интимный пирсинг? +Займи позицию внизу рядом с окном на случай, если канцлер не умрет от моего выстрела. +Для безопасности. +! +Погнали! +Мне больше не нужна Хизер. +Может умрёшь уже? +- С уважением, для миссис Крэй. +Если честно, Я думаю, ты уходишь как раз вовремя. +Индейские земли. +О мои любимый брат Реджи. +Поговорить о нововведениях в телефонных системах. +Они убьют тебя, если понадобится. +Шерлок Холмс? +Никогда не работай на пустой желудок. +Шерлок Холмс? +Где наш отец? +Великолепно. +Заткнись. +Вслед большим переменам приходят враги. +Уилл, все будет хорошо. +Извините, мистер Родригез занят. +Это особое ощущение... вибрация. +Я тебе не писала. +Именно. +И вы должны хотеть того же. +Проснись и пой. +Он, скорее всего, ранен, но ночлежку всё равно сможет найти. +Мир очень жесток. +Детка, народ обожает модный попкорн, это же проверенный факт. +Салфетка у Лео из тайного подпольного клуба в Бронксе под названием "Пьяный кролик". +Хорошо. +А потом назови это судьбой, провидением, богом, как хочешь он пришел ко мне. +Отвратительно. +Ты говоришь о короле. +Это печально. +Поделитесь информацией, отследите вирус до источника. +- Она тебе что-нибудь говорила? +Да, её сделали мы. +Да, таков её дар. +Давай, девчонка. +Госпожа хотела поговорить с ним +Джоани, в это утро. +Определённо нет! +Нам было весело. +Марисса МакКей... поступила с жалобой на острую боль в пояснице. +Виктория, если ты это смотришь, в твоих руках положить этому конец +- Господи! +эээ... +Мы стали мощнее. +Как я и говорил, самая трудная часть в отладке это не исправление ошибки, а её нахождение. +Я говорю не о той информации, которую ты можешь найти онлайн. +Старшеклассники тоже танцуют! +ведь поварихе обварили лицо. +Ладно, итак, мы нашли футболку Хейли на улице у твоего трейлера. +Да, это не к добру. +Э, я обещала приготовить курицу, как ты любишь, с лимоном в заднице, но не было времени, поэтому китайская еда. +Что ещё? +- Убирайся из моего дома! +Я не думала, что в тебе это есть. +- Никаких правил. +И так много места. +Обсудим всё завтра на свежую голову. +Я понял, что тоже должен стоять на своем. +Да, я надеюсь на это. +Я наконец-то сделал это. +- Таким образом мы можем... +♪ Летнее солнце знает мое имя, оно зовет меня ♪ +Да. +Ты же не опишешь меня, как безумную старушку, которая разговаривает с собаками? +Ты должна была быть на работе. +Нет! +Конечно. +Что ты скажешь теперь? +Сначала его убили. +А почему вы думаете, что это связано с Жаклин Мэдден? +- Он так трудно это пережил. +Намного страшнее Санты. +- Да ладно. +Руки вверх! +Это прозвучит безумно, но весь офис был превращен в... +Пошли, пошли, пошли. +Он услышал, что ты для меня – самый дорогой человек на свете, и что я не стану хранить от тебя секреты, и его поддерживаю не только я. +Брось, Харви. +- Что дальше? +Легенда гласит, что если землянин возьмёт в свои руки оружие, даже чтобы пристрелить другого землянина, +Где твой охранник? +Я никогда не могу оторвать Люси от айпада. +- Вы были его студентом. +- Мы спасли его жизнь. +Это мальчик из другой семьи, Мартин. +Как и этот Эйнштейн со своей теорией... +А убить меня. +— Ему они нравятся. +Извините. +Ну, в этот раз тебе лучше не промахнуться. +Кто! +Вы построили машину времени? +Вас не напряжет общение со мной. +И тебе. +И ничего не придумали? +Машина. +- Ты подписываешься на участие, только в том случае, если съемки будут проходить на винограднике, и назовем шоу "Королевский ремонт". +Я еду с тобой. +- Но она не обрадовалась. +Одна надежда, что злодей не утащил его на этот жуткий Хот. +- Ещё! +Такова природа земли, к которой мы отправляемся. +Мы любим манго. +Я знаю, они напугали тебя. +- Я просто сказал "привет". +Он обманул нас раньше. +эти расстройства излечимы. +- А вы, доктор Мастерс? +Не объявлять на операции с наличными. +Вы сказали: "готовьтесь". +-А я - нет. +Не буду вам мешать. +Когда живешь на катере на пособие, то полностью утрачиваешь чувство реальности. +Хорошо? +Ты врач? +Да иди ты. +Что с твоими людьми? +Настоящий пример всем нам. +Ладно. +Может быть. +О нет! +Там, где я жила. +Хорошо, ты звонила Лине? +. +Высокие потолки. +Берч-стрит. +Оставь свет,Боб. +Да, надо же, впечатляет, но речь не о батарейках вообще-то. +Ради чего? +- Тогда зачем забрал? +Я даже не знала, что эти карты здесь. +Мы провели несколько дней в пути. +Ты на вкус как средство от мух. +Это связано с химиотерапией? +Все хорошо? +Единственный мост в округе с железнодорожными путями... +Как Шерлок Холмс. +По крайней мере, она спасает жизни. +И, Джексон, ты заскочил меня врасплох. +Верни её к Барбиро. +Я переживаю за шары. +Он должен что-то знать. +- А че такое, приятель? +Прошу прощения, я отлучусь. +- Ты почистил зубы. +Она состояла в Сопротивлении. +Что ты делаешь по воскресеньям? +У тебя, что? +К сожалению, у меня нет того, что тебе нужно. +Мне он не нравится. +Морган, остановись. +Новый шериф. +И я знаю, что некоторые из девушек в моей команде +- А я не еду в Ред-Рок. +Просто быть здесь. +Любая чувствую себя довольно уверенно все? +Повысь дозировку на 3 кубика. +Я... я не помню. +Мы хорошие люди. +Меня называют Мать Тереза Лютер Кинг +Я ищу свою дочь. +Найти тебя. +Почему защита не сработала? +- Нет, нет, нет. +Околачиваются. +- Точно. +После этого допроса мы связались с окружным прокурором Кратцем и сообщили ему о том, что выяснили в ходе допроса. +- Миледи! +Как вы думаете, почему они подрались, почему шериф был таким яростным. +Прошу, расскажите прокурору то, что рассказали мне. +Что за навязчивость. +Поиграть и тому подобное. +Колумбиец? +Что тогда будем делать? +Третье. +Я считаю, ничто не проясняет дело лучше, чем рассказ о нём другому человеку. +Я буду одним из их следователей. +Но... +Удобрение. +На все девятнадцать замков на Стене, если нужно. +Нет, вы не смеете. +Уксус есть? +Королева обрадуется, что ты везешь ее дочь домой. +Вы ее очень любите, правда? +А в будущем товарищ Непис займется тем видом спорта, который больше подходит рабочей молодежи. +- Я высоко ценю его оптимизм. +- По вашему профессиональному мнению, использовалось ли это хакерское устройство на выборах? +Теплый. +Что ж, я бы хотел пойти туда прямо сейчас. +1960. +Нет, нет, все мои. +Я всё равно не буду называть тебя "Ваша честь", несмотря на то, как ты туда попадешь. +Правда, все нормально. +Мой дед живет на юге Португалии. +Уверен, это очень трогательная история. +- Половины джила. +Что она бы стала моей. +Хватит! +Если мы не будем лезть в дела друг друга, думаю, мы отлично сработаемся. +Но чтобы ты знал, я не брошу эту затею, будешь ты мне в этом помогать или нет. +- Уверена. +Ах, Сэм, у тебя слишком предвзятое мнение обо мне. +Дэвид говорил, что у него есть враги? +— Они нашли тело на крыше. +— 16 секунд назад, вы про неё даже и не знали. +Как бы то ни было, мы должны убедиться, что колокол больше не зазвонит. +Она принимает Бонива от остеопороза, Селебекс от артрита, аналог Диазепама, не знаю от чего, плюс половинку Соната, Люнеста и Амбиен, чтобы уснуть ночью. +Так что я уже пьян как анемичная 10-летняя девчонка. +Кошмар +Ты не можешь садиться за руль, тебя нет в страховке +- Какая такая? +У нас их нет. +- Правда же? +Мы встретились на яхте сэра Ричарда на Британских Виргинских островах. +Они с Вудру думали, что это я Дэвис вальнул. +- У нас проблемы. +Цветок. +Возможно. +Добро пожаловать. +Полиция! +Я ничего не говорил про есть. +И если он опять исчезнет, я узнаю. +И, учитывая ваш арсенал, у твоей команды явно есть солидные средства. +— Почему? +Твоё возмущение трогательно, но едва ли я могу обижаться, ведь это я предложила жить раздельно. +Вы – добрый и самоотверженный человек. +Живо! +Донна Джексон. +Хотите раздавить "Иль Хо Групп" вместе со мной? +Лейтенант, доброе утро! +— Видишь? +Знаешь, я когда-то был импульсивным покупателем. +О, черт. +Оторвись ты с девчонкой моей... +-Никогда +Я поспрашивал одного из слуг Конде +То опоздал. +Ни за что не угадаете, кому он звонил в день ограбления. +Дальше я не пойду. +- Ты и ещё четверо. +- Нет, сэр. +Ладно. +И... +- Флэш! +И исходя из этого... и только лишь из этого, обвинению не удалось вескими аргументами доказать свою точку зрения заключающуюся в том, что мой клиент действовал не в целях самообороны. +Это всё граф Эд. +Предвзятое отношение ко мне. +Полный текст вызовет предвзятое отношение. +Но я ничего от тебя не жду, а ты ничего не ждешь от меня. +А я говорю: "Нет, не могу". +Смотри, я сделала два варианта Дженнифер. +Без обид, но тут стопроцентный Нимой, без примесей. +Да брось. +И вот сегодня утром я получила третий. +Бросил нас, когда был нам нужен больше всего. +Что у тебя на спине? +Клэр, всё это не реально. +- Серьезно? +Это направление. +Видите? +Всё, хватит. +В любое время. +Наш паровоз летит вперед. +Оззи, мне нужно, чтобы ты сосредоточился. +Это очень ловкий трюк. +Сергей, это я. +Вот так. +– Тогда зачем он поддаётся? +Неопределенный. +О чем это ты? +Мы могли бы сделать что-то типо тех машин-приманок? +Лана прибрала к рукам копир. +Я иду наверх. +Я лишь использую их, чтобы получить желаемое. +Это старушка. +Видно, что ты сейчас расстроен. +Чумовая была поездка. +Я тоже. +Она старая, но я смогу наладить её. +- Ты кем себя, на хер, возомнила? +Типа, "Шотландский поход". +Помогите! +Раз попробовав +- Он жив! +Да, я вас помню. +Э-э ... высокое количество сперматозоидов убийцы показывает нам, что это человек в возрасте до 30 лет. +Подобно жизни и черепахе. +Почему ты тут? +Я отдам все, что в бумажнике. +- Не настолько, чтобы обменяться с ней. +- Санни. +Поначалу воспринял это с трудом, но он всё сделает. +Я тебя люблю, знаешь. +Но к цели ведет много путей. +- Надо подумать. +Эмили. +Эм... +"Ты голубизна самого неба" +Извините, мэм, эта сумка ваша? +Головы не поднимать! +Выметаемся! +- Только что поступило предложение от "Биг Машин". +Вам всё нравится, мэм +Думаю, это она. +Знаю одно местечко. +— Конечно. +Сейчас я делаю для вас то, что сделал для вашего отца 25 лет назад. +— "Унесенные ветром"! +- Какая комната? +— Сюда, направо. +Присядь, пока не упала. +Он сказал , " Бог помогает тем, кто помогает себе" +Спасибо. +Николь, ты выйдешь за меня замуж? +Сейчас же! +Привет. +Харрисон, он террорист. +Из-за ненадёжного теста, который провела я. +Шерлок Холмс, кстати, называл себя также. +На ней изображена дверь. +Пусть и не самым лучшим способом. +Круто закодированные послания и в каждом шикарный шанс. +А это значит, что нет у него никакого пространства. +Я же встал в другом месте. +Тренировки на планете Бируса!" +– Закон? +Если он еще не сбежал. +Вы говорили, сегодня нет игры. +Просто выслушай правду, Хейден. +Тейлор! +Мы пока еще не уверены. +- Мам! +Могу я поцеловать вас? +Помнишь, когда я был в святом кресте ты привез новую форму для нашего отряда, и я видел, как ты на протяжении многих лет выдавал индеек на день благодарения и подарки на рождество. +Он только сказал, что мы закончили с этим пакетом, хотя на самом деле мы не обзвонили даже трети людей. +По показателям температуры печени приблизительно 72 часа назад. +Могут быть задержки. +Я принесу. +— Привет! +Это "Марго" '55. +Ты опоздаешь на презентацию. +- А кто может? +Проверю Херцфельда. +Это iMac. +Кто-то сделал это для неё. +И обнаружил это. +А может быть и знает. +Стой. +Наш парень родом из Мангиса, Бали. +Покажи мне ещё раз. +Это Шерлок Холмс. +Вы искали альтернативное объяснение преступления. +Нет, не знаю. +Nicky, Serena, Alison, Sleepwalker, Eva, Selena, alexpv +Их сын – бисексуал. +Джиджи все планировала, как Джордж Клуни, в их сумасшедшей версии "Одиннадцати друзей Оушена", а Бун был мускулами. +Сними маску! +Хочешь сделать кое-что, что выведет Куинн из себя? +Спасибо. +Коллирую. +Самоубийство привело к мстительному духу. +- Конечно. +Идём. +Позволь им. +И что ты пытаешься мне показать? +Токио, Япония. +Ладно. +Нахер этих пираний! +Что с ними стало? +Нужно зайти к ветеринару, оставить несколько фотографий. +Мы использовали различные устройства, чтобы наблюдать за подопытными. +- Сколько глаз у рыбы? +Давай, Радж. +— Я не воровка. +Привет. +Я думала, что ему конец. +Похоже, это одноразовый номер. +- Привет, Джон. +- Душу за это запродала, ага? +Барахтаются. +И ты принесла опасность сюда. +Я сейчас его отключу. +Рада, что ты вернулся. +Всё будет хорошо. +- Нет. +Что мне ещё сказать? +Не взлетела. +Нет! +Думаю, на сегодня хватит, Эми. +Наташа, дорогая, нужно проверить, в порядке ли мой ствол. +- Шериф? +- Клево. +Это здорово. +Сейчас, да. +Она пригрозила SOT515 разоблачением. +Камень с души упал, когда узнала, что она в безопасности. +Ты сказала бы мне, если бы была еще какая-то причина, да? +У меня нет акц... +Нет, не особо. +Что он написал в отчете? +Нет, мой господин. +Я перенесла все встречи на завтра, потому что ты пьяна и одновременно у тебя похмелье в два часа дня. +Возьми бесплатные чипсы. +Это было удивительно! +-Кэти,что ты делаешь? +♪Вся моя любовь лишь в моей голове? +– Я никогда не смогу вернуться к преподаванию. +ѕусть калека уходит. +Ётот шлем умеет его читать. +" тогда Ћос€ отправл€ет. +я ее хочу. +- Хочешь, чтобы тебя кто-то подождал? +Рентабельность членов клуба идет по умолчанию. +Милый, выбери что-нибудь одно. +Что со мной не так? +Гей, натурал, просто любовь. +Ждут в очереди с номерком в руке, как в отделе деликатесов. +И ладно, прекратим инквизицию. +Сектор шесть. +Да, он мой друг. +Шш,шш. +Они считают, что я собираюсь выкрасть эту страницу. +Она словно всезнающий Шерлок Холмс. +Мне нужно сдать его или стать частью его лжи. +врожденная харизма. +Давай, вперёд. +Правда? +Такое больше не повторится. +Что же... +Тут есть часы, шарфик, кепки есть. +-Что? +Правда, которая выйдет на свет вместе с этими письмами... +- Итак, мисс Даль, вы организуете свадьбы уже 12 лет, верно? +Вы сказали, взять за горло. +Не после того, что они сделали с Эбби. +Да, развесим ее лицо по всей Веге и предложим награду любому, кто приведет ее к нам. +♪ струилась в мои ладони, ♪ +Юрий! +Вера... тебе нужно кое с кем познакомиться. +- В контексте ее сообщения! +О, перезвони ей и скажи, +Так что где-то в последние 36 часов. +- Детективный отдел. +- В отношениях доминировал я. +Когда вы видели его последний раз? +Да. +Пожалуйста, нам нужно кое-что тебе сказать. +- За что? +Ребекка! +"Не объективизируй свои завоевания" +Скоро ты узнаешь правду. +Ха. +Да ты Шерлок Холмс, Гретч. +Давай, Гекко! +Ну, никто не застрахован. +А это не проблема? +Подрядчик дамбы знал, что если залить больше цемента и камней в фундамент, стоило бы очень, очень дорого, так что он подумал, "А почему бы не делать этого". +Позор вам! +Мой сын проходит сейчас важное испытание +Только моя жертва сможет их остановить +И хочет пить. +Нет, нет! +Полагаю, та же самая причина, по которой я только что звонил тебе. +Дерьмо! +То есть он очень милый, и очень умный, и очень смешной, но всё время носит сабо. +Чт... +— Нет, нет. +(Онлайн-магазин обуви и одежды - прим.) +Что ты творишь? +Пойми Эд, хорошо это или плохо, но я Спартак. +Финн, ты прямо, как Шерлок Холмс, который перебрал с текилой. +Оу, Финн, ты звучишь как Шерлок Холмс после слишком большого количества текилы. +Да. +Найди всё, что сможешь... адрес, работодателя, ближайшего родственника. +Мне нужно было заработать эти деньги, именно это я сейчас и делаю. +Да, ты был. +Боже мой, я постоянно прокручивала и прокручивала это в своей голове +Их назвали еретиками. +Не знаю, но его больше нет. +- Куда-то собрался? +Что случилось? +- Я... +Я не хотела к нему прикасаться. +Наоборот. +И назвала тебя соответчицей. +Заседание комитета уже минут пятнадцать как началось! +Не сегодня, смерть! +Если выживем, я не пойду в УКЛА. +Все для дела, я полагаю. +- Я тоже. +- Что за дела с презервативом? +Так... вы с Мэтом не спите? +Это все, что я могу сделать. +Они его выследили, конечно. +You're awfully far from Hong Kong, +Одна из них БМВ Х5 2013 года. +У вас что, глаза накрашены? +Она замужем. +— так что вот... +А ты должна вернуться к работе. +Мы вдвоём можем сесть в тюрьму. +Думаю, и он в глубине души тоже. +Как и профессор Мориарти. +- Как и Шерлок Холмс. +Шерлок Холмс мгновенно распознал бы соглядатая, и тут же узнал его имя, политические взгляды, место рождения - только по пыли на его кожаных ботинках. +"Что делает Шерлок Холмс в костюмерной в Мидланде?" +Что на счет Air One? +Дерек. +Вы в зоне большого риска из-за, как вы там говорите, жира и большого возраста. +! +- А Вы кто? +Рик. +Смотри. +Куда ты? +Брак - это постоянные компромиссы и жертвы, нечто для тебя непостижимое... +Люсьен... иногда, если вы копаете, выясняется, что кое-что скрывалось не просто так. +Не знаю, но надеюсь, там носят штаны. +Я сам сюда приехал? +- Нет. +Будь кем хочешь, это ж не плохо. +Вы, наверное, прожили сотни жизней. +Я не блядь. +Лады? +Что важно, что ты забрала у меня? +Простите. +Делай ее у себя в комнате. +То есть, вы ехали сюда, чтобы пригласить меня на концерт? +- Все в порядке. +Ты им не подходишь. +О, мой Бог, Кэти! +– Не в свое время. +Зачем ты это сделал? +Вопрос не в том, что задумал ты. +- Я выйду здесь с Бобби и Хантером. +Это слишком быстро для меня. +Что ж, Мардж, твой Роджер не так уж безупречен теперь +- Да. +- лучше, чем у неё. +- Нет, хотела! +Я могу поискать, возможно... – Да... +Если здесь кто-то есть, подайте знак! +Хорошая идея. +И кто же? +Но вам будет непросто. +Как там? +Её светлость надула мистера Мэйсона с фермой, +Извини! +Спасибо. +Не волнуйся ... я взял побольше кексов. +нет.нет,я поняла.я просто.. +Здесь раньше находили коров-мутантов. +Я говорю, что много лет назад, Стоик подарил этот рог вождю племени Берсерков, +Но это уже неважно. +Значит он как-то догадался, каким образом мы смогли отследить его или её. +- Конечно, но откуда они у тебя? +Марни - не какой-то инструмент для ласкания твоего эго. +Лэйрд, это не для тебя. +Он бывал здесь иногда. +Нет, я... +Но злые королевы? +Я бы нашла работу. +Проклятье. +Кто-нибудь запишется, парни! +- Давай! +Я наглоталась кислоты? +На такого, как я, она и не взглянет. +- Как ты смеешь? +Я имею в виду... +Су карта коронель! +Всё хорошо. +Беззубик, давай! +Я тут по полицейскому делу. +Так. +Очередная казнь? +У меня было достаточно притворных поцелуев. +Больше чем уверена, что все-таки циклопы. +Я четыре года наблюдал, как ты орал на херню, которой не было. +Мы смотрим на рецептор нейропептида Y в мозге обезьянки. +Пожалуйста. +Ты унижаешь себя и унижаешь медицину. +Удачи с фотографией. +Черт, сестрёнка. +Но она не единственная, кто оказался в ловушке. +Он украл ребёнка. +Заткнись! +Ничего! +Джордж никогда не навещал меня в тюрьме. +Центр Нью Спрингс. +Помнишь информацию, что ты стащил у Наз, там ещё видео по изучению НЗТ? +Ваш дом в другом районе и там есть куда более безопасные места для пробных взрывов. +Пока-пока! +Вы прямо Шерлок Холмс. +Я тот ещё Шерлок Холмс... +Клас. +Ладно. +Алисса, все в участке уверены, что ты меня обманываешь. +Три бургера дня. +Нет, не думаю. +Погодите-ка... +21 июля 2001 +А мы почему так не делаем в День Мартина Лютера Кинга? +Можно и так. +Не смогла расстаться с нами, Перси? +Гари будет в порядке. +Приготовиться. +Я рада, что ты из тех, кто заливает горе алкоголем. +Если тебе нужна базука, я тебе достану базуку за 15 минут. +Держу тебя. +Реджина, мы не собирались отпускать тебя. +Группа Бэкмаск. +Не на отдыхе. +Он просто выглядел как детектив Тоун. +Возможно, он нам и не понадобится. +тут столько намешано. +- Явно не "ничего"! +— Это драгдилер? +— Скольких человек ты убила? +И кричат мне оскорбления. +Давай, Филипп. +Большое спасибо, мистер Шоу. +♪ упорно цепляется она ♪ +Этот корабль уплыл ещё 20 лет назад. +. +Хулио. +Ничего мелкого, как вы двое. +Почему капитан сказал Вам, что моя мать и я умерли? +Лорен: +- Да. +Кажется, я ее видел. +Ушел с работы, оскорбил Лебрека... +Полу понадобились дополнительные принадлежности для ветеранов. +Я, я не могу. +Думаю на заднем дворе есть полотенца. +Чего? +В одни выходные у него был секс с пятью проститутками. +А какого типа ваш Мистер Карсен, позвольте спросить? +Просто я не хожу на свидания. +Это тебе решать. +Но можно мне попробовать? +Поет Маро называл, это место французским раем +- Это сложное решение. +Когда меня накрывает, я... я напоминаю себе, что они пожертвовали собой, чтобы я вернулся домой и смог жить дальше. +АН... ничего. +Отлично, вы получите мой значок и пистолет, но мы пройдем в ваш кабинет, чтобы я мог швырнуть их на стол с криком: "Система прогнила!". +Врач сказал, что это желудочный грипп. +Ей нужна была помощь. +Опусти пистолет. +- Вот так. +Они нас увидят, Джек! +Продолжаем. +- Но вместо этого я сделаю вот что. +Да! +Не знаю. +– Нет. +Постоянный контингент в 200 тысяч американских военных для обеспечения безопасности и поддержки такого же числа докторов и учителей начальных классов. +Да я самый взрослый среди вас, тупицы. +Проверяйте сколько хотите, вы увидите, что ДНК Сэма Китинга совпадает с ДНК зародыша. +Однако, до сих пор лишь несколько мелких инцидентов побеспокоили жителей города. +Я побеждал и проигрывал больше, чем ты сделал вдохов, за свою ничтожную, короткую жизнь. +Во дворце. +И я приказываю искать таинственную принцессу, даже если она не желает, чтобы её нашли. +Боюсь, подготовить меня к этой битве книги не смогут. +Теперь ты герой. +Тогда он не будет возражать, если мы удалимся, чтобы вы провели меня через эти чужеземные тропы, я ведь должна знать мой новый дом, как пчела знает свой рой. +А, тогда да, это деловой ужин. +Ищите мотив, я ищу способ. +Возможно, не хотела, чтобы его убили. +То есть ты настоящий профи в причинении боли. +Моя фирма работает со всеми риэлторами в городе. +мы схватим Триггера. +И только что вы попытались убить федерального агента. +Напиши свое глупое разоблачение. +Так что собирай его маленький рюкзак и посади его в машину. +Я знаю, что тебе не нравится пребывание Стюарта в доме но магазин вот-вот откроется +Меня зовут Шерлок Холмс, я консультант в управлении полиции Нью-Йорка. +Меня зовут Шерлок Холмс +И ты должен получить её, не смотря на вражду. +Всё в порядке. +Перевели: +Оно приближается. +Милая, это большой шаг. +Несколько минут назад служащий с бензозаправки засёк трёх человек на минивене, подходящих под наше описание. +- Бет! +Майкл Конлон заявил оператору, что это его отец убил Дэнни. +Стойте, за что вы арестовали Слотера? +Была одна девушка... +Давай. +Я бы нашла себе любовника. +Вас мы бы приняли, но вы приглашаете сюда других людей! +Все одинаковые для украшений... +Вспомнил! +Вы не можете выгнать меня из хора. +Начало в 7 вечера. +! +Рыжая с пунктиком по поводу роскошных отелей? +Что? +Нет. +Ну скажем так, вряд ли кто-то рискнет отобрать у Джейсона карманные деньги. +Ладно. +И что? +Эмма хотела уехать домой, увидеть мать, а вы сказали "нет." +Тёмные вещи. +Мне нужно переговорить с Зои. +Неважно. +- Этого и не было. +Нет. +Вот так всегда. +Уходя, мы не должны оставлять технологии будущего. +- где напивался Слайдер, и, Расти... +Как пожелаешь. +Ладно, если Роквелл не убивал Барнса, тогда есть возможность, что он не убивал и тех, кого мы нашли. +- Угадал. +Вы путешествуете со своим халатом? +Я уверена. +Ну, медовый месяц закончен, Дора. +Теон, помоги мне. +Хуже уже быть не может. +– Валар моргулис. +- Разве я не самая красивая женщина в мире? +— Что он с тобой сделал? +Меня зовут Вонючка. +Леонардо... +Соседи рассказали службе защиты детей что мама плохо себя чувствует. +- Тысяча извинений, друг, но придется. +Мне нужно найти то видео с зомби. +Еще будешь? +Как только он его заметил, он сказал, что почувствовал, будто "всегда его знал". +О, спасибо, спасибо, Шерлок Холмс +Если это всё, то для ареста этого недостаточно. +И никогда не поверю. +Энштейн думает, что своими показаниями он заработает золотую звезду и печеньку. +Кто-нибудь знает, где невеста? +Я даже не знаю, зачем сюда пришел. +Вот когда я догадалась, что они сделали. +Я все расскажу шерифу. +Это идея Джоэль. +Хорошо. +Погоди-ка. +У нас проблемы. +"Переосмыслить". +Как? +Да, мы по-прежнему должны притворяться. +Знаете, какое слово больше особо не услышать? +Отвечаю. +Напугал до чёртиков. +— Думаешь, я не пытался? +Плюс резерв. +В ряде документов содержалась подробная информация нашего взаимного сотрудничества. +Вы её бросили? +Значит... +♪ Девочка ♪ +Здесь они провели брачную ночь. +Я оборвала все связи. +- Q. +Но, похоже, вы не в состоянии управлять своими агентами. +Заказать вам аперитив? +Да, когда речь о воссоединении семьи. +Или сделать что-то умное. +Нет никакого круиза, ведь так? +"Поторопился"? +А ты выключи свой телефон и сосредоточься, хорошо? +Спасибо. +Всё хорошо. +Я тут подумала, может на минутку забудем про фахитас? +Ты должна была подписать расходы на итальянские ткани, но до сих пор даже не открывала почту. +И я подумал... +Меня зовут Шерлок Холмс, я консультант полиции. +Бритая голова. +Меня зовут Шерлок Холмс. +Бойл, тебе придется остаться здесь. +А тут продают растения? +Блин, не терпится посмотреть "Папу-Маньяка 2." +- Ух ты, миленько. +А если это медведь? +Смотри. +Я защищаю страну от этих сумасшедших наркоманов! +- Это подарок, ясно? +Тебе, вроде, что-то нужно было. +Не уверен, что таково реальное положение дел. +Последнее, что мне нужно, - ревнивец, ккоторый решает все проблемы кулаками. +Ну хорошо, моя очередь приносить извинения. +Журнал "Вайрд" печатал о вас статью? +Как и все. +- Кто? +Фред? +в стрип-клубе по соседству. +Если тебе чего надо из пушек, ты только дай знать. +Профсоюзы. +Я отправила его файл в ФБР, они проведут оценку угроз. +Не думал, что ты такая сучка. +Я не уверена. +- Понятно. +Он вроде как наехал на меня. +Почему ты раньше ничего не сказала? +Я убью тебя! +Это непростительно. +- Куда вы идете? +Послушайте меня. +Динозавры сами по себе фурор. +Не знаю, почему, но у тебя определённо есть к ним подход. +Что... +Передам. +Вроде того. +- Конечно. +Поцелуй меня в зад +Прости, я... +Как был умней меня. +- Тогда... +У неё очень клёвые волосы и милое лицо... +Я похожа на старушку? +Спасибо. +Или они просто кучка салаг? +Она сказала, что никогда больше не хочет меня видеть и что всё мое детство было ошибкой. +Она ответит моментально. +Бозе мой! +Не веди себя как секретарь. +Рейчел Катц? +Думаю, Фергюсон Доннели счастливый человек. +одолжить мне 100 долларов? +Он скончался несколько лет назад. +Я же не вижу. +"Вуш!" +Я просто использовала его тело для своих собственныйх нужд. +- Мой день рождения? +Не забывайте время от времени поливать цветы и менять лоток котику. +Один из них подумал, что я медведь. +Возможно, мне стоит связаться со своим адвокатом, чтобы разрешить их. +Отличная работа, мистер Брэй. +Школа далеко. +Я подумал: +Доктор Саттон, возможно, вы хотите продолжить в другой раз? +это лучший вариант. +Я больше тебе не помогаю, ты не приходишь. +— Ага. +Магия, это потрясно. +Я согласна на йогу. +Чёрт, много же мы выпили. +Полиция обосралась. +- Мы можем поговорить о завтраке? +Что такое? +Возможно. +А затем, мы сможем назвать банду Ассасины. +Тогда иди сюда. +А что насчет вас? +Вижу, что он не страдает от засухи. +Ты мне штраф выписываешь? +Прекрасно потрудилась, Шерлок Холмс. +- Темница. +— Спасибо. +Прости. +~ Ты убил свою жену? +Я слышал чей-то крик. +Ты нашел Жульена? +Рэвин, свяжись с Пи-Тэк узнай, были ли они информированы о каких-то других взломах +Серьёзно. +Потрясающе услышать от тебя такое. +Передай мне ножницы. +Они прошли через другую команту и вышли через парадную. +Серьезно? +Я знаю порядки. +Пить нельзя! +Я тоже. +Все будет хорошо, Пол. +Когда я предложил поддержку Капитану Флинту +Видимо, не все старые раны ещё зажили, да? +(ХИХИКАЕТ) +На муравье что, камера? +НАДЯ: +Мы же вас грабонули. +"Крутой парень сказал журналистке, сказать тебе передать мне, раз я друг Человека-Муравья, что он ищет его?" +Мы должны были полететь на Марс вместе или вообще не лететь. +Я бы поступила так же. +Я заслужила бесплатную выпивку? +Именно. +- Две недели назад. +Это операция повышенной секретности. +Прости. +- Брось бро. +И ты! +Я ненавижу помогать единству, но это единственный путь к спасению. +Невозможно. +Это просто кусок бумаги, если это у тебе есть. +Отлично, отлично выглядите. +Или замолви навсегда +Я боялся этого разговора, но да, знаю, мне тоже от этого грустно. +Мы используем его. +он сделал тебе больно? +Дэниель! +Мы с папой попали в аварию. +Я фотографировал всю коммуну разом, но использовал неправильную выдержку. +Я видела белого мужчину с бородой. +- И я всё ненавижу. +Я про тебя, кстати говоря. +Мы безоружны. +Пониже две маленькие, вроде желтые. +Клара, стой! +Все, Эсхильда. +Помощь от похмелья после застолья со шведами. +В этом углу, Бог знает, откуда, вес примерно... +Простите. +Черт! +Поставщик оружия, Коль. +Я не хочу чтобы ты снова вспоминала это. +Она просто набросилась на меня. +Нет. +Он наследник Вёрджеров. +Ты красавчик. +Супер сексуально. +О, Боже, вы хотите +- +Мне необходимо ехать домой. +... ты используешь дифференциальный дроссель или дифференциальный шаг? +И, если до продюсеров дошёл мой e-mail здесь должен быть видео-монтаж, подтверждающий это. +Нет. +Меня зовут Питер Конноли. +Следующая песня – восемь по вертикали... +Она сделала это, чтобы защитить меня. +Ладно, давай. +Давай! +Мексиканец схватил пострадавшего, повалил его и приставил нож. +Это осталось в мечтах. +- Я сказал, сядь к стене. +Я очень рада быть здесь. +Они не придут. +Постойте. +Кто оранжевый? +Нет. +Вы были правы. +Разве у тебя нет дома? +- Игра твоей жизни. +- Да. +Ожог электричеством при ремонте корабля. +- У меня идет кровь. +Ты тоже! +Пошла ты! +Денег не надо, я останусь. +Даю вам слово, понятно. +Он требовал остаться, чтобы он мог, по крайней мере, построить крест или что-нибудь поставить на могилу Гласса. +Это Шерлок Холмс и Джоан Ватсон. +Детектив Скотт из 12-го, это Шерлок Холмс, Джоан Ватсон. +Широта: 33.4. +Она направится прямо к своему самолету. +Не знаю, там много народа. +Знаете, смотрю на вас, и вижу человека, всю жизнь играющего по правилам, но со временем, осознавшего, что он погряз в рутине. +Печать линз завершена. +Я не хотел этого, Папа. +Порой я начинаю говорить очень тихо, а потом как заору! +Я и раньше там бывала. +Джонни Фрост с прогнозом погоды. +Пожалуйста. +Салют. +- Так... +Кажется, я знаю, с чего начать. +Это свидетель ошибся. +За что? +По вашему календарю это было несколько веков назад. +Поэтому я пошёл на риск и это сработало. +Всего пара метров. +- Тогда просто скажи. +- Значит, я проигрываю. +- Я не могу. +И это школа попросит его уйти. +Лиам. +Здрасте. +На этот счет я еще не совсем уверен. +- Что? +- Зафиксируйте их в стазисе. +Что он тебе предложил? +Пытаешься меня подкупить? +Я уже не тот человек. +Аллергия. +Лемон не давала Шелби пищевой краситель. +Шелби будет участвовать в конкурсе. +Они приносят два химиката из моего хранилища, а Леонард забирает третий из лаборатории ЦРУ. +Придут монстры. +Представь, что в магазине пахнет свежим хлебом. +Я не знал, что тебя отправили в интернат. +Хорошо! +Не могу уснуть без вина. +Она узнала, не так ли? +Грешник. +Только не так. +Так было в начале. +-Работал? +Это плохой знак. +Спасибо, спасибо, спасибо. +Сейчас она санитарка. +Вы были в десяти милях от него на тот момент? +Рад помочь. +бегите. +Я не заключала сделку. +Ну, если они отправляют наших на оформление в центр, то мы все их дела на тормозах спустим. +Думал, они уже договорились. +Кто-нибудь может подойти сюда, пожалуйста? +Нам нужен образец крови собаки. +- Знаешь что? "Юмор - утешение для слабоумных. +Если не они, то всё что у нас будет этот клочок земли. +Бросай! +Не вернулся. +- Готовьтесь покинуть судно. +Не повезло, да? +О, да. +Просто Сэм. +— Лезь в багажник. +Что? +То есть хотела, но не учила. +Это было забавно. +Автобус - собственность министерства, а не школы, так что... +Мы делаем всё возможное. +И я знаю, что в Cardiff ты был вице-президентом, но компания надёжная. +Я сказала ему, что если он вызовет тебя, тебе придётся отвечать перед государственным обвинителем, и это будет совершенно неправильно. +Какую награду пообещал тебе Рошфор? +Не сейчас, Рошфор. +Готовятся к заявлению Нейта. +- Ну кто-то ведь сделал это. +Вы не можете от кого-то избавиться только потому, что он старый. +Он был жестким как бык. +Нет. +Да, очень старомодный. +Что? +для рассмотрения вашей кандидатуры ответьте на вопрос. +Он дал мне какую-то... +Я угнал твоё совещание? +Где Маркус? +Ну знаешь, чтобы оценить обстановку. +Вот почему ты мне нужен. +Ты выбрал правильного человека для этого дела. +"Отнюдь, сир." +Он просил передать чтобы ты не задавал глупых вопросов. +Вы это расклеили? +Тедди...? +- Хорошо. +— Минутку? +И если хочешь внести в дело ясность, сейчас самое время. +Стреляют. +Подходящая девушка. +Твои деньги там. +Особенно молодежь. +Эти картины стоят больше 100 миллионов долларов. +— Всё нормально. +- Очень неплохо. +Я даю вам шанс отомстить за свою семью, вернуть замок, где вы выросли. +— Грешник! +Он же был братом короля. +— Привет. +Я решил принести вам его лично, потому что у меня для вас хорошие новости. +Я так понимаю, что вы уже знаете всё, что касается участия в схватке. +Я ослепил его. +Спасибо, Рядовой Придурок, за педантичность. +Что ты делаешь? +Как вы относитесь к расширению бизнеса вашего отца? +Я тебя представлю +Так что же я пропустил? +Почему ты пишешь, словно твое время на исходе? +Дам из высшего общества я ещё не вкушала. +Шантаж и угрозы на такой ранней ступени курса? +Пусть сделают это вместе. +Это Уильям! +милые имена... +! +Суд решил, что даже иностранцы - в том случае китайские иммигранты - не могут быть судимы без надлежащей правовой процедуры, включая людей, проникших в страну незаконно. +Принимая во внимание вердикт присяжных, обвиняемый передается под надзор генерального прокурора Соединенных Штатов +Полдень. +У нас нет Прайора. +Правда? +Тебе понравилось? +– Есть, сэр. +12-Давид запрашивает подкрепление, немедленно. +Это отлично. +* Думаешь, я могу объяснить эту ситуацию на английском, не говоря уж об испанском? +По-твоему, я не вдохновляю на верность? +Есть. +Ничего страшного. +Иоланда! +Да, пахнет странно и отвратительно для нашего западного обоняния. +Это такой принцип, который позволяет делать только ужасные фильмы но по какой-то причине мы продолжали его использовать. +Он запоминал все эти песни, чтобы ходить ...и петь их немкам в барах. +Не прикидывайся. +К чему все эти прикасания? +Да ну? +Так точно. +Знаю, я говорил вам, что она не умрёт. +22 года. +А что любишь ты? +Потом надо будет взять замок. +Ничего я не знаю. +"Тонк" означает... +Ради этого фильма, Фрэнк. +Эй, мы должны отнести их в полицию. +- Отлично. +И что он везёт. +В руках второго сорта. +Сара, опиши также беса, которого мы встретили в компании матери. +Необязательно, Дьявольская метка может быть хорошо спрятана. +Да, ваша честь, фильтр безопасности Чамхам создает эффект расистских геозон, что наносит ущерб владельцам бизнеса в афроамериканских районах. +Классно. +Так вы пока не решили, принять его или нет? +Ответ "да" занимает большее количество бумаги. +Серьезно, это...это гениально. +Будучи вне себя от любви к красивой Родине, она научила меня говорить по-польски. +Девушки, если не хотите упасть, становитесь по двое друг за другом, девушки с цветами будут с каждой стороны. +Вы часто обнимаетесь? +Рейнольдс знал об этом? +Моя роль в этом расследовании была секретна. +Но Джалаладдин Руми может. +Ради пиратов Нассау? +Ты должен дать клятву на мизинцах, что будешь моногамным со мной. +-Как оно идет, чувак? +Ты оказался гораздо занятнее, чем я могла предположить. +Вы Шерлок Холмс! +Шерлок Холмс. +Шерлок Холмс. +Профессор Мориарти - он вымышленный! +Не перед нами. +К сожалению. +Единственный способ жить в мире – это уметь прощать. +Ведь будет неправильно... +Я в это верю. +Харви. +Да. +Главное - вертикальные мазки. +это никак не св€зано ха +- Да, я соскучился по нему. +- Почему так решил? +Но Рэй не удивился. +Катись к чертям со своими извинениями! +Мама! +Это все, о чем я могу вам рассказать. +Шерлок Холмс. +♪ И мы собираемся SIP Бомбей +- Ничего не делать? +Так больше шансов найти людей. +Серьёзно. +О, Кевин, ты увидишь Кэрол? +- Чёртов идиот. +Перевод выполнен на сайте Notabenoid. +Просто... +Мне жаль, но у меня нет времени на тебе подобных. +Синтаксис, просторечие, игру слов. +Они использовали прибыль от наркотиков для президентской кампании Брекена. +Армагеддон завтра. +А ты поможешь мне заставить ее принять верное решение. +- Ну, это еще одна причина, чтобы мы... +- С ума сошел? +Ты можешь копать глину. 100 баксов в день. +Ту пятёрку, что он поставил – её получила ты, да? +И это не прекращается. +Эй! +A этот последний случай? +Mожет, папа снова разозлится, и мы переедем в другое место. +Но я вынужден с ним согласиться. +"Вот поразительная глупость: +- Это... +Я поработаю с киской-мяу – на этот раз! +Частная территория. +Ты в безопасности. +Миссандея из Наата. +Будем предельно осторожны с этими штуковинами. +Мне нечего тебе сказать +Довольно +- Смотри, что я из-за тебя натворил +- Тогда ты знаешь, что я должен делать. +Эм... +Это я арестовала Джалила. +Не мог Стилетти предоставить вещдоки так быстро. +В следующем году она, возможно, не придет в отель, и не спасет вас от полученного ранения. +- Никогда не думала, что скажу это, брат, но, кажется, я уже готова к завершению Дня Локи. +Кажется, повторилась ситуация с горячими полотенцами. +Так рад, что смог убедить тебя встретиться и выпить. +Извините. +Слушай, я поклялась никогда больше не давать тебе советов. +Я ее не видел. +Но нет. +- Д-р Марун. +Знаю, крови нет. +Да знаю я, что это такое. +Её мать умерла. +Ваш вздлет - моя заслуга. +- Кромвель! +- Ее собственный дядя! +Спорим на зарплату, кожаные штаны мне больше идут. +Дженна! +Я вступаю. +Привет? +Я знаю, что прошла всего минута, но мне правда надо поговорить с тобой. +- Они анонимны для публики, не для нас. +- У нас могли быть проблемы с налоговой, притом большие проблемы. +- Ты должна прочесть. +Я согласилась. +Они не хотят оставаться в стороне. +Эй, есть минутка? +Продовольствие по меньшей мере, на полгода, а лучше на год. +Ты всё время пытаешься меня обдурить, как тогда, когда ты заставила меня выгнать Джонни. +Я о тебе не забыл. +Боже, Эдриэн, знаешь, мне всё труднее сюда подниматься. +Бей первым, Донни. +Друга? +Они обмениваются ударами нанося их, один за другим мало кто, такого ожидал. +Пи Джей Моффет был одним из моих литературных кумиров. +Ну, конечно. +Может быть она и готова, но я нет. +*Нашу дочь похитили по дороге на интервью. +Сами скажете? +Ничего личного. +Но проблема в том, что все хотят большего. +Мне следует быть настороже. +просто прими их. +Помогаю предотвратить зомби-апокалипсис. +Еще раз. +Типа того. +Многих вы видите сегодня вблизи Балларата? +Итак, чем я могу помочь? +- он сможет достать еще подобной хрени? +Эй, многие великие парни начинали в подвале. +Соловьи из Далтонской Академии выступят завтра, +Увидимся на следующем УЗИ. +В твоём разуме есть кладовая. +Серийное преступление. +Иди сюда. +Не нужно приглядывать за мной. +Ну-ну, Кассандра. +От меня. +Проклятье, наверно, генератор сбросил запас энергии, когда перегрузился. +Нам нужно обсудить границы? +Да, да. +Что скажешь? +Я всё ещё Джонсон. +– Есть с собой документы? +Ты в порядке? +Вы разговаривали с Мари? +Да. +Единственная причина, по которой мы дали зеленый свет полету - это ваша гарантия плана "б". +Репетиция прошла чудовищно. +Жизнь, которая у меня была пропала, разбившись на миллион меленьких кусочков. +Меня зовут Курт, ты в порядке? +Сэр, нам поступают жалобы от покупателей магазина здорового питания. +Да. +В любом случае, мы словно Сиамские близнецы. +К Мойерсу, он хочет что-то объявить. +Хорошо. +Там пусто, что может быть в гнома? +Ильбер, Ильбер, Ильбер! +Допустим ты отстреливаешься от восьмерых вокруг ... и они по прежнему наступают. +Было очень приятно работать с вами, детектив. +- Ага, что нашел, то мое. +О, ох! +Мы прошли в финал, впервые за 7 лет. +Приходи на репетицию, нам нужно придумать движения под музыку. +Рядом с таким черепашкой-ниндзя мне ничего не светит. +Доля Мэтиса миллион долларов, значит у нас где-то там второй миллион...и убийца. +Цветы доставили вчера Лоре Джейкобс, +Я как черепаха, страдающая клаустрофобией. +Также я работаю над дружеской перепалкой. +- Что ещё? +Входи. +- Да. +У меня есть дочь, на год младше Стива +— Бюро? +Верни-ка мне деньги. +Пока нет. +В дампе памяти есть фрагменты вируса. +Ну, точно умрете, но не от этого. +Марсианский флагман Доннаджер. +- Рэйна не сможет сегодня прийти. +– Спокойно, спокойно. +Не двигайтесь. +- Ух ты. +И я нашел книгу, в которой были все имена Нелюдей. +- Я знаю, где это, Фитц. +Босс, уровни энергии намного ниже... +Надеялся на это. +KarinaLintu, nahalenok, annasss, KateGross +- Точно? +Боже, 20 лет. +- Подождите. +Взгляну в глаза Доминику Бэрону и скажу, что всё это происходит из-за меня. +- Стойте! +Как вы осмелились въехать на территорию государства Косово с разбитым лобовым стеклом? +Расскажи все, что знаешь. +Привет, мама. +Спасибо, что пришел. +385.2)}Солнце и ветер 505.2)}19 серия +- Зажми, зажми. +Тот отказался. +Мам! +Я их чувствую. +Мне нужно добраться до его компьютера. +Так, да? +Но потом, когда им будет тепло и уютно там, +Господин +Джо, отпусти! +О нет. +Нет! +Посмотри, посмотри на него. +Да, я больше не могу +Я не могу остаться здесь на всю ночь. +Горжусь тем, что стою рядом с тобой. +Знаешь, никогда бы не нашел твоего брата в этом районе. +Первые 2 мы не смогли отследить, но 3й был сделан Вам, на Вашу бывшую экстренную голосовую почту. +Последний раз, когда я с ним говорил когда он уволил меня 3 года назад. +\ Оливер, держи себя в руках. +Шерлок Холмс. +Может, нет. +Ты и правда в это веришь? +Кого-то у меня украл Многоликий Бог. +Принцесса? +Надо смотреть под капот. +Я больше не обязан быть вежливым. +Вы неделями не посещали врача, как до, так и после родов. +- Классно! +Она рассматривает много решений. +Я в детстве все время об этом говорил. +Дэни Фокс на месте. +Вы готовы начать? +Я вызываю охрану. +- Да. +А мы знаем, что он ехал обратно из Морро Бэй на бьюике +- Доктор Хант. +Люблю тебя, Роман". +А что это? +Эйприл, он говорит "нет". +Мы здесь только 2 минуты. +И фотография Берти. +- Высказались, как администратор больницы. +синхронизация субтитров - qqss44 +Это стандартная процедура при задержании. +Примерный сотрудник, у которого есть зарегистрированный пистолет 40-го калибра. +Вот поэтому я его и люблю. +В смысле? +Спасибо, мистер Маквей. +Приступим. +Именно поэтому ты прятался за меню? +Ох, слава Богу. +Помогите! +Пошли, пошли, пошли. +- Да, чувак! +Здрасте, да. +Всё хорошо, друг. +Пульса нет. +Это невозможно. +Из-за Wi-Fi. +Расскажи об Эйнаре. +Ты шутишь. +Рид, идем. +Как там "длинная спаржа"? +- Добро пожаловать в +Я знаю, что это был белый. +Роуз и до тебя добралась, да? +- А все более, чем странно. +Вокруг были бы кровь и пули. +Мы говорим о палате представителей, Бен. +Клайв думает, что это она убила Тумана. +- Полиция. +Похоже, для поединка на мечах ты взял лишь крюк. +- Дэвид, да ладно. +Мне нужны ваши сотовые. +- Нечего отдавать. +Что у нас? +Хорошо, обмоем дома. +— Мы вытащим тебя отсюда. +Я лейтенант Энди Флинн +Слушай, ты делаешь это не только ради Элис, но и ради себя +Две обертки ништяка, приятель. +Кто? +Мы с Гари поклялись друг другу. +Скорее! +Серьёзно. +Отец, я нашла меч, который ты мне оставил. +Все, что мы сделали. +Да, полковник! +Добро пожаловать к Фиш Муни +Мы согласны обсудить потенциальную сделку. +У меня новаторские методы. +То что ты сейчас делаешь - странно, я это понимаю. +Прекрати! +И каким будет этот год? +Дэнни Кэй. +Мистер Паркер хочет, чтоб я остался. +– Вас зовут Эдгар Бако. +– Миссис Джансен, это не то... +В жопу всё! +Шесть недель назад Интерпол узнал, что БелыйКонь был в Москве. +Масао Куме был маленьким. +Понимаешь? +– Тим Гаттерсон, рейнджер. +Достаточно шикарен, чтобы лишить нас работы, Джон. +Внимание! +Ты сможешь когда-нибудь меня простить? +- А разве он и не должен быть таким? +Слабак. +Подъём. +И давно офисный планктон руководит боевыми операциями? +Я знаю. +Я слышала твой телефонной разговор в 6 утра. +Дорогая, у тебя в руках воображаемый бокал? +Вообще-то... +Предположительно он будет здесь в течение пары недель, логично предположить, что здесь он встретится с Призраком. +Надо же. +- Что именно определяет несчастный случай? +– Да. +Макс - колдун 14го уровня. +Спасибо. +Еле-еле. +Жизнью. +Чем дольше ты ждешь, тем труднее выбраться. +- Это "слегка"? +"Дневник мастурбаций". +Разве что ваша разведка лучше, чем у Пентагона. +Эспартеро находится в Лондоне и, когда захочет действовать, будет уже поздно. +Кто хочет выиграть Тур де Франс - на этом этапе должен заявить о себе.) +Всё началось целую жизнь назад. +Я буду в подвале, постараюсь уменьшить повреждения. +Я ушла от твоего отца. +А может и так. +- Вера? +Можешь заварить кофе? +Это не тебе говорить +Точно, я только вчера узнал, что значит чувствительный к регистру. +Вот так. +Соблюдайте осторожность. +- Раптор вошла в здание. +Уверена, тебе есть куда пойти. +Она была совершенно новой две недели назад. +Мы собираемся победить, знаешь? +Вы каждый день помогаете людям. +Несмотря на все мои ошибки, +Человек, совершивший подобное преступление, не может оставаться вашим президентом. +Не настоящая. +Без проблем. +Я бы с радостью сопроводил вас на ужин. +Это чудо. +Если в честь кого и надо назвать, то это должен быть я. +Живо! +Ты встретишься и с ней в клубе. +Он просто упомянул его. +- То есть вы хотели бы душить Кэролин почаще? +Добро пожаловать на празднование, посвященное крещению! +Когда мы только поженились, до твоего рождения. +Я потеряла большинство своих друзей, когда повстречала Златко. +Янки больше следят за тем, что въезжает в страну,- чем что выезжает. +Там должны быть улики, которые он хочет уничтожить. +Это моя невеста Джеки. +Почему ты идешь как ненормальный ковбой? +2 500 франков. +И есть я, Бонни. +Теперь грядет расплата, которая вернет Россию на полагающееся ей место. +А ещё, кактус не засох. +И прислали еще одно видео. +- Доктор! +Мистер Карсон, вы как? +Пришёл позвать леди Мэри и мистера Талбота, встретить с нами Новый год. +♪ С тобой мы выпьем, старина, +Ладно, я о них позабочусь прямо сейчас. +Раскроем уже пару убийств. +Давай. +Добро пожаловать снова на "Остин сегодня". +Поздравляю! +У меня нет мелочи, мужик. +Причудливый маленький домик на ферме. +И что ты сделаешь? +Я не могу сделать это. +На это нужен ордер. +Кого? +Мы ищем кого-нибудь в отдел безопасности. +У меня телефон барахлит. +Пусть поговорит с Реджи. +- Да, я, сам по себе. +– Нет, нет... +Держу. +- Если какой-либо человек не захочет мы захотим узнать, почему. +Она живет рядом со мной. +Я не смотрел прогноз погоды, а вы? +Не утруждайтесь. +что Ги Хён стал председателем школьного совета. +Мы потеряли его. +Двоих сыновей? +На самом деле, я хотел бы включить в альбом эту версию. +- Логично. +Примерно так. +Новые кузов, салон интерьера. +Это очень похоже на мою жену. +Единственное время, когда машина уязвима, это когда происходит обновление компьютера. +Ты не согласен? +Ты понимаешь? +Да, призраки... +— Доктор... +Ищу какие-нибудь зацепки. +- Шиан... +- Оскар, проверь. +Кто-то меня видел? +*На этот раз "прощай" не скажем мы,* +И я верю, что все вы будете защищать этих двух храбрых женщин и хранить их секрет. +Она хочет знать, как теперь ее продукт будут перевозить. +Так они у тебя есть. +Можно? +Я сообщу им, что вы придете. +Конечно. +И я даже почувствовала влагу. +Вы бы не слово? +- Конечно, без проблем. +Только что получил распечатку звонков Сида. +Достаточно одной звезды, чтобы указать путь. +Она оставила линию открытой для нас. +Вижу, что вам трудно это понять, но поверьте, ваша жизнь гораздо лучше благодаря тому, что я привнёс в неё. +- Ох. +А вы, должно быть, Шерлок Холмс. +- Пока. +- Просто я умен. +Ладно +Отлично. +Очень вкусно пахнет. +Ты всё неправильно понял... +Качайте. +- Чувствую, сейчас узнаем. +$80... мне. +Нет. +- Ты нас спасла. +Ну, это гораздо более универсальная структура. +Ну, я пришёл в ярость. +Но она придумала предлог. +Я ценю это. +Я просила не брать его с собой. +— Я знаю. +Они делают статуэтки. +- Что ж, это не дробь. +Я тоже скучаю, дружище! +Почему Джим заперся в своём офисе? +Они потребовали 50 штук, иначе грозились отправить снимки репортёрам или ещё куда. +Подожди, что мы будем делать с машиной? +Ты и так смело поступил, приехав сюда, но ты теряешь контроль над мыслями. +Катя! +Прекрати. +Я устал от чокнутых женщин в моей жизни. +! +Сама приготовила или купила? +Бассам, он был прав. +Вам нужно спрятаться до ее прихода. +Это могла быть Кларк. +Смотрите внимательно. +Приготовить Вам чаю? +Я пошёл с ним повидаться. +Вы знали Джейсона Фокса? +Ладно. +Её звали Шей, да? +Какой непослушный малыш. +Ты понятия не имеешь, где мы. +Очень сблизились. +- Да, несомненно. +Прости. +Я зарезервировала зал на пятницу в Раннерсе, на четверг - в Хеденстеде. +Просто... +Я только что порвала с ним. +Я не пошла. +На одном таланте не выедешь. +И не только за то, что пытался убить меня, но и за то, что там у тебя с моей женой. +Теперь глотай. +До того времени их не существовало. +Вы что, шутите? +- Готов? +Прямо за углом. +Сэр, вы сейчас рухнете. +♪ Он подскакивает на месте... ♪ +- Зачем вы мне об этом говорите? +Вы не сможете подкупить их. +Без шуток. +Но наша жизнь - здесь. +Возможно, вы не так уж ошибались. +Может это потому, что он был единственный, с кем я могла поговорить. +Подготовим бумаги к выписке. +Кричать мы не готовы. +У меня никакого времени не было. +А пока наслаждайтесь свежим воздухом. +Рада знакомству. +Слушайте, он ростом под два метра и весь в татуировках. +– Мам, угомонись. +Вплоть до седьмого класса. +Снегохода нет. +Он выглядит так же, как этот человек? +Я боялся за тебя. +Обычно? +Тогда тебе надо лишь подождать. +Это какая-то одержимость, или что? +Вы, молодые люди, напомнили мне о доме. +Учись у этого парня, сынок. +Так, Кса... не знаю, кто это? +Сюда. +Пожалуйста, поторопитесь! +Один двигатель сдох, два еще чуть и взорвутся +Серьёзно? +И что это значит? +Вроде того. +"Мэдди, добро пожаловать в Эджхилл. +И это точно не помогает мне чувствовать себя лучше. +Мы их поссорили, а потом опять свели вместе. +Я не могу сделать это сама. +Здесь только один выход. +- Это что? +И знаю, что с ним произошло в ту ночь. +Это не был подростковый розыгрыш? +Никто не собирается отодвигать Стиви на второй план. +А я не могу себе это позволить. +Ну тогда я один всё скушаю. +Я слышал, что эти заведения переполнены, э, привлекательными богатыми вдовами. +Мы должны быть готовы. +И если бы ты не уронил последнюю... +Он хороший. +Там мы нашли это. +Может мы не там ищем. +Нет. +Последний раз, когда я ходила в мир духов, очнувшись, я задыхалась. +Я хочу тебе дать кое-что. +Я с точностью определила людей, которые могут нести ответственности за это. +Пошли купим отраву тогда. +Я вернусь к Эми. +Я помог. +Закройте глаза. +Что происходит? +Я попросила техников проверить телефон Карли, чтобы просмотреть удаленные записи за последнее время, и вот фотография, которую ей прислал 3 дня назад коллега из банка, Ромен Геллар. +У тебя есть 8 часов, чтобы отозвать наших ключевых сотрудников из Москвы. +Он просто папаша-беглец. +Поэтому и не хочу сражаться. +Я не вернусь на терапию. +Это всего лишь плющ обыкновенный. +Ну, теперь держитесь у меня! +Ну, начнем с того, что они завалили мою хижину рыбой, сбили нас с Беззубиком в воздухе. +Нет, это не помогает. +- Капитан сказал, если кто уйдет перед боем, может не возвращаться! +Если ты хочешь мгновенного эффекта, то что насчет твоего выживания? +Что не так с флагом? +А если он не сможет? +Да, но отравление - совсем другое дело. +*Ведь мы никогда* +Вспоминаю. +Ведь не поймали же? +Как это называется у вас на юге? +А то случайно проглотите твердую пищу. +Как они вылечили Вас? +Наш консультант Шерлок Холмс. +Это проблема программ. +- Кто был на переднем сиденье? +Нет. +Мы ценим их выше всех остальных +Ну... я согласна на выставку. +И как далеко нам надо идти? +Его имя - мистер Шерлок Холмс. +Вы все равно не Шерлок Холмс! +Твой дед был бодр 60 лет, затем он упал. +Шерлок Холмс. +Его имя - мистер Шерлок Холмс. +Вы все равно не Шерлок Холмс! +Шерлок Холмс. +Слышал, только это вы ребята и читаете сейчас. +Я не уверен, но... выглядит так, будто стрелок был... снаружи. +И ты стала только моей. +Ага. +Увидимся на ринге, красавчик! +Сторри! +- Господин, я лишь говорю... +Это невозможно вычислить. +— Что здесь происходит, Мёрдок? +—А после этого? +Так всё устроено. +Миллер лайт? +— Ты готова? +Он был в старом кексе, который ты никогда не выбрасывал. +Знаете, должен признаться, я был удивлён, когда узнал, что Рэйна подписала с вами контракт. +Абсолютно точно. +Извините, сэр. +Маленькая игрушка. +Мои люди выяснили. +Больше всего на свете. +Антидот? +Все очень уютно, должен сказать. +Эй, кто то ранил девушку стрелами. +Да, Берри возвращается на Бродвей. +Заходи. +Я понимаю, тебя это злит. +Ты читала почту или только открывала? +Столько денег и без Мак-Кэнна. +Возможно, они просто решили провести время вместе. +Другие программы еще не готовы, так что... +Но если вы действительно всерьез предлагаете, то для меня это неплохой вариант. +- Надо поговорить о Ви. +Я намерен проиграть свою ставку. +Продюсер Е Чжин пришла. +пока никто не видел. +Какое облако выглядит смешнее? +кто поднялся на вершину – тот победил. +Это очень срочно. +Ем! +устроим вечеринку в честь дня рождения Синди сегодня? +когда бы ни услышали слова +что мы продули? +Подтверждаю. +Он весь горел. +Ты же видишь его. +Суперсаяне-боге... о нём. +Очередное место сражения arata na stage wa +Боже, а я сказал Рейвен Райт, что Купер нас предал - предал меня. +- Хорошо. +Следующий. +- Так что... +Мне очень нравится. +Я знаю. +Недопонимании? +Зачем ты пришла? +Матушка может услышать. +Мы всё же не способны справиться с делом об убийстве. +- Он не может говорить сальности с таким голосом. +У меня нет никаких планов. +Это какая-то хуйня. +Думаю, это ваша жертва. +Я буду молиться за тебя. +372.5)}Дом полный счастья +Я ждал этого дня последние четыре года. +терпимость, любовь, прощение. +Когда тебя затянуло под землю, я думал, что вижу тебя в последний раз. +Я-я не могу, ясно? +Ни одно. +Да. +Он, конечно, вырос. +Скучно на болотах? +У меня проблемы с Кентом. +- Если сделка оформлена юридически, проблем не будет. +Разве ты ещё не понял? +Ты меня развращаешь. +Так вот, кто мы с Шерлоком? +дальше вы сами. +что хочешь. то я отказываюсь от своей глупой гордости. +Сказал же: думаю. +вот у вас дыхание и перехватило! +Я Чхе Ён Шин. +408.75)}Со Чжон Ху (кличка Целитель) Тайный мальчик на побегушках 378.75)}Доход: от 0 до 1 млрд. Цель: необитаемый остров Набрал 64% от суммы +Зови тестем после свадьбы. +- Заполучить рекламодателя... +Получать зарплату. +проснулся? +что они смотрят по утрам. +А это не моя специальность. +как у него... +это детская травма. +Я очень хочу есть. +Мне нравится жить в уединении, вдали от людей. +Конечно же медиа магнату Кэт Грант предоставили право дать ей имя. +Послезавтра. +Подожди. +- Хорошо. +♪ От нашей любви ♪ +Хх. +Где я, черт возьми? +В колледже, рядом с Мистик Фоллс. +Это же он, разве нет? +Нет... +- Потрясающие сочувствие. +Проведи оценку ситуации, доложи мне и жди. +О, нет. +Но серьёзно, не представляю, как ты умудрилась. +Отлично выглядишь, кстати. +- Что значит - чей? +Да. +Картер, ты меня знаешь. +Ребят, ребята, хватит орать. +Правда, сынок? +– Смотри. +И каждый раз, когда один из них умирал, слетались стервятники. +– Люк, это... +Взгляните на светлую сторону, Кларенс. +Я была на Центральном вокзале, Джейк. +- Что это? +- Особенно в месте, подобном этому. +Никакой свадьбы не будет, Паркер. +- Марго! +Хорошо. +- Мне нравится. +Нет, дайте мне еще минуту. +Переводчики: gojungle, zigg_girl, Nobotym, Zloy74 +Ага. +Ты столько трепался о делах. +Но сперва я хочу передать сообщение своему молодому человеку. +Идём. +Могли бы слушать Говарда Стерна. +Когда ты говоришь кому-нибудь "Не в меня", это не означает, что ему можно обделать всё вокруг. +Потому что ты не слушаешь! +Полагаю, теперь у нас будет биржевая котировка и почта. +Это как твой бокал вина после ужина. +Это займет время. +А вот и он. +А когда он последний раз был у врача? +Надеюсь, он внедрится к ним. +*Ох уж эти ребята, Мики. +Помнишь день, когда я вернулся в Харлан? +- Из Мэриленда. +Я поэт. +Вон та комната, с тремя окнами. +Чудик. +По весу можно определить. +- Хей. +. +О чём ты? +Я любил танцевать. +Нет, он такого не скажет. +Нет. +А сегодня... +Поверь мне... брак-это единственный путь к счастью и спасению. +-Вы сошли с ума? +Конечно, она согласна. +. +Зачем ему вообще эта доска? +Генетические заболевания могут передаться клону. +— Нет, нет, нет. +Проблема с драконом? +Звучит как что-то, что я мог предложить. +— Просто я так счастлива за тебя. +У него было прекрасное прослушивание. +Ты пытаешься обратиться к моей милосердной стороне? +Конечно. +Пойдём, окунём головы в сыр с шоколадом. +Но раз Август изменил книгу, он может знать о ней больше, чем мы. +Ты должна это увидеть. +Продолжай. +Ты уже наняла его, не так ли? +Тем хуже. +Это воспоминание, но также и метафора. +"Мы обычные медведи" Сезон 1, серия 25 +Хорошо. +Надеюсь, бывшего президента вы тоже ждете. +Встреча с президентом переносится. +Кое-что. +Поэтому я уезжаю, прямо сейчас. +Еще! +Стерильные нити и иголки? +Он использовал поддельную личность долгое время. +Я чувствую... +Ты же была там. +Не могу тебя винить. +У нас был сложный развод. +- Что? +И нам бы помогло, если бы вы могли рассказать, когда видели его в последний раз? +- То, чего мы добились, определенно можно назвать чудом! +Окончил Калифорнийский тех. +- Презентация задерживается из-за технических неполадок. +Нет, знает. +Да перестань! +Я не разговаривала с ним годы. +Ребята, можно вас? +И я надеюсь, как врач, ты скажешь, что такого особенного в этом манекене. +Добро пожаловать обратно в студию. +Да, я просто подумал, что смена обстановки поможет мне. +Сосредоточься на одной ведущей ноте. +Господи боже, вам всем надо уже определиться. +Дилан? +Для многих это будет и последним. +По рассказам, здесь есть потайной выход. +Я знаю, что мы вместе сидели в Монастыре и она говорила мне что-то очень важное, ...но я понятия не имею, что именно. +Беккет! +Желание быть человеком? +В любом случае, мне пришлось вернуться, чтобы разбираться со всем этим. +Я знаю, что вы член какой-то секретной правительственной группировки. +Может подумаете о признании? +- Моя нога. +Я не раз просил тебя держаться от нее подальше, а ты явился в блок, полный полуголых женщин. +Ты с катушек съехала, заключенная? +Да, я понимаю, что моя к вам привязанность толкает меня на неподобающее поведение. +Неизвестно, что за опасность поджидает в болотах. +Ты бы остановил свое сердце ради меня? +Эзра, там где-то шагоход справа от тебя. +Спасибо, Молли. +Я ценю вашу точку зрения. +- Повиси. +Что-то... и кого-то. +ѕотому что € всегда теб€ выручаю, как и всегда. +Плохо, что к видениям не прилагаются примечания. +Узнал, что это вы? +Мне нравятся девушки. +Давай! +Отойдите. +— Никуда я не пойду. +Хочу, чтоб мне снова было 4. +Не лезь не в своё дело! +Котик, тебе что-то нужно? +Классно, спасибо. +Я свободны пуэрториканец! +Чарли? +Он убил всех ведьм и впал в бешенство. +Чарли. +Рад, что въехал? +Что ты имеешь в виду? +Мужиков в целом. +Ладно. +И быстро. +Нет! +Кузен, давай, покажи всем класс. +- Ладно. +Если верить Джерри, сокровища должны быть прямо за этим холмом. +Мы можем просто начать стрельбу. +- Чин. +Тебя отдали в приемную семью, плохую семью. +- Да, но все же он нас опережает. +Всё нормально, увидишь. +Признайся, что это был ты. +- Я люблю тебя. +Ты Шерлок Холмс? +Шерлок Холмс, вы арестованы за убийство Марии Гайтерез. +Знаешь, что меня угнетает? +Сколько я плачу тебе? +Мисс Харпер. +Анна, проследи, чтобы наши друзья получили все, что им необходимо. +С чего вы взяли, что я останусь в воссозданной программе с другими коллегами? +Извините, сэр, это ваша машина? +Всё нормально. +Трейси не твоя ответственность, Рейвен. +Нет, все здорово. +Это игра, метод исключения. +В любом случае, детектив считает, что это шок. +Наполовину. +Я всегда был странным, с причудами. +У вас есть умысел. +Шейн рассказал мне, что он сделал. +Ты не имеешь в виду прямо сейчас? +Мое имя Шерлок Холмс. +- Меня зовут Шерлок Холмс. +Лорен. +- Они убили принца! +Марион. +Это же сумасшествие. +Тревор, мне это не по карману. +Конечно. +Знаю. +А когда он пройдет, образуется гигантская волна. +Это не похоже на орудие, которым раздробили локоть. +Звучит приемлемо? +Но они туда не вышли. +- Шерлок Холмс? +Счастлива жена – счастлив я. +Давай. +Я всегда знаю, когда мне лгут. +- Мы осторожничаем. +Увидимся во 2 Сезоне! +Мне нужна цель и стимул. +Может, мы сможем достать разрешение. +Папочка! +Я тут немножко побеседовал с Волком. +Я прикрою дверь. +И рассказать ей про Спираль. +Позвони пока истребители нас не взорвали. +Ты сбежал? +Нет. +Так у меня было несколько. +Как я недавно доказал неприятным, предполагаю, Элайджа попросил тебя здесь поиграть в психотерапевта для свирепого чудовища. +Нет. +Как отважно. +И всё же велики. +Простите. +Что случилось? +Ты заставил его заплатить за то, что он сделал, и это хорошо. +Черт возьми, Оливия. +Мы тебе поможем. +Хауэлл. +- Как не пилить сук, на котором сидишь - вот что ты знаешь! +Что спасение — это твоя единственная надежда? +Уверена. +Да, констебль... +- Конечно, хочу. +Нет, есть. +Пожалуйста, прими ее в свою обитель и защити ее маленькую дочь, +Да я понял. +Меня зовут Макс. +Вперед! +- Да хуй там! +Тебя ищут за убийство Дэвис? +К твоему сведению, наше перемирие закончилось. +Обычная самка слышит в диапазоне от 10 до 15 Герц. +Мне еще кое-что от него надо перед тем как все закончится. +Не парься из-за Китая. +Чёрт. +- О, ты решил? +Вы проверили другие компьютеры? +То что? +Вот. +Я спрашивала. +Что, ты считаешь, я должен? +Затылок. +Ты... не сможешь ничего поделать. +Нет. +Я знаю. +"Реактрон". +Ты ревнуешь? +Таким образом, у меня есть много места. +Я не смогла уехать и не сказать "Прощай" моему зятю. +Но что из ему? +- Точно. +Да оставь его. +Или ты хочешь, чтобы я с этим разобралась? +Можешь ли ты простить меня? +Отлично сработано. +Это инвестиция. +Нет. +Мистер Резендес? +Он обращался. +Так и написано? +Барретт. +Не я один принимаю решения. +Вы говорили с Остином? +- Да. +- А как же Бойд? +Они карие и красивые, как у дочери. +Из-за сестры Фрэнка и ее детей. +А вы что скажете? +Что ты делаешь? +Я бы хотел поблагодарить директора Маркс и мисс... мисс... +Это все, что мы можем. +- Твою мать! +Где, по вашему, находится "Нисхождение" +Нет, это были выплаты в счет моего трастового фонда. +- Я не думаю, что вы должны смотреть на это так. +Ладно, а пока дадим ориентировку на серый седан с разбитой фарой. +А машину? +- Все в порядке, Эфэ? +- Но с Сербом этого допустить нельзя. +Ты знаешь, почему большинство выбирают психологию, да? +Серьезно, собери свое говно. +Кью доступ! +♪ Колесо, в котором я, крутится и крутится ♪ +Да. +Мне нужно больше, чувак. +Я тебя сильнее. +Попробуем ещё раз. +Хочешь принять душ или что-нибудь ещё? +Я не святая. +Откуда вы знаете? +И? +- Доверие? +Эта женщина сравнивает свои обеты с мыслями о суициде на краю моста. +Доказательства? +Просто в шоке. +Но ты была права насчет кое-чего. +У нас больше нет сына. +Well... +Или надеть ему парик из папиных волос. +И твои действия отражаются на мне. +Если кто-то спросит, мы... провели вместе одну ночь и у нас не сложилось. +Посмотреть все мои [бип] [Смеется] +Вы получили шулера? +Каково тебе потерять всё, что имела? +- Да. +- Мозг! +Сюда, Эрни. +У нас никогда не будет лучшего шанса избавится от них навсегда! +С Днем рождения, мам +- Почему не рассказала? +У тебя было 17 лет +(escargot - улитка) +Этого как раз достаточно нам на двоих. +Где они? +ќ, боже мойЕ +ћиссис Ѕаттл? +Большое спасибо. +- Китти ждет тебя. +- А как там вообще? +Отруливай! +Валяй, я не претендую. +Я был психом, когда записывался. +Профессор Мориарти. +Профессор Мориарти воспользовался сложившимся хаосом и украл единственный в своем роде голубой карбункул. +Тот самый профессор Мориарти. +Профессор Мориарти объявился на пути кареты, перевозящей деньги. +Здесь инспектор Лестрейд! +Меня зовут Шерлок Холмс. +Профессор Мориарти, похоже, вышел из себя и выбросил ее. +Я инспектор Лестрейд из Скотленд-Ярда. +Как я и думал, преступник - профессор Мориарти. +О, беда! +Инспектор Лестрейд прибыл. +Умоляю вас, инспектор Лестрейд! +В интервью инспектор Лестрейд заявил, что дело - сущий пустяк но он до сих пор так и не нашел никаких улик. +Да, инспектор Лестрейд приказал нам оставить все как есть. +Инспектор Лестрейд экспериментировал со способами выноса золотых слитков. +Инспектор Лестрейд обследовал эту комнату? +Нет, в основном инспектор Лестрейд вел расследование снаружи. +Холмс занялся тайной Меча Святого Креста семьи Визардов и тем же занят профессор Мориарти. +Быстрее! +Если учесть, что на этот раз инспектор Лестрейд проводил пробную поездку он, должно быть, здорово зол. +Был на свалке за полицейским участком. +Мистер Фокус, это и есть профессор Мориарти. +Вон едет инспектор Лестрейд. +Инспектор Лестрейд, вы нашли какие-нибудь улики? +Не говорите об обещаниях, когда сами их нарушаете, профессор Мориарти! +Профессор Мориарти! +Инспектор Лестрейд потерпел неудачу. +Прибыл инспектор Лестрейд и отряд полиции. +Профессор Мориарти! +По сути, профессор Мориарти способен на такое... ну или он так думает. +Согласно свидетельским показаниям, дело не вызывает сомнения! +До скорого, инспектор Лестрейд! +Коварный профессор Мориарти, похоже, намеревается победить в гонке при помощи краденного двигателя. +Правда? +Если ты попытаешься остановить меня завтра то я, профессор Мориарти, проверну дельце этой ночью! +Что? +Спасибо, что приехали, инспектор Лестрейд. +- Профессор Мориарти +Я инспектор Лестрейд из Скотленд-Ярда. +Ведь на этой же улице живет Шерлок Холмс? +Какая красавица... +Инспектор Лестрейд, я вовсе не намереваюсь мешать вам. +А, инспектор Лестрейд. +Я ценю это, инспектор Лестрейд. +Инспектор Лестрейд в растерянности. +Инспектор Лестрейд искал его на дне реки. +Не только инспектор Лестрейд, но и знаменитый детектив Холмс столкнулись с трудностями, расследуя это дело. +Я Шерлок Холмс. +Профессор Мориарти. +Звали его Шерлок Холмс. +Шерлок Холмс. +Меня зовут Шерлок Холмс. +Ого, там инспектор Лестрейд из Скотленд-Ярда. +За этим преступлением стоит злой гений - профессор Мориарти. +- Профессор Мориарти +Профессор Мориарти! +Профессор Мориарти, большой любитель лобстеров... похитил из поместья Брайдон самого дорогого в мире лобстера. +Могу вообразить, как сильно инспектор Лестрейд жаждет отыскать их. +Неужели профессор Мориарти снова за свое? +Инспектор Лестрейд сделал сенсационное заявление. +Так вы и есть тот знаменитый "Шерлок Холмс"? +Инспектор Лестрейд, я скоро направлю сюда спасателей! +Я Шерлок Холмс. +Я Шерлок Холмс. +Мы и о вас тоже позаботимся, профессор Мориарти! +До тех пор, пока Шерлок Холмс здесь ни один преступник не сможет совершить преступление в этом огромном городе. +Даже профессор Мориарти? +Инспектор Лестрейд! +О, вы, должно быть, Шерлок Холмс! +Видите? +Профессор Мориарти украл золотые слитки из подземного хранилища банка. +А вот и профессор Мориарти. +Винни... +Отныне вы знаете, каков истинный гений преступности профессор Мориарти! +Где инспектор Лестрейд? +Пропал! +Я инспектор Лестрейд из Скотленд-Ярда. +Я просто скажу им, что инспектор Лестрейд был совершенно прав в своих выводах. +Меня вызвали к тяжелобольному. +Во мне нет крови простолюдинов. +Бегом! +Приедешь ко мне, Вань? +Они всё ещё в четыре раза превосходят нас числом, но если мы задержим их ещё часов, так, на 48, у нас появится дополнительное время на переброску других австралийских дивизий. +Что, чёрт возьми, произошло, Клири? +Нет, Рекс, ты будешь драться. +Давайте их сюда! +Пускай каатится! +Возьми меня с собой? +Вам нужно найти Жемчужинку. +А теперьдавайте послушаем Сью Эн Экерштейн. +Хорошо. +Она живет там! +Может нам с тобой двинуть на пару месяцев в поместье в Квинсленде? +Это общая история по содержимому 8мм-пленки, фотографий и письма. +Не надо из-за меня. +Кто же тогда? +Тебе тоже. +Никого нет дома. +Биф. +Мы хотели новую машину обкатать. +НАДПИСЬ: +Слава Богу, я не облысел. +Смотри, смотри! +Согласно листовке, точно в 22:04 в эту субботу молния ударит в башню, электризуя кабель в момент касания крюка, и таким образом, подавая на поточный конденсатор 1,21 гигаватт и посылая тебя обратно в 1985 год. +Кстати, ты видела, что она Забрала видеомагнитофон? +Ну в общем, да. +- Можно взглянуть на вашу карту, сэр? +И мне больно слышать о них. +Грем Кроуден Лесли Филлипс +Он пьет мое виски, а потом мне гостей угостить нечем. +Это ему не повредит. +Нельзя поосторожнее? +Теперь небольшие знаки появляются на горизонте, светлые и живые, как ветер. +Эппи... дорогая. +Без этого, ты всего лишь слабый кусок плоти. +Другие говорили это Ад, что сильно хуже, чем знакомый нам мир. +Ты шило в жопе! +Мы возьмём зелье у колдуньи Ингрид, чтобы Сигурд уснул и не проснулся. +ЮНЫЙ ШЕРЛОК ХОЛМС +Шерлок Холмс. +Шерлок Холмс и "ревность"? +- Что? diff --git a/benchmarks/haystacks/opensubtitles/ru-small.txt b/benchmarks/haystacks/opensubtitles/ru-small.txt new file mode 100644 index 0000000..896f930 --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/ru-small.txt @@ -0,0 +1,18 @@ +-Две недели не даешь мне прохода. +Вот и действуй, чем ты рискуешь? +Я думал, что сделаю тебя счастливой. +Тоже мне счастье. +Муж не дает ни гроша, и у любовника ума не хватает подумать о деньгах. +- Хорошенькое счастье. +- Извини, я думал, ты любишь меня. +Ну люблю, люблю тебя, но и не хочу, чтобы все началось как в прошлый раз. +Ты не права. +У меня для тебя сюрприз. +Шлихтовальная машина, ты о ней давно мечтала. +-Для костей? +- Нет, настоящая. +Хочешь, приходи за ней вечером. +Я тебе не девочка. +Была бы ты девочкой, я бы тебе ее не купил. +Я люблю тебя +Митч МакКафи, летающий Шерлок Холмс. diff --git a/benchmarks/haystacks/opensubtitles/ru-teeny.txt b/benchmarks/haystacks/opensubtitles/ru-teeny.txt new file mode 100644 index 0000000..6dccb35 --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/ru-teeny.txt @@ -0,0 +1 @@ +летающий Шерлок Холмс. diff --git a/benchmarks/haystacks/opensubtitles/ru-tiny.txt b/benchmarks/haystacks/opensubtitles/ru-tiny.txt new file mode 100644 index 0000000..bafd891 --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/ru-tiny.txt @@ -0,0 +1,2 @@ +Это - одно из самых поразительных недавних открытий науки. +Митч МакКафи, летающий Шерлок Холмс. diff --git a/benchmarks/haystacks/opensubtitles/zh-huge.txt b/benchmarks/haystacks/opensubtitles/zh-huge.txt new file mode 100644 index 0000000..62804bd --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/zh-huge.txt @@ -0,0 +1,22000 @@ +魯哇克香貓咖啡 世界上最稀有的飲品 Kopi luwak. +the rarest beverage in the world. +嘗一小口 Take a whiff. +來 Go ahead. +寇爾先生 董事會已準備好聽你的提案 Uh, mr. +cole, the board is ready to hear your proposal. +等一下下 Hold on just a second. +來 繼續 Go ahead. +go on. +怎樣 Well? +真不錯 Really good. +真不錯 Really good. +寇爾先生? +Mr. +cole. +sir? +吉姆 你知道庸俗是什麼嗎 Do you know what a philistine is, jim? +先生 我叫理查德 Sir, it's richard. +沒錯 費爾 出動你的如簧巧舌吧 That's right, phil. +give them the spiel. +謝謝 主席先生 主管們 Thank you, mr. +chairman, fellow supervisors. +我們寇爾集團財務的管理不善 We at the cole group feel the decline of the winwood hospital... +直接造成了溫伍德醫院的衰敗 ...is a direct result of significant fiscal mismanagement. +請原諒 我們醫院... +I beg your pardon, this hospital... +日常開支近2倍 overhead costs are nearly double. +你們的租金和置業費用高得不可置信 Your lease and land costs were similarly overbid. +在科研分析 兒科 腫瘤學和核磁共振等領域的貢獻 Donations have atrophied to the point you've fallen far behind +萎縮到了有史以來曲線的最低點 the curve in research, pediatrics, oncology and mri. +7年來 寇爾集團私有化了15家公立醫院 The cole group has privatized 15 public hospitals in seven years... +每一家目前都為社區提供 或即將提供 ...each of which now provides, or will soon provide... +最高標準的醫療服務 ...the highest standard of medical care to their communities. +人手問題就不管了嗎 despite being grossly understaffed? +越好的醫生 越需要... +the better the doctor, the need... +床位怎麼辦 外面在傳你們收太多病人 What about beds? +there are rumors you increased the number +擠都擠不下了 of patients to the point of overpopulation. +病人的密度一直是... +Patient density has always been... +還有急診室 這可是眾所周知的... +And your emergency rooms, I mean, they are known... +我開的是醫院 不是健康療養所 I run hospitals, not health spas. +一個房間兩張床 無一例外 Two beds to a room, no exceptions. +聽著 我和米雪爾. +費弗約好了來這兒吃午飯 Look, I passed up a lunch with michelle pfeiffer to be here... +我們能否盡早停止惺惺作態 ...so can we desist from all of this inane posturing? +男孩女孩們 你們需要我 Boys and girls, you need me. +而我卻不需要你們 I do not need you. +這信封裡有一張大額支票 Now, there's a sizeable check in this envelope... +如果決定了就請隨便使用吧 ...let me know if you decide to cash it. +寇爾先生 你沒事吧 Mr. +cole, are you all right? +你在這兒幹嘛 What are you doing here? +為生命而戰鬥啊 你呢 Oh, you know, fighting for my life. +you? +我只是有點驚奇... +Uh, no, I was just surprised... +我並不在乎保險 and I don't care about the insurance! +去告訴那個腦子糊了屎的醫生 必須告訴我 And tell dr. +shit +-for +-brains i wanna know everything +為什麼一定要我打這一針光黴素 about this bleomycin drip he wants to get me on. +我聽說它會吞噬你的肺 I hear it eats your lungs. +等我下個月去國會座談時 When I address congress next month... +我不想通過喉嚨裡的洞來呼吸 ...i don't want to do it breathing through a hole in my throat. +-其實並不完全是這樣 +-這傢伙是誰 +- that's not exactly what happens. +- who the hell is this guy? +-湯馬斯在哪兒 湯姆 +-我在這兒呢 先生 +- where's thomas? +tom! +- in plain view, sir. +-你好 湯姆 +-我們要把你挪上床 +- hi, tom. +- we're gonna move you into the bed. +我能自己來 我還沒死呢 I can do it myself. +I ain't dead yet. +現在怎樣 How about now? +我最近炒你魷魚了嗎 Have I fired you lately? +自從奧普拉事件以來還沒有 Not since the oprah incident. +-他是個好人 +-對 好員工 +- that was a good one. +ha +-ha +-ha. +- yeah, it's good stuff. +那他媽是誰 Who the hell is that? +你他媽又是誰 Who the hell are you? +他說 "你他媽... +?" He said, "who the hell... +?" +天哪 我在哪兒 這是停屍房嗎 Oh, god. +what am i, in the morgue? +那是我第一次將目光停留在愛德華. +寇爾身上 That was the first time I laid eyes on edward cole. +一個不祥的開始 一定是這樣 An inauspicious beginning, to be sure. +放過我吧 親愛的上帝 Oh, spare me. +sweet jesus. +我討厭這些... +我討厭針管 I hate these... +I hate tubes! +要是接下來3個星期裡 I'll be damned if I'm gonna spend the next three weeks +我都挨著這個傢伙一起睡的話 我一定會死的 laying next to this guy. +怪人一個 像個半死人 Zombie boy. +looks half +-dead already. +你不能住單間 You can't have your own room. +不然會造成巨大的公關問題 It would create an enormous pr problem. +我沒有定過這樣的鬼規矩 I don't give a shit about pr. +我要住單間 這是我的醫院 沒天理啊 I want my own room. +it's my hospital, for chrissake. +別告訴我不能住單間 Don't tell me I can't have my own room. +無意冒犯 保爾 No offense, pal. +這政策你已公開辯護過無數次 You have publicly defended this policy countless times. +你開的是醫院 不是健康療養所 You run hospitals, not health spas. +一個房間兩張床 無一例外 two beds to a room, no exceptions. +我從前沒有生過病 I've never been sick before. +好吧 艾爾德瑞吉醫生馬上就要來給您打麻醉 Okay, dr. +eldridge will be in in a minute to dot you up, okay? +打麻醉 Dot me up. +上帝 Jesus. +湯馬斯 Thomas +麻醉時別讓我清醒著 don't let me wake up paralyzed. +我會竭我所能 I'll do what I can. +這真的是你的醫院嗎 This really your hospital? +是的 沒錯 Yeah, pretty much. +難喝的豌豆湯需要改進一下 Might wanna do something about the pea soup. +在早上的手術時發現 By the morning of the surgery, +癌癥已經擴散到愛德華的全身 the cancer had spread so far throughout edward's body +醫生們估計他只有5%的希望能活下來 that the doctors gave him only a 5 percent chance to survive +但他們卻未曾估計到他對他們有多生氣 But then, they didn't account for how pissed off they'd made him. +沒有人來看他嗎 No visitors come in to see him? +手術結束後他就一直睡著 He's been sleeping a lot since they brought him back. +哦 Mm. +我親自來護理你 還有一個原因 That's another reason I don't miss nursing. +你看病人要是那樣 是多麼可憐啊 It's always so sad seeing a patient like that, +還獨自一人 挺過手術 all alone after that kind of surgery. +至少他不嘮叨 At least he's quiet. +瑞秋今早來過電話 Rachel called this morning. +真的? +她怎麼樣 Really? +how's she doing? +她在為下學期在交響樂團當首席小提琴手做準備 She's auditioning for first violin in next semester's symphony. +那真是太好了 That's wonderful. +還要書嗎 Need any more books? +不用了 我很好 No, I'm... +I'm fine. +今晚的藥拿到了嗎 Got your meds for the night? +嗯 我已經吃過了 Mm +-hm. +I already took them. +枕頭怎麼樣 How about pillows? +我很好 弗吉尼亞 真的 謝謝你 I'm fine, virginia, really. +thank you. +如果你願意的話 我可以陪你待一會兒 You know, I could stay a while if you want me to. +沒必要把你也給拖累了 對嗎 No use both of us being useless in the morning, right? +好吧 Okay. +她走了? +She gone? +什麼 What? +作為公共健康專家之流 As something of a public health expert, +我相信更多的人死於探望者 而勝過死於疾病 I believe more people die from visitors than diseases +這種草莓 600塊 "it's the berries," for 600. +這種瑞典草莓和越橘一樣享有盛名 This swedish berry is also known as the cowberry. +-越桔又是什麼 +-越桔又是什麼 +- what is a lingonberry? +uh, what is a lingonberry? +正確 這種草莓 800塊 Correct! "it's the berries," for 800. +1956年熱賣前40名中 這草莓告訴貝多芬轉存 In a top 40 hit of 1956, this "berry" told beethoven to roll over. +誰是查克. +貝瑞 Who is chuck berry? +誰是查克. +貝瑞 對 Who is chuck berry? +yes. +嘿 Hey. +杜克 Duke? +你介意嗎 You mind? +哦 對不起 Oh. +sorry. +no. +-什麼是馬裡亞那海溝 +-什麼是馬裡亞那海溝 +- what is the mariana trench? +- what is the mariana trench? +早上好 愛德華 Good morning, edward. +-早 +-感覺怎麼樣 +- morning. +- how you feeling? +明擺著呢 Dumb question. +導管怎麼樣 How's that catheter? +真不知道沒有它的時候我是怎麼過來的 Don't know how I ever did without it. +幽默是個好兆頭 Ah, humor is a good sign. +你去死吧 Kiss my ass. +太粗魯了 這是你最大的愛好了 對吧 As is surliness. +it's one of your favorite flavors, right? +-對 +-看看這裡怎麼樣 +- yeah. +- let's see what we got here. +看起來不錯 It looks good. +手術很順利 好嗎 All right, so the operation went well, okay? +所有的術後腦掃瞄都很乾淨 All the post +-op brain scans are clean. +現在我們要乘勝追擊你體內剩餘的腫瘤 Now we go after the sarcoma in the rest of your body. +不幸的是 你的血壓很高 Now, unfortunately, your blood markers are extremely high, +我希望今早我們就開始化療 so I would like to begin chemo this morning. +喜歡早上化療的味道 Love the smell of chemo in the morning. +現代啟示錄 對嗎 Apocalypse now, right? +讓我感覺像個勝利者 Makes me feel like victory! +-我等會兒和你去辦手續 +-好的 +- I'll check in with you later. +- all right. +喂 大夫? +大夫? +Say, doc? +doc? +你可以來看一下... +You think you could just take a look at... +? +-對不起 我遲到了 你的醫生是誰 +-蓋比安醫生 +- sorry, I'm late. +who's your doctor? +- he's dr. +gibian. +我告訴護士 I'll let the nurse know. +謝謝 Appreciate it. +婊子 不是嗎 Bitch, ain't it? +-夸克是什麼 +-夸克是什麼 +- what are quarks? +- what are quarks? +你在這兒多久了 how long you been here? +進進出出幾個月了 In and out over the past few months. +把我當成試驗品 got me on an experimental treatment. +-二元方程式是什麼 +-二元方程式是什麼 +- what is the quadratic equation? +what is the quadratic equation? +有多痛苦 How rough is it? +化療? +Chemo? +不是很糟 Not too bad. +只要你不介意晝夜不停的嘔吐 If you don't mind around +-the +-clock vomiting... +看著你的血管變黑 ...watching your veins turn black... +感覺骨頭像是汽油膠化劑做的一樣 ...and feeling like your bones are made of napalm... +與在海灘上度假一日無異 ...it's a day at the beach. +那真是種欣慰 That's a relief. +當然 我聽說每個人的反應都不一樣 Of course, I hear people react to it differently. +今晚你自己就知道了 You'll know by tonight. +今晚? +Tonight? +聽著 Listen, um... +是否介意我八卦一下 ...you don't mind my asking... +那邊那個奇妙的裝置是什麼 ...what is that contraption you got over there? +是虹吸壺 煮咖啡用的 It's a siphon. +makes coffee. +它還能幹些什麼 What else does it do? +它還能幹些什麼呢 What else does it have to do? +你是否知道咖啡最初是由埃塞俄比亞的 Did you know that coffee was originally discovered +一個牧羊人所發現的 by a shepherd in ethiopia? +-不必說了 +-是真的 +- you don't say. +- it's true. +好像是他的山羊在一個陌生的灌木叢中吃漿果 Seems his goats were eating berries from an unfamiliar bush. +沒過多久 羊就到處跑跑跳跳 Before long, they were running and jumping all over... +度過了一段歡欣雀躍的時光 ...having a gay old time. +於是牧羊人帶了一些樹枝回到當地的修道院 So the shepherd took some of the branches to the local monastery +修道院長決定把樹枝烤熟 where the abbots decided to roast them. +烤著烤著 When the berries burned +裡面的豆子散發出了濃郁的香氣 the beans inside gave off such a pleasant aroma +他們把豆子放入燉鍋中釀造 they brewed them into a stew. +燉鍋 Stew, huh? +隨後的幾百年裡 咖啡流傳到了阿拉伯 歐洲... +And over the next few hundred years, it spread to arabia, europe... +甚至蘇門答臘島 正如你從那兒買的烈酒一樣 ...even sumatra, like that hooch you got over there. +它叫做魯哇克香貓咖啡 It's called kopi luwak. +我知道它的名字 I know what it's called. +是嗎 You do? +從來沒人逮住過我喝那玩意兒 Never catch me drinking that shit. +你喝過嗎 Have you ever tried it? +沒有 我更鍾情於速溶咖啡 No. +I'm more of a instant +-coffee man. +來 我來幫你 Here, here we are. +-謝謝 +-不客氣 +- thanks. +- no problem. +好了 給 There you are. +你一直有雀斑嗎 You always had those freckles? +是的 Far as I know. +挺好看的雀斑 Nice freckles +嗯 Hmm. +好了 我們有培根火腿和甜瓜 還有些意大利布拉塔乾酪 Okay, we got prosciutto and melons, some burrata mozzarella... +和一塊小牛排 ...and a veal paillard. +都是上好的意大利傳統膳食 The folks at toscana send their best. +你要全部吃完嗎 You sure you wanna eat all that? +是這麼打算的 That's the plan. +什麼 What? +哦... +Oh, uh... +要湯馬斯給你也來一盤嘛 You want thomas to make you a plate? +湯米 弄一盤給... +Tommy, uh, fix a plate for, uh... +卡特 Carter. +是姓還是名? +First name or last? +名字 First. +真的? +很有意思 Really? +interesting. +要來一盤嗎... +? +說不定能讓你振奮 So you want, uh... +? +might cheer you up. +不需要了 謝謝 No, thanks, I'll pass. +確定? +You sure? +好吃 好吃 Mm, yum, yum. +全洛杉磯最好吃的 Best in l. +a. +再也不是洛杉磯最好的了 It ain't the best in l. +a. +no more. +我的天啊 Oh, man. +瑪亞又是三好學生 Maya made the honor roll again. +我肯定她行的 Bet your ass she did. +我的天啊 My god. +還不如得個心臟病什麼的 Somewhere, some lucky guy's having a heart attack. +同志們 Fellows. +寇爾先生 Mr. +cole. +別管我 我只是在自言自語而已 Don't pay any attention to me. +I'm just, uh, talking to myself. +這是凱爾給你的 It's from kai. +他說長大後想成為像他爺爺一樣的機械師 Says he wants to be a mechanic like his granddad when he grows up. +希望你讓他打消這個念頭 I hope you talked him out of that. +我試過了 Well, I tried. +看看是什麼東西 What do we got here? +一部福特野馬350 It's a shelby 350. +-我一直想要一部 +-是啊 +- I always wanted one of those. +- yeah. +凱爾記著 kai remembered. +媽媽覺得你好像休息得不夠 Mom seems to think you're not getting enough rest. +恩 Mm +-hm. +她愛你 爸爸 She loves you, pop. +恩 Mm +-hm. +好 Okay. +檢查報告出來後 給我們打電話 好嗎 You'll, uh, call us when you get your test results, huh? +恩 Mm +-hm. +如果有結果的話 If that day ever comes. +好 Okay. +-保重 +-好 +- take care. +- okay. +你的長子? +He your oldest? +是 Yeah. +他做什麼的 What's he do? +-羅傑是稅務律師 +-哦 +- roger's a tax attorney. +- oh. +你看 Here. +他弟弟李 是個工程師 His brother, lee, is an engineer. +這個漂亮的小女孩是誰 Who's the pretty little lady? +那是瑞秋 三個中最小的 That's rachel. +youngest of the three. +年紀差得好大 Big age difference. +是啊 她是個驚喜 Yeah, well, she was a surprise. +她出生後 我兒子們都寧願呆在家裡照顧她 We'd hardly gotten the boys out of the house when she came along. +她小提琴拉得很棒 She's an outstanding violinist. +你有小孩嗎 You got kids? +這要看了 Depends. +-我的婚姻關係都不長 +-恩... +- never stayed married long enough. +- oh, well... +別擔心 對於我們兩個來說我結婚夠久了 ...don't worry, I've been married long enough for the both of us. +覺得怎麼樣 How's that going? +就這樣 It's going. +感覺不錯吧? +That good, huh? +這就是為什麼要發明電燈開關的原因了 Well, that's why they invented light switches. +別誤會 我愛婚姻生活 結過四次婚 Don't get me wrong, I loved being married, been there four times. +問題在於我鍾情於獨身 Problem is I love being single too. +魚和熊掌不可兼得 Hard to do them both at the same time. +人無完人嘛 Well, nobody's perfect. +我唯一成功的就是我的事業 Only successful marriage I had was me and my work. +我16歲時就開始賺錢... +I started making money when I was 16... +...之後就 ...and that was that. +沒有停過 Never stopped. +我比較倒霉 I'll be damned. +我原來想當歷史教授 I wanted to be a history professor. +人無完人啊 Nobody's perfect. +弗吉尼亞告訴我懷孕前 I made it through two months of city college... +我在城市學院做過兩個月 ...before virginia gave me the news. +然後... +And then, you know... +年紀小 黑人還窮 孩子又要生了 ...young, black, broke, baby on the way... +就接了第一份待遇還不錯的工作 Take the first decent job that comes along. +我一直想回去 I always meant to go back +但45年一晃就過去了 but 45 years goes by pretty fast. +時光飛逝 Like smoke through a keyhole. +該死 Shit! +不要睡著的時候給我打嗎啡 真是浪費 Don't give me the morphine while I'm sleeping. +it's a waste. +她可能是想把我們倆都殺了 你說呢 Maybe she's trying to kill us both. +you ever think of that? +贏了 Gin. +你是什麼 魔鬼嗎 What are you, the devil? +如果我已經失去理智了怎麼辦 What if I lost my mind already? +老天啊 不會吧 Jesus, no. +不 不 不 這不是祈禱 No. +no, no jesus, this is not praying. +我只是在自言自語 這是 I'm talking to myself out loud, that's... +你想過自殺嗎 You ever think about suicide? +自殺? +我? +Suicide? +me? +yeah. +沒有 no. +知道了 你是第一階段 Thought so. +stage one. +什麼 What? +有五個階段 但是... +The five stages, but... +否認 Denial. +然後是憤怒 抵抗 沮喪 接受 Then anger, bargaining, depression, acceptance. +所以你現在當然不會想到自殺 So of course you're not thinking of suicide. +你處於第一階段 否認 You're in stage one. +denial. +那你在哪個階段 What stage are you in? +否認 Denial. +想過自殺嗎 And thinking about suicide. +好吧 這只是一個... +Yeah, okay. +it's just a frame of... +看上去你好像不再需要這個了 Well, it looks like you won't be needing this anymore. +-結束了? +-第4個療程 也是最後一個 +- that's it? +- yep, fourth and final. +接下來做什麼呢 What's next? +醫生要先看看所有的檢查結果再決定 They have to run all the tests first, see where we stand. +-要多久 +-需要點時間 +- well, how long? +- takes a while. +我會讓蓋比安醫生安排檢查的 I'll get dr. +gibian to schedule them when I see him. +謝謝 Thanks. +我離下班還有一個小時 還有什麼需要嗎 I'm on for another hour, anything you need? +如果可以的話 我想要健康證明書 Clean bill of health if you got one. +堅持一下 卡特 Hang in there, carter. +我就是這麼做的 That's what I do. +到中心線 上壘... +And line to center, base hit... +將要打三個反彈球 ...kent will have to play it on three bounces... +得分 投球手向後... +...and alou will score. +the throw goes to the back... +啊呀抄近路 天啊 Hit the cutoff man, for crying out loud. +你看 這就是比賽癥結所在 You see that's the problem +沒有基本原則 No fundamentals. +有讀過這本書嗎 Did you ever read the time of your life? +-威廉. +薩洛揚寫的 +-是的 +- william saroyan. +- yeah. +"沒有基礎 完全沒有" "no foundation. +all the way down the line." +當我們長大後... +你在做什麼 When we were growing up... +what are you doing? +沒有 隨便寫寫 Nothing, scribbling. +寫點什麼 Scribbling? +what? +沒什麼 亂寫而已 Nothing. +just scribbling. +當然 這是你想做的 Oh, sure, that's what you wanna do +三壘的人 球偏了點 bounce a slider with a man on third. +現在的這些孩子... +These kids today, they... +戴耳機了 我原來在自言自語 Earphones. +I'm talking to myself, again. +-愛德華? +-醫生 +- edward? +- doc. +感覺如何 How's it going there? +愚蠢的問題 Dumb question. +檢驗報告出來了 I got the test back. +現在就說嗎 I'll just lay it out, huh? +只剩六個月 Six months. +幸運的話一年 A year if we're lucky. +我們有一個實驗性的療程 There is an experimental program that we've been conducting +但不要抱太大希望 and I don't wanna get your hopes up +只是覺得你比較適合來試試看 but I think you would be an excellent candidate +醫生 Hey, doc. +怎麼了 Yes? +你擋住我視線了 You're blocking my view. +哦 Oh. +對不起 Sorry. +如果你有什麼想問的 Anyway, if there's any questions +不管什麼時候 都可以來找我 day or night, you know where to find me. +有一個問題 One question. +當然 問吧 Sure, of course. +卡特 你有什麼要問霍林斯醫生的嗎 Carter, you wanna ask dr. +hollins something? +我其實對錢柏先生的病情不太瞭解 I mean, I'm not familiar with mr. +chambers'... +那就去瞭解一下 Well, get familiar. +我只是想知道我還能活多久 就這個 I just wanted to know how I stand, that's all. +好的 那我先去看看你的病情報告 Sure. +how about I'll go take a look at your chart, okay? +謝謝 Thank you. +愛德華? +Edward? +愛德華? +Edward? +曾經有一項調查 There was a survey once. +一千名被調查者被問到否願意 A thousand people were asked, if they could know in advance... +事先知道他們的死期 ...would they want to know the exact day of their death. +96%的人不想 Ninety +-six percent of them said no. +我我以為我就是那剩下的4% I always kind of leaned toward the other 4 percent. +因為如果能知道自己的生命還剩多少 I thought it would be liberating... +將會是一種解脫 ...knowing how much time you had left to work with. +最好的情況是1年 A year at best. +但其實... +我不是 It turns out, it's not. +想玩牌嗎 You want to play cards? +以為你再也不會問了 Thought you'd never ask. +太陽高高昇起 Rise and shine. +或者這樣 Or that. +讓我看看 Let me see that. +還有 湯馬斯 And, uh, thomas... +打電話給克裡斯蒂拍賣行的瑪麗 call marie at christie's and tell her +這個季度我不去競拍了 I won't be bidding this season. +知道了 I understand. +我不想冒犯你 Uh, sir, I don't mean to sound indelicate +但你要我怎麼處理你的... +but how do you want me to handle your? +遺產? +Death? +就當作你的遺產一樣處理 Treat it as if it were your own. +把所有的錢都留給我的助理? +So leave all the money to my assistant? +去給我買塊杏仁牛角麵包 Go get me one of those almond croissants that I like. +給我挑好的 And don't buy any green bananas. +-你在看什麼 +-這是什麼 +- what are you doing? +- what is this? +-快還給我 +-是什麼 +- come on, give it back. +- what is it? +還給我 Give it back. +地上撿的 我又不知道這是國家機密 It was on the floor. +I didn't know it was a state secret. +我大一時 有個哲學教授 Well, my freshman philosophy professor +給我們佈置過一份作業 關於人生規劃 assigned this exercise in forward thinking. +叫做"遺願清單" He called it a "bucket list." +我們要把一生中想做的事情列出一個清單 We were supposed to make a list of things we wanted to do +-在我們... +-翹辮子之前 in our lives before we... +- kicked the bucket. +真做作 Cutesy. +我列出來的是"成為百萬富翁" Anyway, I wrote things like "make a million dollars" +"當第一位黑人總統" 都是些年少輕狂的想法 "first black president," you know, young man's wishes. +我想重新列一張 但是... +I was gonna redo the list, but then... +"善意地幫助一位陌生人" "help a complete stranger for the good." +"大笑到流淚" "laugh until I cry." +不是要評論 但這也太弱了點 Not to be judgmental, but this is extremely weak. +現在也沒什麼用了 Well, it's pointless now. +我要從反面跟你理論一下 I would argue the exact opposite. +好吧 就這樣 All right. +that's it. +你在幹嘛 What are you doing? +只是稍微改一下 A little rewrite, that's all. +難道你不想去參加舞會 玩玩槍 I mean, don't you want to go out with some balls? +guns blazing? +找點樂子? +Have a little fun? +這可不是關於什麼槍什麼的 It was not supposed to be about guns blazing or anything like that. +你還沒弄明白 You're missing the point. +"欣賞宏偉的景色"這是什麼鬼東西 What the hell is "witness something majestic"? +你有去過喜馬拉雅山嗎 Have you ever been to the himalayas? +"駕駛福特野馬跑車" 這還不錯 "drive a mustang shelby." not bad. +想到一個 去跳傘怎麼樣 I got one. +all right. +how about skydiving? +現在我們有事做了 Now we're onto something. +我們有事請做了? +We're onto something? +-對啊 +-讓我看看 快點 +- uh +-huh. +- let me see that. +come on. +好 Fine. +"親吻世界上最美的女孩" "kiss the most beautiful girl in the world"? +你打算怎麼做到 How do you propose doing that? +大親特親 Volume. +"刺一個紋身" 這就是你的勇氣? +"get a tattoo." is that the sum of your ambition? +愛德華 我寫的可比你深刻 Edward, I've taken baths deeper than you. +比大一學生深刻是容易的 It's easy to be deep in freshman philosophy. +霍林斯醫生怎麼說的 What's dr. +hollins say? +我們只有幾個月了 對嗎 We got months, right? +也許一年 A year, maybe. +你覺得45年過得很快嗎 You think 45 years went by fast? +我們能去做這些事的 We could do this. +我們應該去完成這些願望 We should do this. +不行 我不能 No, I couldn't. +不要擔心錢 我有的就是錢 Don't think about money. +that's all I got is money. +但我不知道... +But I don't know. +I... +你不知道什麼 What don't you know? +我只是打比方而已 It was meant to be metaphorical. +-我只是想試著去處理... +-全是廢話 +- I'm just trying to get a handle on... +- blah, blah, blah. +打比方 Metaphors. +你光說不做 所以才會遺憾 現在機會來了 You're the one crying you never took a shot. +here's your chance. +什麼機會 把自己變成傻瓜 My chance to what? +make a fool of myself? +永遠不遲 Never too late. +你覺得接下來會怎麼樣 What do you think happens now? +我回去 然後聽別人說一大堆 I go back and sit around listening to people +關於融資理財和次級貸款 talking about mezzanine financing and subordinated debt +假裝關心很關心我那些該死的錢 pretending that I care about dead money. +你回到家去為你的死亡準備一個儀式 You go home to some ceremonial procession into death... +在你想安慰大家的時候 ...with everyone standing around watching you die... +他們卻都圍著看你離去 ...while you try to comfort them. +那就是你想要的嗎 被憐憫和憂傷所充斥著 Is that what you want, to be smothered by pity and grief? +我可不想 Well, not me. +卡特 我相信在你的內心深處你也不想這樣 And in your heart, carter, I believe not you either. +我們現在是同舟共濟 這個比喻怎麼樣 We're both in the same boat. +how's that for a metaphor? +我們現在有個很好的機會 We got a real opportunity here. +機會 Opportunity? +即使是對你來說 這麼講也太離譜 That is real twisted, even by your standards. +我們依然感覺不錯 對嗎 精力又回來了一點 We still feel good, right? +energy's coming back a little bit. +醫生說沒事了 Asymptomatic, the doc says. +照我的看法 我們可以躺在這兒 The way I see it, we can lay around here... +期待在某個爛科學實驗中發生奇跡 ...hoping for a miracle in some bullshit science experiment... +或者我們能更進一步 ...or we can put some moves on. +跳傘 對嗎 Skydiving, huh? +太好了 All right. +這是什麼醫院 居然連個醫學博士都沒有 What kind of hospital is this? +there isn't an m. +d. +within a mile. +弗吉尼亞 我們得談一下 Virginia, we have to talk. +醫院怎麼說的 What did they say? +錢柏太太 你們談 我出去一下 Uh, mrs. +chambers, I'm gonna give you two a little quiet time. +請原諒 Excuse me. +情況不太好 It's not good. +我就知道我們應該去加州大學附屬醫院 I knew we should have gone to ucla. +那兒的外科醫生和手術水平都更好 The surgeons are better. +post +-op is better. +-這沒什麼關係 +-你根本不懂 +- wouldn't have mattered. +- you don't know that. +我們絕不放棄 我有其他辦法 We're not giving up. +I want another opinion. +弗吉尼亞 virginia. +請接腫瘤科的維特裡醫生辦公室 Yes, oncology, please. +dr. +veteri's office. +弗吉尼亞 別打了 Virginia, no. +讓我來處理 Let me handle this. +維特裡醫生嗎 我是弗吉尼亞. +錢柏 Dr. +veteri? +virginia chambers. +是的 沒錯... +Yes, that's right... +我要離開一段時間 I'm going away for a while. +你在說什麼 What are you talking about? +我在說愛德華和我要出發了 I'm talking about edward and I are going away. +愛德華和你 Edward and you? +出發去哪裡 Going away where? +我不期望你能理解 I don't expect you to understand. +你說對了 我不理解 You're damn right I don't understand. +我不理解你怎麼能就這樣放棄 I don't understand how you can just give up like this. +你怎麼能就這樣... +放棄鬥爭 How you can just quit... +quit fighting. +-弗吉尼亞 +-為什麼你不和孩子們那樣去說 +- virginia. +- why don't you tell our children that? +當他們發現是你放棄了他們時 看他們怎麼說 See what they say when they find out you've given up on them. +放棄他們 Given up on them? +放棄他們 Given up on them? +我在引擎蓋下面修了45年的車 I've got 45 years greased up under the hood of a car... +那樣他們就不會來要求什麼了 他們確實沒有 ...so that they didn't want for anything, and they didn't. +我想我該給自己一點時間了 I think I've earned some time for myself. +去做什麼 和一個完全陌生的人離開 To do what? +run off with a total stranger? +他不是一個陌生人 He's not a stranger. +我是你的妻子 I'm your wife. +我是你的丈夫 他們的父親 And I'm your husband. +and I'm their father. +他們的祖父 還是一個該死的修車師 And I'm a grandfather. +and I'm a damn mechanic! +你是個傻子 And you're a fool. +你是個認為他會給你指一條 You're a fool who thinks he's figured out +不會得癌癥的路的傻子 a way how not to have cancer. +對不起 I'm sorry. +我丈夫不是用錢可以換走的 My husband is not for sale. +她恨我 She hates me. +你恨我嗎 Do you hate me? +目前還沒有 Not yet. +因此計劃就開始了 And so it began. +我常常害怕坐飛機 I've always been afraid to go up in an airplane +現在我就要在一個瘋子的幻想中跳下去 now I'm gonna jump out of one at the whim of a maniac! +想撿回來嗎 Wanna get it? +你怎麼能建議我們這樣做 How do you suggest we do that? +等等 Wait. +噢 Ow! +見鬼 Damn it. +閉嘴 Not a word. +回到座位上去吧 凱爾 Back to the seat, kyle. +你要原諒我 凱爾 You'll have to forgive him, kyle. +他在擔心家裡的那個女人 he's worried about the little woman. +這和我妻子沒有關係 This has nothing to do with my wife. +30秒後起跳 Thirty seconds to drop. +結局是這樣的 The sequel was like that. +她從未支持過我做任何事 She never backed me up on anything. +結局 The sequel? +我的第二任妻子 The second mrs. +edward cole. +天啊 那個女人恨死我了 God, that woman hated me. +可能是因為你叫她"結局" Maybe because you called her the sequel. +凱爾 我從來沒那樣想過 kyle, I never looked at it that way. +-15秒 +-不 不 +- fifteen seconds. +no, no. +-等一下 我不能這樣做 +-當然可以 +- wait! +wait, I can't do this. +- sure you can. +不 我真的不能 No. +I can't. +really. +你害怕的不是跳下去 It's not the jump you're afraid of. +當然不是 The hell it's not! +你只是在擔心你的降落傘不能打開 You're just afraid your chute won't open +然後你會像個煎蛋卷一樣 出現你自己的葬禮上 and you'll show up at your own funeral as a denver omelet. +不 我真的非常擔心降落傘不能打開 No, I'm pretty much just worried the chute won't open. +不 不 No, no! +他的嗓子不錯 對嗎 Man's got some lungs, huh? +讓我們用降落傘降落吧 Let's hit the silk! +我們是勇士 Geronimo! +哇塞 太漂亮了 Oh, yeah, beautiful! +啊 啊 Aah! +aah! +快拉 快拉繩索 Pull the thing! +pull the cord! +感覺怎麼樣 這才是生活 How about this, huh? +this is living. +我恨死你了 I hate your rotten guts. +向天空說投降吧 Surrender to the void! +這麼多繩索 哪條是用來拉的 Which one of these damn cords do you pull? +別碰他 我們還沒到降落地點 Don't touch it. +we're not in the drop zone yet. +我們可以借助風勢... +we could wind up in the... +好吧 打開降落傘吧 Okay. +let's deploy. +我有種感覺 我在降落 I got a feeling I'm falling +我們到了紅色區域了 拉繩索 We're in the red zone. +pull the cord. +我有種感覺 我在墜入愛河 I got a feeling I'm falling in love +快拉繩索 Pull the damn cord! +我曾擁有愛 I was in love once. +湯米 我們活著就為了某天死去 Tommy, we live to die another day. +我很走運 How lucky for me. +說真的 湯馬斯 記住那遺囑 它離你很近了 No jokes, thomas, remember the will. +you're so close. +我想問你點事情 Let me ask you something. +你是叫湯米還是湯馬斯 Uh, is it tommy or thomas? +實際上我叫馬修 但他覺得那名字太宗教化了 Um, it's actually matthew, but he finds that too biblical. +我們吃點東西吧 快來 Let's eat something. +come on! +他瘋了嗎 Is he insane? +時不時地 Depends. +你決定了嗎 So you decided? +不 我不想要任何 No, I couldn't think of anything +會困擾我永世的東西 I wanted to be stuck with permanently. +還永世呢 我們就要在五分鐘內死去了 What's permanently? +we're gonna be dead in five minutes. +-什麼 +-比喻說法 +- what? +- figure of speech. +不舉同盟旗 不信黑色耶穌 So no confederate flag, no black jesus. +不 我將要... +No, I'm gonna... +去世 當然會 Pass. +yeah, sure. +我向來不主張褻瀆自己的身體 Well, I never agreed to desecrate my body. +你在擔心他們不會把你葬在猶太人的公墓 You worried they won't bury you in a jewish cemetery? +擔心你妻子嗎 What, the wife? +這只是個紋身 It's a tattoo. +這與你在外搞婚外情是不同的 It's not like you're dumping her for another woman. +我從來沒和其他女人在一起過 I never been with another woman. +哇 Whoa. +那個必須要寫在清單上面 That's gotta be on the list. +不 我不這麼認為 No, no. +I don't think so. +66年 Sixty +-six years? +夥計 我們應該來次放縱 Man, oh, man. +we ought to have a big orgy. +不 No. +放縱並不等於是不忠 Orgy's not even being unfaithful. +不 No. +這只不過看上去更專業 It's just, like, professional. +不 No! +我從來沒去過那種地方 I don't even have to be there. +你好 親愛的 Hello, darling. +你要駕駛她還是給她買身漂亮衣服 you gonna drive it or buy it a dress? +只是讓我們彼此熟悉一下 Just getting to know each other. +你確信我們準備好了嗎 You sure we're cleared for this? +當然已經準備好了 要不然怎麼樣 Of course we're cleared for it. +what if we weren't? +只是檢查一下 Just checking. +快 加油寶貝 看看她到底如何 Come on! +tap it, baby! +let's see what she's got. +我們很棒啊 Ah, we're doing just fine. +你聽上去好像小孩要去參加大三的舞會 You sound like some kid going to the junior prom. +你聽上去好像誰正在等待扭屁股的勝利 You sound like someone looking for an ass +-whupping. +扭屁股勝利 哈 哈 Ass +-whupping? +ho +-ho +-ho +-ho. +-你一無所有 +-哈 哈 +- you got nothing! +- ha, ha. +有你就足夠了 快樂的吉姆 加速 Got enough for you, sunny jim, dangling. +開這麼快想證明你雞雞有多能幹嗎 Did you just make a penis reference? +如果我有呢 What if I did? +上帝 你要讓我們兩個送命嗎 Jesus! +you're gonna kill us both! +如果我要呢 What if I do? +見鬼 Goddamn it! +你給我帶來了麻煩 You're breaking evil on me. +麻煩 我給你表演一下麻煩 Evil? +I'll show you evil. +我來給你表演一下真正的飛車麻煩製造者 I'll show you evel goddamn knievel. +嘗嘗這個 膽小鬼 Pick up on this, chicken man! +耶 哈 Yee +-ha! +膽小鬼 哼 Chicken man, huh? +你能跑 但你不能躲起來 You can run, but you cannot hide! +接下去你想做什麼 What do you wanna do next? +你到底有多少錢 How much money do you have anyway? +沒人告訴過你 Didn't anyone ever tell you +議論別人的財產 是件很不禮貌的事情嗎 that it's rude to talk about someone else's money? +這麼有錢的人 我還是第一次認識 I never knew anyone with enough to ask. +很像病房啊 Medicinal. +這是難以形容的美麗 It's indescribably beautiful. +我喜歡在地球兩極上空飛行 I love flying over the polar cap. +在荒涼的上空 Above the desolation. +星星 The stars +是上帝所創造的美好事物之一 it's really one of god's good ones. +你認為是某種生命體創造了這些 So you think a being of some sort did all this? +你不這麼認為嗎 You don't? +你的意思是我是否相信當我仰望天空 You mean, do I believe if I look up in the sky +允諾這個或那個的時候 and promise this or that +上帝就會讓我們挽回生命嗎 the biggie will make all this go away? +不會 No. +那你的意思地球上95%的人都錯了 Then 95 percent of the people on earth are wrong? +生活告訴我 If life has taught me anything +這95%的人總是犯錯 it's that 95 percent of the people are always wrong. +這就叫信仰 It's called faith. +事實上我羨慕那些有信仰的人 I honestly envy people who have faith. +但我自己卻做不到 I just can't get my head around it. +也許你正在努力 Maybe your head's in the way. +卡特 我們聽夠了無數次類似的討論 Carter, we've all had hundreds of these discussions... +但每個人最終都遇到了同樣的問題 ...and every one of them always hits the same wall. +就是到底有沒有神靈的存在 Is there a sugarplum fairy or not? +沒人能夠回答這個問題 And nobody has ever gotten over that wall. +那你信仰什麼呢 So, what do you believe? +我拒絕所有的信仰 I resist all beliefs. +沒有大爆炸之後宇宙的存在 No big bang? +random universe? +我們活著 We live. +我們死去 We die. +生命的車輪在不停的前進 And the wheels on the bus go round and round. +如果你錯了呢 What if you're wrong? +我很高興自己是錯的 I'd love to be wrong. +如果我錯了 那我就贏了 If I'm wrong, I win. +我不確定這樣有沒有用 I'm not sure it works that way. +你不認為你知道一些我不知道的事 Well, you're not claiming you know something I don't. +恩 Mm +-mm. +我有信仰的 I just have faith. +哈雷路亞 夥計 Hallelujah, brother... +不談這個了 ...and pass the mustard. +-你知道他們是怎麼收穫魚子醬的嗎 +-不知道 +-Know how they harvest caviar? +-hit me. +當雌鱘魚被抓住的時候 When a female sturgeon is caught... +漁夫必須注意觀察 她死得是否很安詳 ...the fisherman has to take great care to see she dies peacefully. +-恩 +-只要她感覺到一點點的恐懼 +- mm +-hm. +- lf she feels the least bit threatened... +...她就會分泌一些酸液來破壞魚卵 ...she secretes a sour chemical that ruins the eggs. +聽上去像我第三任妻子 Sounds like my third wife. +她認為蛋黃醬是種出來的 Woman thought mayonnaise came from a plant. +我對此已經習以為常了 I could get used to this. +聽上去也像我的第三任妻子 Also sounds like my third wife. +這30年裡 我常來這裡 Thirty years I've been coming here. +和一個男人來這裡是第一次 First time with a guy. +我很榮幸 Well, I'm flattered. +艾米莉的十歲生日是最美好的 雖然... +Emily's 10th birthday was the best, though. +誰是艾米莉 Who's emily? +我的小... +My little, uh... +她已經不再是小姑娘了 Well, she's not so little anymore. +你有個女兒 You have a daughter? +-但是你說... +-是的 +- but I thought you said... +- yeah, well... +那時我還不認識你呢 i didn't know you then. +長話短說 Make a long story short, +我們不見面的 i don't see her. +你在幹什麼 What are you doing? +現在是時候了 It's time. +-不 不 把它劃掉吧 +-為什麼不去 +- no, no, no. +cross that off. +- why not? +-劃掉它 +-為什麼 +- cross it off. +- why? +為什麼 Why? +沒有什麼為什麼 There is no why. +-你怎麼了 +-請原諒 +- what's the matter? +- excuse me. +你去哪裡 Where you going? +真像個女人 Just like a broad. +喂 卡特 Look, uh, carter... +對不起 我知道 I'm sorry. +I know +有時我有一點傲慢和... +sometimes I get a little overbearing and l... +上帝啊 Jesus christ. +-沒事的 沒關繫了 +-什麼 什麼 +- it's all right. +it's okay. +- what? +what? +上面的導管流出來的 沒什麼 The top on the catheter came loose, that's all. +也許該送你去醫院 卡特 Well, maybe we should get you to a hospital, carter... +-我剛從醫院裡出來 +-嗯? +- I just busted out of the hospital. +- huh? +沒事了 看 已經不流了 我們出去吧 It's all right. +look, it's already stopped, see? +let's get out of here. +看上去很好 嗯... +It looks wonderful. +uh... +uh... +-也許我要去拿... +-我們直接走吧 +- maybe I'll get the... +- let's just go. +-你直接上車去 +-走吧 走吧 +- you go straight to the car. +- come on. +come on. +好吧 Okay, all right. +-湯米在哪? +在哪? +-在客廳 先生 +- where's... +? +where's tommy? +in the salon, monsieur. +噢 天哪 Oh, my. +你到底有多少錢呢 How much money do you have? +我可不會流血到地毯上 Well, I wouldn't bleed on the rugs. +我要找個地方好好洗個熱水澡 I'm gonna find someplace where I can take a nice hot bath. +洗得乾乾淨淨的 Be as good as new afterwards. +是的... +你... +好吧 Yeah... +you... +okay. +好吧 我們都準備好了 好的 okay, we're all set, okay +好了 雖然花了點功夫 但是我都重新安排好了 All right, it took some doing, but, uh, I rearranged everything. +明天去開羅 在坦桑尼亞呆兩天 Cairo tomorrow, tanzania for two days, +然後週六去約翰內斯堡 then johannesburg on saturday. +而且事先聲明 不准鬥牛 不准獵虎 And, as previously directed, no bullfight, no tiger hunt. +湯馬斯 我真的很想說你是不可替代的 Thomas, I'd really like to say you're irreplaceable +但是那是在說謊 but I'd be lying. +我也很想說你真的是個不錯的人 我熱愛我的工作 And I'd really like to say you're a gracious man, and I love my job +但是我 也是在說謊 but i, too, would be lying. +反擊得很合理 Turnabout is fair play. +肯定是跟我學的吧 I believe you learned that from the master. +嘿 過來看 他們遇到危險了 在浴室 Hey, look! +they got jeopardy! +in the bathroom! +電視上的 冒險者 On the tv. +jeopardy! +冒險者 在法國 Jeopardy! +? +in french? +喂 Hello? +是寇爾先生嗎? +我是弗吉尼亞. +錢柏 Mr. +cole? +virginia chambers. +噢 我知道了 嗯 你好 Oh. +yeah. +um, hi. +我幫你叫卡特接電話 Let me get carter for you. +實際上 我是打給你的 Well, actually, I called to speak to you. +噢 Oh. +他還好嗎 Is he all right? +噢 是的 他... +他很好 Oh, yeah. +he's... +he's fine. +我能問下你們在哪嗎 May I ask where you are? +法國 實際上 嗯 明天... +France, actually. +uh, tomorrow... +把他還給我 Give him back to me. +弗吉尼亞 我可以叫你弗吉尼亞嗎? +Virginia. +may I call you virginia? +我不確定我是否可以讓他 I'm not sure that I can make... +別拿他當借口 I'm not asking for his sake. +寇爾先生 Mr. +cole +我這一生的職業就是護士 I've been a nurse my entire adult life. +我親眼目睹了很多人的悲劇 Had a ringside seat to more human tragedy... +我比任何女人承受過的都要多 ...than any woman should ever have to bear. +現在 我早有了丈夫將亡的心理準備 Now, I'm prepared for my husband to die. +我只是沒準備 在他還活著的時候就失去他 I'm just not prepared to lose him while he's still alive. +-霍迪. +杜迪是誰? +-答對了 +- who is howdy doody? +-you got it. +-你來選 +-電視木偶類 400元 +- you pick. +- "tv puppets," for 400. +這兩個提線木偶 These two muppets... +是室友 他們長期在芝麻街節目中表演 ...are roommates on the long +-running show sesame street. +伯特和爾尼是誰 who are bert and ernie? +斯必羅. +阿格紐是誰 Who is spiro agnew? +斯必羅. +阿格紐是誰 Who is spiro agnew? +看來 Well... +你看起來 嗯 ...you're looking, uh... +很愉快 ...buoyant. +這是我第一次躺在一個沒有角的浴缸裡 This is the first time I was ever in a tub with no corners. +是嗎 Really? +嗯 卡特 其實我一直在想 You know, ahem, carter, uh, I've been thinking +剛才導管的事 還有其他的事 what with the catheter and everything +也許我們應該把旅行暫停一陣子 maybe we should put this on hold for a while. +拜託 我不是跟你說了嗎 別擔心 我現在很好 Come on, now, I told you, stop worrying. +I'm fine. +不 不 不是指那個 不是指那個 No, no, it's not that. +it's not that. +只是 我的意思是 或許我會讓你失望 It's just, I mean, if you're worried about letting me down +你知道 畢竟我更可能會死 you know, it's a lot easier for me. +你和弗吉尼亞談過了 是嗎 You talked to virginia, didn't you? +你認為我這麼做是為什麼 Why do you think I'm doing this? +因為我讓你這麼做的 Because I talked you into it. +愛德華 你是很厲害 但是沒有那麼厲害 Edward, you're strong, but you're not that strong. +知道嗎 Know. +自從瑞秋上大學後 我的生活就出現了個缺口 After rachel left for college, there was a hole. +我的意思是 你知道 不再有家庭作業 不再有社團 I mean, you know, no more homework, no more little league... +背誦 學校比賽 ...recitals, school plays... +孩子的哭聲 打鬧 摔傷膝蓋 ...kids crying, fights, skinned knees. +40年來我第一次看著弗吉尼亞 And for the first time in 40 years, I looked at virginia +周圍沒有絲毫吵鬧聲 沒有任何干擾 without all of the noise, without all of the distractions +我甚至記不起來那種感覺 and I couldn't remember what it felt like +那種不牽著她的手逛街的感覺 when I could not walk down the street without holding her hand. +我的意思是 她還是那個我深愛的女人 I mean, she was the same woman I fell in love with, +她沒有變 she hadn't changed. +但是不知怎麼了 一切都變了 But somehow everything was different. +一路走來 我們似乎失去了什麼 We'd lost something along the way. +你明白嗎 You know? +查理. +麥卡錫是誰 Who is charlie mccarthy? +獅子在今夜沉睡 "the lion sleeps tonight" +看 看 看 Look, look, look! +啊哈 Aah! +我很高興當愛德華決定 I was very pleased when edward decided +把單子上的第9條劃去 to eliminate item number nine +"獵虎" "hunt the big cat." +當然 他依然堅持要放幾槍 Of course,he insisted on discharging rounds from the big gun +其實一槍就夠了 One proved to be enough. +你知道嗎 Do you know +唯一一條被閃電擊中的狗 that the only dog ever struck by lightning +就是在這 在埃及 was right here, in egypt? +我真希望我能在被叛死刑前認識你 I wish I'd met you before we were dead. +這樣看來 You know, technically +我們可以劃去兩條了 we could cross off two items: +親眼目睹金字塔 "see the pyramids" +還有欣賞宏偉的景象 and "witness something majestic." +這裡已經很宏偉了 This is about as majestic as it gets. +還是等看到我的山再下結論吧 Wait till you see my mountain. +噢 好吧 Oh, yeah. +你的山 Your mountain. +不過 這裡確實不錯 Still, this ain't half bad. +古埃及人對於死亡有個美好的信仰 the ancient egyptians had a beautiful belief about death. +當他們的靈魂到達天堂的入口時 When their souls got to the entrance to heaven +上帝會問他們兩個問題 the gods asked them two questions. +他們的回答將決定他們能否進入天堂 Their answers determined whether they were admitted or not. +好吧 我想知道 Okay, I'll bite. +問了什麼問題 What were they? +你找到生命中的快樂了麼 Have you found joy in your life? +這個 Uh +-huh. +回答問題 Answer the question. +-我? +-是的 你 +- me? +- yeah, you. +回答問題 你找到生命中的快樂了麼 Answer the question, "have I found joy in my life?" +找到了 Yes. +你的生活給別人帶去快樂了麼 Has your life brought joy to others? +恩 這種問題 我 Ah, this type of question, l... +我不知道 嗯 I don't know, uh... +我不知道別人是怎麼想的 嗯 I don't think about how other people gauge, uh... +你問他們吧 Ask them. +我在問你 I'm asking you. +好吧 Fine. +好吧 Fine. +這麼跟你說吧 Let me put it to you this way. +離婚後 接著我就不再是爸爸了 After the breakup, and the ensuing fleecing of the dad +艾米麗和她母親一起生活 emily went to live with her mother. +你知道 雖想保持親近 但只能假期聚聚 You know, you try to stay close, but it gets down to holidays +偶爾打個電話 寄張生日卡什麼的 phone calls, birthday cards, you know. +總之... +Anyway... +艾米麗上大學了 加入了個拯救窮人 emily goes to college, joins one of her "save the poor people" +動物之類的 the animals, whatnot +遇見了個男人 而且愛上了他 meets a guy, decides she loves him. +那小子長得不錯 有野心 聰明 Good +-looking kid, driven, smart. +但是他有些問題 But there was something about him +所以她告訴我 他們要訂婚的時 我反對了 so when she said they were engaged I told her I was against it +但是不愧是我的女兒 於是 but being my daughter, naturally +她還是和他結婚了 she went ahead and married him anyway. +不用說 她沒有邀請我參加他們的婚禮 Needless to say, I wasn't invited to the wedding. +你肯定很傷心 That must have hurt. +你這麼認為 You think? +他第一次打她 她來找我 First time he hit her, she came to me. +我想打爆他的頭 I wanted to bash his brains in. +她阻止了我 She wouldn't let me. +說她愛他 這不是他的錯 他只是喝了點酒 Said she loved him, said it wasn't his fault, he'd had a few drinks +是她先惹他的 she was the one picked the fight. +他第二次打她時 她沒有來找我 Next time it happened, she didn't come to me. +前妻告訴我的 很高興又聽到她的消息 The ex told me. +nice to hear her voice again. +你做了什麼 What did you do? +盡為父所能 What any father would do. +我把他擺平了 I took care of it. +我找了個傢伙 他找了個專門處理這類事的人 I called a guy who called a guy who handles these kinds of things. +我不知道他說了什麼 做了什麼 I don't know what he said, don't know what he did +我只知道他沒有殺他 all I know is he didn't kill him +我女兒從此再沒有他的消息了 and my daughter never heard from him again. +她怎麼反應的 How did she react? +你無法相信他直呼我的名字 更糟的是 Called me names you wouldn't believe, and worse +她說對她而言我已經死了 Said I was dead to her. +我不為我所做的事情感到驕傲 I'm not proud of everything I did +但是我很肯定 要是能重來 我仍會那麼做 but I'm pretty sure I'd do it all again +如果他們因為我女兒恨我 so if they don't let me into egyptian heaven +而不讓我進入埃及的天堂 because my daughter hates me +我猜他們確實會這麼做 well, then I guess that's just the way it goes. +不管怎麼說 算是回答了你的兩個問題 However you answer your two questions. +我們怎麼從墳墓下去呢 How do we get down from this tomb? +皇后是莫臥兒帝國第5位國王 沙. +賈漢的妻子 The empress was the wife of shah jahan, the fifth mogul emperor. +雖然是包辦婚姻 但是他們深深愛著對方 Although it was an arranged marriage, they were deeply in love +在他們第14個孩子出生時她死了 and remained inseparable until she died +而他們的感情至死不渝 giving birth to their 14th child. +介意我叫你雷嗎 Do you mind if I call you ray? +大多數人叫雷 Main man ray. +你有在聽我講話嗎 Are you listening to anything I'm saying? +當然 Absolutely. +14個孩子 我聽著呢 Fourteen kids. +I'm with you. +這個建築耗費了20,000個工人22年的時間來建造 It took 20,000 volunteers 22 years to complete this structure. +這裡的一切都是賈漢親自設計的 Every square foot designed by the shah himself. +所以那是真愛 So that's true love. +那是真愛 That's true love. +肯定很幸福 Must be nice. +也許我會把這整個買下來 Don't know if I buy the whole "20,000 volunteers" business. +安排葬禮讓我很苦惱 Funeral plans tend to confuse me. +確切的說 是土葬好還是火葬好 Specifically, buried or cremated. +土葬吧 Take buried. +雖然我知道這無關緊要 但是我有幽閉恐懼癥 Now, I know it shouldn't matter, but I'm claustrophobic. +如果哪天我在地下突然醒了 沒有人聽到怎麼辦 What if I wake up underground and nobody can hear me? +他們還會生產那種內置鈴鐺的棺材嗎 Do they still make those coffins with the bells? +嗯... +我估計沒有了 Uh... +I don't believe they do. +那火葬吧 你打算怎麼處理那些骨灰呢? +Then cremated. +what do you do with the ashes? +把他們埋了還是撒了? +把他們放到架子上? +Do you bury them, scatter them, put them on a shelf? +扔進恆河順流而下找個安樂窩? +Float them down the ganges on a bed of flowers? +如果我感覺到火焰怎麼辦 What if I feel the flames? +但是我確定我會火葬 Well, I definitely want to have myself cremated. +也許我們應該像華特. +迪斯尼一樣把自己冷凍起來 Maybe we should go frozen like walt disney. +不好 還是火葬吧 No. +cremated. +把骨灰放到鐵罐裡 埋到風景秀麗的地方 Ashes put in a can, buried some place with a view. +鐵罐 嗯? +A can, huh? +是的 我不喜歡骨灰盒的說法 Yeah. +I never liked the sound of the word urn. +是嗎 難道你對地穴有特殊的感覺? +Really? +got any special feelings about crypt? +- +- +- +- +-====翻譯===== +- +- +- +-- 蕁香 卓為水蒙 蜀山天狼 Yancey 呂黎 校對: +小門柴 +嘿 沒有 Heh. +no. +沒有 對我來說一個舊的"巧克福納"牌咖啡罐就足矣 No, an old chock full o'nuts can will do me just fine. +"巧克福納" 天堂咖啡 Chock full o'nuts, "the heavenly coffee." +朋友 好的咖啡甚至是花錢都買不到的 Better coffee even your money can't buy, my friend. +別拿這打賭 Don't bet on it. +噢 好吧 Oh, right. +魯哇克香貓 Kopi luwak. +你為什麼不喜歡魯哇克香貓咖啡? +What do you got against kopi luwak? +跟我的品味太不搭了 Too fancy for my tastes. +噢 是的 對我的好搭檔"雷"來說 是很不搭 Oh, yeah. +too fancy for my main man, ray. +-陷阱 +-該死 +- Gin. +- goddamn it. +牌都被你拿光了 You get all the cards. +寶貝 這就是中國 This is china for you, baby. +太棒了 Whoo +-hoo! +yeah! +如果我們可以登上去看的話 肯定很壯觀 Be a lot more majestic if we could see it. +看到那個老女人了嗎 See that old woman? +真奇怪我們竟然會比她先死 Odds are we're gonna be dead before her. +想開點 Happy thought. +當然 如果有來生的話 Of course, she's probably got reincarnation going for her... +她很可能會去轉世 ...however that system works. +啊 佛教徒相信他們會不斷地轉世 Ah, the buddhists believe you keep coming back. +此生的所為 會決定他們上天還是入地 Moving up or down a level, based on how you lived your life. +瞧 這正是我所不明白的 See, that's where they lose me. +我的意思是 一隻蝸牛要怎樣做才能上升一個境界呢 I mean, what would a snail have to do to move up in the lineup? +用粘液畫出完美的軌跡 Lay down a perfect trail of slime? +要聽壞消息還是更壞的消息 So shitty news, or really shitty news? +A 第一個 A, the first one. +暴風雪要來了 There's a storm up there. +那謝謝你的提醒 湯姆 Well, thanks for the bulletin, tom, +我們現在沒看到那該死的 we can't even see the goddamn thing. +他們不會讓我們上山的 除非天氣變好了 They won't let us fly up until the weather clears. +那天氣什麼時候會變好? +when do they expect it to clear? +嗯 明年春天 差不多吧 Uh, next spring, sometime. +如果你們想知道的話 這就是個那個更壞的消息 That's the really shitty news, in case you were wondering. +好吧 那下次吧 Well, maybe next time. +只能這樣了 Yeah. +明年春天 Next spring. +我們現在幹什麼呢 So now what? +也許你的山在告訴我們某些事情 Well, maybe your mountain's trying to tell us something. +什麼意思 What do you mean? +也許我們離開的夠久了 Maybe we've been gone long enough. +離開的夠久了? +離開誰夠久了 Gone long enough? +gone long enough for whom? +噢 不 我明白了 Oh. +no, I get it. +山不是告訴我們該回去了 The mountain isn't telling us it's time for us to go home. +山是讓你告訴我 The mountain is telling you to tell me +我該回去了 是嗎 it's time for me to go home, right? +-是的 +-一派胡言 +- yeah. +- you shit. +你為什麼不管管你自己 Why don't you worry about your life, +我們各擔心各的 懂嗎 and let me worry about mine, okay? +好的 好的 你沒必要跟我發火 Okay, okay! +you don't have to get chippy with me. +-下一站是哪裡 +-下一站 香港 +-What's next? +-next, hong kong. +一套絲綢衣服 還有黑核桃仁冰淇凌 Silk suits and black walnut ice cream. +西藏人管他叫"修馬魯瑪" 雪的女神 Tibetans call it chomulungma, "goddess mother of the snows." +實際上是 宇宙的女神 "goddess mother of the world," actually. +根據傳統西藏語翻譯 In the traditional tibetan translation. +我認錯了 I stand corrected. +一杯加州葡萄酒 謝謝 Pinot noir, please. +我想你肯定去過那了吧 I take it you've been there? +呃... +呃... +嗯... +實際上我剛從那過來 Uh... +uh... +um... +I just left, actually. +我們打算要爬上去的 但是沒有 We tried to go up, but it wasn't... +你已經錯過了登山的季節 You're a little late in the season. +他們也是這樣告訴我的 So they tell me. +-我叫安婕列卡 +-噢 我叫卡特 +- my name's angelica. +- yeah, carter. +很抱歉 很唐突地問一下 I'm sorry if this sounds terrible... +爬那麼高的山 你的年紀是不是有點過呢? +but aren't you a little developed in years to be running up a giant mountain? +過 你是說我的年紀大了吧 "developed," now that's certainly one way of putting it. +其實我去上去過 Well, I've been up there, you know. +-是嗎 +-是的 +- really? +- mm +-hm. +在我們必須返回之前 我爬到了26000英尺高 I made it to 26,000 feet before we had to turn back. +-真的? +-當然 +- really? +- mm +-hm. +感覺怎麼樣? +What was it like? +好冷 大部分時候 Cold mostly +白天 天空黑壓壓的 During the day, the sky is more black than blue. +因為空氣太稀薄 不能反射陽光 There's not enough air to reflect the sunlight. +但是在夜裡 你從來都沒有看到過那麼多星星 But at night, you've never seen so many stars. +看上去觸手可及 耀眼奪目 Seems like they're just out of reach, and so bright. +就好像是天堂地板上的一個個小洞 They're like little holes in the floor of heaven. +-你聽到了嗎 +-聽到什麼 +- did you hear it? +- hear what? +我讀過一個人在山頂寫的描述 I read an account of a man who made it to the summit +當你站在世界世界之巔 and standing there at the top of the world +他經歷過這種異常的寧靜 he experienced this profound silence. +就像所有的聲音都靜默了一樣 It was like all sound just fell away. +這就是他聽到的 And that's when he heard it. +什麼? +What? +大山之音 The sound of the mountain. +他說他好像聽到了上帝的聲音 He said it was like he heard the voice of god. +我以前從沒這麼做過 I've never done this before. +這聽起來真是迂腐透頂 That sounds like such a cliche +不過我樓上有個房間 but I have a room upstairs. +那真是... +Well, that's... +我是說... +I mean... +我... +I... +我很榮幸 I appreciate that. +但你看... +But you see... +她真是個幸運的女人 She's a very lucky woman. +我寧願我比較幸運 Well, I rather think I'm the lucky one. +做得好 Good for you. +湯姆? +Tom? +等你老了以後 記住三件事 Three things to remember when you get older +得有一間浴室 Never pass up a bathroom +不要浪費每次勃起 別相信那些屁話 never waste a hard +-on, and never trust a fart. +等我老了以後我會記得的 I'll keep that in mind as I approach decrepitude. +嘿嘿 這就對了 Heh +-heh. +that's a good one there. +我們回家吧 Let's go home. +你說什麼 Excuse me? +我想現在回家 I want to go home now. +但我覺得... +那真絲西裝怎麼辦? +But I thought that... +what about the silk suits? +你很聰明 愛德華 That was very clever of you, edward. +你怎麼知道我不會進行到底? +How'd you know I wouldn't go through with it? +我不知道啊 I didn't. +我為你感到驕傲 I'm proud of you. +沒有人在乎你是怎麼想的 Nobody cares what you think. +美國 America. +嗨 湯姆 這不是去克蘭肖的路 Hey, tommy, this isn't the way to crenshaw. +10號公路發生了車禍 我們得繞道行駛 There's an accident on the 10. +we're taking the surface streets. +哦 Uh +-huh. +為什麼我們? +Why are we, uh? +哦 我的天哪 Oh, my god. +他一直在監視著她 就怕你萬一決定... +He's kept tabs on her. +just in case you decided to... +是你出的主意 湯姆? +This was your idea, tom? +不 是我的主意 是我跟他說的 No, it was my idea. +I talked him into it. +-是啊 是你跟他說的 +-喂 +- yeah, talked him into it. +- hey. +等等 愛德華 愛德華? +等等 Wait a minute. +edward. +edward? +wait a minute. +愛德華 你在怕什麼 Edward. +what are you so afraid of? +我告訴過你 我的事不用你瞎摻和 Just because I told you my story does't invite you to be a part of it. +哦 就像酒吧裡的那個女人? +Oh. +like the lady in the bar? +-那不一樣 +-告訴我怎麼不一樣了 +- that's different. +- tell me how. +-就是不一樣! +-怎麼不一樣了? +- because it is! +- how is it different? +你他媽的根本不知道我是誰! +You have no fucking idea who I am! +我從一無所有到家產萬貫! +I built a billion +-dollar business up from nothing! +連總統都有向我徵求過意見 Presidents have asked my advice. +我和皇室一起用餐 我甚至會被寫進書裡 I have dined with royalty and I'm supposed to make out like +但別以為這次旅行會對我有多大影響 this trip was supposed to mean something to me? +改變我? +Like it was gonna change me? +你到底是怎麼想的 卡特? +How did you see it playing out, carter? +我去敲門 她出來開門 I knock on the door, she answers. +她感到驚訝 然後轉而憤怒 She's surprised and angry +但我卻告訴她 我有多愛她多想她 but I tell her how much I love her and miss her. +然後說 "哦 順便告訴你 我快要死了 And, "oh. +by the way, I'm gonna be dead soon. +所以我來找你 因為我不想孤獨終老"? +so I'm reaching out to you because I don't wanna die alone"? +每個人都害怕孤獨終老 Everyone is afraid to die alone. +我不是每個人 I'm not everyone! +這本來應該很開心的 This was supposed to be fun. +現在再也不會了 That's all it ever was. +不 你別上車 打車去 No, you don't get in. +call a cab. +親愛的上帝 我們由衷地感謝你今天 Dear heavenly father, we just want to thank you for this day +讓我們一次又一次團聚 for having our family here together, once again. +主啊 感謝你帶回了我的丈夫 And, lord, we just want to thank you for returning my husband +他們的父親 主啊 their father, lord, to us. +他是在哭嗎 is he crying? +不知道啊 I don't know. +他一直都很開心的啊 He's usually so much fun. +-等一下 +-幹嘛? +- wait a minute. +- what? +-我準備了好東西 +-哦? +- I got something for us. +- oh? +我不確定是否有必要 I wasn't sure I'd need it. +當然有必要啦 Sure. +噢! +Ow! +heh. +好的 Okay. +你知道有多久了嗎 You know how long it's been? +你覺得我想知道嗎 Do I wanna know? +已經很久很久啦 Well, it's been longer than that. +知道嗎 我感覺自己像年輕人 像我們的第一次 You know, I feel like a teenager. +like our first time. +如果我們還是年輕人 if we were teenagers, +我們才不會在臥室呢 we never would've gotten out of that living room. +我還記得第一次呢 I remember the first time. +不會踮起腳走路哦 There was no tiptoeing around. +你對我就像... +這樣 You were on me like... +that. +卡特? +Carter? +哦 你在和我玩捉迷藏對吧 好的 Oh, you playing hide +-and +-seek now, huh? +okay. +卡特! +Carter! +在把康復中心賣給飛利浦醫藥醫藥後 which resulted in a 15 percent increase in cash assets +現金資產增加了15% following the sale of the recovery center to phillips medical. +寇爾先生? +Mr. +cole? +寇爾先生? +Mr. +cole? +你讀過神曲嗎? +You ever read the divine comedy? +抱歉 先生? +Excuse me, sir? +神曲 但丁. +亞利基利的地獄之行 The divine comedy, dante alighieri's journey into hell. +也許我們該休息一下 Maybe we should take a break. +我們不需要休息 We don't need a break. +我在請求寬恕 我是他媽的醫學奇跡 I'm in remission. +I'm a goddamn medical miracle. +我只是問你們 I'm simply asking +有沒有讀過神曲 if you ever read the divine comedy. +先生 你有電話 Sir, you have a phone call. +湯米 現在不是時候 Tommy, not now. +我覺得你應該聽一下 I really think you should take this. +愛德華 Hey, edward. +他怎樣? +What's the prognosis? +已經轉移到他的腦部了 It's metastasized to his brain. +轉移了... +能動手術嗎? +Metast... +operable? +成功率不高 不能動手術 The odds aren't what we'd like them to be. +成功率 Odds. +上帝啊 Jesus. +他現在怎麼樣? +How's he doing? +沒事了 He's doing okay. +他要我把這個給你 he wanted me to give you this. +我本來想等到 I was supposed to wait until after +但是後來我想 but then I thought +她從來就不聽我話 She never listened to me before. +為什麼改變遊戲規則啊? +Why change a winning formula? +你看起來像坨屎 雷 You look like shit, ray. +不甚感激 Thanks. +他們怎麼款待你的? +How they treating you? +還是噁心的濃豌豆湯 Pea soup still sucks. +我會和負責人談談的 I'll have a word with the owner. +去吧 You do that. +能給我喝點水嗎 Can I have some water? +你不能喝水 You can't have water, +但我給你弄點檸檬棉簽 擦擦嘴好嗎 but I'll get you some of those lemon swabs, okay? +好的 All right. +你還在喝那種咖啡? +You still drinking that fancy coffee? +幹嘛? +What? +怎麼了你 很奇怪嗎? +What are you, obsessed? +唸唸 Read it. +"魯哇克香貓咖啡 是當今世界最昂貴的咖啡 "kopi luwak is the world's most expensive coffee. +儘管如此 它仍被歸類為"好到難以致信"的行列 Though for some, it falls under the category of too good to be true +在這種咖啡豆的故鄉蘇門答臘 In the sumatran village where the beans are grown +生長著一種野的樹貓 lives a breed of wild tree cat. +這些貓將咖啡豆吃下 經過它們的消化和 These cats eat the beans, digest them and then +排泄 defecate. +隨後 村民們會收集加工這些糞便 The villagers then collect and process the stools. +正是咖啡豆與樹貓胃液的混合物 It is the combination of the beans and the gastric juices of the tree cat +給予了魯哇克香貓獨一無二的口味... +that give kopi luwak its unique flavor... +與芬芳" and aroma." +你這是噁心我 You're shitting me. +還是貓提點了我 Cats beat me to it. +-有筆嗎 給我支筆 +-什麼 +- you got a pen? +give me a pen. +- what? +什麼 What? +給你 Here. +還沒完呢 It's not finished. +這可不是一人計劃 It's not a one +-man deal. +恐怕是的了 I'm afraid it'll have to be. +我們準備就緒了 We're ready. +我會在這裡等你出來的 I'll be here when you get back. +聽起來真棒 Sounds good to me. +親愛的愛德華 在最後的日子裡 我一直在猶豫 Dear edward, I've gone back and forth the last few days +是不是該給你寫這封信 trying to decide whether or not I should even write this. +最後 我意識到如果我沒有寫的話 我將抱憾終身 In the end, I realized I would regret it if I didn't +所以我就寫了 so here goes. +我知道我們最後一次在一起時 I know the last time we saw each other +沒有完成那份清單 we weren't exactly hitting the sweetest notes. +這真的不是我希望旅行結束的方式 It certainly wasn't the way I wanted the trip to end. +我覺得責任在我 所以很抱歉 I suppose I'm responsible, and for that I'm sorry. +但是說實話 如果有機會重來 我還是會那麼做 But, in all honesty, if I had the chance, I'd do it again. +弗吉尼亞說我撇開了一個陌生人 回來繼續做她的老公 Virginia said I left a stranger and came back a husband. +這都歸功於你 I owe that to you. +對於你為我做的一切 我沒什麼好報答的 There's no way I can repay you for all you've done for me +所以我試著 so rather than try, +想讓你再為我做一件事 i'm just going to ask you to do something else for me. +找到你生命中的真諦 Find the joy in your life. +你曾經說過 你不代表所有人 You once said you're not everyone. +是啊 Well, that's true. +你當然不是所有人 You're certainly not everyone. +但是每個人 就是所有人 But everyone is everyone. +我父母常說 "我們的生活就像溪水... +My parents always says, "our lives are streams... +殊途同歸 flowing into the same river +朝著遠秋霧靄中天堂的方向 行進吧" towards whatever heaven lies in the mist beyond the falls." +嗨 親愛的 Hello, sweetie. +hi. +找到你生命中的真諦 愛德華 Find the joy in your life, edward. +我親愛的摯友 My dear friend +閉上雙眼 讓流水帶你歸去吧 close your eyes and let the waters take you home. +下午好 我是愛德華. +寇爾 Good afternoon. +my name is edward cole. +我不知道大部分人在這種場合會說什麼 因為... +I don't know what most people say at these occasions, because... +說實話 我... +in all honesty, i... +我一直都很逃避 I've tried to avoid them. +簡單地說... +The simplest thing is... +我愛他 我想他 i loved him and I miss him. +卡特和我一起遊遍了整個世界 Carter and I saw the world together. +那真是太美妙了 Which is amazing. +尤其是 在三個月前 when you think that only three months ago +我們還完全是陌生的兩個人 we were complete strangers. +我希望... +I hope... +這聽來不會讓你們覺得我很自私 that it doesn't sound selfish of me... +但是他生命中的最後幾個月 but the last months of his life +是我生命裡最快樂的日子 were the best months of mine. +他拯救了我的生活 He saved my life. +而且在我做之前 他就已經知道 And he knew it before I did. +我真為這個男人感到驕傲... +I'm deeply proud that this man... +他覺得他值得來解讀我 found it worth his while to know me. +最後... +In the end... +我可以很肯定地說 i think it's safe to say that +我們給別人的生活帶去了快樂 we brought some joy to one another's lives. +所有 某一天 So, one day, when... +當我最後的安息時 i go to some final resting place +如果我碰巧醒轉 看到一扇生命之門時 if I happen to wake up next to a certain wall with a gate +我希望卡特就在那兒 i hope that Carter's there +等著我 to vouch for me +給我看繩索的另一端 and show me the ropes on the other side. +愛德華. +佩瑞曼. +寇爾在5月去世 Edward perriman cole died in may. +那是星期天的下午 It was a sunday, in the afternoon +天空萬里無雲 and there wasn't a cloud in the sky. +他享年81歲 He was 81 years old. +即便是現在 我還是無法明白生命的度量 Even now, I can't claim to understand the measure of a life. +但我可以這樣告訴你 but I can tell you this +我知道當他離去之時 他的雙眼是閉著的 I know that when he died, his eyes were closed +而他的心靈卻是敞開的 and his heart was open. +而且我很確定 他對安息地非常滿意 And I'm pretty sure he was happy with his final resting place +因為他被埋在了山頂 because he was buried on the mountain +而那卻是違法的 and that was against the law. +好吧,我拆不开 +好啦,准备好了吗? +祝你圣诞快乐 +我就是想要这种脚踏车耶 +对,喜欢吗? +是那种吗? +那就好,圣诞快乐 +新曲棍球杆 +尺寸对吗? +对,很适合我 +挥杆给我看 +别打到桌上的东西 +非法制裁 +我最厉害 非法制裁 +我最厉害 非法制裁 +非法制裁 +放马过来吧 +等一下 +准备好了吗? +好了,用力挥 +你还好吧? +你还好吧? +好了,你自己骑 +天哪! +路克! +宝贝! +小心那棵树啊 +耍花招 +耍花招 +你多以他为傲? +天哪,他好了不起 +那是妈妈画的吗? +说实话,是妈妈画的吗? +你看 +我只有一个疑问... +这是什么? +是抽象画啦 +我和球队签约就买新房子送你 +这栋房子有什么不好? +准备好了吗? +可恶! +好了,许愿吧 +妈,你几岁? +我几岁? +只是好奇嘛 +你很漂亮 +看起来不过才... +爸,快说啦 +很好 +布兰登休姆,你当选MVP了 +第一名... +点蜡烛吧 +叫醒以后能不能巴他? +不行 +拜托嘛 +他会杀了我们 +惊喜! +惊喜! +生日快乐,路克 +生日快乐,路克 +生日快乐 +14岁了 +感觉和昨天13岁没差啊 +你要现在被揍14下? +还是... +待会儿啦,等我清醒再说 +走开! +我差点就赢你了 +应该遗忘旧识 +永远不再想起吗? +应该遗忘旧识 +和两小无猜的往日时光吗? +打扰一下 +才提到曹操,曹操就来了 +好吧 +有何贵干? +安妮要我请你签核 +这个人在海星做了6年 +但他老婆死了,没小孩,没遗嘱 +我想把他的退休金纳入抚恤金 +让他好过点 +拜托,我不想搞得太复杂 +要照规定做 +等他死了大家才知道我们有尽责 +你说得对,省麻烦 +我懂了,抱歉 +不是,我们要尽责 +好好安顿我们的员工 +别让他死不瞑目 +你讲的〝宇宙的秩序〞是什么? +保户花了30万美元 +依据这份新图表、新调查资料 +新社会 +谁才是好员工? +谁怎么死的? +几时死的? +我们拿到资料知道他们表现多好 +你知道调查结果如何吗? +有小孩的人比没小孩的人更长寿 +有两个小孩比一个小孩的更长寿 +抽烟不好 +超速不好 +家里有丧事不好,离婚不好 +只不过很高兴能证明 +这些陈腔滥调还是事实 +你知道吗? +你家的小孩就很棒啊 +布兰登,你很狗腿耶! +我是天赋异禀,没办法嘛 +天哪,妈,我好想死啊 +我知道 +我可以先失陪吗? +不行 +我有个白痴老哥 +我有个孬种老弟 +好了,别吵啦 +你早该知道会这样 +怎样? +一家人要相亲相爱 +我能说不吗? +不行 +我要求豁免权,我要找律师 +好,我要提出告诉 +我回来了 +现在就要 +抱歉晚回来了,错过晚餐了吗? +没有,菜还很多,我去热给你吃 +爸,礼拜六载我去市区 +市区? +对,这是交换比赛 +我又要先发了 +真的吗? +太好了 +对啊 +华教练一定爱死你了 +对,因为他很狗腿 +狗腿有好处啊,大家都要去吗? +不行,路克要踢足球 +对,但我不是先发,你们可以... +也许你狗腿一点就不会这么逊了 +爸,他开玩笑啦,只是耍白痴 +不准骂他白痴 +路克,你有个忠诚又疼你的哥哥 +说得对 +忠诚又疼我的狗腿 +大家能不能文明一点? +不然我要杀人了哦 +我无所谓啦,卑鄙小人 +最好是啦,卑鄙小人 +路克... +盘子 +兔崽子,给我过来 +放手! +知道不回家会错过什么了吧? +对,至少他们没互扔食物 +打得好啊,我以你为傲 +打得好啊 +谢谢... +我喜欢你拿球杆的架势 +很帅气 +我们队上有人在考虑 +要去加拿大念大学 +加拿大? +加拿大很远耶 +你们还有路克嘛 +还真欣慰啊 +不是啦,我开玩笑的 +不跟小孩闹着玩就老得快 +你以后就会懂 +你这场球打得漂亮 +好几场都打得好 +但职业曲棍球... +这是你要的吗? +或许吧,我不知道 +这可是有风险的 +这是你当职业球员的经验谈? +还是... +不是,是我的高风险职业经验谈 +多谢你了 +风险、责任、人生的残酷面 +不对,那是你的人生 +你充满刺激的人生 +别开你老爸的玩笑 +你只有我一个爸爸耶 +再找华教练谈谈吧 +你可以多研究加拿大的学校 +找个人来教我们打曲棍球 +哪里比学法律好 +爸! +干嘛? +教我们? +我只是想打曲棍球 +开大灯 +爸,你觉得呢? +我们再详细研究看看吧 +好吧 +请别跟你妈说 +我不会啦 +高速公路在哪里? +〝汽油量: +低〞 +这下可好了 +〝故障〞 +你要去哪儿? +我想喝东西 +好吧,又要喝冰沙了 +应该有卖吧? +不然就喝更垃圾的饮料罗 +你有钱吗? +有 +好吧,快去快回,要回家了 +好 +老婆,是我,我只是想告诉你 +我们儿子要去加拿大打曲棍球了 +我们不想十八相送 +就直接载他去机场了 +他说会打电话回来 +但我们可能再也见不到儿子了 +但只要他快乐就好了嘛 +先这样 +我爱你 +马上就回家,再见 +小心啦 +让开,搞屁啊 +趴下! +不然我轰烂你的脑袋! +给我趴下! +就是他! +就是他! +他要来找死了 +快啊,比利 +天哪! +杀了他! +就是他了 +快动手,否则不能入帮! +快! +你做得到的 +乔! +快杀了他 +这才对嘛 +快闪! +快闪! +把枪给我! +我们走! +快上车! +妈的! +他妈的! +干! +操你娘的... +布兰登! +布兰登! +天哪 +救命啊! +帮我! +快来帮我! +救命啊! +乔呢? +他现在是男子汉 +可以搭地铁了 +快找人帮忙 +谁能救救我们? +快来人啊! +医生! +把床推过来! +他被割喉了,有人割他... +打开呼吸道,帮助他呼吸 +他是我儿子 +那是我儿子 +梅姬! +好了,带他去旁边 +布兰登,我们到医院了 +他们会替你治疗 +把你治好 +你很快就会好起来 +先生,抱歉,你不能进去 +什么? +让医生去处理吧 +我知道,但我不能进去? +抱歉 +好吧,他会没事的 +他是我儿子 +他叫布兰登 +5号 +是5号 +他是乔达利 +他是... +还是个小孩 +他只是个子矮,快23岁了 +他是个禽兽 +明天应该会有... +正式开庭前的侦讯庭 +他们要我出庭作证 +要不要一起去? +你去 +让那个禽兽去坐牢 +警察也是这样形容他 +禽兽 +西装要不要脱掉? +校方说要办告别式 +在下一场比赛的时候 +球队想做点什么事 +他们真窝心 +他本来也应该去比赛的 +直到我的身躯化成灰 +直到我的灵魂不复存在 +我将会爱你 +爱你 +直到太阳开始哭泣 +月亮化为腐朽 +我将会爱你 +爱你 +但我要知道 +你会不会一直留在我身边 +永远不离开? +那么我将全心付出 +直到生命的最后 +永远不渝 +今天很顺利 +我要你出庭吓得他良心不安 +法官问你,你就把话重述一遍 +当庭指认达利 +懂吗? +我提呈你的证词,加上你出庭 +公设辩护律师就会吓得半死 +5分钟能达成协议 +今天就送他进牢,很简单 +协议? +等一下 +等一下,这是什么意思? +什么协议? +我要这家伙在牢里关一辈子 +不可能 +保证能关3到5年,顶多这样 +我指的是保证 +不是也许,不是看陪审团的心情 +好过求刑十年至无期徒刑 +结果他逃过法网 +你想这样吗? +他杀了我儿子耶 +休姆先生,我有你这个目击者 +很好 +但只有一个目击者的案子 +你知道有多少我不想协议吗? +开山刀莫名其妙消失了 +在那个混蛋身上只找到 +他被车撞留下的血迹 +你又挑中美国唯一 +没装监视器的加油站 +只有你的证词 +还不错,我可以吓得他同意协议 +你拿我儿子的死当游戏 +我送一个混混进牢 +一年后有人替我行天道 +他没活着出狱,我无所谓 +他改信宗教,我无所谓 +但我们硬要严惩求刑 +即便我非常乐意 +辩方也会开始问我们: +〝你上次几时检查视力? +〞 +〝你对市区青少年有成见吗? +〞 +说什么他们在暴力中成长不公平 +被迫杀人加入帮派,不然就没命 +你要陪审团同情这个烂人? +你要他获释? +等一下,你说... +为加入帮派而杀人 +这不是抢案吗? +只是看起来像抢案 +这是入帮仪式 +为了加入帮派而随机杀人 +这是入帮的代价 +你意思是布兰登被杀 +是让那个混混自觉更像男子汉? +让他加入什么帮派? +很遗憾,这种事你不接受就拉倒 +庭上,我要提呈目击者的证词 +在案发当时作的笔录 +他是被害人的父亲 +贝林先生,正式开庭时再提出吧 +庭上,若今天提出 +辩方就会改口认罪了 +省得检方浪费时间金钱来开庭 +那就是证词? +休姆先生? +休姆先生? +你作证这位达利先生在你面前 +攻击你儿子导致他死亡? +你愿意在开庭审讯时作证? +不是这样的,庭上 +什么? +当时很暗 +对方人很多 +我不确定是谁 +贝林先生... +除了休姆先生以外还有证人吗? +没有了,庭上 +我要撤销这件案子 +达利先生,我判决你当庭获释 +你可以在法警陪同下回到拘留所 +取回你的私人物品 +有份短口供,你想看吗? +在我这儿,明天来看看吧 +放心,只要时间足够... +乔! +你赢了! +无罪开释! +真有你的! +赞哦! +我们走,快走吧! +你无罪开释,我以你为傲 +这下子谁有种? +我知道 +上车 +好了,动手吧 +我们去那边 +跟这个妞儿好好享受吧 +好 +可以吗? +我以你为傲 +没问题吧? +爸? +嗨 +你在干嘛? +没有啊 +你在干嘛? +别乱拿,放下 +那里... +是一座... +...加油站吗? +布兰登被杀的地方? +对,是加油站 +问这个干嘛? +我只是... +想知道他在哪里死的 +好吧 +那是... +郊区的一个休息站 +你... +你觉得他害怕吗? +对,路克 +我想他是很害怕 +结果怎样? +他当庭获释了 +什么? +为什么? +我觉得不是他 +你说是他啊,说他被捕了 +他们会继续调查吗? +会,他们说会 +天哪 +对不起,你要我怎样? +对不起 +我有东西忘在公司,我去拿 +现在? +尼克! +我会尽快回来 +天哪 +我明天再打电话给你 +天哪,我在干嘛? +真他妈的 +干! +天哪! +干! +你吓死我了 +等一下 +不可能吧 +是你? +干! +干! +干! +干! +天哪 +天哪 +干! +干! +你知道妈妈很完美 +这是当然罗 +没有,我无言以对 +爸,我想跟你一样 +这句话真令人欣慰 +这件事我拖了好几个月 +谢谢你这么体贴地帮忙 +我觉得你很狗腿耶 +嗨 +嗨 +出了什么事? +我在车道上滑倒了 +老公,天哪,看看你 +你好狼狈 +没事,只是手受伤了 +还好吧? +很好,没事啦 +没事才怪 +我去冲个澡 +好吧,我去拿绷带,待会儿上去 +你怎样? +还好吧? +我很好 +大概吧 +新年快乐! +那就好 +那就好 +我去冲个澡 +布兰登休姆,你当选MVP了 +你有什么话想说? +可以拿走吗? +可以吗? +第一名... +布兰登休姆,争气的宝贝儿子 +老公 +天哪 +天哪 +宝贝,没事了 +对不起 +天哪 +没事了 +对不起 +没事了 +没事了 +对不起 +〝邦斯修车厂〞 +比利! +小心那些零件 +拜托,零件很值钱 +不像你一文不值 +你死哪儿去了? +这像话吗? +今晚就赚这些 +我可怜你和你那些低能朋友 +给你们几个门路去赚钱 +你最好多赚点钱给我 +被我知道你A钱,我就宰了你 +在哪儿风光是你的事 +你要是敢A我的钱 +我就他妈的宰了你 +我对你够有耐心了 +好啦 +你可以滚了 +真他妈的低能 +干嘛? +干嘛? +谁来告诉我出了什么事 +你听说了吗? +乔出事了 +有人杀了他 +他死了 +什么? +少骗人 +他死了啦 +嗨 +你们还好吧? +节哀顺变啊 +我们很好 +总是要想办法调适嘛 +人生就是这样,有失必有得 +日子总得过下去 +换作是我遇到这种事,我会... +不知道,我大概会崩溃吧 +没遇到真的不知道会怎么做 +自己也会吓一跳 +打扰了,尼克 +沃里斯警探找你 +好,请她进来 +嗨,很抱歉打扰你工作 +没关系啦 +我们怀疑杀死令郎的嫌犯 +有人杀了他 +怎么了? +帮派仇恨吗? +大概是吧 +真是老天有眼 +可以这么说啦 +我想你也许会想知道 +说不定凶手真的就是他 +谢谢你来告诉我 +那你忙吧 +我也不必说什么了 +但需要的话公司会支付谘询费用 +我们过得去啦 +谢了,欧文 +不客气 +他不是死得活该,不能让他白死 +他是个正港的斗士 +为乔干一杯 +他是个好孩子 +真他妈的好孩子! +我们就这样做? +怎么不至少尊重一下? +难怪你们一事无成 +难怪你们都是俗辣 +因为你们宁可喝酒 +吸大麻把自己搞成智障 +智障又孬到极点 +是我不好 +我们... +乎干啦 +杯子给我举起来! +每个人都要! +乔只是不适合混帮派啦 +他跟我们不一样 +对,跟你们不一样 +他跟你们不一样 +他比你们好! +我们从小就像兄弟一样 +你却讲这种话? +现在我配不上你了? +乔也像我的亲兄弟啊 +他像我的亲兄弟,你也是 +好吧 +我要抓到杀他的王八蛋 +非抓到不可 +没问题 +去帮乔报仇 +是谁干的? +不是竹联帮,不然我一定知道 +除非你嗑了药 +我没嗑药 +不是四海帮,比利 +不是万华帮,不是帮派干的 +我妹说她看到穿西装的人 +在那里晃来晃去 +这种鸟地方有多少穿西装的人? +这就好笑了 +我们混帮派的被杀就不会上报 +但海星企业资深副总裁的儿子... +〝白领父子遇袭,子惨遭杀害〞 +去问问你妹 +你那天晚上看到的是他吗? +对 +你确定? +爱咪,你好啊 +我要回家了 +没事吧? +需要什么吗? +没有,我很好 +完成这份风险分析报告就要... +麻烦你出去的时候 +顺便把这个拿给欧文 +好 +谢谢你,晚安 +〝主大楼1801号〞 +〝阿斯匹灵〞 +等一下! +抓住他! +快! +快点! +抓住他... +抓住他! +他在哪里? +快... +快... +快点! +1801号怎么走? +主大楼1801号,往哪边? +从锅炉室过去,那边 +他跑哪儿去了? +海可、阿狗、史宾,去拦他 +杀了他! +快! +快! +快! +快! +他人呢? +你有找莎莉谈吗? +有 +天哪,好了 +可恶 +让开! +快走! +汤米,快! +杰米,你这只蜗牛给我死过来 +你唬不了我的啦 +干! +比利,我们快走吧 +比利,快离开这里,快点 +走! +快点! +妈的,天哪 +老婆,抱歉我迟到了 +什么? +等一下,怎么会找不到他? +他人呢? +有没有打去问他朋友? +天哪 +我再回你电话 +我应该知道他在哪里 +8 +- 8 +- 14,没问题 +好了 +采集指纹,比对出来再告诉我 +快去彻底搜索调查 +有必要就去街头找人 +一定有人看到什么 +现在有紧急状况 +派两组人过来 +派两组人 +请2组人员处理这件事 +路克! +路克,你在干嘛? +你妈担心死了,快上车 +不要 +我叫你上车 +不要,我不想上车 +快给我过来 +去你的! +路克! +这里不安全 +对,我明知故犯嘛 +死的是我会比较好吗? +是这样吗? +总比失去争气的宝贝儿子布兰登 +更容易接受吧? +路克... +请你上车 +走吧 +路克,马上给我上车! +马上上车! +天哪 +宝贝,老公 +对不起 +不准再这样吓我了 +我们要杀他? +〝海星企业,1500号〞 +访客要先登记 +先生,访客要先登记 +快递包裹在这里签收 +不行,我要亲手交给他 +给尼克休姆 +请你按照规定登记和托收 +打电话给楼上 +可恶! +尼克休姆! +快点! +尼克休姆! +尼克休姆! +天哪,警察来了 +办公室不赖嘛 +你想干嘛? +那是自由的礼物 +先生,要不要请他出去? +先生? +让你不必再想自己会怎么死 +不必再想自己会孤单地死 +请他出去 +因为你回归造物主怀抱的时候 +就能享受喜悦与荣光 +放手! +王八蛋,你在哪里? +我捡到你的皮夹,你要赏我吗? +快说你在哪里 +不对,我要说的是你在哪里 +你走投无路了 +谁死谁活由我决定 +你最好快点搞懂 +因为我不会再警告你 +我要来享受天伦之乐了 +不行,你听我说 +你敢动我家人 +我就把你大卸八块 +像我杀了你朋友那样,听见没? +他不是我朋友 +他是我弟弟 +我现在要杀光你全家 +你刚才给他们判了死刑 +等一下 +不要! +干! +干! +干! +〝洁西卡沃里斯警探〞 +尼克,出了什么事? +快接啊... +尼克? +老婆,你没事吧? +路克放学回家了吗? +对啊,我们很好 +那就好,在家里等警察到 +答应我 +为什么? +怎么了? +你只管待在家里等警察到 +我马上回去 +快接啊... +请问沃里斯警探在吗? +沃里斯警探! +马上叫沃里斯警探来接! +可恶 +重案组,我是沃里斯 +他们威胁要杀我全家 +休姆先生? +那个下三滥... +威胁要杀我全家 +好吧,你家人在哪儿? +在家里 +两个都在家里 +请你救我们 +海伦? +路克? +尼克? +天哪 +到底出了什么事? +老公,为什么警察要来? +尼克,你吓坏我了啦 +天哪 +尼克,跟我说啊 +爸,出了什么事? +尼克! +出了什么事? +你待在这儿 +谢天谢地你终于来了 +令郎是打曲棍球的 +对 +警车今晚会守在门口 +休姆先生,我想你现在应该 +告诉我到底谁对谁做了什么 +你惹毛了不敢惹的人吗? +是这样吗? +你以为住在这里 +杀了小混混就没事吗? +你在胡说什么? +尼克,她在说什么啊? +我没做错事 +那你为什么不告诉我 +比利达利怎么会这么气你? +是你要我帮你的 +好吧 +好吧 +先熬过今晚再说,休姆先生 +还活着就该感恩了 +但你要是引发了战争 +就只能听天由命了 +你做了什么? +我要怎么阻止? +你有起头吗? +听我说... +我自己怎样都无所谓 +只要家人平安就好 +告诉我该怎么阻止他们 +首先,他们说什么都照做 +逐一去做 +放心吧,休姆先生 +我们在通缉比利那帮人了 +我居然没发现你做了什么傻事 +你怎么可以这样? +你以为这样就能一命抵一命? +恢复宇宙的秩序? +我失去了我们的儿子 +你儿子 +你是个好爸爸 +这是什么也改变不了的事实 +我爱你 +永远爱你 +幸好你快要摆脱了 +是啊 +快! +走啊! +不! +妈! +滚出去! +妈! +过来! +过来! +比利,怎样? +不! +不! +不! +走吧,都死了啦 +我今晚连动的力气也没有 +你走过去看着我死 +但我知道你心里更难受 +因为爱把你击垮了 +对,承认吧 +你知道你不孤单 +医生! +医生! +压住他的腿! +镇定剂! +压住他! +能不能关掉? +关掉机器? +还是你的心脏? +我去问医生 +这件事到此为止 +天晓得你怎么还活着 +但你有自新的机会 +你以为那位警官是在保护你? +他是不让你害死自己 +我一声令下,他就把你送进牢里 +你要报仇 +杀了几个混混,结果呢? +战争中的每个人都自以为是对的 +最后还不是死光光 +你永远赢不了的,休姆先生 +谁也赢不了 +我害死了他们 +我害死了我的家人 +你儿子还活着 +什么? +昏迷不醒 +他在哪里? +在这家医院? +人呢? +别激动,等一下 +路克! +路克! +路克? +他没事,让他去吧 +路克? +先生,回床上躺好 +我儿子呢? +快说我儿子在哪儿! +他在206病房 +路克? +路克? +我们会照顾令郎的 +路克? +他会清醒吗? +现在不能确定 +以暴制暴是没完没了的 +你说什么? +以暴制暴 +有时候真是太乱了 +世界就是这么乱 +让我和他独处一下 +拜托你 +我去外面等 +路克,你听得见吗? +能不能动动手指? +儿子,听得见就动动手指 +路克,我知道... +你觉得... +我对你的关爱不如对你哥哥 +天哪,我... +我不知道,或许最初是这样 +你也知道的 +我和你妈... +刚有了布兰登的时候 +他实在是... +我觉得他很了不起 +他简直是个奇蹟 +但我一直都很了解他 +后来又有了你 +不知道,我本来以为... +你会是布兰登的翻版 +我期望你像他一样 +结果你不是 +你们截然不同 +和他不一样,和我不一样 +你真的是很像... +太像你妈了 +顽固又... +太过于热情 +你妈就是这样 +她是我这辈子最重要的人 +你也是 +我只是想跟你说我爱你 +我好爱你 +我爱你哥,也爱你妈 +我爱我们全家人 +我... +对不起 +我不能当个更好的爸爸 +对不起 +我没能保护你们 +可恶 +你快去叫医生来... +医生! +欧文 +帮我查一个电话号码 +对,5550128 +去查别的资料库,想办法查到 +存款也要领出来啊 +对,全部都要 +所有的钱 +连小孩的教育基金也要? +喂? +尼克,我是欧文 +电话号码查到了 +是酒吧,叫〝四朵玫瑰〞 +尼克,出了什么事? +要不要我打电话求助? +谢了,再见,欧文 +尼克? +我要找比利达利或他朋友 +〝西班牙语〞 +我说我不会讲英文啦,你聋子哦 +懂了吗,老兄? +〝西班牙语〞 +我把你的猪脑袋砍下来 +寄给你妈 +说不定她会认得出你 +但我很怀疑,老兄 +操你娘的! +干! +干! +闪边! +放开我... +告诉我比利达利在哪里 +现在就说 +快说! +你不会想找比利达利的啦 +我有事要找他 +好,放开我 +放开我! +〝西班牙语〞 +他的同伙海可住在附近113号 +他通常晚餐时间会在嗑药 +可以了吧? +〝西班牙语〞 +还有一件事 +我要买枪 +有事吗? +我要买枪 +我不认识你 +我是从〝四朵玫瑰〞来的 +据我猜测... +你应该不属于这里吧 +别让我闻到你有恐惧的味道 +敌人才要恐惧 +恐惧 +和子弹 +爆炸多的子弹 +这是最凶悍的一把枪 +.357口径 +保证一枪毙命 +这把枪不错 +这是标准的. +45口径 +火力超强 +这是冤仇够深才要用 +这把枪的火力是天王级的 +既是大炮,也是正义之剑 +带这把枪去圣地 +就可以展开圣战了 +不管是哪一把枪 +都保证能让你把烦恼 +抛到九霄云外 +那一把呢? +这把? +好,我要这把和这几把 +买这些枪要花你3千大洋 +你有那么深的仇恨吗? +这是5千美元 +那你就是我的VIP了 +再送你一些小东西 +因为我直觉你很需要 +你身上散发出一股杀气 +真的 +你是想杀我儿子比利的那家伙? +他是你儿子? +所以乔也是你杀的罗? +你杀了我小儿子 +现在又要追杀比利 +对,我要杀他 +比利不是什么好东西啦 +他做的事都与我无关 +有人想要某人付出代价 +以消胸口的一股怨气 +那找比利就对了 +杀了那个混蛋 +看看对我会不会有什么差 +咱们当爸爸的私下讲 +我也是知道的啦 +去找他吧 +我忍他够久了 +你又是个付现的好顾客 +但别以为我会跟你说比利在哪里 +敢问我就杀了你 +去忙你的吧 +愿上帝与你同在 +一整袋的枪也与你同在 +〝布兰登的东西〞 +我要专心想着痛 +那个... +搞什么? +搞什么? +你是谁? +你? +不是被我们干掉了吗? +搞什么? +给我滚出去! +比利人呢? +去你的 +那是我的牙齿耶! +王八蛋! +快说他在哪里 +办公室 +是什么鬼地方? +废弃的精神病院 +我们在那里做毒品 +在冥府街的桥边 +听见没? +冥府街! +打给他 +幸好你爸有赞助你车子 +你就不用溜冰来这里买毒给你妹 +她光顾了我好一阵子 +我也经常去光顾她 +干他妈的 +海可,你这个没用的家伙 +我这礼拜第2次帮你收烂摊了 +比利! +那个王八蛋没死,比利 +你在胡说什么? +他说你死定了 +那又怎样? +就这样啊,操你妈的 +今晚要惹什么事? +你又想干嘛? +好像赶着去投胎 +你知道帮你擦屁股有多累吗? +我还得安抚那个送钱上门的阔佬 +叫他杀了你,你以为我爽吗? +你根本就不懂 +我很关心你的事 +因为会拖累我 +你还需要什么指示吗? +不用了,谢谢老爸 +车子我开走了 +搞什么? +妈的! +阿狗! +那个王八蛋来了! +往你那边去! +我的腿! +阿狗! +快! +去追那个王八蛋! +去抓他! +快啊! +快点... +〝欢迎来到地狱〞 +你知道你会死在这里! +妈的 +瞧瞧你 +你跟我们没两样 +我把你变成杀人魔了 +准备好了吗? +我今晚连动的力气也没有 +你走过去看着我死 +但我知道你心里更难受 +因为爱把你击垮了 +对,承认吧 +我不孤单 +有新年新希望吗? +不对,你知道妈妈很完美 +这倒是 +我没什么新希望啦 +5、4、3、2、1! +新年快乐! +新年快乐! +好吧,你今年有什么期望? +你儿子 +他有在动了 +应该能撑得下去 +好吧,你先唱,起音别太高 +应该遗忘旧识 +永远不再想起吗? +我们要共饮一杯酒 +敬两小无猜的往日时光 +比利,我们快走吧 +比利,快离开这里,快点 +走! +快点! +妈的,天哪 +老婆,抱歉我迟到了 +什么? +等一下,怎么会找不到他? +他人呢? +有没有打去问他朋友? +天哪 +我再回你电话 +我应该知道他在哪里 +8 +- 8 +- 14,没问题 +好了 +采集指纹,比对出来再告诉我 +快去彻底搜索调查 +有必要就去街头找人 +一定有人看到什么 +现在有紧急状况 +派两组人过来 +派两组人 +请2组人员处理这件事 +路克! +路克,你在干嘛? +你妈担心死了,快上车 +不要 +我叫你上车 +不要,我不想上车 +快给我过来 +去你的! +路克! +这里不安全 +对,我明知故犯嘛 +死的是我会比较好吗? +是这样吗? +总比失去争气的宝贝儿子布兰登 +更容易接受吧? +路克... +请你上车 +走吧 +路克,马上给我上车! +马上上车! +天哪 +宝贝,老公 +对不起 +不准再这样吓我了 +我们要杀他? +〝海星企业,1500号〞 +访客要先登记 +先生,访客要先登记 +快递包裹在这里签收 +不行,我要亲手交给他 +给尼克休姆 +请你按照规定登记和托收 +打电话给楼上 +可恶! +尼克休姆! +快点! +尼克休姆! +尼克休姆! +天哪,警察来了 +办公室不赖嘛 +你想干嘛? +那是自由的礼物 +先生,要不要请他出去? +先生? +让你不必再想自己会怎么死 +不必再想自己会孤单地死 +请他出去 +因为你回归造物主怀抱的时候 +就能享受喜悦与荣光 +放手! +王八蛋,你在哪里? +我捡到你的皮夹,你要赏我吗? +快说你在哪里 +不对,我要说的是你在哪里 +你走投无路了 +谁死谁活由我决定 +你最好快点搞懂 +因为我不会再警告你 +我要来享受天伦之乐了 +不行,你听我说 +你敢动我家人 +我就把你大卸八块 +像我杀了你朋友那样,听见没? +他不是我朋友 +他是我弟弟 +我现在要杀光你全家 +你刚才给他们判了死刑 +等一下 +不要! +干! +干! +干! +〝洁西卡沃里斯警探〞 +尼克,出了什么事? +快接啊... +尼克? +老婆,你没事吧? +路克放学回家了吗? +对啊,我们很好 +那就好,在家里等警察到 +答应我 +为什么? +怎么了? +你只管待在家里等警察到 +我马上回去 +快接啊... +请问沃里斯警探在吗? +沃里斯警探! +马上叫沃里斯警探来接! +可恶 +重案组,我是沃里斯 +他们威胁要杀我全家 +休姆先生? +那个下三滥... +威胁要杀我全家 +好吧,你家人在哪儿? +在家里 +两个都在家里 +请你救我们 +海伦? +路克? +尼克? +天哪 +到底出了什么事? +老公,为什么警察要来? +尼克,你吓坏我了啦 +天哪 +尼克,跟我说啊 +爸,出了什么事? +尼克! +出了什么事? +你待在这儿 +谢天谢地你终于来了 +令郎是打曲棍球的 +对 +警车今晚会守在门口 +休姆先生,我想你现在应该 +告诉我到底谁对谁做了什么 +你惹毛了不敢惹的人吗? +是这样吗? +你以为住在这里 +杀了小混混就没事吗? +你在胡说什么? +尼克,她在说什么啊? +我没做错事 +那你为什么不告诉我 +比利达利怎么会这么气你? +是你要我帮你的 +好吧 +好吧 +先熬过今晚再说,休姆先生 +还活着就该感恩了 +但你要是引发了战争 +就只能听天由命了 +你做了什么? +我要怎么阻止? +你有起头吗? +听我说... +我自己怎样都无所谓 +只要家人平安就好 +告诉我该怎么阻止他们 +首先,他们说什么都照做 +逐一去做 +放心吧,休姆先生 +我们在通缉比利那帮人了 +我居然没发现你做了什么傻事 +你怎么可以这样? +你以为这样就能一命抵一命? +恢复宇宙的秩序? +我失去了我们的儿子 +你儿子 +你是个好爸爸 +这是什么也改变不了的事实 +我爱你 +永远爱你 +幸好你快要摆脱了 +是啊 +快! +走啊! +不! +妈! +滚出去! +妈! +过来! +过来! +比利,怎样? +不! +不! +不! +走吧,都死了啦 +我今晚连动的力气也没有 +你走过去看着我死 +但我知道你心里更难受 +因为爱把你击垮了 +对,承认吧 +你知道你不孤单 +医生! +医生! +压住他的腿! +镇定剂! +压住他! +能不能关掉? +关掉机器? +还是你的心脏? +我去问医生 +这件事到此为止 +天晓得你怎么还活着 +但你有自新的机会 +你以为那位警官是在保护你? +他是不让你害死自己 +我一声令下,他就把你送进牢里 +你要报仇 +杀了几个混混,结果呢? +战争中的每个人都自以为是对的 +最后还不是死光光 +你永远赢不了的,休姆先生 +谁也赢不了 +我害死了他们 +我害死了我的家人 +你儿子还活着 +什么? +昏迷不醒 +他在哪里? +在这家医院? +人呢? +别激动,等一下 +路克! +路克! +路克? +他没事,让他去吧 +路克? +先生,回床上躺好 +我儿子呢? +快说我儿子在哪儿! +他在206病房 +路克? +路克? +我们会照顾令郎的 +路克? +他会清醒吗? +现在不能确定 +以暴制暴是没完没了的 +你说什么? +以暴制暴 +有时候真是太乱了 +世界就是这么乱 +让我和他独处一下 +拜托你 +我去外面等 +路克,你听得见吗? +能不能动动手指? +儿子,听得见就动动手指 +路克,我知道... +你觉得... +我对你的关爱不如对你哥哥 +天哪,我... +我不知道,或许最初是这样 +你也知道的 +我和你妈... +刚有了布兰登的时候 +他实在是... +我觉得他很了不起 +他简直是个奇蹟 +但我一直都很了解他 +后来又有了你 +不知道,我本来以为... +你会是布兰登的翻版 +我期望你像他一样 +结果你不是 +你们截然不同 +和他不一样,和我不一样 +你真的是很像... +太像你妈了 +顽固又... +太过于热情 +你妈就是这样 +她是我这辈子最重要的人 +你也是 +我只是想跟你说我爱你 +我好爱你 +我爱你哥,也爱你妈 +我爱我们全家人 +我... +对不起 +我不能当个更好的爸爸 +对不起 +我没能保护你们 +可恶 +你快去叫医生来... +医生! +欧文 +帮我查一个电话号码 +对,5550128 +去查别的资料库,想办法查到 +存款也要领出来啊 +对,全部都要 +所有的钱 +连小孩的教育基金也要? +喂? +尼克,我是欧文 +电话号码查到了 +是酒吧,叫〝四朵玫瑰〞 +尼克,出了什么事? +要不要我打电话求助? +谢了,再见,欧文 +尼克? +我要找比利达利或他朋友 +〝西班牙语〞 +我说我不会讲英文啦,你聋子哦 +懂了吗,老兄? +〝西班牙语〞 +我把你的猪脑袋砍下来 +寄给你妈 +说不定她会认得出你 +但我很怀疑,老兄 +操你娘的! +干! +干! +闪边! +放开我... +告诉我比利达利在哪里 +现在就说 +快说! +你不会想找比利达利的啦 +我有事要找他 +好,放开我 +放开我! +〝西班牙语〞 +他的同伙海可住在附近113号 +他通常晚餐时间会在嗑药 +可以了吧? +〝西班牙语〞 +还有一件事 +我要买枪 +有事吗? +我要买枪 +我不认识你 +我是从〝四朵玫瑰〞来的 +据我猜测... +你应该不属于这里吧 +别让我闻到你有恐惧的味道 +敌人才要恐惧 +恐惧 +和子弹 +爆炸多的子弹 +这是最凶悍的一把枪 +.357口径 +保证一枪毙命 +这把枪不错 +这是标准的. +45口径 +火力超强 +这是冤仇够深才要用 +这把枪的火力是天王级的 +既是大炮,也是正义之剑 +带这把枪去圣地 +就可以展开圣战了 +不管是哪一把枪 +都保证能让你把烦恼 +抛到九霄云外 +那一把呢? +这把? +好,我要这把和这几把 +买这些枪要花你3千大洋 +你有那么深的仇恨吗? +这是5千美元 +那你就是我的VIP了 +再送你一些小东西 +因为我直觉你很需要 +你身上散发出一股杀气 +真的 +你是想杀我儿子比利的那家伙? +他是你儿子? +所以乔也是你杀的罗? +你杀了我小儿子 +现在又要追杀比利 +对,我要杀他 +比利不是什么好东西啦 +他做的事都与我无关 +有人想要某人付出代价 +以消胸口的一股怨气 +那找比利就对了 +杀了那个混蛋 +看看对我会不会有什么差 +咱们当爸爸的私下讲 +我也是知道的啦 +去找他吧 +我忍他够久了 +你又是个付现的好顾客 +但别以为我会跟你说比利在哪里 +敢问我就杀了你 +去忙你的吧 +愿上帝与你同在 +一整袋的枪也与你同在 +〝布兰登的东西〞 +我要专心想着痛 +那个... +搞什么? +搞什么? +你是谁? +你? +不是被我们干掉了吗? +搞什么? +给我滚出去! +比利人呢? +去你的 +那是我的牙齿耶! +王八蛋! +快说他在哪里 +办公室 +是什么鬼地方? +废弃的精神病院 +我们在那里做毒品 +在冥府街的桥边 +听见没? +冥府街! +打给他 +幸好你爸有赞助你车子 +你就不用溜冰来这里买毒给你妹 +她光顾了我好一阵子 +我也经常去光顾她 +干他妈的 +海可,你这个没用的家伙 +我这礼拜第2次帮你收烂摊了 +比利! +那个王八蛋没死,比利 +你在胡说什么? +他说你死定了 +那又怎样? +就这样啊,操你妈的 +今晚要惹什么事? +你又想干嘛? +好像赶着去投胎 +你知道帮你擦屁股有多累吗? +我还得安抚那个送钱上门的阔佬 +叫他杀了你,你以为我爽吗? +你根本就不懂 +我很关心你的事 +因为会拖累我 +你还需要什么指示吗? +不用了,谢谢老爸 +车子我开走了 +搞什么? +妈的! +阿狗! +那个王八蛋来了! +往你那边去! +我的腿! +阿狗! +快! +去追那个王八蛋! +去抓他! +快啊! +快点... +〝欢迎来到地狱〞 +你知道你会死在这里! +妈的 +瞧瞧你 +你跟我们没两样 +我把你变成杀人魔了 +准备好了吗? +我今晚连动的力气也没有 +你走过去看着我死 +但我知道你心里更难受 +因为爱把你击垮了 +对,承认吧 +我不孤单 +有新年新希望吗? +不对,你知道妈妈很完美 +这倒是 +我没什么新希望啦 +5、4、3、2、1! +新年快乐! +新年快乐! +好吧,你今年有什么期望? +你儿子 +他有在动了 +应该能撑得下去 +好吧,你先唱,起音别太高 +应该遗忘旧识 +永远不再想起吗? +我们要共饮一杯酒 +敬两小无猜的往日时光 +好吧,我拆不开 +好啦,准备好了吗? +- 祝你圣诞快乐 +- 我就是想要 +这种脚踏车 +对,喜欢吗? +是那种吗? +那就好,圣诞快乐 +新冰球杆 +尺寸对吗 +对,很适合我 +挥杆给我看 +别打到桌上的东西 +我最厉害 +我最厉害 +片名: +《死亡裁决》 +放马过来吧 +等一下 +准备好了吗? +好了,用力挥 +你还好吧 +你还好吧 +好了,你自己骑 +天哪! +路克 +宝贝 +小心那棵树啊 +玩个花样 +玩个花样 +你以他为荣? +对啊,他好了不起 +那是妈妈画的吗 +说实话,是妈妈画的吗? +你看 +我有个疑问... +这是什么? +是抽象画 +我和球队签约就买新房子送你 +这栋房子有什么不好? +准备好了? +可恶 +好了,许愿吧 +妈,你几岁 +我几岁? +只是好奇 +你很漂亮 +看起来不过才... +爸,快说啦 +布兰登・休姆,你当选MVP了 +争气的宝贝儿子 +第一名... +点蜡烛吧 +可以用手掴醒他吗? +不行 +好吗 +他会杀了我们 +惊喜! +惊喜! +生日快乐,路克 +生日快乐,路克 生日快乐 +14岁了 +感觉和昨天13岁没分别 +你要现在被揍14下? +还是... +待会儿啦,等我睡醒再说 +走开 +我差点就赢你了 +怎能忘记旧日朋友 +心中能不怀想? +旧日朋友岂能相忘 +友谊地久天长 +打扰一下 +你觉得怎么也找不到规律的时候 规律就藏在你眼皮底下 +好吧 +有何贵干? +安妮要我请你签核 +这个人在海星做了6年 +但他老婆死了,没小孩,没遗嘱 +我想把他的退休金纳入抚恤金 +直截了当 +拜托,我不想搞得太复杂 +要照规定做 +等他死了大家就知道我们尽到了责任 +你说得对,省麻烦 +我懂了,抱歉 +不是,我们要尽责 +好好安顿我们的员工 +别让他死不暝目 +你讲的"宇宙的规律"是什么? +我们的保险公司花了30万美元 +建立这个新的数学模型、新调查资料 +新社会 +怎样的人才是理想员工? +谁怎么死的? +几时死的? +他们把资料送来了,让我们看看成果 +你知道报告内容吗? +有小孩的人比没小孩的人更长寿 +有两个小孩比一个小孩的更长寿 +抽烟不好 +超速不好 +家有丧事不好,离婚不好 +还好的是 +这些陈腔滥调始终是事实 +布兰登,你很滑头啊 +我是天赋异禀 没办法嘛 +- 天哪,妈,我好想死啊 +- 我知道 +- 我可以先失陪吗 +- 不行 +我有个白痴阿哥 +我有个没屌的弟弟 +好了,别吵啦 +- 你该懂点事 +- 怎么? +家人要相亲相爱 +- 我能说不吗? +- 不行 +我要求豁免权,我要找律师 +- 好,我要提出起诉,现在就要 +- 我回来了 +抱歉回来晚了,错过晚餐了吗? +没有,菜还很多,我去弄热给你吃 +爸,礼拜六载我去市区 +市区? +对,这是交换比赛 +我是先发球员 +真的吗? +- 太好了 +- 对啊 +华教练一定爱死你了 +对,因为他是狗 +也不坏啊,大家都要去吗 +不行,路克要踢足球 +对,但我不是先发 +也许你该多亲几个人的菊花... +或者口交时候别太用力 +- 我听说这样管用 +- 喂,喂,喂! +爸,我开玩笑的,他简直是白痴 +不准骂他白痴 +路克,你有个忠诚又疼你的哥哥 +说得对 +忠诚又疼我的狗 +大家能不能文明一点? +不然我要杀人了 +我无所谓啦,卑鄙小人 +最好啦,卑鄙小人 +路克... +碟子 +衰人,给我过来 +放手 +知道不回家会错过什么了吧? +对,至少他们没互扔食物 +打得好啊,我以你为傲 +打得好啊 +谢谢... +我喜欢你拿球杆的架势 +很帅气 +我们队上有人在考虑 +要去加拿大念大学 +加拿大? +加拿大很远呢 +你们还有路克嘛 +还真欣慰啊 +不是啦,我开玩笑的 +不跟小孩闹著玩就老得快 +你以後就会懂 +你这场球打得漂亮 +好几场都打得好 +但职业冰球... +这是你要的吗? +或许吧,我不知道 +这可是有风险的 +这是你当职业球员的经验谈? +- 还是... +- 不是,是我的 +高风险职业经验谈,多谢你了 +风险、责任——人生的残酷面 +不对,那是你的人生 +你充满刺激的人生 +别开你老爸的玩笑 +你只有我一个爸爸 +再找华教练谈谈吧 +你可以多研究加拿大的学校 +找个人来教我们 打冰球和上法律学校哪个好 +- 爸 +- 干嘛? +教我们? +我只是想打冰球 +开大灯 +爸,你觉得呢? +我们再详细研究... +看看吧 好吧 +请别跟你妈说 +我不会的 +高速公路在哪里? +"汽油量: +低" +这下可好了 +"故障" +你要去哪儿? +我想喝东西 +好吧,又要喝冰沙了 +应该有卖吧? +不然就喝更垃圾的饮料啰 +- 你有钱吗? +- 有 +好吧,快去快回,要回家了 +好 +老婆,是我,我只是想告诉你 +我们儿子要去加拿大打冰球了 +我们不想十八相送 +就直接载他去机场了 +他说会打电话回来 +但我们可能再也见不到儿子了 +但只要他快乐就好了 +先这样 +我爱你 +马上就回家,再见 +小心啦 +让开,死鬼 +趴下! +不然我打爆你个头! +给我趴下! +就是他! +就是他! +他想拿枪,比利! +杀了他! +就是他了 +快动手,否则不能入帮! +快! +你做得到的 +祖! +快杀了他 +这才对嘛 +快闪! +快闪! +把枪给我! +我们走! +- 那祖怎么办? +- 快上车! +妈的! +他妈的! +干! +操你娘的... +布兰登 +布兰登 +天哪 +救命啊! +帮我! +快来帮我! +救命啊! +祖呢? +他现在是男子汉了 +可以搭地铁回去 +快找人帮忙 +谁能救救我们? +快来人啊! +医生! +把床推过来! +他被割喉了,有人割他... +打开呼吸道,帮助他呼吸 +他是我儿子 +- 那是我儿子 +- 梅姬! +- 好了,带他去旁边 +- 布兰登 +我们到医院了 +他们会替你治疗 +把你治好 +先生,抱歉 +- 你不能进去 +- 什么? +- 让医生去处理吧 +- 我知道 +但我不能进去? +抱歉 +好吧,他会没事的 +他是我儿子 +他叫布兰登 +5号 +是5号 +他是祖·达利 +他是... +还是个孩子 +他只是个子矮,快23岁了 +他是个禽兽 +明天应该会有... +正式开庭前的侦讯庭 +他们要我出庭作证 +要不要一起去? +你去 +让那个禽兽去坐牢 +警察也是这样形容他 +禽兽 +西装要不要脱掉? +校方说要办告别会 +在下一场比赛的时候 +球队想做点事 +他们真有心 +他本来也应该参赛的 +直到我的身躯化成灰 +直到我的灵魂不复存在 +我将会爱你 +爱你 +直到太阳开始哭泣 +月亮化为腐朽 +我将会爱你 +爱你 +但我要知道 +你会不会一直留在我身边 +永远不离开? +那么我将全心付出 +直到生命的最后 +永远不渝 +今天的事很好办 +我要你出庭吓得他良心不安 +法官问你 你就把跟我们说过的话重答一遍 +当庭指证达利 +懂吗? +我提呈你的证词,加上你出庭 +官方辩护律师就会吓得半死 +5分钟能达成协议 +今天就送他进牢,很简单 +协议? +等一下 +等一下,这是什么意思? +什么协议? +我要这家伙坐一辈子的牢 +不可能 +保证能关3到5年,顶多这样 +我指的是保证 +不是也许,不是看陪审团的心情 +好过不切实际地求刑十年或无期徒刑 +结果他逃过法网 +你想这样吗? +但他杀了我儿子 +休姆先生,我有你这个目击者 +很好 +但只有一个目击者的案子 +你知道有多少我连协议都懒得试吗? +凶器莫名其妙消失了 +在那个混蛋身上只找到 +他被车撞留下的血迹 +你又挑中美国唯一 +没装监视器的加油站 +只有你的证词 +还不错,我可以吓得他同意协议 +你拿我儿子的死当游戏 +我送一个混混进牢 +一年后有人替我行天道 +他没活着出狱,我无所谓 +他改信宗教,我无所谓 +但我们硬要严惩求刑 +即便我非常乐意 +辩方也会开始问我们: +"你上次几时检查视力?" +"你对市区青少年有成见吗?" +说什么他们在暴力中成长不公平 +被迫杀人加入帮派,不然就没命 +你要陪审团同情这个烂人 +你要他获释? +等一下,你说... +为加入帮派而杀人 +这不是抢劫案吗? +只是看起来像抢劫案 +这是入帮仪式 +为了加入帮派而随机杀人 +这是入帮的代价 +你意思是布兰登被杀 +是让那个混混自觉更像男子汉? +让他加入什么帮派? +很遗憾,这种事你不接受就拉倒 +法官大人,我要提呈目击者的证词 +在案发当时作的笔录 +他是被害人的父亲 +贝林先生,正式开庭时再提出吧 +法官大人,若今天提出 +辩方就会改口认罪了 +省得检方浪费时间金钱来开庭 +那就是证词? +休姆先生? +休姆先生? +你作证这位达利先生在你面前 +攻击你儿子导致他死亡? +你愿意在开庭审讯时作证? +不是这样的,法官大人 +什么? +当时很喑 +对方人很多 +我不确定是谁 +贝林先生... +除了休姆先生以外还有证人吗? +没有了,法官大人 +我要撤销这件案子 +达利先生,我判决你当庭释放 +你可以在法警陪同下回到看守所 +取回你的私人物品 +祖! +你赢了! +无罪释放! +真有你的 +劲哦! +我们走,快走吧! +你无罪释放,我以你为荣 +这下子谁有种? +我知道 +上车 +跟这个妞儿好好享受吧 +- 好 +- 可以吗? +我以你为荣 +没问题吧? +爸? +爸? +你在干嘛? +没有啊 +你在干嘛? +别乱拿,放下 +那里... +是一座... +...加油站吗? +布兰登被杀的地方? +对,是加油站 +问这个干嘛? +我只是... +想知道他在哪里死的 +好吧 +那是... +郊区的一个休息站 +你... +你觉得他害怕吗? +对,路克 +我想他是很害怕 +结果怎样? +他当庭获释了 +什么? +为什么? +我觉得不是他 +你说是他啊,说他被捕了 +他们会继续调查吗? +会,他们说会 +天哪 +对不起,你要我怎样? +对不起 +我有东西遗忘在公司,我回去拿 +现在? +- 尼克! +- 我会尽快回来 +天哪,我在干嘛? +真他妈的 +干! +天哪! +干! +你吓死我了 +等一下 +不可能吧 +是你? +干! +干! +干! +干! +天哪 +天哪 +天哪 +你知道妈妈很完美 +这是当然罗 +没有,我无言以对 +爸,我想跟你一样 +这句话真令人欣慰 +这件事我拖了好几个月 +谢谢你这么体贴地帮忙 +嗨 +嗨 +出了什么事? +我在车道上滑倒了 +老公,天哪,看看你 +你好狼狈 +没事,只是手受伤了 +还好吧 +很好,没事啦 +没事才怪 +我去冲个澡 +好吧,我去拿绷带,待会儿上去 +你怎样? +还好吧? +我很好 +大概是吧 +那就好 +那就好 +我去冲个澡 +布兰登·休姆,你当选MVP了 +你有什么话想说? +可以拿走吗? +可以吗? +第一名... +布兰登·休姆,争气的宝贝儿子 +老公 +天哪 +- 天哪 +- 宝贝,没事了 +对不起 +天哪 没事了 +对不起 没事了 +对不起 +"邦斯修车厂" +比利! +小心那些零件 +喂,零件很值钱的 +不像你一文不值 +你死哪儿去了 +这像话吗? +今晚就赚到这些 +我可怜你和你那些低能朋友 +给你们几个门路去赚钱 +你最好多赚点钱给我 +被我知道你偷钱,我就宰了你 +在哪儿风光是你的事 +你要是敢偷我的钱 +我就他妈的宰了你 +我对你够有耐心了 +好啦 +你可以滚了 +真他妈的低能 +干嘛? +干嘛? +谁可以告诉我出了什么事 +你听说了吗? +祖出事了 +有人捅了他 +他死了 +什么? +少骗人 +他死了啦 +嗨 +你们还好吧? +节哀顺变啊 +我们很好 +总是要想办法适应 +人生就是这样,有失又有得 +日子总得过下去 +换作是我遇到这种事,我会... +不知道,我大概会崩溃吧 +没遇到真的不知道会怎么做 +自己也会吓一跳 +打扰了,尼克 +沃里斯警探找你 +好,请她进来 +嗨,很抱歉打扰你工作 +没关系 +涉嫌杀死令郎的疑犯 +被人杀了 +怎么了? +帮派仇杀吗 +大概是吧 +真是老天有眼 +可以这么说啦 +我想你也许会想知道 +说不定凶手真的就是他 +谢谢你来告诉我 +不打扰你了 +我也不必说什么了 +但需要的话公司会承担咨询费用 +我们应付得来 +谢了,奥云 +不客气 +他不是死得活该,不能让他白死 +他是个真斗士 +为祖干一杯 +他是个好孩子 +真他妈的好孩子 +我们就这样做 +怎么不给点尊重? +难怪你们一事无成 +难怪你们都是贱精 +因为你们宁可喝酒 +吸大麻把自己搞成弱智 +智障又孬到极点 +是我不好 +我们... +干杯吧 +杯子给我举起来! +每个人都要! +祖只是不适合混帮派啦 +他跟我们不一样 +对,跟你们不一样 +他跟你们不一样 +他比你们好! +我们从小就像兄弟一样 +你却讲这种话? +现在我配不上你了 +祖也像我的亲兄弟啊 +他像我的亲兄弟,你也是 +好吧 +我要抓到杀他的王八蛋 +非抓到不可 +没问题 +去帮祖报仇 +是谁干的? +不是14K,不然我一定知道 +除非你啪了药 +我没啪药 +不是新X安,比利 +不是和胜X,不是帮派干的 +我妹说她看到穿西装的人 +在那里流连 +这种鸟地方有多少穿西装的人? +这就好笑了 +我们帮派的被杀就不会上头条 +但海星企业资深副总裁的儿子... +"白领父子遇袭,子惨遭杀害" +去问问你妹 +爱美,你好啊 +我要回家了 +没事吧? +需要什么吗? +没有,我很好 +完成这份风险分析报告就要... +麻烦你出去的时候 +顺便把这个拿给奥云 +- 好 +- 谢谢你,晚安 +"主大楼1801号" +"阿司匹林" +等一下! +抓住他! +快! +快点! +抓住他... +他在哪里? +快... +快... +快... +快... +快点... +1801号怎么走? +主大楼1801号,往哪边? +从锅炉室过去,那边 +他跑哪儿去了? +海可、阿狗、史宾,去拦截他 +杀了他! +快! +快! +快! +快! +他人呢? +天哪,好了 +可恶 +你有找莎莉谈吗? +有 +让开! +快走 +汤美,快! +杰米,你这只蜗牛给我死过来 +你唬不了我的啦 +干! +比利,我们快走吧 +比利,快离开这里,快点 +走! +快点! +妈的,天哪 +老婆,抱歉我迟到了 +什么? +等一下,怎么会找不到他? +他人呢? +有没有打去问他朋友? +天哪 +我再复你电话 +我应该知道他在哪里 +好了 +收集指纹,比对出来再告诉我 +快去彻底搜索调查 +有必要就去街头找人 +一定有人看到什么 +路克! +路克,你在干嘛? +你妈担心死了,快上车 +不要 +我叫你上车 +不要,我不想上车 +快给我过来 +去你的! +路克! +这里不安全 +对,难道我会不知道? +死的是我会比较好吧? +是这样吗? +总比失去争气的宝贝儿子布兰登 +更容易接受吧? +路克... +请你上车 +走吧 +路克,马上给我上车! +马上上车! +天哪 +宝贝 +对不起 +不准再这样吓我了 +我们要杀他? +访客要先登记 +先生,访客要先登记 +快递包裹可放这里签收 +不行,我要亲手交给他 +给尼克·休姆 +请你按照规定登记,把包裹放下 +打电话给楼上 +可恶! +尼克·休姆! +快点! +尼克·休姆! +尼克·休姆! +办公室不错 +你想干嘛? +那是让你解脱的礼物 +先生,要不要请他出去? +先生? +让你不必再想自己会怎么死 +不必再担心自己会孤单地死 +请他出去 +因为你回归造物主怀抱的时候 +就能享受喜悦与荣光 +放手! +王八蛋,你在哪里? +我捡到你的钱包,你要赏我吗? +快说你在哪里 +不对,我要说的是你在哪里 +你走投无路了 +谁死谁活由我决定 +你最好快点搞清楚 +因为我不会再警告你 +我要来享受天伦之乐了 +不行,你听我说 +你敢动我家人 +我就把你开膛破肚 +像我杀了你朋友那样,听见没有? +他不是我朋友 +他是我弟弟 +我现在要杀光你全家 +你刚才给他们判了死刑 +等一下 +不要! +操! +操! +操 +"洁西卡沃里斯警探" +- 尼克,出了什么事? +- 快接啊... +- 尼克? +- 老婆,你没事吧? +路克也没事吧? +- 对啊,我们很好 +- 那就好,呆在那里,等警察到 +- 叫路克不要回家,好吗? +- 为什么? +怎么了? +你只管待在那里等人来 +- 答应我 +- 谁要来? +快接啊... +请问沃里斯警探在吗? +沃里斯警探! +马上叫沃里斯警探来接 +可恶 +重案组,我是沃里斯 +他们威胁要杀我全家 +休姆先生? +那个流氓... +威胁要杀我全家 +好吧,你家人在哪儿? +他们在学校里! +圣巴索洛缪中学 +请你救我们 +海伦? +路克? +尼克? +天哪 +到底出了什么事? +老公,为什么警察要守在门口? +尼克,你吓坏我了啦 +天哪 +尼克,跟我说啊 +爸,出了什么事? +尼克! +出了什么事? +你待在这儿 +谢天谢地你终于来了 +令郎是打冰球的 +对 +警车今晚会守在门口 +休姆先生,我想你现在应该 +告诉我到底谁对谁做了什么 +你竟敢太岁头上动土? +是这样吗? +你以为住在这里 +杀了小混混就没事吗? +你在胡说什么? +尼克,她在说什么啊? +我没做错事 +那你为什么不告诉我 +你怎么会惹到比利·达利的? +是你要我帮你的 +好吧 +好吧 +先熬过今晚再说,休姆先生 +还活着就该感恩了 +但你要是引爆战争 +就只能听天由命了 +你做了什么? +我要怎么阻止? +是你引发的吗? +听我说... +我自己怎样都无所谓 +只要家人平安就好 +告诉我该怎么阻止他们 +首先,他们说什么你都照做 +逐一去做 +放心吧,休姆先生 +我们在通缉比利那帮人了 +我居然没发现你做了什么傻事 +你怎么可以这样? +你以为这样就能一命抵一命? +恢复宇宙的秩序? +我失去了儿子 +你儿子 +你是个好爸爸 +这是什么也改变不了的事实 +而且,我爱你 +永远爱你 +幸好你快要摆脱了 +是啊 +不! +妈! +滚出去! +妈! +过来! +过来! +比利,怎样? +不! +不! +不! +我今晚连动的力气也没有 +你走过去看着我死 +但我知道你心里更难受 +因为爱把你击垮了 +对,承认吧 +你知道你不孤单 +医生! +医生! +压住他的腿! +镇定剂! +压住他! +能不能关掉? +关掉机器? +还是你的心脏? +我去问医生 +这件事到此为止 +天晓得你怎么还活著 +但你可重头再来 +你以为那位警官是在保护你? +他是不让你害死自己 +我一声令下,他就可送你进牢房 +你要报仇 +杀了几个混混,结果呢? +战争中的每个人都自以为是对的 +最后还不是死光 +你永远赢不了的,休姆先生 +谁也赢不了 +我害死了他们 +我害死了我的家人 +你儿子还活著 +什么? +昏迷不醒 +他在哪里? +在这家医院? +人呢 +别激动,等一下 +路克! +路克! +路克? +他没事,让他去吧 路克? +先生,回床上躺好 我儿子呢? +快说我儿子在哪儿! +他在206病房 +路克? +路克? +我们会照顾令郎的 +医生,让他去吧 路克? +他会清醒吗? +现在不能确定 +冤冤相报是没完没了的 +你说什么? +冤冤相报 +有时候只是混乱 +世界就是这么乱 +让我和他独处一下 +拜托你 +我去外面等 +路克,你听得见吗 +能不能动动手指? +儿子,听得见就动动手指 +路克,我知道... +你觉得... +我对你的关爱不如对你哥哥 +天哪,我... +我不知道,或许最初是这样 +你也知道的 +我和你妈... +刚有了布兰登的时候 +他实在是... +我觉得他很了不起 +他简直是个奇迹 +但我一直都很了解他 +后来又有了你 +不知道,我本来以为... +你会是布兰登的翻版 +我期望你像他一样 +结果你不是 +你们截然不同 +和他不一样,和我不一样 +你真的是很像... +太像你妈了 +顽固又... +太过于热情 +你妈就是这样 +她是我这辈子最重要的人 +你也是 +我只是想跟你说我爱你 +我好爱你 +我爱你哥,也爱你妈 +我爱我们全家人 +我... +对不起 +我以前未能当个好爸爸 +对不起 +我没能保护你们 +可恶 +你快去叫医生来... +医生! +奥云 +帮我查一个电话号码 +对,5550128 +去查别的资料库,想办法查到 +存款也要领出来? +对,全部都要 +所有的钱 +连孩子的教育基金也要? +喂? +尼克,我是奥云 +电话号码查到了 +是酒吧,叫"四朵玫瑰" +尼克,出了什么事? +要不要我打电话求助? +谢了,再见,奥云 +尼克? +我要找比利·达利或他的朋友 +"西班牙语" +我说我不会讲英文啦,你聋子哦 +懂了吗,老兄? +"西班牙语" +我把你的猪脑袋砍下来 +寄给你妈 +说不定她会认得出你 +但我很怀疑,老兄 +操你娘的! +干! +干! +死开! +放开我... +告诉我比利·达利在哪里 +现在就说 +快说! +你不会想找到比利·达利的 +我有事要找他 +好,放开我 +放开我! +"西班牙语" +他的同伙海可住在附近113号 +他通常晚餐时间会啪药 +可以了吧? +"西班牙语" +还有一件事 +我要买枪 +有事吗? +我要买枪 +我不认识你 +我是从"四朵玫瑰"来的 +据我猜测... +你应该不属于这地头吧 +别让我闻到你有恐惧的味道 +敌人才要恐惧 +恐惧 +和子弹 +超多子弹 +这是凶枪中的凶枪 +点357口径 +保证头也打爆 +这把枪不错 +这是标准的点45口径 +火力超强 +这是血海深仇才要用 +这把枪的火力是天王级的 +既是大炮,也是正义之剑 +带这把枪去圣地 +就可以展开圣战了 +不管是哪一把枪 +都保证能让你把烦恼 +抛到九霄云外 +那一把呢? +这把? +好,我要这把和这几把 +买这些枪要花你3千大洋 +你有很多深仇旧恨吗? +这是5千美元 +那你就是我的VIP了 +再送你一些配件 +因为我直觉你很需要 +你身上散发出一股杀气 +真的 +你是想杀我儿子比利的那家伙 +他是你儿子? +所以祖也是你杀的啰 +你杀了我的小儿 +现在又要追杀比利 +对,我要杀他 +比利不是什么好东西 +他做的事都与我无关 +有人想要某人付出代价 +以消胸口的一股怨气 +那找比利就对了 +杀了那个混蛋 +看看会不会影响我心情 +咱们当爸爸的私下讲 +我也是知道的啦 +去找他吧 +我忍他够久了 +你又是个付现款的好顾客 +但别以为我会跟你说比利在哪里 +敢问我就杀了你 +去忙你的吧 +愿上帝与你同在 +一整袋的枪也与你同在 +"布兰登的东西" +我要专心想著痛 +那个 +搞什么? +搞什么? +你是谁? +你? +不是被我们干掉了吗? +搞什么? +给我滚出去! +比利人呢? +去你的 +我的牙呀! +王八蛋! +快说他在哪里 +办公室 +是什么鬼地方? +废置的精神病院 +我们在那里做毒品 +在冥府街的桥边 +听见没? +冥府街! +打给他 +幸好你爸赞助你车子 +让你不用溜冰来这里买毒给你妹子 +她光顾了我好一阵子 +我也经常去光顾她 +干他妈的 +海可,你这个没用的家伙 +我这礼拜第2次 +- 帮你收烂摊... +- 比利 +那个王八蛋没死,比利 +你在胡说什么? +他说你死定了 +那又怎样? +就这样啊,操你妈的 +今晚要惹什么事? +你又想干嘛? +好像赶著去投胎 +你知道帮你擦屁股有多累吗? +我还得安抚那个送钱上门的阔佬 +叫他杀了你,你以为我爽吗? +你根本就不懂 +我很关心你的事 +因为会拖累我 +你还需要什么指示吗? +不用了,谢你喇老爸 +我去拿车了 +搞什么? +妈的! +阿狗! +那个王八蛋来了! +往你那边去! +我的脚! +阿狗! +快! +去追那个王八蛋! +我杀了你,王八蛋 +去抓他! +快啊! +快点... +"欢迎来到地狱" +你去那里,绕到他后面 +你知道你会死在这里! +妈的 +瞧瞧你 +你跟我们没两样 +我把你变成杀人魔了 +准备好了? +我今晚连动的力气也没有 +你走过去看著我死 +但我知道你心里更难受 +因为爱把你击垮了 +对,承认吧 +有新年新希望吗? +5、4、3、2、1! +新年快乐! +你儿子 +他在动了 +应该能撑得下去 +永远不再想起? +好吧,我拆不开 +好啦,准备好了吗? +祝你圣诞快乐 我就是想要 +这种脚踏车 +对,喜欢吗? +是那种吗? +那就好,圣诞快乐 +新曲棍球杆 +尺寸对吗? +对,很适合我 +挥杆给我看 +别打到桌上的东西 +我最厉害 +我最厉害 +《死亡裁决》 +放马过来吧 +等一下 +准备好了吗? +好了,用力挥 +你还好吧? +你还好吧? +好了,你自己骑 +天哪! +路克! +宝贝! +小心那棵树啊 +耍花招 +耍花招 +你以他为荣? +对啊,他好了不起 +那是妈妈画的吗? +说实话,是妈妈画的吗? +你看 +我有个疑问. +这是什么? +是抽象画 +我和球队签约就买新房子送你 +这栋房子有什么不好? +准备好了? +可恶! +好了,许愿吧 +妈,你几岁? +我几岁? +只是好奇 +你很漂亮 +看起来不过才 +爸,快说啦 +布兰登休姆,你当选MVP了 +争气的宝贝儿子 +第一名 +点蜡烛吧 +可以用手掴醒他吗? +不行 +好吗? +他会杀了我们 +惊喜! +惊喜! +生日快乐,路克 +生日快乐,路克 生日快乐 +14岁了 +感觉和昨天13岁没分别 +你要现在被揍14下? +还是 +待会儿啦,等我睡醒再说 +走开! +我差点就赢你了 +可否忘怀旧雨 +永远不再想起? +可否忘怀旧雨 +祝友谊永固? +打扰一下 +才提到曹操,曹操就来了 +好吧 +有何贵干? +安妮要我请你签核 +这个人在海星做了6年 +但他老婆死了,没小孩,没遗嘱 +我想把他的退休金纳入抚恤金 +直接了当 +拜托,我不想搞得太复杂 +要照规定做 +等他死了大家就知道我们有尽责 +你说得对,省麻烦 +我懂了,抱歉 +不是,我们要尽责 +好好安顿我们的员工 +别让他死不瞑目 +你讲的宇宙的秩序,,是什么? +保户花了30万美元 +依据这份新图表、新调查资料 +新社会 +谁才是好员工? +谁怎么死的? +几时死的? +我们拿到资料知道他们表现多好 +你知道报告内容吗? +有小孩的人比没小孩的人更长寿 +有两个小孩比一个小孩的更长寿 +抽烟不好 +超速不好 +家有白事不好,离婚不好 +还好的是 +这些陈腔滥调始终是事实 +你知道吗? +你家的小孩就很棒啊 +布兰登,你很滑头啊! +我是天赋异禀 +没办法嘛 天哪,妈 +我好想死啊 +我知道 +我可以先失陪吗? +不行 +我有个白痴阿哥 +我有个超样衰细佬 +好了,别吵啦 +你早该知道会这样 +怎样? +一家人要相亲相爱 +我能说不吗? +不行 +我要求豁免权,我要找律师 +好,我要提出起诉 +我回来了 现在就要 +抱歉回来晚了,错过晚餐了吗? +没有,菜还很多,我去弄热给你吃 +爸,礼拜六载我去市区 +市区? +对,这是交换比赛 +我是先发球员 +真的吗? +太好了 对啊 +华教练一定爱死你了 +对,因为他是狗 +也不坏啊,大家都要去吗? +不行,路克要踢足球 +对,但我不是先发 +你们可以". +或者你发癫就" +不会这么渣了 +爸,他开玩笑,简直是白痴 +不准骂他白痴 +路克,你有个忠诚又疼你的哥哥 +说得对 +忠诚又疼我的狗 +大家能不能文明一点? +不然我要杀人了 +我无所谓啦,卑鄙小人 +最好啦,卑鄙小人 +路克 +碟 +衰人,给我过来 +放手! +知道不回家会错过什么了吧? +对,至少他们没互扔食物 +打得好啊,我以你为傲 +打得好啊 +谢谢 +我喜欢你拿球杆的架势 +很帅气 +我们队上有人在考虑 +要去加拿大念大学 +加拿大? +加拿大很远呢 +你们还有路克嘛 +还真欣慰啊 +不是啦,我开玩笑的 +不跟小孩闹着玩就老得快 +你以后就会懂 +你这场球打得漂亮 +好几场都打得好 +但职业曲棍球. +这是你要的吗? +或许吧,我不知道 +这可是有风险的 +这是你当职业球员的经验谈? +还是". +不是,是我的" +高风险职业经验谈,多谢你了 +风险、责任、人生的残酷面 +不对,那是你的人生 +你充满刺激的人生 +别开你老爸的玩笑 +你只有我一个爸爸 +再找华教练谈谈吧 +你可以多研究加拿大的学校 +找个人来教我们打曲棍球 +哪里比学法律好 爸! +干嘛? +教我们? +我只是想打曲棍球 +开大灯 +爸,你觉得呢? +我们再详细研究 +看看吧 好吧 +请别跟你妈说 +我不会的 +高速公路在哪里? +汽油量: +低, +这下可好了 +故障, +你要去哪儿? +我想喝东西 +好吧,又要喝冰沙了 +应该有卖吧? +不然就喝更垃圾的饮料啰 +你有钱吗? +有 +好吧,快去快回,要回家了 +好 +老婆,是我,我只是想告诉你 +我们儿子要去加拿大打曲棍球了 +我们不想十八相送 +就直接载他去机场了 +他说会打电话回来 +但我们可能再也见不到儿子了 +但只要他快乐就好了 +先这样 +我爱你 +马上就回家,再见 +小心啦 +让开,死鬼 +趴下! +不然我打爆你个头! +给我趴下! +就是他! +就是他! +他要来找死了 快啊,比利 +杀了他! +就是他了 +快动手,否则不能入帮! +快! +你做得到的 +祖! +快杀了他 +这才对嘛 +快闪! +快闪! +把枪给我! +我们走! +那祖怎么样 快上车! +妈的! +他妈的! +干! +操你娘的 +布兰登! +布兰登! +天哪 +救命啊! +帮我! +快来帮我! +救命啊! +祖呢? +他现在是男子汉 +可以搭地铁了 +快找人帮忙 +谁能救救我们? +快来人啊! +医生! +把床推过来! +他被割喉了,有人割他 +打开呼吸道,帮助他呼吸 +他是我儿子 +那是我儿子 梅姬! +好了,带他去旁边 布兰登 +我们到医院了 +他们会替你治疗 +把你治好 +先生,抱歉 +你不能进去 什么? +让医生去处理吧 我知道 +但我不能进去? +抱歉 +好吧,他会没事的 +他是我儿子 +他叫布兰登 +5号 +是5号 +他是祖达利 +他是 +还是个细路 +他只是个子矮,快23岁了 +他是个禽兽 +明天应该会有 +正式开庭前的侦讯庭 +他们要我出庭作证 +要不要一起去? +你去 +让那个禽兽去坐牢 +警察也是这样形容他 +禽兽 +西装要不要脱掉? +校方说要办告别会 +在下一场比赛的时候 +球队想做点事 +他们真有心 +他本来也应该参赛的 +直到我的身躯化成灰 +直到我的灵魂不复存在 +我将会爱你 +爱你 +直到太阳开始哭泣 +月亮化为腐朽 +我将会爱你 +爱你 +但我要知道 +你会不会一直留在我身边 +永远不离开? +那么我将全心付出 +直到生命的最后 +永远不渝 +今天很顺利 +我要你出庭吓得他良心不安 +法官问你,你就把话重述一遍 +当庭指证达利 +懂吗? +我提呈你的证词,加上你出庭 +官方辩护律师就会吓得半死 +5分钟能达成协议 +今天就送他进牢,很简单 +协议? +等一下 +等一下,这是什么意思? +什么协议? +我要这家伙坐一辈子的牢 +不可能 +保证能关3到5年,顶多这样 +我指的是保证 +不是也许,不是看陪审团的心情 +好过求刑十年至无期徒刑 +结果他逃过法网 +你想这样吗? +但他杀了我儿子 +休姆先生,我有你这个目击者 +很好 +但只有一个目击者的案子 +你知道有多少我不想协议吗? +凶器莫名其妙消失了 +在那个混蛋身上只找到 +他被车撞留下的血迹 +你又挑中美国唯一 +没装监视器的加油站 +只有你的证词 +还不错,我可以吓得他同意协议 +你拿我儿子的死当游戏 +我送一个混混进牢 +一年后有人替我行天道 +他没活着出狱,我无所谓 +他改信宗教,我无所谓 +但我们硬要严惩求刑 +即便我非常乐意 +辩方也会开始问我们: +你上次几时检查视力? +, +你对市区青少年有成见吗? +, +说什么他们在暴力中成长不公平 +被迫杀人加入帮派,不然就没命 +你要陪审团同情这个烂人? +你要他获释? +等一下,你说 +为加入帮派而杀人 +这不是抢劫案吗? +只是看起来像抢劫案 +这是入帮仪式 +为了加入帮派而随机杀人 +这是入帮的代价 +你意思是布兰登被杀 +是让那个混混自觉更像男子汉? +让他加入什么帮派? +很遗憾,这种事你不接受就拉倒 +法官大人,我要提呈目击者的证词 +在案发当时作的笔录 +他是被害人的父亲 +贝林先生,正式开庭时再提出吧 +法官大人,若今天提出 +辩方就会改口认罪了 +省得检方浪费时间金钱来开庭 +那就是证词? +休姆先生? +休姆先生? +你作证这位达利先生在你面前 +攻击你儿子导致他死亡? +你愿意在开庭审讯时作证? +不是这样的,法官大人 +什么? +当时很暗 +对方人很多 +我不确定是谁 +贝林先生 +除了休姆先生以外还有证人吗? +没有了,法官大人 +我要撤销这件案子 +达利先生,我判决你当庭释放 +你可以在法警陪同下回到拘留所 +取回你的私人物品 +祖! +你赢了! +无罪释放! +真有你的! +劲哦! +我们走,快走吧! +你无罪释放,我以你为荣 +这下子谁有种? +我知道 +上车 +跟这个妞儿好好享受吧 +好 可以吗? +我以你为荣 +没问题吧? +爸? +爸? +你在干嘛? +没有啊 +你在干嘛? +别乱拿,放下 +那里 +是一座 +.油站吗? +布兰登被杀的地方? +对,是油站 +问这个干嘛? +我只是 +想知道他在哪里死的 +好吧 +那是 +郊区的一个休息站 +你 +你觉得他害怕吗? +对,路克 +我想他是很害怕 +结果怎样? +他当庭获释了 +什么? +为什么? +我觉得不是他 +你说是他啊,说他被捕了 +他们会继续调查吗? +会,他们说会 +天哪 +对不起,你要我怎样? +对不起 +我有东西遗忘在公司,我回去拿 +现在? +尼克! +我会尽快回来 +天哪,我在干嘛? +真他妈的 +干! +天哪! +干! +你吓死我了 +等一下 +不可能吧 +是你? +干! +干! +干! +干! +天哪 +天哪 +干! +你知道妈妈很完美 +这是当然啰 +没有,我无言以对 +爸,我想跟你一样 +这句话真令人欣慰 +这件事我拖了好几个月 +谢谢你这么体贴地帮忙 +嗨 +嗨 +出了什么事? +我在路上滑倒了 +老公,天哪,看看你 +你好狼狈 +没事,只是手受伤了 +还好吧? +很好,没事啦 +没事才怪 +我去冲个澡 +好吧,我去拿绷带,待会儿上去 +你怎样? +还好吧? +我很好 +大概是吧 +那就好 +那就好 +我去冲个澡 +布兰登休姆,你当选MVP了 +你有什么话想说? +可以拿走吗? +可以吗? +第一名 +布兰登休姆,争气的宝贝儿子 +老公 +天哪 +天哪 宝贝,没事了 +对不起 +天哪 没事了 +对不起 没事了 +对不起 +邦斯修车厂, +比利! +小心那些零件 +喂,零件很值钱的 +不像你一文不值 +你死哪儿去了? +这像话吗? +今晚就赚到这些 +我可怜你和你那些低能朋友 +给你们几个门路去赚钱 +你最好多赚点钱给我 +被我知道你偷钱,我就宰了你 +在哪儿风光是你的事 +你要是敢偷我的钱 +我就他妈的宰了你 +我对你够有耐心了 +好啦 +你可以滚了 +真他妈的低能 +干嘛? +干嘛? +谁可以告诉我出了什么事 +你听说了吗? +祖出事了 +有人杀了他 +他死了 +什么? +少骗人 +他死了啦 +嗨 +你们还好吧? +节哀顺变啊 +我们很好 +总是要想办法适应 +人生就是这样,有失又有得 +日子总得过下去 +换作是我遇到这种事,我会 +不知道,我大概会崩溃吧 +没遇到真的不知道会怎么做 +自己也会吓一跳 +打扰了,尼克 +沃里斯警探找你 +好,请她进来 +嗨,很抱歉打扰你工作 +没关系 +涉嫌杀死令郎的疑犯 +被人杀了 +怎么了? +帮派仇恨吗? +大概是吧 +真是老天有眼 +可以这么说啦 +我想你也许会想知道 +说不定凶手真的就是他 +谢谢你来告诉我 +不打扰你了 +我也不必说什么了 +但需要的话公司会支付咨询费用 +我们应付得来 +谢了,奥云 +不客气 +他不是死得活该,不能让他白死 +他是个真斗士 +为祖干一杯 +他是个好孩子 +真他妈的好孩子! +我们就这样做? +怎么不给点尊重? +难怪你们一事无成 +难怪你们都是贱精 +因为你们宁可喝酒 +吸大麻把自己搞成弱智 +智障又孬到极点 +是我不好 +我们. +干杯吧 +杯子给我举起来! +每个人都要! +祖只是不适合混帮派啦 +他跟我们不一样 +对,跟你们不一样 +他跟你们不一样 +他比你们好! +我们从小就像兄弟一样 +你却讲这种话? +现在我配不上你了? +祖也像我的亲兄弟啊 +他像我的亲兄弟,你也是 +好吧 +我要抓到杀他的王八蛋 +非抓到不可 +没问题 +去帮祖报仇 +是谁干的? +不是14K,不然我一定知道 +除非你啪了药 +我没啪药 +不是新X安,比利 +不是和胜X,不是帮派干的 +我妹说她看到穿西装的人 +在那里流连 +这种鸟地方有多少穿西装的人? +这就好笑了 +我们帮派的被杀就不会上头条 +但海星企业资深副总裁的儿子 +白领父子遇袭,子惨遭杀害, +去问问你妹 +爱美,你好啊 +我要回家了 +没事吧? +需要什么吗? +没有,我很好 +完成这份风险分析报告就要 +麻烦你出去的时候 +顺便把这个拿给奥云 +好 谢谢你,晚安 +主大楼1801号, +阿斯匹灵, +等一下! +抓住他! +快! +快点! +抓住他 +他在哪里? +快 +快 +快 +快 +1801号怎么走? +主大楼1801号,往哪边? +从锅炉室过去,那边 +他跑哪儿去了? +海可、阿狗、史宾,去拦截他 +杀了他! +快! +快! +快! +快! +他人呢? +天哪,好了 +可恶 +你有找莎莉谈吗? +有 +让开! +快走! +汤美,快! +杰米,你这只蜗牛给我死过来 +你唬不了我的啦 +比利,我们快走吧 +比利,快离开这里,快点 +走! +快点! +妈的,天哪 +老婆,抱歉我迟到了 +什么? +等一下,怎么会找不到他? +他人呢? +有没有打去问他朋友? +天哪 +我再覆你电话 +我应该知道他在哪里 +好了 +收集指纹,比对出来再告诉我 +快去彻底搜索调查 +有必要就去街头找人 +一定有人看到什么 +路克! +路克,你在干嘛? +你妈担心死了,快上车 +不要 +我叫你上车 +不要,我不想上车 +快给我过来 +去你的! +路克! +这里不安全 +对,难道我会唔知? +死的是我会比较好吧? +是这样吗? +总比失去争气的宝贝儿子布兰登 +更容易接受吧? +路克 +请你上车 +走吧 +路克,马上给我上车! +马上上车! +天哪 +宝贝 +对不起 +不准再这样吓我了 +我们要杀他? +海星企业,1500号, +访客要先登记 +先生,访客要先登记 +快递包裹可放这里签收 +不行,我要亲手交给他 +给尼克休姆 +请你按照规定登记和把包裹放下 +打电话给楼上 +可恶! +尼克休姆! +快点! +尼克休姆! +尼克休姆! +办公室不错 +你想干嘛? +那是自由的礼物 +先生,要不要请他出去? +先生? +让你不必再想自己会怎么死 +不必再想自己会孤单地死 +请他出去 +因为你回归造物主怀抱的时候 +就能享受喜悦与荣光 +放手! +王八蛋,你在哪里? +我捡到你的银包,你要赏我吗? +快说你在哪里 +不对,我要说的是你在哪里 +你走投无路了 +谁死谁活由我决定 +你最好快点搞清楚 +因为我不会再警告你 +我要来享受天伦之乐了 +不行,你听我说 +你敢动我家人 +我就把你五马分尸 +像我杀了你朋友那样,听见没有? +他不是我朋友 +他是我弟弟 +我现在要杀光你全家 +你刚才给他们判了死刑 +等一下 +不要! +顶! +顶! +顶! +洁西卡沃里斯警探, +尼克,出了什么事? +快接啊 +尼克? +老婆,你没事吧? +路克放学回家了吗? +对啊,我们很好 +那就好,在家里等警察到 +答应我 +为什么? +怎么了? +你只管待在家里等警察到 +我马上回来 +快接啊 +请问沃里斯警探在吗? +沃里斯警探! +马上叫沃里斯警探来接! +可恶 +重案组,我是沃里斯 +他们威胁要杀我全家 +休姆先生? +那个流氓 +威胁要杀我全家 +好吧,你家人在哪儿? +在家里 +两个都在家里 +请你救我们 +海伦? +路克? +尼克? +天哪 +到底出了什么事? +老公,为什么警察要来? +尼克,你吓坏我了啦 +天哪 +尼克,跟我说啊 +爸,出了什么事? +尼克! +出了什么事? +你待在这儿 +谢天谢地你终于来了 +令郎是打曲棍球的 +对 +警车今晚会守在门口 +休姆先生,我想你现在应该 +告诉我到底谁对谁做了什么 +你竟敢老虎头上动土? +是这样吗? +你以为住在这里 +杀了小混混就没事吗? +你在胡说什么? +尼克,她在说什么啊? +我没做错事 +那你为什么不告诉我 +比利达利怎么会对你火滚? +是你要我帮你的 +好吧 +好吧 +先熬过今晚再说,休姆先生 +还活着就该感恩了 +但你要是引爆战争 +就只能听天由命了 +你做了什么? +我要怎么阻止? +是你引发的吗? +听我说 +我自己怎样都无所谓 +只要家人平安就好 +告诉我该怎么阻止他们 +首先,他们说什么都照做 +逐一去做 +放心吧,休姆先生 +我们在通缉比利那帮人了 +我居然没发现你做了什么傻事 +你怎么可以这样? +你以为这样就能一命抵一命? +恢复宇宙的秩序? +我失去了儿子 +你儿子 +你是个好爸爸 +这是什么也改变不了的事实 +我爱你 +永远爱你 +幸好你快要摆脱了 +是啊 +不! +妈! +滚出去! +妈! +过来! +过来! +比利,怎样? +不! +不! +不! +我今晚连动的力气也没有 +你走过去看着我死 +但我知道你心里更难受 +因为爱把你击垮了 +对,承认吧 +你知道你不孤单 +医生! +医生! +压住他的腿! +镇定剂! +压住他! +能不能关掉? +关掉机器? +还是你的心脏? +我去问医生 +这件事到此为止 +天晓得你怎么还活着 +但你可重头再来 +你以为那位警官是在保护你? +他是不让你害死自己 +我一声令下,他就可送你入册 +你要报仇 +杀了几个混混,结果呢? +战争中的每个人都自以为是对的 +最后还不是死光 +你永远赢不了的,休姆先生 +谁也赢不了 +我害死了他们 +我害死了我的家人 +你儿子还活着 +什么? +昏迷不醒 +他在哪里? +在这家医院? +人呢? +别激动,等一下 +路克! +路克! +路克? +他没事,让他去吧 路克? +先生,回床上躺好 我儿子呢? +快说我儿子在哪儿! +他在206病房 +路克? +路克? +我们会照顾令郎的 +医生,让他去吧 路克? +他会清醒吗? +现在不能确定 +以暴制暴是没完没了的 +你说什么? +以暴易暴 +有时候只是混乱 +世界就是这么乱 +让我和他独处一下 +拜托你 +我去外面等 +路克,你听得见吗? +能不能动动手指? +儿子,听得见就动动手指 +路克,我知道 +你觉得 +我对你的关爱不如对你哥哥 +天哪,我 +我不知道,或许最初是这样 +你也知道的 +我和你妈 +刚有了布兰登的时候 +他实在是 +我觉得他很了不起 +他简直是个奇迹 +但我一直都很了解他 +后来又有了你 +不知道,我本来以为 +你会是布兰登的翻版 +我期望你像他一样 +结果你不是 +你们截然不同 +和他不一样,和我不一样 +你真的是很像 +太像你妈了 +顽固又 +太过于热情 +你妈就是这样 +她是我这辈子最重要的人 +你也是 +我只是想跟你说我爱你 +我好爱你 +我爱你哥,也爱你妈 +我爱我们全家人 +我 +对不起 +我以前未能当个好爸爸 +对不起 +我没能保护你们 +可恶 +你快去叫医生来. +医生! +奥云 +帮我查一个电话号码 +对,5550128 +去查别的资料库,想办法查到 +存款也要领出来? +对,全部都要 +所有的钱 +连孩子的教育基金也要? +喂? +尼克,我是奥云 +电话号码查到了 +是酒吧,叫四朵玫瑰, +尼克,出了什么事? +要不要我打电话求助? +谢了,再见,奥云 +尼克? +我要找比利达利或他的朋友 +西班牙语, +我说我不会讲英文啦,你聋子哦 +懂了吗,老兄? +西班牙语, +我把你的猪脑袋砍下来 +寄给你妈 +说不定她会认得出你 +但我很怀疑,老兄 +操你娘的! +干! +干! +死开! +放开我 +告诉我比利达利在哪里 +现在就说 +快说! +你不会想找到比利达利的 +我有事要找他 +好,放开我 +放开我! +西班牙语, +他的同伙海可住在附近113号 +他通常晚餐时间会啪药 +可以了吧? +西班牙语, +还有一件事 +我要买枪 +有事吗? +我要买枪 +我不认识你 +我是从四朵玫瑰,,来的 +据我猜测 +你应该不属于这地头吧 +别让我闻到你有恐惧的味道 +敌人才要恐惧 +恐惧 +和子弹 +超多子弹 +这是最凶悍的一把枪 +点357口径 +保证头也打爆 +这把枪不错 +这是标准的点45口径 +火力超强 +这是血海深仇才要用 +这把枪的火力是天王级的 +既是大炮,也是正义之剑 +带这把枪去圣地 +就可以展开圣战了 +不管是哪一把枪 +都保证能让你把烦恼 +抛到九霄云外 +那一把呢? +这把? +好,我要这把和这几把 +买这些枪要花你3千大洋 +你有很多深仇旧恨吗? +这是5千美元 +那你就是我的VlP了 +再送你一些配件 +因为我直觉你很需要 +你身上散发出一股杀气 +真的 +你是想杀我儿子比利的那家伙? +他是你儿子? +所以祖也是你杀的啰? +你杀了我的小儿 +现在又要追杀比利 +对,我要杀他 +比利不是什么好东西 +他做的事都与我无关 +有人想要某人付出代价 +以消胸口的一股怨气 +那找比利就对了 +杀了那个混蛋 +看看会不会影响我心情 +咱们当爸爸的私下讲 +我也是知道的啦 +去找他吧 +我忍他够久了 +你又是个付现款的好顾客 +但别以为我会跟你说比利在哪里 +敢问我就杀了你 +去忙你的吧 +愿上帝与你同在 +一整袋的枪也与你同在 +布兰登的东西, +我要专心想着痛 +那个 +搞什么? +搞什么? +你是谁? +你? +不是被我们干掉了吗? +搞什么? +给我滚出去! +比利人呢? +去你的 +我的牙呀! +王八蛋! +快说他在哪里 +办公室 +是什么鬼地方? +废置的精神病院 +我们在那里做毒品 +在冥府街的桥边 +听见没? +冥府街! +打给他 +幸好你爸有赞助你车子 +你就不用溜冰来这里买毒给你妹 +她光顾了我好一阵子 +我也经常去光顾她 +干他妈的 +海可,你这个没用的家伙 +我这礼拜第2次 +帮你收烂摊. +比利! +那个王八蛋没死,比利 +你在胡说什么? +他说你死定了 +那又怎样? +就这样啊,操你妈的 +今晚要惹什么事? +你又想干嘛? +好像赶着去投胎 +你知道帮你擦屁股有多累吗? +我还得安抚那个送钱上门的阔佬 +叫他杀了你,你以为我爽吗? +你根本就不懂 +我很关心你的事 +因为会拖累我 +你还需要什么指示吗? +不用了,谢你喇老豆 +我去拿车了 +搞什么? +妈的! +阿狗! +那个王八蛋来了! +往你那边去! +我只脚! +阿狗! +快! +去追那个王八蛋! +我杀了你,王八蛋 +去抓他! +快啊! +快点 +欢迎来到地狱, +你去那里 +你知道你会死在这里! +妈的 +瞧瞧你 +你跟我们没两样 +我把你变成杀人魔了 +准备好了? +我今晚连动的力气也没有 +你走过去看着我死 +但我知道你心里更难受 +因为爱把你击垮了 +对,承认吧 +我不孤单 +有新年新希望吗? +不对,你知道妈妈很完美 +这倒是 +我没什么新希望啦 +5、4、3、2、1! +新年快乐! +新年快乐! +好吧,你今年有什么期望? +你儿子 +他在动了 +应该能撑得下去 +可否忘怀旧雨 +永远不再想起? +法国大文豪米歇尔. +德. +蒙田曾经说过 +我认为吃活人比吃死人 +更加野蛮 +至理名言 +当你还是个不谙世事的孩子时 +大人们告诉你世界是由坏人和好人构成 +我一直喜欢坏人 +我喜欢疤面人胜过超人 (疤面人是美式漫画中的坏蛋) +对摩尼教徒的我来说 +堕落的哲学比起仁义道德 +更加能激起我的兴趣 +其实 善恶并非那么泾渭分明 +就我来说 +我送人一个拇指表达其实是仁慈 +三周前 +你给了我个"D" 我从没有得过"D" +你的作业只能够得"D" 我也是那么给分的 +我们正在做爱 伊莱 +-什么 你和我做爱是为了得到个好成绩 +-当然不是 +我给你们留道题目 +一个加利福尼亚奶农谋杀了三个年轻女孩 +在她们的尸体上留有性侵犯的痕迹 +然后吃掉了她们大腿上的一部分肉 +你们认为这个奶农疯了吗 +见鬼 当然 +给你你们一点提示 这个问题 +没有例如"是" "否"或者"见鬼 当然"这样的确切答案 +空的 空的 空的 +你今天有买过一杯咖啡吗 +出于好奇心 你拿这个破杯子 +来我们这儿蹭牛奶喝 有多久了 +-三天了 +-所以我要没收你的杯子 +别 +巴克利・迈克尔逊 人文社会学博士生 +这感觉太爽了 +伊莱・迈克尔逊博士 化学教授 (当博士好爽啊 叫兽 我说的对不对? +) +周一把作业交到我桌上 要至少三页 +谢谢各位 +莎拉・迈克尔逊 医学博士 刑事精神分析专家 +你等等 如果你下次再迟到 +我会把你带出去 扭断你的大拇指 +你懂了吗 +麦克斯・马瑞尔 侦探 +这个冷漠的世界 就是为了让你的灵魂堕落 +这至始至终不会改变 +这个冷漠的世界 就是为了让你的灵魂堕落 +这至始至终不会改变 +这个冷漠的世界 就是为了让你的灵魂堕落 +这至始至终不会改变 +这个冷漠的世界 就是为了让你的灵魂堕落 +这至始至终不会改变 +撒迪厄斯・詹姆斯 自学成才者 (笝衾衄跺腴悝盪腔賸... +×姊×b犒) +我正处于人生的低谷 简直是地狱一般 +你也看到了 我正在做我的博士论文 +每周只有父亲给的$35零用钱 你明白吗 +我最多只能花$4.40买... +一杯摩卡咖啡和一根法式面包 +我时常会想起塞缪尔・约翰逊的诗句 +为什么给"你的挚爱"一个"D" +柏斯・查普曼 研究生 +柏斯 我非常失望 +你居然期望我会特殊照顾你 +胡扯 伊莱 胡扯 +你这是故意的 +你故意给我"D"好让我和你上床 +"这里记载着学者们的生活中的遭遇 +辛劳 嫉妒 贫困 赞助人和牢狱" +-你好 请说 +-办公室来了个电话 +好像你的丈夫获得了诺贝尔奖 +那会让他更加自大的 +不是每天都有人赢得保龄球奖杯的 +更别提诺贝尔奖了 +巴克利・迈克尔逊 你父亲刚打电话过来 +他说他获得了诺贝尔奖 +真他妈的走运 +祝贺你 +祝贺你 迈克尔逊博士 你真棒 +谢谢 谢谢 +如果这件屋子里还有人质疑我超凡的智力 +或者质疑能够当我的学生是多么幸运 +那么现在可以吻我的屁股了 +-祝贺你 伊莱 +-恭喜你 伊莱 +干得好 +伊莱 我觉得这证明了诺贝尔奖不是什么大众流行奖 +这是一件好事 西蒙 +如果诺贝尔奖是大众奖的话 你也可以去参选了 +-你看上去真棒 +-谢谢 +这领带没问题吧 +是不是有人忘记告诉老爸这只是半正式场合 +他知道的 +这么穿是为了显示他很特殊 +吃的东西在哪里 +我们每个人都为你感到自豪 伊莱 +我得了诺贝尔奖这真是一件美事 +因为现在你会发现想解雇我是很困难的 +我从没有威胁要解雇你 伊莱 +我是一个科学家 哈维 +根据我对周围的观察表明 +这里没有人喜欢我 +我喜欢你 +伊莱 听着 我也是个科学家 +根据我的观察到的证据 +早在我要解雇你之前就有人在诋毁你 +有人说你和小女生 我什么都没看见 +你真的认为那个化学系的追星小丫头 +和我那个顽固又专制的老爸有一腿? +-老妈 +-不 等等 +很高兴你能来 柏斯 我喜欢你这件衣服 +离期末考试还有两周 +如果考试没得"A" 我就把关于 +我和你的那些丑事抖出去 +不幸的是 +这将是第一次诺贝尔奖得主牵涉性丑闻 +对 对 不过考虑到卡尔顿・ 格瑟特博士和他的密西西比男孩们 +我认为他们才是第一个性丑闻事件 +我可是认真的 +不就是个"A"嘛 你得到了 +我喜欢你这样 柏斯 +你是多么淘气 +当我从斯德哥尔摩回来 +我何尝不想立刻撕破你的衣服 +欣赏你娇小柔美的身躯 但现在 你得离开这里 +她担心期末考试前两周 +我会缺课 +因为那两周我正在做去斯德哥尔摩前的准备工作 +看到吗 西蒙 至少我的学生喜欢我 +谢谢各位今晚出席 你们有人出于自愿 +有人出于被迫 +但无论怎样 明天我就要去接受我的诺贝尔奖 +我的妻子 莎拉 会和我同行 +这些年来她是唯一 +一个能够忍受 +我的臭脾气和怪癖的人 +因为他对"疯狂"的定义是那么狭窄 +她居然说服陪审团认为杰弗瑞・达摩没有疯 +于是杰弗瑞・达摩精神失常的辩护被驳回 +他也被送入了监狱 +莎拉 +我们会和我们的独生子巴克利同行 +作为普林斯顿大学 +的优等生 +也就是他证明了我在单分子光谱的研究 +将会是后继无人 +他现在又把兴趣放在了研究食人主义 +还有挑战游戏机记录 +现在他终于知道怎么谋生了 +当然用的不是他那冷门的专业 (这人真欠抽啊) +巴克利 +在1975年当"爱使我们相聚"... +-走吧 我会给你打掩护的 +-谢了 +祝你和那个女孩交往顺利 她的名字是 +这把戏不错 老妈 +9: +00赶到那里 飞机11: +30起飞 +在那一刻我意识到 +通过凝聚相来 +观察单分子光谱 +是可行的 也是必要的 +是的! +是的! +嗅着潮湿的气息 +我感觉自己回到了海边 +在一瞬间 我明白了啄木鸟的思想 +-她朗诵了吗 +-还没有 +山雀! +山雀! +山雀! +山雀! +山雀 +谢谢 +大家好 我叫西提・豪 (好奇怪的名字) +今晚我将朗诵我的诗歌"小老鼠" +西提・豪 诗人 艺术家 +在小老鼠思维 +空间深处的角落里 +邪恶 如同寄生虫一般在此偷生 +你也许会把它当作畜生 把它当作草芥 +你对阿谀奉承假装不理不睬 +但你深知 +在你自身四维空间深处 +的角落 +这是你自身散发腐臭味的黑暗面 +在这绝无仅有的精神渣滓中沸腾 +你还记得我吗 巴克利 +几周前我向你做过自我介绍 +我只是想说你真是 +-天啊 太棒了 +-谢谢 +我有时也能说出完整的句子 +比方说"在那里" +吮吸我的嘴唇 打开你的内心来征服我 +我想有机会能和你谈谈 +一些关于你创作灵感的事或者其它任何什么 +-好的 +-好吧 就像我们现在这样谈? +-当然 +-好的 +我本希望能够请你吃个汉堡或者其它什么 +-可惜我现在身无分文 +-我是个素食者 +那是好事 特别当我不得不吃掉你的时候 +因为素食者比肉食者尝起来美味 +我正在做关于食人风俗的博士论文 +-食人主义 +-没错 +-我周围的人都在贬低它 但还有很多... +-谁这么做? +那些残忍的 思维狭隘的 +父母是共和党? +是民主党 不过其它你都说对了 +你父亲 +我的父亲 +他在我15岁时发现了我的日记 并把它烧了 +我的诗歌 我的思想 +我的绘画 我所拥有的一切 +都被焚毁了 +天哪 +-你之后再怎么面对他? +-不必了 他后来死了 +"在受伤孩子的眼中 +爱和痛交融在一起" +"地狱为孩子而生" 帕特・本纳塔的歌 (格莱美音乐奖得主) +自行车呢 +靠 +我开车来的 +-万圣节用的? +-我自己做的 +现在我用它们在十字路口吓唬人 +我试试 +-送给你了 +-算了 你太慷慨了 +我不能接受 +不要摘下来! +它是我送你的 +你一定要戴着 +-你真的是穷的叮当响? +-当然 +证明给我看 我想看你的存款余额 +-你在开玩笑? +-我是说真的 +可你必须要戴着面具 +-我把它送给你了 戴上吧 +-这也太疯狂了 +疯狂只是一种选择 巴克利 +好吧 好吧 +快点 巴克利! +我饿了! +你没有撒谎 巴克利 +我们去我家吧 +我们可以叫木须肉外卖 我付账 +你知道你有多天才吗 +这太棒了 +我觉得作为你所谓的肉食者 你尝起来不错 +我保证你比我美味多了 +来见见马沃 他是个小偷 +-在晚上他会变成一只猫? +-不是 +他就是只小偷猫 +他会偷走你乱扔的东西 +而且让你再也找不到 +这可让我有点儿担心 +巴克利 +我漂亮吗 +毫无疑问 +不要伤我的心 +不会的 西提 我保证 (让我心仪的文艺女青年啊... +) +放松心情 +放松心情 +放松心情 +放松心情 +-我得走了 +-不要 +我今天得去斯德哥尔摩 +上飞机前我会给你打电话的 好吗 +要不在飞机上打 还是打两个吧 +留下来吧 +像昨晚那样抚摸我 求你了 巴克利 +好吧 再过半小时我必须得走了 +我希望他没发生意外 +他没事 可能他有事耽搁了 +他老是迟到 +他很少迟到 在梅雷迪斯之后他就再没约会过 +他和梅雷迪斯那场3分钟的婚姻花了我$20,000 +他们的婚姻保持了一年 +他去见鬼吧 +如果他这么没有责任感 我们就自己出发 +伊莱 +我把墙纸去掉了 +乔治・格斯那 改过自新的强制症患者 +-这里没有墙纸 我很喜欢 +-事实上 +我发现墙纸流下的胶水 +促进了微生物的生长 +这个地方看起来妙极了 乔治 +我喜欢这里 花花草草让这里生机勃勃 +到处都是花粉 +我很... +轿车来了 我们现在要走了 +我会给植物浇水的 +清扫垃圾 +我会确保房子外的灯是亮着的 +-很好 +-我会给你一份详细的报告的 +-谢谢你 乔治 +你能再帮我一个小忙吗 +什么忙 +如果见到巴克利 +你能告诉他票在桌子上吗 +在厨房电话旁的桌上 +巴特 他不是要和你们一起去吗 +我们这会儿找不到他 +我想他随时可能回来 +他可以自己开车去机场 +他可以把车停在那儿 +告诉他我会付停车费 好吗 +我会 我会找到他的 +-谢谢 +-我通常能听到他骑车回来 +因为他把车挂起来时 整个地板都在抖 +-谢谢你 乔治 +-74分钟之后我就得走了 +-好的 +-莎拉 莎拉 +如果我听不到他回来怎么办 +糟了 +鞋子哪儿去了 +查一下帕萨迪纳 出租公司号码 +出租车 快走 +十块 +零钱做小费吧 +妈妈 爸爸 +你好 迈克尔逊家 听到滴声后留言 +巴克利 我是西提 +我就知道你不会像你保证的那样 +给我打电话 因为你是一个伪君子 +昨晚 你发誓你没有钱... +但是 今天早上你却有钱打的 +巴克利 我从窗户里都看见了 +既然没钱的事是撒谎 其他估计都是谎言... +我们的关系就此结束吧 +我不会犹豫 再见 巴克利 +你好 迈克尔逊家 听到滴声后留言 +你在笑吧 巴克利 +我能听到你的声音 +你是个没有理想 没有灵魂的人 +所以你才会如此对我 没有丝毫愧疚 +你好 这里是 +够了 你他妈有完没完 +巴克利 我是你爸爸 我很生气 +我希望你为改掉那些 +让人愤怒的行为 +-都是有必要的 +-哦 你生气了 +去死吧 伊莱 我更生气 +我那让人愤怒的行为才会是更加必要的 +乔治・格斯那 +改过自新的强迫症患者 +现在面临这一个巨大个人挑战 +你能做到的 乔治 你能做到的 +忘了巴克利 忘了那担心他的母亲 +开着你那环保电力车去上班吧 +好样的 乔治 好样的 +在比立沃斯精神病院呆这么多年 +总算有点儿用 +如果是占线 那么他就在家里 +该死 伊莱 我说过我们要开通呼叫等待 +-我们得登机了迈克尔逊先生 +-是迈克尔逊博士 +思沃森女士是在礼貌的告诉我们 +飞机就要起飞了 +而我 作为一名乘客 想上飞机了 +迈克尔逊博士 +机长说他很荣幸... +你能搭乘这班航班 先生 +是因为我赢得了诺贝尔奖... +还是因为我激起了他潜在的同性恋倾向? +我很抱歉 +他脑袋里面装的都是那些天才想法 +而教养之类的已经没有地方装了. +所以才导致了她这种让人生厌的反社会行为 +带我去见机长 +他可以亲自告诉我 +先生 请您坐下来 +安全带的指示灯亮了 +恭喜您获奖了 +远远 +离开 +单身 激情 +看我们起舞 +感受它的热度 +撞击你的灵魂 +它是如此美妙 +它是如此清晰 +在这无边的夜 +它是如此美妙 +它是如此清晰 +在这无边的夜 +它是如此清晰 +它是崭新的世界 +你能感觉得到 在这无边的夜 +它是如此美妙 +它是如此美妙 +你好 伙计 +我不知道你在说什么 +什么 +离这儿四英里才有电话 +还好我对电气很在行 +我希望你喜欢橙子 屋子后面有一棵树 +上面结了好多橙子 +接住了 这儿 +你得趴下来吃 +趴下来吃 +你好 请给我接伊莱・迈克尔逊博士 +救命 救我 求你救救我 +-安静 +-快救救我 +你能稍等一下吗 +救命 救我 求你救救我 +别再吵了 +媒体见面会四点... +在瑞典皇家科学院举行 +然后在那儿 我们会参加一个招待会 +还有一个鸡尾酒会 +-然后是晚宴 +-行了 行了 去哪儿无所谓 +我只想问 +这个冰箱里的东西谁付账 +是我 还是那该死的硝化甘油的发明者 (这里指诺贝尔) +伊莱・迈克尔逊 诺贝尔获奖者 +你好 博士 你儿子在我手里 +要想他活 除非我收到200万没记号的钱 +得了 巴克利 别耍了 +赶紧给我滚到瑞典来 +-我想和他说话 +-不好意思 +如果不想迟到 我们最好马上出发 +他挂了 +我要你的拇指 +-什么 +-我们会把你的拇指寄给他 +-这样他才会明白事关重大 +-不 +不 不要 +大拇指 不要 +它是灵长类特有的手指 +它不仅是个手指 更是人区别于野兽的标记 +不 不要 求你了 +求求你 我求求你 不要啊 +不要 听着 让我给他打电话 +他是我的爸爸 他会听我的 +我爸爸是个混蛋 但他会听我的 +求你让我和他说 +他确实是混蛋 但他会听我的 让我打给他 +我会让他明白事情的严重性 +我会让他知道你是认真的 +那是什么 +爸爸 千万别挂 +哦 这回没有调音器 听起来好多了 +不 那不是我 那是 +绑架我的人 +求你 听我说 好吗 +我被一个野蛮人绑架了... +如果你不答应他的条件... +他会切掉我的拇指还会杀了我 +爸爸 我有麻烦了 +麻烦 你确实如此 +你知道我得付多少钱 +改签原本免费来斯德哥尔摩的机票? +我很害怕 +别耍我了 快坐飞机滚过来 +越! +快! +越! +好! +你在教堂干什么 +-妈妈在吗 我和想她说话 +-你想... +爸爸 爸爸 +切拇指时间? +-是巴克利是吗 +-他在路上 +-希望他能及时赶到 +-他真的在路上吗 +他让我向你问好 莎拉 +他在教堂干什么 +哪有父亲这样对待自己的骨肉的 +他是个坏父亲 现在得了诺贝尔奖... +-情况只会更糟 +-他不配得诺贝尔奖 +是的 不错 我知道 +我相信肯定有别人更适合这个奖项 +不 那不是他的成果 是他偷的 +也许 你也知道 他是个卑鄙的家伙 +他从谁那儿偷的? +-哈瑞曼・詹姆斯 +-谁 +你父亲的好朋友 他已经死了 +哈瑞曼・詹姆斯是我父亲 +对不起 +真的很抱歉 +-我知道我父亲是个混蛋 +-你懂个屁 +你根本不懂你父亲是个什么样的人渣 +妈的 +珍妮特・波兰尼 计算科学学生 2005年9月拍的 +瑞娜・拉曼尼 地球生物学教授 2006年1月 +海瑟・菲利普斯 行政部门的 +不会吧 +柏斯・查普曼 三个星期前拍的 +那个男人是个畜生 +这是我妈妈 +那时候她已经和哈瑞曼・詹姆斯结婚了 +他是哈佛化学系的毕业生... +他对宽视野显微镜下... +利用激光诱导来观测单分子的... +荧光排放有一套完整的概念 +这是哈瑞曼的实验笔记 72年9月 +第9到16页 +单分子光谱分析的起源? +哈瑞曼・詹姆斯和伊莱・迈克尔逊曾是最好的朋友 +那么 我父亲和你母亲也有染? +当我母亲怀孕了... +哈瑞曼・詹姆斯自杀了 +因为他知道自己没有生育能力 +-我父亲知道这件事吗 +-他当然知道 +-你认识他吗 你见过他吗 +-没有 +等下 那么你是我的... +哥哥 +同父异母的哥哥 +你叫什么名字 +萨德斯... +詹姆斯 +听着 我知道你为什么来 萨德斯... +某种意义上说 拿走他所有的诺贝尔奖奖金 +我甚觉得你是对的 +似乎是为你的父亲哈瑞曼・詹姆斯 +报仇的 +最佳方式 +知道吗 +更好是 让全世界知道谁才应该得那个奖 +-不是吗 +-没错 +你说得都很对 巴克利 +-但现在我需要你的拇指 +-萨德斯 我们是兄弟 +-不 我们是同父异母兄弟 +-求你了 不要 +我想和你一起干 我们是一伙儿的 +一起 做搭档 不要 不要割我的拇指 +上帝啊 +我打赌国王是在他的私人轿车里放屁的 +在很多场合 如果他每晚都那样猛吃 +我打赌他得有个男仆... +而他的职责就是为国王的屁承担责任 +这是什么 +那是下午到的 给迈克尔逊太太的 博士 +是吗 我会有什么东西 +打开看看 别怕 邮寄炸弹的家伙们都在监狱 +你来开吧 +如果想让你儿子活命 准备100万现金 等通知 +哦 上帝啊 +是的 这件事很蹊跷 +我在斯德哥尔摩和乔纳森谈过 +测试结果出来前 +他们不会归还拇指 +-那得多长时间 +-我不知道 +你们可以找个新的容身之所 +现在住的地方太暴露了 +-我们在那儿住了20年 +-好吧 +所以你幸运了20年 伊莱 +现在你的运气用光了 +我走的时候是10: +15 我已经迟到了 +我必须在10: +09离开去上班 +我一直等到10: +15 +我通常都在10: +09离开 +我以为他们说没有警察 +-先生 你们开通呼叫等待了吗 +-没有 +只是一个问题而已 +-探长 +-瑞乐 +我们查了圣盖博谷所有对外开放的教堂 (位于加州 亦称中国谷) +毫无进展 +-对不起 女士 +-比尔 我们得检查一下这些线索 +我在脑子里一遍遍的想 +我肯定他说过 +他要去赤道书店去见一个女孩儿 +她的名字叫... +凯裴拓・希尔还是什么来着 +我们去赤道书店看看 +我没听到自行车的声音 我没听到他进去 +我听了 莎拉 我听了 +我做些吃的给你 你一整天没吃东西了 +-麦克斯 我 我不饿 +麦克斯・马瑞尔的顶级炒鸡蛋 +和烤土司的味道 +会让你饿的 +必须要烤吗 +对于你 可以例外 +-你真好 麦克斯 +-不 +不是对每个人 我为你着迷 +对不起 +但是我很担心 +你知道 那个拇指 还有那些暴力行为 +但也很有可能那根本不是巴克利的拇指 +在洛杉矶 过去三周 +有四宗与拇指有关的案件 +我希望是他的拇指 +如果是别人的拇指... +这个绑架者就真是个狡猾的变态 +他步步为营 +而且不想让俘虏过于痛苦 使自己过得不爽 +所以他理性的 +截掉了某人的拇指... +随机的受害者 +使得他躲藏更加容易 +另一方面 +如果这是巴克利的拇指... +那么这帮人就太稀疏平常了 +他们一定藏身在某处... +和我流着血快崩溃的孩子 +他可能很痛 +可能还大量失血 +使他们快要发疯 +这样就会比较容易 +去找到或阻止他们 +或其他什么的 +但这样巴克利就不能打好高尔夫 +因为那需要大拇指 (好冷的笑话 +-_ +-! +) +我躺在那享受着我的粪便浴 +刺激的芳香迎鼻而来 +生命底线的味道 +早晨的阳光流过百叶门 +我感觉需要洗澡 +很有力 对吧 +凯裴拓・希尔 +听过这个名字吗 +有个叫西提・豪的读过这本书 +-为懦弱贫穷人 +-你认识那个人吗 +哦 这是巴克利・迈克尔逊 +那是他的桌子 +他一天到晚坐在那 +玩他的GBA 乱想一些食人的事 +-食人 +-对 他的正题 +怪人 +我跟他说他爸获得诺贝尔奖 +你猜他怎么说 +"那个婊子养的混蛋走大运了" 你相信吗 +你要是遇到他爸你就会相信 +还有什么吗 +对了 还有辆自行车 +一直放在那 我猜是他的 +-谢谢 +-到我了 +失陪 +大家好 我是克里福德 +我今天带来的诗叫"服毒自杀" +四岁时拜仁第一次小试了一口 +-好像比你的贵75美分 +-无咖啡因 无脂 +无害 低能量 +还有盒麦圈 +-我看上去比你更俗吗 +-便宜? +我花了8.83美元啊 (cheap的双关 译者猜的) +好吧 你想知道什么 +她叫西提・豪 这可能是她的化名 +你猜的吗 +祝他妈的圣诞快乐 +混蛋们 我树底下准备了礼物 +圣诞老人给你们准备了痛苦之餐 +快去给你家买点圣诞蛋糕 +去北极吧 +你他妈的在看我吗 圣诞快乐 +滚吧 混蛋 来坐到我大腿上啊 +小太妹把我的弟弟搞硬了 +嘿 你这个秃头的混蛋 +你他妈在看什么东西 +白痴... +我们来双飞吧 这个圣诞老人很下流 给麋鹿吹箫 +弯下腰来 让我把你袜子装满 (此处过于下流 就不译那么清楚了) +节日快乐 +你好 +-嗨 莎拉 +-嗨 麦格 +现在不是说话的时候 +-你好 +-你给我听好了 +我只说一遍 +你给我准备无法追查的俩百万美元 +钱放在女式衣箱中 +星期六早上把钱放在赖加达・希尔斯商场中央 +九点整 +然后你们就可以打道回府来等我的指示 +到时候我会让你们找到哀嚎悲惨的儿子 +我要是看到警察 我就撕票 +-我想跟我儿子说几句 +-他没事 +我要跟他说几句 我想跟儿子说话 +-妈妈 +-巴克利 +快救我 快把我弄出去 +行了 +我们就去了 巴克利 +两天前 +我给你父母送了根断指 +你给我父母送了根断指 +那你认为我应该怎样使他们相信 +只有你一张拿着报纸的照片 +谁的拇指 +要是我砍的是你的拇指 +你会流很多血 +你就会变得疯狂 +这样对我就没用了 +难道吃死人比截指容易些吗 +巴克利 你做人生观有点问题 +-我会为此不安的 +-只有孩子才不安 +-你说什么 +- 这是派特・百那特说的 +我们跟着他们 然后落网 我们动身吧 +-那是什么意思 +-巴克利没有大拇指了 +这点我已经知道 +事情就像我预想的这样 +当你爸在客厅踱步 +考虑是否该放弃你时 +帕撒德那的警察闯入了错误的房子 +别动 卧倒 +错了 +此时 商场 +我靠 +我跟他们说了在完成构架前不准货运 +我们现在怎么办 +建筑组正在准备 +周六晚上的啤酒 +和星期天的休假 +不用 我来付 +用直升飞机将迷你轿车放入厅中央 +于此同时警察搞了一次不让他们更丢脸的行动 +他站的位置 无路可逃 +想要穿过去 +简直就是没门 +7: +50时 +西南门就会给雇员打开 +给了我几乎一小时来重装车 +什么都没有 +不管如何 +我们不能暴露身份 +巴克利・迈克尔逊的死活 +完全取决于我们行动的准确性和耐心 +他在干吗 +我哪知道 +等下 跟上她 +我要把这个送过去 +等会 +你觉得把这带到商场去 +还要把这个箱子丢进那个 +千百人投入奖券的车中是一件很爽的事情吗 +这是我们的全部啊 +这不是我们的全部 我们还有儿子 +他才是我们这个世界上的最爱 +-现在没有选择 +-莎拉 +混蛋 +我只能告诉你 +高处不胜寒 +先生 +不是天才 你真的很幸运 +你儿子会没事的 迈克尔逊博士 我们都是天才 +早上九点整 +你可以听见200多尖叫的人拥进来 +抢着成为前百名来获得Mp3 +一旦东西丢进去 好戏就正式开始了 +只是一次尽情的狂欢 +这只是其中的一件事 +只是其中的一晚 +只是其中一美好的旅行 +只是其中一晚 +怎么会这样 +头 他开走了 +只是其中的一件事 +这是个圈套 他们在干吗 +电话不时响起 只是其中的一件事 +只是其中的一晚 +这只是其中一次奇妙的飞行 +这很有趣 但只是其中一件事 +我猜它在往走西北跑 +我们跟住他了 他无路可逃 +没人在车里 他是谁 +只是其中的一件事 +停下来 别 +只是其中一件事 +只是其中一晚 +只是一次漂亮的飞行 +登月之旅 +只是其中的一件事 +这只是其中的一件事 +只是一次疯狂的狂欢 +只是其中的一个电铃 不时的响起 +只是其中的一件事 只是其中一晚 +-天啦 +-哦 +只是其中的一件事 +只是其中一次狂欢 +只是其中一个电铃 不时响起 +只是其中一件事 +只是其中一件事 +只是其中一次狂欢 +只是其中一个电铃 不时响起 +只是其中一件事 +只是其中的一晚 +只是一次难以置信的飞行 +这很有趣 但是只是其中一件事 +我把荧光灯修好了 +他们在不停的闪 +回去 快 +我抓到他了 +头 你来看看吧 +你真是反复无常 +所以你被选中 +你真是反复无常 +所以你被选中 +全在这了 +一百万一份 +天啦 这钱真他妈的多啊 +这将是我一生中最高的成就 +这个比第一次伊利安・赛泽 +给我吹箫的钱还多 +她是第十届高阶乐队吹大号的红人 +比我第一辆车还贵 +比我第二次吹箫工资还好 +但那次没拿到工资 我妈找到我了 +它比你的婚礼用费还高吗 +那个蓝眼专业修俄语的妞 +梅雷迪斯 马 +-斯? +-你他妈怎么知道梅雷迪斯的 +-我就是知道 +-你他妈还知道什么 +-还知道... +我知道不能勃起 +所以她就到别处觅食了 +算心理补偿 对吧 +嗯 +-兄弟不应有秘密 +-操你妈 +操 +操你妈 操你妈 +我拿了钱就回家 +你要是现在就回家 +我就杀了你 +什么 你要杀我 +但是你不会吃我 +你会吗 +-你哪弄的车 +-跟拿到上一辆在一个地方 +星期六 教堂 人们都忙这做礼拜 +-你偷的 +-别搞的像犯罪似的 +过来 +你好 +现在 +-吞下去 +-什么 +当他们找到你 他们会搜你身 +你现在吞下去之后就会拉出来 +滚你妈的 +你要是不吞下去以后拉出来 +我就从你后面塞进去 +随你 +你现在要是花其中的一分钱 +他们就会马上找到你 +我们现在不该再说话 +至少是之后的俩年 +我会想你的 +有个兄弟真有趣 +我根本不需要兄弟 我要爸爸 +相信我 你要是没有伊莱的话会更好 +我妈就是因为我总提起父亲而很讨厌我 +好的 随你 +好的 +你干吗 +你不想让他们怀疑你被绑架是装的吧 +唔哦 +我是凯利・兰格 此刻我正站在 +伊莱・迈克尔逊博士家门口 +他们本是要参加诺贝尔颁奖典礼的 +可这一周诺贝尔奖获得者心里却七上八下 +他们不得不缩短了 +和瑞典皇室的庆典 +来面对这次 +孩子被绑架的邪恶之举 +我钱没了 巴克利也没找到 +更甚至的是巴克利杳无音信 +现在门口这么多媒体 +让我怎么出门 +谁通知他们的 +你好 +我是KLPK的凯利・兰格 +兰格女士 你现在是站在我家门口吗 +是的 +莎拉 把枪放下 +现在迈克尔逊也在线 +她孩子以前也被绑架过 +她说她当时也 +- 兰格女士 +-什么 +我先在拿着把枪正对着你的头 +你他妈的现在要是不 +马上离开 我就开枪了 +天哪 她拿着枪 +要是他通知我们等的话 就另有文章了 +你好 +你妈和我希望你能去医院检查一下 +我们只是想确认下你没事 +我想回家 +好的 我们回家 +天啦 你能看到你回来真的太好了 +见到你我也很很高兴 妈妈 +你的大拇指怎么都没事 +要是真没了 +你才觉得那两百万物有所值吗 +莎拉别扯了 你跟我说说 +送到斯德哥尔摩那根手指是谁的 +如果不是巴克利的 +他们恐吓我要砍我大拇指 +他们总共有几个人 +俩个 +你记得他们长什么样吗 +他们头上套了东西 +粗麻布袋子 当时很黑 +我很渴 他们给我水我甚至都不能喝 +巴克利 你告诉我西提・豪干了什么 +西提 +她和这事儿一点关系也没有 +估计她现在恨死我了 +我们能明天再谈吗 麦克斯 +反正我们抓不着那些人的 +现在他们肯定早就跑了 +跑哪儿去了 +我哪儿知道 +他们又没告诉我逃跑路线 +看看我 +看这儿 +我没注意 +那么告诉我 +你知道西提的真名叫什么吗 +当然 莎隆・豪 +别把她扯进来 麦克斯 +她很脆弱 +而且正对我很生气呢 我答应过要打电话给她 但是没打... +因为我他妈的被绑架了 +-能向我保证吗 +-你是在西提家外被绑架的 对吧 +不是 在这儿 +这儿? +比尔 我们得叫法医过来 +-为什么? +-我们搞错了 +巴克利是在这里被绑架的 +可能就在你们离开之后 +绑匪进到这里? +别跟我说钥匙又放花盆底下了 +我是卡尼帕警官 叫法医过来 +-9.99 +-伟哥改变了我的生活 +我在圣盖博谷 +途乐公司附近的洛杉矶机械工具展会里工作 +我要取点钱到汤米汉堡店 (洛杉矶汉堡老店) +买点儿吃的 那儿整晚都营业 +快告诉我们的观众 +告诉我们接着发生了什么 +我正在用自动取款机 +这时一个带着纸袋面具 +手拿屠刀的人袭击了我 +这个人拿走了我的钱 +和我的拇指 +什么样儿的纸面具呢 +普通的食品袋 上面有星形的眼睛 +像地毯一样的大眉毛 和圆形的大红鼻子 +巴克利 +就像你会在夏天露营时做的事儿 +巴克利 宝贝儿 没什么事儿吧 +嗯 没事儿 +巴克利怎么样了 +说实话他看起来像个混蛋 +要是有什么我和派姆能帮得上忙的 可别客气 +我儿子伊森 在牛津大学教语言学 +他从英国泰晤士报上知道了你的事儿 +他为巴克利感到难过 +还记... +记得他们小时候 +常在一起玩儿吗 +还记得他们骑着车 +一起栽进汤姆森的鱼池吗 +那阻碍了伊森在牛津大学教语言学? +迈克尔逊博士 我很难过 +谢谢 +-看呀 +-来了 来了 来了 +小巫见大巫 +-真是不错 +-是我太残忍了 +我在他答录机中留下了粗鲁的话语 +因为他没有给我打电话让我觉得很受伤 +他保证过会打给我的 +然后他并没打给我 我就想让他觉得痛苦 +因为他让我很痛苦 +他本来要打的 +你不觉得吗 侦探先生 +是啊 +可能是 +-他喜欢我 不是吗 +-是的 +他喜欢我的思想 +-我的作品 +天啊 他喜欢我的胸部 +12月8日你和巴克利 +计划有个约会吗 +没有 他的自行车在书店外被偷了 +他要搭车 +被偷了? +-你把他带回家了? +-没有 +好像是我们先是接吻然后 +突然干柴烈火 激情燃烧 +好像整个世界都不存在了 +只剩下我们的欲火 +和对彼此的渴望 这让我们精疲力竭 (无语了 文艺女青年都不太正常吧) +好了好了 然后呢 +说说你带他回家后的第二天早上 +很奇怪 +-什么? +-他打车走了 +那有什么奇怪的? +如果那晚他一分钱也没有 +那早上哪儿来的钱打车呢? +非常抱歉打搅你 豪小姐 +非常感谢您能抽出时间来见我 +西提・豪原创 +你觉得她和这宗绑架有关系吗 +真是神经病 +但是 那首在赤道书店读的诗 +倒也不是没用的疯话 +"老鼠生活在没有罪恶的星球上" +那是安妮・赛克斯顿的墓志铭 (美国自白派诗人) +是首回文诗 +确实是 +我要吃鸡肉沙拉 +那个我请客 迈克尔逊博士 +毕竟你经受了那么多痛苦 这是我们仅仅能做的一点小事儿 +我还要吃丁骨牛排 三分熟 谢谢你 +-他要来和我们坐一起 +-把那把椅子推开 +给他个机会吧 他到鬼门关走了一趟 +伊莱 我请你吃午餐 +罗比已经请了 把你这顿排到明早如何? +我刚才看见院子里都是记者 +要是再扩大点宣传 +你就能进行巡回演讲来赚钱了 +你认为一个诺贝尔奖 +就会令你臭名远扬 +我... +蜗牛吃我的罗勒呢 +看这些有瘢痕的叶子 +一个星期前这些叶子还是肥厚多汁 很光滑呢 +你什么也没听到 +我是在留意自行车的声音 +但是你从未听到类似挣扎打斗的声音 +我没有注意听有没有打斗的声音 如果我留心听的话 +应该能听到打斗的声音 +-也许我没听到 +-对啊 +我要杀了他们 +杀谁 +蜗牛呀 我要他们去死 +等一下 +你和西提・豪说你的自行车被偷了 +是被偷了 +你的车现在在仓库里 +我把它从赤道书店弄回来的 +不会的 我告诉你那车是被偷了 +我跟你说啊 +你并不是第一个 +用撒点小谎的手段让姑娘上套的人 +我让你离她远点的 +她为你痴狂 +听到你的遭遇之后她哭哭啼啼疯疯癫癫的 +我倒是不担心她 +除非她有需要我担心的地方 +我记得呢 +那孩子只有20美元 +我没有整钱 就找了他14元的硬币 +他很着急 上窜下跳的 +我都数不清了 +乔治・格斯那 +如果他没骑自行车 +我就听错了 +乔治・格斯那 +从柴可沃催精神病院 +转院到比尔沃斯精神病院 +中间还在弗瑞克心理诊所待过一阵儿 +你不是来问自行车的事儿的 对吧 +你要进来吗 +你要到里面来吗 +你要进来吗 +西提 +我以为你不会再出现了呢 +-抱歉 +-我也是 +我好想和你做爱 +我就想让你这样说 +但是 +我不能 +别 我们去别地儿 +我现在和另一个人在一起 +什么 +那你还来这儿干吗 +我想和你说声对不起 +你真是反复无常 +所以你被选中了 +你真是反复无常 +所以你被选中了 +巴克利 +怎么了 +为什么我没想到会发生这儿事 +这边 这边走 +这是壁炉和厨房 +还有浴室 +我本来不想这么快就把它租出去的 +但是我们现在真的缺钱 +他看上去是个不错的年轻人 +很可靠 是做二手车买卖的 +不错 +也许你应该帮他搬东西 +看来他自己一个人能搞定 +你好像不怎么欢迎他 +只是 我的背整天都在痉挛 +自从我被绑架后就一直疼 +我想我真帮不上什么忙 +我还没告诉他乔治在房间里自杀了 +不过好像也不会给他造成困扰 +是啊 有的人就是这么现实 +他在这儿有个很可爱的女朋友 看 就在哪儿呢 +天哪 +我没事儿 +不错的一对儿 +你这么看 是呀 +是的 +真是重大进展啊 真的 +使量子点具有生物相容性 +就能侦测到活细胞中的单分子 +你是做二手车买卖的 +我本来在俄亥俄州立大学化学系念书 +但我... +但我没钱读完 +所以 现在我在汽车行业 +但是你的学识 +可比化学系本科生强多了 +萨德斯就像一颗恒星 +却被周围环绕的 +一堆小行星掩盖了光芒 +莎隆是诗人 +但我是一个自学成才的人 +所以当得知我的新房东 +是伊莱・迈克尔逊博士时 +我兴奋异常 +巴克利连单分子有多大都不知道 +是不是啊 巴克利 +是 +一般来说是的 +很明显取决于分子的结构 +以及原子的数量 +但至少也要和原子 +的键距差不多大 巴克利 +一般是 +一到两埃 (波长单位 一亿分之一厘米) +真不错 +你要有空来我的实验室看看 +应该会对你有所帮助 +真的吗 +太棒了 +你他妈的要干什么 +-他是个好人 +-什么 +我能让他感到骄傲 +我会追随他的脚步 +伴他左右 +-继承他的事业 +-萨德斯 我们可没这个计划 +滚 +他会像父亲爱儿子那样爱我 +抱歉 兄弟 我哪儿也不去 +我要... +滚 +也许该滚的是你 +快点儿 巴克利 我饿了 +快点儿 巴克利 我饿了 +快点儿 巴克利 我饿了 +喂 +早上好 博士 +-看这一桌 +-你干吗不坐下 +博士 +-是请客啊 谢谢你 萨德斯 +-这是我的荣幸 +叫我伊莱 +我会爱上这种烹调做法的 +-除非是个家传秘密 +-我觉得我们是一家人 +包括我吗 +去哪儿 +看起来 +在那个可疑的晚上 你用过取款机 +我是从西提的钱包里拿了20元 +因为你发现自己的户头里只有2.57元了 +我查了银行记录 +你说你从西提那儿偷了20元 +-我没偷 我打了张欠条 +-她可 +一点儿也没有提起过欠条 +你看见她的猫了吗 +她那只猫是个... +贼 +-真有意思 +-什么有意思 +当晚威尔・凯威乐在取款机 +被袭击了 +袭击者头戴纸带子 +割走了威尔・凯威乐的拇指 +-那又怎样 +-纸带球形鼻子的碎屑 +在起居室墙炉里发现了 +凯威乐先生的血迹 +那天早上我回家 +发现壁橱起火了 +-我之前就告诉你了 麦克斯 +-天 +看着我 +你不会觉得我能... +听着挺夸张的 +听着 +你的红靴子 +上面带有威尔・凯威乐的血迹 +-那双鞋我丢了 +-什么时候 +就那晚 在她家过夜那晚 +-可笑 +-什么可笑 +我们在你壁橱的鞋盒里发 +现了鞋子 +埋在最后面 +这怎么可能 +巴克利 亲爱的 我们得谈谈 +好的 +任何感情都无法堪比母爱 +妈妈说服麦克斯给我个机会澄清清白 +也是帮我们自己 +现在我得想出个让萨德斯显原型的办法 +我挺爱她的 +你在这干吗 +她触及了我心中最深的秘密 +你明白那种感觉 +你把她从我身边抢走 +莎拉 +你能告诉巴克利 +离我房子远点 +他闯进你的房间 +是的 +你告诉我一个人在那里自杀 +-可没告诉我你儿子精神不正常 +-他干吗了 +他威胁我 +要知道 很抱歉 不会发生了 +我会跟他谈谈 好吗 我保证 +抱歉 能递给我量杯吗 +抱歉 +我真的很喜欢住在这里 他毁了我的心情 +我想要这上面的指纹 +没打招呼没问好 +虽然不太在乎这些 但是你这样对我感觉很不好 +尽量快给我啊 +就这样 温柔点说话 我很容易征服的 +三年前 莎隆 +也叫西提・豪 +从格里森医院逃走 +因精神病犯罪 +她因活生生烧死父亲而被判罪 +在那里她认识了病友 +萨德斯・詹姆斯 +好像你爸爸和我 +很久以前认识詹姆斯一家 +是联邦调查局工作 不能细谈 +什么时候回来 +要几天吧 +周五晚上在派得森斯家有鸡尾酒会 +我没回来就带上你柏斯小朋友 +老天 +我只是帮她 她有点跟不上进度 +萨德斯・詹姆斯 马瑞尔侦探 +侦探先生 我能帮你什么吗 +巴克利・迈克尔逊曾威胁过你 +他妈莎拉・迈克尔逊告诉我们 +要知道 这孩子 +看上去没什么危害 但是 +我来告诉你他很厉害 +从过去的事情能看出来 +我知道你看出来 +迈克尔逊对莎隆・豪很痴迷 +如果你在乎她 +我会远远带她离开这里 +你好 兄弟 +别担心 我消过毒了 +现在你已经发现西提的爱液了 +她的确挣扎了一下 但是 +她现在 我们叫 +屈服了 +听着 我绑架了我们老爹 +要放他我要一百万 +你慢慢想 我不着急 +品尝西提・豪够我活几个星期 +如果西提的肉吃光了 +我还没有拿到钱 +那时候我会着手 +享用老爸味道略逊的美味 +那得多用点卤汁 +你疯了吗 巴克利 +你也得尝尝绑架的感觉 +开始吧 +哈瑞曼・詹姆斯 +你干了他老婆 偷了他的成果 逼他自杀 +什么玩意 +格莱尼斯・詹姆斯挺漂亮 她跟很多男的有一腿 +但我跟她没关系 +你怎么解释这些支票 +什么支票 +这些年你寄给她的支票 +哈瑞曼・詹姆斯是我朋友 +他留下了怀孕的老婆 +一穷二白 +我力所能及的帮助她 +很感人 真的 +我不明白你怎么对她那么好 +你这他妈一辈子没对谁好过 +因为我不帮助那些 +可以自救的人 比如你 +我的怒火狂烧 +我感觉很绝望 +几乎每件事情都这感觉 +知道怎么回事吗 +因为作为你这个混蛋的儿子 +-你说什么呢 +-哈瑞曼・詹姆斯 +跟你诺贝尔奖 +单分子光谱学一点没关系 +他研究的不着边际 我成功了 +你真的觉得 +拿到赎金就完事了 +再说 谁会给你钱 +你妈破产了 巴克利 +萨德斯会交出来的 +-萨德斯 +-萨德斯・詹姆斯 +你儿子 +其实他不是我儿子 就算他是 +他拿什么给你钱 +他只是个汽车供应商 +他上哪里有那么多钱 +萨德斯绑架了我 +如果是真的 +为什么现在才告诉我 +因为现在 萨德斯有证据 +我明白他说的都是实话 +你和哈瑞曼的事情 +看这个 认得吗 +我扫描过 +几分钟就能发到网上 +你跟他聊得不管用 +巴克利是我儿子 我爱他 +但我觉得你应该报警 +不用报警 +他会 +他只是吓唬我们 +送给萨德斯・詹姆斯 +这里签字 +晚安 +我没买什么啊 +烤箱预热350度 +烤制20分钟至到金黄 +什么 +天呢 +变态 +我觉得是西提的 +不会吧 +他曾说要对梅雷迪斯这样 +我没想到他真的会 +我刚找到我爸 +决不允许那个混蛋吃了他 +-你好 +-你好 兄弟 +想要配方吗 是祖传秘方啊 +把钱放在 +莉莉姑妈老米黄色背包 +妈会找给你 +去死亡谷烟囱井的汽车站 +开车6个小时左右 +把钱放在126柜子 +关好 锁上 +偷辆车 回家 +7点整 接电话 +-否则老爸会被煮熟了 +-他妈的 +食人肉说 +朋友就是石棺 +怎么样 +照片 来自萨德斯・詹姆斯 +你玩弄的女性真不合我口味 +妈妈应该配更好的男人 +不是真的吧 +我永远爱你 伊莱 因为你让我生了巴克利 +请相信我 +我只爱过你一个人 +我们离婚 伊莱 我送你去清洁工那里 +这样 +祝你好运 +我不需要好运 +DNA测验证实萨德斯是你儿子 +哈瑞曼的笔记会让你 +诺贝尔奖的荣誉受到质疑 +想象一下那种侮辱 +我打赌是你的主意 整个绑架事件 +不是 巴克利的主义 +聪明孩子 我们的儿子 +估计从你那里遗传来得 老爸 +不敢相信烫衣服的钱 +都要老妈出 +那钱我们五五分 +麦克斯? +是你的 +如果我正是给你 +-伊莱离婚会得到一半 +这样呢 +我们可以一起分享 +我们在蒙大拿州好好生活 +我想继续工作 +也好 +巴克利 +麦克斯 +商场的监控录像 +装得不错 +我得问你 +那个乳房 +有豆子在旁边那个 +杏仁糖做的 +杏仁糖乳房 +一点假血 在洛杉矶什么都能买到 +至于西提 老妈安排回到 +吉尔森医院精神病犯罪处 +我相信在那里她的作品得不到欣赏 +吉尔森医院 精神病犯罪处 +这都是我们的选择 对吧 西提 +有时候别人为我们选择 宝贝儿 +我完成了论文 +发表了 +吃掉死人并不可恶 +这叫循环 +真正的可恶是吃掉活人 +迈克尔逊博士 +我有点不明白 +动力学怎么从 +利用光子技术 +自相关功能演化过来 +光子 是啊 +就像麻疹分子 人类可以 +从地位闪耀 +转化为没人理睬 +之后 +分子与其他分子作用 +很有潜力 +发光 +先生 我不明白? +我今晚有空 +你有空不 +伊莱・迈克尔逊 诺贝尔奖得主 +-=YTET +-伊甸园字幕组=- 翻译: +Sade Eurydice 校对: +ketty 时间轴: +在美国每天有大约一万人死亡 其中大部分都发生在城市里 这样算来每个生活在城市里的人每天都 可能遇到多达1.7个在当天将要死去的人 +-北美统计学会 +-2002年 +在美国平均每天有774例濒死体验 这种体验指的就是一个人在被宣布死亡后 看到眩目的白光然后再被救醒 +-国家死亡研究中心 +-1992 +我保证你会喜欢 +好棒! +哦 Abe 我很喜欢 +你选的 当然你会喜欢 +- 那好 打开你的礼物 +- 好的 +- 你早就知道了吧? +- 才没! +- 他没告诉你? +- 没有 我跟上帝发誓 +有其父必有其子 你们两个都是一个模子里造出来的 +真爱九年 一生不变 +周年快乐 +周年快乐 +你还好吧? +- 你正晚都翻来覆去没有睡好 +- 我知道 我也不知道是怎么回事 +走吧 我们去吃早餐 +- Danny 你饿了吗? +- 当然 +来吧 我们去吃点东西 +Danny 如果你要玩早餐 +至少也要玩得有趣些 +这样 现在如何? +- 你还好吗 伙计? +- 我感觉不太好 +亲爱的 你还好吗? +走吧 我们离开这里 +谁能帮帮我们? +放松 坐下 +让我来帮你 +我很抱歉 +鬼讯号 白光 +3个月后 +其中的原因让我百思不得其解 +为什么我们那一天那一刻 会出现在那个餐馆? +为什么那个疯子会去想杀死 我的妻儿? +为什么不把我也杀死? +我是说 为什么留我一个活口? +为什么? +这一切都... +如此随机 +好样的 +我是国王 +爸爸要抓住你啦 +- 你最好丢得远一些 +- 不要杀死我 +怎么回事? +小心 +我看见你啦 +我爸爸教我游泳 +你觉得爸爸很高还是很矮? +很矮? +我们这些矮人的皮肤非常厚 因为不用拉伸成那么高的尺度 +之所以我的妻儿被杀害... +都是因为我 +因为在他们最需要我的时候 我没能伸出援手 +周年快乐 +我本该救他们 +我本该救他们... +慢动作 +耶! +胜利者 胜利者! +我知道这很让人沮丧 +但我必须要和我的妻儿一起 +再见 +老天啊 Abe 不要做蠢事 好吗? +我马上就过来 +- 这就是用药过量的患者? +- 是的 +- 你知道他吃了多少计量? +- 我不知道 伙计 +用正常含量的盐水输液 +脉搏47 还在下降 +- (心电图)就要成直线了 +- 心率下降 他快不行了 +给他一针阿托品 加大盐水流量 +- 给他整个剂量的单磷酸腺苷 +- 他就要不行了 +- 心脏无收缩反应 +- 看他是否有呼吸 +进行心脏复苏术 快 +- 他就要死了 +- 坚持住 +- 依旧只有心室纤维震动 +- 没有脉搏 +- 你有没有给他整个剂量的单磷酸腺苷 +- 打过 他没有反应 +不要死... +继续心脏复苏术 +没有反应 要不要宣布死亡? +可能是良性心室纤维震动 把电击手柄给我 +充电到200 +充电到200 +让开 +- 充电到300 +- 充电到300 +让开 +充电到360 让开 +- 充电到360 +- 充电到360 +让开 +- 出现窦性心律 +- 血压上升 +终于有反应了 +没事了 我们把你抢救回来了 +检查血液的氧饱和度 +氧饱和度正常 +血压高压140低压60 +嗨 你醒了 +我是Sherry Clarke 你正在圣 +-伊丽莎白医院的深层护理病房 +- 你是我的医生? +- 好过他们 我是护士 +亮光刺眼 +- 我在这里多久了? +- 几天 +Karras医生一直都在监护你 你是他最近的一个病例 +你想看电视吗? +- 有什么想看的节目吗? +- 没有 +哦 伙计 算你好运 这可是我一直都喜欢的电影 +我们终究一死 +你好 Abe 我是Karras医生 我来给你检查一下 +- 你还好吗? +- 我好多了 +还记得你为什么来这里吗? +你当时回天乏术 但是算你走运 当今的医术无所不能 +-我死过? +- 严格来说 是的 你曾见陷入NDE状态 +- 我不知道你说的什么意思 +- 濒死体验 +我是这方面的专家 我费了很大劲 才把你争取到 让我猜猜看 +你看见一团白光将你吞没 好像在竭力让你留下的样子 +是的 没错... +你怎么知道这些? +研究结果显示在十个有过濒死体验的人中 就有有八个说见到过那团白光 +- 很可怕 嗯? +- 那我现在见到的白光呢? +- 可能只是光环 某种后遗症罢了 +- 这算正常吗? +我得说我们早已超越了正常的边界 但是 是的 +症状会随着时间逐步减轻的 直至最终消失 +她和我们在一起 +她和我们在一起 +她和我们在一起 +一切看起来正常 +你的颅内没有肿块也没有 任何不正常现象 +但是过去的这几天中我见到3次 +- 见到什么? +- 白光 +还有一些其他事情 你或许会以为我疯了 但是... +我看见并听见一些类似电流的东西 +EVP的意思就是 电流音频现象 +你所见到的有预知性的白光 就是超自然现象的一种 +- 我已经得到研究此类事情的批准 +- 到底电流音频现象是怎么回事? +就是死者通过干扰如电视和收音机 这样的仪器来发出音频的现象 +有些人认为电流音频现象就是 往生者在我们身边的存在方式 +一些人认为 不过是电磁场的效应 +但另外一些人认为 这是死者在试图和我们交流 +说实话 谁知道呢? +只要我们还没有搞清楚 +他们就会继续为我的 试验投钱 +你在这儿做什么? +这... +就是我的电流音频现象室 +这些录影都被干扰过 因此我录了下来 看看有没有捕捉到什么信号 +看来那是你工作中的重要部分? +那个? +哦 我也不想然那段被干扰 +那是"改变习惯"(猫王的电影) 录下这一段是为研究之用 +我认为自己能从猫王身上 得到些启发 +- 你不太喜欢这一段? +- 不 就是... +我在屏幕上看到那种东西 +电流音频现象的信号只有在被录制下来后 回放的时候才能被肉眼看到 +在猫王最后一个特写镜头 +我看到一个扭曲人型的 静电团出现 +- 你现在要做什么? +- 重新设定并干扰 +看看你还能不能看到那东西 +在那 在那 就是这个 就是这个 +就是这个 我看到的就是这个 +- 真令人难以置信... +- 这到底什么意思? +或许当你有过濒死体验后 你本身就犹如一个调频接收器 +你能看见超自然信号发送 和电流音频现象 与往生者交流等等 +根本不需要这些仪器的帮助 +你的双眼能看到未被人探索过的地域 +你有很多机会看到让人毛骨悚然的东西 +我要走了 我还有和医生的预约 +当然可以 你慢慢办妥那些事情 嘿 我还在收集关于那次枪击事件的剪报 +还有相关文章 +我不想再听到关于我妻儿被 残酷杀害那日的任何事情 好吗? +我只是... +现在无力承受这些事情 +我不愿意 +嗨 Karras医生要我... +怎么了? +Karras医生过世了 +- 什么? +- 他今早心脏病突发 +我很抱歉 +- 那好 所以这个所谓的... +- 电流音频现象 +电流音频现象 +让你开始注意到白光 +当你看到光 你认为那就代表了... +你说它代表了什么来着? +表示有人将要死去 就好像Karras医生 可能几天之后死去 +也可以像公园里那个女人 数小时后死去 甚至可以是几分钟 取决于白光的强度 +我不知道 但是我看得越多 心情就越烦躁 好像扮演上帝一般 +- 我替你担心 Abe +- 但你怎么解释这一切? +如果我说"我不知道"呢? +这个城市里 我们和将死的人擦身而过 这是很平常的事情 +- 我们无从知晓 +- 如果我知道呢 Marty? +万一我知道某人何时会死怎么办? +- 现在你拥有这种超能力 +- 这不是什么超能力 +随便你怎么叫它 但在我看来 就是一套超级英雄的废话 +不要再胡言乱语了 +快动 你这个蠢东西 +快越过铁轨 +- 哦 跟我开玩笑吗? +- 快动 +嘿 +你得离开那里 +快! +离开那里 +快走! +嘿! +- 离开那里! +- 我动不了 我的脚被卡住 救我! +救我! +离开铁轨! +快走! +我很抱歉 +- 什么事? +- 嘿 Marty 我现在过去 好吗? +Abe 呃... +好的 什么时候? +如果我现在就要过去 成吗? +谢谢 +怎么... +? +不会吧 +该死的 +打扰一下 先生 +- 该死的 +- 先生 你得出来 +算了吧 孩子 我掉了几根螺丝 我自己能搞定 +我觉得保险杠支持不住了 你得出来 +我不需要什么毛孩子告诉我 该怎么做 好吗? +你这个到处风流的家伙还是 回到你得雅皮车里... +- 哇哦 +- 你要做什么? +- 保险杠就要... +- 离我远点 +你救了我的命 +不 Marty 我跟老天发誓 我没事 +那好 那好 或许你该... +我不知道 休息一段时间还是怎样 +- 我希望你别太勉强自己 +- 好了 我会考虑的 谢谢 +你今晚救了别人一命 +- 你觉得爸爸是高还是矮? +- 不 不 很矮 +很矮? +- 无意冒犯 +- 我们矮人的皮肤很厚 +因为不必拉伸出高大的尺寸 +是的 的确 +看看这位奥地利教练 看来他就要跳跃了 哈哈 做得好 +该死 +- 两个星期? +还早呢? +- 我知道 +- 我一定会去的 +- 好的 +呃 好了 午餐喝了三杯马丁妮 我差不多要走了 +我会弹点好听的曲子的 +- 上帝啊 +- 我很抱歉 我很抱歉 对不起! +-别担心 你现在就可以补偿我 +- 别这样 +或许我还会让你在酒店房间多逗留一会儿 你明白我的意思吗? +- 嘿 别这样 +- 算了 +好了 这太过头了 +- 停手 +- 打他 +停手 你们会弄伤他的 停手 你们会弄伤他的 +嘿 嘿 +- 嘿! +- 该死 嘿 伙计们! +嘿! +- 救命 救命! +- 我们走 +我就要滑下去了! +求你 拉我上去 +拉我上去 +你还好吗? +是的 他会没事的 +至于我 我就不知道了 +Abe 我今天在办公室还在想你 看来你还是决定要休息一下了 +有时间就电话我 好吗? +再见 +又扮了一天的上帝 +- 喂? +- 嘿 Marty +我正要去看我之前救下的那个年轻人 +- 你要不要去那里见我? +- 好 可以 +很好 还有... +你替我收集的那些东西... +能不能带过来 +我准备好了 +- 好的 没问题 +- 谢谢 +嘿 +嘿 +- 感谢你能来见我 +- 小意思 伙计 +这些东西可能会揭开无数个伤口 +- 你确定你准备好了 +- 我确定 +- 那好 +- 谢谢 +- 嘿 如果有什么需要就电话我 +- 我会的 +嘿 +- 哦 嘿 Dale先生 +- 我来看看Kurt的伤势如何 +缝了几针 几处擦伤和瘀痕 +我们让他留院一晚 确保他没有脑震荡 +但是他会没事的 +谢谢 +哦 不是吧... +不要说话 +你这个贱人 +嘿 嘿 你还好吗? +还好 +还好 +你刚刚救了我的命 +就快成该死的习惯了 相信我 没什么大不了的 +- 老兄 那可是我的命啊 +- 我知道 我不是那个意思 +是你啊 +是的 是的 你是我的护士 +摔坏了 +我很抱歉 +没关系 +- 你受伤了 让我看看 +- 没事 +嘿 +让我帮你包扎 让我多多少少帮你一些 拜托 +不过是表皮伤口 缝几针 加上点抗菌素一切都搞定 +你要么是在看我的戒指 要么就是在欣赏我的胸 到底在看哪个? +- 在看戒指 我... +- 我开玩笑呢 +这是我的旧结婚戒指 我丈夫几年前过世 +所以我想把戒指紧贴在心口 +你一定非常的爱他 +是的 +他是圣心小学的音乐教师 +那些孩子崇拜他 +他用独特的方式俘获了他们的心 不是随便哼哼 而是每年都组织演唱会 +让孩子们学唱鲍伊 平克・佛洛依德 拉什 海滩男孩和简的癖好 +- 凡是你能说得出来的 +- 听上去太神奇了 +是啊 难以置信 +但是最后... +命运突如其来 +某天我们还好端端活着 明白吗? +然后 突然间 他死于非命 +真可怕 +是的 +但是... +我醒来 +突然闪出个念头 +我的心得放开Tommy +总有一天我会跟他重逢 在此之前 +得接受命运的安排 +- 你们有孩子吗? +- 没有 +但为纪念他 我每年举办演唱会 +过几天就有一场 +- 你绝对应该来 +- 也许吧 +给 +拿上这个 仔细考虑一下 +如果有兴趣就打我电话 +嗨 警察来了 +好吧 告诉他们 他们来的真不是时候 +这是结婚周年你买给爸爸的礼物吗? +我可以看看吗? +可以吗? +我猜不是你爸爸指示你这么做的 对吧? +才不是 我不过好奇 我打赌就是他想要的那块表 对吗? +你得让爸爸等 +再说 没剩下几天了 +- 你还好吗? +- 我很好 妈妈 那个人救了我们的命 +谢谢你! +没关系 +没关系 +男子枪杀两人 饮弹自尽 +Henry Caine +不该救 不该救 +不该救 不该救 +不该... +救 +- Julia Caine吗? +我是Abraham... +- Abraham Dale +我就知道你会来 请进 +家里乱七八糟别介意 我们正要搬家 +很抱歉我丈夫杀死了你妻子和孩子 +从没有象Henry这样 脚踏实地 什么都不质疑的人 +那么 嗯... +发生了什么事? +他 嗯... +他经历了濒死体验 +他被一个醉鬼迎面开车撞了 +那晚他一定死过三次 可凌晨被救活了 +一个星期后我们带他回家 +然后怪事频频发生 +他举止诡异 对生与死产生了古怪离奇的想法 +对超自然现象着了魔 +超自然电子异象 白光 预知 诸如此类 +甚至认为自己可以拯救别人 +起先我还能理解 毕竟他差点没命 +但事情开始变得一发不可收拾 +你说一发不可收拾是什么意思? +我带你去看 +看到了吗? +你自己看吧 +警方确认失踪妇女已糟绑架 +摆渡事故死亡人数仍在增加 +如果你救了某人 就要对其负责 +哦 见鬼! +Henry在里面时总会烧断保险丝 +真的? +嗯... +你知道E代表什么吗? +不知道 +介意我拿一部分回去看看吗? +当然可以 这里我什么都不想要 +听着 我为我丈夫所做的再次向你道歉 +我无法相信他到底离死有多远 +- 你说什么? +- 你是什么意思? +- 你说"离死" +- 那么? +你不是指"死"了? +他已经死了? +你不知道? +- Henry还活着 +- 我看到他饮弹自尽 +他活了下来 远在贝尔蒙郡 +精神病院 +我们把他关在楼上 自打从昏迷中苏醒后 +他已经在这里呆了几个月了 +如果你要问 他是绝对不用服法的 +为什么? +老Henry +能看见死人... +别介意 我不过呆这儿 确保你们别闹起来 +我妻子和儿子 +你为什么这么做? +为什么杀害他们? +救之 必杀之 +天哪 你真是疯得无可救药了 +救之 +要负责 +为什么而负责? +后果 +可怕的后果 +什么后果? +如果你允许他介入 这事会没完没了 +你再不能将死者隔开 +死者会骚扰你 直到你纠正过去的行为 +如果你救了人 必须.. +必须杀掉 +第三天 +第三天 +- 第三什么? +- 第三天! +救之 必杀之 +救之 必杀之 +救之必杀之 救之必杀之! +是3 +3和魔鬼的签名有什么关系? +- 嗨 Abe +- 嗨 +我刚排练完跟你说过的演唱会 +就在附近晃悠 +就... +嗨 +- 希望别介意我贸然来访 +- 不不 我不介意 +我不介意... +但是为什么? +你上一次... +喝便宜的葡萄酒是什么时候? +你真是太客气了 但你不用这么做 +我知道用不着这么做 +可我想 +我结婚了 +但还是谢谢你 +Abe 我看过你的档案 +我知道为什么第一次见到你 是在重症病房 +我知道Rebacca和Danny发生了什么事 +那天晚上你救了我 +我很想报答你 +- 我喜欢毛发的颜色 很漂亮 +- 紫色很迷人 但是... +- 跟葡萄酒色相映成辉 +- 没错 +这很好 真的 +非常感谢 +- 为了劣酒和好伙伴 +- 哦 真劣 +你得经常出来透透气 象这样 +只有这样才能从痛苦中解脱 +Danny和Rebecca是我的一切 +Tommy也是我的一切 +你不能就这样向命运低头 Abe +- 来吧 +- 去哪儿? +O'Malley酒吧 +为了弄回买酒的2.5美金 我要跟你玩撞球 把你打得落花流水 +2.50美金? +你被骗了 +八号球 角袋 +好的 +要么双倍加钱要么全部勾销怎么样? +好吧 +大显身手吧 高手 +- 对不起 +- 没关系 +不 我... +不该这么做 +- 至少今晚不可以 +- 没关系 这的确疯狂 但是没关系 +重大新闻 市中心发生交通惨剧 +六人丧生 数人受伤 +一个老人驾驶一辆橙色货车... +...冲进拥挤的候车棚 到目前为止... +你还好吗 Abe? +有关目击者称 货车似乎 故意突然转弯冲向人群 +还好 嗯... +Sherry 我得走了 +- 你认识其中谁? +- 是的 +我会打你电话的 好吗? +救之必杀之 救之必杀之 +"第三天"? +警方发现George Sutter坐在厨房 丝毫不掩饰杀人企图 +妻子和两个孩子的尸体被发现捆绑在床上 由于被摧残得血肉模糊 +不得不借助牙医记录核实身份 +Sutter以前从未实施过家庭暴力 +指控他时无法解释他为什么谋杀了... +Beverly Ann Cloy做了27年的护士 +今晨闷死了14个病人 之后打卡下班 若无其事地... +无法解释Dickon怎么会在驾驶飞机时失控... +导致9人死亡... +- ... +绝对没有理由 +- ... +无法解释 +总是在第三天... +Caine拯救他们之后 +警方还是不明白一个老人 为什么会驾车冲入候车棚 +据称没有明显的隐藏动机 +第三天 基督会从死里复活 +那魔鬼呢? +魔鬼呢? +他第三天干了什么? +第三天究竟发生了什么? +启示录13章18节 +凡聪明的 可以算计兽的数目 +凡聪明的 可以算计兽的数目 +因为这是人的数目 他的数目是六百六十六 +圣经写于罗马时代 对象是讲古希腊语的受众 +所有的希腊文和古希腊文的 +...字母都有相对应的数字" +总是在第三天 +那魔鬼呢? +魔鬼呢? +他在第三天做了什么? +第三天... +在Caine拯救他们之后 +圣经写于罗马时代 对象是讲古希腊语的受众 +"所有希腊文和古希腊文中的字母 都有相对应的数字 +第三天 +第 +-第 +-第三... +天 +-天 +-天... +路西法在拉丁语里是予光者的意思 +天使长被逐出天庭 +因为想为己夺取上帝的权柄 +一度高居天庭的路西法 +现在则是众所周知的 +大地上的魔鬼 +第三天是魔鬼的签名 +我在天桥上救下来的孩子 +今天是第三天 +帮助你那天 我把他送进了医院 我得知道他的下落 +我真的不该这么做 Abe +他似乎拉近了我们的关系 Sherry +是的 +好吧 Kurt Green +- 阿尔弗雷德爵士饭店 +- 阿尔弗雷德爵士饭店 当然 谢谢 Sherry +- Abe +- 是的 +我们之间没什么问题吧? +但愿如此 +- 再见 +- 再见 +- 你好 +- Abe +听着Marty 我明白Caine为什么这么做了 +他觉得非这么做不可 他别无选择 +- 做什么? +- 我救了老人 结果他开车冲进了候车棚 +我救了那个孩子 不知道他要干什么 但我知道 +依据白光拯救某人后的第三天 就会发生恐怖的事情 +- 你听到自己说什么吗 老兄? +- 不 你听着 +也许是路西法 也许是魔鬼 也许是鬼魂 +不管是谁 我都无法阻止它 Marty +在别人受到伤害之前 +你是我的好伙计 对吗? +我爱你 真的爱 +我不愿看你折腾自己而袖手旁观 我不能 我不会这么做 +我们有事要做 我不能一个人干 老兄 我们还有事要做 +就是这个车站 +Marty Marty 我... +再说一遍 我听不见 +救之 必杀之 +必杀之 必杀之 必杀之 +Kurt Kurt +Kurt! +我感到万分抱歉 +我表示诚挚的歉意 +对不起 我道歉 +- 哇 哇! +- 趴下! +他有枪! +我们走! +- 放下枪 +- 到另一边去 到另一边去 +- 别紧张! +- Kurt! +快走! +现在! +我抓住他了 我抓住他了 +- 保持冷静! +慢慢离开大楼 +- 请这边走 +等等 Kurt! +Kurt 怎么了? +Kurt! +Kurt! +第三天 +你要你立即下楼 拨打911 +为什么? +我认为你不该救我 +7: +30 +Sherry +必杀之 救之必杀之 +救之必杀之 救之必杀之 杀 杀 +你来了 +- 我为你提心吊胆 +- 为什么? +我听说酒店发生的事了 +那个孩子一开始是你救的 可接着... +你一定很难过 Abe +Sherry 我得跟你谈谈 +关于什么? +- 去外面 我们出去谈 +- 你可以在这里跟我谈 +- 我不能当着这么多人的面解释给你听 +- 为什么不? +救之必杀之 +- 这是怎么回事 Abe? +- 必杀之 +- 你得跟我来 +- 你在干什么? +你弄疼我了 +- 我得这么做 +- 做什么? +Sherry 我不该救你 +- 冷静点 +- 你不... +- 冷静点 +- 你不明白 +- 放开她! +- 这不关你的事! +听我说 Sherry! +Sherry! +很多人会死 很多人会死 +很多人会死 很多人会死 +别 别是这儿 其它任何地方都行 +这是菜单 马上为您点餐 +那个害死一大片的老人 你救了他 +饭店那孩子也是你救的 +然后你救了我 +真对不起 Sherry +别难过 +那个人有枪 +警察 放下枪! +照他说的办 先生 没人愿意受伤 对吗? +放下枪! +请阻止这事儿吧 +你... +你得死 +女士 +请别管他了 +救之必杀之 +杀 杀 杀 +把她交给我吧 +杀 杀 杀 +她快昏倒了 把她带出去 +杀 杀 +来 +见鬼! +- 我从没碰到过这种事 +- 记下时间 给她打镇静剂 +下午7: +29分 +- 注射2cc +- 让她住嘴 +究竟怎么回事? +第三天 +Tommy +你还好吗? +来这里 +鬼讯号2: +白光 +-=结束=- 谢谢观看 +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +-- 本论坛字幕仅翻译交流学习之用 禁止任何商业用途否则后果自负 +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +-- +-=YTET +-伊甸园字幕组=- 翻译: +Sade Eurydice 校对: +ketty 时间轴: +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +-- 本字幕所有权益归制作人所有 纯属翻译爱好者交流学习使用 谢绝它用,否则一切后果自负 +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +-- +片名: +皇家卫兵 +在古代的摩呵婆罗多时代... +部落里有个小男孩... +想学习射箭术 他想拜崇高的大师德鲁格瑞亚为师 +可德鲁拒绝了他 +他是王子和国王的指导者 怎能教地位卑贱的人呢? +小男孩只有回到丛林 +他制作了一尊德鲁的雕塑... +把它当作自己的老师 日复一日地练习射箭术 +一天 德鲁外出打猎 +突然... +他的狗停止了吠声 +七支箭牢牢地封住了它的嘴 +射手能达到如此高超的技艺... +...以致于狗没有疼痛 也没有流一滴血 +不痛苦 不流血... +德鲁万分震惊 这个射手到底是谁? +神射手? +- 你知道是谁吗? +- 伊克洛维亚! +他名叫伊克洛维亚 你的名字也叫伊克洛维亚 +是啊 我的妈妈给我取了这位伟大射手的名字 +- 然后呢? +- 然后 德鲁很困扰 +这个贱民的技艺超过了他最好的学生 王子阿尔杰 +他必须制止 +德鲁说 "孩子啊 你在我的雕塑面前练习... +...要请我当你的老师 你得先付我报酬" +伊克洛维亚笑了笑回答 "无论你要求什么都行 老师" +- 你知道德鲁要求什么吗? +- 什么? +- 伊克洛维亚右手的大拇指 +- 他的大拇指! +为什么? +没有了手指 伊克洛维亚怎么握住弓弦呢? +他永远也无法胜过王子阿尔杰了 +伊克洛维亚没有切断他的拇指吧? +伊克洛维亚只是微笑 然后切断了拇指 献给了他的老师 +不痛苦 不流血... +...不 娜蒂妮 痛之入骨 到处都是血 +毫无畏缩 伊克洛维亚履行了... +...他的誓约 他害怕责任 +- 什么律法? +都是错的 我不 +伊克洛维亚错了 +伊克洛维亚错了 +"我怎么能够把你来比作夏天? +你不独比它可爱也比它温婉 +狂风把五月宠爱的嫩蕊作践 +夏天出赁的期限又未免太短 +天上的眼睛有时照得太酷烈... +它那炳耀的金颜又常遭掩蔽 +被机缘或无常的天道所摧折 +没有芳艳不终于雕残或销毁" +还记得这首十四行诗吗? +你第一次来这里的时候 我读给你听过 +而你送了我这朵花 +它现在都枯萎了 +"但是你的长夏... +但是你的长夏永远不会雕落 +也不会损失..." +妈妈在叫伊克洛维亚 +亲爱的儿子啊 上帝保佑 皇后恢复了知觉 +至今忧伤包围着我 +只有借这笔纸以安慰自己 +只有借这些信件 才能与我的心交谈 +工作之余总是太寂静 +除我之外 就只有城堡的砖墙 +我的存在只为了保护国王 +我的生命何尝不是这城堡的一块砖 +而这城墙已随岁月逐渐腐朽 +曾经敏锐的目光也已变得模糊 +可我的的耳朵却依旧灵光 +它在渴望着什么? +或许 是你的声音在呼唤着我 +当年迈父亲的双手开始颤抖... +...他儿子的职责便是伸出援助之手 +你在哪? +我的儿子 +水? +要喝水吗? +我的皇后 +妈妈说 要见伊克洛维亚 +妈妈说 要见伊克洛维亚 +- 喝点水吗? +- 伊克洛维亚 +- 叫谁? +亲爱的 +- 伊克洛维亚 +- 谁? +- 伊克洛维亚 +不! +不! +妈妈死了 现在我们不再需要伊克洛维亚了 +伊克洛维亚! +快来皇后的房间 快点! +召唤我的儿子 伊克洛维亚 +去叫我的儿子! +马上! +爸爸 +你的眼睛怎么了? +很好啊 +好? +一点都不好 王子 +刺眼的阳光几乎让他失明了 +瑞秋带他去看医生 +他说他的眼睛..."有光感" +是的 妈妈在信里提到过 我去找医生谈谈 +- 瑞秋还好吗? +- 她很好 谢谢 +瑞秋一直在皇后身边照料 +她说皇后真的很想念你 +过来 +快点! +一个王子怎么能这样公开展示自己? +一个皇后怎么能这样拉王子的耳朵? +是吗? +她不能吗? +那你想要她怎么办呢? +厉害的小王子 +- 她应该说对不起 +- 对不起 对不起 好了吗? +你回来就好 哈什 +没能在你母亲最需要你的时候出现 真是羞愧 +无论如何 现在说什么都晚了 +来 进去吧 +- 为你祈福 +- 她一直叫你的名字 +直到离开人世 +我说"我在这里! +你的丈夫 叫我的名字" 她却始终没有 +只呼唤你的名字 +你知道那是什么感觉吗? +我感觉... +只呼唤着你的名字... +然后离去 +大哥 +温柔的心被伤透了 她有所恢复 可还是... +去吧 去准备 +葬礼必须在日落前开始 +要束白色腰带 都放在你房间里了 +是这里的习俗 人人都很敏感 我们走吧 +妈妈 你最后的遗言 "要照顾好哈什" +给予了我力量... +...去减轻他的悲痛 +指引我吧 妈妈... +- 他怎么样? +- 为何如此担忧啊? +孩子 +看见那城堡了吗? +你的心上人越不过那么高的城墙... +...他向你问过我吗? +- 他问了 +- 他问什么了? +- "瑞秋还好吗?" +知道了 +上帝啊 请保佑我的女儿吧 +她是如此纯洁 如此天真 +请别伤她的心吧 +娜蒂妮 +娜蒂妮 你在哪儿? +噢 亲爱的国王 娜蒂妮公主在家吗? +娜蒂妮公主不在这里 +噢! +她去哪里了? +她和她的妈妈去神殿了 +请转告她 她的哥哥哈什来看她了 +她会的... +我是说... +我会的 +那好吧 我回伦敦去了 +你真笨! +你真笨! +你怎么没想到? +妈妈死了 我怎么和她一起去神殿呢? +- 我不这么认为 +- 别再说你要离开了 +每个人都离开我 +除了瑞秋 可她每天晚上还是要离开我 +瑞秋在这里呆到晚上 我一个人害怕 +陪着我好吗? +瑞秋 +- 你好吗? +瑞秋 +- 我很好 +你的父亲告诉我 你一直在照顾我的母亲 +瑞秋一直陪在她身边呢... +皇后一直很想念你 +她留这封信给你 +她让你回去再看 +她一定说"照顾好哈什" 对不对? +瑞秋 +亲爱的儿子... +希望当面问候 却只能用信件问候... +...你的归来 +我小心翼翼地喘息 担心生命就此结束 +我多么希望能再抱你最后一次 +恐怕我等不到那一刻了 这封信... +...会告诉你一切 关于你身世的秘密 +儿子 杰维尔国王不是你的亲生父亲 +他一直被蒙在鼓里 +被发现的话 他一定不会将王位传给你... +...你的祖母采取古老的传统... +...只有贤明的人才能继承王位 +在这些众多人才中 +伊克洛维亚同我们一起 +皇后认为伊克洛维亚最可靠 他超过所有别的人才 +我也这么认为 +你和娜蒂妮有个贵族父亲 他就是伊克洛维亚 +我现在告诉你 因为你的父亲很需要你 +他年纪也大了 眼睛也几乎失明 +要是你父亲知道我泄露了这个秘密... +...他会认为我亵渎了我们的誓约 我没有尽到守约的神圣职责 +但我相信 誓约是... +如同古代的摩呵婆罗多所说的 +"誓约 智慧 真理" +誓约生于理由 +誓约也生于智慧 +那便是你的思想灵魂所认为正确的东西 +誓约是你的灵魂所能接受的真理与圣洁 +我已完成了我的誓约 +现在 我的儿子... +你也必须完成你的誓约 +承诺我 你会照顾好你的父亲 +我承诺 妈妈 +我真想砍掉伊克洛维亚的头颅 把它挂在城门上 +他污染了王室的血统 +你以前怎么没告诉我? +我自己都不知道 +这些年 我一直信任我们的母亲 +她说过 她选择的是我 +我信任她 +皇后生下一对龙凤胎 +其中一个患有精神问题的女儿 +即使如此 我也接受了 +可今天我才发现... +...一个没用的保安... +...我孩子的父亲 +他和我的皇后睡了 +杰伊提 他是我孩子的父亲 +我的妻子... +和我的保安! +这些年那么顺从 卑躬屈膝 +他一定乐坏了 +嘲笑我不育 嘲笑我所有的缺点 还有这个 杰伊提! +伊克洛维亚来了 +混蛋! +殿下? +告诉他 杰伊提! +殿下刚才收到一封死亡威胁信 +信里说 我们必须归还农民的土地... +...否则国王就会死于非命 +这怎么可能? +他们没还清欠款 我们收回了他们的土地 +彼克... +他们的头儿 被发现死在... +...铁轨上 还有一封自杀遗书 +可他们控告我们谋杀 那群混蛋! +现在就去 出去! +去通知我的儿子 他父亲的生命处于危险之中 +谁的命? +他的亲生父亲 快去! +杰伊提! +我把真相说出来了 对吗? +不管谁是哈什的父亲... +- ... +都得死 +- 放心吧 哥哥 +明天日落前 伊克洛维亚将躺在他的火葬柴堆里... +...就像皇后那样 +王子 我到处找你 你一个人在这里干什么? +妈妈也是独自一人 伊克洛维亚 每个人都抛弃她 +你愿意和我们在一起吗? +- 她会因此而高兴的 +- 你得回去了 +你的父亲收到了一封死亡威胁信 +我的父亲? +我有父亲吗? +你见过我的父亲吗? +我想见他 +想告诉他 我和妈妈在这里很寂寞 +想告诉他 我很想念他 他会来陪我们吗? +对他来说 妈妈算什么? +无关紧要? +他力不从心? +我们走吧... +...王子 +我很想哭 伊克洛维亚 +却哭不出来 +你能给我力量吗? +可以吗 +儿子 别这样伸出你的手 +如果我握紧了你的手 会招来灾难的 +那次决定性地甄选... +你的母亲和我形同陌路 直到最后 +我们决定 不让我们的孩子知道... +...我是孩子们的亲生父亲 +娜蒂妮无邪的笑声... +击碎了我的心啊 +我多么想抱着她大声呼喊 "我是你的爸爸啊" +但这是绝不允许的 +绝不 +哈什! +你在哭吗? +哈什 +为什么? +别哭啊 你想妈妈了吗? +傻瓜 她一直在我们身边 我们有好多的妈妈啊 +一,二,三,四... +想见见她们吗? +看看? "妈妈在排灯节" 她可爱吗? +"妈妈的生日" 你看啊 +"妈妈在寺院" +"闪闪发光的妈妈" +还有这个是... +不... +不是这个 +- 画错了的 +- 给我看那张画 +不! +很恐怖的 +- 有血 +- 好吧 乖 +告诉我 怎么回事? +这个秘密不能传出那个房间 他会杀死我的 +- 谁? +- 我不能告诉你 +要是这个秘密离开那个房间 他就会杀死我的 +哪个房间? +要是这个秘密离开那个房间 他就会杀死我的 +哪个房间? +现在 这个秘密绝对不会离开妈妈的房间了 +但是门是打开的 +你紧张吗? +巴布鲁 +别担心 我们生在民主主义社会 这些国王不过是纸娃娃 +我的警棍远比他们的剑有势力 +嘿 巴布鲁 看见那城墙了吗? +我的祖父被那城墙活埋了 +就像剪断开幕式上的绸带一样... +...这些国王杀死我们贱民以求好运! +见过我的祖父 卡洛维加尔 +若不是因为想念伊克洛维亚... +...我也不会坚持到现在 +进去吧 +先生 还记得我吗? +我是帕努 帕努加尔 达南加尔的儿子 +上帝保佑你 +还记得那个市集吗? +我就是接到铃铛的男孩 +还记得吗? +你那时好厉害 我整晚都没谁这 +我当时就想 长大以后要和你一样厉害 +现在的我 警察长官帕努加尔 +谢谢你 先生 +我真想再看一次你的精湛技艺 +可以吗... +求你了? +我不确定现在能否做到 孩子 +尝试一下 +先见过陛下 走吧 +就一会儿 答应我? +好吧 来 +那些该死的农民发疯了 他们威胁要杀了我 +做笔录了吗? +巴布鲁 +别以为我不了解状况 陛下 +为什么有麻烦的国王 只敢藏在巨大的官邸? +他害怕愤怒的农民? +难道他不知道这有多懦弱? +你胆敢嘲弄我? +别忘了 我是这里的国王 +而你只不过是... +- 贱民? +我不想谈这个 +民主社会里 歧视就是一种犯罪 +是哪个法案规定的? +巴布鲁 +不管哪个法案 手铐会说明事实 +世世代代 我们制定法律 你胆敢在这里跟我说手铐? +我们统治了两千多年了 +而我们因此受苦五千年 +我的祖父 被这城墙活埋了 +算你走运! +我是那些贱民的孩子 他们的手都被切下来... +...只因为摸了一下圣洁的书本 +受够了历史! +你的保安得跟我离开一个小时 +一小时? +陛下 民主的意思 就是自由意志 明白? +很多警察在茶摊 糖果店也有 +用他们来换这点时间 不愿意? +先告辞了 +可以吗? +先生 +- 现在就开始吗? +- 别太早放弃啊 帕努 +你怎么看待一个贱民成为高级官员? +- 巴布鲁 蒙眼罩! +- 我不需要 +太阳光够刺眼的了 +带上眼罩 看上去更令人佩服 +那好吧 +准备好了吗? +- 是的 +我们睁着眼睛都无法做到 而你带上眼罩也行 +淹没... +...我的父亲为保护国王溺水 +我在湖水边找了他一整晚 +后来妈妈来了 +- 儿子 +这是属于你父亲的 现在由你来保管它了 +从这一天起 他会时刻陪伴着你 +今后 你只有一个誓约 保护好你的国王 +违反誓约的话 我们家族就没落了 +如同坚强的伊克洛维亚 你必须坚决顺从你的誓约 +那天以后 她叫我伊克洛维亚... +...而我父亲的武器 也成为我唯一的武器 +没人知道这件事 我也布知道为什么要告诉你 +我知道为什么 因为我们俩都一样 +先生 国王收到威胁信的时候你在场吗? +没有 只有他的弟弟杰伊提在那 +就是住在红瓦平房那儿的人 在铁路附近的? +再见 先生 +伊克洛维亚快来陪你了 那时候 你会很快乐了 +我该怎么办 我的皇后? +你总是给我指引 +我该给杰伊提打电话吗? +陛下还没有打电话来 +"陛下..." +每次你一叫"陛下" 我就血液沸腾快发疯了 +要是哈什也让我这么叫他 我会用枪爆他的头 +尤迪 我看起来怎么样? +"陛下""如你所愿 陛下" +你怎么叫得出来 我都不好意思叫他叔叔 +你叫了他多久的叔叔? +27年了 +- 52年! +52年的"是的 陛下" "好的 陛下" +"你的心愿就是我的职责" "我的陛下" +你好 杰伊提 +- 是的 陛下 +警察刚才来过了 +好的 陛下 我们半小时后到 +现在什么时间? +- 下午5: +25 +快了四分钟 请调一下 +我们下午6: +10见 陛下 6: +10准时 +爸爸... +有客人 +吹走了 吹走了 瑞秋的风筝没了! +切断它! +把风筝线切断! +瑞秋故意输给娜蒂妮 娜蒂妮很高兴 +瑞秋是个好女孩 奥迈克 +你把她养育得那么好 +- 很艰辛啊 +每日忙碌 来回为皇室开车... +...我都没注意 小女孩就变成大姑娘了 +她很可爱 我担心她以后会嫁谁 +一切顺其自然 奥迈克 +马斯克曼先生... +...告诉你吧 +要是你有个英俊的儿子... +...我就不担心了 +他们坠入爱河 我们就是亲戚了 是吧 +瞧! +王子来了 +让我看看 +国王怎么对待这么优秀的儿子? +皇后死后 他一直很孤独 +真想给他一个拥抱 +父亲 +不 小王子 别叫我父亲 +我没有权力 我只是个卑微的保安 +我也很想抱抱他 +可是我不能 我没有权力去做 +我只是个卑微的保安 +你把她照顾得很好 谢谢你 +看见她高兴 我也开心 现在你来了 那我先退下了? +请等等 +你还记得妈妈唱的那首歌吗? +月亮颂? +- 是的 +能为我唱一曲吗? +在这儿? +现在? +- 拜托 +我很想念妈妈 +听见什么了吗? +只能用望远镜看看 马斯克曼先生 不是听 +她在唱歌 +"我的孩子 我的月亮" +"柔软的微笑 我的月亮孩子" +"轻轻地走来..." +"... +我的眼眸是你的天空 在这里快乐直到永远" +"轻轻地 噢... +柔柔地" +"乘着风 乘着云 还有满载的微笑" +"微笑吧 我的月亮孩子!" +"柔软的微笑 我的月亮孩子" +"轻轻地走来..." +"... +我的眼眸是你的天空 在这里快乐直到永远" +"柔软的微笑 我的月亮孩子" +"在这里快乐直到永远" +殿下传召你们两人,马上过去! +马上? +要去哪里? +"吾可否将汝比作夏日璀璨?" +"汝可是更加温婉,惹人怜爱" +王后最爱这首十四行诗 +莎士比亚写的 +她去世的时候还在听它 +"吾可否将汝比作夏日璀璨? +汝可是更加温婉,惹人怜爱" +"狂野之风摧残五月蓓蕾娇媚" +"夏日匆匆离去,毫不停留" +EKlavya,你想在哪里火葬? +殿下? +我也不愿这样想,可要是你死于意外 +你希望在哪里火葬? +殿下... +我想在我的家乡Dhachigam +那怎么行! +你忠心侍候了我们这么多年 +你的火葬将在皇家之地 +挨着你的王后 +趴下,殿下 +杀了他! +杀了他! +你在磨蹭什么? +快杀了他! +你聋了吗? +立刻杀了他! +遵命,殿下 您的心愿就是我的职责 +殿下... +殿下... +殿下,他们抓走了我的弟弟 他们说我们谋杀了国王 +他们要绞死我们的儿子 -他们叫我们是农民 +可我们甚至没有足够的土地来做自己的墓地 +他们先是夺走了我们的土地 现在又夺走我们的儿子 +我们曾试着抗议 可他们却杀了我们的带头人BhiKu +还宣称那是自杀 殿下,请听我们说 +我们是被冤枉的,这是个阴谋 +够了! +我们再也不能忍受了! +这骆驼是谁的? +这骆驼是谁的? +回答我! +Rajjo? +我会娶Rajjo为妻 +愿您赐福于我 +我可以进来吗? +这儿现在是你的家了,Rajjo 你可以自由来往进出 +谢谢 +谢什么? +谢谢您让我的父亲含笑而去 +您的结婚承诺让他走得很安详 +我看见了他的微笑 +可现在他已经不在了 +我不想用那个承诺绑住您 +Rajjo,我... +- 请听我说完 +并不是我不想嫁给您 +在我还是孩子的时候 我就梦想着能做您的新娘 +梦想着我们能够在一起 +爸爸总说我太天真 +可我仍然抱着这个信念 +我的眼前总是浮现着... +...我的梦想因您的爱而成真的情景 +而不是您的施舍,或您的怜悯 +现在可以轮到我说了吗? +Rajjo... +为什么妈妈信任地将她最后一封信交给你? +为什么Nandini这么喜欢你亲近你? +每当听到你的名字时 她的脸上就会燃起神采 +事实是... +我对你的感觉和她们相同 +可我选择保持沉默 我无法表达自己 +而Nandini可以 +她是这个城堡里唯一心智健全的人 +你知道这城堡... +它对人们来说很可怕 +这里数不清的传统、风俗和礼教让我发疯 +Rajjo... +我已不再是你梦中的Harsh了 +五十年来,你在这城堡里享尽厚待 +可当国王最需要你的时候 你却躲在了骆驼后面! +Uday! +那杀手踢掉你手里的枪时 你在干吗? +唱赞美诗吗? +Uday! +对EKlavya尊重点 +他们家族世代保护着我们的国王 +是刺眼的阳光让他目不能视 火车的声响阻碍了他的听力 +否则那些没用的农民根本不可能接近殿下 +长官,你查到了什么? +我们现在只知道 那骆驼是个叫Hariya的农民的 +他现在正在接受讯问 +敲碎Hariya的膝盖,他就会老实点 +那些人不是农民 +EKlavya? +你看这是几根手指? +才五英尺远你就看不见 你又怎么知道那些人不是农民? +EKlavya的父亲为保护国王献出了生命 +他的故事被唱成民谣传颂 +告诉我,EKlavya 你是怎么躲开那些子弹的? +是那些农民饶了他吧 +他和他们一样 血管里流着低贱的血 +啊! +我明白了 原来是贱民之间的手足情深啊 +长官,请带他出去做个笔录 +先生... +您不能因为口头上的侮辱就拔枪相向 +他们问我 当杀手踢掉我手里的枪时... +...我是不是忙着唱赞美诗 +为了这个,您就想杀了他? +是的! +先生,这是不理智的 为什么? +我并没和任何人说过... +...我的枪被踢掉了 +他们怎么知道的? +您什么意思,先生? +是他们刺杀了我的国王 +我认得他鞋上的钉,就是他们 +你让开! +-先生... +先生,请冷静下来 +把他们交给我 这次让我来,他们是我的那只"鸽子" +你做不到的 给我让开 +我向您保证,我会抓到他们 我会找到方法的 +不管是用旁门还是用正道 +您知道是他们杀了BhiKu,那个农民的头儿吗? +他的自杀遗言是伪造的 他们也会遭到和这一样的命运 +死在同一段铁轨上 带着伪造的自杀遗言 +这是我的工作 我会解决的 +你让开,Pannalal +如果我让你过去了,你会杀了他们 然后因此被绞死 +那又怎样? +我不在乎... +-如果必要,我会逮捕您 +如果必要,我会杀了你 +把枪给我 +血已经流得够多了 把枪给我 +我的盲眼都能看见的东西,您却看不见 +他们谋杀了国王,接下来就会轮到您 +他们会为了王位而杀了您 +外面有辆吉普车 开车离开这里吧 +在你的家乡 每个月你都会收到一份养老金 +你自由了,你走吧 +离开? +带着国王未报的仇恨离开? +我只是这座城堡的城墙 +我的存在只是为了保护国王 我生命中的... +"我生命中的每一刻 都是这城墙中的一块砖" +"可如今,这城墙已随岁月日渐腐朽" +"曾经巡视着这城堡的敏锐目光在渐渐模糊" +您看了我的信? +是的 +这里面的每一个字都是写给我的,是吗? +谁... +是谁告诉您的? +是妈妈 +她违背了誓约! +她犯了罪! +我这辈子都在掩藏这个秘密 +王后犯了罪啊! +- 不 +妈妈并没有犯罪 +看看她的信 +"信乃心之所选" +"信条源自情理" +"那是你的心、你的思想认为正确的东西" +妈妈实践了她的信条 +而现在,我 ,您的儿子... +...将实践我的 +请离开这里吧 +您... +你... +孩子... +你不能这样放逐我 +你不能! +一个儿子怎么能放逐他的父亲呢? +但一位国王... +可以解雇他的皇家护卫 +我,Harshwardhan国王 带着最高的敬意... +命令你,EKlavya 马上离开Devigarh城堡 +是,殿下! +爸爸,回到您那平静的村庄去吧 +好好享受简单而快乐的田园生活 +我会把您接回这城堡的 但在那之前... +我要先清除那些疯狂叫嚣的"信条"和"责任" +然后替换上您孙子欢乐的笑声 +我想看到您的笑容 您以前受的苦太多了 +Harsh! +Harsh,村民们告诉我 你命令EKlavya离开这里 +真的吗? +为什么? +看这个 +嘿! +谁在那儿? +是你? +你来这儿干什么? +Harshwardhan国王他... +- 说什么呢 +大声点! +Harshwardhan国王把我开除出了他的城堡 +我在另找工作 +没有适合我的工作的话 +给您擦鞋也行 +出去! +我说滚出去! +别让我再看见你的脸 +您的心愿就是我的职责 +立刻滚出去! +黑暗已经遮住了我的脸,Udaywardhan +可我却清楚地看见你的 +我看见了杀死国王的凶手的脸 +你的子弹用光了 +现在任何一种声响... +...都会意味着你的死亡 +我仍然能听见你,Udaywardhan 我听见了你的每一次呼吸 +小声点儿 +安静些,别出一点儿声 +安静才能活命 +要是你现在呼吸了 我就能追随着我的信条而行了 +你的死亡就是我的责任 +你怎么来了? +Harshwardhan国王把我开除出了他的城堡 +我给您带了一份离别礼物 +很好,就放在门口吧 +您不看看吗? +我说了... +这里面是什么? +打开 +Uday? +你对我儿子做了什么? +他在哪儿? +Uday在哪儿? +他正沿着铁轨散步呢 您要和他一起吗? +你见过EKlavya笑吗? +没人见过... +除了我 +那时他解救了挨打的我 +谁打你? +-我爸爸 +你一定是干了什么坏事 -不是我,是你 +我? +我干了什么? +你不记得了? +- 我想不起来了 +王后那时揪着你的耳朵 +你大喊着 "一位王后怎么能这样揪住她的王子的耳朵?" +哦,是啊 那时我在大家面前亲了你 +后来EKlavya在爸爸揍我的时候解救了我 +他带我去骑骆驼,还给我番石榴吃 +可我还是很难过 - 为什么? +我说,"我还没有回亲他呢!" +当他听到这句话的时候 +他笑了 +就像现在的你一样 +我得告诉你一些事 +什么事,Harsh? +这是我父亲的枪 +要不是为了你和Nandini +我向神明起誓,我... +你吓到我了 +我还害怕... +怕你会离开我 +绝对不会的,我保证... +等等,先听完我要说的话 +然后再作承诺 +你干了什么? +你杀了我儿子! +他杀了我的国王 +我不过是实践了我的信条 - 实践了你的信条? +干得好! +非常好! +那就去杀了那个下令刺杀国王的人啊 +告诉我他的名字 +我就会带他的头来见你 +你会带你儿子的头来见我? +好! +很好! +是Harshwardhan下的刺杀命令 让我看看你怎么取他的人头! +是Harsh! +Harshwardhan,你的儿子! +砍下你儿子的头吧,实践你的信条 +是Harshwardhan! +别走,Rajjo +求你了 +这是为谁? +你杀了我爸爸,Harsh +你以职责之名杀了我儿子 现在就以职责之名,去杀了你儿子吧 +你说谎! +! +-这是事实,他... +Nandini睡了吗? +是您? +您在这儿干什么? +在等你 +您的脸上有血 +是谁的? +我不知道 +Udaywardhan的... +Jyotiwardhan的... +我把他们都杀了 +而现在您来这里杀我? +是的 +但在我的短剑射中目标之前 +我必须听你说出真相 是你下令杀了国王吗? +是我 +那么我,这个城堡的皇家护卫 +同时也是你的父亲 +必须履行我神圣的职责 +准备受死吧 +我的亲生父亲来杀我 +多么好的死法 +我准备好了 +为什么你要这么做? +我从没想过,你会为了王位杀人... +您竟以为我杀他是为了王位吗? +那就动手吧 把你的短剑刺入我的心脏 +来啊! +您无法投出那把短剑 +因为您知道您的儿子绝不会这么下作 +那是为了什么? +为什么要犯下这么可怕的罪? +为什么? +信乃心之所选 +我选择救您的命 +看看这幅画,他杀了我妈妈 +他用他的双手扼死了她 +您知道为什么吗? +因为她的双唇一直呼唤您的名字 +我知道下一个死的会是您 +您知道您的身价是多少吗? +只有两千五百万! +我用十倍的价钱救了您的命 +谎言! +! +都是谎言! +这不是真的! +我的国王绝不会这么做 +永远不会 +他不会的 +你听到的都是Nandini的一面之词 +这有可能都是她的幻想 +就像她画的那些飞马 +你别想动摇我的决心 +那就别让它动摇啊,EKlavya +切下你的拇指,实践你的信条 +信条? +信条超越所有的疑问 +信条是无可争议的 +如果这时我的信条动摇了 +我家九代人都会在地狱承受焚身之痛 +妈妈告诉我要履行自己的职责 就像那个坚定的EKlavya +你的死亡... +...就是我的职责 +可是,您的手在颤抖 +当年迈父亲的双手开始颤抖 +他儿子的职责就是伸手帮他一把 +我的儿子啊,你身在何方? +- 我迷失了方向 +但我会找回我的路 +我的双手沾染了鲜血 +那是Rajjo父亲的血 +我永远也无法洗刷干净 +就让这些血迹随着我一起燃烧殆尽吧 +好好对待Nandini +告诉她,妈妈一个人太寂寞了 所以我去和她作伴了 +我会告诉妈妈,我履行了我的诺言 +我还要乞求Rajjo父亲的宽恕 +我会完成您的职责 +您的职责... +就是我的死亡 - 住手,Harsh! +住手! +这是我的职责 +我的手也许在颤抖,可我的心很坚定 +我的眼睛看不清了 +可我的耳朵不会遗漏任何动静 +一句... +只要... +...一句话... +我的短剑就会找到你 +爸爸 +爸爸 +我以为您从不会失手 +我没有失手,这是我投得最好的一次 +与其砍下我的拇指 +我选择弄伤那只想要杀死我儿子的手 +你是对的,孩子 +EKlavya做错了 EKlavya做错了 +EKlavya做错了 +错得离谱 +妈妈,请赐予我力量 +让我能追随您的脚步 +愿我的良知能指引我 +我的心要我原谅Harsh +他是做错了事,但他的心灵是纯洁的 +他本想用他的生命来赎罪 +已经有太多的生命消逝,太多的鲜血流淌 +如果必须有人来阻止这一切 +就让我来吧 +请保佑我,妈妈... +让我能减轻他的痛苦,让他忘记... +好好照顾他吧,孩子 +他有一颗高尚的心灵 看看他为我们做了什么... +整个村庄都在这儿感谢他 +他归还了我们的土地 +Harshwardhan国王万岁! +. +万岁... +...Harshwardhan国王! +Harshwardhan国王万岁! +我归还你们的土地是出自我的私心 +我想让我的父亲感到自豪 +今天,你们所有人都是我的见证 +我在此承认EKlavya是我的父亲 +孩子 +爸爸 +警察怎么来了? +- 是来逮捕我的 +是时候抵偿被我杀死的那两条人命了 +恐怕我有些坏消息要宣布 +我已经准备好了,走吧... +- 等等 +今天,我们搜查了Udaywardhan的房间 +在DVD盒里找到了一封自杀遗言 +Bablu... +您看 +真是皇室的耻辱 +他们知道我就快逮到他们了 于是就找了个简单的解脱方法 +他们跳到一辆飞奔的火车前面,自杀了 +真可惜 他们终究还是逃出了我的掌心 +我不会宽恕他们的 +这字挺好的,对吧 +很好 +好极了! +是不是,爸爸? +陛下叫你们俩去 马上! +现在? +去哪儿? +皇后喜欢十四行诗 +莎士比亚 +她去世的时候 我正给她念 +伊克洛维亚 你想在哪里火葬? +陛下? +苍天不容 要是你死于意外... +...在哪里火葬你? +陛下... +我的家乡 +那怎么行! +你服侍了我们那么久 +你的火葬... +应该有皇室的排场 +躺在你的皇后的旁边 +趴下 陛下... +杀死他! +杀死他! +你在干什么? +杀了他! +你聋了吗? +快动手! +是的 陛下 你的心愿就是我的职责 +陛下... +陛下... +陛下 他们抓走了我的弟弟 他们说是我们杀了国王 +他们要绞死我们的孩子 +- 他们说我们是农民 +可我们连耕地都没有 +刚开始没收我们的土地 现在又抓我们的孩子 +我们想反抗 他们却杀死了我们的领袖彼克... +...还说他是自杀的 陛下 听我说 +我们被陷害了 +够了 我再也不能忍受了 +谁的骆驼? +这是谁的骆驼? +回答我! +瑞秋... +? +我会和瑞秋结婚 +上帝保佑你 +我能进去吗? +现在这里是你的家了 瑞秋 你可以来去自由的 +谢谢你 +谢什么? +谢谢你让我的父亲没有留下遗憾 +你的承诺 让他走得很安详 +我看见他笑了 +现在他走了... +我不会要求你实现承诺 +瑞秋 我... +- 请听我说完 +但我并不因你的承诺而高兴 +当我还是个小女孩... +...我就梦想有一天能嫁给你 +现在梦想实现了 +父亲总认为我很天真 +可我有这信念 +我总是觉得... +...你会真的爱我 +而不是你的同情和可怜 +我能说话了吗? +瑞秋... +为什么妈妈信任地把最后一封信交给你? +为什么娜蒂妮那么爱你? +一听见你的名字 她都很高兴 +事实是... +...我也有同样的感觉 +可是我依然保持沉默 我不能表达自己 +娜蒂妮可以 +她是城堡里唯一坦白的人 +你知道这里... +对每个人而言都是危险的 +这座城堡里的各种礼教约束 很让我头疼 +瑞秋 ... +我再也不是你理想中的哈什了 +这五十年来 你在这里享尽了优待 +当国王最需要你的时候 你却躲在驼群后面 +尤迪! +凶手踢掉你的枪时 你在打瞌睡? +尤迪! +你得尊重伊克洛维亚 +他们家族世代保护我们的国王 +他耳聋眼瞎的 +否则那些没用的农民也碰不到陛下 +警官 你查到什么了吗? +我们查出 驼群是一个叫哈瑞亚的农民的 +他正在接受审问 +砍掉哈瑞亚的腿 那能让他老实点 +凶手不是农民 +伊克洛维亚? +这里有几个手指? +这么近都看不见 又怎么判断凶手不是农民? +伊克洛维亚的父亲为保护国王而牺牲 +很多人唱民谣歌颂他 +告诉我 伊克洛维亚 你怎么就躲过那些子弹了? +那些农民饶了他 +同样的贱民 +噢! +我明白了 那些混球的兄弟伙 +警官 请暂时带他出去 +先生... +你不能用枪去反驳 +他们说凶手踢掉你的枪时... +...我在打瞌睡 +因此你就要杀了他们? +是的! +先生 那是不理智的 为什么? +我并没有跟谁说过... +...我的枪被凶手踢掉了 +他们怎么会知道? +你说什么 先生? +他们暗杀了我的国王 +我认出了他鞋上的钉 就是他们 +- 让我去 +- 先生... +请冷静 +让我去解决 这是我的职责 他们是我的"猎物" +你解决不了 给我让开 +我向你保证 我会逮捕他们 不管... +正当与否 +你知道他们杀了农民领袖彼克? +他的自杀遗书是假的 他们会使一样的招 +一样的铁道口 一封伪造的自杀信 +这是我的工作 我会解决的 +让我去 帕努 +要是我让你去了 你杀了他们 会被判绞刑的 +那又怎样? +我不在乎... +- 那我不得不拘捕你了 +那我不得不先杀了你 +把枪给我 +够多的伤亡 给我 +你不清除我眼睛盲的程度 +他们杀了国王 你会是下一个 +他们一样会在驼群后杀你 +外面有辆吉普车 开车离开这儿 +那边会有人接你 +你自由了 走吧 +走? +杀国王的凶手还没有抓到 +我就是这城堡的墙 +我的存在只为了保护国王 每一刻... +..."我的生命何尝不是这城堡的一块砖 +而这城墙已随岁月逐渐腐朽 +曾经敏锐的目光也已变得模糊" +你看过我的信? +是的 +每个字都是写给我的 对吗? +谁... +谁告诉你的? +妈妈 +誓约! +她违反了! +我承诺一生隐埋秘密 +皇后违反了誓约! +- 不 +妈妈没有 +她的信 +"誓约 智慧 真理" +誓约生于理由和智慧 +誓约是你的灵魂所能接受的真理与圣洁 +妈妈履行了她的誓约 +而我 你的儿子... +...也将履行我的誓约 +请离开这个地方 +陛下 +先生 +儿子 +你不能流放我 +你不能! +一个儿子怎么会流放父亲? +而一个国王... +...可以流放王室守卫 +我 哈什国王 以最崇高的权力... +命令你 伊克洛维亚 马上离开这里 +遵命! +父亲 回到那平静的乡村 +享受简单快乐的农村生活 +我会接你回来 那时候... +...我会甩掉脑子里那些发狂的 "誓约"和"职责" +取而代之的是欢庆 和你孙子带来的快乐 +我希望看见你的笑容 你太苦了 +哈什! +哈什 村民们告诉我 你命令伊克洛维亚离开这里了 +真的吗? +为什么? +看这个 +嘿! +是谁? +你? +你来这儿干什么? +哈什国王... +- 说什么 +大声点! +哈什国王让我离开了城堡 +我得另谋职业 +什么工作都行 +我可以为你擦皮鞋 +出去! +给我滚出去! +别再让我看见你的脸 +你的愿望就是我的工作 +快出去! +黑暗淹没了我的脸 尤迪 +可我却看得清你的脸 +我看见杀死国王的凶手的脸 +你的子弹用尽了 +再发出一点声音... +...就是你的死期 +我听着呢 尤迪 我能感觉你的呼吸 +安静 +安静 别出声 +安静才能活命 +要是你再喘息 我就解决你 +让你死是我的职责 +你来这儿干什么? +哈什国王让我离开了城堡 +我给你送来了告别的礼物 +那好 放在门口就离开吧 +你不看看? +我说... +是什么? +打开 +尤迪? +你对我儿子干了什么? +他在哪儿? +尤迪在哪儿? +他在铁轨旁徘徊 要和他一起吗? +你见过伊克洛维亚笑吗? +没人见过... +除了我 +我挨打的时候他帮了我 +谁打你? +- 爸爸 +你一定做了坏事 +- 不是我 是你 +我? +我做了什么? +你不记得了? +- 不记得了 +皇后扯你的耳朵 +你哭喊着 "一个皇后怎么能这样拉王子的耳朵?" +是啊 我当众亲你 +伊克洛维亚帮我不挨爸爸的打 +还带我去骑骆驼 给我买石榴吃 +但我还是很可怜 +- 为什么? +我说"我不会去亲回来了" +他听了... +...就笑了... +...就和现在的你一样 +我得告诉你一些事 +什么事 哈什? +这是我父亲的枪 +要不是为了你和娜蒂妮... +...我向上帝发誓 我... +你别吓我 +我也吓得要命 ...担心你会离开我 +不会的 我保证... +...等等 先听我说... +...然后再承诺 +你干了什么啊? +你杀了我的儿子! +他杀了我的国王 +我履行我的职责 +- 履行你的职责? +干得好! +非常好! +现在去杀了那个人 那个谋划杀死国王的人 +告诉我他的名字 +我去取他的人头 +你去取你儿子的人头? +好啊! +太好了! +哈什安排的谋杀 让我等着你取他的人头! +哈什! +哈什 你的儿子! +砍掉他的头 履行你的职责 +哈什! +等等 瑞秋 +求你了 +为谁? +你杀了我的父亲 哈什 +职责让你杀了我的儿子 为了职责 去杀你的儿子啊 +谎言! +- 是真的 他... +娜蒂妮睡了吗? +你? +你来这里干什么? +等你 +你脸上有血 +谁的血? +我不知道 +尤迪的... +杰伊提的... +我杀了他们俩 +现在你来这里杀我 +是的 +在我的匕首确定目标之前... +...我必须知道真相 是你谋划杀了我的国王吗? +是我 +那么我 城堡的守卫... +...以及你的父亲... +...必须履行我的职责 +准备受死吧 +我的亲生父亲将杀了我... +...多么好的死法 +我准备好了 +为什么这么做? +我无法想像 在驼群那儿你几乎杀了我... +...你认为是我... +...在驼群后面? +继续吧 把你的匕首插入我的心脏 +来吧! +你做不到 +因为你知道你的儿子决不会退缩 +为什么? +为什么这么罪恶? +为什么? +"誓约 智慧 真理" +我救了你的命 +看这个 是他杀了妈妈 +他的双手杀了她 +知道为什么吗? +因为她一直呼唤着你的名字 +我知道他们会杀了你 +而你的王子为你做了什么? +两千五百万! +我给了他们十倍让你活命 +撒谎! +全在撒谎! +不可能是真的! +我的国王不会这么干 +永远不会 +他不会的 +这些只是娜蒂妮的话 +这可能是她的幻想... +...她的胡思乱想 +别试图改变我的决心... +...醒醒吧 伊克洛维亚 +砍掉你的拇指 履行你的誓约 +誓约? +誓约的前提是事实 +誓约站在真理这一边 +要是这一刻我的誓约有所动摇... +...违反誓约的话 我们家族就会被埋葬 +妈妈告诉我履行自己的职责 就像坚强的伊克洛维亚一样 +你的死... +...是我的职责 +可是 你的手在颤抖 +当一个年迈的父亲双手开始颤抖... +...他儿子的职责便是伸出援助之手 +你在哪 我的儿子? +- 我迷失了方向 +但我会回来 +我的双手沾满了血 +瑞秋的父亲 +一辈子也洗不干净 +让这些血迹随我的火葬一起被焚毁 +请照顾好娜蒂妮 +告诉她 妈妈很孤单 所以我离开她去陪伴妈妈 +我可以告诉妈妈 我履行了我的承诺 +我可以祈求瑞秋父亲的宽恕 +我可以完成我的使命 +你的职责... +就是我的死亡 +- 住手 哈什! +别! +这是我的誓约 +尽管我的双手颤抖 但我内心坚定 +我眼瞎但... +...我的耳朵好使 +我... +只要... +...一句话 ... +...我的匕首会找到你 +父亲 +父亲 +我以为你从不会失手 +我没有失手 那是我最好的一掷 +"砍掉我的拇指... +...我的职责是你的死亡" +...那会杀了我的儿子 +你是对的 儿子 +伊克洛维亚错了 +伊克洛维亚错了 +错得那么严重 +妈妈 给我力量... +...追随你的脚步 +给我指引 +我的心告诉我应该原谅哈什 +他支支吾吾 可他的心是纯洁的 +他愿意为此付出一生的代价 +太多的生命消逝 太多的血流失 +必须有人制止 +交给我吧 +祝福我吧 妈妈... +...让我去减轻他的痛苦 帮他忘记所有的难过... +...好好照顾他 孩子 +他有着高尚的心灵 看看他为我们所做的一切... +...所有村民都来感谢他 +他归还了我们的土地 +哈什国王万岁 +万岁... +- ... +哈什国王! +哈什国王万岁! +我归还你们土地有自私的原因 +我想让我的父亲感到自豪 +今天 所有在场的人们都是我的见证人... +...我在此证实 伊克洛维亚是我的父亲 +儿子 +父亲 +警察来干什么? +- 来逮捕我的 +是时候以命抵命了 +恐怕我有些坏消息要宣布 +我准备好了 走吧... +- 等等 +今天 我们调查了尤迪的房间... +...在DVD盒里发现了自杀遗书 +巴布鲁... +看看吧 +皇室的人渣 +他们知道我要抓他们 所以他们选择了更简单的解脱... +...往高速行驶中的火车上跳 系自杀 +太遭了 终究还是逃出了我的掌心 +我心里是怎么都无法宽恕他们的 +先生 好手迹 不是吗? +很好 +太好了! +不是吗? +爸爸 +在远古的摩诃婆罗多时代 +有个低种姓的男孩... +渴望能学会射箭的技艺 他想拜入伟大的导师Dronacharya门下 +可是Drona拒绝了他 +他是王子和国王的老师 怎能去教导一个底层阶级的卑贱之人呢? +男孩儿回到了丛林 +制作了一尊Drona的雕像 +并尊这座雕像为师 然后夜以继日地苦练箭术 +有一天,Drona外出打猎 +突然,他的猎狗不再叫唤 +七支箭矢牢牢地封住了它的嘴 +这位射手的技艺是如此高超 +以至于那狗都没有感受到痛楚 也没有流下一滴血 +没有痛楚,没有流血 没有痛楚,没有流血 +Drona震惊万分 这个技艺高超的射手是谁? +是个不可思议的神射手吗? +你知道是谁吗? +- EKlavya! +他叫EKlavya 你的名字也叫EKlavya +是啊 我妈妈就是照着那个伟大的射手给我取的名字 +片名: +「皇家护卫」 +然后呢? +-然后,Drona很困扰 +这个贱民的技艺 超过了他最好的学生Arjun王子 +他必须得加以阻止 +Drona说"孩子,你在我的雕像前练习箭术..." +"... +把我认作你的导师 这样你就得付给我报酬" +EKlavya笑着说 "您想要什么都可以,我的老师。" +你知道Drona要了什么吗? +-什么? +EKlavya的右手拇指 -他的拇指! +为什么? +没有了拇指,EKlavya怎么拉弓弦呢? +这样他就永远不能盖过Arjun王子的光采 +EKlavya没有切下拇指,对吗? +EKlavya仅仅笑了一下,切下了拇指 然后呈在了他老师的脚下 +没有痛楚,没有流血 没有痛楚,没有流血 +不,Nandini 是痛入骨髓,血流如注 +但是,EKlavya毫不退缩地实践了他的信条... +...他神圣的责任 -这是什么信条? +这个信条是不对的 要是我就拒绝 +EKlavya做错了 +EKlavya做错了 +"吾可否将汝比作夏日璀璨?" +"汝可是更加温婉,惹人怜爱" +"狂野之风摧残五月蓓蕾娇媚" +"夏日匆匆离去,毫不停留" +"苍天之明眸时而过于灼热" +"而其金色脸容亦常蒙上荫翳" +"一切优美之形象总不免褪色" +"遭遇偶然摧折,抑或自然老去" +还记得这首十四行诗吗? +你第一次来Devigarh的时候 我念给你听过 +你还送了我这朵花 +它现在都已经枯萎了 +"而汝之长夏..." +"而汝之长夏却永远繁茂不凋" +"秀雅风姿将..." +妈妈在叫EKlavya +我亲爱的儿子,神明保佑 王后的病情有所好转 +可是阴郁仍吞噬着我 +提笔写信是我唯一的慰藉 +我的心只有通过这些文字诉说衷肠 +剩下的则是沉寂 +我只是这座城堡的城墙 +我的存在只是为了保护国王 +而我生命中的每一刻都是这城墙中的一块砖 +可如今,这城墙已随岁月日渐腐朽 +曾经巡视着这城堡的敏锐目光在渐渐模糊 +而我的耳朵却不会遗漏任何动静 +它在渴望着什么? +也许,是想听到你对我的呼唤 +当年迈父亲的双手开始颤抖 +他儿子的职责就是伸手帮他一把 +我的儿子啊,你身在何方? +水? +要喝水吗,我的王后? +妈妈说,让EKlavya来 +妈妈说,让EKlavya来 +你要喝点儿水吗? +-EKlavya +你要叫谁,亲爱的? +-EKlavya +谁? +-EKlavya +不! +不! +妈妈死了 现在我们不需要叫EKlavya了 +EKlavya! +快来王后的房间,马上! +去传召我儿子,EKlavya +去叫我儿子! +快点! +爸爸 +您的眼睛怎么样了? +很好啊 +很好? +一点儿也不好,王子 +刺眼的阳光让他几乎失明 +Rajjo带他去看了医生 +医生说他的眼睛是... +"光敏性" +是啊,妈妈在她的信里提到过 我会去找医生谈谈 +Rajjo还好吗? +-她很好,谢谢关心 +王后生病时,Rajjo一直悉心照料 +她说王后真的很想念您 +过来 +快点! +一位王子怎么能这样出去抛头露面? +一位王后怎么能这样揪住她的王子的耳朵? +哦? +她不能这样吗? +那你想让她怎么做啊,厉害的小王子? +她应该说对不起 -对不起,对不起,可以了吗? +你回来真是太好了,Harsh +没能在你母亲最需要你的时候出现 你真该羞愧 +无论如何,现在说什么都太晚了 +走,进去吧 +望您赐福 -她一直在叫着你的名字 +然后离开了我们 +我说,"我在这里!" +"你的丈夫就在这儿,叫我的名字" 可她却始终没叫 +只是一直唤着你的名字 +你知道这是什么样的感觉吗? +我感到很... +只呼唤着你的名字 然后... +她就走了 +大哥 +温柔的心总是受伤 她本来有所好转,可还是... +去吧,去准备一下 +葬礼必须在日落之前开始 +去换上白色的缠腰布 已经在你房间里准备好了 +这是这里习俗,他们很在乎这个的 走吧 +王后啊,您在临终前说"好好照顾Harsh" +请您赐与我力量 +让我能减轻他的悲痛 +请您指引我,王后... +他怎么样了? +-怎么这么着急啊,孩子? +看见那座城堡了吗? +你的爱比不过那高高的城墙... +他问起我了吗? +-问了 +他问了什么? +-"Rajjo还好吗?" +看吧 +神啊,请保佑我的女儿 +她是这么单纯,这么天真 +请不要伤她的心 +Nandini +Nandini,你在哪儿? +国王啊国王,Nandini公主在家吗? +Nandini公主不在 +哦! +那她会在哪里呢? +她和她的妈妈去神庙了 +那请告诉她,她的Harsh哥哥来看过她 +她会的... +我是说... +我会的 +好吧,那我就回伦敦去了 +你笨蛋! +笨蛋! +你难道不知道吗? +妈妈死了 我怎么和她一起去神庙呢? +我没想到 -不要再跟我说什么离开了 +所有人都离开我 +只除了Rajjo 可她每天晚上还是会离开我 +Rajjo,晚上留在这里吧 我一个人害怕 +你会留下吧,Rajjo? +你还好吗,Rajjo? +-我很好 +你爸爸都告诉我了 你把我妈妈照顾得很好 +Rajjo一直陪在她身边... +一直一直 +王后真的很想念您 +她给您留了一封信 +她嘱咐说让您独自拆阅 +然后她说:"好好照顾Harsh" 是吧,Rajjo? +亲爱的儿子... +不知我或者我的这封信... +能不能在你回来的时候祝福你 +我每一次呼吸都小心翼翼 深怕那会是我的最后一口气 +我多么希望能活着抱你最后一次 +但我恐怕是等不到那一刻了 只能用这封信... +...来告诉你,你的身世之谜 +儿子啊,Jaywardhan国王并不是你的生父 +他也不可能是 那是神所不乐见的 +当他被发现无法为王国带来继承的子嗣时 +你的祖母求采取了一个古老的传统 +就是从一位贤者那儿得到一个继承人 +这个追求将我们带到了圣河甘戈特里的岸边 +EKlavya也和我们在一起 +王太后信任EKlavya更甚于任何贤者 +我也一样 +你和Nandini有个高尚的父亲 就是EKlavya +我现在将一切告诉你,是因为你的父亲需要你 +他日渐衰老,眼睛也几乎失明 +如果你父亲知道我向你泄漏了这个秘密 +他一定会觉得我亵渎了我们的誓约 我违背了我的信条,我神圣的职责 +但我相信 信条应该是如伟大的《摩诃婆罗多》所说 +"信乃心之所选" +信条源自情理 +信条源自智慧 +那是你的心、你的思想认为正确的东西 +信条是你的灵魂所能接受的真理和圣洁 +我已经实践了我的信条 +现在,我的儿子... +你必须实践你的 +答应我,你会好好照顾你的父亲 +我答应您,妈妈 +我要砍下EKlavya的脑袋 然后把它挂在城门上! +他玷污了我们皇室高贵的血统 +为什么你以前不告诉我? +那时我自己都不知道 +这么多年来我一直相信着我们的母亲 +她说那人是甘戈特里的一位贤者 +我相信了她 +王后生下了双胞胎 +其中有一个 是神志有问题的女儿 +即使那样,我也接受了 +可是今天我才发现 +一无是处的护卫... +他才是我的孩子的父亲 +他和我的王后睡过 +Jyoti,他生下了我的孩子 +我的妻子... +和我的护卫! +这么多年来他是多么顺从啊 卑躬屈膝的 +他心里一定是笑翻了 +笑我的不育,笑我的一切缺点 甚至还有这个,Jyoti! +EKlavya来了 +混账东西! +殿下? +告诉他,Jyoti! +殿下刚才收到了一份死亡威胁 +来人说,我们必须把农民的土地归还他们 +否则国王就会死于非命 +怎么会这样? +他们无法还清欠下的债务 我们就收了他们的土地 +BhiKu,他们的头领 被发现死在了铁轨上 +身上还有一封自杀遗言 +可他们控诉是我们谋杀 这群狗杂种! +你现在就去,去啊! +去找我的儿子,然后告诉他 他父亲的生命正处于危险之中 +谁的生命? +是他父亲的 快去! +Jyoti +我说的是实话,对吗? +不管Harsh的父亲是谁 +他都会死 -这毋庸置疑,大哥 +明天日落之前 EKlavya就会在他的火葬柴堆上被烧焦 +就像我们的王后一样 +王子,我到处找您 您一个人在这儿干什么? +妈妈现在孤身一人,EKlavya。 +所有人都遗弃了她 +你能陪我们坐会儿吗? +她会因此而高兴的 -您现在需要返回城堡 +您父亲收到了一份死亡威胁 +我父亲? +我有父亲吗? +你见过我父亲吗? +我想见他 +告诉他,我孤单地坐在这儿陪着我的妈妈 +告诉他,我想念他 他能来陪我们吗? +妈妈对他来说算什么? +无关紧要吗? +他连这都做不到吗? +我们走吧... +...王子 +我想大哭一场,EKlavya +可是却流不出眼泪 +你能给我些支撑吗? +拜托了 +儿子啊,请别这样伸出你的手 +如果我握住了你,就会招来灾难! +在那次宿命的甘戈特里之旅后 +你的母亲和我就形同陌路,直到最后 +我们起过誓,不会让我们的孩子知道... +我才是他们的亲生父亲 +Nandini天真无邪的笑声啊... +击碎了我的心 +我多想抱着她大喊"我是你的爸爸啊" +但这是决不允许的 +决不 +Harsh! +你在哭吗,Harsh? +为什么? +别这样 你是想妈妈了吗? +她一直在我们身边啊,傻瓜 我们有很多的妈妈 +一,二,三,四... +你想见她们吗? +看到了吗? +"排灯节的妈妈",她很漂亮对吧? +"过生日的妈妈" 你看啊 +"在神庙的妈妈" +"一闪一闪亮晶晶的妈妈" +还有这个是... +不,不是这张 +这张画得不好 -给我看那张画 +不要! +这张很可怕 +上面有血 -好了,好了 +告诉我,那上面是什么? +这个秘密不能传出那个房间 他会杀了我的 +谁? +-我不能告诉你 +如果这个秘密传出了那个房间 他就会杀死我 +哪个房间? +如果这个秘密传出了那个房间 他就会杀死我 +哪个房间? +好了,这个秘密永远不会离开妈妈的房间 +可是门是开着的 +你很紧张吗,Bablu? +别担心,我们生活在一个民主的社会 这些个国王不过是纸老虎 +我的警棍比他们的剑更有威力 +嘿,Bablu 瞧见这城墙了吗? +我的祖父就被活埋在这墙里 +就好像新建筑开幕时要剪断彩带一样 +这些国王杀死我们这些贱民以求好运! +来见过我的祖父,Kalwa Chohar +要不是我渴望再见到EKlavya +我甚至都不愿在这破城堡撒尿! +来吧 +先生,还认识我吗? +我是Pannu,Pannalal Chohar Dhannalal Chohar的儿子 +愿您赐福 +您还记得那次十胜节的集市吗? +我就是那个抓下铃铛的男孩 +想起来了吗? +你那时好厉害 我整晚都睡不着觉 +我那时就想,我要成为像您那样杰出的人 +而现在我做到了 我,警察局长Pannalal Chohar +谢谢您,先生 +只要能让我再看一次您那精湛的技艺 我愿付出一切 +可以吗? +求您了 +我不确定现在还能否做到,孩子 +试试又何妨 +先去见过殿下吧 请进 +等等 您能保证吗? +是的,进来吧 +这些该死的农民都疯了! +他们威胁说要杀了我 +你在做笔录吗,Bablu? +不要以为是我做不好笔录,殿下 +为什么有麻烦的国王要躲在他巨大的宫邸里? +他是害怕那些贫穷赤裸的农民的激愤吗? +难道他不明白"时光变迁,岁月无情"吗? +你竟敢嘲笑我? +别忘了,我是Jaywardhan国王 +而你只不过是个... +-贱民? +我可不愿这么说 +在我们民主的社会里,歧视可是犯法的 +是哪个法案规定的来着,Bablu? +别管是哪个法案了,手铐会说明事实 +世世代代,我们就是法律 你竟敢在这里和我说手铐? +我们已经统治了2000年了 +而我们已经受了5000年的苦了! +我就是那个被活埋在这城堡里的 低种姓男人的孙子 +你是生得命好! +而我是那些贱民的孩子 他们的手被砍断了 +只因为他们触碰了圣书 +真是受够历史了! +你的保安会在一小时内到达 +一小时? +让我来告诉你"民主"的意思,殿下 就是"自由意志",明白了? +有的警察会在茶棚里,有的在甜品店 +集合他们需要时间,不是吗? +我告退了 +可以吗,先生? +现在可以展示给我看了吗,先生? +-你还真不容易死心,Pannalal +您以为一个贱民是怎么变成一个高阶官员的? +Bablu,眼罩! +-不需要了 +这阳光就已让我目不能视 +可那时您就是戴着眼罩的 那让人更印象深刻 +好吧 +准备好了吗,先生? +-是的 +我们睁着眼都无法做到 您戴着眼罩是怎么做到的? +淹溺... +我的父亲为了保护他的国王而淹溺在湖里 +我在湖里找了他整晚 +然后妈妈走了过来 -孩子 +这曾属于你的父亲 现在由你来接受并继承它 +从今天开始,他将通过你重生 +从此以后,你就只有一个信条 就是保护你的国王 +如有违背 吾家九代将会在地狱接受焚烧之痛 +如同那位坚定的EKlavya 你也必须追随你的信条 +从那天以后,她就叫我Eklavya... +而我父亲的利剑成了我唯一的伙伴 +没有人知道这个故事 我也不知道我为什么会告诉你 +我来告诉你为什么 因为你跟我是一样的人 +先生,国王受到威胁的时候您在场吗? +没有,只有他的弟弟Jyoti在 +就是住在那铁轨附近的红房子里的人,是吗? +后会有期了,先生 +日落的时候,Eklavya就会来陪你了 到时你想和他做什么都行 +我该怎么办呢,我的王后? +一直以来你都是我的指引者 +我该不该给Jyoti打电话呢? +殿下还没打电话来 +"殿下!""殿下!" +每次听你叫那个太监"殿下" 我就血液沸腾想发火 +如果Harsh这么对待我 我早拿枪打爆他的头了 +Uday,我看起来怎么样? +"殿下!""如您所愿,殿下!" +你怎么对他叫得出"殿下"? +连叫他"伯伯"都让我觉得羞愧 +你叫他"伯伯"叫了多少年? +27年了 -我叫了52年了! +整整52年都是"是的,殿下" "不,殿下" +"您的心愿就是我的职责,殿下" +喂,Jyoti -是的,殿下 +警察已经来过了 +那很好,殿下 我们半小时内就动身 +你的表现在几点? +-下午5: +25 +快了4分钟,请您调一下 +我们下午6: +10见,殿下 6: +10准时 +爸爸... +我们有客人了 +飞走了,飞走了 Rajjo的风筝飞走了! +我剪了它! +我剪了风筝线! +Rajjo故意输了放风筝比赛 Nandini很高兴 +Rajjo是个好姑娘,OmKar +你把她养育得很好 -恰恰相反啊 +我整日忙于为皇室成员开车 +都没注意到 我的小姑娘何时已经长大了 +她很可爱 我现在担心的是她会嫁给谁 +顺其自然吧,OmKar +神射手先生 +这么多年来我一直和你念叨 +要是你肯结婚,然后生个英俊的儿子 +我就没必要担这个心了 +他们会相爱结婚 我们就会成为亲家了,我亲爱的神射手 +看啊! +王子来了 +让我看看 +国王都作了什么啊? +竟修来这么优秀的儿子 +王后的去世让他很孤单 +我真想给他一个拥抱 +爸爸 +不,小王子 您不能叫我爸爸 +我没有那个资格 我只是个卑微的仆人 +我也很想抱抱他 +可我不能,我没有那个资格 +我只是个卑微的仆人 +你把她照顾得很好,谢谢你 +看到她开心,我也高兴 现在您来了,我就先退下了 +请等一下 +你还记得妈妈唱的摇篮曲吗? +月之歌? +-是的 +你能唱给我听吗? +在这里? +现在? +-求你了 +我很想念妈妈 +你听到了吗? +用望远镜你只能看,神射手先生 不是听 +她在唱歌 +"月亮啊,我的月亮" +"温柔地对着我们微笑" +"缓缓地,缓缓地" +"投给我们一瞥后又悄悄躲起来" +"月亮啊,我的月亮" +"温柔地对着我们微笑" +"缓缓地,缓缓地" +"投给我们一瞥后又悄悄躲起来" +"缓缓地,缓缓地" +"在云彩的掩映下看着我们" +"缓缓地,缓缓地" +"在云彩的掩映下看着我们,轻轻微笑" +"月亮啊,我的月亮" +"温柔地对着我们微笑" +"缓缓地,缓缓地" +"投给我们一瞥后又悄悄躲起来" +"温柔地对着我们微笑" +"投给我们一瞥后又悄悄躲起来" +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +-- 本字幕所有权益归制作人所有 纯属翻译爱好者交流学习使用 谢绝它用,否则一切后果自负 +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +-- +片名: +皇家卫兵 +在古代的摩呵婆罗多时代... +部落里有个小男孩... +想学习射箭术 他想拜崇高的大师德鲁格瑞亚为师 +可德鲁拒绝了他 +他是王子和国王的指导者 怎能教地位卑贱的人呢? +小男孩只有回到丛林 +他制作了一尊德鲁的雕塑... +把它当作自己的老师 日复一日地练习射箭术 +一天 德鲁外出打猎 +突然... +他的狗停止了吠声 +七支箭牢牢地封住了它的嘴 +射手能达到如此高超的技艺... +...以致于狗没有疼痛 也没有流一滴血 +不痛苦 不流血... +德鲁万分震惊 这个射手到底是谁? +神射手? +- 你知道是谁吗? +- 伊克洛维亚! +他名叫伊克洛维亚 你的名字也叫伊克洛维亚 +是啊 我的妈妈给我取了这位伟大射手的名字 +- 然后呢? +- 然后 德鲁很困扰 +这个贱民的技艺超过了他最好的学生 王子阿尔杰 +他必须制止 +德鲁说 "孩子啊 你在我的雕塑面前练习... +...要请我当你的老师 你得先付我报酬" +伊克洛维亚笑了笑回答 "无论你要求什么都行 老师" +- 你知道德鲁要求什么吗? +- 什么? +- 伊克洛维亚右手的大拇指 +- 他的大拇指! +为什么? +没有了手指 伊克洛维亚怎么握住弓弦呢? +他永远也无法胜过王子阿尔杰了 +伊克洛维亚没有切断他的拇指吧? +伊克洛维亚只是微笑 然后切断了拇指 献给了他的老师 +不痛苦 不流血... +...不 娜蒂妮 痛之入骨 到处都是血 +毫无畏缩 伊克洛维亚履行了... +...他的誓约 他害怕责任 +- 什么律法? +都是错的 我不 +伊克洛维亚错了 +伊克洛维亚错了 +"我怎么能够把你来比作夏天? +你不独比它可爱也比它温婉 +狂风把五月宠爱的嫩蕊作践 +夏天出赁的期限又未免太短 +天上的眼睛有时照得太酷烈... +它那炳耀的金颜又常遭掩蔽 +被机缘或无常的天道所摧折 +没有芳艳不终于雕残或销毁" +还记得这首十四行诗吗? +你第一次来这里的时候 我读给你听过 +而你送了我这朵花 +它现在都枯萎了 +"但是你的长夏... +但是你的长夏永远不会雕落 +也不会损失..." +妈妈在叫伊克洛维亚 +亲爱的儿子啊 上帝保佑 皇后恢复了知觉 +至今忧伤包围着我 +只有借这笔纸以安慰自己 +只有借这些信件 才能与我的心交谈 +工作之余总是太寂静 +除我之外 就只有城堡的砖墙 +我的存在只为了保护国王 +我的生命何尝不是这城堡的一块砖 +而这城墙已随岁月逐渐腐朽 +曾经敏锐的目光也已变得模糊 +可我的的耳朵却依旧灵光 +它在渴望着什么? +或许 是你的声音在呼唤着我 +当年迈父亲的双手开始颤抖... +...他儿子的职责便是伸出援助之手 +你在哪? +我的儿子 +水? +要喝水吗? +我的皇后 +妈妈说 要见伊克洛维亚 +妈妈说 要见伊克洛维亚 +- 喝点水吗? +- 伊克洛维亚 +- 叫谁? +亲爱的 +- 伊克洛维亚 +- 谁? +- 伊克洛维亚 +不! +不! +妈妈死了 现在我们不再需要伊克洛维亚了 +伊克洛维亚! +快来皇后的房间 快点! +召唤我的儿子 伊克洛维亚 +去叫我的儿子! +马上! +爸爸 +你的眼睛怎么了? +很好啊 +好? +一点都不好 王子 +刺眼的阳光几乎让他失明了 +瑞秋带他去看医生 +他说他的眼睛..."有光感" +是的 妈妈在信里提到过 我去找医生谈谈 +- 瑞秋还好吗? +- 她很好 谢谢 +瑞秋一直在皇后身边照料 +她说皇后真的很想念你 +过来 +快点! +一个王子怎么能这样公开展示自己? +一个皇后怎么能这样拉王子的耳朵? +是吗? +她不能吗? +那你想要她怎么办呢? +厉害的小王子 +- 她应该说对不起 +- 对不起 对不起 好了吗? +你回来就好 哈什 +没能在你母亲最需要你的时候出现 真是羞愧 +无论如何 现在说什么都晚了 +来 进去吧 +- 为你祈福 +- 她一直叫你的名字 +直到离开人世 +我说"我在这里! +你的丈夫 叫我的名字" 她却始终没有 +只呼唤你的名字 +你知道那是什么感觉吗? +我感觉... +只呼唤着你的名字... +然后离去 +大哥 +温柔的心被伤透了 她有所恢复 可还是... +去吧 去准备 +葬礼必须在日落前开始 +要束白色腰带 都放在你房间里了 +是这里的习俗 人人都很敏感 我们走吧 +妈妈 你最后的遗言 "要照顾好哈什" +给予了我力量... +...去减轻他的悲痛 +指引我吧 妈妈... +- 他怎么样? +- 为何如此担忧啊? +孩子 +看见那城堡了吗? +你的心上人越不过那么高的城墙... +...他向你问过我吗? +- 他问了 +- 他问什么了? +- "瑞秋还好吗?" +知道了 +上帝啊 请保佑我的女儿吧 +她是如此纯洁 如此天真 +请别伤她的心吧 +娜蒂妮 +娜蒂妮 你在哪儿? +噢 亲爱的国王 娜蒂妮公主在家吗? +娜蒂妮公主不在这里 +噢! +她去哪里了? +她和她的妈妈去神殿了 +请转告她 她的哥哥哈什来看她了 +她会的... +我是说... +我会的 +那好吧 我回伦敦去了 +你真笨! +你真笨! +你怎么没想到? +妈妈死了 我怎么和她一起去神殿呢? +- 我不这么认为 +- 别再说你要离开了 +每个人都离开我 +除了瑞秋 可她每天晚上还是要离开我 +瑞秋在这里呆到晚上 我一个人害怕 +陪着我好吗? +瑞秋 +- 你好吗? +瑞秋 +- 我很好 +你的父亲告诉我 你一直在照顾我的母亲 +瑞秋一直陪在她身边呢... +皇后一直很想念你 +她留这封信给你 +她让你回去再看 +她一定说"照顾好哈什" 对不对? +瑞秋 +亲爱的儿子... +希望当面问候 却只能用信件问候... +...你的归来 +我小心翼翼地喘息 担心生命就此结束 +我多么希望能再抱你最后一次 +恐怕我等不到那一刻了 这封信... +...会告诉你一切 关于你身世的秘密 +儿子 杰维尔国王不是你的亲生父亲 +他一直被蒙在鼓里 +被发现的话 他一定不会将王位传给你... +...你的祖母采取古老的传统... +...只有贤明的人才能继承王位 +在这些众多人才中 +伊克洛维亚同我们一起 +皇后认为伊克洛维亚最可靠 他超过所有别的人才 +我也这么认为 +你和娜蒂妮有个贵族父亲 他就是伊克洛维亚 +我现在告诉你 因为你的父亲很需要你 +他年纪也大了 眼睛也几乎失明 +要是你父亲知道我泄露了这个秘密... +...他会认为我亵渎了我们的誓约 我没有尽到守约的神圣职责 +但我相信 誓约是... +如同古代的摩呵婆罗多所说的 +"誓约 智慧 真理" +誓约生于理由 +誓约也生于智慧 +那便是你的思想灵魂所认为正确的东西 +誓约是你的灵魂所能接受的真理与圣洁 +我已完成了我的誓约 +现在 我的儿子... +你也必须完成你的誓约 +承诺我 你会照顾好你的父亲 +我承诺 妈妈 +我真想砍掉伊克洛维亚的头颅 把它挂在城门上 +他污染了王室的血统 +你以前怎么没告诉我? +我自己都不知道 +这些年 我一直信任我们的母亲 +她说过 她选择的是我 +我信任她 +皇后生下一对龙凤胎 +其中一个患有精神问题的女儿 +即使如此 我也接受了 +可今天我才发现... +...一个没用的保安... +...我孩子的父亲 +他和我的皇后睡了 +杰伊提 他是我孩子的父亲 +我的妻子... +和我的保安! +这些年那么顺从 卑躬屈膝 +他一定乐坏了 +嘲笑我不育 嘲笑我所有的缺点 还有这个 杰伊提! +伊克洛维亚来了 +混蛋! +殿下? +告诉他 杰伊提! +殿下刚才收到一封死亡威胁信 +信里说 我们必须归还农民的土地... +...否则国王就会死于非命 +这怎么可能? +他们没还清欠款 我们收回了他们的土地 +彼克... +他们的头儿 被发现死在... +...铁轨上 还有一封自杀遗书 +可他们控告我们谋杀 那群混蛋! +现在就去 出去! +去通知我的儿子 他父亲的生命处于危险之中 +谁的命? +他的亲生父亲 快去! +杰伊提! +我把真相说出来了 对吗? +不管谁是哈什的父亲... +- ... +都得死 +- 放心吧 哥哥 +明天日落前 伊克洛维亚将躺在他的火葬柴堆里... +...就像皇后那样 +王子 我到处找你 你一个人在这里干什么? +妈妈也是独自一人 伊克洛维亚 每个人都抛弃她 +你愿意和我们在一起吗? +- 她会因此而高兴的 +- 你得回去了 +你的父亲收到了一封死亡威胁信 +我的父亲? +我有父亲吗? +你见过我的父亲吗? +我想见他 +想告诉他 我和妈妈在这里很寂寞 +想告诉他 我很想念他 他会来陪我们吗? +对他来说 妈妈算什么? +无关紧要? +他力不从心? +我们走吧... +...王子 +我很想哭 伊克洛维亚 +却哭不出来 +你能给我力量吗? +可以吗 +儿子 别这样伸出你的手 +如果我握紧了你的手 会招来灾难的 +那次决定性地甄选... +你的母亲和我形同陌路 直到最后 +我们决定 不让我们的孩子知道... +...我是孩子们的亲生父亲 +娜蒂妮无邪的笑声... +击碎了我的心啊 +我多么想抱着她大声呼喊 "我是你的爸爸啊" +但这是绝不允许的 +绝不 +哈什! +你在哭吗? +哈什 +为什么? +别哭啊 你想妈妈了吗? +傻瓜 她一直在我们身边 我们有好多的妈妈啊 +一,二,三,四... +想见见她们吗? +看看? "妈妈在排灯节" 她可爱吗? +"妈妈的生日" 你看啊 +"妈妈在寺院" +"闪闪发光的妈妈" +还有这个是... +不... +不是这个 +- 画错了的 +- 给我看那张画 +不! +很恐怖的 +- 有血 +- 好吧 乖 +告诉我 怎么回事? +这个秘密不能传出那个房间 他会杀死我的 +- 谁? +- 我不能告诉你 +要是这个秘密离开那个房间 他就会杀死我的 +哪个房间? +要是这个秘密离开那个房间 他就会杀死我的 +哪个房间? +现在 这个秘密绝对不会离开妈妈的房间了 +但是门是打开的 +你紧张吗? +巴布鲁 +别担心 我们生在民主主义社会 这些国王不过是纸娃娃 +我的警棍远比他们的剑有势力 +嘿 巴布鲁 看见那城墙了吗? +我的祖父被那城墙活埋了 +就像剪断开幕式上的绸带一样... +...这些国王杀死我们贱民以求好运! +见过我的祖父 卡洛维加尔 +若不是因为想念伊克洛维亚... +...我也不会坚持到现在 +进去吧 +先生 还记得我吗? +我是帕努 帕努加尔 达南加尔的儿子 +上帝保佑你 +还记得那个市集吗? +我就是接到铃铛的男孩 +还记得吗? +你那时好厉害 我整晚都没谁这 +我当时就想 长大以后要和你一样厉害 +现在的我 警察长官帕努加尔 +谢谢你 先生 +我真想再看一次你的精湛技艺 +可以吗... +求你了? +我不确定现在能否做到 孩子 +尝试一下 +先见过陛下 走吧 +就一会儿 答应我? +好吧 来 +那些该死的农民发疯了 他们威胁要杀了我 +做笔录了吗? +巴布鲁 +别以为我不了解状况 陛下 +为什么有麻烦的国王 只敢藏在巨大的官邸? +他害怕愤怒的农民? +难道他不知道这有多懦弱? +你胆敢嘲弄我? +别忘了 我是这里的国王 +而你只不过是... +- 贱民? +我不想谈这个 +民主社会里 歧视就是一种犯罪 +是哪个法案规定的? +巴布鲁 +不管哪个法案 手铐会说明事实 +世世代代 我们制定法律 你胆敢在这里跟我说手铐? +我们统治了两千多年了 +而我们因此受苦五千年 +我的祖父 被这城墙活埋了 +算你走运! +我是那些贱民的孩子 他们的手都被切下来... +...只因为摸了一下圣洁的书本 +受够了历史! +你的保安得跟我离开一个小时 +一小时? +陛下 民主的意思 就是自由意志 明白? +很多警察在茶摊 糖果店也有 +用他们来换这点时间 不愿意? +先告辞了 +可以吗? +先生 +- 现在就开始吗? +- 别太早放弃啊 帕努 +你怎么看待一个贱民成为高级官员? +- 巴布鲁 蒙眼罩! +- 我不需要 +太阳光够刺眼的了 +带上眼罩 看上去更令人佩服 +那好吧 +准备好了吗? +- 是的 +我们睁着眼睛都无法做到 而你带上眼罩也行 +淹没... +...我的父亲为保护国王溺水 +我在湖水边找了他一整晚 +后来妈妈来了 +- 儿子 +这是属于你父亲的 现在由你来保管它了 +从这一天起 他会时刻陪伴着你 +今后 你只有一个誓约 保护好你的国王 +违反誓约的话 我们家族就没落了 +如同坚强的伊克洛维亚 你必须坚决顺从你的誓约 +那天以后 她叫我伊克洛维亚... +...而我父亲的武器 也成为我唯一的武器 +没人知道这件事 我也布知道为什么要告诉你 +我知道为什么 因为我们俩都一样 +先生 国王收到威胁信的时候你在场吗? +没有 只有他的弟弟杰伊提在那 +就是住在红瓦平房那儿的人 在铁路附近的? +再见 先生 +伊克洛维亚快来陪你了 那时候 你会很快乐了 +我该怎么办 我的皇后? +你总是给我指引 +我该给杰伊提打电话吗? +陛下还没有打电话来 +"陛下..." +每次你一叫"陛下" 我就血液沸腾快发疯了 +要是哈什也让我这么叫他 我会用枪爆他的头 +尤迪 我看起来怎么样? +"陛下""如你所愿 陛下" +你怎么叫得出来 我都不好意思叫他叔叔 +你叫了他多久的叔叔? +27年了 +- 52年! +52年的"是的 陛下" "好的 陛下" +"你的心愿就是我的职责" "我的陛下" +你好 杰伊提 +- 是的 陛下 +警察刚才来过了 +好的 陛下 我们半小时后到 +现在什么时间? +- 下午5: +25 +快了四分钟 请调一下 +我们下午6: +10见 陛下 6: +10准时 +爸爸... +有客人 +吹走了 吹走了 瑞秋的风筝没了! +切断它! +把风筝线切断! +瑞秋故意输给娜蒂妮 娜蒂妮很高兴 +瑞秋是个好女孩 奥迈克 +你把她养育得那么好 +- 很艰辛啊 +每日忙碌 来回为皇室开车... +...我都没注意 小女孩就变成大姑娘了 +她很可爱 我担心她以后会嫁谁 +一切顺其自然 奥迈克 +马斯克曼先生... +...告诉你吧 +要是你有个英俊的儿子... +...我就不担心了 +他们坠入爱河 我们就是亲戚了 是吧 +瞧! +王子来了 +让我看看 +国王怎么对待这么优秀的儿子? +皇后死后 他一直很孤独 +真想给他一个拥抱 +父亲 +不 小王子 别叫我父亲 +我没有权力 我只是个卑微的保安 +我也很想抱抱他 +可是我不能 我没有权力去做 +我只是个卑微的保安 +你把她照顾得很好 谢谢你 +看见她高兴 我也开心 现在你来了 那我先退下了? +请等等 +你还记得妈妈唱的那首歌吗? +月亮颂? +- 是的 +能为我唱一曲吗? +在这儿? +现在? +- 拜托 +我很想念妈妈 +听见什么了吗? +只能用望远镜看看 马斯克曼先生 不是听 +她在唱歌 +"我的孩子 我的月亮" +"柔软的微笑 我的月亮孩子" +"轻轻地走来..." +"... +我的眼眸是你的天空 在这里快乐直到永远" +"轻轻地 噢... +柔柔地" +"乘着风 乘着云 还有满载的微笑" +"微笑吧 我的月亮孩子!" +"柔软的微笑 我的月亮孩子" +"轻轻地走来..." +"... +我的眼眸是你的天空 在这里快乐直到永远" +"柔软的微笑 我的月亮孩子" +"在这里快乐直到永远" +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +-- 本字幕所有权益归制作人所有 纯属翻译爱好者交流学习使用 谢绝它用,否则一切后果自负 +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +- +-- +片名: +皇家卫兵 +在古代的摩呵婆罗多时代... +部落里有个小男孩... +想学习射箭术 他想拜崇高的大师德鲁格瑞亚为师 +可德鲁拒绝了他 +他是王子和国王的指导者 怎能教地位卑贱的人呢? +小男孩只有回到丛林 +他制作了一尊德鲁的雕塑... +把它当作自己的老师 日复一日地练习射箭术 +一天 德鲁外出打猎 +突然... +他的狗停止了吠声 +七支箭牢牢地封住了它的嘴 +射手能达到如此高超的技艺... +...以致于狗没有疼痛 也没有流一滴血 +不痛苦 不流血... +德鲁万分震惊 这个射手到底是谁? +神射手? +- 你知道是谁吗? +- 伊克洛维亚! +他名叫伊克洛维亚 你的名字也叫伊克洛维亚 +是啊 我的妈妈给我取了这位伟大射手的名字 +- 然后呢? +- 然后 德鲁很困扰 +这个贱民的技艺超过了他最好的学生 王子阿尔杰 +他必须制止 +德鲁说 "孩子啊 你在我的雕塑面前练习... +...要请我当你的老师 你得先付我报酬" +伊克洛维亚笑了笑回答 "无论你要求什么都行 老师" +- 你知道德鲁要求什么吗? +- 什么? +- 伊克洛维亚右手的大拇指 +- 他的大拇指! +为什么? +没有了手指 伊克洛维亚怎么握住弓弦呢? +他永远也无法胜过王子阿尔杰了 +伊克洛维亚没有切断他的拇指吧? +伊克洛维亚只是微笑 然后切断了拇指 献给了他的老师 +不痛苦 不流血... +...不 娜蒂妮 痛之入骨 到处都是血 +毫无畏缩 伊克洛维亚履行了... +...他的誓约 他害怕责任 +- 什么律法? +都是错的 我不 +伊克洛维亚错了 +伊克洛维亚错了 +"我怎么能够把你来比作夏天? +你不独比它可爱也比它温婉 +狂风把五月宠爱的嫩蕊作践 +夏天出赁的期限又未免太短 +天上的眼睛有时照得太酷烈... +它那炳耀的金颜又常遭掩蔽 +被机缘或无常的天道所摧折 +没有芳艳不终于雕残或销毁" +还记得这首十四行诗吗? +你第一次来这里的时候 我读给你听过 +而你送了我这朵花 +它现在都枯萎了 +"但是你的长夏... +但是你的长夏永远不会雕落 +也不会损失..." +妈妈在叫伊克洛维亚 +亲爱的儿子啊 上帝保佑 皇后恢复了知觉 +至今忧伤包围着我 +只有借这笔纸以安慰自己 +只有借这些信件 才能与我的心交谈 +工作之余总是太寂静 +除我之外 就只有城堡的砖墙 +我的存在只为了保护国王 +我的生命何尝不是这城堡的一块砖 +而这城墙已随岁月逐渐腐朽 +曾经敏锐的目光也已变得模糊 +可我的的耳朵却依旧灵光 +它在渴望着什么? +或许 是你的声音在呼唤着我 +当年迈父亲的双手开始颤抖... +...他儿子的职责便是伸出援助之手 +你在哪? +我的儿子 +水? +要喝水吗? +我的皇后 +妈妈说 要见伊克洛维亚 +妈妈说 要见伊克洛维亚 +- 喝点水吗? +- 伊克洛维亚 +- 叫谁? +亲爱的 +- 伊克洛维亚 +- 谁? +- 伊克洛维亚 +不! +不! +妈妈死了 现在我们不再需要伊克洛维亚了 +伊克洛维亚! +快来皇后的房间 快点! +召唤我的儿子 伊克洛维亚 +去叫我的儿子! +马上! +爸爸 +你的眼睛怎么了? +很好啊 +好? +一点都不好 王子 +刺眼的阳光几乎让他失明了 +瑞秋带他去看医生 +他说他的眼睛..."有光感" +是的 妈妈在信里提到过 我去找医生谈谈 +- 瑞秋还好吗? +- 她很好 谢谢 +瑞秋一直在皇后身边照料 +她说皇后真的很想念你 +过来 +快点! +一个王子怎么能这样公开展示自己? +一个皇后怎么能这样拉王子的耳朵? +是吗? +她不能吗? +那你想要她怎么办呢? +厉害的小王子 +- 她应该说对不起 +- 对不起 对不起 好了吗? +你回来就好 哈什 +没能在你母亲最需要你的时候出现 真是羞愧 +无论如何 现在说什么都晚了 +来 进去吧 +- 为你祈福 +- 她一直叫你的名字 +直到离开人世 +我说"我在这里! +你的丈夫 叫我的名字" 她却始终没有 +只呼唤你的名字 +你知道那是什么感觉吗? +我感觉... +只呼唤着你的名字... +然后离去 +大哥 +温柔的心被伤透了 她有所恢复 可还是... +去吧 去准备 +葬礼必须在日落前开始 +要束白色腰带 都放在你房间里了 +是这里的习俗 人人都很敏感 我们走吧 +妈妈 你最后的遗言 "要照顾好哈什" +给予了我力量... +...去减轻他的悲痛 +指引我吧 妈妈... +- 他怎么样? +- 为何如此担忧啊? +孩子 +看见那城堡了吗? +你的心上人越不过那么高的城墙... +...他向你问过我吗? +- 他问了 +- 他问什么了? +- "瑞秋还好吗?" +知道了 +上帝啊 请保佑我的女儿吧 +她是如此纯洁 如此天真 +请别伤她的心吧 +娜蒂妮 +娜蒂妮 你在哪儿? +噢 亲爱的国王 娜蒂妮公主在家吗? +娜蒂妮公主不在这里 +噢! +她去哪里了? +她和她的妈妈去神殿了 +请转告她 她的哥哥哈什来看她了 +她会的... +我是说... +我会的 +那好吧 我回伦敦去了 +你真笨! +你真笨! +你怎么没想到? +妈妈死了 我怎么和她一起去神殿呢? +- 我不这么认为 +- 别再说你要离开了 +每个人都离开我 +除了瑞秋 可她每天晚上还是要离开我 +瑞秋在这里呆到晚上 我一个人害怕 +陪着我好吗? +瑞秋 +- 你好吗? +瑞秋 +- 我很好 +你的父亲告诉我 你一直在照顾我的母亲 +瑞秋一直陪在她身边呢... +皇后一直很想念你 +她留这封信给你 +她让你回去再看 +她一定说"照顾好哈什" 对不对? +瑞秋 +亲爱的儿子... +希望当面问候 却只能用信件问候... +...你的归来 +我小心翼翼地喘息 担心生命就此结束 +我多么希望能再抱你最后一次 +恐怕我等不到那一刻了 这封信... +...会告诉你一切 关于你身世的秘密 +儿子 杰维尔国王不是你的亲生父亲 +他一直被蒙在鼓里 +被发现的话 他一定不会将王位传给你... +...你的祖母采取古老的传统... +...只有贤明的人才能继承王位 +在这些众多人才中 +伊克洛维亚同我们一起 +皇后认为伊克洛维亚最可靠 他超过所有别的人才 +我也这么认为 +你和娜蒂妮有个贵族父亲 他就是伊克洛维亚 +我现在告诉你 因为你的父亲很需要你 +他年纪也大了 眼睛也几乎失明 +要是你父亲知道我泄露了这个秘密... +...他会认为我亵渎了我们的誓约 我没有尽到守约的神圣职责 +但我相信 誓约是... +如同古代的摩呵婆罗多所说的 +"誓约 智慧 真理" +誓约生于理由 +誓约也生于智慧 +那便是你的思想灵魂所认为正确的东西 +誓约是你的灵魂所能接受的真理与圣洁 +我已完成了我的誓约 +现在 我的儿子... +你也必须完成你的誓约 +承诺我 你会照顾好你的父亲 +我承诺 妈妈 +我真想砍掉伊克洛维亚的头颅 把它挂在城门上 +他污染了王室的血统 +你以前怎么没告诉我? +我自己都不知道 +这些年 我一直信任我们的母亲 +她说过 她选择的是我 +我信任她 +皇后生下一对龙凤胎 +其中一个患有精神问题的女儿 +即使如此 我也接受了 +可今天我才发现... +...一个没用的保安... +...我孩子的父亲 +他和我的皇后睡了 +杰伊提 他是我孩子的父亲 +我的妻子... +和我的保安! +这些年那么顺从 卑躬屈膝 +他一定乐坏了 +嘲笑我不育 嘲笑我所有的缺点 还有这个 杰伊提! +伊克洛维亚来了 +混蛋! +殿下? +告诉他 杰伊提! +殿下刚才收到一封死亡威胁信 +信里说 我们必须归还农民的土地... +...否则国王就会死于非命 +这怎么可能? +他们没还清欠款 我们收回了他们的土地 +彼克... +他们的头儿 被发现死在... +...铁轨上 还有一封自杀遗书 +可他们控告我们谋杀 那群混蛋! +现在就去 出去! +去通知我的儿子 他父亲的生命处于危险之中 +谁的命? +他的亲生父亲 快去! +杰伊提! +我把真相说出来了 对吗? +不管谁是哈什的父亲... +- ... +都得死 +- 放心吧 哥哥 +明天日落前 伊克洛维亚将躺在他的火葬柴堆里... +...就像皇后那样 +王子 我到处找你 你一个人在这里干什么? +妈妈也是独自一人 伊克洛维亚 每个人都抛弃她 +你愿意和我们在一起吗? +- 她会因此而高兴的 +- 你得回去了 +你的父亲收到了一封死亡威胁信 +我的父亲? +我有父亲吗? +你见过我的父亲吗? +我想见他 +想告诉他 我和妈妈在这里很寂寞 +想告诉他 我很想念他 他会来陪我们吗? +对他来说 妈妈算什么? +无关紧要? +他力不从心? +我们走吧... +...王子 +我很想哭 伊克洛维亚 +却哭不出来 +你能给我力量吗? +可以吗 +儿子 别这样伸出你的手 +如果我握紧了你的手 会招来灾难的 +那次决定性地甄选... +你的母亲和我形同陌路 直到最后 +我们决定 不让我们的孩子知道... +...我是孩子们的亲生父亲 +娜蒂妮无邪的笑声... +击碎了我的心啊 +我多么想抱着她大声呼喊 "我是你的爸爸啊" +但这是绝不允许的 +绝不 +哈什! +你在哭吗? +哈什 +为什么? +别哭啊 你想妈妈了吗? +傻瓜 她一直在我们身边 我们有好多的妈妈啊 +一,二,三,四... +想见见她们吗? +看看? "妈妈在排灯节" 她可爱吗? +"妈妈的生日" 你看啊 +"妈妈在寺院" +"闪闪发光的妈妈" +还有这个是... +不... +不是这个 +- 画错了的 +- 给我看那张画 +不! +很恐怖的 +- 有血 +- 好吧 乖 +告诉我 怎么回事? +这个秘密不能传出那个房间 他会杀死我的 +- 谁? +- 我不能告诉你 +要是这个秘密离开那个房间 他就会杀死我的 +哪个房间? +要是这个秘密离开那个房间 他就会杀死我的 +哪个房间? +现在 这个秘密绝对不会离开妈妈的房间了 +但是门是打开的 +你紧张吗? +巴布鲁 +别担心 我们生在民主主义社会 这些国王不过是纸娃娃 +我的警棍远比他们的剑有势力 +嘿 巴布鲁 看见那城墙了吗? +我的祖父被那城墙活埋了 +就像剪断开幕式上的绸带一样... +...这些国王杀死我们贱民以求好运! +见过我的祖父 卡洛维加尔 +若不是因为想念伊克洛维亚... +...我也不会坚持到现在 +进去吧 +先生 还记得我吗? +我是帕努 帕努加尔 达南加尔的儿子 +上帝保佑你 +还记得那个市集吗? +我就是接到铃铛的男孩 +还记得吗? +你那时好厉害 我整晚都没谁这 +我当时就想 长大以后要和你一样厉害 +现在的我 警察长官帕努加尔 +谢谢你 先生 +我真想再看一次你的精湛技艺 +可以吗... +求你了? +我不确定现在能否做到 孩子 +尝试一下 +先见过陛下 走吧 +就一会儿 答应我? +好吧 来 +那些该死的农民发疯了 他们威胁要杀了我 +做笔录了吗? +巴布鲁 +别以为我不了解状况 陛下 +为什么有麻烦的国王 只敢藏在巨大的官邸? +他害怕愤怒的农民? +难道他不知道这有多懦弱? +你胆敢嘲弄我? +别忘了 我是这里的国王 +而你只不过是... +- 贱民? +我不想谈这个 +民主社会里 歧视就是一种犯罪 +是哪个法案规定的? +巴布鲁 +不管哪个法案 手铐会说明事实 +世世代代 我们制定法律 你胆敢在这里跟我说手铐? +我们统治了两千多年了 +而我们因此受苦五千年 +我的祖父 被这城墙活埋了 +算你走运! +我是那些贱民的孩子 他们的手都被切下来... +...只因为摸了一下圣洁的书本 +受够了历史! +你的保安得跟我离开一个小时 +一小时? +陛下 民主的意思 就是自由意志 明白? +很多警察在茶摊 糖果店也有 +用他们来换这点时间 不愿意? +先告辞了 +可以吗? +先生 +- 现在就开始吗? +- 别太早放弃啊 帕努 +你怎么看待一个贱民成为高级官员? +- 巴布鲁 蒙眼罩! +- 我不需要 +太阳光够刺眼的了 +带上眼罩 看上去更令人佩服 +那好吧 +准备好了吗? +- 是的 +我们睁着眼睛都无法做到 而你带上眼罩也行 +淹没... +...我的父亲为保护国王溺水 +我在湖水边找了他一整晚 +后来妈妈来了 +- 儿子 +这是属于你父亲的 现在由你来保管它了 +从这一天起 他会时刻陪伴着你 +今后 你只有一个誓约 保护好你的国王 +违反誓约的话 我们家族就没落了 +如同坚强的伊克洛维亚 你必须坚决顺从你的誓约 +那天以后 她叫我伊克洛维亚... +...而我父亲的武器 也成为我唯一的武器 +没人知道这件事 我也布知道为什么要告诉你 +我知道为什么 因为我们俩都一样 +先生 国王收到威胁信的时候你在场吗? +没有 只有他的弟弟杰伊提在那 +就是住在红瓦平房那儿的人 在铁路附近的? +再见 先生 +伊克洛维亚快来陪你了 那时候 你会很快乐了 +我该怎么办 我的皇后? +你总是给我指引 +我该给杰伊提打电话吗? +陛下还没有打电话来 +"陛下..." +每次你一叫"陛下" 我就血液沸腾快发疯了 +要是哈什也让我这么叫他 我会用枪爆他的头 +尤迪 我看起来怎么样? +"陛下""如你所愿 陛下" +你怎么叫得出来 我都不好意思叫他叔叔 +你叫了他多久的叔叔? +27年了 +- 52年! +52年的"是的 陛下" "好的 陛下" +"你的心愿就是我的职责" "我的陛下" +你好 杰伊提 +- 是的 陛下 +警察刚才来过了 +好的 陛下 我们半小时后到 +现在什么时间? +- 下午5: +25 +快了四分钟 请调一下 +我们下午6: +10见 陛下 6: +10准时 +爸爸... +有客人 +吹走了 吹走了 瑞秋的风筝没了! +切断它! +把风筝线切断! +瑞秋故意输给娜蒂妮 娜蒂妮很高兴 +瑞秋是个好女孩 奥迈克 +你把她养育得那么好 +- 很艰辛啊 +每日忙碌 来回为皇室开车... +...我都没注意 小女孩就变成大姑娘了 +她很可爱 我担心她以后会嫁谁 +一切顺其自然 奥迈克 +马斯克曼先生... +...告诉你吧 +要是你有个英俊的儿子... +...我就不担心了 +他们坠入爱河 我们就是亲戚了 是吧 +瞧! +王子来了 +让我看看 +国王怎么对待这么优秀的儿子? +皇后死后 他一直很孤独 +真想给他一个拥抱 +父亲 +不 小王子 别叫我父亲 +我没有权力 我只是个卑微的保安 +我也很想抱抱他 +可是我不能 我没有权力去做 +我只是个卑微的保安 +你把她照顾得很好 谢谢你 +看见她高兴 我也开心 现在你来了 那我先退下了? +请等等 +你还记得妈妈唱的那首歌吗? +月亮颂? +- 是的 +能为我唱一曲吗? +在这儿? +现在? +- 拜托 +我很想念妈妈 +听见什么了吗? +只能用望远镜看看 马斯克曼先生 不是听 +她在唱歌 +"我的孩子 我的月亮" +"柔软的微笑 我的月亮孩子" +"轻轻地走来..." +"... +我的眼眸是你的天空 在这里快乐直到永远" +"轻轻地 噢... +柔柔地" +"乘着风 乘着云 还有满载的微笑" +"微笑吧 我的月亮孩子!" +"柔软的微笑 我的月亮孩子" +"轻轻地走来..." +"... +我的眼眸是你的天空 在这里快乐直到永远" +"柔软的微笑 我的月亮孩子" +"在这里快乐直到永远" +陛下叫你们俩去 马上! +现在? +去哪儿? +皇后喜欢十四行诗 +莎士比亚 +她去世的时候 我正给她念 +伊克洛维亚 你想在哪里火葬? +陛下? +苍天不容 要是你死于意外... +...在哪里火葬你? +陛下... +我的家乡 +那怎么行! +你服侍了我们那么久 +你的火葬... +应该有皇室的排场 +躺在你的皇后的旁边 +趴下 陛下... +杀死他! +杀死他! +你在干什么? +杀了他! +你聋了吗? +快动手! +是的 陛下 你的心愿就是我的职责 +陛下... +陛下... +陛下 他们抓走了我的弟弟 他们说是我们杀了国王 +他们要绞死我们的孩子 +- 他们说我们是农民 +可我们连耕地都没有 +刚开始没收我们的土地 现在又抓我们的孩子 +我们想反抗 他们却杀死了我们的领袖彼克... +...还说他是自杀的 陛下 听我说 +我们被陷害了 +够了 我再也不能忍受了 +谁的骆驼? +这是谁的骆驼? +回答我! +瑞秋... +? +我会和瑞秋结婚 +上帝保佑你 +我能进去吗? +现在这里是你的家了 瑞秋 你可以来去自由的 +谢谢你 +谢什么? +谢谢你让我的父亲没有留下遗憾 +你的承诺 让他走得很安详 +我看见他笑了 +现在他走了... +我不会要求你实现承诺 +瑞秋 我... +- 请听我说完 +但我并不因你的承诺而高兴 +当我还是个小女孩... +...我就梦想有一天能嫁给你 +现在梦想实现了 +父亲总认为我很天真 +可我有这信念 +我总是觉得... +...你会真的爱我 +而不是你的同情和可怜 +我能说话了吗? +瑞秋... +为什么妈妈信任地把最后一封信交给你? +为什么娜蒂妮那么爱你? +一听见你的名字 她都很高兴 +事实是... +...我也有同样的感觉 +可是我依然保持沉默 我不能表达自己 +娜蒂妮可以 +她是城堡里唯一坦白的人 +你知道这里... +对每个人而言都是危险的 +这座城堡里的各种礼教约束 很让我头疼 +瑞秋 ... +我再也不是你理想中的哈什了 +这五十年来 你在这里享尽了优待 +当国王最需要你的时候 你却躲在驼群后面 +尤迪! +凶手踢掉你的枪时 你在打瞌睡? +尤迪! +你得尊重伊克洛维亚 +他们家族世代保护我们的国王 +他耳聋眼瞎的 +否则那些没用的农民也碰不到陛下 +警官 你查到什么了吗? +我们查出 驼群是一个叫哈瑞亚的农民的 +他正在接受审问 +砍掉哈瑞亚的腿 那能让他老实点 +凶手不是农民 +伊克洛维亚? +这里有几个手指? +这么近都看不见 又怎么判断凶手不是农民? +伊克洛维亚的父亲为保护国王而牺牲 +很多人唱民谣歌颂他 +告诉我 伊克洛维亚 你怎么就躲过那些子弹了? +那些农民饶了他 +同样的贱民 +噢! +我明白了 那些混球的兄弟伙 +警官 请暂时带他出去 +先生... +你不能用枪去反驳 +他们说凶手踢掉你的枪时... +...我在打瞌睡 +因此你就要杀了他们? +是的! +先生 那是不理智的 为什么? +我并没有跟谁说过... +...我的枪被凶手踢掉了 +他们怎么会知道? +你说什么 先生? +他们暗杀了我的国王 +我认出了他鞋上的钉 就是他们 +- 让我去 +- 先生... +请冷静 +让我去解决 这是我的职责 他们是我的"猎物" +你解决不了 给我让开 +我向你保证 我会逮捕他们 不管... +正当与否 +你知道他们杀了农民领袖彼克? +他的自杀遗书是假的 他们会使一样的招 +一样的铁道口 一封伪造的自杀信 +这是我的工作 我会解决的 +让我去 帕努 +要是我让你去了 你杀了他们 会被判绞刑的 +那又怎样? +我不在乎... +- 那我不得不拘捕你了 +那我不得不先杀了你 +把枪给我 +够多的伤亡 给我 +你不清除我眼睛盲的程度 +他们杀了国王 你会是下一个 +他们一样会在驼群后杀你 +外面有辆吉普车 开车离开这儿 +那边会有人接你 +你自由了 走吧 +走? +杀国王的凶手还没有抓到 +我就是这城堡的墙 +我的存在只为了保护国王 每一刻... +..."我的生命何尝不是这城堡的一块砖 +而这城墙已随岁月逐渐腐朽 +曾经敏锐的目光也已变得模糊" +你看过我的信? +是的 +每个字都是写给我的 对吗? +谁... +谁告诉你的? +妈妈 +誓约! +她违反了! +我承诺一生隐埋秘密 +皇后违反了誓约! +- 不 +妈妈没有 +她的信 +"誓约 智慧 真理" +誓约生于理由和智慧 +誓约是你的灵魂所能接受的真理与圣洁 +妈妈履行了她的誓约 +而我 你的儿子... +...也将履行我的誓约 +请离开这个地方 +陛下 +先生 +儿子 +你不能流放我 +你不能! +一个儿子怎么会流放父亲? +而一个国王... +...可以流放王室守卫 +我 哈什国王 以最崇高的权力... +命令你 伊克洛维亚 马上离开这里 +遵命! +父亲 回到那平静的乡村 +享受简单快乐的农村生活 +我会接你回来 那时候... +...我会甩掉脑子里那些发狂的 "誓约"和"职责" +取而代之的是欢庆 和你孙子带来的快乐 +我希望看见你的笑容 你太苦了 +哈什! +哈什 村民们告诉我 你命令伊克洛维亚离开这里了 +真的吗? +为什么? +看这个 +嘿! +是谁? +你? +你来这儿干什么? +哈什国王... +- 说什么 +大声点! +哈什国王让我离开了城堡 +我得另谋职业 +什么工作都行 +我可以为你擦皮鞋 +出去! +给我滚出去! +别再让我看见你的脸 +你的愿望就是我的工作 +快出去! +黑暗淹没了我的脸 尤迪 +可我却看得清你的脸 +我看见杀死国王的凶手的脸 +你的子弹用尽了 +再发出一点声音... +...就是你的死期 +我听着呢 尤迪 我能感觉你的呼吸 +安静 +安静 别出声 +安静才能活命 +要是你再喘息 我就解决你 +让你死是我的职责 +你来这儿干什么? +哈什国王让我离开了城堡 +我给你送来了告别的礼物 +那好 放在门口就离开吧 +你不看看? +我说... +是什么? +打开 +尤迪? +你对我儿子干了什么? +他在哪儿? +尤迪在哪儿? +他在铁轨旁徘徊 要和他一起吗? +你见过伊克洛维亚笑吗? +没人见过... +除了我 +我挨打的时候他帮了我 +谁打你? +- 爸爸 +你一定做了坏事 +- 不是我 是你 +我? +我做了什么? +你不记得了? +- 不记得了 +皇后扯你的耳朵 +你哭喊着 "一个皇后怎么能这样拉王子的耳朵?" +是啊 我当众亲你 +伊克洛维亚帮我不挨爸爸的打 +还带我去骑骆驼 给我买石榴吃 +但我还是很可怜 +- 为什么? +我说"我不会去亲回来了" +他听了... +...就笑了... +...就和现在的你一样 +我得告诉你一些事 +什么事 哈什? +这是我父亲的枪 +要不是为了你和娜蒂妮... +...我向上帝发誓 我... +你别吓我 +我也吓得要命 ...担心你会离开我 +不会的 我保证... +...等等 先听我说... +...然后再承诺 +你干了什么啊? +你杀了我的儿子! +他杀了我的国王 +我履行我的职责 +- 履行你的职责? +干得好! +非常好! +现在去杀了那个人 那个谋划杀死国王的人 +告诉我他的名字 +我去取他的人头 +你去取你儿子的人头? +好啊! +太好了! +哈什安排的谋杀 让我等着你取他的人头! +哈什! +哈什 你的儿子! +砍掉他的头 履行你的职责 +哈什! +等等 瑞秋 +求你了 +为谁? +你杀了我的父亲 哈什 +职责让你杀了我的儿子 为了职责 去杀你的儿子啊 +谎言! +- 是真的 他... +娜蒂妮睡了吗? +你? +你来这里干什么? +等你 +你脸上有血 +谁的血? +我不知道 +尤迪的... +杰伊提的... +我杀了他们俩 +现在你来这里杀我 +是的 +在我的匕首确定目标之前... +...我必须知道真相 是你谋划杀了我的国王吗? +是我 +那么我 城堡的守卫... +...以及你的父亲... +...必须履行我的职责 +准备受死吧 +我的亲生父亲将杀了我... +...多么好的死法 +我准备好了 +为什么这么做? +我无法想象 在驼群那儿你几乎杀了我... +...你认为是我... +...在驼群后面? +继续吧 把你的匕首插入我的心脏 +来吧! +你做不到 +因为你知道你的儿子决不会退缩 +为什么? +为什么这么罪恶? +为什么? +"誓约 智慧 真理" +我救了你的命 +看这个 是他杀了妈妈 +他的双手杀了她 +知道为什么吗? +因为她一直呼唤着你的名字 +我知道他们会杀了你 +而你的王子为你做了什么? +两千五百万! +我给了他们十倍让你活命 +撒谎! +全在撒谎! +不可能是真的! +我的国王不会这么干 +永远不会 +他不会的 +这些只是娜蒂妮的话 +这可能是她的幻想... +...她的胡思乱想 +别试图改变我的决心... +...醒醒吧 伊克洛维亚 +砍掉你的拇指 履行你的誓约 +誓约? +誓约的前提是事实 +誓约站在真理这一边 +要是这一刻我的誓约有所动摇... +...违反誓约的话 我们家族就会被埋葬 +妈妈告诉我履行自己的职责 就像坚强的伊克洛维亚一样 +你的死... +...是我的职责 +可是 你的手在颤抖 +当一个年迈的父亲双手开始颤抖... +...他儿子的职责便是伸出援助之手 +你在哪 我的儿子? +- 我迷失了方向 +但我会回来 +我的双手沾满了血 +瑞秋的父亲 +一辈子也洗不干净 +让这些血迹随我的火葬一起被焚毁 +请照顾好娜蒂妮 +告诉她 妈妈很孤单 所以我离开她去陪伴妈妈 +我可以告诉妈妈 我履行了我的承诺 +我可以祈求瑞秋父亲的宽恕 +我可以完成我的使命 +你的职责... +就是我的死亡 +- 住手 哈什! +别! +这是我的誓约 +尽管我的双手颤抖 但我内心坚定 +我眼瞎但... +...我的耳朵好使 +我... +只要... +...一句话 ... +...我的匕首会找到你 +父亲 +父亲 +我以为你从不会失手 +我没有失手 那是我最好的一掷 +"砍掉我的拇指... +...我的职责是你的死亡" +...那会杀了我的儿子 +你是对的 儿子 +伊克洛维亚错了 +伊克洛维亚错了 +错得那么严重 +妈妈 给我力量... +...追随你的脚步 +给我指引 +我的心告诉我应该原谅哈什 +他支支吾吾 可他的心是纯洁的 +他愿意为此付出一生的代价 +太多的生命消逝 太多的血流失 +必须有人制止 +交给我吧 +祝福我吧 妈妈... +...让我去减轻他的痛苦 帮他忘记所有的难过... +...好好照顾他 孩子 +他有着高尚的心灵 看看他为我们所做的一切... +...所有村民都来感谢他 +他归还了我们的土地 +哈什国王万岁 +万岁... +- ... +哈什国王! +哈什国王万岁! +我归还你们土地有自私的原因 +我想让我的父亲感到自豪 +今天 所有在场的人们都是我的见证人... +...我在此证实 伊克洛维亚是我的父亲 +儿子 +父亲 +警察来干什么? +- 来逮捕我的 +是时候以命抵命了 +恐怕我有些坏消息要宣布 +我准备好了 走吧... +- 等等 +今天 我们调查了尤迪的房间... +...在DVD盒里发现了自杀遗书 +巴布鲁... +看看吧 +皇室的人渣 +他们知道我要抓他们 所以他们选择了更简单的解脱... +...往高速行驶中的火车上跳 系自杀 +太遭了 终究还是逃出了我的掌心 +我心里是怎么都无法宽恕他们的 +先生 好手迹 不是吗? +很好 +太好了! +不是吗? +爸爸 +陛下叫你们俩去 马上! +现在? +去哪儿? +皇后喜欢十四行诗 +莎士比亚 +她去世的时候 我正给她念 +伊克洛维亚 你想在哪里火葬? +陛下? +苍天不容 要是你死于意外... +...在哪里火葬你? +陛下... +我的家乡 +那怎么行! +你服侍了我们那么久 +你的火葬... +应该有皇室的排场 +躺在你的皇后的旁边 +趴下 陛下... +杀死他! +杀死他! +你在干什么? +杀了他! +你聋了吗? +快动手! +是的 陛下 你的心愿就是我的职责 +陛下... +陛下... +陛下 他们抓走了我的弟弟 他们说是我们杀了国王 +他们要绞死我们的孩子 +- 他们说我们是农民 +可我们连耕地都没有 +刚开始没收我们的土地 现在又抓我们的孩子 +我们想反抗 他们却杀死了我们的领袖彼克... +...还说他是自杀的 陛下 听我说 +我们被陷害了 +够了 我再也不能忍受了 +谁的骆驼? +这是谁的骆驼? +回答我! +瑞秋... +? +我会和瑞秋结婚 +上帝保佑你 +我能进去吗? +现在这里是你的家了 瑞秋 你可以来去自由的 +谢谢你 +谢什么? +谢谢你让我的父亲没有留下遗憾 +你的承诺 让他走得很安详 +我看见他笑了 +现在他走了... +我不会要求你实现承诺 +瑞秋 我... +- 请听我说完 +但我并不因你的承诺而高兴 +当我还是个小女孩... +...我就梦想有一天能嫁给你 +现在梦想实现了 +父亲总认为我很天真 +可我有这信念 +我总是觉得... +...你会真的爱我 +而不是你的同情和可怜 +我能说话了吗? +瑞秋... +为什么妈妈信任地把最后一封信交给你? +为什么娜蒂妮那么爱你? +一听见你的名字 她都很高兴 +事实是... +...我也有同样的感觉 +可是我依然保持沉默 我不能表达自己 +娜蒂妮可以 +她是城堡里唯一坦白的人 +你知道这里... +对每个人而言都是危险的 +这座城堡里的各种礼教约束 很让我头疼 +瑞秋 ... +我再也不是你理想中的哈什了 +这五十年来 你在这里享尽了优待 +当国王最需要你的时候 你却躲在驼群后面 +尤迪! +凶手踢掉你的枪时 你在打瞌睡? +尤迪! +你得尊重伊克洛维亚 +他们家族世代保护我们的国王 +他耳聋眼瞎的 +否则那些没用的农民也碰不到陛下 +警官 你查到什么了吗? +我们查出 驼群是一个叫哈瑞亚的农民的 +他正在接受审问 +砍掉哈瑞亚的腿 那能让他老实点 +凶手不是农民 +伊克洛维亚? +这里有几个手指? +这么近都看不见 又怎么判断凶手不是农民? +伊克洛维亚的父亲为保护国王而牺牲 +很多人唱民谣歌颂他 +告诉我 伊克洛维亚 你怎么就躲过那些子弹了? +那些农民饶了他 +同样的贱民 +噢! +我明白了 那些混球的兄弟伙 +警官 请暂时带他出去 +先生... +你不能用枪去反驳 +他们说凶手踢掉你的枪时... +...我在打瞌睡 +因此你就要杀了他们? +是的! +先生 那是不理智的 为什么? +我并没有跟谁说过... +...我的枪被凶手踢掉了 +他们怎么会知道? +你说什么 先生? +他们暗杀了我的国王 +我认出了他鞋上的钉 就是他们 +- 让我去 +- 先生... +请冷静 +让我去解决 这是我的职责 他们是我的"猎物" +你解决不了 给我让开 +我向你保证 我会逮捕他们 不管... +正当与否 +你知道他们杀了农民领袖彼克? +他的自杀遗书是假的 他们会使一样的招 +一样的铁道口 一封伪造的自杀信 +这是我的工作 我会解决的 +让我去 帕努 +要是我让你去了 你杀了他们 会被判绞刑的 +那又怎样? +我不在乎... +- 那我不得不拘捕你了 +那我不得不先杀了你 +把枪给我 +够多的伤亡 给我 +你不清除我眼睛盲的程度 +他们杀了国王 你会是下一个 +他们一样会在驼群后杀你 +外面有辆吉普车 开车离开这儿 +那边会有人接你 +你自由了 走吧 +走? +杀国王的凶手还没有抓到 +我就是这城堡的墙 +我的存在只为了保护国王 每一刻... +..."我的生命何尝不是这城堡的一块砖 +而这城墙已随岁月逐渐腐朽 +曾经敏锐的目光也已变得模糊" +你看过我的信? +是的 +每个字都是写给我的 对吗? +谁... +谁告诉你的? +妈妈 +誓约! +她违反了! +我承诺一生隐埋秘密 +皇后违反了誓约! +- 不 +妈妈没有 +她的信 +"誓约 智慧 真理" +誓约生于理由和智慧 +誓约是你的灵魂所能接受的真理与圣洁 +妈妈履行了她的誓约 +而我 你的儿子... +...也将履行我的誓约 +请离开这个地方 +陛下 +先生 +儿子 +你不能流放我 +你不能! +一个儿子怎么会流放父亲? +而一个国王... +...可以流放王室守卫 +我 哈什国王 以最崇高的权力... +命令你 伊克洛维亚 马上离开这里 +遵命! +父亲 回到那平静的乡村 +享受简单快乐的农村生活 +我会接你回来 那时候... +...我会甩掉脑子里那些发狂的 "誓约"和"职责" +取而代之的是欢庆 和你孙子带来的快乐 +我希望看见你的笑容 你太苦了 +哈什! +哈什 村民们告诉我 你命令伊克洛维亚离开这里了 +真的吗? +为什么? +看这个 +嘿! +是谁? +你? +你来这儿干什么? +哈什国王... +- 说什么 +大声点! +哈什国王让我离开了城堡 +我得另谋职业 +什么工作都行 +我可以为你擦皮鞋 +出去! +给我滚出去! +别再让我看见你的脸 +你的愿望就是我的工作 +快出去! +黑暗淹没了我的脸 尤迪 +可我却看得清你的脸 +我看见杀死国王的凶手的脸 +你的子弹用尽了 +再发出一点声音... +...就是你的死期 +我听着呢 尤迪 我能感觉你的呼吸 +安静 +安静 别出声 +安静才能活命 +要是你再喘息 我就解决你 +让你死是我的职责 +你来这儿干什么? +哈什国王让我离开了城堡 +我给你送来了告别的礼物 +那好 放在门口就离开吧 +你不看看? +我说... +是什么? +打开 +尤迪? +你对我儿子干了什么? +他在哪儿? +尤迪在哪儿? +他在铁轨旁徘徊 要和他一起吗? +你见过伊克洛维亚笑吗? +没人见过... +除了我 +我挨打的时候他帮了我 +谁打你? +- 爸爸 +你一定做了坏事 +- 不是我 是你 +我? +我做了什么? +你不记得了? +- 不记得了 +皇后扯你的耳朵 +你哭喊着 "一个皇后怎么能这样拉王子的耳朵?" +是啊 我当众亲你 +伊克洛维亚帮我不挨爸爸的打 +还带我去骑骆驼 给我买石榴吃 +但我还是很可怜 +- 为什么? +我说"我不会去亲回来了" +他听了... +...就笑了... +...就和现在的你一样 +我得告诉你一些事 +什么事 哈什? +这是我父亲的枪 +要不是为了你和娜蒂妮... +...我向上帝发誓 我... +你别吓我 +我也吓得要命 ...担心你会离开我 +不会的 我保证... +...等等 先听我说... +...然后再承诺 +你干了什么啊? +你杀了我的儿子! +他杀了我的国王 +我履行我的职责 +- 履行你的职责? +干得好! +非常好! +现在去杀了那个人 那个谋划杀死国王的人 +告诉我他的名字 +我去取他的人头 +你去取你儿子的人头? +好啊! +太好了! +哈什安排的谋杀 让我等着你取他的人头! +哈什! +哈什 你的儿子! +砍掉他的头 履行你的职责 +哈什! +等等 瑞秋 +求你了 +为谁? +你杀了我的父亲 哈什 +职责让你杀了我的儿子 为了职责 去杀你的儿子啊 +谎言! +- 是真的 他... +娜蒂妮睡了吗? +你? +你来这里干什么? +等你 +你脸上有血 +谁的血? +我不知道 +尤迪的... +杰伊提的... +我杀了他们俩 +现在你来这里杀我 +是的 +在我的匕首确定目标之前... +...我必须知道真相 是你谋划杀了我的国王吗? +是我 +那么我 城堡的守卫... +...以及你的父亲... +...必须履行我的职责 +准备受死吧 +我的亲生父亲将杀了我... +...多么好的死法 +我准备好了 +为什么这么做? +我无法想象 在驼群那儿你几乎杀了我... +...你认为是我... +...在驼群后面? +继续吧 把你的匕首插入我的心脏 +来吧! +你做不到 +因为你知道你的儿子决不会退缩 +为什么? +为什么这么罪恶? +为什么? +"誓约 智慧 真理" +我救了你的命 +看这个 是他杀了妈妈 +他的双手杀了她 +知道为什么吗? +因为她一直呼唤着你的名字 +我知道他们会杀了你 +而你的王子为你做了什么? +两千五百万! +我给了他们十倍让你活命 +撒谎! +全在撒谎! +不可能是真的! +我的国王不会这么干 +永远不会 +他不会的 +这些只是娜蒂妮的话 +这可能是她的幻想... +...她的胡思乱想 +别试图改变我的决心... +...醒醒吧 伊克洛维亚 +砍掉你的拇指 履行你的誓约 +誓约? +誓约的前提是事实 +誓约站在真理这一边 +要是这一刻我的誓约有所动摇... +...违反誓约的话 我们家族就会被埋葬 +妈妈告诉我履行自己的职责 就像坚强的伊克洛维亚一样 +你的死... +...是我的职责 +可是 你的手在颤抖 +当一个年迈的父亲双手开始颤抖... +...他儿子的职责便是伸出援助之手 +你在哪 我的儿子? +- 我迷失了方向 +但我会回来 +我的双手沾满了血 +瑞秋的父亲 +一辈子也洗不干净 +让这些血迹随我的火葬一起被焚毁 +请照顾好娜蒂妮 +告诉她 妈妈很孤单 所以我离开她去陪伴妈妈 +我可以告诉妈妈 我履行了我的承诺 +我可以祈求瑞秋父亲的宽恕 +我可以完成我的使命 +你的职责... +就是我的死亡 +- 住手 哈什! +别! +这是我的誓约 +尽管我的双手颤抖 但我内心坚定 +我眼瞎但... +...我的耳朵好使 +我... +只要... +...一句话 ... +...我的匕首会找到你 +父亲 +父亲 +我以为你从不会失手 +我没有失手 那是我最好的一掷 +"砍掉我的拇指... +...我的职责是你的死亡" +...那会杀了我的儿子 +你是对的 儿子 +伊克洛维亚错了 +伊克洛维亚错了 +错得那么严重 +妈妈 给我力量... +...追随你的脚步 +给我指引 +我的心告诉我应该原谅哈什 +他支支吾吾 可他的心是纯洁的 +他愿意为此付出一生的代价 +太多的生命消逝 太多的血流失 +必须有人制止 +交给我吧 +祝福我吧 妈妈... +...让我去减轻他的痛苦 帮他忘记所有的难过... +...好好照顾他 孩子 +他有着高尚的心灵 看看他为我们所做的一切... +...所有村民都来感谢他 +他归还了我们的土地 +哈什国王万岁 +万岁... +- ... +哈什国王! +哈什国王万岁! +我归还你们土地有自私的原因 +我想让我的父亲感到自豪 +今天 所有在场的人们都是我的见证人... +...我在此证实 伊克洛维亚是我的父亲 +儿子 +父亲 +警察来干什么? +- 来逮捕我的 +是时候以命抵命了 +恐怕我有些坏消息要宣布 +我准备好了 走吧... +- 等等 +今天 我们调查了尤迪的房间... +...在DVD盒里发现了自杀遗书 +巴布鲁... +看看吧 +皇室的人渣 +他们知道我要抓他们 所以他们选择了更简单的解脱... +...往高速行驶中的火车上跳 系自杀 +太遭了 终究还是逃出了我的掌心 +我心里是怎么都无法宽恕他们的 +先生 好手迹 不是吗? +很好 +太好了! +不是吗? +爸爸 +== Srt 字幕转制: +中國影視論壇 阿龍 == +你喜欢热天吗 +是的 +我没怎么想过 +可是... +好像有点是的 +因为有那样的工作 +工作出色 +前面是永川 +没下雨吧? +是的 +那个 +我一直拿着伞 +很喜欢 +是伞吗? +折叠伞 +我喜欢折叠伞 +只有在需要的时候变大 +我很喜欢 +我走这边 +一点都不好 +挺乱的 +是的 +是伞吗 +没什么 +欢迎光临 +你养着猫吧 +不,不是养的 +它偶尔来玩的 +是野猫吗 +是怎样呢 +不知道是从哪里来的 +要是说野猫的话 +全都是野猫 +但是到了我这里来后 +就不认为它是野猫了 +这么说的话,我也是野的 +活着的东西全都是野的 +是那样吗? +这是干燥的嫩芽 +是很好吃的 +我非常喜欢 +浸在水里会膨胀变得很大 +很好吃的 +这个什么都行 +比方说撒在这上面 +我很喜欢吃 +是增加味道的 +你总是自己做饭吗 +是的,我很喜欢自己做饭 +喜欢那个味道 +经常这样 +你妻子不做吗? +现在是那样 +不在一起 +不会做 +没有一起住吗 +是的 +有点 +她和女儿住在一起 +和我想法不同 +你有女儿吗 +我有个女儿,哪里都一样的 +她几岁? +20岁 +一个女儿吗 +是的 +对了,月薪多少? +要说吗 +那个... +20万的工资 +再加上副收入共30万 +要供房吗 +是的 +你一般去哪里玩? +那个... +要是能得到的话,还是想要的 +可是我不是说这种话的立场 +不是那样的工作 +80左右吧 +欢迎光临 +我要乌东面 好的 +要一碗乌东面 +一般多久来一次 +是的,一周2,3次吧 +2,3次? +是常客吧 +是的 +总是吃乌东面吗? +总是吃乌东面 +除乌东面外? +除乌东面外,都没吃过其他的 +没有吗? +除乌东面外没有其他的 +一般是什么时候来的 +我不记得了 +最近来的多 +你知道他是大日本人吗? +不知道,原来如此 +很棒吧 +是的,人不可貌相 +你经常来这个公园吗 +是的 +我女儿经常来这里 +那个 +很怀念 +看到这里的时候 +其实 +我想要个男孩 +你喜欢男孩吗? +与其说是喜欢 +不想在我这一代结束 +有那样的责任感 +有那样的 +当然我还没有放弃 +还想生一个吗? +与其说是再生一个 +当然并不是说女孩不行 +我是这个打算 +想要这么相信 +现在也来玩吗 +和女儿? +现在... +每月一次吧 +做怎样的事玩? +就是那个 +很普通的 +去看电影 +不去旅行吗? +不去旅行 +总之 +不知道什么时候要工作 +我女儿要上学 +必须要马上行动的状态 +因此 +不能去旅行 +不能去海外吗 +从没去过海外 +我没有护照 +那个... +想要放弃 +那是 +并不是有反美情绪 +我并喜欢 +保护日本的说法 +那是很少的 +你不喜欢美国吗 +要是说反美情绪的话 +当然 +在这个时代 +没有敌对的事 +这样的教育 +稍微接受了点吧? +有点感觉到 +不要想太多 +这种事 +你怎么了 +喂 +不好意思,可以吗 +可以停下相机吗 +为什么 +是工作方面上的事 +喂 +喂 +是么 +好像是的 +那是关于角色吗 +哪里? +是角色的事吗 +知道了 +知道了 +那么赶快 +是,我等你 +是 +怎么了 那个... +或许 +会起作用也不知道 +作用? +我在等联络 +是么 有可能要走 +那么可以继续下去吗 +要继续吗 是 +好 +你喜欢欧洲吗 +是欧洲吗? +那个,对不起 +我接一下电话 好 +喂 +喂 +可以吗 +原来如此,是,知道了 +是,第二 +知道了 +请多关照 +怎么了 +我要走了 现在吗 +是的,我必须要去 +在这里吗 +不,我必须要回去了 +是工作的事吗? +是工作 +山城先生 +山城先生 +我来晚了 +我接到命令赶来了 +知道了 +对不起,等等 +我正在采访 +让我进去好吗 +不要 只是一下子 +可以吗 +可以进去吗 不行 +很快就结束 +不行,对不起 拜托了 +不行 +那么可以在这里拍吗,从这里 +好 +封闭的野兽 +偶尔会出来 +把人吓一跳 +展现它的习性 +可以吗 +所以大家都看nhk +原来如此 +这是很好的 +可是这不太好 +你做经理多久了 +从2002年 +4,5年? +是的 +很忙吗 +还行 +最近收视率不是很好 +不是最近 +长大后怎么回来? +不管他,他就会回来 +是男孩吗 +什么都不会 +那么很小吧? +是的 +不断的... +好像是那样的 +有多小? +2,3天吧 +可是在回来之后 +很快就会走 +你的袜子很漂亮 +是么 +那是什么? +是龙 +很烫 +好棒 +这个是床 好大 +说过不可以进来这里 +还在睡 +那么我也要回去了 +还有有赞助人要来 +下次不要这样 +再见 +这个是大日本人,怎么样 +感觉很好 +建造起来 +看了吗 没有看 +不喜欢吗? +会给我添麻烦 +看过一次 +很大的麻烦 +虽然很好玩 +之前的很漂亮 +完全恢复到从前了吗? +是的 +我觉得是恢复了 +自己也不是很清楚 +大概猫不找也会回来 +打了一次会累吗 +那要看情况 +可以到下一个怪兽出来 +都可以休息 +不知道,或许是今天 +也不知道地点 +不能休息 +要准备好 +这里有很多照片 +这个大的是谁? +啊,那个是 +第四代 +第四代? +第四代 +就是 +总之 +是我的爷爷 +啊,是你爷爷吗? +就是那个 +那个是泡沫经济好的时代 +每晚大家都聚在一起狂欢 +佣人是那个 +有50多个人 +现在呢? +第四代 +不,佣人 +没有佣人了 +完全没有佣人 +那工资还行吧 +并没有那样的情况 +所以,想去赏花的时候 +一个月去很多次 +自己付钱也不可惜 +大家会抢着出钱 +现在呢 +自己会出钱 +以前为什么那么受欢迎? +那是因为 +因为怪兽的数量很多 +怎么说呢 +这样的产业是少见的 +现在只有我 +大家对于怪兽... +认为非常有活力 +现在不会出现怪兽 +以前没有处理过吗 +我不是很清楚 +是黄金时期 +好像有过 +有很多人看过 +现在是深夜放送 +是的,深夜 +是的 +2点多 +是2点多 +收视率还好吧 +我不知道 +今天去哪里吗 +今天是 +听说中部地区有怪兽出现 +那里有很多电线 +我要去那边 +全国有几个地方? +现在是... +全国有几个地方 +还有在青森的八王子有个地方 +那里几乎没有被使用 +以前很多吗 +整个世纪听说有52个地方 +52个地方? +在都内 +一个地方也没有了 +在都内的话,变身不是快吗 +特意去那里变身吗 +大佐藤先生被人称为兽吧? +是的 是怪兽吗 +一般是叫怪兽吧 +总之就是 +对我们而言 +不是怪兽 +并不是可疑的 +现实中我们必须对抗 +要是有什么可疑的话 +融合其中 +一般叫兽 +在高中时 +想过这样的事 +我想一定是那样的 +不确认吗? +不确认吗? +是否那样 +光是想 +另一方面出动自卫队 +不是更好? +有这样的意见吧? +那个 +这种无心的意见 +我偶尔会听见 +那是没意义的 +传统这种东西 +应该怎么想? +当然是很复杂的 +结果是 +生物和生物对抗 +然后弱的生物 +死去的样子 +给生物们看 +这种文化 +我绝对不能轻视 +最后的生物是谁吗? +总之 +是独角仙之类的 +像是玩具一样的 +那些能控制的东西 +想要收拾掉的一代 +是孩子们吗? +孩子们... +包含孩子们 +不是很清楚 +这里能进去吗? +我想没事吧 +你稍等? +好 +我是大佐藤 +辛苦了 +他是来采访的 +可以让他进去吗? +没事的 好 +你好 +你好 +开始 +我进来了 +退下 +变身的时候,总是这样的感觉吗 +是的,这样的感觉 +没错 +总是这个样子 +是的 是的 +总之,最近 +有点堕落 +这个仪式 +在从前是比较隆重的 +是很正规的 +在更早之前就开始了吗 +是的,从很久之前 +就开始了 +仪式必须要正规的 +现在不做也行吗? +也不是说这样 +时代有了很大的改变 +没有规则 +必须在这里变身 +不... +他偶尔来这里 +不是这里也行吗 是的 +必须要举行仪式吗 +没有仪式也行 +不举行也行吗? +那为何要举行仪式? +那个... +因为这样最好 +因此... +对不起,对不起 +能再来一次吗? +能再来一次吗? +从那里开始 +不好意思 +开始 +进来了 +请退下 +你们认为正义是什么? +正义? +正义是... +正如字面意思 +就是... +正义 +是很难的吧 +怎么样 +正义 +正义... +有正义正义之说 +所谓正义 +谁说是正义呢? +个人有个人的看法 +大家认为自己是正确的 +我想那就是正义 +因此 +这是不是就是正义? +在这个世界上 +是 +你们认为生命是什么,生命? +是生命吗? +所谓生命 +是很难的 +所谓生命 +自己的生命在这里 +生命本身 +还是... +世世代代继续下去 +那个连续就是生命 +说自己是生命 +死亡 +只是自己死 +自己死亡这件事 +是很重要的 +是不是有更重要的事 +比起生命 +生命当然是重要的 +生命本身 +杀人 +受伤 +不管是不是垃圾,都是生命 +动物也是 +这种东西 +是最... +弹跳兽 +从高空跳下来 +会叫着,盛,盛 +这是弹跳兽的习性 +拜托不要遮住胸口 +德拉. +阿默雷 +德拉. +阿默雷开始了 +谢谢 +谢谢 +就要开始了 +大佐藤先生经常来吗 +是的,在长野工作的时候 +经常来 +对不起,你们是什么关系 +我们吗? +是朋友 +青梅竹马的朋友 +从以前起关系非常好 +是好友的感觉 +你是怎么看待 大佐藤先生的工作的 +是很辛苦的 +我也看见了 +他的身体 +会变形吧 +那是不是很痛 +充电后,要是我变大的话 +变大后,救人 +有没有这样的 +想要帮助人 +妈妈桑,你几岁了 +怎么了,你看我像几岁? +50... +50? +你太过分了 +你是不是太过分了 +不说是20岁 +50岁太过分了吧 +48岁左右 讨厌 +妈妈桑呢? +对不起 妈妈桑不去吗 +妈妈桑不去吗 +危险 不要一直拍 +小心点 谢谢 +再见 +小心点 +妈妈桑,你小心点 +明天见,晚安 +再见 +京子小姐,你很大 +嗯? +好大 +是的 多少公分? +87公分左右 +她还小,不能对比 +牙齿在矫正吗 +是的,矫正中 +是她的社长? +是她的社长 +社长 社长 +社长 +社长 社长 +社长 +讨厌,你在这里,再见 +春 +有人吗 +你好,我是大佐藤 +你好 +这个 谢谢 +是三号室吧 +是的 +== Srt 字幕转制: +中國影視論壇 阿龍 == +是三号室吧 +是的 +失礼了 +来这里多久了? +爷爷 +三年左右 +是不是在发呆 +年纪大了 +是么,有什么奇怪的行动吗? +是的 +他会嘴里絮叨 +晚上会转来转去吗 +有点 +爷爷很辛苦吧 +是不是吃太多药了 +在年轻的时候 +吃太多药了 +有来自国家的补助吗 +顺便说一下,你父亲怎么了 +结果我爸爸 +他也有责任 +或许是有责任的 +我爸爸死了 +年轻的时候 +想要更大的 +因为做过头了 +猝死的 +取而代之的是 +我家的第四代爷爷 +连儿子的份 +都要长久下去 +这是我的判断,我是这么想的 +什么都变得很大 +突然之间改变的 +这有点不好 +因此另外也有问题 +因为头脑聪明 +而溜走了 +实际上变大了吗 +没有 +喂 爷爷出去了 +从医院逃出去了 +东京塔对大日本人 +这个怎么办? +就是那样 +这是第四代做的事 +这跟第几代做的无关 +我再怎么努力 +赞助人都不见了 +我为此感谢你 +但我怎样都行 +你在说什么? +赞助人都是当官的 +那个我不知道 +那是作为经纪人的你做的 +我? +是第四代? +你是第四代吧? +是第四代 这到底是什么 +像这样的? +有你不知道的情况 +你家里的情况 +请要和睦点 +我正在这样努力着 +总之关于赞助人的事 +这个月或下个月 +我要回去 +我不行 +不要让我一直说 +只有我不行 +这样不是很好吗 +这是最后一次 +我心里知道 +你在说什么,现在的你 +赞助人是不会来的 +你给我适可而止 +我说了现在不行 +那请你想想办法 +不行的事你不要那么说 +你别对我生气 +这绝对是不行的 +那是我的政策 +不管别人怎么说, 这绝对不能让给别人 +要是做我的经纪人的话 +你要好好记住这一点 +瞪眼兽 +瞪着敌人 +位于新宿 +有瞬间沉睡的特征 +这是瞪眼兽的习性 +那是什么怪兽? +我不知道 +下次是什么时候? +数字很好 +是的 +平时是7% +是的 +太好了 +我很想看 +早上好 早上好 +能和你谈一下吗 +这辆车很好 +是,很好吧 +是你买的吗 是 +新车? +嗯 +多少钱? +500万? +好棒 +已经付清了吗? +一半一半 +付清了吗? +你的狗好大 +它叫什么名字? +它叫新桥 +在下面的是叫德尔加希 +德尔加希? +你现在是去工作吗? +是 +带着狗? +嗯 +不要紧吧 +嗯,它很乖的 +哪只? +两只都很好 +德尔? +哪只是德尔? +你上次看了数字吗? +是的,我看了 +非常好 +托你的福 还做那个吗? +是的 +要是附近还有就好了 +要和大日本人打怎么样? +我看了我看了 +怎么样? +那不太好 +那不太好? +我也看了 看了? +比起被人打 +喜欢打人 +是同样的 +不要太儿戏 +想看正经点的 +有点可悲 +日本人要再振作点 +是的,那样就好了 +当然我会支持,觉得很好 +你有车吗? +还没有买吧 +还没有买 +你想说什么 +就是那个 +我想让你调查调查 +我现在正在调查 +尽可能的告诉我 +那个时候不逃走就知道了 +我知道 那个时候 +逃走不好吗? +你是经纪人 +不要说我逃走 +很奇怪吧 因为你逃走了 +让我看的很清楚 +那非常好 +我不是逃走,那个时候 +只有那样做 +你看见了也知道吧 +总之看来不像日本人 +那个 +是哪个国家的? +不晓得 +我们的邻国日本 +惹恼了将军 +要惩罚大日本人 +是那个 +是那个 +是很难的 +那个 +给我女儿的礼物 +给女儿的礼物 +不知道买什么好 +我买了帽子 +帽子 +是给我女儿的 +我女儿说过喜欢的 +我不知道哪里有卖 +你看来很开心 +不是这样的 +跟平时一样 +我想尽快 +看到女儿的脸 +多久没见了? +是一个月左右 +总是来这家店吗 +是的 +我老婆的老家就在附近 +我从以前起就来这里 +不认为是大男人主义 +这是碰巧 +你很开心 不是这样的 +是很普通的 +是的 +我想看见女儿 +一月一次 +可是我有工作 +不能一直来这里 +可能的话,每天... +我想女儿是这么想的 +是很难的 +喂 +你在干吗? +怎么了 不知道 +我没跟你说要拍摄下来吧 +没事吧 别紧张 +一点事都没有 +你是不是化妆了 +在做什么 +你做那种奇怪的工作 +怎么了 +你说吧 +由你来说明不是很好吗 +对不起 +我会带来女儿 +可以的话,希望你别拍她的脸 +今天不知道要被拍摄下来 +可以的话,用马赛克 +不需要用马赛克 +要是被人知道了, 她在学校会被人欺负的 +不会被人欺负的 +你声音太大了 +怎么了,没有什么害羞的事吧 +要是大马赛克的话就行 +我也打,她也打要是打马赛克, 就不知道什么意思 +只要拍下你不就行了,我们不要了 +不要打马赛克 +没有其他的方式马 +你喜欢爸爸吗 +不知道 +你是怎么看待爸爸的工作的? +不知道 +你想要爸爸吗? +怎样都行 +多久见一次面? +是半年一次吧 +半年? +是 +不死一月一次吗 +不,半年一次很好 +他是说一月一次 +那是限度吧 +没有离婚吧 +打算离婚的 +我 +我打算离婚 +不知道他是怎么说的 +和小孩还有联系 +对孩子倾注的爱 +不会倾注吧 +是的 +大佐藤先生说女孩也没关系 +那绝对不行的 +这不是不好吗 +怎么看都觉得不好 +绝对讨厌 +你现在做什么工作? +我现在在朋友的店里帮忙 +是 +那里的社长是我的朋友 +竞争是比较激烈的 +原来如此 +是 +这个录影带 是 +能给佐藤先生看吗 +是,那当然了 +是这样的感觉 +感觉好吗 +不是这样的打算 +是这样的情况 +你丈夫是怎样的人? +是很普通的日本人 +夏 +好热 +是的 +今天大概不会下雨 +保险起见 +很热吧 +是的 +很热 +出现怪兽了 +怪味兽 +身体会发出怪味 +这是怪味兽的习性 +怎么回事 +你在干吗 +什么? +因为你在这里 +有多不方便你知道吗? +我做怪味兽很多年了 +不用你来说 +总之你不能来城市 +你快逃到郊外去 +你这算什么 +拿着棒 +那是什么? +恐怖的表情 +彼此彼此 +罗嗦 +我说,那个 +大婶,在这种时候 +谁是大婶? +什么? +什么? +我不知道你的年龄 +你光是站在这里 +就会让交通阻塞 +这个我不管,把车这样不就行了 +你别这样 +会给汽车添麻烦的 +别... +别这样 +你不要弄碎玻璃 +去死 +我是保护这个国家的 +你闭嘴 +你是从哪里来的 +关西 +滚回去 +我刚来 +你的目的是什么? +不能告诉你 +你快滚 +你看看 +一直跟着我来的 +等等 +那是什么? +是想和谁较量吗? +是的,想和我打 +一直跟着我 +不... +这不行 +在这里发生那样的事绝对不行的 +你看着 +他还是小孩,才10几岁 +绝对没事的 +不... +别这样 +绝对不行 +我知道了 +谁会理他 +他只是个傻瓜 +可是他很有热情 +只有那个 +要开始了 +声音变大了 +你真烦 +等等,你想说什么 +你也对他说说 +你 +你,请别这样 +你在做什么,你啊 +不管有多兴奋 +完全感觉不到你是个女人 +这算什么 +童之兽 +要回到郊外 +这是童之兽的习性 +还有任务 +妈妈 +妈妈 +我要快点 +这个怎么说呢 +是不同的东西 +在转最后一圈的时候 +相差很多 +即使相差没有那么多 +头脑中还是知道的 +向着终点 +总之 +就是这么回事 +妈妈 +我要快点 +好痛 +事情变得很严重 +什么? +什么 +你杀了小孩 +上次的事 +这次... +杀了无抵抗的孩子是事实 +对他的印象有了很大的改变 +想要对他采访 +他没有来让我很吃惊 +我没杀人 +原本那种事,没事的,你喝吧 +谢谢 原本是那样的 +我没杀人 是么 +只是时机不好 +一周一次吧 +相反的为何不行 +我没做什么坏事 +他咬了你奶子 +杀死他也是... +奶子是很重要的 +还有那里 +下次你什么时候回去 +不要 +为什么,请做吧 +数字很好 +你别再说什么数据了 +不是这种事吧 +快到终点了 +我不感兴趣 +这是很好的 +我一点都不感兴趣 +你害怕吗 +什么什么? +杀了孩子 +我为何要害怕? +像是恐惧 +我之前就想跟你说的 +是 +并不全都是可怕的 +是么? +总之 +要是我有什么不测的时候 +那么... +我最在意的是 +谁来照看第四代 +要是我遇到不测的时候 +第四代 +由谁来照看? +送到老人院吗? +不能送去老人院 +上了年纪吧 +不是那个,是心意 +我受过第四代的照顾 +他对我有恩 +恩义? +我要表表心意 +对了,还没有问你小时候的事 +我不喜欢 +是怎样的孩子? +是怎样的孩子呢? +是个很普通的孩子 +很胖吗 +有点,只是一点点 +多少? +是个健康优良儿 +有没有减肥 +没有 +第五代,我父亲的教育 +是叫我不停的吃 +你有一天必须要成为大日本人 +有这样的教育方针 +你父亲去世了吧 +也有不好的方面 +为何那样? +因为眼睛不好 +喜欢出格的事 +你害怕吗? +那是很过分的 +总之对身体还没有完全发育的 小孩的我 +那个 +想要给我通电 +没事吧 +不是没事 +我还没有做好心理准备 +还是小学生 +痛吗? +我很害怕 +不知道是怎么回事 +那个... +是古怪的吗 +是第四代的爷爷 +在通电前阻止就没有意义了吧 +被电到了吧 +可是 +通电了吧 +要是没通电的话 +更加悲惨吧 +你很强 +什么 +酒量 +什么啊,不仅是酒量 +什么 +我要回去了 你没事吧 +什么 在下雨 +我有这个 +那是什么? +是折叠伞 +你今天带来了吗 跟你说了一直带着 +你真行 +我是大日本人 +喂 +我刚刚出来了 +接下来请看拍摄实况 +美国英雄超级贾斯特斯! +超级贾斯特斯之父! +母亲. +斯特乌兹米 +青春期的妹妹德塔齐米! +婴儿毕玛宝宝! +超级贾斯特斯开始射击 +不要输,超级贾斯特斯 +我看见了,贾斯特斯 +很高兴见到你 +我赢了 +我赢了 +组合... +组合 +是 组合 +组合 +组合 不要了 +一定要 +是 +那么 +组合 +没什么关系 +组合 +我要回去了 +谢谢 组合 +不,我不会飞 +组合 +组合 +一定要 +好 +没事吧,我害怕 +没事吧 +组合... +组合 +对不起,对不起 +我的鞋子 +剧终 +主演松本人志 +主演竹内力 +务必尝尝 +不好意思 +干杯 +什么 刚刚做了什么? +不行吗? +让我看看 +是很普通的 +是什么 +除我之外的没有94分的 +不是这样吧 +一开始是怎样的? +开巴士来 +突然间巴士变成红色的 +一般是巴士吧 +有使用动物的作业 +作为英雄是很棒的 +那么是什么? +一般是这样的 +你太守旧了 +跟新的不同 +一开始就要战斗吧? +从那里开始吧 +不是的,是巴士 +突然间是很难明白的 +你听我说 +我说了这是很难看的 +突然开巴士来 +首先是拳击 +还有踢,先从基础开始 +中间或许有巴士 +一开始绝对不能用巴士 +是么 +不管怎么看,都不好 +非常的丑陋 +哪里? +从整体来看 +是么,感觉... +你是怎么想的 +像是这样的感觉 +你在听我说吗 我在听 +我并没有生气 +还有你 +必须一个人干下去 +我不能一直都照顾你 +我知道,妈妈 +知道吗? +我知道 +顺序不好,看来很丑陋 +希望你做的顺利点 +我是说这个 +原本 +宝贝是第一的 +那是决定好的 +我觉得这样很好 +最后你的踢脚 +踢的很好吧 +我踢到了 踢到了就结束了吧 +我踢到了 +有客人在,你不要那么大声 +我生气了 +一般当然是给小孩了 +结果是这样 +你不觉得很土吗 +不仅如此 +我知道 我很生气 +我知道 +一定要 +你不明白 +你真烦,我明白了 虽然你总是这么说 +但其实不明白吧 +我都听见了 你完全没有听见 +不是的 +那个时机不好 +对不起 +你觉得这样很好吗 +不要怪我 你是傻瓜 +不要怪我,不要这么大声 +不觉得害羞吗 +你总是这样子 +适可而止 +一定要 +太好了 +打一拳就好了 +的确如此 +我觉得很害羞 +为这样的孩子感到丢人 +什么 +太不像话了 +最后你想怎样? +想要打人吧 +你要清楚点 +太不像话了 一定要 +要像这个人 +顺序不好 +太过分了 +这么说是他吧 +你别用手指指人 +是他 别用手指指人 +在加入的时候 +全都是他不好 +你是叫佐藤吧 +是吧,你 +所以大家组合的时候是什么 +你说了什么 +为什么那么做? +不,那个是 +他不知道 +一般会知道的吧 +一般是不知道的 +你要清楚点 +适可而止 +一定要 +希望你伸出手 +客人没有说 +今后必须要保护 +这是无关的 +希望你进去 +先跟你说清楚 你要到最后 +全体在一起的时候 +我也在 +一定是那样的 +你在旁边做什么? +你一直在说什么吧 +那是什么 +那有点丑陋 +或许不知道 +我们在飞起来的时候 +是没有意识的 +所以向旁边看的话 +是不是很丑陋 +要看周围 +所以有点害羞 +你为何一直说这个 +我要杀了你 +杀人不行 +杀人是不好的 +坐下来 +一定要 +导演松本人志 +如今 +我们迷路了 +没有 +这是近路... +亲爱的 我们都开了一小时了 但一辆车影都没见到 +Molly 我会看地图 知道吗? +不久前刚经过一个加油站 +调头回去问问别人 +那可是40分钟前了 +我可不回去 +别这样 +又为这些事争吵吗? +男人也会有问路的时候的 +不 我们不回去 +男人天生就这样 +路线我清楚得很 +哦 那好 在哪? +99号高速路 行了吧? +就快到了 +99号高速路 嗯? +你瞧 到处看看风景也不错 +David +今天是我们结婚纪念日 就这样耗在兜圈上吗? +我知道 +我很抱歉 +那我来补偿一下 行吗? +过来 +别 我生气了 +哦 过来 Molly +嘿 你会喜欢的 +不 我不想 +你真混 +David 我说真的 +Molly! +David? +David? +David? +David? +Da David? +! +David? +! +David? +嗨? +有人吗? +嗨? +是你 +你没事吧? +我很抱歉 +当时没看见你 +你... +你受伤了? +先生? +凶鬼恶灵 第二季 第16集 时间轴: +何何 @人人影视 +停车! +停车! +该死... +你们得帮帮我 +求你了 +求求你! +好的 好的 +冷静点 冷静点 +告诉我们发生了什么 +我.. +猛打方向盘 之后车失控了 +当我醒来 车毁了 我丈夫不见了 +我去找他 可是之前路上的那人追了过来 +他看起来是不是像被割的七零八落的 +你怎么知道? +我猜的 +女士 你叫什么? +Molly +Molly Mcnamara +或许该和我们一起走 +我们把你送到镇上 +我不能 +我得找到David +他也许会回到车那儿去 +我们先把你送到安全的地方 +之后Dean和我会回来 +帮你寻找你丈夫 +不 +找不到他我哪儿也不去 +请把我带到自己的车那里 行吗? +没问题 +上车 +"公路杀手" +就在那儿 +我不明白 +我肯定当时就在这里的 +我们就撞到那棵树 +这... +怎么可能 +Dean 我们要敢紧离开这 +Greeley随时都可能再出现 +我们怎么和她说? +实情? +她会离开 跑到别处去的 +我知道听起来叫人难以置信 但是我当时真的撞到这棵树 +不知道谁把车移走了 +整辆都被移走了 +你们必须要相信我 +Molly 听着 我们相信你 +所以想帮你离开这里 +那David怎么办? +一定有什么事情发生 +我要去报警 +报警 好主意 +我们带你去警察局 +快来吧 +对你和你丈夫都好 +好的 +我们本该在太浩湖了 +你和David? +我们的5周年结婚纪念日 +可怜的周年纪念 +不久前 我们还在冷战 +当我们被困在车里时 才能真正的吵上几句 +是啊 +我很清楚那种感觉 +你知道我最后一句说的什么吗? +我说他是个混球 +哦 天啊 +万一那是我和他说的最后一句话怎么办? +Molly... +我们会查清楚你丈夫出了什么事 +我保证 +- 是你? +- 不是 +你这么说我还真有点担心 +这首歌 +什么? +我们出车祸时也在放这首歌 +她是我的 +她是我的 +她是我的 +那是什么? +坐稳 +你在做什么? +那是什么... +刚才怎么回事? +别担心 Molly +没事的 +言之过早 Sammy +我想他不会放过她的 +这不可能 +哦... +相信我 已经发生了 +哦... +那好 +多谢帮忙 但我想我该告辞了 +等等 +Molly Molly 稍等一下 +离我远点 +别这样 听我说 +别过来 +我们遇见你完全是个巧合 不是吗? +你是什么意思? +要不是遇见你的话我们也不会在此 +早就离开了 +猎杀 +猎杀什么? +鬼怪 +别... +对她说真话 +你们疯了 +是吗? +比流着肠子消失的家伙更疯狂吗? +你清楚自己看见的 +那人名叫Jonah Greeley +是个当地农民 15年前死于这条路上的车祸 +别说了 +每年中在他的忌日的夜晚 他就在这条路上作怪 +这就是我们来这的原因 Molly +来阻止他 +那我想这个幽灵也把我的车弄没了 +恐怕更糟 +嗯? +知道吗? +我可没发疯 +我自己去报警 +说句难听的 我觉得你根本走不远 +你是什么意思? +就是计划A是把你带走 +显然没成功就因为 嗯 这个农夫马路杀手 +Moly 我们说的都是实话 +Greeley是不会放过你的 +你们... +说真的 是吗? +绝对 +每年 Greeley都会他的死而杀人 +今晚选中了你 +为什么是我? +我没做什么 +跟这些无关 +有些幽灵看见谁就盯上谁 +你们的意思是 Greeley绑走了我丈夫? +哦 天哪 +Molly 我们会帮你的 +但是首先 你得帮我们 +帮你们? +怎么帮? +就是这里 我在这见到他的 +一定曾经是他的杀人乐园 +真是个温柔的家伙 +外边没有墓碑之类的 +你找Greeley的坟墓? +是的 +为什么? +我们可以挖出尸体撒上盐然后烧毁 +哦 +当然 +这是消灭幽灵的途径之一 +这能救David吗? +你们俩个都能救 前提是找到尸体 +那我们怎么找? +嗯 不大肯定 +Greeley死后 他的妻子领走了遗体 +之后她也没再出现过 +猜得没错的话他被埋在这里 +但这可有上千英亩土地 +埋在哪里都有可能 +你们就是干这个的 +鬼怪克星 +是啊 +除了没穿紧身衣 +让你着迷的故事还有很多 +但这条路上的幽灵每年只出现一次 得赶在日出前解决他 +所以边走边说 好吗? +太好了 +我们找什么? +Greeley的房子 +他可能埋葬在那里 +注意道路或是小径之类的 +跟紧些 +好的 +那好 +Molly? +Molly 救救我 +Molly? +David? +David? +David? +嘿! +你没事吧? +那个该死的家伙是不是这样抓走我丈夫? +别太紧张 好吗? +你会再见到David的 +一定会 +嘿 +沿着这条恐怖的砖路走吧 +走吧 +那枪射的是盐块? +是的 +简单的盐就能驱鬼? +小东西往往能派上大用场 +在多数文明里 盐是纯净的象征 能驱除不洁之物 +和驱赶抓住你的那个是同样的道理 +知道吗 我还是头一回想在这种地方 看到一间好房子呢 +外面有墓碑吗? +是啊 +哪有这么简单? +我猜也是 +你们两个检查楼上 +看看能不能找到他埋在哪儿的线索 +我在这边看看 +太棒了 +看这个 +是Greeley和他妻子 +这是他写的情书 +我的天 写的真美 +真不明白这样的人怎么会变成那种妖怪 +像Greeley这样的鬼魂 他们... +就像受伤的动物 +迷失在... +无尽的痛苦之中 他们要宣泄 +为什么? +为什么要留在这儿? +他们的一部分 +把他们留在现世 +比如遗体 或者 呃... +未了的心愿 +对 +也许是复仇 +也许是爱 +或是仇恨 +不管是什么 他们太过于执着 +无法放手 +他们被困住 +陷入无尽的循环 +同样的悲剧一遍又一遍的重演 +你好像很同情他们 +因为他们并不是坏人 你知道 +很多本性善良 +只不过... +发生了一些事 +他们不能控制的事 +一说到这种事 Sammy就像J Love Hewitt一样 +Jennifer Love Hewitt: +鬼语者的主演 +我呢 可一点也不喜欢他们 +也绝不会向他们道歉 +楼下什么也没有 +你找到什么线索了吗? +呃 只有他们以前的信和账单之类的 +我翻了翻 还没找到有关坟墓的 +什么? +后面有东西 +拿着 +从里面锁上了 +闻起来像个老太婆的房间 +这就说得通了 +现在我们知道为什么没人再见过她了 +她不想一个人独活 +Dean 帮个忙 +来真的? +你要干嘛? +不能就这样把她留在这儿 +为什么不? +她应该得到安息 Dean +见鬼... +如果你们能让Greeley安息... +他们会怎么样? +女士 这个问题可超过我们的能力了 +你们猎杀这些鬼魂 却不知道他们会怎么样? +反正没有一个回来过 +这就行了 +当他们放弃了让他们留在这里的东西 不管是什么 他们就... +就这样走了 +希望他们去了更好的地方 但我们不知道 +没人知道 +你们烧了他们的尸骨以后会怎样? +我爸说过 就像鬼魂的死一样 明白么? +可是... +事实是 我们还是不知道 +没法确定 +也许这就是我们拚命求生的原因 +死者也是如此 +我们都只是害怕自己不了解的东西 +我唯一害怕的是失去David +我得再见他一面 +一定要 +我觉得咱们应该告诉她她丈夫的事 +不行 +Dean 这太残酷了 她这么想她丈夫 +我不想瞒着她 +这是为了她好 +我知道你觉得内疚 可是咱们得按计划行事 +带她离开这儿 +然后再告诉她 +告诉我什么? +你们瞒着我什么? +是关于David的对不对 你们知道他怎么了 +Sam 别... +别什么? +别告诉我 因为我会搞砸你们的行动? +你们根本不关心我或我丈夫 +不是的 +真的? +那就告诉我 不管是什么 求你了 +他来了 +和她呆在一起 +Dean! +他抓走了Molly! +这家伙真死心眼 +我们得找到Molly +我们得找到Greeley的尸体 +还有 呃 不是催你 不过离天亮只剩下不到两小时了 +嘿 +找到什么了? +1992年2月6日 +车祸之前2个星期左右 对吧 +对 +看起来像是狩猎小屋 可是... +我敢肯定他们站的这个地方有颗树 +早该想到了 +什么? +这是一种乡村的老传统 Dean +种树作为墓标 +你简直是个活的怪事大百科 +是的 我知道 +David在哪儿? +你把他怎么了 +你不用担心他 +哦 天啊 +你该担心你自己 +我又没对你做什么 +哦? +我知道 我知道你妻子的事 +就算折磨我也不能让她回来 +我妻子已经不在了 +我只剩下... +折磨你了 +求 求求你 +放我走吧 +走? +你哪儿都别想去 +永远别想离开 +去救Molly +哦 感谢上帝 +叫我Dean就好 +这家伙真把我惹急了 +快点 Sam! +哦 心肝儿 今晚真够漫长 +好了 +咱们离开这儿 +我哪儿都不去 除非告诉我我丈夫怎么样了 +Molly... +我一直在找他 你们知道... +你们知道Greeley杀了他 对吧? +他死了? +不 Molly +David还活着 +什么? +你确定? +是的 +我们带你去见他 +来吧 +他就在那边的房子里 +我不明白 +你会的 +这不... +不可能 +怎么回事? +那是谁? +David的妻子 +对不起 Molly +15年前 你和你丈夫开车撞死了Jonah Greeley +David活了下来 +你在胡说什么? +我们是说41号公路上不只有一个鬼魂 +而是两个 +Jonah Greeley 还有你 +在过去的15年里 每年的那个晚上你都会出现在公路上 +不 这不可能 +昨天是我们结婚一周年纪念日 2月22日 +1992年 +对 +Molly 现在是2007年了 +哦 天啊 +好了 说说41号公路吧 +15年里发生了12起事故 +5起有人死亡 所有的事故都发生在同样的晚上 +那我们找的是 州际死亡地带? +幽灵搭车客? +还是什么? +不完全是 +每一年目击者说是同样的东西害他们出事 +一个女人出现在路中间 被一个浑身是血的男子追赶 +两个幽灵? +Molly葬在哪里? +她 她没有被土葬 +她被火化了 +她的尸体被火化 +对 是什么让她还留在世上? +有些鬼魂只看得到自己想要的 +David? +David? +停车! +快停车! +帮帮我 +Dean 我想她还不知道自己死了 +求求你! +开门! +求你了! +好了 好了 +冷静点 +告诉我们出什么事了 +你要告诉她什么? +实话 +她会跑走的 +有些鬼魂太过于执着 +无法放手 +那Greeley呢? +每年他都要把自己的死怪罪在别人身上 追杀他们 +折磨他们 +每年 这个人都是你 +但我什么都不记得 +因为你看不到事实 Molly +这就是为什么他不让我离开公路 +因为... +是我杀了他 +我把我们两个都害死了 +为什么不在看到我的时候就告诉我? +为什么要等到现在? +你不会相信我们的 +而且你们要我当诱饵 +对 我们需要你 +David +Molly 我们带你来这儿是为了让你能放手 +我得告诉他 +告诉他什么? +你爱他? +还是你很抱歉? +Molly 他已经知道了 +要是你想进去 我们不会拦着你 +对 但是你会吓坏他 +吓死他的 +David已经用他的方式说了再见 Molly +现在轮到你了 +这就是你未了的心愿 +我该怎么做? +只要... +放手 +David和所有的一切 +你那么做... +我觉得你就能走了 +可是你们不知道会去哪儿 +不 +Molly 你不属于这个世界 +难道你还没有受够折磨? +时候到了 +是你离开的时候了 +我觉得她还不错 +作为一个鬼 +你真的觉得她会去一个更好的地方? +希望如此 +我猜我们永远不会知道 +直到我们自己亲身体会到 是吧? +无所谓 Dean +希望是最重要的 +好吧 Haley Joel +[饰演《第六感》里的那个小孩的演员] +上路吧 +你不会相信 我替你杀的人会复活 +罗洛托尔斯 你欠债 你一定要还债 +否则你不能活着 看我是否说实话 +欠债? +你认为我欠你多少? +克伦斯说你知道 +我从17岁就没有 被人用枪指着头 +而今晚 +今晚 +今晚还没有结束 +你不能离开 +你活不久 +不管你是谁 +你不知道我是谁 +这本来是友善的拜访 托尔斯先生 +你的烦恼都结束了 你应该松一口气 +你的还没有结束 我保证 +谁都不能对我这样! +没有人这样对你 +你没有办法阻止 +一遍又一遍又一遍 +做好了再做 +刚开始就结束 +手骨 人手 骨头人 +一遍又一遍又一遍 +做好了再做 +刚开始就结束 +刚开始就结束 +刚开始就结束 +刚开始就结束 +想看魔术吗? +你有问题 +问题? +居然用枪指着他的头 你这个疯混蛋! +我不会砍头 我同意时跟你说过 +我说过让我处理 +你应该处理 +这全是误会 还来得及到那里然后 +我不会回那里 +才怪! +你看不到全貌 +关系到的不只是我们的命 +关系到什么? +克伦斯 那个人是谁? +为什么尽快解决这麽重要? +没时间解释 +你在那里等五分钟 让我有机会跟他谈 +我不会在这里等 +这里是敌区 +我挂了电话马上离开 +那麽五分钟后 打电话到糖果店给我 +我没有带零钱 +那就打对方付费电话 +听好 混蛋 +你害我们惹上麻烦 要给我机会解决 +我五分钟后离开 +你最好打电话给我 +(主演 戴伦威尔) +(主演 艾德奥罗斯) +片名 杀手无名 +接线生 要打几号? +史丹菲66286 +请等一下 我替你接 +谢谢 +好了 不要再按铃了 该死! +我来了 第一次就听到了 +我来了! +我还没有聋 该死! +当然是你 莫迪曼先生 +不然还有谁? +让我猜猜 你的钥匙又弄丢了? +对不起 你大概弄错人了 +如果你想表示什么 我不明白 +如果是笑话 我并没有笑 +我一点都不知道你在说什么 +我15分钟前发现 挂在门柄上 +门开着而且没有行李 +我看你想溜走 +对不起 +对不起 我不知道头在哪里 +很漫长的一个夜晚 +先生 你连一半都不知道 +你再弄丢就不给你了 我保证! +谢谢你 对不起 +嗨 莫迪曼先生 +房间在哪边 记得吗? +狗屎! +笨蛋 你懂什么? +一秒钟前你以为是糖果 +我虽然不知道它的名字 但不表示不知道是什么 +它不是一个人 +你不知所云 +对 我不知道 +我甚至不知道你说什么 +这场谈话让我头痛 +我什么都不想说 但我闻到尿味 +好 你走吧 +我好像没听到 +你听到了 把你的臭嘴带走 +把小甜甜也带走 他让我毛骨悚然 +把门关上 +贝马许和柯威尔在湖上 +唐保姆和法兰科在船屋里 +我刚在码头上见到班吉 +最后还有我们 +我告诉你 罗洛 +接下来几小时谁都动不了你 +你只要确定比我先死 +耶稣 我在地狱里 +拜托 主啊 让我熬过今天晚上 +我求你 +如你所愿 +谁呀? +是谁呀 该死! +罗洛? +伏斯柏? +老天 伏斯柏 +你在干什么? +你开枪打谁? +没什么 +没什么 只是意外 +意外! +罗洛 你 +关掉该死的灯! +关掉! +好 关掉了! +别紧张 +现在出来 +好 你要装子弹时叫一声 +我的枪 +我的枪在哪里? +在哪里? +在哪里? +我的枪在哪里? +你在这里 +是的 +嗯 你想怎样? +我已经办好了 +你没有 你跟克伦斯在一起 +是的 +老天! +你是怎么进来的 +老天! +我以为你 +你夺走我的枪 +你在开枪 +我 +我以为你是别人 +我不是 +你说的别人也不是 +什么意思? +他死了吗? +他死了 我活着 +确定是他吗? +他脸上戴了黑面纱 +是他 老天! +头在哪里? +我离开时还在他肩膀上 +胡说! +胡说! +我跟克伦斯说过 我要他的头 我告诉他 +我建议你自己去砍吧 +我相信你有东西给我 +是的 +我有东西给你 +我要问这是什么吗? +一块钱 混蛋! +为你没有做的事付的钱 +并不是我欠你的 +你误会了我的角色 托尔斯先生 +我不是你做的协议 讨价还价的人 +我不是来谈判的 +你想吓我吗? +你连脸都不敢露 +这不表示你不该害怕 +你这个可恶的家伙 +你不相信我并不会使 我替你杀的人复活 +罗洛托尔斯 你欠债 你一定要还债 +否则你不能活着 看我是否说实话 +欠债? +你想我欠你多少? +克伦斯说你知道 +我从17岁就没有 被人用枪指着头 +而今晚 +今晚 +今晚还没有结束 +你不能离开 +你活不久 +不管你是谁 +你不知道我是谁 +这本来是友善的拜访 托尔斯先生 +你的烦恼都结束了 你应该松一口气 +你的还没有结束 我保证 +任何人 +谁都不能对我这样! +没有人这样对你 托尔斯先生 +你没有办法阻止 +接线生 要打几号? +史丹菲66286 +请等一下 我替你接 +谢谢 +克伦斯? +你在吗? +我听得到你的呼吸声 可恶的混蛋! +趁还能的时候享受吧 +因为只要我还能活一天 +我对天发誓 +我就会用想得到的最刻薄手段 让你从地球上消失踪 +对你那个狗屁贼要加倍! +我知道出了差错 我知道! +他没有杀任何人! +人头还接近在会呼吸的脖子上 所以他不能拿回来 +他还活着! +听到没有 活死人? +他还活着 +还活着! +这里就是了 +他拿着一把开山刀 站在坟墓上 +他戴着面纱 +混蛋! +每次都这样! +他们好像在外面看着我 等我 +停! +不要按铃了! +该死! +我来了! +第一次就听到了! +我来了! +我还没有聋 +你需要什么? +我很抱歉打扰你 但我的房间钥匙又丢了 +朋友 我们这里没女人 +要女人就自己找 +我们整夜都开 价目表在墙上 +不问问题 没有列外 +我不要女孩 也不要另外开房间 +我姓莫迪曼 +我住223号房间 +我的房门钥匙又弄丢了 +又一次? +是的 +223房的钥匙? +是的 +挂在223钩子上的钥匙吗? +你比自己还快 莫迪曼先生 +不知你住的地方怎样 +但这里的人要先租房间 然后才能拿钥匙 +权利都写在墙上 不问问题 没有列外 +我要223房 +早说呀! +223房 +走楼梯上去到左边 然后第一个弯左转 +罗洛托尔斯! +你大概是开玩笑 +什么? +这地方跟别处一样好 +我们离岸30尺 柯威尔 +那麽? +冰融化怎么办? +有人在这里游泳 知道吗? +这里会有小孩玩水 +他会踢到其中一人的脸 +你看到水桶多大 +你知道谁要把它们提到这里 +你想走多远? +要远到他们的头 不会从洞里伸出来 +可怜虫最后跪在教堂前的地上 乞求上帝 +主啊 我一辈子都是好人 +我遵首尾每一条规矩 做你叫我做的所有事 +你每次都诅咒我 +你夺走我的一切 我的家人 我的家 +我的视力 我的腿 我的整个世界 +我还是赞美你的名 +你为什么一直这麽惩罚我? +然后尖塔倒在他身上 +他向上看时 最后看到的东西 +喂 伏斯柏 不想听吗? +第一次听就不好笑 +小心不要踢到这个 +说什么 班吉? +你以为呢? +小心别踢到这个! +好 好 +几点了? +我没有手表 +沙漏就在你面前 +这是沙漏 看不出时间 只能看时间过了多久 +想想过了多久时间吧 +然后从开始的时间算起 +我不知道几点开始的 +老天! +你看看这个! +太厚了 像是假的 +我怎么跟你说的? +不要靠近窗口 +没有人能看到我 +你不能确定 +当然可以! +如果我能看到外面 表示这里比外面黑 +这表示外面的人看不到我 +除非脸贴在窗子上 +香烟怎样 大教授? +那有多黑? +你远离窗口 好吗? +你让我紧张 +所有的事都让你紧张 +唐保姆和法兰科怎样? +他们不会有事 他们天生要看水泥变干 +其他人呢? +真想知道吗? +昆西当然是发疯了 +法兰科说他们用扳手 打他的头整整两分钟 +他们还比他先累 +至于其他两个人 装在袋子里很难说 +女的好像已经死了 小孩的头还在上面 +在哭吗? +没有听到 或许吓得不敢哭 +换了我也会 +你说都不要说 +这不是笑话 +什么是笑话? +我还是不知道 为什么要在这鬼东西上 +你用不着知道 只要安静的坐着 +你连这都做不对 +你看""小甜甜"" +你没有听到他唠叨 +""小甜甜""不会唠叨 +你看他 几乎不在这里 +他在这里 +他在做叫他做的事 +相信我 如果事情 跟我想的一样 +你会感激我让你坐在船上 +不浮在水上就不是船 +这里的水在五尺厚的冰下面 +他们最后才会到这里找 +他们是谁? +克伦斯吗? +别管克伦斯 我们要做就做吧 +说真的 罗洛 我从来没见过你这麽 +没看过我怎样? +犹豫! +没看过你像这样犹豫 +你这麽紧张 我也该紧张吧? +只是我不知道要紧张什么? +知道因果是什么吗 伏斯柏? +因果? +好像是一种糖果 +不是糖果 白痴 +那是宇宙的平衡 +宇宙的平衡 +你在看什么鬼书? +相信你这辈子做的事 下辈子会报应在你身上吗? +我相信就不会在这里 +没有宇宙对抗你 你就已经够危险了 +几小时前我会同意你的话 +什么东西让你改变主意? +头上撞了一个包吗? +不是东西 +而是人 +谁 罗洛? +因果不是人 +唯一的人是在黑暗里的你和我 +你懂什么 笨蛋 +一秒钟前你还以为是糖果 +我不知道它的名称 不表示不知道是什么 +它不是一个人 +你不知所云 +对 我不知道 +我甚至不知道你说什么 +这场谈话让我头痛 +我什么都不想说 +但我闻到尿味 +好 你走吧 +我好像没听到 +你听到了 把你的臭嘴带走 +把小甜甜也带走 他让我毛骨悚然 +贝马许和柯威尔在湖上 +唐保姆和法兰科在船屋里 +我刚在码头上见到班吉 +最后还有我们 +我告诉你 罗洛 +接下来几小时谁都动不了你 +你只要确定比我先死 +这不是我要的东西 +跟一个疯子玩""追随领袖"" 该死! +是谁呀 该死! +罗洛? +你在干什么? +你开枪打谁? +没什么 只是意外 +意外! +罗洛 你 +关掉该死的灯! +关掉! +好 关掉了! +别紧张 +现在出来 +好 你要装子弹时叫一声 +混蛋 +我的枪 +在哪里? +你在这里 +是的 +嗯 你想怎样? +我已经办好了 +你没有 你跟克伦斯在一起 +是的 +老天! +你是怎么进来的 +老天! +你差一点 +你夺走我的枪 +你在开枪 +我以为你是别人 +我不是 +你说的别人也不是 +什么意思? +他死了吗? +他死了我活着 +没有发生这种事 +此刻的任何事都不可能 +不可能发生 +也许我在做梦 也许我在别人的梦里 +不知道是什么没关系 +知道不是什么就够了 +这不真实 +没有关系 +我不会丧失踪理智 +不会丧失踪理智 +我感觉他在这里 +我开始走路 +这些是事实 +我走过的世界不理性 荒谬 +即使如此还是世界 还是有一套规则 +不论规则多麽荒谬不理性 +如果能找出规则 在体系内运作 +我就不再是世界的 无知受害者 +就是这里 +疯狂循环就在这里被打断 +它为我打开过一次 再也不会了 +看得到我的人 我不存在 我是谁? +没有用 宝贝 +停止是锁 谜是钥匙 答案不是免费的 +又是你 +欢迎你回来 欢迎客人 +这次有零钱吗? +有什么可以施舍给瞎婆子吗? +还是你带答案来了? +什么的答案? +谜! +看得见我者 我不存在 我是谁? +要玩才能通过 付费才能玩 通过要付费 +让路吧! +图案需要三个人 其中一人是我 +这里是我家 孩子 +这是我的路 +安静! +无名小卒不能说""不"" +唱同样悲怆的歌 一遍又一遍 +留声机和断骨 +唱同样悲怆的歌 一遍又一遍 +你有问题 +我不会砍头 我同意时跟你说过 +你应该处理 +我不会回去 +我五分钟就走 +想看魔术吗? +看得见我者 我不存在 我是谁? +没有用 宝贝 +停止是锁 谜是钥匙 答案不是免费的 +又是你 这是你做的! +开门! +你回答我的问题 门就会自己打开 +来吧 别说你忘了 +这不是游戏 +不是游戏 是谜! +想想其实很简单 +看得见我者 我不存在 我是谁? +我没有答案 +白银 这会有帮助 闪光是线索吗? +给穷苦残障的人一点钱 +我没有 +等一等! +留声机和断骨 +唱同样悲怆的歌 一遍又一遍 +一遍又一遍又一遍 +知道吗? +两个人做会快很多 +好主意 +我去找人来 +混蛋! +不能跟他说话 小甜甜 +不可能! +知道要怎么处理吗? +只能跟着罗洛七上八下 直到他把自己累垮 +然后让他睡觉 我们回家 +家 说到这个字就让我 眼皮沉重 +几点钟了? +小甜甜? +小甜甜? +小甜甜 +我自言自语多久了? +小甜甜 +小甜甜 +小甜甜 +哈 有收获了 搞什么 +法兰科! +法兰科! +什么? +你可以到这里吗? +为什么? +只管出来! +不 我要躺下 +你会错过 +你会错过 +错过什么? +我会错过什么? +你快点好吗? +最好值得! +如果我出去 而只是兔子 那种愚蠢的东西 +我会要你付大代价 +那个混蛋! +拿起电话吧! +小甜甜! +来吧! +我不需要你对我发疯 +小甜甜? +小甜甜 你在里面吗? +说话呀 笨蛋! +你像这样溜走时最好出声 +否则我要把铁罐绑在你的 +老天! +时间到了 混蛋 +有什么好笑吗? +好像似曾相识 +真的? +可惜没有早一点发生 +我知道他撒谎! +那个该死的混蛋 +你派他来杀我 +不然要我怎样? +我知道你迟早会回来 你自己说的 +我从来没有回来 罗洛 +是你的行动把你带到我这里 +现在怎样? +接下来会怎样? +你知道因果是什么吗? +从来没有听过 +东方人相信宇宙平衡 +相反而相等的力量 +你这辈子做的事 下辈子会报应到你身上 +你觉得怎样? +不知道 +别把它想成宇宙或神秘的事 +想成简单的因果关系 简单的物理学 +我会想 +希望别想太久 +我不能等到下辈子 +把电话拿起来 +打电话给谁? +你以为呢? +我不能 +为什么不能? +我不知道他是谁? +你怎么找到他的? +跟我找到你一样 +透过克伦斯? +克伦斯 对 +打电话给克伦斯 +我试了半个钟头 但他没接电话 +再试一次 +他不会接电话 +我现在就告诉你 +如果我是你 我会往正面想 +如果他接电话要我说什么? +随便你说什么 +我告诉你不可克伦斯? +克伦斯 你在吗? +我听得到你的呼吸声 可恶的混蛋! +趁还能的时候享受吧 +因为只要我还能活一天 +我对天发誓 +我就会用想得到的最刻薄手段 让你从地球上消失踪 +对你那个狗屁贼要加倍! +我知道出了差错 +我知道! +他没有杀任何人! +人头还连接在会呼吸的脖子上 所以他不能拿回来 +他还活着! +听到没有 活死人? +他还活着 +当时很暗 +我连他的脸都没有看到 +他用枪指着我的头 +然后就消失踪了 +我不知道他到哪里去了 +我知道 +你能告诉我的事 我不知道的很少 +我只是自卫 +你把包里给他了 +不是我给的 是他拿的 +里面什么都没有 +他活该! +他不知来干什么 所以活该! +他来干什么? +确认! +所以你要我的人头吗? +回答! +我对天发誓不知道 +因为这个晚上 这个恶梦 +老天! +回答! +回答我! +否则我从你的大脑里挖出来 +证明 我需要证明 +证明什么? +证明我死了吗? +证明你曾经存在 +上帝 我在地狱里 +求你让我醒来 +我愿意做任何事 +只要让我现在醒来 +在自己家的床上! +罗洛 +如果你在外面 醒来吧 醒来吧! +转身! +我不想看到你的脸! +我想看你的 +转过来! +老天! +跪下! +上帝 求你别杀我 +我不想死 +今晚不想! +经历过这些之后不想 +求求你 我可以做你要我做的任何事 +我愿意做任何事 +求你不要杀我 +瞧瞧你自己 +骄傲而无情的罗洛托尔斯 +跪着像小孩一样哭泣 +求人饶命时尿湿了裤子 +怕你的如果看到你现在 +托尔斯先生 你现在是新人 +但你不会活着欣赏改变 +我今晚要回克劳斯公园 +不论死活我都会出来 +我发誓不论世界怎么运转 +接下来我要找你 +到那时之前 这是你生命的证明 +你不会绕道踩死人行道上的虫 +如果虫跑到你脚底 你也不会让它 +罗洛 +你是虫子 罗洛托尔斯 +罗洛 +罗洛 如果你还在的话 +请你醒来 +从现在开始 你活着的每一刻 +都要知道你还活着 是因为没有重要到必须死 +请你醒醒 +一切都有秩序 +必须有一条途径 让事件自然发生才有可能 +我并不期望你了解这些 +我不确定自己是否了解 +喂 罗洛! +我醒了! +我醒了! +老天 罗洛! +发生什么事? +我们以为你死了 +没死 +我没死! +发生什么? +我昏迷多久? +你几分钟前停止尖叫和躁动 +我进来看你是否安静下来了 +但你倒在地上 全身是血而且在流口水 +老天 真龌龊! +谁替他包扎一下 +扶我起来 +法兰科 替他拿点东西来 +扶我起来 +我猜你被什么绊倒 然后撞破了头 +这是尿吗? +班吉和昆西回来了 +他们找到他吗? +找到他了 +克劳斯公园 +你说什么? +你没听到法兰科的话吗? +班吉和昆西回来了 +他们去哪里? +你是开玩笑吗? +他们在哪里? +在船屋里 要叫他们来吗? +知道要做什么再说 +你出了什么事? +小鬼咬我 +老大 下一步要做什么? +让他们穿水泥鞋子 +柯威尔 找人开始凿冰 碰到水之前不要停 +你开玩笑吗? +你刚才说什么? +你刚说什么? +罗洛 只是一个孩子 +一个小男孩 我家也有一个 我不能做 +好 好 +好 +他也一样 +搞什么? +罗洛! +罗洛! +好 你听到他的话了 +拜托 +这是怎么回事? +罗洛? +你还好吧 +别说话 只管听 +我们抓到你的太太和孩子 +正在替他们穿水泥鞋 懂吧? +别跟我胡扯 +你知道只有一条出路 +今晚此刻 他正要到克劳斯公园 +因为是他告诉我的 +我不要你叫他取消 +我要那个混蛋死 +然后找更厉害的人 +这是你闯的祸 克伦斯 +找人办事吧 +否则我会让你的漂亮老婆 +看你的漂亮男孩 像大石头一样 +沉到寒冷阴暗的湖底 +你明白吗? +还有一点 +我要他的人头 +听到没有? +我要他该死的人头 +给你一小时 +到底发生什么事? +把灯关掉 +就是这里 +他拿着一把开山刀 站在坟墓上面 +他戴着面纱 +就是这里 +他拿着一把开山刀 站在坟墓上面 +他戴着面纱 +你在这里 +是的 +你要做什么? +我已经做了 +我以为你是别人 +我不是 +你的别人也不是他 +什么意思? +他死了吗? +他死了我活着 +做好了 好了 得到了银子 +跟开始一样结束 +他多了一块钱 +他有耳朵听得见另一只 +- +- +- +- +-====翻译: +===== +- +- +- +-- 梅格 紫米稀饭 潇湘夜雨 月生白水 小门柴 校对: +火精灵 +老兄 你他妈的想什么呢 +嗨 伙计 +你还好吧 +不好意思我来晚了 钱带来了吗 +你不买饮料的话 下次就不要来这 +-什么 +-我上周告诉你了 +-该死的别碰我 +-我会报警 滚出去 +你是不是把我当傻瓜? +滚 你这个白痴 +滚 再也别来这 否则我就报警 +我会报警 +你来不来? +-你到底来不来? +-别碰我的窗户 +-再也别回来 +-妈的 整死你 +老兄 你到底来不来? +我没时间 我很忙 +快点过来 +我都安排好了 +我在这呆了一晚上 就是给你安排这事 +没事 没事 +你一般不会在国王路见到我 +警察对那里的乞丐管得挺紧的 +但这里是我的地盘 从十岁起就在这了 +这是我的地盘 勇敢人的家 +那些年我管着这里呢 +我想进商店买点喝的 行不? +老兄 +知道吗 +我把钱忘在家了 +借我一块钱 行不? +就一块 回家就给你 +保证回家就还你 +就一百便士 老兄 快给我 +我就拿50便士 行吗 我马上回来 +白痴 你看什么呢 +真是个笨蛋 +-看 +-混蛋 +-谢谢你 肯恩 +太爽了 我们走 +你在国王路干什么 +-我在附近工作 +-你肯定有份体面的工作吧? +看 那是我以前的家 +挂粉帘子的那个 +我过去用的是蓝帘子 不是粉色的 +-凯拉 你没事吧 +-没事 +-好 不错 +-你去哪 +和这个家伙谈点生意 +-我一会来看你 好吗 +-好 +那是麦凯拉 +她妈妈是妓女 就住在那边 +每次她妈妈有客人 就把她赶出来消磨时间 +你知道最惨的是什么? +老兄 人人都知道 +想象一下 麦凯拉知道每个人都知道 +这是我家 老兄 知道吗 +也... +不算我家 但是我每次吸毒 都来这 +老兄 没有人知道这个地方 +这就象是... +我的秘密窝 +-我帮你把衣服挂起来吧 +-我不会呆很久 +-什么 +-我办完事就走 +老兄 脱下衣服 休息一下 +酷 酷 +告诉过你 我就知道是巴宝莉牌的 +日子真不错 这正是我想要的 +老兄 正是我想要的 +干嘛不和我说你有伏特加 早知道就带可乐来了 +可乐加伏特加 我最喜欢的饮料 +我在索霍区俱乐部里就喝这个 +你不介意吧? +太棒了 太爽了 +太高兴了 +坐 休息一下 你怎么了 +喝点东西 +休息休息 +过来 +你寂寞还是怎么的? +-什么 +-你寂寞吗 +-你想说什么 老兄 +-我只想结束这一切 +好吧 他妈的 +他妈的 把钱给我 +不错嘛 +750块 +什么 +750块 +-我是说800块的 +-昨天给你50了 +-你没给 +-我给了 +-你没给 +-我给了 +呃 那50呀 那50块只是余款 +-什么 +-余款 +道上就是这么办事的 老兄 明白吗? +-那不是余款 +-是 是余款 +-余款是 是一种诚信的体现 +-嗯 嗯 诚信 +诚信的契约 一种礼貌 +-也就是头期款 +-对 +如果那是头期款 这是剩下的钱 +富佬 别自作聪明 +那50块只是保证我能替你解决问题 你出得起钱 +我查过了 你不是警察 +你也查过我不是警察吧 +-什么 警察? +-嗯 警察 +警察 差佬 公安 条子 Po +-po, 条子, five +-oh, one time. +我想每个人都看得出你不是警察 +你想说什么 +妈的 你这个自大的家伙 +你在我地盘呢 富佬 我的地盘 +你觉得我看上去很穷 就以为我是个傻瓜? +我路子多着呢 +妈的 死白痴 +-妈的 +-麦克 怎么了 +麦克? +怎么了 +你要去哪 +出去 +什么意思 我不明白 怎么了 +麦克 求你了 +-你要去哪 +-出去 +麦克 你打不打算告诉我发生了什么了吗 +发生了什么 你要去哪 你要去哪 +塔妮雅 看在上帝的份上 +你要把这东西带到哪 我不问别的 +有点事 现在出去解决 +听懂了吗 现在就去 +麦克 +你少给了50块 告诉过你是800块 +我只有750 +-我们去提款机取 +-不行 +-为什么不行 +-我没带卡 +你还带什么了 你身上还带什么了 +这是什么 +照片不错 看上去你不太舒服 +霍... +霍.. +霍拉提奥 +赫莱西奥 +赫莱西奥・班布赖吉 +你说你叫汤姆 +你会四处告诉别人你叫赫莱西奥吗? +当然 +-这是什么 +-我的工作证 +我要它有什么用 白痴 +别跟我搞鬼 +老兄 我告诉你 我认识的人多着呢 +-你不能这样出去 +-你他妈的让... +-让开 +-你不能走 +-让开 +-不 +-让开 +-不 +你他妈的让开 +-妈的 +-麦克 +麦克 麦克 你冷静一下 +我担心你 我担心我们 +麦克 听着 +我不管你去哪 +我不介意 我理解 你有生意要做 +麦克 你要冷静 +否则你会做坏事的 +那天晚上 这么做管用了 +不 亲爱的 管用了 +求你了 再试一次 为我 +再试一次 +就是这样 就是这样 +再试一次 亲爱的 亲爱的 +阿弥陀佛 +南无... +阿弥陀佛 +阿弥陀佛 +看到了吧? +就是这样 就是这样 +阿弥陀佛 +阿弥陀佛 +南无阿弥陀佛 +-就是这样 +-南无阿弥陀佛 +南无阿弥陀佛 南无阿弥陀佛 +南无阿弥陀佛 南无阿弥陀佛 +你在外面小心点 好吗 +南无阿弥陀佛 南无阿弥陀佛 +南无阿弥陀佛 +南无阿弥陀佛 南无阿弥陀佛 +阿弥陀佛 +南无阿弥陀佛 +南无阿弥陀佛 +南无阿弥陀佛 +他妈的 +那个戒指 +-什么 +-你口袋里的戒指 +-它不只值50 +-跟我有什么关系 +事实是你少了50块 +如果我没得到我想要的 你也不会得到你想要的 +-金子做的是不是? +-是 +-手表呢 +-什么 +-手表 +-你没开玩笑吧? +-该是我的就是我的 +-妈的 +你要去哪? +老兄 +老兄 +老大 +别这样 别这样 +冷静点 好吗 +我刚刚只是试试你 好吗 +看 你把戒指给我了 +750块我就做了 行不 +-兄弟 你去哪儿 +-关你什么事 +我要给迪弄个t +鹦鹉还在窗户那里吗 +那只该死的鹦鹉还在他妈的窗户那吗 +-没有 +-是吗 +-不 没在 +-没在 你这个他妈的杂种 +但是 兄弟 我正爽呢 今天是发失业金的日子 +-我有钱 老兄 +-去你妈的 +我们现在在做生意 伙计 +来 碰一下 喝一口 +来吧 兄弟 +你准备交钱了吗? +我想看看我买的东西 +先交钱 兄弟 +-看到我要买的东西才给钱 +-先交钱 +不行 +好吧 +好 行啦 你想这样玩吗 +你会把事情搞砸的 +知道吗 会搞砸 +看这个 +搞砸了 +该死的你 +-谁 +-霍德维克 +-克里斯托 +-霍德维克 怎么样啊 +-很长时间没见到你了 +-你看见迪了吗 +他昨晚来过 +发生什么事了 小迪给自己找麻烦啦 +算了 +-我不感兴趣 迪身上有钱吗 +-霍德维克... +相信我 要是迪没钱他是走不出那道门的 +-他有多少钱 +-50镑 +50... +他妈的50镑 +现在真的很无聊 +想和我谈? +怎么啦 笨蛋 +真他妈的 +英国他妈最坏的牙买加人 +你死定了 +对啊 那能行 +800镑买这个很便宜 你知道吗 +750 真是物美价廉 +麦凯拉 今天你看见迪了吗 +麦凯拉 +你今天看见迪了吗 +你今天看见迪了吗 +你看到没 +是的 他和一个人在一起 +他跟谁在一起 +-以前没见过他 +-他长什么样 +白人 迪说他要帮他解决问题 +妈的 +操你 迪 +没事 没事 麦凯拉 +没关系 没事的 没事的 +这个白人张得什么样子? +他们去哪儿啦 +你知道 就像 你妈妈有时候给我钱 +你知道 因为她需要我 +那么 我需要你为我做点事 +你得告诉我迪在哪儿 +我得看看 +它就在这儿啊 +是啊 但可能是仿制品 +这是一只38口径的抢 +特别是周六晚上 +老兄 你知道吗 用这个可是能造成很大破坏的 +-他们上那儿去了 +-另外一个家伙也去了? +是的 +相信我 粗鲁的男孩 +你把简单的事情搞复杂了 +-我可是个神枪手 兄弟 +-给我看看枪就行了 +-看了我满意的话 我会付钱的 +-我是个刺客 +-我保证 +-什么 什么 +好吗 付了钱就走 +好吗 +只要我一走 你就能 +你就可以到这儿的烟馆去 抽上一整盒 +怎么样? +-把钱放在桌上 老兄 +-哦 别这样 +别这样 我看起来像会了枪打你吗 +不 不 你不会 +但那不是你要问你自己的问题 +事实上 +我看起来像要射你的人吗 像吗 +像吗 +你干嘛要以貌取人呢 有钱人 +我可是个嗜血的烟鬼 +也就是说我是个危险人物 +你笑什么 +你他妈究竟在笑什么 +我向上帝发誓 不要试探我 知道吗 有钱人 +知道吗 老兄 我已经杀了很多人了 +滚回你的地盘 要知道你和个携抢的烟鬼 +起了点小摩擦 竟然还能活着离开 +听懂啦 +把钱放在桌上 给我滚出去 +-把枪给我 +-你他妈... +-不 +-给我 +-滚开 你他妈在干嘛 +-你他妈把枪给我 +你真是疯了 +你他妈这个肮脏的杂种 把枪给我 +给我! +给我 给我 你 +-你这个杂种 +-你在做什么 +迪 +滚开 +你他妈的同性恋 +上帝啊 迪 把那小东西收好 +霍斯! +发生什么事了 老兄 +还好吗 +那他妈的是谁? +你从什么时候起开始当鸭了 +你从什么时候起开始当鸭了 +-霍斯 兄弟 我没有 +-是吗 +那我进来的时候你们在干什么 +-你赚了多少钱? +-我说过了... +我知道你挣钱了 昨晚你到克里斯托那儿去了 +-你为什么不告诉我? +-我没有在当鸭 +不告诉我是因为你欠我钱 你他妈的烟鬼 +你他妈的欠我钱 +给我他妈的下楼去 +不 等等 +我有几句话要跟迪说 +要是在走之前再看到你 +我会他妈毁了你的 +同性恋 +霍斯 兄弟 轻点 轻点 +你他妈在干什么 两星期前怎么跟你说的 +-不是让你躲起来吗 +-我躲了 那儿都没去 +那你那个小白脸是哪里来的? +-我在街上遇到他的 +-他该死的到底从哪儿来的 +-我是在街上遇到他的 +-哦 是吗 +在他妈的街上碰到的? +轻点 嘿 霍斯 求你 别打了 +-你他妈笨蛋... +-我发誓 我什么都没告诉他 +妈的 你要干什么 霍斯 不要 妈的 +-这看起来像什么 +-妈的 妈的 +在我们干那事后三个礼拜以后 +你竟然随便把个变态同性恋给带回来了 +你他妈不要 +-冷静点 +-我这么做只是为了活命 +霍斯 可我什么都没做啊 兄弟 +-伙计 +-不 你他妈做了 +妈的 +妈的 它在这儿 妈的 +上帝啊 一直在我脑子里 +迪 那个男人可能是特别行动组的 +哦 妈的 +好了 兄弟 呼吸 +南无阿弥陀佛 南无阿弥陀佛 +南无阿弥陀佛 南无阿弥陀佛 +南无阿弥陀佛 +好了 问你个问题 +是不是关于你的钱? +我欠你的钱? +霍斯 我一直在想办法弄钱 但佷不顺利 +我一直在想办法弄钱 我发誓 +一切都搞砸了 记得吗 我去了你家 +-你在那儿很安全 记得吗 +-确实 +昨晚你在我东西边上打转了 是不是 +是吗 +是吗 +那么我的枪他妈在哪里 +我的枪他妈在哪里 +我不知道你的枪在哪儿 +-我没有拿你的枪 我发誓 +-上帝 好吧 +原来我的0.38好端端的在我的浴缸底下 +昨晚你来了 然后今天早上 它就没了 +我发誓 霍斯 我发誓 我没有去过浴室 +我更本没进过浴室 霍斯 我一直都在前厅 +记得么 我一直都在前厅 +求你了 我发誓 我真没拿... +妈的 去你的 +等等 老大 我发誓 那一定是赛夫的手下 +他们来过的 +老大 还记得么 他们来过的 +赛夫是来买白粉的 +他和2个你从未见过面的人一起 +雷和格雷 +格雷很擅长使用武器 霍斯 我发誓... +-妈的 混球 +-我发誓! +那几个从来没来过的混帐怎么可能 +知道枪在哪里? +老大 因为是雷 听我说 +他住的那个公寓 +他们住的那个公寓 剑桥塔公寓 +和你住的公寓一模一样 我妈的发誓 +你也知道 那把枪能带来好运 +它跟了我他妈的至少15年 +-在哪里? +-天哪 +迪 他妈的枪在哪儿? +操! +够了! +他欠你多少? +多少钱? +如果我帮他还 能放了他吗? +多少钱? +270英镑 +我没告诉你叫你呆在那儿吗? +你以为他妈的是谁? +警察? +过来抓我的吗? +是吗? +来呀 快来 来抓我呀 死条子 +快来啊 来铐我呀 死条子 +嘿? +来铐我呀! +哦 不 不 我明白了 +你这死同性恋是过来花钱享乐的 +来操男人 真不要脸 +觉得自己有钱? +啊? +从口袋拿出钱扔我是吗? +啊? +那好 看看吧 +妈的好好看看吧 +霍斯... +霍斯... +霍斯 +看到了吗? +我说过了 他不是警察 不是吗? +我还让你得到这些钱呢 老大 +我只是想... +为了老大你 我出卖自己的肉体 +出卖自己的肉体 帮你赚到这些钱 +我没拿过你的枪 +老大 我说了 是雷干的 是雷! +他住在... +住在... +剑桥塔公寓 +和你住的地方一模一样 +所以他知道浴室的事 +喂? +赛夫 是我 霍斯 +等等 等下 好吗 +霍斯 请等一下 好吗 +-你在干吗呢? +-你看到我的耐克上衣了吗 +我在打电话 给我滚出去 +出去 +妈 +霍斯 怎么了 +你在哪里? +在我妈家里 怎么了 老兄 +没什么 我要过来 +在剑桥公寓外见 +叫雷和那个昨晚一起来我公寓的 +叫格雷的小家伙一起过来 +霍斯 老兄 不行 我学校有事呢 +我管你什么学校 给你10分钟 +你最好慢慢祝福祈祷... +是雷拿了我的枪 +南无阿弥陀佛 南无阿弥陀佛 +雷 我是赛夫 你和格雷一起吗? +霍斯想要见我们 +不是好像 是要马上 +我他妈的什么都不清楚 +马上去车库 切记叫上格雷 +你他妈的怎么了? +老兄 你不用这么害怕霍斯的 +相信我 钱 再找几个家伙抢过来就行了 +那你也相信我 抢过来后 买把枪放身边 +-你说什么? +-我说 +找几个疯子 蠢蛋 抢完钱 买把枪防身 +妈的跟我有什么关系 +告诉你 我会打爆你的头 +该死的胆小鬼 +知道他是谁吗? +霍斯 老兄 是 霍德维克 +他妈的我才不怕他 +疯子我可见过不少 +但像你刚刚那样的疯子还真没见过 +我要这把枪 +滚蛋吧 我不会把该死的枪给你的 +你知道吗 +你还是走吧 +-你该走了 +-我要枪 +-我不会给你的 +-我给你钱 +-不行 +-我帮你还了债了 +你自找的 我可没叫你那么做 让开 +你在干什么 你滚吧 你要我一枪杀了你吗 +我他妈的早就跟你说了 这可不是闹着玩儿的 +你还想让我再揍你几拳吗 +求你了 我可是说真的 赶紧滚吧 +从哪来回哪去吧 你到底怎么了 赶紧滚吧 +那要不这样 你呆在这儿等霍德维克过来 +-我跟你拜拜了 有钱人 +-把该死的枪给我啊 +把枪给我 +把枪给我 +把那该死的枪给我啊 +我操 +你他妈的饶了我吧 +我操 我操 我操 我操 我操 +别踢了 +我操 我操 你这个混蛋 我操 +操死你 +有钱人 你在干什么 +你这该死的 我操死你 +操死你 +他妈的 +啊 +有钱人 +我不知道哪招惹你了 +求你了 兄弟 +我只是个小烟鬼 +有钱人 +你这蠢蛋 +你这该死的... +我哪知道他怎么突然要见我们 +-你生什么气呀 +-别问我了 我他妈的不知道 +-他听上去是不是很生气? +-他妈的谁知道 +我操 +霍斯 怎么啦 +-你从我浴室里拿走了什么 +-什么都没拿 +-你拿了什么 +-什么都没拿 霍斯 +-我他妈的枪在哪 +-我什么都不知道啊 +-啊 +-我的枪在哪 +-他妈的枪在哪 小混蛋 +-我不知道什么枪啊 +-那怎么迪说你知道 +-什么? +-为什么迪说你偷了我的枪 +-我不知道你在说什么 +谁都不许动 +喂 保罗 你好吗 +恩 +是今天吗 我以为是... +我以为是明天 +不 没问题的 +没问题 为了你会让鹦鹉一直在窗台上 +我大概10分钟就可以到了 +你只要敲门就行了 +塔妮雅在那儿 她会招待你喝咖啡的 +10分钟好吗 那再见 保罗 +-我们不知道枪的事 +-他妈的闭嘴 +我的枪不见了 我得找回来 +不管谁出面 总之得拿回来 +什么型号的枪 +是什么... +什么型号的枪 +是一个. +38 +哪种 像个塌鼻子吗 +对 +-好的 +-是的 就得这样 +我要拿回我的枪 +我才不管是谁去帮我拿回来的 +我们真没拿 肯定是迪干的 +-那就去找迪 +-要是找不到他呢 +这烟鬼到处乱窜 连个住所都没有 +你知道那个大仓库吗 +-在糖果屋大道上的那个 +-知道了 +10分钟前 他在那儿做鸭子呢 +-做鸭子 +-是的 +什么意思 迪真是个疯子吗 +雷 他太恶心了 +所以我是你们的话 我会尽快过去 +就用我的表计时 +给你们一小时 +我发誓 兄弟 +我发誓 要是你再这样冲过来的话 +我会他妈的开枪的 +我会他妈的杀了你的 伙计 +听到了吗 有钱人 +有钱人 跟你说话呢 +我随时都可以开枪 +兄弟 会射到你的 +-我觉得事情有点不对头 +-那还能怎么办 +-是的 但是... +-不 你看看我 +我可没拿那把枪 你也没有 +格雷也没有 所以肯定是迪干的 +我不能就这样被他妈的白打了 +我们不用去打迪 只要拿回枪就行了 +-我们一定要给他点颜色看看 +-我们只要... +他妈的 迪诬告我 他是个混蛋 +我要去揍他 说到做到 +格雷该死的跑到哪里去了 +上帝啊 你给我开门 +我找不到我的白粉了 +什么? +我有一大袋的 可是找不到了 +什么? +去你的白粉 格雷 我们要干大事 +操 就知道吸毒 +你给我该死的快点 +你还真是磨磨蹭蹭的 +但你知道我要干嘛 别管了 看看这些 +双节棍不错啊 伙计 +-是我的 真粗鲁 +-拿来 +什么? +你有T型棍啊 +做工很好的 很棒 +我不去 +-什么? +-我可不会带着武器跑过去 该死的 +-我以为你是我兄弟呢 +-我是啊 +-那就拿着T型棍 +-你说什么? +你不来? +-我们要去拿枪啊 +-拿着 赛夫 +现在就拿 +听着 +伙计 保持冷静 行吗 +行吗 +我不想再惹麻烦了 有钱人 +我只想要这把枪 仅此而已 +给我枪我就走 +-求你了 +-不行啊 你不会想要枪的 +我一直在告诉你 有钱人 +你的商业伙伴出卖你了 还是怎么了? +你想杀了他吗 不值的 兄弟 +等等 +是不是和戒指有关? +你妻子离开你了 是吗 +所以你才到这里来? +你想... +你想杀了他的相好? +是不是? +想杀了那个杂种 +不值得的 伙计 +-你根本不知道在说什么 +-我知道 +我知道我在说什么 伙计 好不好? +没有女人值得你 +为了她毁了一辈子 +听着 伙计 +我和你说件事 +你这样做是没用的 +没用的? +! +我给了那个女人6年的时光 +你知道什么 +你可能从来没给过别人什么 +-我给很多人东西 兄弟 +-比如说? +我一直给麦凯拉东西 +我还给了布莱妮一些香水 +她很好满足 +第二天 她走过来和我说 "迪..." +"迪 我只有19岁" +"我已经开始堕落了 无路可退了" +"上瘾了" +"但还有人送我香水" +是不是就是她被杀了? +什么 啊? +-那个女孩 我在海报上看到的 她... +-别说了 +我发誓 事实上 你还在这呆着干嘛呢 +你觉得被女人抛弃了 自己好像个小丑吗 +你觉得这事不可能发生在你身上 +-闭嘴 闭嘴 闭嘴 +-你猜猜发生什么了 +-就是发生在你身上了 +-你给我闭嘴 +你要买把枪去杀她的相好 +别这样 伙计 你要向前看 嗯? +我不能继续走下去 +你可以 你老婆出走根本不能与我经历的事相比 +-我和那个女人有个女儿 +-这理由不错 +不过就这理由来说 你就更不该 +要这个东西 你有个女儿啊 +对 就是这么回事 对吧? +就是这么回事 +她不是我的女儿 她不是我的女儿 +现在你懂了没 +两年了 +两年来 我一直以为我是她的爸爸 +现在却发现我不是 +整整两年了 +别人才是她的爸爸 +那个人我认识 +我竟然认识他 +我竟然认识那个男人 +最后我老婆为了他离开了我 +你知道那是什么感觉吗 +我... +她是我女儿 她却不是我亲生的 +我辗转难寐 +我看完我以前日记 +我想知道到底什么时候开始的 我疯了吧 +操 +给你 兄弟 +有钱人 给你 +拿着 伙计 这是你的 +我知道你生气的原因了 +我知道你生气的原因了 我明白的 +但用枪 伙计 +这可绝不是什么好办法 +兄弟 你得学着怎么来应对这烂事 +向前看 对吧 +我挺过来了 +千万不要孩子气 +我从十岁起就在孤儿院 +那时只有我和我妈妈 兄弟 +嗯 她干得可真是不错 +-对不起 +-你刚才说什么 +-你刚才说了什么 +-我不是有意的 只是... +-只是顺口说说 对不起 +-我妈妈尽了力 +我会到孤儿院的唯一原因是她死了 +想想我的感受 +被丢到了孤儿院 +没有爸爸 妈妈也死了 +我十岁的时候就完了 +为什么我现在成这样了 因为我的过去 +而你 你是我见过的最有权势的人 +-他妈的 +-听着 我不... +不 不 不 +操你妈 操你妈 +如果你的人生和我一样 你也不过是个烟鬼 +如果我有你的人生 即使我知道 也不会这样 +你他妈个瘾君子 你他妈个贱人 +你完了 伙计 +兄弟 你要干嘛 你要干嘛 兄弟 +你这个贱人 过来 +好 我知道 我知道 +低点 放到这儿 +保罗 注意你的手放在哪儿 +你摸的可是我的女人 +你感觉到了吗 +嘿 你过来 +快追 雷 快追 +快点过去 +格雷 伙计 冲过去 +看 兄弟 看着我 +坚持住 伙计 别这样 +我抓到他 我抓到他了 伙计 +操 +过来 你这个小... +全城最棒的 +快点 +-我在这 兄弟 +-伙计 快点! +打开那扇门 +-我来了 +-他跑不了 +他妈的贱人 +雷 他把门锁了 +雷 +你跑不了的 伙计 +妈的 +他脱了衬衫看起来真壮 +他看起来真棒 +看那个 +-准备好了? +-好了 +你觉得很有趣吗 +哈 看看他 +麦克·杰克逊! +现在怎么办 嗯? +干他 +你跑不了 +跑得可真够远的 我要把你从这扔下去 +-别 伙计 别 +-你要干什么 兄弟 +我没带武士刀算你运气好 +看他呀 +放开他 +我说 放开他 +-你以为你能... +-雷 格雷 +雷 格雷 +-我说放开他 +-好 把枪放下 伙计 +放下 好吗 +-我们得去找霍斯 +-操 +听着 我不过卖些白粉来付我的大学学费 +-我可不是什么骗子 +-你会没事的 +赛夫 +你是我的同伴啊 赛夫 +你为什么那么做 我简直不敢相信 +-做什么 +-你让他们看到枪了 +-这全都是你的错 +-为什么 +因为如果昨晚你没有来问我买枪 +我们就不会卷进这事里 +天哪 麦克 鹦鹉又不在窗台上 +我得走了 +轻点 轻点 把我放在这 +啊 啊 轻点 操 +操 你他妈是怎么回事 +该死的脖子 +操 +你他妈在干什么 +我看起来像在干什么 啊? +我在找... +粉 行吗 +我记得 我发誓 我记得昨晚我在这丢了一些粉在这 +看 我真的... +我可不认为那样能解决一切 +你 你在说什么 我要振奋一下 伙计 +你不认为你该走了? +我说 你该走了 +你说过他还会回来 +我他妈的能去哪儿 +我去哪里? +我能往哪儿去? +啊? +呃 我只是... +我不知道 总会有你能去的地方 +你还不明白 对吧 +你有钱 所以你可以活下去 +不 这不光和钱有关 +不 就是钱的问题 兄弟 +我们之间最大的不同是什么? +钱 他妈的钱 +操 保罗 +肯定出事了 伙计 +行了 如果我说给你点钱的话? +-什么? +-如果我说给你钱呢? +你觉得你就可以离开了吗? +你说过你再也搞不到钱给我了 +-对 我说过 +-那你到哪儿给我搞钱? +用这个 +我可不干持械抢劫的事儿 +不 不 不 我不是这个意思 +那你是什么意思? +他干嘛到处找这把枪呢? +为什么他这么急着找这把枪 啊? +行了 行了 我听见你们的对话了 +-他说了什么 +-他说这把枪是一件凶器 +那又怎样? +所以 如果这把枪落到警察手里呢? +我不会把枪给警察的 +把枪还给我 +我可没说要把它交给警察 +那你到底什么意思? +我们手里是有霍德维克的枪 +那又怎样 +拿着枪去勒索他吗 +赫莱西奥 赫莱西奥 +他不会买自己的枪的 伙计 +干嘛不? +因为你不能 +-为什么 +-因为他是个杀手 +他妈的 上帝啊 +你... +我操你老娘 +操你老娘 +你凭什么说他花钱拿回枪后 +不会一枪毙了你 +-我把子弹拿掉 +-什么? +我会把子弹取下来的 +他只是要枪 又不要子弹 +他妈的 +你就不能帮帮我吗? +-我在找白粉 +-别管那破东西了 +-在这儿你找不到的 +-我都快得痴呆了 +你不是痴呆 而是疯了 +我疯了? +疯的人是你 是你要把枪卖还给那个杀手 +现在这才是明智的 你知道吗 +听我说 我们必须离开 就现在 +太棒了 +我找到了 现在看看是谁疯了 +所有人都将见证巴比伦王朝的覆灭 +回见 兄弟 +我操你妈 +你他妈的死定了 你这小混蛋 +退后 他妈的给我退后 +别他妈的干蠢事 同性恋 +给我他妈的退后 +把枪放下 然后滚开 +滚开 把枪放到地上 然后滚开 +我和你可没什么瓜葛 同性恋 +不 +想要枪的话 用钱来换 +我知道你干嘛急着要这把枪 +-你他妈的跟他说什么了 +-给钱吧 +是的 把钱给足了 +不然我马上就报警 +好吧 好吧 好吧 +过来拿钱 +你他妈的过来拿... +这笔钱啊 +去啊 +拿啊 +你敢碰一下我就杀了你 +我不能 +他妈的 +哦 同性恋 +-你他妈的放下他 +-你死定了 我操死你 +-放下他 +-我要杀了你... +他妈的放了他 +冷静点 迪 冷静 +把刀放下 +他妈的给我把刀放下 +-快啊 +-好吧 +拜托 你看 我... +. +我知道你想要还我钱的 这我明白 +求你了 迪 求你了 +想想塔妮雅 我马上就要... +做爸爸了 +求你了 迪 别做蠢事 +想想我们还能一起拿白粉 就我们俩 +不是吗 +到克里斯托那儿去坐坐 +拿半袋白粉 再到我家里 +-吸上一口 真是太棒了 +-够了 闭嘴 +多么棒的烟啊 +你知道那种深吸一口烟的美味 +棒极了 迪 +太美了 太棒了 +把同性恋给杀了 +来吧 迪 你行的 +把该死的同性恋杀了 你就没事了 +别 迪 +来吧 把同性恋杀了 他知道得太多了 +他就要逃走了 杀了他呀 迪 +开枪啊 +-和你开枪杀wee briony一样 +-求你了 迪 别 +我可没杀她 +当然是你干的 +不 不 不 不 +是你开枪杀了他 +-拜托 +-不 是你开的枪 +迪 我们是一帮啊 你和我 迪和霍德 +来吧 杀了这该死的同性恋 +当时可没说要杀她 老兄 +和讲好的不一样 +可你想想 迪 布莱妮当时在威胁我 +她从我这儿偷了钱还要去报警 +她要勒索我 你让我怎么办 我都快有孩子了 +-所以她必须死 +-你怎么能这样说她 兄弟 +那可是我的女人啊 +-霍斯 我爱她 +-你爱他? +她是个不要脸的贱婆娘 +为了白粉她能跟男人上床 +是我的错 +我把她引到地下室 +他就在那儿等着 +我以为他只是吓吓她而已 +他该死的说话不算数 +接着他就发疯了 杀了她 +就这么一枪杀了她 +迪? +迪 +我们该走了 马上走 +不 赫莱西奥 不 你走吧 +你走吧 +这不是你该呆的地方 兄弟 +我们有钱了 可以走了 +去哪 兄弟 我他妈的能去哪呢 +我犯事儿了 你不明白吗 +他妈的走吧 我杀了很多人 你知道吗 +-你走不走? +-好吧 好吧 +好吧 +好吧 +-这儿我看着 +-好吧 我走 我走 +你走吧 +拜托 迪 你也必须得走啊 +她躺在地上时的眼神历历在目 +你猜她眼睛告诉我什么了 +以为我和你会永远在一起 +永远不分开 +我试图救她的 +但还是死了 +只有她的眼睛在说话 +她说 "为什么 迪" +"为什么 迪" +这就是我唯一得到的 唯一 +你得听着 杀人什么好处都没有 +我一直和你这么说 +所以他妈的收手吧 忘了这一切 +我没想过要杀人 +我只想杀了我自己 +为什么 赫莱西奥 +你又没做过坏事 +我就不一样了 +你仍有重拾美好生活的希望 +而我却没有 +所以你收手吧 +求你了 汤姆 +走吧 +走吧 +我们都能继续前进 +可以继续下去 +继续生活 +-=TLF字幕组=- 翻译: +mortia xaon 校对: +haha168 +片名: +地牢围攻 +我就知道你会来 +我早告诉你了 +我意思是,我感觉到了 +你来之前我能感觉到 +你的力量在慢慢变强,玛丽安娜 +我们在一起的时间终于开始有用了 +等等 +你必须走了 +你希望如此吗? +我们每次这样见面,我都觉得... +无力。 +觉得被吸干了一样 +可能爱情就会让女人这样吧 +你知道什么是爱? +我知道诗人们都愿以一死来交换 +- 你会以死交换吗? +- 可能吧 +在诗里 +我父亲会怎么说? +世上的事情你父亲不知道的很多 +让这个也变成其中之一吧 +渎神,这太疯狂了,盖伦 你太过分了 +神救救我们吧 +用力拉,扎夫 +用腿的力气 +它不想出来 +最大的都是最顽固的 +看吧,有价值的东西都不会轻易到手 +你没打中 +我不想杀了他们 +只要它们不吃庄稼 +猪来了,还是老价钱吧? +冬天的玉米换这猪? +老价钱,不变 +是个挺旱的一季吧 +- 更旱的我也见过 +- 国王在招兵 +兵的待遇都很好 +我有这块地,还不够吗? +你老了后,你就会厌倦只是这么活着 +你不想挑战一下你的勇气吗? +我意思是,这样的生活有什么勇气可言? +我靠,法莫,说说话你会死吗? +我的意思是,我们又不是动物。 +人就应该跟别人说话啊 +诺瑞科,如果我能把这些甘蓝说出来 我肯定会的 +雨一来,地就变成块 +那时候你都不能把它们说出来了 +这就是为什么我喜欢你爸,扎夫 +他总是知道怎么来扫兴 +- 带诺瑞科去我们放玉米的地方 +- 好 +给,扎夫,给你这头猪 +你留下来吃晚饭吧? +嗯,既然你都开口了... +诺瑞科,能看到你太好了 你应该常来 +嗯,我觉得法莫小时候已经看厌我了 +现在既然他成家了, 就应该稍微调整一下 +诺瑞科觉得父亲应该不种田,而去参军 +等等,我没这么说啊 +他说国王的战士都拿很多钱 +法莫,你没诚心想这个吧? +你们是我的家人。 +我哪儿也不去 +- 你得到答案了,诺瑞科? +- 我只是说说 +- 只是说说 +- 嗯,人人都有特长嘛 +只是说说看来是你的特长 +出卖朋友看来是你的 +- 我能来点鸡肉吗? +- 别给他 +把鸡肉给我! +说点好听的给我听 +告诉我你多爱我 +你知道的 +我只知道你告诉我的... +你却什么都没告诉我 +看看这双手,为养活我们而开裂 +这双手比话语更说明问题 +告诉我有什么损失吗? +你还想要什么呢? +每个女人都想要的 +一点点激情 +- 一点点激情? +- 嗯哼 +我想想我能怎么办 +- 该走了 +- 你为什么不跟我们一起去? +我还有很多地要清理 +记住,当人从辛勤劳动中创造生活时 +勇气永不灭 +对了 +我讨厌睡觉时没有你 +小心点 +石桥镇而已,我们当然会很安全的 +为什么别人都叫父亲法莫? +他没名字吗? +你父亲相信人跟他所做的事情密切相联系 +他很小的时候,诺瑞科把他带到石桥镇 +那诺瑞科是他的父亲? +整个镇子收养了他 +不同的时候有不同的家庭收养他 +但是诺瑞科总是关注着他 +他现在有个家了 +我真高兴是我们和他一起组成的这个家 +嗯,我也这么觉得 +将军 +报告给你的国王 +陛下,克鲁格人... +野蛮的军队,克鲁格人... +它们用剑打仗 +这太可笑了,就好像你在说持武器的狗一样 +它们像人一样打仗 它们把整个侦察队都杀了 +如果将军没命令我会来报告的话 我也死了 +这是某种魔法 +外婆! +外婆! +扎夫,是你吗? +抓住你了 +终于! +放你进烤箱 +我不喜欢烤箱 +烤箱又干又暖和 +你不想我们把你生吃了吧? +你为什么要吃了我? +今晚,我向你外公保证... +要做他最喜欢的菜 +- 集市上卖得怎么样? +- 不错 +当然,男人都想来占我便宜 因为我是女人 +我就让他们多付钱 因为我是女人 +我们还小的时候你总是当头 +- 总是当头 +- 不,我知道我要什么,就这样 +直到她遇到你父亲 +你父亲放荡不羁 +- 外公呢? +- 在钟塔 +- 我们去看看? +- 我们得小心点 +钟塔是为战时而建的 +你不想拉错绳子而引起场战争吧? +什么耽搁了你这么久? +哈! +他们没那么容易被吓跑的 +这真是疯了 +克鲁格人是野兽 他们没有盔甲和武器的 +我要用你的马,诺瑞科 +- 你去哪儿? +- 石桥镇 +- 索拉娜和扎夫在那儿 +- 我跟你一起 +法莫没来? +没,我丈夫喜欢让我来做买卖 他好种地 +你为你丈夫做得很好 +他很爱你 +对,我相信他是很爱我的 +新郎新娘接吻时,鸣钟五次... +给整个镇子他们结婚的消息 +走,现在就走,带扎夫回家 +带他走! +你能保护他,父亲 保护他 +- 准备好了吗,我的女士? +- 从来都是 +等等 +这么快就认输了? +你进步神速啊,令人印象深刻 +如果艾柏能有更多像你这样的剑士 +让我加入你的军队,你就有了 +我不确定艾柏的军队是否准备接受女兵了 +而且,你父亲会怎么说? +我父亲从不让我做我想做的 +泰利斯! +准备好你的军队,准备出发 +克鲁格的散兵在抢掠我们的土地 +噢,太阳刺痛了我的皮肤 +你在胡说什么? +你服从命令就行了 +我只听从国王的 +你应该... +学习怎么尊敬别人 +敬意是赢得的 +错了,敬意是我天生的 +回镇子! +所有人都是! +- 索拉娜在哪? +- 她在敲钟 +别担心,扎夫,我会找到她 +- 父亲! +- 巴斯蒂安! +拿着我的剑 +- 进去,堵住门 +- 快点 +- 谢谢你,父亲 +- 去吧 +我们在镇子里找 +大家快走! +快点 +干得好 +有种的人? +放开他们 +你今天杀了我一次了 但是我们又见面了 +爸爸! +跑,儿子! +看! +它们撤了 +扎夫! +- 它们撤到高地上去了! +- 扎夫! +别让它们跑了 +我还要给索拉娜做个标记 +没人看到她,没人知道 +我们没找到她,她可能跑了 +他说得对,法莫 +盖伦! +你去哪儿了? +我一直在找你 +我很忙 +- 很忙 +- 我们达成了协议的 +我让你进出我的城堡 我们就能合作 +我守着承诺 +我肯定最近这些消息都能表明 我有多么的忙 +对,你确实稍微搅和了一下 +搅和? +告诉我,公爵 +你对一个叫法莫的人了解多少? +石桥镇的镇民们 +艾柏的军队同情你们 +这样的惨剧会被复仇的 +克鲁格人来的时候,国王的军队呢? +农民,不要忘了你在和谁说话 +在你的世界里,你不对国王鞠躬吗? +在我的世界里,国王的军队是来保护国家的 +不是只是城堡 +被克鲁格带走的人怎么办? +- 克鲁格抓了人质? +- 安静! +如果克鲁格人带走了人质... +它们的目的就很不明确 +国王的军队召集任何一个 能打仗的人 +- 谁来? +- 然后怎么样? +国王有军队和城墙 +被克鲁格抓走的人就只有我们 +- 你敢违抗国王的意愿? +- 我跟你走,法莫 +- 卫兵! +- 让他们走 +这不是艾柏之道 +- 你违抗国王,冒很大的风险 +- 不比你冒的大 +- 我没有选择,她是我的妻子 +- 她是我的姐姐 +好,我们开始吧 +留下来,跟着艾柏的军队走吧 +你想过军队生活,不是吗? +不。 +我不喜欢制服 +- 你有马吗? +- 有匹母马 +老,但是很强壮 +老... +但是仍然很强壮 +你挡我路了 +我们以前见过吧? +说些好听的给我听 +告诉我你有多爱我 +你知道的 +- 我是梅里克,国王的大法师 +- 我听说过你 +孩子们关于魔法的故事 +你的国王需要你 +嗯,我的儿子也需要我 +但是我让他失望了 现在我的妻子需要我,如果她还活着 +你有没有想过,法莫 +在国家处于非常时期的时候... +我们个人的爱和得失难道更重要吗? +不,但是和我无关 +好好活着吧,法莫 +你的国王需要你 +远远超过他目前的所知道的 +你怎么知道这座桥的? +小时候我在这些地方玩耍 +这就是我怎么浪费我的时间 +- 如果我们绕过这个峡谷,我们就浪费了一天 +- 你觉得呢? +我们能过 +让我们先把马上的装备拿下来 +你什么意思? +我们就这么放了它们? +你担心我们会伤了它们感情? +回去吧! +走! +来吧 +- 好,我要去了 +- 你是个勇敢的老头 +我只是不想你在我之前先 弄坏了绳子 +- 快点 +- 好,走吧,快! +你更关心你的马 +我喜欢我的马 但是我不确定我喜欢不喜欢你 +嗯,等你了解我再说 +这的确节省了我们不少时间 +噢! +- 陛下 +- 站起来,士兵 +多少人在守卫着? +我在守卫着,陛下 +嗯,你在守卫着? +法罗公爵,你非常,非常坏 +你让我胸痒痒的 +我要告诉你妈妈 +你们在干什么 +我的侄子在王座上玩耍 +你觉得配吗? +你在国王和他的军队 +出去进行招兵活动的时候玩耍... +而你唯一的工作 +就是保证城堡的安全 +而守卫城堡的人... +等于零! +陛下... +去调查偏僻地区的事务 +你给我消失 +快,别让我推你 +拿开你的手 你都不配去吻我的袍子 +你不配弄脏你叔叔的王冠 +除非国王特别下令... +你不能碰我 +皇家法律 +是个我最喜欢的 +玩具 +- 一切都在按计划进行 +- 我等不了了 +我受不了那个老山羊的控制 +实施那个 +你想快速解决? +好! +我们就来快速的 +好 +盖伦 +你一定要突然悄无声息的出现吗? +我没有 +我是突然从某个地方出现的 +你不受邀请就进来我的房间 这样有些过了 +你以前的热情好客我现在都得不到了吗? +你不能想来就来,想走就走 +然后突然消失 +我不是你的妓女 +你为什么这么想? +你很清楚什么我必须这么安静地出现 +我不能在我爱人的门上重叩,对不对? +你怎么能想来就来... +你又被我父亲认为是国王的敌人? +我有我的朋友,我有我的关系 +为什么我父亲这么恨你 +他是一个很谨慎的人 +问题! +我不是来被责问的 +你父亲恨我是因为我不会 +对伟大的国王和大法师鞠躬作揖 +因为我可以从他那里得到我想要的 +甚至是他女儿的纯洁 +你离开我的房间 +离开我的生活 +你也在驱逐我吗? +在我们完成了那么多事情之后? +我没帮助你发现你的力量,你的预感吗? +- 你只是教会了我小把戏和恶梦 +- 收声! +帮帮我! +陛下 +再次请求你接受我最深的歉意 +我错误理解了你的命令 +错误? +- 那个是错误? +- 对 +我可以坐吗,陛下? +仆人! +我知道,退下 +我知道我在几个场合都辜负了你的信任 +而且我可能让你和整个王国很失望 +但是我会改变 +我会在这个战争年代摆脱 年轻的愚蠢 +我会证明自己是个合格的王储 +吃吧 +我的侄子,你对适时的外交 +有独特的理解 +那就是点优点 +我能敬你吗? +可以吧 +在早上喝酒并不是表达改正决心的 +最好方式 +没错 +对,没错 +国王万岁 +是 +克鲁格人攻击了南部的石桥镇 +对,然后这片山 +会迫使他们北上,绕过沼泽 +然后我们进攻 +那是基于如果克鲁格人按他们应该的习惯 而行动的话 +我不喜欢这里,法莫 +没人去塞奇威克森林 +森林在山脉之间 +我们会在板岩道和克鲁格人会面 +塞奇威克森林里不止有灌木和树 +你不能想穿就穿啊 +你不想在这里过夜的 +- 我们点火炬 +- 火炬会吸引东西的 +- 让他们来吧 +- 法莫! +你知道人们怎么说的。 +塞奇威克森林里有东西 +人们说神保佑无辜者 +人们说很多事现在都对我们没用,诺瑞科 +快,我们还有很多路要走 +我看不到路 +- 本来就没路 +- 那我们怎么知道怎么走呢? +等等 +你说对了,诺瑞科 +这个也是意料之中吗,法莫? +- 放我们下去 +- 我想放就放 +滚出我们的森林,你们与这里无关 +我们恨你们的武器和你们的杀戮 +- 我们只是穿过这里 +- 那就穿过去 +别再回来 +我们迷路了 +人类,不仅没用,也很无助 +陛下 +我想要知道我父亲的消息 +- 你父亲为他的王去办件小事去了 +- 求你了 +发生什么了? +我担心他有极大的危险 +国王的大法师有很多的责任 +他并不需要一个总是用绯闻 +来惹麻烦的女儿 +我父亲觉得把我锁在城堡里 能减轻我的担忧 +他错了,我感受到宫廷里的气氛 从来都没有这么困扰过 +黑暗威胁着 +我们的国家 +从魔法中生出的黑暗 +走! +快 +你父亲在寻求原因... +- 和解决方法 +- 陛下? +陛下? +- 你的父亲... +- 陛下! +盖伦! +我觉得我要死了 +你跟国王吃得好吗? +你干了什么? +我以为你想要加速呢 +我想我可能对国王的吃的做了手脚 +你给我下毒了,你杀了我了 +别这么戏剧化 +没什么不能弥补的 +求你 +求你 +希望我们都记得谁在这里有着最大的权力 +好 +我觉得我救了你一命 +你应该为我做点什么呢? +国王被下毒了 +能救吗? +可能吧,如果还不迟的话 +性命保证 +私下谈一下 +法罗逃出了城堡 +还带走了两个军团 +那我们就知道谁给国王下毒了 +准备北上,和我们的新同盟会师 +我们联合的力量... +将使我们享有世代的和平和安宁 +我能感到盖伦跟这个有关 +为什么泰利斯长官没有跟我们提到过这次行动? +还有想要犯叛国罪的人吗? +- 还剩下多少军队? +- 三分之一 +嗯 +我看到克鲁格人在大量集结 +盖伦在召集军队 +- 大量的军队 +- 怎么会? +一个人怎么可能会造成如此大的破坏呢? +我亲生女儿背叛我,投进死敌的怀抱 +你这么恨我吗? +我以为我爱他 +他混入了我们的血缘 +你把魔法的平衡偏向了他的一方 +因为你,这个王国可能灭亡 +对不起,对不起 +对不起,对不起 +你们为什么这么恨外来人? +你们互相敌视,我们为什么不能敌视你们呢? +我们躲藏在森林里,避开你们的战争和争端 +和你们愚蠢的劳动 +但是你们还是在这里 对准我们的树射箭 +伤害就是你们生活的一部分 +你们最危险的地方就是你们自己 +我最远只能送到这里 +好运 +我们有计划吗? +你醒了吗? +是,我醒了 +你会发现杀死一个国王没那么容易 +我们要进攻 +但是,陛下,你被下毒了 +- 可能你还没认清形势 +- 我认清了 +我也有我的头脑 +克鲁格人不会料到我们会攻击 所以我们就一定要攻击 +谁给我下的毒? +我认识是你的侄子,法罗公爵 +噢 +更坏的是 +他逃离了城堡 +带走了第11和第12军团 +我们要进攻 +拂晓,集结你的军队 +我还能活多久? +你的生命即将结束 +但是剩下的时间足够了 +你确定吗,诺瑞科? +一点也不 +她在这里,诺瑞科 +- 我感觉得到 +- 我觉得你是对的 +嘿,慢点 +索拉娜? +索拉娜! +今天... +我们为国王而战 +我们的国王骄傲地 +为艾柏而战 +陛下 +起立! +神佑为荣耀和真理献身的人! +我对你很好奇,法莫 +我能感觉到你很危险 +我看不透你 +我能看到大多数的人,就像 阅读活着的书一样 +但是你,我都看不透你紧锁的眉头 +为什么? +你是谁? +有些谜不值得去解开 +你在这里 +我以为是个噩梦 +法莫呢? +扎夫呢? +巴斯蒂安,扎夫在哪儿? +跟我们父母一起吗? +对 +他是跟他们一起,但是 +他没逃出来 +你被带走的那天,他就被杀了 +对不起 +我的宝贝 +他死得安逸吗? +告诉我 +对 +他死得安逸 +法莫会来的 +他会找到你的 +你怎么知道? +因为他必须这样 +因为他需要你 +再怎么说,你也是他真正需要的 +法莫别死 +你要做的事情还有很多 +你看上去不怎么好啊 +啊,这个 +来试试 +- 味道怎么样? +- 这是什么? +药。 +快起来 +回家真好 +我不是你的妓女 +他用你来毁灭... +我知道诗人们说... +他以玩弄感情为乐,你还不吸取教训? +不是我帮你提升你的力量,你的预感吗? +小姐? +我是我父亲的累赘 +我阻碍了一切 +但是你父亲很爱你啊 +我小女孩般的愚蠢伤害了他 +自杀会伤他更重的 +可能你是对的 +我想要我的父亲以我为荣 +他已经是这样了 +他只是以这个想法为荣而已 +准备迎接你们的新盟军吧 +这是克鲁格人 +顺从,无情且不犹豫 +你看到的是一个强大的军队 +带走这个人 +把他放在王国的营帐里 +保证喂饱我的马 +等等 +这是你的紧急事务? +这是法莫,石桥镇的 +对 +为什么一身泥土味的不尽忠的 石桥镇农民 +会让国王的大法师怎么挂念? +因为国王对这个农民有特殊挂念 +我怎么不知道 +国王也不知道 +我觉得现在你们应该好好认识一下 +我们见过了 +上次,他拒绝了我 +去做他需要做的事情 +我以为陛下会对这个农民感兴趣 +从我们见过以后,他经历了许多事情 +大家都一样 +什么让他这么特殊? +因为,陛下 +他是你儿子 +法莫的朋友诺瑞科 +是管理王后马匹的人 +上次在石桥我认出他来了 +在牛草地小道的屠杀后,这个诺瑞科 +在战场上找到一个3岁大的小孩 +牛草地小道只有一个小孩 +你觉得这个故事怎么样,法莫? +一个老人以为他认出了一个30年没见的人 +这就是你们选国王的方式? +你是国王的儿子,王位继承人 +我没父亲 +没父母 +我与这里无关 +你的意思是那个傲慢的混蛋是我的儿子? +他30年来 +住在石桥的农场里? +就是这样 +就是这样,你告诉我他已经死了! +你说他们全死了! +神对我开了 +什么样的玩笑啊 +有时候神知道什么对我们最好 +那是什么意思? +你记得我们那个时候混乱的状况吗? +到处是战争,到处是敌人 +如果这个孩子带回了艾柏城堡 +他能活多久? +在石桥长大 +他很健壮 +离敌人很远 +敌人随时都可能 +除掉你的儿子和王储 +亲爱的朋友 +你最好是对的 +你最好心里有数 +国王需要所有有能力的士兵 +- 这不是我的问题 +- 他的王国被侵略了。 +你的王国被侵略了 +我不认识这个国王 +索拉娜是我的亲人 +诺瑞科和巴斯蒂安,他们是我的亲人 +你住在哪儿呢? +嗯? +如果王国落入盖伦之手... +你又能为你妻子提供什么样的未来? +想想吧 +制作: +jesseding +字幕来源: +Shooter +片名: +末日危城 +我就知道你会来 +我就说我会来的啊 +我是说,你来之前我就感觉到你要来了 +索罗娜,你的力量还在成长 我们在一起的时间太少了(意译) +好了,你差不多该走了 +你想要我走吗 +我觉得不太舒服... +就像是被榨干的感觉 +也许那是你爱我的一种表现(意译) +你知道什么是爱? +我只知道诗人会为爱而牺牲 +你会为爱牺牲吗? +-可能 +在诗里 +不知道我爸会怎么想 +这个世界上有很多事情是你爸不知道 +就让这件事也变成其中之一吧 +高卢人 +你太过分了 +夭寿... +用力拉啊,柴夫 +用你脚的力量 +干,就是拔不出来 +大萝卜是比较难拔... +你看 +不是很简单吗 +你没打中耶 +我吓吓他们而已,让他们不要吃我们的作物 +一切如昔 +给猪准备冬天的食物吗 +-是啊 +没多大改变 +机八的干旱,对吗 我早看到了诺尔克 +国王在招兵买马 他可以让你们没后顾之忧 +这片土地,他破坏的还不够吗? +你搞的这么累也只是要苟延残喘而已吧(意译) +你的GUTS去哪里了 +你为了苟延残喘浪费掉你的胆识 +该死的我只是想跟你谈一会儿, 我没这么可怕,你总得跟我说说话吧(意译) +我比较想跟老天抱怨 +老天不下雨,河流都变干了 +就算是你也不能跟上天说话吧 +这是我喜欢你的地方, 你总是很幽默 +儿子,把菜拿回去吧 +来牵着阿偷 +要一起吃晚餐吗 +除非你求我啊 +诺尔克,见到你真高兴,你应该经常来绕绕啊 +喔我突然了解到原来我们的法墨已经长大了 而且我自己也有家人,就给彼此一些空间吧 +诺尔克说服法墨去参军 +等一下,我可没有那样说 +当士兵可以有很多钱 +你不是认真的,是吗? +你是我的家人,我哪里都不去 +是你自己要去的吧,诺尔克. +我只是随便说说 +哦,那真是太好了... +...谈谈你自己就好了 +用法语说的话就是你的问题啰(法语也是yours,自以为幽默) +给我点鸡肉. +-别给他 +把鸡肉给我 +我想听些好话 +告诉我你有多爱我 +你自己知道 +你不告诉我怎么知道... +. +...你什么都不告诉我 +你看我的手, 虽然没啥力气却养活我们(意译) +我的手就代表一切了 +你告诉我有什么难处? +你想要什么 +我想要什么, 一点激情 +激情... +你会感觉到的 +该走了 +你不能跟我们一起吗? +我还要忙,还有很多事情... +. +你要记得,勇气长存心中... +永不凋零 +没错 +我想跟你喇寄... +(我不知道这句要翻成什么XD) +小心点 +嗯我们会小心的 +人们为什么那样叫父亲(farmer有农夫的意思)? +有什么意思吗? +你父亲觉得他就该当个农夫 +村庄的人都这么认为,我们只是其中一份子 +诺尔克的父亲也是? +他们都是被村里的人收养的,不同的家, 不同的时间 +我们都一样 +我真高兴我也是一份子 +傻瓜 +将军 +跟陛下报告 +陛下,库格军大举入侵 +他们带着剑 +这真是豪洨,你们只是警犭吗 +他们真的很厉害,简直不可抵抗 还把我们侦查队歼灭了 +要不是我拼死回来报告,我应该早就死了 +不可思议 +奶奶奶奶 +扎菲,是你吗? +终于看到你们了﹗ +我好想你喔 +天气这么温暖,看到你们真是太好了 你们不想错过这美好时光吧? +你什么意思? +今晚我答应你爷爷做一些好东西给你们吃 +菜市场还好吧? +-不错 +当然他们想占我的便宜,因为我是女人,所以我就让他们付更多钱 +谁叫他们小看我是女人 +女人在市场上永远是佼佼者 +没什么,我只是不想被人小看而已 +如果是你爸的话... +...你爸是最不会作生意了 +爷爷呢? +他去钟塔了 +要去看看他吗 +我们要小心点 现在正值战争时期 +你也不想出去被打吧 +你怎么这么久才来? +他们不是很容易对付 +真是夭寿 +是库格兽,他们都没武装 +诺尔克我要借你的马一用 +你去哪里? +我要去石桥 +-我跟你去 +法墨没来. +-没有 +他有事要做,叫我先过来 +他是个好丈夫,我看的出来他很爱你 +是啊... +...他是很爱我 +新郎新娘喇寄的时候,我们会敲五下钟 +象征他们在村子见证下成婚 +快,快带他走 +快带他走,我相信你能保护他们的 +你准备好了? +-我准备好了 +等等 +这么快就放弃了? +你的剑术进步的好快... +...甚至比我的士兵好多了 +那就让我加入你的军队 +我不确定我的士兵是不是可以接受女战士 +还有... +你父亲会怎么想? +我父亲从来不让我做任何我喜欢的事 +塔里什,库格军快打过来了... +...你要赶快整顿你的军队 +干... +这阳光真是刺眼 +你应该没资格命令我吧? +你是指挥官 +我只属于国王 +你能不能给一点点尊重... +. +我只给该尊重的人 +你错了 打从我一出生你就该尊敬我了 +她在钟塔上 +柴夫你在这里等着,我去找你妈 +父亲﹗ 巴斯丁,等等 +带上我的剑 +全部进去关上门 +快点 +谢谢你父亲 +我们快走 +快点 +有胆识 +放开她 +我已经让你杀我一次了, 不可能再有第二次 +父亲﹗ +救命﹗ +他们撤退了 +扎菲﹗ +我必须去找索萝纳 +没人知道索萝纳在哪 +没人知道 +我们没发现尸体, 说不定她逃过一劫 +没错 +高卢人,你去哪里了? +我一直在找你 +我一直很忙 +非常忙 +我们达成协议, 我给你最后一座城堡,我们一起合作 +我遵守承诺了 +我真的很忙 +这听起来有点牵强 +牵强? +? +告诉我公爵. +你知道关于那个叫做法墨的人的事吗? +石桥的人们 +军队需要你们 +我们会替你们报这个仇 +村子被屠杀的时候你们在哪 +喂! +别忘了你在跟谁说话 +你该尊重一国之君 +国王应该保护整个王国 而不祇是一座城 +那些被抓走的村民怎么办 +库格人抓村民当俘虏? +? +安静 +我们还不知道它们抓人的动机 +军队需要骁勇善战的人加入 +谁要加入我们? +加入军队就不必了,被俘虏的村民有我们去救就够了 +违背国王的意志就是死 +我跟你一起走,法墨 +护卫! +不,让他走,道不同不相为谋 +你知道违背国王是犯法的 你不也一样 +我别无选择,她是我妻子 她是我姐姐啊 +好吧,我们一起吧 +你确定吗 +你不是想加入军队吗? +不 +我不喜欢穿制服 +你有马吗? +有,不过年纪大了,但还算强壮 +老了,但还强壮着 +你挡到我的路了 +我们曾见过面,诺尔克 +告诉我一些好事情. +告诉我你有多爱我 +你知道的 +我是国王的巫医 +巫医? +你想跟我说魔法之类的荒谬事吗? +你的国王需要你 +是吗,我儿子才需要我 +我让他失望了,我的妻儿都失去了 +你想有没有可能... +...有些东西是比失去挚爱更重要的(勇气、信念之类的) +不 +我不这么想 +别死喔,法墨, 国王需要你 +超乎你想象的需要... +你怎么知道那个桥? +那是他们必经之路 +如果我们绕道会多花一天 +那你觉得? +我们可以过 +我们先把马儿放走 +你什么意思? +我们就这样把它们放生吗? +怎么? +你伤心吗? +快走 +来吧 +好吧,换我了 +他真够胆的 +他只是比我先过去而已,没什么大不了的 +快来 +快点快点 +你不是担心你的马吗 +我很担心啊,还用你说吗 +(喃喃自语)... +还好你的马离开你了 +我说这真是不错的尝试 +陛下! +起来士兵 +这里有多少卫兵 +就只有我一个,陛下 +只有一个卫兵? +真是太棒了宝贝 +你真是太淘气了 +来吧宝贝 +等等 +抱歉打扰你的娱乐, +"国王" +王位坐的还舒服吗 +你这个败家子 +为什么你没来参加军事演习 +而且就连你唯一的工作... +保护这座城堡的安全 +都做不到... +简直是空无一人! +! +陛下您听我说 +我一直在调查... +. +让他从我眼前消失 +不要 +来吧 +放开我,你根本不能这么对我 +你,你才不配我动手 +除非你有国王的命令... +. +不然你根本不能碰我 +国有国法 +你根本不能动我 +我们应该要照计划慢慢来 +我再也忍不下去了 +我不能忍受他高高在上指挥我 +赶~快~完~成~ +你想一步登天吗? +好啊! +那我就顺你心意啊! +很好 +你都这样突然出现的吗? +是啊 +我可以在任何地方出现 +我只是... +看到你突然出现有点吓到 +你忘记我们过去的情谊了吗 +你高兴要来就来,要走就走 +反正你总是连个屁都不放就走了 +不要当我是笨蛋 +你怎么会这么认为? +你知道我要低调 除了你我也不可能随便出现在其他女人房间吧 +你大可随意进出我房间 但你别忘了我父亲把你视为仇敌 +我有帮手 +这对我没用 +我父亲除了恨你 +已经对你没有其它的想法了 +闭嘴! +我不是来这里让你审问的 +你爸爸憎恨我 我是不可能向他妥协的,这个国家迟早是我的 +我会夺走你父亲的一切 +包括他女儿... +我会跟你在一起 +我早就是你的一部分了 +你也想走了吗 +等我们事成之后... +我会给你无限的力量... +与洞察一切的眼光 +你是想告诉我你想要... +. +打败他 +救命 +快来救我 +主人. +我错估您的命令 请让我再致上最深的歉意 +错估? +是这样吗? +是的! +主人我能坐下和你谈谈吗 +来人 +我知道... +. +我知道我让你失望了,我让整个国家蒙羞, +不过我会改变的 +我愿意为你去战斗 我想证明自己我是名战士 +吃吧 +我可以给你一次机会,亲爱的外甥 +让你来证明自己 +你还想说什么 +我们来一杯好吗 +或许 +早上喝酒好像不太好 +没错 +是的没错 +国王万岁﹗ +好 +库格军驻扎在石桥那,他们应该会往北绕道去沼泽地 +. +这就是他们的行军路线 +我们猜对就走运了(意译) +我觉得这树林不太对劲,没人敢走进这片树林 +地图上是这样画的啊 +应该没什么吧 +树这么多,总不能全砍了开路 你也不想晚上被困在这吧 +点火把不就行了吗 +火把会引人耳目 +法墨! +! +! +你知道人们说什么吗? +他们说... +这森林有怪东西 +人都是以讹传讹... +谣言对我们没好处吧,诺尔克 +快走吧,我们还要赶路呢 +根本没有路嘛 现在走的不是路吗 +这根本不知道通去哪... +等一下 +你还好吗诺尔克 +这也是计划之一吗,法墨? +放我们下来 +我高兴再放 +快点离开这,这没你们的事 +我讨厌你的武器 +我们只是路过 +那就快走,永远不要再来 +可是... +我们迷路了 +你们啊... +. +...真是逊咖 +我就送佛送上天吧 +国王陛下 +有我父亲的消息吗? +他在外帮我打理一些事 +请告诉我... +. +发生了什么事情? +我感觉他现在很危险... +你父亲肩负许多责任 +你是他女儿,应该要清楚,不要让他为你担心 +我父亲一直把我关着 不让我的魔法解禁 +但他错了 +我根本不会给他惹麻烦 +黑暗力量... +可能会袭击全国... +黑暗力量有魔力... +快,快 +你的父亲致力于解决... +. +你的父亲... +. +国王陛下! +! +高卢人,我怎么觉得快挂了 +你想跟国王一起挂吗 +你到底做了些什么? +我觉得你太急躁了... +...急着投胎 +干! +我没跟你说要注意国王吃的食物吗? +(超贱) +你想毒杀我吗 +别这么神经质嘛 +任何事都有补救的办法 +求你了 +救救我 +我希望你记住谁是老大 +是 +我已经救了你的狗命 +你现在要为我做些什么? +国王被下毒了 +陛下还有救吗 或许有救 +现在还不迟 +你说的是真的吗? +我发誓 +我想私下和你谈谈 +法罗自己带兵出去了 +那... +我们知道是谁想毒死陛下了 +我们会退到北边,证明我们是同一阵线的 +我们会证明我们是爱好和平的 +我早就觉得奇怪了... +为什么指挥官没跟你一起来 +还有谁有意见? +我们还剩多少士兵 +三分之一 +我之前有看到为数众多的库格军... +...看来高卢人正在招募军队 +一个人怎么能号召一支军队? +我唯一的女儿背叛了我,去帮我的敌人 你就这么恨我吗 +对不起父亲,我爱他 +他一直在对你说谎... +你的力量都被他吸走了 +因为你,国家可能会被他毁了 +对不起 +对不起... +. +为什么这么讨厌陌生人 +你们都彼此憎恨了... +凭什么叫我们不恨你们 +我们躲在树林里, 就是为了躲避你们的互斗,战争 +但还是一样 +树林变成战场,很多树都中了箭 +许多人的生命 就在这里葬送掉了 +我只能带你们到这了 +祝你们好运 +有计划吗 +你醒来了? +是的 +你知道身为一个国王不是这么容易就被干掉 +我该起来了... +阁下你中毒了,应该再休息一下 +我休息够了, +我答应要保护人民不受库格人骚扰 那是我现在该做的 +谁给我下毒? +我想是你的外甥法罗 +更糟糕的是他抛弃他的城堡 把大部份士兵带走了 +好吧,你先去整顿剩下的士兵 +我还有多少时间? +你的生命即将走向尽头了 +不过对你来说,足够了 +你确定这烂方法行的通吗 +也没这么烂吧 +她在这,我感觉的到 +我也这么觉得 +索拉纳? +索拉纳? +今天... +. +我们为了国王齐聚此地... +护主... +是你们该做的 +国王万岁﹗ +陛下 +起! +上帝会保佑我们,以及我们荣耀! +安心上路! +法墨,我对你很好奇 +你对我是个威胁 +我看不透你 +大部分的人,我只要有他们的血,就能看透他们 +而你... +. +为什么我看不透你的过去? +你到底是谁? +你再嘴硬啊 (太豪洨了) +你也在这... +. +就像噩梦一般 +法墨人在哪? +他在哪? +巴斯丁他在哪? +她跟爸妈他们在一起吗 +是的 +他们是在一起,不过... +他们没逃出来... +你被抓那天他就已经... +对不起 +噢天啊 +他是安然死去的吗(意译) +告诉我 +嗯... +法墨会来救我们的 +他会来找我们的 你怎么知道 +他一定会来,他需要你... +就算他会死... +他也会找到你 +想我吗,法墨? +你还好吗 +你看起来气色不错啊 +试试这个 +尝起来怎样? +这是啥? +哈哈这是伟哥,喝吧 +哈哈哈回家真好 +我不会让他得逞 +他一定要死 +小姐? +你看我对父亲做了什么好事 +我把一切搞砸了 +你父亲非常爱你 +我本想以死谢罪... +这么做只会伤害他更深 +没错! +我要让父亲感到骄傲 +他本来就以你为傲 +他引以为傲的是乖乖牌的我 +前面这些就是你们的新盟友 +他们是库格人 +废话,还用说吗 +你将会看到前所未见的强大军队 +把这个人带到王帐去 +对他好一点 +来 +这就是你的大英雄? +? +他不是石桥那个农夫吗 没错 +为什么国王这么器重他 +因为国王对他有兴趣 +我怎么不知道? +你可以去问国王 +是时候该介绍你们认识了... +我们见过面了 +上次他背对我(对我不敬) +那是因为他什么都没做 +我想你误会陛下了法墨 +他为了石桥村做了很多事 +没有其他人了吗? +为什么挑上他? +因为... +他是你儿子(老梗) +他有个朋友,叫诺尔克 以前隶属皇后护卫队 +我在石桥村认出他来了 +当年在皇宫的战役,诺尔克捡到一个三岁的小男孩 +而皇宫里只有一个人不见了 +法墨你觉得这是真的吗 +你要我相信一个老人说他认出三十年前的故人 +还说我是国王的儿子 +你的确是国王的儿子,没什么好说的 +我没有父亲,没有父母 +那这里就没我的事了 +你告诉我这个混蛋是我的儿子吗 +过去的30年里住在一个小小的农场 +我认为是的 +你说他死了 +你说他们全死光了! +! +上天是跟我开什么玩笑啊 +有时候心腹... +知道什么对你最好 +你到底是什么意思? +你记得在威登的混战吗 +到处是战争,招惹了很多敌人 +如果这个孩子在那时候回来 他会活多久 +如果在石桥村长大,他会变强壮 +而且如果敌人知道你儿子死了, 就不会去注意到他 +我的朋友... +. +你最好是对的 +最好确定是对的 +国王需要每个人参加这场战争 +这不关我的事 +这个国家正遭受威胁 也就是你的国土遭到威胁 +我不在乎 +我只为家人 +不惜一切只为家人 +那你要去哪里? +国王输了,你老婆怎么办 +想想吧 +法罗你犯了叛国罪 +如果你们跟法罗一样,听从他的话,那就一样有罪 +我们不会原谅叛徒! +! +各位听我说,这个人曾经想背叛国王 还叫我跟他一起,哈 +你的野心还不是普通小的 +现在,王国是我的囊中物 我也绝对不容许你们在我之下撒野 +你不可能会成王的 +不管是现在还是未来... +都不可能... +第十一队为陛下卖命 +懦夫! +这些库格人没有感情,什么都不怕, +他们为数众多, +但我们是尊贵的皇族战士 +他们什么都不是,只是冷血的野兽 +你来还是不来? +我选择战斗 +跟你一起战斗我感到光荣 这样我才能监视你 +去侦查一下﹗ +射﹗ +射﹗ +没事的! +出发吧 +大家出发! +跟狗打架一样 没错 +上﹗ +预备﹗ +射﹗ +射﹗ +这些人是我要杀的 +那我去杀老大好了... +你们赢了这场不算什么 +我们会一直赢下去的 +那这些就送给你们吧,我会派更多手下 +温德山... +这鬼地方就是我们的终点吗? +不,诺尔克 +我们不会死在这的 +你放心好了 +停! +国王 +擒贼先擒王 +射﹗ +卫兵﹗ +快! +快把国王带走 +再见了,我的好叔叔,我们走! +哈哈哈,干掉你只是时间问题 +我不想跟他们一样 我们早就像他们一样变奴隶了 +我就是不想变他们的奴隶 +诺尔克,沉住气 +为什么我们要走这? +从这儿过是快捷方式,敌人根据地就在左方 而且没敌人守着,我们就可以来个瓮中捉鳖 +快离开这个鬼地方 +停﹗ +看看这是谁啊,不是我们家族的成员之一吗 +树林这么大,你不觉得很巧吗 离我远点! +! +你倒是对自己很有自信嘛 +- +-而你的行为举止都只像个胆小鬼 +行为? +端正? +这些话等你在皇宫的时候再说吧 这里没这些规定啰 +特为你准备的 谢谢 +每个地方都有规则的公爵先生 +你真是让你的家族蒙羞 +我要带他走 +快跑 +诺尔克﹗ +这就是你要的,死得其所 +你是个真男人 +快跑 +没事,我还好 +你今天很英勇 +杀他们是小事一件,一群有勇无谋的家伙... +虽然你这么说,但还是很出色 这不是难事 +我... +也差不多该把王位交出去了 +你想今天你这么威猛,靠的是什么? +你觉得是... +运气吗? +你有潜力 +领导的潜力,而且... +最重要的... +你会坚持自我 +让你变的更强 +智慧就像是把铁锤 +而勇气就像是钉子 +人就是这样盖起自己的一切 +勇气永不灭 +你有听过吗? +你小的时候, 这句话... +是我每天晚上都会说给你听的 +我没跟别人说过 +孩子,未来的路会更难走 +我只是个农家孩子 没错,没错 +所以我不会是国王 +你知道以前这附近有个小村子吗 +村民一年只种两种作物 +这么做会伤到土壤... +他们没伤到土壤,因为有海草的关系 +海草让土变的更肥沃 +你可以试试 +你是怎么知道的? +因为我是国王 +因为我希望你成为... +一国之君 +这位子只有你可以接 +一日为王,终生为民 +你要保护你的人民 +但这场战争不会结束的 只会带来更多的伤害 +那就为和平而战吧 +和平 +是大家的梦想 +也该是你的梦想 +人人的梦想,永世的和平 +你不明白 +这战争夺走我的孩子 +我何尝不是呢? +吾儿... +将军 +是,统领 +叫侦查队去树林北边, 看看有没有敌人在等我们 +是,统领 +司令你看 +嗯... +这真是天上掉下来的礼物 +我带法罗来领罪了 +你们的国王应该还没挂吧 +布莱克将军,把你的剑给他 +不准戴盔甲 +哥们 +真谢谢你了 +你还记得小时候我们一起做过什么事吗,塔里什? +我们至少一起喝过酒啊 +没人要给国王戴护甲吗? +笨蛋﹗ +哥们,差不多该做个了结了 +国王驾崩,国王驾崩 +不可能 +我是国王了﹗ +你去吃你的大便吧 +塔里什将军,你该对我效忠 +你绝对不能杀了你们的新国王 +你这懦夫... +你们新国王的愿望就是... +国王万岁! +! +把剑放下 +别听他的 +大家听我说 +就在不久前,你们挚爱的国王... +已经去世了 +被这个... +一心要谋朝篡位的侄子 给杀了 +按照律法, 王位必须由直系血亲来继承 +请让我来介绍... +你们的新国王 故王的最后一个儿子── +他就是... +法墨 +请起 +都起来﹗ +国王虽仙逝 +却不是白白牺牲 +他的勇敢精神与我们同在 他想让大家知道,要相信自己,并勇敢面对 +今晚我们好好休息,安葬死者 +明天我们就去温德山放手一搏 +胜利是我们的 +天佑吾王! +! +干什么干什么 +带他们来这干嘛,还不快带走! +! +等等,把她留下来 +退下 +我好像看过你 +你... +你是法墨的... +哈哈,他会来救你,太好了,我只要在这等他就行了 +我对你没用 你当然对我有用 +你比法墨还重要 +应该说... +你对我来说比法墨还危险 +他马上就来了 +我认识你吗 +别动... +我感觉到了... +你已经怀了他的孩子 +你怀了他的孩子... +你哪里人? +克拉森,我在家里被抓走的 +我们会逃出去的 +我们都会死在这儿 +再见了,我的朋友 +你觉得要怎么打败这么庞大的军队? +他们的边界薄弱,我们可以挖隧道 +我们没时间挖隧道了 +你要知道一点小错误就会全盘皆输 +你要快的话,只能直取源头 +如果我遇的到那个高卢人,我就可以干掉他 +长官,恕我冒犯,为了一个女人... +会让整个国家身陷危机 +如果国王能把他马子救出来,那么他也能干掉高卢人 +只要把他杀了,国家就有救 +梅耶拉,妳的机会来了 +陛下,我想参与你的计划,仅供您差遣 +好好,现在不是说这个的时候,你先回城堡去吧 +我身为父亲的女儿 +我只想尽我的一份力,就像父亲那样 +你有带国王赐给你的铠甲 +是的将军 +或许有帮助 +我收了 +有其他人愿意帮我们 +哪里? +这儿 +你还活着啊 +死不了 +跟你们战斗的那些人,控制库格的那些人 +我会帮助你们找到他们的 +你们不是不想介入战争吗 我们知道这场仗快结束了 +我们的树林可能会被烧了 我别无选择 +我们跟你一起奋战,今晚我们就一起走 +温德山... +以前是马甲人所盖的避难所 +避难所? +但没有门可以进去 +你有办法进去吗 马甲人不需要门就能进去了 +我会想办法 +你不觉得人有机会活着很幸运吗... +我就这么觉得 +活着... +你不觉得兴奋吗? +跟我一起来的那些人 你干嘛不放了他们? +你不想让全世界的人知道你有多厉害、多仁慈吗 +你什么都不了解! +! +我早不需要仁慈这种东西了 +我早就超越善与恶 这些事是小孩子才会谈的,我在改变这个世界命运 +这样我还需要你朋友去宣传我的仁慈吗 +说不定... +不可能破例, +包括你,妳那亲爱的老公, 还有那些被我抓来的笨蛋 +杀了我,杀了我 +我不会杀你 +我还蛮享受的 +如果你会流血,就代表你也会死 +或许吧,但我一定不会死 +我还有很多事没完成 +准备! +! +射﹗ +射﹗ +推﹗ +那里有个洞穴 +你们可以从那进去 +我差不多该走了 +我不想你一个人去 +如果那个疯子还有一点良知, 那我就必须跟他沟通 +他早就没救了梅里克 +也许我可以转移他的注意力 +我就知道你会来 +我的老朋友 +我们曾经是朋友 +只不过你变太多了 +是吗 +梅格之力只能用来保护国王 +你怎么能违背诺言,反而对国王不利 +喜欢我的库格军吗 他们只是一群冷血的野兽 +库格军没有国王 你猜怎么着 +我不想猜 +我自己就是国王了 +库格军的国王! +! +我现在只让一个人卖命 +那就是我! +! +够了! +! +高卢人,妳跟我是仅存的马甲人 +我求你不要再疯下去了 +你根本不知道... +...我有多疯 +在我的地盘,没有疯这个字 +我都叫它── +神力﹗ +冲﹗ +喔,他来了 +他还真是不怕死 +梅若亚 +喔你来啦 +我不知道我怎么办到的 +我怎么会这么白痴? +原谅我 +我把体内最后的力量传给你 +跑 +这边 +这边 +法墨! +! +好久不见法墨 +我知道你成了国王 +一山不容二虎,你是知道的吧 +一定会彼此争斗 +直到见血胜利为止 +那你就来吧! +你的小魔术用完了吗 +我说过我会报仇的 +不﹗ +你要用什么身分来报仇? +一个父亲? +一个丈夫? +还是一个国王? +我是为了我的孩子报仇! +! +怎么了? +我有话要说 +我爱你 +-=结束 谢谢观赏=- 制作: +jesseding +导演: +维. +鲍尔 +主演: +拉森. +斯塔萨姆 +片名: +末日危城 +制作: +jesseding +你只是争取到了点时间而已 +我不会像他们那么活的 +我们已经是他们了,我们是奴隶 +- 我不会当奴隶的 +- 收声,诺瑞科 +我们为什么要进入塞奇威克森林? +我们要从森林走近路去艾柏城堡 +没军队没卫兵,城堡随便拿下 +我们快离开吧 +看看,一个家里的朋友 +我非常高兴 +独自在这个森林里你不觉得容易受伤吗? +- 你离我远点 +- 你从不相信我,是吗,玛丽安娜? +你的举止从来都没赢得过尊敬 +举止? +礼貌? +这都是城堡的言谈 +我们不在城堡里 +这里也没有规矩 +给你的特别礼物 +谢谢 +到处都有规矩的,我的公爵 +你喜欢打破规矩的这种天赋 最终还是没用啊 +我带这个走 +跑! +索拉娜,跑! +快跑! +我会找你的,走! +诺瑞科! +诺瑞科! +这是你一直想要的吧 +光荣战死 +你是个勇猛的老人 +索拉娜 +巴斯蒂安? +靠后 +不,我没事 +你今天很不错 +杀野兽 +- 需要狠下心来 +- 没错 +不管什么出现 +- 你都能战胜它 +- 我做苦活习惯了 +当你是国王的时候 +将会更有用 +你怎么看待你今天 +战斗得这么好? +我意思是,难道这仅仅只是 +运气? +你有天赋,你知道的 +领导能力,然后,当然 +你实话实说 +这会让你更好的为国家服务 +智慧是我们的武器 +谨慎则是我们的盔甲 +当人在诚实劳动中 +建设生活 +勇气不灭 +你从哪儿听到的这些? +当我儿子还小的时候 +我每天晚上 +都对他这么说 +别人都不知道 +现在开始你生活会变得更加艰苦 +- 我只是个农民 +- 是,是 +- 我只知道这个 +- 你知道,这里不远的地方 +有个小村子 +他们一年收两季稻子 +- 那会破坏土壤的 +- 不 +这样不会破坏土壤因为有海草 +你知道,海草从海里来 +给土增肥 +你该试试 +你怎么知道这些 +因为我是国王 +因为我应该知道 +关于土地的一切 +就像你将来也会那样 +只要有国王 +只要有土地 +他们就会发动战争抢夺 +抢夺荒芜的田地 +如果战争不结束那会是什么? +他们为和平而战 +和平,梦想而已 +但是你如果当国王 +可能 +就能实现 +你不懂 +战争夺取了我的儿子 +你忘了他们夺去了我的儿子了么 +我的儿子 +海力特将军 +在 +带队侦察队去这片树林的北边 +- 我们要看看我们什么在等待着我们 +- 好的 +- 将军? +- 是 +看 +嗯,这个... +是个令人惊奇的收获 +法罗公爵来受到裁决了 +我猜国王还活着 +贝克勒将军 +把你的剑给他 +不要护甲 +决斗 +可爱 +你记得我在你还是小孩子的时候对你 做过的事吧,泰利斯? +我能喝口酒吗? +没人会帮国王解下护甲吗? +禽兽 +这个决斗会是你最后的决斗了,法罗 +我杀了你 +我要杀了你 +国王死了! +国王死了! +康里得国王死了! +不,不,不可能 +我是你的国王 +- 不,你就是这个国家的诅咒 +- 泰利斯将军 +非常忠诚 +他永远不会杀了艾柏的新国王 +懦夫 +艾柏的子民们 +国王万岁 +收起来 +艾柏的子民们 +艾柏的勇士们 +片刻前 +我们敬爱的王康里得去世了 +被他的侄子谋杀了 +他想篡权 +根据这国家的法律 +国王的继承人必须有血缘关系 +我给你们介绍我们的新国王 +康里得失散的儿子 +卡姆登 康里得 +有人也叫他法莫 +起来吧 +站起来,请站起来 +国王召唤你们来冒死而战 +现在还活着的人已经从死亡 那里得到了奖赏 +但是我们的敌人还活着 +他会重建军队,重新攻击 +今晚我们疗伤 +葬死 +明天我们袭击克里斯英得要塞 +- 直捣恶魔的老窝 +- 直捣恶魔的老窝! +天佑吾王! +什么? +你要什么? +带他们走 +带他们一起走 +等等 +把她带来 +退下 +我在你身上 +感受到他 +那个农民 +他会来找你的,太好了 +- 我会等他的 +- 我对你没价值 +对,但是他对我有价值 +不仅仅只是一个农民 +比一个农民更加危险 +现在他会来找我 +你怎么认识我? +怎样? +别动 +别动 +我在你身上 +感受到他了 +因为你 +怀了他的儿子 +你怀了他的儿子 +你从哪儿来? +格拉森。 +他们从我家里把我带走了 +我们会送你回去的 +我们会死在这里的 +再见了,老朋友 +你怎么与那么大的军队对抗? +大剑失利的地方,小剑就得利 +大法师,没时间猜谜语了 +一小组人会溜过克鲁格人的防守线 +然后在根源解决问题 +带我到这个盖伦那里 +我就能杀了他 +先生,我很尊敬你 +但是我们在王国危急之时去救一个女人? +如果国王要救他的妻子,就得杀了盖伦 +如果他杀了盖伦,王国就得救了 +玛丽安娜 +就是现在 +陛下 +我想加入你 我想要尽我的义务 +好,你已经说了 回城堡吧 +我是我父亲的女儿 +我会尽忠国王,就像他一样 +你带来了谋杀国王的人 +他落入了我手 +一个人需要他所有能得到的帮助,大法师 +我接受你了 +- 还有其他人也想帮忙 +- 什么其他人? +我带你去 +- 你还活着啊 +- 我一直远离这里 +你们对抗的人,控制着克鲁格人人的人 +我们帮你战斗 +以为你们不参与人类的纷争呢 +这战争完不了,我们看出来了 +当我们的森林被侵略被烧毁时 +我们也没其他选择 +我和你们一起战斗,然后 我们希望还是不被打搅 +克里斯英得 +- 当作是法师的避难所而建 +- 很坚固吗? +嗯,门从里面开 +你能进去吗? +- 一个法师无需门就能进去 +- 我会找条路的 +你觉得你还活着很幸运吗? +对 +生活 +从来没这么刺激过 +跟我一起来的人 +为什么不放了他们? +你不想让整个世界都知道你有 无穷的力量和慈悲吗? +你理解不了吗? +我超越了慈悲 +我超越了好和坏 +这些是孩子气的思想而已 +我在改变世界的结构 +如果我给你的朋友发了慈悲, 我会怎么样? +- 那可以... +- 没有例外! +没有例外。 +你不是。 +那农民也不是 +你那个尖叫着被我撕开的孩子也不是 +杀了我 +杀了我 +我不会杀了你 +我很喜欢你 +如果你能流血,你也能死 +可能吧,但是我不会 +我还有很多事情要做 +泰利斯 +弓箭手准备 +放! +就是现在! +上面有个山洞 +是用来通风的 +我得走了 +我不想你一个人走 +如果那个疯子心里还有一丝理智 我就得去试试 +你不能跟恶魔讲理啊,梅里克 +但是我最少可以分散他注意 +我知道你会来的 +老朋友 +我们曾经是朋友 +但是你变了很多 +噢? +一个大法师的力量 +是和他为国王做的服务紧密相联的 +你做为国王的敌人,你的力量成长的怎么样了? +你觉得我的克鲁格人怎么样? +可憎的野兽而已 +克鲁格人很好笑 +他们没有国王 +猜猜我干了什么,老朋友 +- 我不敢猜 +- 我封自己为国王 +克鲁格人之王 +现在我辅佐着一个我万分敬仰的国王 +- 我自己 +- 够了 +盖伦,你跟我是最后的大法师 +我求你,意识到你现在疯癫的情况吧 +你根本不知道 +疯癫 +可以有多么强大 +我的王国里,没有疯癫这个词 +我们就简称为 +力量 +冲! +嗯,他来了 +他到了 +我找不到理由继续打这场战争了 +玛丽安娜 +玛丽安娜 +你在这里 +我不知道发生什么了 +我怎么这么愚蠢? +原谅我 +大法师 +接受我最后的力量吧 +- 杀了他们 +- 帮帮我们 +小心后面! +走! +跑! +快走,我们走 +这边,法莫 +这边 +法莫! +你给我造成了很多麻烦,法莫 +我知道你当上国王了 +一个王国不容两个国王不是吗? +国王一对一的战斗 笑饮死敌之血 +这样的事情多久才会发生一次呢? +你想打,还是想说死我? +想用魔法跟我打? +你的荣耀心呢? +我会复仇的 +不! +你现在享受什么样的复仇呢,法莫? +一个父亲的复仇 一个丈夫的 +还是一个国王的? +你忘了一个母亲的复仇 +发生什么了? +我一直想告诉你 +我爱你 +片名: +末日危城 王者之役 +我知道你会来 +我告诉过你 +我意思是我感觉到了 +你还没来之前我就有感觉 +你力量愈来愈强了,慕黎拉 +我们在一起还是有好处 +不行 +你得离开 +你希望我走? +每次我们偷偷碰面,我觉得... +好虚弱,好无力 +恋爱中的女人可能都这样 +你知道爱情多少? +我知道诗人说愿意为爱而死 +那你愿意吗? +或许... +在诗句中 +家父发现会怎样? +世上有许多事令尊不知道 +这件事也瞒着他吧 +悖理逆天! +盖里恩你疯了,你走火入魔了 +愿众神拯救我们 +继续拔,瑟夫 +脚用力 +甘蓝不想出来嘛 +最难的总是最好的 +看吧 有价值之物不是简单就能得手 +懂了 +你没射到 +我不想杀它们 +只是不让它们偷吃作物 +我带猪来了 相同的交易吗? +冬季谷物换猪? +相同交易 说好就不改变 +这种干燥季节还真不好过 +我遇过更吃不消的 国王在召募新兵 +士兵的待遇很好 +我有这块土地 这样就够了 +你变老之后会厌倦这种生活的 +你不是想展现勇气吗? +种田生活可不需要勇气 +可恶,农夫 讨论一下会要你的命吗? +我们不是动物,人类需要沟通的 +诺瑞克,你先说服甘蓝出来 +等到下雨,土壤会变得泥泞 +到时候谁都无法说服甘蓝出来 +你老爸就是这么固执,瑟夫 +他很懂得自得其乐 +别有样学样,我们走吧 好 +瑟夫,猪牵走 +你大概会留下来用餐吧 +好吧,既然你邀请我 +诺瑞克,真高兴见到你 你应该常来的 +我想农夫从小就看腻我 +现在他有自己的家就该好好享受 +诺瑞克叫爸不要种田 应该加入国王的军队 +等一下,我不是这样说的 +他说国王的士兵挣很多钱 +农夫,你不是真的在考虑吧? +你们是我的家人 我哪里都不去 +诺瑞克,这回答你的问题了吧? +我只是随便说说而已 人各有所长 +我想你拿手的就是随便说说 +你拿手的则是打小报告 +我想吃点鸡肉 别给他 +鸡肉拿来 +说点甜言蜜语 +告诉我你多爱我 +你知道的 +我只知道你说的话 +但你什么都不说 +看我的手 为了养家粗糙不堪 +我的手比我的话还具说服力 +亲口说又不会损失什么 +你想要什么? +每个女人都想要的 +一点激情 +一点激情 +我来试试看 +该出发了 你为何不一起走? +我需要整理作物,记得吧? +男人本来就该负责苦力 +勇气会长存 +没错 +我不喜欢一个人睡觉 +小心安全 +我们要去史东布基 当然很安全的 +为什么大家都叫爸农夫? +他没有名字吗? +你父亲相信人做什么就会像什么 +他很小就被诺瑞克带到史东布基 +所以诺瑞克是他父亲? +镇上的人领养他 +每户人家轮流收留他 +但诺瑞克一直对他特别照顾 +爸现在有家庭了 +我很高兴是我们 +我也是 +将军 +向国王报告 +王上 库拉格人 +残暴且武装的库拉格人 +他们用刀剑攻击我们 +太荒谬了 你好像在说一群凶暴的野狗 +他们像人一样 杀掉我们所有巡守队士兵 +若不是将军命令我回来通报 我应该也殉难了 +一定是巫术 +外婆! +瑟夫,是你吗? +我抓到你了 +总算能把你放进我的烤箱 +我讨厌烤箱 +又干燥 又温暖 +你不希望我们生吃你吧? +你干嘛要吃我? +今晚我答应外公 +准备他喜欢的菜 +市场价格如何? +男人当然想占我便宜 因为我是女人 +所以我开更高的价 因为我就是女人 +你总是这么强悍 +不,我只知道我想要什么 +直到遇见你父亲 +你父亲才不会乖乖听话 +外公呢? +在钟塔上 +我们去找他吗? +小心点 +钟塔是宣告战争的装置 +你别拉错绳子启动战争喔 +你怎么这么久才来? +对他们狠一点 +太疯狂了 +库拉格人就像野兽 他们没穿盔甲,徒手搏斗 +我得借你的马,诺瑞克 +你要去哪里? +史东布基 +索拉娜和瑟夫在那里 我跟你去 +农夫没来 +他希望我交易,他照顾农地 +你是他的好妻子 +他也很爱你 +对,我相信他是 +新郎和新娘接吻时 摇这个钟五下 +向镇上的人报佳音 +快走 带瑟夫回家 +爸,带他走,你能保护他 +小姐,准备好了吗? +我随时都准备好了 +停手! +这么快就放弃了? +你的进步... +好神速 +真希望艾柏王国能多一些 像你一样强的士兵 +那就让我加入军队 +我想艾柏军队不欢迎女战士吧 +况且令尊一定有意见 +家父禁止我做任何事 +塔利斯 +叫你的军队准备出发了 +一群库拉格人正在侵略王国 +太阳刺得我皮肤好痛 +你在胡说什么? +还不服从我的命令 +我只听从国王的命令 +你最好... +学会一点尊敬 +人受尊敬要名符其实 +你错了 我凭家世就值得受尊敬 +索拉娜正在摇钟 +别担心,瑟夫 我会找到你妈 +爸! +巴士汀 +拿我的剑 +进来把门闩上 快拿去 +爸,谢谢 快走 +他们正在劫掠村庄 +厉害 +你很有种嘛 +放他走 +你今天已经杀了我一次 但我们又对上了 +爸 +快跑,瑟夫 +看,他们在撤退 +瑟夫! +瑟夫! +我还要替索拉娜建立墓碑 +没人看见索拉娜 没人听说 +没发现她的尸体,她可能逃了 +没错,农夫 +你去哪里了? +我一直找不到你 +我很忙 +非常忙 我们有协定 +我帮你潜入城堡以利我们联手 +我正在进行我的工作 +最近的灾难相信能显示 我是多么地忙碌 +的确,你引起不少骚动 +引起骚动? +告诉我,公爵 +你知道一个叫农夫的人吗? +史东布基的人民 +艾柏王国的军队同情你们 +这场重大悲剧会被平反的 +正当库拉格人屠杀民众时 国王的军队在哪里? +农人! +别忘了自己的身份 +我认为 你应该在国王面前低头吧 +我认为 国王的军队应该保护国土 +而不只是城堡 +被库拉格人掳走的人怎么办? +库拉格人掳走村民? +安静! +就算库拉格人俘虏村民 +我们也不知道他们的目的何在 +国王军队需要所有能作战的男人 +谁要加入? +国王有自己的军队 +那些俘虏只有我们 +你竟敢违抗国王的诏令 我支持你,农夫 +卫兵! +让他们走 +艾柏王国是民主的 +你竟敢冒险违抗国王 你更冒险 +我没有选择,她是我妻子 她是我姊姊 +好吧,我们去找人 +你留下来 跟军队待在艾柏王国 +你想要当军人,对吧? +不 我不喜欢穿军服 +你有马吗? +一只母马 +她老了但仍很强壮 +老了 但仍很强壮 +你挡住我了 +我们见过面吧? +说点甜言蜜语 +告诉我你多爱我 +你知道的 +我是梅里克,国王的术士 我听过你 +你会小孩的魔法玩意 +你的国王需要你 +是啊,我儿子也需要我 +我却辜负他 我妻子若活着也需要我 +农夫,你有想过吗? +人生可能有更伟大的事... +比起你爱或你失去的人? +不,我没想过 +努力活下去,农夫 +你的国王需要你 +可能连他自己都不知道 +你怎么知道有这座桥? +小时候我常在这附近玩 +我童年就在这里渡过的 +如果我们绕过峡谷会耗掉整天 你有什么馊主意? +我们越过去 +把马具拆下 +什么? +要把马留下来? +你怕伤马的感情吗? +回家! +快点! +过去吧 +好,我先来 +你真是勇敢的老男人 +我只是不想绳子被你弄断 结果轮不到我 +快点 好,我们过去吧 +你对马还比较关心 +我喜欢我的马 至于你,我就不确定 +你跟我熟之后就会喜欢我 +这样省了我们不少时间 +王上 站稳,士兵 +这里有多少人在看守? +我正在看守,王上 +你还真尽忠职守呢 +法罗公爵,你真调皮 +你弄得我酥胸好痒 +我要跟你妈告状 +你要去哪里? +我的侄儿正在自得其乐 +你觉得这样适当吗? +国王和军队出征时你还在玩乐 +你的唯一工作就是... +守卫城堡 +结果却完全没人在看守 +王上 +我刚才在调查... +奇风异俗之事 +别让他出现在我眼前 不 +别碰我 +你连碰我衣服都没资格 +那你更没资格玷污国王的王位 +除非国王确实命令你 +你不准碰我 +帝国法律 +正是我的挡箭牌 +事情正依照计划进行 我等不及了 +我受不了那些老臣的规矩 +快实现我的目标 +你想加快进行的速度? +没问题 +我们应该加快脚步 +很好 +盖里恩 +为何你总是无声无息突然出现? +我没有 +我的出现其来有自 +你自以为能擅自闯进我的闺房 +我喜欢你以前欢迎我的方式 +你不能想来就来,想走就走 +然后什么都没说就消失 +我不是你的娼妇 +你怎么会这样想? +你了解我必须无声无息地出现 +我不方便敲大家闺房的房门吧? +你不能随便出现 +况且家父还认为你是国王的敌人 +我有朋友 我有影响力 +为何家父如此鄙视你? +他不常厌恶别人 +干嘛质问我? +我不是来这里接受你审问的 +你父亲厌恶我 +因为我从不在国王和他面前低头 +因为我从他身上夺去我要的东西 +甚至他女儿的贞节 +滚出我的房间 +滚出我的人生 +你也要驱逐我吗? +我们一起做过许多事 +我还发掘你的力量 以及你的理想 +你只带给我小把戏和噩梦 别说了 +王上 +请再度接受我最诚恳的歉意 +我糟蹋你的命令了 +糟蹋? +你承认过错了? +对 +王上,我能坐下吗? +仆人! +我明白... +下去! +我明白我辜负你的信任好几次 +你与全国人民可能都对我失望 +但我会改变 +我会抛掉我的年少轻狂 +在吾国面临此伟大战役之际 我会证明我是够资格的继承者 +吃吧 +你真是舌灿莲花,侄儿 +很适合外交 +这方面你有本领 +我能敬您一杯吗? +下次吧 +改过自新的人不该早上就喝酒 +有道理 +没错,有道理 +国王万岁! +真会说话 +库拉格人上次攻击南部史东布基 +对,因地形险恶他们会... +往北部沼泽地移动 +我们应该进攻 +库拉格人的行动只是假设 +我不喜欢这样,农夫 +没人想进去塞吉维克森林 +这座森林刚好在群山之间 +这样我们就可以追上库拉格人 +塞吉维克森林不仅只有草木而已 +你不能随便穿越 +你不会想晚上被困在这里的 +我们可以点火炬 火炬会引起注意 +我不在乎 +农夫,你听过传闻 塞吉维克森林有怪东西 +我也听说上帝会保护无辜者 +传闻现在对我们没用 +快点,我们还有很多路要走 +我根本没看到路径 +没有路径 那我们怎么知道通往哪里? +有动静 +诺瑞克,你没事吧? +农夫,这在你的计划之内吗? +放我们下来 我得看情形 +离开我们的森林 你们不能干扰这里 +我不喜欢你们的武器和杀戮 +我们只是通过而已 那就赶快通过 +别再闯进来 +我们... +迷路了 +人类啊 不仅没用还很无助 +王上 +我请求您告诉我家父的消息 +你父亲为我出任务 拜托您 +发生什么事? +我担心他面临重大危险 +国王的术士肩负很多责任 +他的女儿不需要烦恼男人的事 +家父以为把我关在城堡 我的心灵能够平静 +他错了 我能感受到王宫的紧张气氛 +现在遇上天大的困难 +黑暗 +判决 +我知道魔法酿成了黑暗势力 +快跑 +你父亲去寻求来源 +还有解决之道 +你父亲 王上! +盖里恩 我感觉我快死了 +你跟国王一起用餐? +你干了什么事? +我以为你很急 想加快进行的速度 +我对国王的食物动了手脚 +你毒害我,你竟然杀我 +别自哀自怜了 +任何事都能解决 +拜托 +希望你记得谁才真正握有大权 +我会记得 +我救了你一命 +那你该为我做什么? +国王被下毒了 +他能得救吗? +或许 只要不会太晚 +我保证 +能私下谈一下吗? +法罗逃出城堡并带走两大军团 +现在我们知道是谁下毒了 +我们是北军 我们会在北方跟新盟友会合 +我们集结的兵力 +会为各世代带来和平与安宁 +我感觉到盖里恩的魔掌 +为何不是塔利斯宣告这场任务? +有人想叛国吗? +还剩多少兵力? +三分之一 +我感到库拉格人的势力在扩张 +盖里恩正在召集军团 +巨大的军团 难以致信 +他一个人怎么可能 造成如此大的毁灭 +我自己的女儿 竟然跟敌人暗通款曲 +你这么恨我吗? +我原本以为我爱他 +他渗入我们的血统 +你也拥有他部分的力量 +因为你 王国可能会灭亡 +对不起... +你们为何讨厌外来者? +你们互相憎恨 为何我们不能恨你们? +我们安身在森林避开你们的战争 +还有争夺及愚蠢的野心 +你们闯进来 箭射进我们的树林 +彼此伤害是你们人类的天性之一 +你们不了解自己多么危险 +我只能带你们到这里 +祝好运 +下一步呢? +你醒了吗? +是,我醒了 +他们会发现害死国王没这么容易 +我们要进攻 +可是王上 您中毒了 +您也许会撑不下去 我撑得下去,指挥官 +而且我有智慧 +库拉格人不会料到我们会进攻 所以我们要行动 +谁下毒的? +恐怕是你侄儿法罗公爵 +更惨的是 +他弃城逃走 +并带走卫兵及两大军团 +我们进攻,展开第一场战役 +召集你的军队 +我还有多少时间? +你的生命所剩不多 +但时间还够 +诺瑞克,你确定吗? +不太确定 +她在这里,诺瑞克 +我感觉得到 我想你是对的 +别激动! +索拉娜? +索拉娜! +今天 +我们为国王而战 +国王也要一起奋战 +以艾柏王国之名 +王上 +出发 +上帝祝福为荣耀而死之人 以及真理! +我对你很好奇,农夫 +你让我感到危险 +我读不出你的心 +我读得出多数人的心 +读出他们的全部,但是你? +我读不出你的过去 +为什么? +你是谁? +有些谜不值得解 +你们来了 +我以为我做了一场恶梦 +农夫呢? +瑟夫呢? +巴士汀,瑟夫呢? +他跟我们父母在一起吗? +是,他们都在一起 +他也遭不幸了 +你被抓走那天他们被杀了 +我很遗憾 +我的儿子,天啊 +他死前没受苦吧? +告诉我 +没有 +他死得很快 +农夫会来 +他会找到你 +你怎么知道? +因为他必须如此 +因为他需要你 +在末日之际 他最需要的就是你 +别死,农夫 +你还有许多使命 +你看起来不太好 +来 +喝一点 +感觉怎样? +这是什么? +是药 +回家真好 +我不是你的娼妇 +他用你来毁灭... +我知道诗人们说... +他以玩弄感情为乐 你还没得到教训吗? +不是我帮你提升你的力量 你的预感吗? +小姐 +我伤害了父亲 +我危害整个王国 +你父亲不会改变对你的爱 +我做了一堆蠢事 +你自杀只会伤他更深 +或许你是对的 +我希望父亲以我为荣 +他本来就是 +他对我有期许 +准备跟新盟友会合吧 +他们是库拉格人 +服从 别再质疑了 +他们是强大的军队 +照顾这男人 +带他去国王的帐篷 +喂饱我的马儿 +这就是你的紧急任务? +他是史东布基的农夫 +没错 +为何一个只顾情爱的背叛者... +会赢得国王术士的青睐? +因为他对国王有特殊意义 +我不懂有何意义 +国王也不懂 +我想你们该好好认识对方了 +我见过他 +上次他违抗我 +我只是做我该做的事 +我想他对王上有意义 +上次之后他受了许多苦 +大家都是 +他有什么特别? +王上,因为... +他是你儿子 +农夫有位朋友叫诺瑞克 +他以前负责看顾王后的马 +我在史东布基认出他 +奥斯里大屠杀之后 +诺瑞克发现一个约三岁的男孩... +在战场上徘徊 +当时奥斯里的男孩只剩王子 +农夫,你对这故事有何看法? +一个老男人自以为记得 30年前的事 +难怪他当不上国王 +你是国王之子 王位的继承者 +我没有父亲 +没有父母 +这里不关我的事 +你是说这个狂人是我的儿子? +他住在史东布基农地30年 +表面上是 +表面上是 你说我儿子死了 +你说我家人都死了 +众神在开我什么玩笑? +有时众神知道怎样对我们最好 +究竟什么意思? +记得那时多么混乱吗? +到处都是战事 被敌人包围 +若这孩子被带回艾柏城堡 +他能活多久? +他在史东布基成长茁壮 +远离那些极力夺取... +王子和王位的敌人 +我的好友 +你最好没认错 +你最好能确定 +国王需要有能力的人帮他作战 +这不是我的问题 +他的王国被威胁了 你的王国被威胁了 +我不认识国王 +索拉娜才是我的家人 +诺瑞克与巴士汀也是 +你们打算住哪里? +王国要是落入盖里恩的手中 +你能给你的妻子什么未来 +你想清楚 +法罗,你犯了叛国罪 +你在这里没有权力 +跟随你的士兵也被视为叛徒 +我们不饶恕叛国者 +各位 +塔利斯指挥官毒害了国王 +却指控我叛国,真好笑 +你的野心真大,塔利斯 +艾柏王国属于我的控制 +我们不会让他掌权 +你绝对当不成国王,侄儿 +因为你缺乏勇气 +现在没有,永远也不会有 +11与12军团跟随您,王上 +懦夫! +库拉格人没有弓箭手 但他们也不怕死 +现在他们人数较多 但我们是人类 +我们效忠一个高尚的王国 +他们是残暴贪欲的野兽 什么都不是 +你前来尽自己的义务吗? +我决定为国而战 +我有幸跟你一同奋战 这样我才能监视你 +保持警戒 +指挥官 +率领军队 +发射! +发射! +别怕,乖马儿 +将军,打起战旗 +士兵们,快走 +他们像狗一样凶猛 +是的 +我们走 +准备好 +发射! +发射! +这些库拉格人丧心病狂了 +他们一定还有很多人 +为了战胜,一切在所不惜 +我们不会输的 +不管你们杀多少库拉格人 +我只会召唤更多人手来 +魔灵地 这里是我们的赎罪之地吗? +不,诺瑞克 +这里是我们的贞洁之地 +这里使人坦然面对罪恶 +国王 +别乱动,亲爱的叔父 +射击! +卫兵 +快点! +护送国王离开战场 +真棒,我的好叔父 +你们只争取到一点时间 +我不想过这种生活 +我们身在其中,我们是奴隶 +我不想活得像奴隶 诺瑞克,别说了 +我们为何进入塞吉维克森林? +我们穿越就能抵达艾柏城堡 +没有军队没有警备 我们等着城堡到手 +我们快离开这里 +真想不到,看谁来了 +遇到家族成员真开心! +独自一人在森林 你不觉得害怕吗? +别靠近我 慕黎拉,你从未信任过我对吧? +你的德行绝对不会获得信任 +德行? +端正? +这些都只适用于城堡 +我们现在又不在城堡 +这里没有任何规矩 +不! +送你一件大礼 +谢谢 +哪里都有规矩,公爵 +你破坏规矩的下场就是失败 +我带走这个 +索拉娜,快跑! +快点,快走! +诺瑞克! +你一直想要得到... +壮烈的牺牲 +你是一个勇敢的老男人 +索拉娜! +巴士汀? +快跑! +站在我后面 +我不饿 +你今天很勇猛 +杀掉野兽 +这种勇气很残忍 +不管这代表什么 +你会完成使命 我只是一个辛苦农人 +迟早会有意义的 +在你当上国王之后 +不然你认为你... +今天为何如此勇猛? +难道是... +好运? +你知道自己的资质 +领导力 +当然还有你的坦诚 +这些都会助你一臂之力 +智慧是我们的榔头 +审慎是我们的钉子 +当人类吃得苦中苦... +勇气会长存 +勇气会长存 +你哪里听到这些话? +我告诉我儿子 +当他还小时我每晚跟他说 +我只告诉过他 +现在开始你的日子会更艰难 +我只是一个农夫 我懂 +我只知道这样 你听过一个小村庄... +离这里不远 +他们一年种植两次作物 +这样会破坏土壤 不 +他们没有破坏土壤 因为有海藻 +海藻来自大海 +能使土壤肥沃 +你该试试 +你怎么会知道这些事? +因为我是国王 +因为我应该了解... +这块土地 +你也应该这样 +只要国王存在 +只要国土存在 +人民就会努力奋战 +这样会让土地更贫瘠 +战争不断有何意义? +你为和平而战 +和平 这是梦想 +这个梦想也许得靠你... +身为国王... +带来永远的和平 +你不了解 +这些战争夺去我的孩子 +你忘了也夺去我的孩子 +吾儿 +哈雷特将军 +是,长官 +派巡守兵去森林北边 +探测我们将会面对怎样的敌人 是,长官 +指挥官 什么事? +你看 +真是突来的访客 +法罗公爵来这里接受审判 +我想国王没死吧 +贝克勒将军 +你的剑给他 +不用盔甲 +决斗啊 +真友善 +记得小时候我怎么教训你的吧? +至少让我喝一口酒吧? +我没有盔甲怎么保护我的国王? +一群猪 +这场决斗 是你的最后一战,法罗 +我会杀掉你 +我应该杀掉你 +国王死了! +国王死了! +康瑞德国王驾崩了! +不,不可能 +我是你们的国王 +你是第一位继承者 +塔利斯指挥官是遵守荣誉的人 +你绝不会杀掉艾柏的新国王 +懦夫 +我的艾柏子民 +国王万岁 +好! +好! +万岁! +好! +好! +万岁! +把刀放下 +艾柏的人民 +艾柏的士兵 +几刻钟前 +我们深爱的康瑞德国王驾崩了 +被他的侄儿谋杀 +为了夺取王位 +依照我国的法律 +国王的继承者必须是他的血亲 +我向大家宣布我们的新国王 +康瑞德国王失散的儿子 +一般人称他为农夫 +平身 +请起立 站起来 +国王召请各位面对死亡 +留下的人要以生命为代价 +我们的敌人仍活着 +他会重建力量再度发动攻击 +今晚我们包扎我们的伤口 +埋葬我们的牺牲者 +明日我们前往魔灵地 +深入恶魔的巢穴! +深入恶魔的巢穴! +上帝拯救国王! +什么? +干嘛? +把他们带走 +跟其他人关在一起 +等一下 +把她带过来 +滚! +我感觉到他... +在你身上 +那个农夫 +他会来找你 +太棒了,我等他来 我对你没用 +对,但他对我有用 +他不只是农夫 +比农夫危险多了 +过来我这里 +你如何认出我的? +如何? +别动 +别动 +我感觉到他... +在你身上 +因为你怀着... +他的孩子 +你怀着他的孩子 +你从哪里来的? +葛罗森 他们把我从家中掳走 +我们会送你回家 +我们会死在这里 +再见,我的老友 +我们如何对抗那么庞大的军队? +阔剑失败的地方,短刀会成功 +别猜谜了,术士 +弱势军队能溜过库拉格人的阵线 +解决根源的问题 +帮我找到盖里恩 +我要干掉他 +长官,冒昧问您 +我们的计划是救一个女人 却不顾整个王国的安危吗? +国王救妻子,必须干掉盖里恩 +干掉盖里恩,王国就得救 +慕黎拉 +军队要出发了 +王上 +我希望跟您一道作战 我希望为您服务 +我们说好了 你回城堡去 +身为父亲的女儿 +我要跟他一样为国王服务 +你抓来杀国王的凶手 +他落入我的手中 +男人需要任何帮手,术士 +我接受你的请求 +还有其他人想帮忙 什么人? +我带你去 +你存活下来了 而且没再干扰你们 +你们对抗的敌人 控制库拉格人的敌人 +我们会帮你们对抗他们 +但你们不希望介入人类的战争 +我们知道这场战争不会结束 +等到我们的森林被烧毁及入侵 +我们连选择都没有 +我们跟你们齐肩并战 之后再平静过生活 +魔灵地 +盖得像坚不可破的密所 多坚固呢? +门只能从里面开 +你能潜入吗? +术士不需要从门进入魔灵地 我也会想办法进去 +你认为自己活着很幸运吗? +我是 +人生 +没这么令人兴奋过 +跟我一起被掳来的那些人 +为何不释放他们? +你不希望世人知道你同时 拥有神力和慈悲吗? +你不懂吗? +我超越慈悲 +我超越善与恶 +这些都是幼稚的想法 +我要改变世界的结构 +事情会没完没了 假使我对你朋友表现慈悲 +我可以 没人能豁免 +你不能 农夫不能 +被我剥夺梦想的男孩都不能 +杀掉我! +杀掉我! +我不会杀你 +我欣赏你 +你只要会流血,你就会死 +或许我会 但不会发生 +我还有许多事未完成 +射击! +弓箭手准备好 +射击! +放下石头! +上面有一个洞穴 +空气可以进入 +现在我要离开你了 +我不想要你一个人过去 +如果那个狂妄之徒还有一点理智 我一定试图感化他 +你无法说服那个魔鬼,梅里克 +但至少我能分散他的注意力 +我就知道你会来 +我的老友 +我们曾是朋友 +但你完全变了 +是吗? +术士的力量是就要帮助国王 +你却坐大成为国王的敌人 +你认为我的库拉格人怎样? +他们是残酷的恶兽 +库拉格人很奇怪 +他们没有国王 +好友,猜我做了什么事? +我不想猜 我让自己成为国王 +库拉格人的国王 +这是我最热中帮助的国王 +我自己 够了 +盖里恩 我们两人是仅存的术士 +我求你承认你已陷入疯狂 +你不懂 +疯狂是多大的一股力量 +我的王国中 没有所谓的疯狂 +我们称疯狂为... +权力 +进攻! +他在这里 +他来了 +看来事情不必再拖了 +慕黎拉 +慕黎拉 +你来了 +我不懂我怎么过来的 +我一直太愚蠢了 +原谅我 +术士传人 +吸纳我最后的力量 +谁来救我们,拜托 +快跑! +快走! +跟他走! +这边,农夫 +这边 +你令我心神不宁,农夫 +我知道你成为国王 +吾国一山不容二虎吧? +两个国王只会造成战乱不止 +彼此争得你死我活 +你是想决斗,或是说服我就范? +你想用魔法跟我决斗吗? +你的荣誉呢? +我要复仇 +不! +你想要复什么仇? +身为父亲或丈夫的仇? +还是身为国王的仇? +你忘记身为母亲的仇 +怎么回事? +有句话我一直想告诉你 +我爱你 +法罗,你犯了叛国罪 +我们不讲条件 +任何听从你指挥的人 +也将被视为叛国者 +我们不饶恕叛国者 +先生们 +泰利斯将军毒害了国王 +还说我叛国 +你野心无边啊,泰利斯 +艾柏之国现在由我统治 +我们,也不讲和 +我的侄子,你永远也当不上王 +因为你没胆量 +现在没有,将来也没有 +第11和第12军团归您统管,陛下 +你们这些懦夫 +克鲁格人没弓箭手,也不会害怕 +现在他们比我们人多,但是我们是人 +我们忠于一个高贵的国家 +它们是野兽,嗜血的野兽,仅此而已 +那么,你来尽责吗? +我决定了要一战 +有你们在我身边一起我很骄傲, 我也会留意你的 +中尉 +将军 +走吧 +弓箭手 +放! +放! +没事的 +将军,包抄侧面 +勇士们,出发 +它们像疯狗一样打仗 +对啊 +我们走 +预备 +放! +放! +这些克鲁格人人不用脑子打 +它们的脑子在这里 +你赢得一时,不算什么 +我们赢得一世! +你杀了这些 +我就招出更多的 +克里斯英得,这是我们偿还罪孽的地方吗? +不,诺瑞科 +这是我们偿还美德的地方 +罪孽比美德在这里要吃香 +国王 +别动,好叔叔 +放! +卫兵! +卫兵! +快 +把国王抬离战场 +快 +永别了,好叔叔 +走 +你只是争取到了点时间而已 +我不会像他们那么活的 +我们已经是他们了,我们是奴隶 +- 我不会当奴隶的 +- 收声,诺瑞科 +我们为什么要进入塞奇威克森林? +我们要从森林走近路去艾柏城堡 +没军队没卫兵,城堡随便拿下 +我们快离开吧 +看看,一个家里的朋友 +我非常高兴 +独自在这个森林里你不觉得容易受伤吗? +- 你离我远点 +- 你从不相信我,是吗,玛丽安娜? +你的举止从来都没赢得过尊敬 +举止? +礼貌? +这都是城堡的言谈 +我们不在城堡里 +这里也没有规矩 +给你的特别礼物 +谢谢 +到处都有规矩的,我的公爵 +你喜欢打破规矩的这种天赋 最终还是没用啊 +我带这个走 +跑! +索拉娜,跑! +快跑! +我会找你的,走! +诺瑞科! +诺瑞科! +这是你一直想要的吧 +光荣战死 +你是个勇猛的老人 +索拉娜 +巴斯蒂安? +靠后 +不,我没事 +你今天很不错 +杀野兽 +- 需要狠下心来 +- 没错 +不管什么出现 +- 你都能战胜它 +- 我做苦活习惯了 +当你是国王的时候 +将会更有用 +你怎么看待你今天 +战斗得这么好? +我意思是,难道这仅仅只是 +运气? +你有天赋,你知道的 +领导能力,然后,当然 +你实话实说 +这会让你更好的为国家服务 +智慧是我们的武器 +谨慎则是我们的盔甲 +当人在诚实劳动中 +建设生活 +勇气不灭 +你从哪儿听到的这些? +当我儿子还小的时候 +我每天晚上 +都对他这么说 +别人都不知道 +现在开始你生活会变得更加艰苦 +- 我只是个农民 +- 是,是 +- 我只知道这个 +- 你知道,这里不远的地方 +有个小村子 +他们一年收两季稻子 +- 那会破坏土壤的 +- 不 +这样不会破坏土壤因为有海草 +你知道,海草从海里来 +给土增肥 +你该试试 +你怎么知道这些 +因为我是国王 +因为我应该知道 +关于土地的一切 +就像你将来也会那样 +只要有国王 +只要有土地 +他们就会发动战争抢夺 +抢夺荒芜的田地 +如果战争不结束那会是什么? +他们为和平而战 +和平,梦想而已 +但是你如果当国王 +可能 +就能实现 +你不懂 +战争夺取了我的儿子 +你忘了他们夺去了我的儿子了么 +我的儿子 +海力特将军 +在 +带队侦察队去这片树林的北边 +- 我们要看看我们什么在等待着我们 +- 好的 +- 将军? +- 是 +看 +嗯,这个... +是个令人惊奇的收获 +法罗公爵来受到裁决了 +我猜国王还活着 +贝克勒将军 +把你的剑给他 +不要护甲 +决斗 +可爱 +你记得我在你还是小孩子的时候对你 做过的事吧,泰利斯? +我能喝口酒吗? +没人会帮国王解下护甲吗? +禽兽 +这个决斗会是你最后的决斗了,法罗 +我杀了你 +我要杀了你 +国王死了! +国王死了! +康里得国王死了! +不,不,不可能 +我是你的国王 +- 不,你就是这个国家的诅咒 +- 泰利斯将军 +非常忠诚 +他永远不会杀了艾柏的新国王 +懦夫 +艾柏的子民们 +国王万岁 +收起来 +艾柏的子民们 +艾柏的勇士们 +片刻前 +我们敬爱的王康里得去世了 +被他的侄子谋杀了 +他想篡权 +根据这国家的法律 +国王的继承人必须有血缘关系 +我给你们介绍我们的新国王 +康里得失散的儿子 +卡姆登 康里得 +有人也叫他法莫 +起来吧 +站起来,请站起来 +国王召唤你们来冒死而战 +现在还活着的人已经从死亡 那里得到了奖赏 +但是我们的敌人还活着 +他会重建军队,重新攻击 +今晚我们疗伤 +葬死 +明天我们袭击克里斯英得要塞 +- 直捣恶魔的老窝 +- 直捣恶魔的老窝! +天佑吾王! +什么? +你要什么? +带他们走 +带他们一起走 +等等 +把她带来 +退下 +我在你身上 +感受到他 +那个农民 +他会来找你的,太好了 +- 我会等他的 +- 我对你没价值 +对,但是他对我有价值 +不仅仅只是一个农民 +比一个农民更加危险 +现在他会来找我 +你怎么认识我? +怎样? +别动 +别动 +我在你身上 +感受到他了 +因为你 +怀了他的儿子 +你怀了他的儿子 +你从哪儿来? +格拉森。 +他们从我家里把我带走了 +我们会送你回去的 +我们会死在这里的 +再见了,老朋友 +你怎么与那么大的军队对抗? +大剑失利的地方,小剑就得利 +大法师,没时间猜谜语了 +一小组人会溜过克鲁格人的防守线 +然后在根源解决问题 +带我到这个盖伦那里 +我就能杀了他 +先生,我很尊敬你 +但是我们在王国危急之时去救一个女人? +如果国王要救他的妻子,就得杀了盖伦 +如果他杀了盖伦,王国就得救了 +玛丽安娜 +就是现在 +陛下 +我想加入你 我想要尽我的义务 +好,你已经说了 回城堡吧 +我是我父亲的女儿 +我会尽忠国王,就像他一样 +你带来了谋杀国王的人 +他落入了我手 +一个人需要他所有能得到的帮助,大法师 +我接受你了 +- 还有其他人也想帮忙 +- 什么其他人? +我带你去 +- 你还活着啊 +- 我一直远离这里 +你们对抗的人,控制着克鲁格人人的人 +我们帮你战斗 +以为你们不参与人类的纷争呢 +这战争完不了,我们看出来了 +当我们的森林被侵略被烧毁时 +我们也没其他选择 +我和你们一起战斗,然后 我们希望还是不被打搅 +克里斯英得 +- 当作是法师的避难所而建 +- 很坚固吗? +嗯,门从里面开 +你能进去吗? +- 一个法师无需门就能进去 +- 我会找条路的 +你觉得你还活着很幸运吗? +对 +生活 +从来没这么刺激过 +跟我一起来的人 +为什么不放了他们? +你不想让整个世界都知道你有 无穷的力量和慈悲吗? +你理解不了吗? +我超越了慈悲 +我超越了好和坏 +这些是孩子气的思想而已 +我在改变世界的结构 +如果我给你的朋友发了慈悲, 我会怎么样? +- 那可以... +- 没有例外! +没有例外。 +你不是。 +那农民也不是 +你那个尖叫着被我撕开的孩子也不是 +杀了我 +杀了我 +我不会杀了你 +我很喜欢你 +如果你能流血,你也能死 +可能吧,但是我不会 +我还有很多事情要做 +泰利斯 +弓箭手准备 +放! +就是现在! +上面有个山洞 +是用来通风的 +我得走了 +我不想你一个人走 +如果那个疯子心里还有一丝理智 我就得去试试 +你不能跟恶魔讲理啊,梅里克 +但是我最少可以分散他注意 +我知道你会来的 +老朋友 +我们曾经是朋友 +但是你变了很多 +噢? +一个大法师的力量 +是和他为国王做的服务紧密相联的 +你做为国王的敌人,你的力量成长的怎么样了? +你觉得我的克鲁格人怎么样? +可憎的野兽而已 +克鲁格人很好笑 +他们没有国王 +猜猜我干了什么,老朋友 +- 我不敢猜 +- 我封自己为国王 +克鲁格人之王 +现在我辅佐着一个我万分敬仰的国王 +- 我自己 +- 够了 +盖伦,你跟我是最后的大法师 +我求你,意识到你现在疯癫的情况吧 +你根本不知道 +疯癫 +可以有多么强大 +我的王国里,没有疯癫这个词 +我们就简称为 +力量 +冲! +嗯,他来了 +他到了 +我找不到理由继续打这场战争了 +玛丽安娜 +玛丽安娜 +你在这里 +我不知道发生什么了 +我怎么这么愚蠢? +原谅我 +大法师 +接受我最后的力量吧 +- 杀了他们 +- 帮帮我们 +小心后面! +走! +跑! +快走,我们走 +这边,法莫 +这边 +法莫! +你给我造成了很多麻烦,法莫 +我知道你当上国王了 +一个王国不容两个国王不是吗? +国王一对一的战斗 笑饮死敌之血 +这样的事情多久才会发生一次呢? +你想打,还是想说死我? +想用魔法跟我打? +你的荣耀心呢? +我会复仇的 +不! +你现在享受什么样的复仇呢,法莫? +一个父亲的复仇 一个丈夫的 +还是一个国王的? +你忘了一个母亲的复仇 +发生什么了? +我一直想告诉你 +我爱你 +谢谢观赏 +你说对了,诺瑞科 +这个也是意料之中吗,法莫? +- 放我们下去 +- 我想放就放 +滚出我们的森林,你们与这里无关 +我们恨你们的武器和你们的杀戮 +- 我们只是穿过这里 +- 那就穿过去 +别再回来 +我们迷路了 +人类,不仅没用,也很无助 +陛下 +我想要知道我父亲的消息 +- 你父亲为他的王去办件小事去了 +- 求你了 +发生什么了? +我担心他有极大的危险 +国王的大法师有很多的责任 +他并不需要一个总是用绯闻 +来惹麻烦的女儿 +我父亲觉得把我锁在城堡里 能减轻我的担忧 +他错了,我感受到宫廷里的气氛 从来都没有这么困扰过 +黑暗威胁着 +我们的国家 +从魔法中生出的黑暗 +走! +快 +你父亲在寻求原因... +- 和解决方法 +- 陛下? +陛下? +- 你的父亲... +- 陛下! +盖伦! +我觉得我要死了 +你跟国王吃得好吗? +你干了什么? +我以为你想要加速呢 +我想我可能对国王的吃的做了手脚 +你给我下毒了,你杀了我了 +别这么戏剧化 +没什么不能弥补的 +求你 +求你 +希望我们都记得谁在这里有着最大的权力 +好 +我觉得我救了你一命 +你应该为我做点什么呢? +国王被下毒了 +能救吗? +可能吧,如果还不迟的话 +性命保证 +私下谈一下 +法罗逃出了城堡 +还带走了两个军团 +那我们就知道谁给国王下毒了 +准备北上,和我们的新同盟会师 +我们联合的力量... +将使我们享有世代的和平和安宁 +我能感到盖伦跟这个有关 +为什么泰利斯长官没有跟我们提到过这次行动? +还有想要犯叛国罪的人吗? +- 还剩下多少军队? +- 三分之一 +嗯 +我看到克鲁格人在大量集结 +盖伦在召集军队 +- 大量的军队 +- 怎么会? +一个人怎么可能会造成如此大的破坏呢? +我亲生女儿背叛我,投进死敌的怀抱 +你这么恨我吗? +我以为我爱他 +他混入了我们的血缘 +你把魔法的平衡偏向了他的一方 +因为你,这个王国可能灭亡 +对不起,对不起 +对不起,对不起 +你们为什么这么恨外来人? +你们互相敌视,我们为什么不能敌视你们呢? +我们躲藏在森林里,避开你们的战争和争端 +和你们愚蠢的劳动 +但是你们还是在这里 对准我们的树射箭 +伤害就是你们生活的一部分 +你们最危险的地方就是你们自己 +我最远只能送到这里 +好运 +我们有计划吗? +你醒了吗? +是,我醒了 +你会发现杀死一个国王没那么容易 +我们要进攻 +但是,陛下,你被下毒了 +- 可能你还没认清形势 +- 我认清了 +我也有我的头脑 +克鲁格人不会料到我们会攻击 所以我们就一定要攻击 +谁给我下的毒? +我认识是你的侄子,法罗公爵 +噢 +更坏的是 +他逃离了城堡 +带走了第11和第12军团 +我们要进攻 +拂晓,集结你的军队 +我还能活多久? +你的生命即将结束 +但是剩下的时间足够了 +你确定吗,诺瑞科? +一点也不 +她在这里,诺瑞科 +- 我感觉得到 +- 我觉得你是对的 +嘿,慢点 +索拉娜? +索拉娜! +今天... +我们为国王而战 +我们的国王骄傲地 +为艾柏而战 +陛下 +起立! +神佑为荣耀和真理献身的人! +我对你很好奇,法莫 +我能感觉到你很危险 +我看不透你 +我能看到大多数的人,就像 阅读活着的书一样 +但是你,我都看不透你紧锁的眉头 +为什么? +你是谁? +有些谜不值得去解开 +你在这里 +我以为是个噩梦 +法莫呢? +扎夫呢? +巴斯蒂安,扎夫在哪儿? +跟我们父母一起吗? +对 +他是跟他们一起,但是 +他没逃出来 +你被带走的那天,他就被杀了 +对不起 +我的宝贝 +他死得安逸吗? +告诉我 +对 +他死得安逸 +法莫会来的 +他会找到你的 +你怎么知道? +因为他必须这样 +因为他需要你 +再怎么说,你也是他真正需要的 +法莫别死 +你要做的事情还有很多 +你看上去不怎么好啊 +啊,这个 +来试试 +- 味道怎么样? +- 这是什么? +药。 +快起来 +回家真好 +我不是你的妓女 +他用你来毁灭... +我知道诗人们说... +他以玩弄感情为乐,你还不吸取教训? +不是我帮你提升你的力量,你的预感吗? +小姐? +我是我父亲的累赘 +我阻碍了一切 +但是你父亲很爱你啊 +我小女孩般的愚蠢伤害了他 +自杀会伤他更重的 +可能你是对的 +我想要我的父亲以我为荣 +他已经是这样了 +他只是以这个想法为荣而已 +准备迎接你们的新盟军吧 +这是克鲁格人 +顺从,无情且不犹豫 +你看到的是一个强大的军队 +带走这个人 +把他放在王国的营帐里 +保证喂饱我的马 +等等 +这是你的紧急事务? +这是法莫,石桥镇的 +对 +为什么一身泥土味的不尽忠的 石桥镇农民 +会让国王的大法师怎么挂念? +因为国王对这个农民有特殊挂念 +我怎么不知道 +国王也不知道 +我觉得现在你们应该好好认识一下 +我们见过了 +上次,他拒绝了我 +去做他需要做的事情 +我以为陛下会对这个农民感兴趣 +从我们见过以后,他经历了许多事情 +大家都一样 +什么让他这么特殊? +因为,陛下 +他是你儿子 +法莫的朋友诺瑞科 +是管理王后马匹的人 +上次在石桥我认出他来了 +在牛草地小道的屠杀后,这个诺瑞科 +在战场上找到一个3岁大的小孩 +牛草地小道只有一个小孩 +你觉得这个故事怎么样,法莫? +一个老人以为他认出了一个30年没见的人 +这就是你们选国王的方式? +你是国王的儿子,王位继承人 +我没父亲 +没父母 +我与这里无关 +你的意思是那个傲慢的混蛋是我的儿子? +他30年来 +住在石桥的农场里? +就是这样 +就是这样,你告诉我他已经死了! +你说他们全死了! +神对我开了 +什么样的玩笑啊 +有时候神知道什么对我们最好 +那是什么意思? +你记得我们那个时候混乱的状况吗? +到处是战争,到处是敌人 +如果这个孩子带回了艾柏城堡 +他能活多久? +在石桥长大 +他很健壮 +离敌人很远 +敌人随时都可能 +除掉你的儿子和王储 +亲爱的朋友 +你最好是对的 +你最好心里有数 +国王需要所有有能力的士兵 +- 这不是我的问题 +- 他的王国被侵略了。 +你的王国被侵略了 +我不认识这个国王 +索拉娜是我的亲人 +诺瑞科和巴斯蒂安,他们是我的亲人 +你住在哪儿呢? +嗯? +如果王国落入盖伦之手... +你又能为你妻子提供什么样的未来? +想想吧 +法罗,你犯了叛国罪 +我们不讲条件 +任何听从你指挥的人 +也将被视为叛国着 +我们不饶恕叛国者 +先生们 +泰利斯将军毒害了国王 +还说我叛国 +你野心无边啊,泰利斯 +艾柏之国现在由我统治 +我们,也不讲和 +我的侄子,你永远也当不上王 +因为你没胆量 +现在没有,将来也没有 +第11和第12军团归您统管,陛下 +你们这些懦夫 +克鲁格人没弓箭手,也不会害怕 +现在他们比我们人多,但是我们是人 +我们忠于一个高贵的国家 +它们是野兽,嗜血的野兽,仅此而已 +那么,你来尽责吗? +我决定了要一战 +有你们在我身边一起我很骄傲, 我也会留意你的 +中尉 +将军 +走吧 +弓箭手 +放! +放! +没事的 +将军,包抄侧面 +勇士们,出发 +它们像疯狗一样打仗 +对啊 +我们走 +预备 +放! +放! +这些克鲁格人人不用脑子打 +它们的脑子在这里 +你赢得一时,不算什么 +我们赢得一世! +你杀了这些 +我就招出更多的 +克里斯英得,这是我们偿还罪孽的地方吗? +不,诺瑞科 +这是我们偿还美德的地方 +罪孽比美德在这里要吃香 +国王 +别动,好叔叔 +放! +卫兵! +卫兵! +快 +把国王抬离战场 +快 +永别了,好叔叔 +走 +TLF字幕组出品 +Present By: +Shooter. +cn +字幕分割: +LiChangShun 时间轴调校: +天空的心 +片名: +末日危城 +我就知道你会来 +我早告诉你了 +我意思是,我感觉到了 +你来之前我能感觉到 +你的力量在慢慢变强,玛丽安娜 +我们在一起的时间终于开始有用了 +等等 +你必须走了 +你希望如此吗? +我们每次这样见面,我都觉得... +无力。 +觉得被吸干了一样 +可能爱情就会让女人这样吧 +你知道什么是爱? +我知道诗人们都愿以一死来交换 +- 你会以死交换吗? +- 可能吧 +在诗里 +我父亲会怎么说? +世上的事情你父亲不知道的很多 +让这个也变成其中之一吧 +渎神,这太疯狂了,盖伦 你太过分了 +神救救我们吧 +用力拉,扎夫 +用腿的力气 +它不想出来 +最大的都是最顽固的 +看吧,有价值的东西都不会轻易到手 +你没打中 +我不想杀了他们 +只要它们不吃庄稼 +猪来了,还是老价钱吧? +冬天的玉米换这猪? +老价钱,不变 +是个挺旱的一季吧 +- 更旱的我也见过 +- 国王在招兵 +兵的待遇都很好 +我有这块地,还不够吗? +你老了后,你就会厌倦只是这么活着 +你不想挑战一下你的勇气吗? +我意思是,这样的生活有什么勇气可言? +我靠,法莫,说说话你会死吗? +我的意思是,我们又不是动物。 +人就应该跟别人说话啊 +诺瑞科,如果我能把这些甘蓝说出来 我肯定会的 +雨一来,地就变成块 +那时候你都不能把它们说出来了 +这就是为什么我喜欢你爸,扎夫 +他总是知道怎么来扫兴 +- 带诺瑞科去我们放玉米的地方 +- 好 +给,扎夫,给你这头猪 +你留下来吃晚饭吧? +嗯,既然你都开口了... +诺瑞科,能看到你太好了 你应该常来 +嗯,我觉得法莫小时候已经看厌我了 +现在既然他成家了, 就应该稍微调整一下 +诺瑞科觉得父亲应该不种田,而去参军 +等等,我没这么说啊 +他说国王的战士都拿很多钱 +法莫,你没诚心想这个吧? +你们是我的家人。 +我哪儿也不去 +- 你得到答案了,诺瑞科? +- 我只是说说 +- 只是说说 +- 嗯,人人都有特长嘛 +只是说说看来是你的特长 +出卖朋友看来是你的 +- 我能来点鸡肉吗? +- 别给他 +把鸡肉给我! +说点好听的给我听 +告诉我你多爱我 +你知道的 +我只知道你告诉我的... +你却什么都没告诉我 +看看这双手,为养活我们而开裂 +这双手比话语更说明问题 +告诉我有什么损失吗? +你还想要什么呢? +每个女人都想要的 +一点点激情 +- 一点点激情? +- 嗯哼 +我想想我能怎么办 +- 该走了 +- 你为什么不跟我们一起去? +我还有很多地要清理 +记住,当人从辛勤劳动中创造生活时 +勇气永不灭 +对了 +我讨厌睡觉时没有你 +小心点 +石桥镇而已,我们当然会很安全的 +为什么别人都叫父亲法莫? +他没名字吗? +你父亲相信人跟他所做的事情密切相联系 +他很小的时候,诺瑞科把他带到石桥镇 +那诺瑞科是他的父亲? +整个镇子收养了他 +不同的时候有不同的家庭收养他 +但是诺瑞科总是关注着他 +他现在有个家了 +我真高兴是我们和他一起组成的这个家 +嗯,我也这么觉得 +将军 +报告给你的国王 +陛下,克鲁格人... +野蛮的军队,克鲁格人... +它们用剑打仗 +这太可笑了,就好像你在说持武器的狗一样 +它们像人一样打仗 它们把整个侦察队都杀了 +如果将军没命令我会来报告的话 我也死了 +这是某种魔法 +外婆! +外婆! +扎夫,是你吗? +抓住你了 +终于! +放你进烤箱 +我不喜欢烤箱 +烤箱又干又暖和 +你不想我们把你生吃了吧? +你为什么要吃了我? +今晚,我向你外公保证... +要做他最喜欢的菜 +- 集市上卖得怎么样? +- 不错 +当然,男人都想来占我便宜 因为我是女人 +我就让他们多付钱 因为我是女人 +我们还小的时候你总是当头 +- 总是当头 +- 不,我知道我要什么,就这样 +直到她遇到你父亲 +你父亲放荡不羁 +- 外公呢? +- 在钟塔 +- 我们去看看? +- 我们得小心点 +钟塔是为战时而建的 +你不想拉错绳子而引起场战争吧? +什么耽搁了你这么久? +哈! +他们没那么容易被吓跑的 +这真是疯了 +克鲁格人是野兽 他们没有盔甲和武器的 +我要用你的马,诺瑞科 +- 你去哪儿? +- 石桥镇 +- 索拉娜和扎夫在那儿 +- 我跟你一起 +法莫没来? +没,我丈夫喜欢让我来做买卖 他好种地 +你为你丈夫做得很好 +他很爱你 +对,我相信他是很爱我的 +新郎新娘接吻时,鸣钟五次... +给整个镇子他们结婚的消息 +走,现在就走,带扎夫回家 +带他走! +你能保护他,父亲 保护他 +- 准备好了吗,我的女士? +- 从来都是 +等等 +这么快就认输了? +你进步神速啊,令人印象深刻 +如果艾柏能有更多像你这样的剑士 +让我加入你的军队,你就有了 +我不确定艾柏的军队是否准备接受女兵了 +而且,你父亲会怎么说? +我父亲从不让我做我想做的 +泰利斯! +准备好你的军队,准备出发 +克鲁格的散兵在抢掠我们的土地 +噢,太阳刺痛了我的皮肤 +你在胡说什么? +你服从命令就行了 +我只听从国王的 +你应该... +学习怎么尊敬别人 +敬意是赢得的 +错了,敬意是我天生的 +回镇子! +所有人都是! +- 索拉娜在哪? +- 她在敲钟 +别担心,扎夫,我会找到她 +- 父亲! +- 巴斯蒂安! +拿着我的剑 +- 进去,堵住门 +- 快点 +- 谢谢你,父亲 +- 去吧 +我们在镇子里找 +大家快走! +快点 +干得好 +有种的人? +放开他们 +你今天杀了我一次了 但是我们又见面了 +爸爸! +跑,儿子! +看! +它们撤了 +扎夫! +- 它们撤到高地上去了! +- 扎夫! +别让它们跑了 +我还要给索拉娜做个标记 +没人看到她,没人知道 +我们没找到她,她可能跑了 +他说得对,法莫 +盖伦! +你去哪儿了? +我一直在找你 +我很忙 +- 很忙 +- 我们达成了协议的 +我让你进出我的城堡 我们就能合作 +我守着承诺 +我肯定最近这些消息都能表明 我有多么的忙 +对,你确实稍微搅和了一下 +搅和? +告诉我,公爵 +你对一个叫法莫的人了解多少? +石桥镇的镇民们 +艾柏的军队同情你们 +这样的惨剧会被复仇的 +克鲁格人来的时候,国王的军队呢? +农民,不要忘了你在和谁说话 +在你的世界里,你不对国王鞠躬吗? +在我的世界里,国王的军队是来保护国家的 +不是只是城堡 +被克鲁格带走的人怎么办? +- 克鲁格抓了人质? +- 安静! +如果克鲁格人带走了人质... +它们的目的就很不明确 +国王的军队召集任何一个 能打仗的人 +- 谁来? +- 然后怎么样? +国王有军队和城墙 +被克鲁格抓走的人就只有我们 +- 你敢违抗国王的意愿? +- 我跟你走,法莫 +- 卫兵! +- 让他们走 +这不是艾柏之道 +- 你违抗国王,冒很大的风险 +- 不比你冒的大 +- 我没有选择,她是我的妻子 +- 她是我的姐姐 +好,我们开始吧 +留下来,跟着艾柏的军队走吧 +你想过军队生活,不是吗? +不。 +我不喜欢制服 +- 你有马吗? +- 有匹母马 +老,但是很强壮 +老... +但是仍然很强壮 +你挡我路了 +我们以前见过吧? +说些好听的给我听 +告诉我你有多爱我 +你知道的 +- 我是梅里克,国王的大法师 +- 我听说过你 +孩子们关于魔法的故事 +你的国王需要你 +嗯,我的儿子也需要我 +但是我让他失望了 现在我的妻子需要我,如果她还活着 +你有没有想过,法莫 +在国家处于非常时期的时候... +我们个人的爱和得失难道更重要吗? +不,但是和我无关 +好好活着吧,法莫 +你的国王需要你 +远远超过他目前的所知道的 +你怎么知道这座桥的? +小时候我在这些地方玩耍 +这就是我怎么浪费我的时间 +- 如果我们绕过这个峡谷,我们就浪费了一天 +- 你觉得呢? +我们能过 +让我们先把马上的装备拿下来 +你什么意思? +我们就这么放了它们? +你担心我们会伤了它们感情? +回去吧! +走! +来吧 +- 好,我要去了 +- 你是个勇敢的老头 +我只是不想你在我之前先 弄坏了绳子 +- 快点 +- 好,走吧,快! +你更关心你的马 +我喜欢我的马 但是我不确定我喜欢不喜欢你 +嗯,等你了解我再说 +这的确节省了我们不少时间 +噢! +- 陛下 +- 站起来,士兵 +多少人在守卫着? +我在守卫着,陛下 +嗯,你在守卫着? +法罗公爵,你非常,非常坏 +你让我胸痒痒的 +我要告诉你妈妈 +你们在干什么 +我的侄子在王座上玩耍 +你觉得配吗? +你在国王和他的军队 +出去进行招兵活动的时候玩耍... +而你唯一的工作 +就是保证城堡的安全 +而守卫城堡的人... +等于零! +陛下... +去调查偏僻地区的事务 +你给我消失 +快,别让我推你 +拿开你的手 你都不配去吻我的袍子 +你不配弄脏你叔叔的王冠 +除非国王特别下令... +你不能碰我 +皇家法律 +是个我最喜欢的 +玩具 +- 一切都在按计划进行 +- 我等不了了 +我受不了那个老山羊的控制 +实施那个 +你想快速解决? +好! +我们就来快速的 +好 +盖伦 +你一定要突然悄无声息的出现吗? +我没有 +我是突然从某个地方出现的 +你不受邀请就进来我的房间 这样有些过了 +你以前的热情好客我现在都得不到了吗? +你不能想来就来,想走就走 +然后突然消失 +我不是你的妓女 +你为什么这么想? +你很清楚什么我必须这么安静地出现 +我不能在我爱人的门上重叩,对不对? +你怎么能想来就来... +你又被我父亲认为是国王的敌人? +我有我的朋友,我有我的关系 +为什么我父亲这么恨你 +他是一个很谨慎的人 +问题! +我不是来被责问的 +你父亲恨我是因为我不会 +对伟大的国王和大法师鞠躬作揖 +因为我可以从他那里得到我想要的 +甚至是他女儿的纯洁 +你离开我的房间 +离开我的生活 +你也在驱逐我吗? +在我们完成了那么多事情之后? +我没帮助你发现你的力量,你的预感吗? +- 你只是教会了我小把戏和恶梦 +- 收声! +帮帮我! +陛下 +再次请求你接受我最深的歉意 +我错误理解了你的命令 +错误? +- 那个是错误? +- 对 +我可以坐吗,陛下? +仆人! +我知道,退下 +我知道我在几个场合都辜负了你的信任 +而且我可能让你和整个王国很失望 +但是我会改变 +我会在这个战争年代摆脱 年轻的愚蠢 +我会证明自己是个合格的王储 +吃吧 +我的侄子,你对适时的外交 +有独特的理解 +那就是点优点 +我能敬你吗? +可以吧 +在早上喝酒并不是表达改正决心的 +最好方式 +没错 +对,没错 +国王万岁 +是 +克鲁格人攻击了南部的石桥镇 +对,然后这片山 +会迫使他们北上,绕过沼泽 +然后我们进攻 +那是基于如果克鲁格人按他们应该的习惯 而行动的话 +我不喜欢这里,法莫 +没人去塞奇威克森林 +森林在山脉之间 +我们会在板岩道和克鲁格人会面 +塞奇威克森林里不止有灌木和树 +你不能想穿就穿啊 +你不想在这里过夜的 +- 我们点火炬 +- 火炬会吸引东西的 +- 让他们来吧 +- 法莫! +你知道人们怎么说的。 +塞奇威克森林里有东西 +人们说神保佑无辜者 +人们说很多事现在都对我们没用,诺瑞科 +快,我们还有很多路要走 +我看不到路 +- 本来就没路 +- 那我们怎么知道怎么走呢? +等等 +-=THE LAST FANTASY= +- 荣誉出品 本字幕仅供学习交流,严禁用于商业途径 +-=TLF字幕组= +- 翻译: +mortia xaon 校对: +haha168 +片名: +末日危城 +我就知道你会来 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I knew you'd come. +我早告诉你了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I told you I would. +l +- I felt it. +你来之前我能感觉到 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I felt it before you came. +Muriella. +我们在一起的时间终于开始有用了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Our time together is paying off. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Wind Whistling] +等等 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Stop. +你必须走了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You have to leave. +你希望如此吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Is that your wish? +I feel- +无力。 +觉得被吸干了一样 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Weak. +I feel drained. +可能爱情就会让女人这样吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Whispering] Perhaps that is what love does to a woman. +你知道什么是爱? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What do you know of love? +我知道诗人们都愿以一死来交换 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I know that poets claim they would die for it. +- 你会以死交换吗? +- 可能吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Would you die for it? +- Perhaps. +在诗里 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- In a poem. +- [Laughs] +我父亲会怎么说? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Chuckles] +- What would my father say? +世上的事情你父亲不知道的很多 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}There are many things in this world your father doesn't know. +让这个也变成其中之一吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Let this be one of them. +Gallian. +You go too far. +Screaming] +神救救我们吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Man] May the gods save us. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Indistinct Voices] +Zeph. +用腿的力气 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Use your legs. +它不想出来 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Zeph] It doesn't want to come out. +最大的都是最顽固的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Grunts] +- It's those big ones that are always the toughest. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Grunts] +- [Chuckles] +看吧,有价值的东西都不会轻易到手 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}See? +Things worthwhile don't come easy. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Cawing] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Squawking] +你没打中 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You missed. +我不想杀了他们 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I don't want to kill them- +只要它们不吃庄稼 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}As long as they don't eat the crops. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Pig Squealing] +猪来了,还是老价钱吧? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Brought the hog. +Same deal as always? +冬天的玉米换这猪? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Winter's corn for the pig? +老价钱,不变 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Same deal. +Deal never changes. +hasn't it? +- 更旱的我也见过 +- 国王在招兵 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- I've seen rougher. +- King's recruiting. +兵的待遇都很好 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Soldiers get taken care of really well. +我有这块地,还不够吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I have this land. +Isn't that enough? 你不想挑战一下你的勇气吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Wouldn't you like to test your courage? +where's the courage in just surviving? +would it kill you to just talk for a little while? +we're not animals. +People actually do converse with one another. +I would. +this ground turns to clay. +那时候你都不能把它们说出来了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Not even you could talk 'em out of the ground then. +Zeph. +他总是知道怎么来扫兴 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He always knows how to set a mood. +- 带诺瑞科去我们放玉米的地方 +- 好 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Show Norick where we stack his corn. +- Okay. +Zeph. +Have a pig. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Laughing] +- [Squealing] +你留下来吃晚饭吧? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Farmer] Guess you'll be staying for supper. +since you asked. +it is so good to see you. +You should come by more often. +I figure Farmer saw enough of me when he was growing up. +maybe he needs a little bit of a break. +诺瑞科觉得父亲应该不种田,而去参军 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Norick thinks Father should quit farming and join the king's army. +等等,我没这么说啊 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Gasps] +- Now hold on a second. +I didn't say that exactly. +他说国王的战士都拿很多钱 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He says the king's soldiers make a lot of money. +are you? +你们是我的家人。 +我哪儿也不去 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You're my family. +I'm not going anywhere. +Norick? +- I was just talking. +everyone's got a talent. +Woman Laugh] +出卖朋友看来是你的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Just ratting on his friends seems to be yours. +please? +- Don't give it to him. +har. +- [Zeph Laughs] +说点好听的给我听 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Tell me something nice. +告诉我你多爱我 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Tell me how you love me. +你知道的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You know. +Sighs] +我只知道你告诉我的... +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I only know what you tell me... +你却什么都没告诉我 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}and you tell me nothing. +看看这双手,为养活我们而开裂 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Look at these hands +- Broken to feed us. +这双手比话语更说明问题 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}These hands speak louder than words. +告诉我有什么损失吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What is the cost of telling me? +你还想要什么呢? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What more could you want? +每个女人都想要的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What every woman wants- +一点点激情 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}A little passion. +- 一点点激情? +- 嗯哼 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- A little passion? +- Mm +-hmm. +let me see what I can do. +- 该走了 +- 你为什么不跟我们一起去? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Woman] It's time to go. +- [Zeph] Why can't you come with us? +我还有很多地要清理 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Farmer] I have all those fields to clear. +记住,当人从辛勤劳动中创造生活时 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Remember +-When men build lives from honest toil- +勇气永不灭 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Courage never fails. +- [Laughs] +对了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}That's right. +我讨厌睡觉时没有你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I hate sleeping without you. +小心点 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Be safe. +石桥镇而已,我们当然会很安全的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}It's Stonebridge. +Of course we'll be safe. +为什么别人都叫父亲法莫? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Zeph] Why do people call Father Farmer? +他没名字吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Doesn't he have a name? +你父亲相信人跟他所做的事情密切相联系 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Your father believes that people become what they do. +他很小的时候,诺瑞科把他带到石桥镇 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Norick brought him to Stonebridge when he was just little. +那诺瑞科是他的父亲? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}So Norick is his father? +整个镇子收养了他 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}The whole town adopted him. +不同的时候有不同的家庭收养他 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Different families took him at different times. +但是诺瑞科总是关注着他 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}But Norick +- He always kept a special eye out. +他现在有个家了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I'm glad he has a family now. +我真高兴是我们和他一起组成的这个家 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I'm glad it's us. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Mmm! +嗯,我也这么觉得 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Mmm. +So am I. +将军 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}General. +报告给你的国王 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Report to your king. +Krug- +野蛮的军队,克鲁格人... +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Savage army. +The Krug- +它们用剑打仗 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}They +-They fight with swords. +这太可笑了,就好像你在说持武器的狗一样 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}This is ridiculous. +It's as if you were talking about armed dogs. +它们像人一样打仗 它们把整个侦察队都杀了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}They fight like men. +They killed off our entire scouting party. +I should be dead as well. +这是某种魔法 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}This is some sort of sorcery. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Chattering] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[No Audible Dialogue] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Low Rumble] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Rumbling Continues] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Rustling] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Rumbling] +外婆! +外婆! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Zeph] Grandma! +Grandma! +is that you? +抓住你了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Laughs] I've got you. +终于! +放你进烤箱 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Finally! +Into the oven with you. +我不喜欢烤箱 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Laughs] +- I hate the oven. +it's warm. +do you? +你为什么要吃了我? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Why do you have to eat me? +I promised your grandfather... +要做他最喜欢的菜 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}we're going to eat a dish he really loves. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Rumbling Continues] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Muttering] +how were sales at the market? +- It was good. +the men tried to take advantage of me because I'm a woman... +我就让他们多付钱 因为我是女人 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}so I make them pay more +- because I'm a woman. +我们还小的时候你总是当头 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Laughing] +- When we were kids you were always in charge. +that's all. +直到她遇到你父亲 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Until she met your father. +你父亲放荡不羁 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Your father does not take orders very well from anybody. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +- 外公呢? +- 在钟塔 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Where's Grandfather? +- The bell tower. +- 我们去看看? +- 我们得小心点 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Shall we go? +- We have to be careful. +钟塔是为战时而建的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}The bell tower was made for times of war. +do you? +Snarling] +Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Norick] Hah! +什么耽搁了你这么久? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What took you so long? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +哈! +他们没那么容易被吓跑的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Hah! +They don't scare easy. +Groaning] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Aaah! +- Aaah! +这真是疯了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Norick] This is crazy. +克鲁格人是野兽 他们没有盔甲和武器的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Krug are beasts. +They don't have armor and weapons. +Norick. +- 你去哪儿? +- 石桥镇 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Where are you going? +- Stonebridge. +- 索拉娜和扎夫在那儿 +- 我跟你一起 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Solana and Zeph are there. +- I'm coming with you. +法莫没来? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Farmer didn't come? +没,我丈夫喜欢让我来做买卖 他好种地 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}No. +My husband likes to leave the trade to me so that he can farm. +你为你丈夫做得很好 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You did well for a husband. +他很爱你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He loves you very much. +对,我相信他是很爱我的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Yes. +Yes. +I believe he does. +ring the bell five times... +给整个镇子他们结婚的消息 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}signaling their marriage for the village to hear. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +走,现在就走,带扎夫回家 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Go. +Go now. +Take Zeph home now. +Father. +Protect him. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Bell Clanging] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Laughs] +my lady? +- Always ready. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +等等 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Hold. +这么快就认输了? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Giving up so soon? +你进步神速啊,令人印象深刻 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Your progress is truly remarkable. +如果艾柏能有更多像你这样的剑士 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}If only Ehb had more soldiers of your caliber. +让我加入你的军队,你就有了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Let mejoin your army and you shall. +- [Grunts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Both Laughing] +我不确定艾柏的军队是否准备接受女兵了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I am not quite sure that the armies of Ehb are ready for women warriors. +what would your father say? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +我父亲从不让我做我想做的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}My father never lets me do anything I want. +泰利斯! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Man] Tarish! +准备好你的军队,准备出发 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Prepare your troops to ride. +克鲁格的散兵在抢掠我们的土地 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Hordes of Krug are ransacking the land. +the sun is blistering my skin. +你在胡说什么? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What is this nonsense you speak? +你服从命令就行了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Just do as you're commanded. +我只听从国王的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I listen only to the king. +你应该... +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}It might behoove you... +学习怎么尊敬别人 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}to learn a little respect. +敬意是赢得的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Respect is earned. +错了,敬意是我天生的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You are mistaken. +Respect is my birthright! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Clamoring] +Screaming] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Screams] +- [Snarls] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Clanging Continues] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Snarling] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Gasps] +- [Snarls] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +everyone! +- 索拉娜在哪? +- 她在敲钟 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Where's Solana? +- She's +-She's sounding the bell. +Zeph. +I'll find her. +- 父亲! +- 巴斯蒂安! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Father! +- Bastian! +拿着我的剑 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Take my sword. +- 进去,堵住门 +- 快点 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Norick] Get inside. +And bolt the door. +- [Mother] Come quickly. +Father. +- Go. +Screaming Continue] +Snarling] +我们在镇子里找 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Norick] We'll look for her in the village. +men! +Come on. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Hissing] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Scream Echoing] +干得好 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Laughing] Well done. +huh? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Screams] +- [Krugs Snarling] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Woman Screams] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Horse Snorting] +放开他们 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Snarling] +- Let 'em go. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Echoing Laughter] +here we are again. +爸爸! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Father! +- [Groans] +Son! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Screaming] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Horse Whinnies] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Panting] +看! +它们撤了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Look! +They're retreating. +扎夫! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Zeph! +- 它们撤到高地上去了! +- 扎夫! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Man] They're going to higher ground! +- Zeph! +别让它们跑了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Man #2] Don't let 'em get away! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Gulls Crying] +我还要给索拉娜做个标记 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I need a fourth marker for Solana. +没人看到她,没人知道 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Nobody saw Solana. +Nobody knows. +我们没找到她,她可能跑了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We didn't find her body. +She could have escaped. +Farmer. +盖伦! +你去哪儿了? +我一直在找你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Gallian! +Where have you been? +I've been looking for you. +我很忙 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I've been busy. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Door Closes] +- 很忙 +- 我们达成了协议的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Very busy. +- We had an agreement. +我让你进出我的城堡 我们就能合作 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I gave you access to my castle so that we might work together. +我守着承诺 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}And I'm keeping my end. +我肯定最近这些消息都能表明 我有多么的忙 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I'm sure recent events demonstrate how very busy I've been. +indeed. +You have managed to stir things up a bit. +搅和? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Stir things up? +Duke. +你对一个叫法莫的人了解多少? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What do you know of a man they call Farmer? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Chattering] +石桥镇的镇民们 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[King] People of Stonebridge. +艾柏的军队同情你们 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}The armies of Ehb sympathize with you. +这样的惨剧会被复仇的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}This great tragedy will be avenged. +克鲁格人来的时候,国王的军队呢? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Where were the king's army when the Krug came killing? +do not forget to whom you speak. +don't you bow before your king? +the king's army's expected to protect the kingdom. +不是只是城堡 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Not just the castle. +- [Woman Weeping] +被克鲁格带走的人怎么办? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What of those taken by the Krug? +- 克鲁格抓了人质? +- 安静! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Krug taking prisoners? +- Silence! +如果克鲁格人带走了人质... +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}If these Krug have taken prisoners... +它们的目的就很不明确 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}it is not yet clear what their purpose might be. +国王的军队召集任何一个 能打仗的人 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Man] The king's army will require every man capable of combat. +- 谁来? +- 然后怎么样? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Tarish] Who is with us? +- [Woman] What will happen? +国王有军队和城墙 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}The king has his armies and his walls. +被克鲁格抓走的人就只有我们 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Those taken by the Krug only have us. +Farmer. +- 卫兵! +- 让他们走 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Guards! +- [King] Let them go. +这不是艾柏之道 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}That is not the way of Ehb. +- 你违抗国王,冒很大的风险 +- 不比你冒的大 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Farmer] You took a risk turning your back on the king. +- No more risk than you. +- 我没有选择,她是我的妻子 +- 她是我的姐姐 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- I have no choice. +She's my wife. +- She's my sister. +let's get to it. +留下来,跟着艾柏的军队走吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Stay here. +Go with the armies to Ehb. +didn't you? +不。 +我不喜欢制服 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Nah. +I didn't like the uniforms. +- 你有马吗? +- 有匹母马 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Do you have a horse? +- A mare. +but still strong. +老... +但是仍然很强壮 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Old... +but still strong. +你挡我路了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You're in my way. +have we not? +说些好听的给我听 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Solana's Voice] Tell me something nice. +告诉我你有多爱我 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Tell me how you love me. +你知道的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Farmer's Voice] You know. +the king's magus. +- I've heard of you. +孩子们关于魔法的故事 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Children's stories about magic. +你的国王需要你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Your king needs you. +my son needed me. +if she lives. +Farmer... +在国家处于非常时期的时候... +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}that there may be events of greater importance... +我们个人的爱和得失难道更重要吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}than the loves and losses of our particular lives? +不,但是和我无关 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}No. +Doesn't occur to me. +Farmer. +你的国王需要你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Your king needs you. +远远超过他目前的所知道的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Far more than he understands. +你怎么知道这座桥的? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Norick] How did you know about this bridge? +小时候我在这些地方玩耍 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Farmer] As a child I roamed around these parts. +这就是我怎么浪费我的时间 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}It's how I spent my days. +- 如果我们绕过这个峡谷,我们就浪费了一天 +- 你觉得呢? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- If we wind through the gorge we'll lose a day. +- What are you thinking? +我们能过 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We can cross it. +让我们先把马上的装备拿下来 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Let's take the gear off the horses. +just like that? +你担心我们会伤了它们感情? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Are you afraid we're gonna hurt their feelings? +回去吧! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Go home! +Hah! +- Hah! +走! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Hah! +- Get out of here. +来吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Let's do it. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +I'll go. +- You're a brave old guy. +我只是不想你在我之前先 弄坏了绳子 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I just don't want you weakening the rope before I've had my turn. +let's go. +Come on. +你更关心你的马 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You were more concerned about your horse. +我喜欢我的马 但是我不确定我喜欢不喜欢你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}My horse I like. +It's you I'm not so sure about. +wait till you get to know me better. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Yells] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Both Yelling] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Stops Yelling] +Yelling] +这的确节省了我们不少时间 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}That saved us a lot of time. +噢! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Oh! +soldier. +多少人在守卫着? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[King] How many men on guard here? +my king. +嗯,你在守卫着? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Hmm. +You are on guard? +very naughty. +- [Giggling] +你让我胸痒痒的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You make my bosoms tickle. +我要告诉你妈妈 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I'm gonna tell your mommy. +你们在干什么 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Where are you going? +我的侄子在王座上玩耍 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[King] My nephew amuses himself on the king's throne. +你觉得配吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Do you feel it suits you? +你在国王和他的军队 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You play while your king and his legions... +出去进行招兵活动的时候玩耍... +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}are off on a military campaign... +而你唯一的工作 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}and your only job... +就是保证城堡的安全 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}is the safety of this castle- +而守卫城堡的人... +等于零! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}which is guarded by... +no one! +陛下... +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Your Majesty... +去调查偏僻地区的事务 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}was off investigating outlandish claims. +Aah! +你给我消失 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Get him out of my sight. +- No! +before I make you. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Door Slams] +拿开你的手 你都不配去吻我的袍子 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Unhand me. +You are not fit to kiss my gown. +你不配弄脏你叔叔的王冠 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}And you +-You are not fit to tarnish your uncle's crown. +ah. +除非国王特别下令... +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Unless the king specifically orders it... +你不能碰我 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}you cannot touch me. +皇家法律 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Imperial law... +是个我最喜欢的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}is a toy... +玩具 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I shall never tire of. +- 一切都在按计划进行 +- 我等不了了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Things are progressing according to plan. +- I cannot wait any longer! +我受不了那个老山羊的控制 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I cannot stand the suffering rule of that senile goat. +实施那个 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Make it happen. +你想快速解决? +好! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You wish to accelerate things? +Fine! +我们就来快速的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We shall accelerate. +好 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Good. +盖伦 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Gallian. +你一定要突然悄无声息的出现吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Must you always appear suddenly from nowhere? +我没有 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I don't. +我是突然从某个地方出现的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I appear so suddenly from somewhere. +你不受邀请就进来我的房间 这样有些过了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You assume too much entering my chambers unbidden. +你以前的热情好客我现在都得不到了吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I'm not welcome to the hospitality you've offered in the past? +你不能想来就来,想走就走 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You're not welcome to come and go as you please... +然后突然消失 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}and then vanish without a word. +我不是你的妓女 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I'm not your harlot. +你为什么这么想? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}How could you think such a thing? +你很清楚什么我必须这么安静地出现 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You know very well why I must appear so quietly. +can I? +你怎么能想来就来... +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}How do you come and go as you please... +你又被我父亲认为是国王的敌人? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}when you're considered by my father to be an enemy of the king? +我有我的朋友,我有我的关系 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I have friends. +I wield influence. +为什么我父亲这么恨你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Why does my father despise you so? +他是一个很谨慎的人 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He's not known for his hasty opinions. +问题! +我不是来被责问的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Questions! +I did not come here to be interrogated. +你父亲恨我是因为我不会 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Your father hates me because I will not bow and scrape... +对伟大的国王和大法师鞠躬作揖 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}before the almighty king and his magus. +因为我可以从他那里得到我想要的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Because I will take from him what I please- +甚至是他女儿的纯洁 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Even his daughter's virtue. +你离开我的房间 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Whispering] Begone from my chambers. +离开我的生活 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Begone from my life. +- [Chuckles] +你也在驱逐我吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Are you banishing me as well? +在我们完成了那么多事情之后? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}And after all the work we've done. +your vision? +- 你只是教会了我小把戏和恶梦 +- 收声! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- You've introduced me to parlor tricks and nightmares. +- Be still. +Grunting] +帮帮我! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Woman] Help! +Please. +Please. +陛下 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}My liege. +再次请求你接受我最深的歉意 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Again allow me to offer my deepest apologies... +我错误理解了你的命令 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}for mistaking your orders. +错误? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}A mistake? +- 那个是错误? +- 对 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Is that what it was? +- Yes. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Hmm. +Your Majesty? +仆人! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Boy! +我知道,退下 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I know +- Go. +我知道我在几个场合都辜负了你的信任 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I know I have failed your trust on several occasions... +而且我可能让你和整个王国很失望 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}and perhaps I may be a disappointment to you... +but I will change. +我会在这个战争年代摆脱 年轻的愚蠢 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I will shed this youthful folly in this time of great battle... +我会证明自己是个合格的王储 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}and I will prove myself a worthy heir. +吃吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Eat. +my nephew... +有独特的理解 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}for well +-timed diplomacy. +那就是点优点 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I guess that's something. +我能敬你吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}May I offer a toast? +可以吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Possibly. +在早上喝酒并不是表达改正决心的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Drinking wine in the morning is not a good way... +最好方式 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}to show... +reform. +没错 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Indeed. +indeed. +国王万岁 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Long live the king. +是 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Chuckles] Yes. +in the south. +and this harsh terrain... +around the marsh. +然后我们进攻 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Then we should attack. +if the Krug behave the way they're supposed to behave. +Farmer. +没人去塞奇威克森林 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Nobody goes into Sedgwick Forest. +森林在山脉之间 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Farmer] The forest passes between the mountains. +我们会在板岩道和克鲁格人会面 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We'll come out at Slate Pass as the Krugs arrive. +塞奇威克森林里不止有灌木和树 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}There's more than brush and trees in Sedgwick Forest. +你不能想穿就穿啊 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You don't just cut through it when you please. +你不想在这里过夜的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You don't wanna be stuck here at night. +- 我们点火炬 +- 火炬会吸引东西的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- We'll light torches. +- Torches attract eyes. +- 让他们来吧 +- 法莫! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Let 'em look. +- Farmer! +你知道人们怎么说的。 +塞奇威克森林里有东西 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You know what people say. +There are... +things in Sedgwick Forest. +人们说神保佑无辜者 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}People say God watches over the innocent. +Norick. +快,我们还有很多路要走 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Come on. +We've got a lot of ground to cover. +我看不到路 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Norick] I don't see any path. +- 本来就没路 +- 那我们怎么知道怎么走呢? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- There is no path. +- So how do we know where we're going? +等等 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Whispering] Wait. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Whoa! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Oh! +Norick. +Farmer? +- 放我们下去 +- 我想放就放 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Let us down. +- When I'm ready. +滚出我们的森林,你们与这里无关 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Get out of our forest. +You have no business here. +我们恨你们的武器和你们的杀戮 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We hate your weapons and your killing. +that's all. +- Then pass through... +别再回来 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}and never come back. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Both Yelling] +uh +-We're lost. +but helpless as well. +陛下 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Your Majesty. +我想要知道我父亲的消息 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I beg of you news of my father. +- 你父亲为他的王去办件小事去了 +- 求你了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Your father has gone on an errand for his king. +- Please- +发生什么了? +我担心他有极大的危险 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What's happening? +I worry that he's in grave danger. +国王的大法师有很多的责任 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}The king's magus has many responsibilities. +他并不需要一个总是用绯闻 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What he does not need is a daughter... +来惹麻烦的女儿 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}who's troubling herself with the affairs of men. +我父亲觉得把我锁在城堡里 能减轻我的担忧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}My father thinks that keeping me locked in this castle will ease my mind. +他错了,我感受到宫廷里的气氛 从来都没有这么困扰过 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He's wrong. +I know the mood of this court. +It's never been more troubled. +黑暗威胁着 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Darkness threatens... +我们的国家 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}our empire. +从魔法中生出的黑暗 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Darkness that's spawned by magic. +走! +快 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Come on! +Hey. +你父亲在寻求原因... +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Your father seeks reason... +- 和解决方法 +- 陛下? +陛下? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- and remedy. +- Your Majesty? +Your Majesty? +- 你的父亲... +- 陛下! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Your father +- +- Your Majesty! +盖伦! +我觉得我要死了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Gallian! +I feel like I'm dying. +你跟国王吃得好吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Did you dine well with the king? +你干了什么? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- What have you done? +- [Chuckling] +我以为你想要加速呢 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I thought you were in a hurry to accelerate things. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +我想我可能对国王的吃的做了手脚 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I suppose I may have tampered with the king's food. +你给我下毒了,你杀了我了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You've poisoned me. +You've killed me. +别这么戏剧化 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Don't be so melodramatic. +- [Groans] +没什么不能弥补的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}It's nothing that can't be fixed. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groaning] +求你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Please. +求你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Please! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Chuckles] +希望我们都记得谁在这里有着最大的权力 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Let us hope you remember who has the real power here. +好 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Yes. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Panting] +我觉得我救了你一命 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I'd say I've saved your life. +你应该为我做点什么呢? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Now what shall you do for me? +国王被下毒了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}The king has been poisoned. +能救吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Can he be saved? +if it's not too late. +性命保证 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}On my soul. +私下谈一下 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}A word in private. +法罗逃出了城堡 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Fallow has fled the castle... +还带走了两个军团 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}and he's taken two full legions with him. +that tells us who poisoned the king. +where we shall meet our new allies. +我们联合的力量... +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}The strength of our combined armies... +将使我们享有世代的和平和安宁 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}shall allow for generations of peace and tranquillity. +我能感到盖伦跟这个有关 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I detect the hand of Gallian in this. +为什么泰利斯长官没有跟我们提到过这次行动? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Why has Commander Tarish not briefed us for this mission? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +还有想要犯叛国罪的人吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Anyone else care to commit treason? +- 还剩下多少军队? +- 三分之一 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- How much of the army remains? +- A third. +嗯 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Hmm. +I have seen the Krug massing. +盖伦在召集军队 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Gallian is raising armies- +- 大量的军队 +- 怎么会? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- vast armies. +- How? +一个人怎么可能会造成如此大的破坏呢? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}How is that possible +-That a single man can cause so much devastation? +我亲生女儿背叛我,投进死敌的怀抱 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}My own daughter betraying me to my sworn enemy. +你这么恨我吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Do you hate me that much? +- [Moans] +我以为我爱他 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I thought that I loved him. +他混入了我们的血缘 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He has tapped into our bloodline. +你把魔法的平衡偏向了他的一方 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You have tilted the balance of magic in his favor. +the kingdom may be lost. +对不起,对不起 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I'm sorry. +I'm sorry. +对不起,对不起 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Weeping] I'm sorry. +I'm so sorry. +你们为什么这么恨外来人? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Norick] Why do you hate outsiders? +你们互相敌视,我们为什么不能敌视你们呢? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You hate each other. +Why shouldn't we hate you too? +我们躲藏在森林里,避开你们的战争和争端 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We stay in the forest to avoid your wars and your contests... +和你们愚蠢的劳动 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}and your mindless enterprise. +shooting your arrows into our trees. +伤害就是你们生活的一部分 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Harm is but a way oflife for your people. +你们最危险的地方就是你们自己 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}The fact that you don't realize it is what makes you so dangerous. +我最远只能送到这里 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Woman] This is as far as I will take you. +好运 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Good luck. +Grunting] +我们有计划吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Norick] Do we have a plan? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Bastian Groans] +Groaning] +你醒了吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Are you awake? +I'm awake. +你会发现杀死一个国王没那么容易 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You'll find it's not so easy to kill a king. +我们要进攻 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We will attack. +you have been poisoned. +Commander. +我也有我的头脑 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}And I have my wits. +so that's exactly what we will do. +谁给我下的毒? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Who poisoned me? +Duke Fallow. +噢 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Oh. +更坏的是 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Sighs] +- And there's worse. +他逃离了城堡 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He has abandoned the castle... +带走了第11和第12军团 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}taken the guard and the 11 th and 12th legions. +我们要进攻 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We will attack. +拂晓,集结你的军队 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}First light. +Summon your troops. +我还能活多久? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}How much time do I have? +你的生命即将结束 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Your life is coming to a close... +但是剩下的时间足够了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}but there is time enough. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Thunder Rumbling] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Thunderclap] +Norick? +一点也不 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Not at all. +Indistinct] +- Shh! +Norick. +- 我感觉得到 +- 我觉得你是对的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- I can feel it. +- I think you're right. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +hey! +Easy. +索拉娜? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Solana? +索拉娜! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Solana! +[Grunts] +今天... +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Today... +我们为国王而战 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}we ride for our king. +我们的国王骄傲地 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}And our king proudly fights... +为艾柏而战 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- in the name of Ehb! +- [Cheering] +陛下 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Your Majesty. +起立! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Ride! +神佑为荣耀和真理献身的人! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}God blesses those who die for honor and truth! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Cheering] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +Farmer. +我能感觉到你很危险 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I sense danger in you. +我看不透你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I can't read you. +like reading scrolls of flesh. +I can't see past your scowl. +为什么? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Why is that? +你是谁? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Echoing] Who are you? +有些谜不值得去解开 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Some riddles aren't worth solving. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Panting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Moans] +你在这里 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You are here. +我以为是个噩梦 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I thought it a nightmare. +法莫呢? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Where is Farmer? +扎夫呢? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Where is Zeph? +where is Zeph? +Is he with our parents? +对 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Yes. +but... +他没逃出来 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}he didn't make it. +你被带走的那天,他就被杀了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He... +was killed with them the day you were taken. +对不起 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I'm sorry. +我的宝贝 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Sobbing] My baby. +他死得安逸吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Did he die quickly? +告诉我 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Tell me. +对 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Yes. +他死得安逸 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He died quickly. +法莫会来的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Farmer will come. +他会找到你的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He'll find you. +你怎么知道? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Solana] How do you know? +因为他必须这样 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Norick] Because he must. +因为他需要你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Because he needs you. +you're all he really needs. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groaning] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Hoofbeats] +Farmer. +你要做的事情还有很多 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Much for you to do. +are you? +啊,这个 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] Ah. +There. +来试试 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Try a bit of this. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Gagging] +- 味道怎么样? +- 这是什么? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- What's it like? +- What is it? +药。 +快起来 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Laughing] That's medicine. +Come on. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Woman Moans] +Indistinct] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Woman] No! +- [Man Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Gallian Chuckling] +回家真好 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}It's good to be home. +我不是你的妓女 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Muriella's Voice] I am not your harlot. +他用你来毁灭... +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Merick's Voice] He has used you to destroy- +我知道诗人们说... +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Gallian's Voice] I know that poets claim- +他以玩弄感情为乐,你还不吸取教训? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Merick] He bends emotion for sport. +Have you learned nothing? +your vision? +小姐? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}My lady? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Weeping] +我是我父亲的累赘 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I am my father's undoing. +我阻碍了一切 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I've jeopardized everything. +但是你父亲很爱你啊 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}But your father has nothing but love for you. +我小女孩般的愚蠢伤害了他 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}My girlish stupidity has damaged him. +自杀会伤他更重的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Taking your life would damage him further. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Exhales] +可能你是对的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Perhaps you're right. +我想要我的父亲以我为荣 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I would like my father to be proud of me. +他已经是这样了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He already is. +他只是以这个想法为荣而已 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He's proud of an idea of me. +准备迎接你们的新盟军吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Fallow] Prepare to meet your new allies. +这是克鲁格人 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}These are Krug. +relentless and unquestioning. +你看到的是一个强大的军队 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What you see before you is a powerful army. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Horse Whinnies] +带走这个人 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Merick] Take this man. +把他放在王国的营帐里 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Put him in the king's tent. +保证喂饱我的马 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}See that my horse is well fed. +等等 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Hold. +这是你的紧急事务? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}So was this your urgent errand? +这是法莫,石桥镇的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}This is the farmer... +from Stonebridge. +对 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- It is. +- [Exhales] +为什么一身泥土味的不尽忠的 石桥镇农民 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Now why does a disloyal dirt +-lover from Stonebridge... +会让国王的大法师怎么挂念? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}command such careful attention from the king's magus? +因为国王对这个农民有特殊挂念 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Because the king has a special interest in this... +dirt +-lover. +我怎么不知道 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I know nothing of this interest. +国王也不知道 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Neither does the king. +我觉得现在你们应该好好认识一下 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I thought it was about time that you two were properly introduced. +我们见过了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We've met. +he turned his back on me. +去做他需要做的事情 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Turned to what needed doing. +我以为陛下会对这个农民感兴趣 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I thought Your Majesty would be interested in this farmer. +从我们见过以后,他经历了许多事情 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He's been through a great deal since we met him in Stonebridge. +大家都一样 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}So has everyone else. +什么让他这么特殊? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What makes him so special? +Your Majesty... +他是你儿子 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}he is your son. +法莫的朋友诺瑞科 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Merick] Farmer has a friend +- Norick. +是管理王后马匹的人 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Norick tended the queen's horses. +上次在石桥我认出他来了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I recognized him when we were in Stonebridge. +this Norick... +在战场上找到一个3岁大的小孩 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}found a boy about three years of age wandering in the battlefield. +牛草地小道只有一个小孩 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}There was only one boy at Oxley Pass. +Farmer? +一个老人以为他认出了一个30年没见的人 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}One old man thinks he recognizes another from 30 years ago. +这就是你们选国王的方式? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}That's how you determine who's king? +and heir to the throne. +我没父亲 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I have no father- +没父母 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}No parents. +我与这里无关 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I have no business here. +你的意思是那个傲慢的混蛋是我的儿子? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Are you telling me that that arrogant bastard is my son? +他30年来 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He spent the last 30 years... +住在石桥的农场里? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}living over a Stonebridge farm? +就是这样 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}It would appear so. +就是这样,你告诉我他已经死了! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}It would appear so. +You told me he was dead! +你说他们全死了! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You said they were all dead! +神对我开了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What kind of joke... +什么样的玩笑啊 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}do the gods play on me? +有时候神知道什么对我们最好 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Sometimes the gods know what is best for us. +那是什么意思? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What the hell does that mean? +你记得我们那个时候混乱的状况吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You remember the chaos we were in? +Hmm? +到处是战争,到处是敌人 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}War everywhere. +Surrounded by enemies. +如果这个孩子带回了艾柏城堡 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}If that child had been taken back to Castle Ehb... +他能活多久? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}how long would he have survived? +在石桥长大 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Growing up in Stonebridge... +他很健壮 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}he grew up strong... +离敌人很远 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}and far away from the enemies... +敌人随时都可能 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}who would have jumped at any opportunity... +除掉你的儿子和王储 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}to rid you of your son and heir. +亲爱的朋友 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Dear friend... +你最好是对的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}you better be right about him. +你最好心里有数 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You better be sure. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Chattering] +国王需要所有有能力的士兵 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}The king needs every able man he can get for this battle. +- 这不是我的问题 +- 他的王国被侵略了。 +你的王国被侵略了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- That's not my problem. +- His kingdom is threatened. +Your kingdom is threatened. +我不认识这个国王 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I don't know this king. +索拉娜是我的亲人 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Solana's my family. +诺瑞科和巴斯蒂安,他们是我的亲人 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Norick and Bastian. +They are my family. +你住在哪儿呢? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}And where will you live? +嗯? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Hmm? +如果王国落入盖伦之手... +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}When the kingdom falls to Gallian... +你又能为你妻子提供什么样的未来? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}what future will you be able to offer your wife? +想想吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Think about it. +you have committed treason. +我们不讲条件 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We offer no quarter here. +任何听从你指挥的人 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}And anyone who follows under your command... +也将被视为叛国着 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}will likewise be considered as a defector. +我们不饶恕叛国者 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We will spare no traitor. +先生们 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Fallow] Gentlemen... +泰利斯将军毒害了国王 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Commander Tarish has poisoned the king... +还说我叛国 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}and accuses me of treason. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Hah! +Tarish. +艾柏之国现在由我统治 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}The Kingdom of Ehb is now subject to my rule. +offer no quarters. +my nephew... +因为你没胆量 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}because you have no valor- +not ever. +Your Majesty. +你们这些懦夫 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Fallow] You coward! +but they also have no fear. +but we are men... +我们忠于一个高贵的国家 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- and we serve a noble kingdom. +- [Troops Cheer] +with bloodlust. +Nothing more. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Cheering] +have you come to do your duty? +我决定了要一战 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I've decided to fight. +有你们在我身边一起我很骄傲, 我也会留意你的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I'll be proud to have you fight by my side so that I might keep an eye on you. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Clicks Tongue] +中尉 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Mid guard. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Horse Whinnies] +将军 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Jingles] +- Commander. +走吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Lead out. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Grunt] +弓箭手 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Archers. +放! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Fire! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Groaning] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Cheering] +放! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Fire! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Rumbling] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Shouts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Horse Whinnies] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +没事的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Horse Blusters] +- It's okay. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Horse Blusters] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Hoofbeats Approaching] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Hyah. +- [Whinnies] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Horse Whinnies] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Shouting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +take their flank. +move out. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Snarling] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Snarls] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +它们像疯狗一样打仗 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}They fight like dogs. +sire. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Shouting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Shouting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Growls] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Whoa! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Screaming] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Laughing] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Screaming] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Horse Whinnies] +- [Screaming] +我们走 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Let's go. +预备 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Ready. +放! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Fire! +放! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Fire! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Groaning] +这些克鲁格人人不用脑子打 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}These Krug fight mindlessly. +它们的脑子在这里 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Their minds belong to those. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Shouts] +it means nothing. +我们赢得一世! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We will win more than a day! +你杀了这些 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You have killed these. +我就招出更多的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I will simply beckon more. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +这是我们偿还罪孽的地方吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Christwind. +Is this where we pay for our sins? +Norick. +这是我们偿还美德的地方 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}This is where we pay for our virtues. +罪孽比美德在这里要吃香 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Sins are more than welcome here. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Shouting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Whoa. +国王 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}The king. +good uncle. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +放! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Man] Fire! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Shouting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Horse Whinnies] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Horse Whinnies] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +卫兵! +卫兵! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Grunts] +- Guards! +Guards! +快 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Quickly. +把国王抬离战场 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Get the king off the field. +快 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Man] Come on. +good uncle. +走 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Ride. +- [Grunts] +你只是争取到了点时间而已 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Chuckles] You have won nothing but time. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +我不会像他们那么活的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I won't live like them. +我们已经是他们了,我们是奴隶 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We're already like them. +We're slaves. +be still. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Exhales Deeply] +sire? +我们要从森林走近路去艾柏城堡 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We shall cut though the forest to Castle Ehb. +the castle is ours for the taking. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Whoa. +我们快离开吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Let's get out of this place. +ho. +看看,一个家里的朋友 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Lookee here. +A friend of the family. +我非常高兴 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}How delightful. +独自在这个森林里你不觉得容易受伤吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Alone in the forest does not make you feel vulnerable? +Muriella? +你的举止从来都没赢得过尊敬 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Your comportment has never earned trust. +举止? +礼貌? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Comportment? +Decorum? +这都是城堡的言谈 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Those are words for a castle. +我们不在城堡里 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We +-We are no longer in a castle. +这里也没有规矩 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- There are no rules here. +- [Horse Whinnies] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Groaning] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Gasps] No. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Both Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Hyah. +[Grunts] Hyah. +Hyah. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Whoa. +hyah! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Horse Whinnies] +- [Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +给你的特别礼物 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}A special gift for you. +谢谢 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Thank you. +- [Grunts] +my duke. +你喜欢打破规矩的这种天赋 最终还是没用啊 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Your talent for breaking them has failed you at last. +我带这个走 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- I'm taking this one with me. +- [Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +go. +Go! +我会找你的,走! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I'll find you! +Go! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Krugs Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Gasps] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +诺瑞科! +诺瑞科! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Norick! +Norick! +- [Sword Clangs] +这是你一直想要的吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What you always wanted- +光荣战死 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}a courageous death. +you were a brave old guy. +索拉娜 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Bastian] Solana. +巴斯蒂安? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Solana] Bastian? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Grunting] +- [Clanging] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Oh! +- Come on! +靠后 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Gasps] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Shouting] +- Stay back. +不,我没事 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- No. +I'm good. +- [Chattering] +你今天很不错 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You fought well today. +杀野兽 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Slaying beasts... +- 需要狠下心来 +- 没错 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- can be a cruel courage. +- Yes. +不管什么出现 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Whatever presents itself... +- 你都能战胜它 +- 我做苦活习惯了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- you'll do it. +- I'm used to hard work. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Chuckles] +that'll come in handy... +将会更有用 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}when you're king. +你怎么看待你今天 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}How do you suppose it is that you... +战斗得这么好? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}fought so well today? +was it... +运气? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}luck? +you know. +of course... +你实话实说 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}you speak your mind. +这会让你更好的为国家服务 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}This will serve you well. +智慧是我们的武器 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Wisdom is our hammer. +谨慎则是我们的盔甲 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Prudence will be our nail. +当人在诚实劳动中 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}When men build... +建设生活 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}lives... +from honest toil- +勇气不灭 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Courage never fails. +你从哪儿听到的这些? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Where did you hear that? +当我儿子还小的时候 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I told it to my son... +我每天晚上 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}every night... +都对他这么说 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}when he was a little boy. +别人都不知道 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}And no one else. +现在开始你生活会变得更加艰苦 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Things are gonna be a lot harder for you from now on. +yes. +there's that little village... +有个小村子 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}not too far from here. +他们一年收两季稻子 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}They raise two crops a year. +- 那会破坏土壤的 +- 不 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- That would kill the soil. +- No. +这样不会破坏土壤因为有海草 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}It does not kill the soil because of the seaweed. +the seaweed comes in from the ocean... +给土增肥 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}and enriches the soil. +你该试试 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You should try that. +你怎么知道这些 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}How do you know these things? +因为我是国王 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Because I am king. +因为我应该知道 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Because I'm expected to know... +关于土地的一切 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}about the land. +就像你将来也会那样 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Just as you will be. +只要有国王 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}As long as there are kings... +只要有土地 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}as long as there is land... +他们就会发动战争抢夺 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}they will fight over it. +抢夺荒芜的田地 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Battles fought for barren lands. +如果战争不结束那会是什么? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What are these wars if they never end? +他们为和平而战 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}And they fought for peace. +和平,梦想而已 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Peace +- that's a dream. +但是你如果当国王 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}A dream that maybe you... +可能 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}as king... +就能实现 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}can bring peace forever. +你不懂 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You don't understand. +战争夺取了我的儿子 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}These battles have robbed me of my child. +你忘了他们夺去了我的儿子了么 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You forget they robbed me of mine. +我的儿子 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}My son. +海力特将军 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Chattering] +- [Tarish] General Hallette. +sir. +带队侦察队去这片树林的北边 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Take a scout to the north side of the woods. +sir. +- 将军? +- 是 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Commander. +- Aye? +看 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Look. +now this... +是个令人惊奇的收获 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}is a surprising delivery. +法罗公爵来受到裁决了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Duke Fallow's here to meet justice. +我猜国王还活着 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I assume the king lives. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Whimpers] +贝克勒将军 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}General Backler... +把你的剑给他 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}give this man your sword. +不要护甲 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}No armor. +决斗 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}A duel. +可爱 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}How lovely. +Tarish? +我能喝口酒吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Can I at least have a lick of wine? +没人会帮国王解下护甲吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Will no man help his king with his armor? +禽兽 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Pigs. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +Growls] +Fallow. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +我杀了你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Tarish] I should kill you. +我要杀了你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I should kill you. +国王死了! +国王死了! +康里得国王死了! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Man] The king is dead! +The king is dead! +King Konreid has died! +this cannot be. +我是你的国王 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I am your king. +you are a curse to the throne! +- Commander Tarish... +非常忠诚 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}is bound by honor. +他永远不会杀了艾柏的新国王 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He'll never kill the new king of Ehb. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Laughing] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Sighs] +懦夫 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Coward. +艾柏的子民们 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}My subjects of Ehb! +国王万岁 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Long live the king! +huzzah! +huzzah. +收起来 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Put it away. +艾柏的子民们 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Merick] Citizens of Ehb. +艾柏的勇士们 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Soldiers of Ehb. +片刻前 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}A few moments ago... +我们敬爱的王康里得去世了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}our beloved King Konreid passed away. +被他的侄子谋杀了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Man] No! +- Murdered by his nephew... +他想篡权 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}who sought to take his place. +根据这国家的法律 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}By the laws of our land... +国王的继承人必须有血缘关系 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}the king's successor must be related to him by blood. +我给你们介绍我们的新国王 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I give you your new king... +康里得失散的儿子 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}the lost son of Konreid... +卡姆登 康里得 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Camden Konreid... +有人也叫他法莫 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}known to some of you as Farmer. +起来吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Stand. +please. +Stand up. +国王召唤你们来冒死而战 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}The king called upon you to face death. +现在还活着的人已经从死亡 那里得到了奖赏 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Those still standing have cheated death of its prize. +但是我们的敌人还活着 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}But our enemy still lives. +他会重建军队,重新攻击 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He'll rebuild his forces and launch a renewed assault. +今晚我们疗伤 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Tonight we dress our wounds... +葬死 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}bury our dead. +明天我们袭击克里斯英得要塞 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Tomorrow we march on Christwind hold. +- 直捣恶魔的老窝 +- 直捣恶魔的老窝! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Gouge evil from its shell. +- [Man] Gouge evil from its shell! +天佑吾王! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}God save the king! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Cheering] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +什么? +你要什么? +带他们走 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What? +What do you want? +Take them away! +带他们一起走 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Take them with the others! +等等 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Wait. +把她带来 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Bring her over here. +退下 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Begone. +我在你身上 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I sense him... +感受到他 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}in you. +那个农民 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}The farmer. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Laughs] +他会来找你的,太好了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He'll come for you. +This is perfect. +- 我会等他的 +- 我对你没价值 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- And I will be expecting him. +- I'm nothing to you. +but he is something to me. +不仅仅只是一个农民 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}More than a farmer. +比一个农民更加危险 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Much more dangerous to me than a farmer. +现在他会来找我 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Now he'll come to me. +你怎么认识我? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}How do you know me? +怎样? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}How? +别动 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Whispers] Don't move. +别动 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Don't move. +我在你身上 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I feel him... +感受到他了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}in you. +因为你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Because you're carrying... +怀了他的儿子 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}his son. +你怀了他的儿子 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You're carrying his son. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Gasps] +- [Chuckles] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunting] +你从哪儿来? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Where you from? +格拉森。 +他们从我家里把我带走了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Gloucern. +They took me from my home. +我们会送你回去的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We'll get you back home. +我们会死在这里的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We'll die here. +old friend. +你怎么与那么大的军队对抗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Farmer] How do you fight an army that large? +the dagger may succeed. +magus. +一小组人会溜过克鲁格人的防守线 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}A small force might slip through the Krug lines... +然后在根源解决问题 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}and solve the problem at its source. +带我到这个盖伦那里 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Get me to this Gallian... +我就能杀了他 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}and I'll kill him. +with respect... +但是我们在王国危急之时去救一个女人? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}are we making plans to save one woman when there is an entire kingdom at risk? +he must kill Gallian. +the kingdom is saved. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Chattering] +玛丽安娜 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Muriella. +就是现在 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Now is the time. +陛下 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Your Majesty. +我想加入你 我想要尽我的义务 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I wish to join your mission. +I wish to be of service. +you've made your point. +Now go back to the castle. +我是我父亲的女儿 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I am my father's daughter... +我会尽忠国王,就像他一样 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}and I will serve the king just as he does. +你带来了谋杀国王的人 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You brought the king's murderer. +他落入了我手 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He fell into my hands. +magus. +我接受你了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I accept your offer. +- 还有其他人也想帮忙 +- 什么其他人? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- There are others who wish to help. +- Which others? +我带你去 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Muriella] Let me show you. +- 你还活着啊 +- 我一直远离这里 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- You've managed to stay alive. +- I've stayed away. +those who control the Krug- +我们帮你战斗 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}we will help you fight them. +以为你们不参与人类的纷争呢 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Thought you didn't involve yourself in the conflicts of men. +这战争完不了,我们看出来了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}This war isn't going away. +We can see that. +当我们的森林被侵略被烧毁时 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}And when our forest is burned and invaded... +我们也没其他选择 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}we have no other choice. +and then we wish to be left alone. +克里斯英得 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Christwind. +- 当作是法师的避难所而建 +- 很坚固吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Built as a secure haven for magi. +- How secure? +the doors open from within. +你能进去吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You can get in? +- 一个法师无需门就能进去 +- 我会找条路的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- A magus does not need doorways to enter Christwind. +- I'll find a way. +你觉得你还活着很幸运吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Do you consider yourself lucky to be alive? +对 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I do. +生活 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Life... +从来没这么刺激过 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}has never been so exciting. +跟我一起来的人 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Those people who came with me- +为什么不放了他们? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Why not free them? +你不想让整个世界都知道你有 无穷的力量和慈悲吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You do not want the world to know that you have ultimate power and mercy? +你理解不了吗? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Do you understand nothing? +我超越了慈悲 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I'm beyond mercy. +我超越了好和坏 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I'm beyond good and bad. +这些是孩子气的思想而已 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}These are childish ideas. +我在改变世界的结构 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I'm changing the structures of the world. +如果我给你的朋友发了慈悲, 我会怎么样? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Where would I stop if I showed your friends mercy? +- 那可以... +- 没有例外! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- It could +- +- No exemptions! +没有例外。 +你不是。 +那农民也不是 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}No one. +Not you. +Not the farmer. +你那个尖叫着被我撕开的孩子也不是 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Not your poor screaming boy whose insides I tore out. +杀了我 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Kill me! +杀了我 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Kill me! +我不会杀了你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I won't kill you. +我很喜欢你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I enjoy you. +you can die. +可能吧,但是我不会 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Perhaps I can. +[Whispers] But I won't. +我还有很多事情要做 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I have too much work to do. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Thunderclaps] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Men Murmuring] +Indistinct] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Thunder Rumbles] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Shouting] +弓箭手准备 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Archers ready. +放! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Fire! +就是现在! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Now! +上面有个山洞 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}There is a cave up there. +是用来通风的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}It allows the air to enter. +我得走了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}And now I must leave you. +我不想你一个人走 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I don't want you to go alone. +then I must try to reach it. +Merick. +但是我最少可以分散他注意 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}But I should at least be able to distract him. +我知道你会来的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I knew you'd come. +老朋友 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Old friend. +我们曾经是朋友 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We were friends once. +但是你变了很多 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}But you have greatly changed. +噢? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Oh? +一个大法师的力量 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}A magus's power is contingent... +是和他为国王做的服务紧密相联的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}on his service to a king. +你做为国王的敌人,你的力量成长的怎么样了? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}How is it that you thrive as the king's adversary? +你觉得我的克鲁格人怎么样? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}How do you like my Krug? +可憎的野兽而已 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- They are a cruel abomination. +- [Laughs] +克鲁格人很好笑 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Funny thing about Krug. +他们没有国王 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}They have no king. +old friend. +- 我不敢猜 +- 我封自己为国王 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- I dare not guess. +- I've made myselfking. +克鲁格人之王 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}King of the Krug. +现在我辅佐着一个我万分敬仰的国王 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Now I serve a king who deserves my utmost devotion. +- 我自己 +- 够了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Me. +- Enough! +you and I are the last of the magi. +recognize that you have fallen into madness. +你根本不知道 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You have no idea... +疯癫 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}how powerful... +可以有多么强大 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}madness can be. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans Softly] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Chuckles] +there will be no word for madness. +我们就简称为 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}We shall simply call it... +力量 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- power. +- [Groaning] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Men Shouting] +冲! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Charge! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Shouting] +嗯,他来了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Hmm. +He's here. +他到了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}He's arrived. +我找不到理由继续打这场战争了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I see no reason to prolong this battle. +玛丽安娜 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groaning Softly] Muriella. +玛丽安娜 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Muriella. +你在这里 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You're here. +我不知道发生什么了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I don't know how it happened. +我怎么这么愚蠢? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}How could I have been so stupid? +原谅我 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Forgive me... +大法师 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}magus. +接受我最后的力量吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Take the last of my power. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Krug Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Man Whimpers] +- 杀了他们 +- 帮帮我们 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Man] Kill them! +- [Man #2] Somebody help us. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Shouting] +- [Grunts] +小心后面! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Man] Look out behind you! +走! +跑! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Run! +Go! +快走,我们走 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Move it. +Let's go. +Go! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groaning] +Farmer. +这边 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}This way. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Chattering] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Thunderclap] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Men Shouting] +法莫! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Solana] Farmer. +Oh! +Farmer. +我知道你当上国王了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I understand you've become king. +can we? +国王一对一的战斗 笑饮死敌之血 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}How often do two kings get to do battle one +-on +-one... +这样的事情多久才会发生一次呢? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}getting to taste the blood of one's true enemy? +你想打,还是想说死我? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Are you gonna fight... +or talk me to death? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- [Chuckles] +- [Grunts] +想用魔法跟我打? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You wanna fight me with magic? +你的荣耀心呢? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- Where's your honor? +- [Laughs] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Shouts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Shouting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Grunts] +我会复仇的 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I will have my vengeance. +Shouting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Shouting] +不! +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}No! +Farmer? +the vengeance of a husband... +还是一个国王的? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}or the vengeance of a king? +你忘了一个母亲的复仇 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- You forget the vengeance of a mother. +- [Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Shouts] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Blood Trickles] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Groans] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Sighs] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[Coughing] +Grunting] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}[All Snorting] +发生什么了? +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What's happening? +我一直想告诉你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}There's something I've always wanted to tell you. +我爱你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I love you. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}##[Folk Rock] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# Would you believe in a night like this # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#A night like this # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# When visions come true # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# Would you believe in a tale like this # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#A lay ofbliss # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Praising the old lore # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# Come to the blazing fire and see me in the shadows # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#See me in the shadows # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Songs I will sing of runes and rings # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Just hand me my harp this night turns into myth # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Nothing seems real You soon will feel # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# The world we live in is another skald's # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Dream in the shadows # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Dream in the shadows # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Do you believe there is sense in it # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Is it truth or myth # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# They're one in my rhymes # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Nobody knows the meaning behind # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# The weaver's line # +nobody else but the Norns can # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#See through the blazing fires of time and # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#All things will proceed as the child of the hallowed # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# Will speak to you now # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#See me in the shadows # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#See me in the shadows # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Songs I will sing of tribes and kings # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# The carrion bird and the hall of the slain # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Nothing seems real You soon will feel # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# The world we live in is another skald's # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Dream in the shadows # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Dream in the shadows # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Do not fear for my reason # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# There's nothing to hide # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#How bitter your treason How bitter the lie # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Remember the runes and remember the light # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#All I ever want is to be at your side # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# We'll gladden the raven # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Now I will run through the blazing fires # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# That's my choice # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# 'Cause things shall proceed as foreseen ## +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}##[Vocalizing] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}##[Ends] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}##[Pop Ballad] +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Pale +-face the innocent # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# Will drown in blood # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Hurt and withdrawn # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Don't ever steal my grief # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#In this haze of green and gold # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#He's gone # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Blind my eyes and I still can see # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# Through the mist to the very end # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# There I'll face what I fear the most # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Blind my eyes But it all doesn't matter right now # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#I will bury my dead # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#And keep on till the end # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#I won't give up # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#I won't give up # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#I'll turn to the red fields of none # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# There's a grave # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# There's a rose # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +- #Drift away # +- #I can hear me say # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Soon you all shall be free # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# Carry the blessed home # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#No one's left here but me # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#And I will sing out your name # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# Call me insane I know # +son # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#So pale turns the innocent # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#And all I feel # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Is pain # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Suddenly I understand # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#He's gone # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Blind my eyes and I still can see # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# Through the mist to the very end # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}# There I'll face what I fear the most # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#Blind my eyes But it all doesn't matter right now # +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}#But it all doesn't matter right now # +伙计 你一定得听一下这个 +肉棒鼓 +嗯? +你想来点什么吗 +你有什么? +爆米花? +-嗯 +-好吧 给我来一碗 +上面撒一点... +凯普麦片 +伙计 怎么回事? +老兄 我又熬了一整夜 +我的血糖现在简直是... +露西尔小姐 你今天看上去真可爱 +那个手势是给我的吗? +嘿 嘿 拜托 还没加牛奶呢 等等 +尼尔 +嗨 伙计 老兄 +我没找到勺子 +给你 威利 +太好了 +-伙计 这太恶心了 +-嗨 +尼尔 +布鲁斯 +jets(一种燕麦圈)和wackies(一种燕麦圈) 有兴趣么 +jets 肯定不要 +wackies 肯定要 +香蕉味的燕麦片 +只有他们才生产这个 +九元四分 +好吧 九元整 +但是别忘了你还欠我$26.12的donkey kong(一种燕麦圈)玉米片 +-还有那个蜂巢门铃? +-当然 +-你听说过易趣上的cheerio么(一种燕麦圈) +-没有 +他们盒子里的一些cheerio都快有炸面圈大了 +图片有点模糊 很难说清是不是像真的cheerio那样爽口 +可能还是几块小的融成了一块 +也许是个双芯片相机拍摄的 +管它呢 +我竞标了 所以... +希望好运 +好吧 随时告诉我进展 +最初 它叫cheery燕麦 但是后来改名了 +通用面粉公司 1945 +现在我知道了 你想来点什么 +嗨 汤姆先生 +-又是一顶新帽子啊? +-澳大利亚牛仔帽 +我刚拿到的 +我不得不让我的擦鞋佬帮我加了个帽系 +是顶不错的帽子 +大家都说不错 +当然了 +谢谢 +好了 决定了么? +我要那个 +代言凯洛格公司(麦片公司)产品 +时间最长的的家伙 +太帅了 +我以为你不知道 +我也很惊讶我居然知道 +你有带狂欢节珠子的东西么? +你知道 紫色的 金色的 +当然 那种是挺不错的 可都是街上的人 +在胡说八道的 +我推荐包角质层的幼鳄脑袋 +那些游客干嘛要来这呢? +他们难道不知道佛罗里达才是他们的旅游圣地吗? +我应该回去扎染点东西了 +至少那些玩意还能卖出去一些 +尽管装饰的有点吓人 +-你好么 +-不错 +很好 那么 +这是个... +麦片吧? +还是... +-是的 +-很酷 很酷的主意 +太酷了 太酷了 +最畅销的是哪种? +这里 是所有的可可制品 +我们这有好多上瘾的人 +我想 全国范围内 应该是玉米片 +正确 玉米片 +最早的也是至今最畅销的 +玉米片不是最早的 伙计 +-最早大规模生产的 +-哦 +好吧 对了 大规模生产 +你知道我就是这个意思 +那么 最早的是什么 麦片吗? +不是 +麦片生产于1924年 +最早的麦片是凯洛格兄弟 +捣碎一捆小麦 +做成麦片一样的东西 +可以被分成更小的小片的 +那时起麦片就是一种健康食品了 +因为它的创造者是巴特尔克里克市的 +那些狂热宗教性健康迷(凯洛格兄弟来自巴特尔克里克市) +基督教科学派那个小妞的信徒 +玛丽·贝克·艾迪 +是啊 这不像一种幻觉么 伙计? +麦片是一种宗教 +感觉我们现在像在教堂里一样 +C. +w. +波斯特(早期麦片制造商)不是健康迷 也没什么高见 +他是个失败的投资家和蛇油贩卖商 +他是个傻瓜 +他在凯洛格兄弟对面建了一家工厂 +他们竟在大街上为了燕麦聚众闹事 +事实上你说的那次骚乱是因为垒球赛 +好吧 这地方太棒了 +不管你是哪一类人 +-人人都爱燕麦片 是吧 +-是啊 +八种基本维生素和均衡早餐的所有成分 +斯图尔特·泽里格 +尼尔·唐恩斯 +尼尔 幸会 +你想来点什么? +我不知道 那是什么? +-对 +-那是quake(一种燕麦圈) +在销售上曾经跟quisp's(一种燕麦圈)势均力敌 +-quisp's... +-它停产了 +-不再生产了 +-那你是从哪里搞来的? +那么... +你是店主了? +不 我是经理 +店主是那边穿睡衣的家伙 +哦 你好 +你... +他有没有考虑过特许经营? +怎么了? +听着 特许经营非常简单 +对特许经营人来说风险极低 +你们已经攻下了最难关 +现在你们只要再找到另外差不多50人 +来做你们已经学会的事 +然后你们就可以获得规模效益 +然后你们就可以赚大钱 +听上去不错 伙计 +我们可以把它们放在 +商场和加油站销售 +把小块麦片说成"超大型" +然后再给麦片起些拉丁名字 +我们可以成为产业巨人 +这就是没人喜欢我们的原因 伙计 +因为美国不管什么都要特许经营 +标准化 "麦片化" +直到它们变得一模一样 +我们是资本家 我们就是这样获利的 +我是说 你正在实践资本主义 +就是这样... +不用找了 看到了么... +这就是我想说的 +有人会因为这个好主意获益的 +你为什么不能成为那个人呢? +因为那样会让他窒息而死的 +你可以创造 也可以积蓄 +但你不可能一边照看你的灵魂 +一边照看一大堆钱 +你可以开一千家店 赚上十亿美元 +但你知道最终你会变成什么? +一个商人 +是啊 那有什么错呢? +看 我... +我完全晕掉了 +第四种魔力是什么? +心灵 月亮 星星... +还有... +车轴... +车轴草 +车轴草! +对! +绿叶车轴草! +谢谢 +他们加入了新东西 +把我完全弄糊涂了 +有点复杂了 +好吧 我很抱歉 +我想你可以继续做... +你现在做的... +直到你变成... +那样 +等等 +这还真... +-请让一下 +-慢用 +我要你现在下班 +-威利 +-怎么? +我下班了 +好的 +-你想做什么 ? +-握住你的手 +没问题 +谢谢你们的掌声 谢谢你们 +本来以为我们的CD永远出不来了 +结果它终于完成了 +你们想要的话 +到后门告诉杰伊一声 +谢谢 晚安 +尼尔! +尼尔! +你搞什么? +那些家伙开始做CD的时间比我晚的多 +你知道 我只是... +我不能... +我不能急于求成粗制滥造 你明白? +我是说 如果我的东西不够好 +如果它不够火爆 你知道 +那我只会成为另一个 +用笔记本电脑和麦克风 +制作CD的蠢材 你明白么 +那简直像vh1电台一样 让我浑身不舒服 +或许要变得火爆仅靠业余时间是不够的 +你要做的是 +到麦片店请一个周假把它做完 +我不能请一个周的假 那是我的工作 +你知道 那是我的饭碗 +你为什么不靠你攒下的钱生活呢 +不 那是用来出版发行和买盒子的 +如果我没那笔钱 就根本无法发行 +不可以 +我今天辞职了 +-你什么 +-我没告诉过你么 +没有! +你不摆摊了? +哦 好吧 很好 +怎么 你打算重新回到 +- +- +- +- +-====翻译===== +- +- +- +-- 鬼娃娃 Hanabi 黄小占 月舞 祁霖 校对: +亚力商大 总监制: +火精灵 +迪凯特大街上 +跟那些流浪汉们一起生活么 +不 我有个主意 给我在麦片饼干店找份工作 +什么? +那样你就可以有时间做完你的CD +我也能多赚点钱直到想好下一步的方向 +这主意棒极了 +不 一点也不棒 这是个烂主意 +你不能在麦片饼干店工作 完全不可能 +那样的话会不断发生利益冲突的 +-为什么? +-我怎么能指挥得了你? +我们怎么跟人解释说你不会因为 +跟我上过床而得到特别待遇? +好吧 如果这也是个问题 还真是搞笑 +这不是关键 好吧? +关键是... +关键是地狱之路已经开始 +对么 一小步已经踏出去了 +因为你有了该死的现金问题 +我不会让你那么做的 我不会让你出卖肉体 +出卖肉体? +上帝 尼尔 拜托 +事实上 这个主意倒也不错 +也许我是该去卖卖淫 那倒很有趣 +-那你一定得让我看看 +-我会让你看的 +-你知道我是对的 +-哦 对 你是对的 +当你70岁了 终于完成你的CD的时候 +你可以过来到纸板箱里看看我 +我会完成我的CD的 好么 +你也不会住在纸板箱里 +因为你还没听到我的好主意 +跟我住到一起 +跟你住到一起? +你疯了么? +你不能因为同情而同居 尼尔 +不是因为同情 我是想要你开心 +这会让我开心么 跟你住到一起? +-那会让我高兴的 +-那好吧 +等等 +当你说"那好吧" 那是指 +"那好吧 别再吵了" +还是"那好吧 我搬来和你住 你个笨蛋"? +你认为呢? +看箱子里 +我为我们的同居做了件礼物 +这些是你画的? +真不可思议 +那儿 +就像淘气的天主教徒同居一样 +几乎是了 +那是干嘛? +这个 +为什么 唐恩斯先生 那会让我一丝不挂的 +好主意 凯茨小姐 +流线型的靓车 +但它的颜色一定要闪亮 +不要暗灰的 要闪亮的 +然后我们要把它和... +和一辆 +巨大的老式厄尔拉多敞篷车连在一起 +我们要戴上 +配有无线电话的头盔 +-打开开迪车的喇叭 +-那是必需的 +我们要把车停在good sam露营地 +和沃尔玛停车场 +我们要用大量 +的摇滚乐 +使老人们一直清醒 +因为我们要用我们的打折卡 +买很多专辑 +让开迪的行李箱里只有CD和超强低音器 +没有人会怀疑 +那过时的流线型跑车里头的两个老人 +就是摇滚风潮的领引者 +著名的尼尔·唐恩斯先生 +和催眠者 +艺术界的传奇 普西·凯茨小姐 +同父异母的乱伦双胞胎 +关于吃的还能有什么新鲜的? +我不知道 也许是新吃法 +放进你的屁眼然后用后边消化 +那吃苹果会很困难的 +-那羊肉串呢? +-天哪! +喝汤会花很久 +是的 喝汤会花很久 +-吃羊肉串会很好玩的 +-是的 +伙计 你在干嘛? +做个棒子 +今晚和跳舞高手去参加个爵士乐演凑会 +-我必须会点 +-跳舞高手? +你怎么演奏那个铜管乐队的曲子? +-我弹全部 +-各位 +注意咯 +我有个好消息 +该死的 +一盒燕麦饼干? +在这? +不 不 不 这不是燕麦饼干 +这是在周六早上看老鼠 +在浴盆外吃冻鞭子 +那是什么... +那叮当声是什么? +-对极了! +-我要了 多少钱? +-30 +-成交 +30美元买一盒老的燕麦片? +得了吧 +可是会有人花三万买这个盒子里的东西的 +是的 一些傻瓜 +为了盒子里的童年? +谁的童年? +那些东西生产出来的时候你还没出生吧? +把这些算在你的账上? +地下天鹅绒乐队成名时我也还没出生呢 +但我肯定知道他们是谁 +拆开他们吧 +不 那是藏着非常时刻用的 +你好 +还记得我吗? +你称我为草莓 +我记得 你好 +你... +你把这个借给了我 +你觉得怎么样? +我的天哪 太让我吃惊了 +很变态 很不可思议 对吧? +他真是个天才 +我喜欢为我认识的人做mp3 +你做mp3? +你剽窃了吉尔·斯科特海伦? +我只是想... +我知道你在想什么 我是这么想的 +出去买上20张他的专辑 +然后他的孩子就有钱了 +你难道不认为一个70年代的黑人歌手 +还没有被他的商标骗够吗? +因为作为音乐人 +我们要考虑那种事 +因为将来某一天 +或者我们中的某些人 在不久的将来 +我们可能会靠版税生存 +事实上 对于尼尔 +这个日子已经不远了 +因为他会在一周内完成他的CD +从今天开始的一周内 这会引起轰动的 +不 一礼拜? +怎么可能... +那谁来打鼓 老兄? +-老兄 你为什么不... +-好吧 +在我告诉威利之前你要保密 +但我想我要请一礼拜假 +街对面是怎么回事 让我大吃一惊 +那不是个新概念 +见鬼 那不是一个新概念 +那是剽窃 +是谁竟敢... +-不可能 +-怎么了? +不可能 +是那个香蕉共和党人 +那个问我问题的男人 +原来一直我身上了解市场行情 +可能他早就租了那幢楼 +不是燕麦饼干 像是专利剽窃什么的? +威利会起诉那个混蛋的 +那混蛋是不值得我们去麻烦律师的 +跟我来 +走吧 我们必须去 +欢迎光临新原创麦片店 我能帮什么忙吗? +你当然能啦 斯图尔特 +我的朋友和我想吃点燕麦饼干 +可能想来点以前的 +你这有fruit brute(一种燕麦圈)吗? +是一种停产的怪物麦片 +我这有boo berry(一种燕麦圈) +你现在有了哈? +黛西(狗的名字)也有 +我这还有一盒... +yummy mummy(一种燕麦圈) +不 谢了 +Yummy mummy是怪物麦片里不太有名的 +我想我更想要 +一碗alpen(一种燕麦圈) +-那是牛奶什锦早餐 来自... +-加拿大 +瑞士口味 +你要大份 中份 还是小份? +特大份 +告诉你吧 +看在咱们是邻居的份上 第一碗我请客 +牛奶也一块请了吗? +他是个白痴! +没有牛奶 老兄 蓝色的牛奶和塑料汤匙? +看上去很好 虽说 但弄的很干净 +你不用担心 他够不成威胁 +他只有吃西北风的份 +不 他会吸纳游客的 +但他们不给小费 他们不会碰燕麦饼干的 +又不是我们的人 没门 +他们确实有yummy mummy那样的东西 +他们有c. +w. +波斯特(早期麦片制造商) +-就像巴特尔克里克一样 +-别大惊小怪的 威利 +别害怕 听我说 +这个男人会在几天之内破产的 +凯洛格兄弟就是被波斯特给搞垮的 +凯洛格弟弟接手过来 +然后全部售光 +害惨了凯洛格哥哥 +他们从不妥协! +-乌托邦? +没了! +-我们不是凯洛格兄弟 +-暴乱! +-我们不是凯洛格兄弟 好不? +这家伙是个饭桶 他有什么? +无非就是一些漂亮餐具和桌椅 +谁玩谁啊 他就是个小丑 +别这样 谁 +谁是这的老大? +得了吧 +谁是早餐界的冠军? +我要... +我要听你这么说 +威利 过来 过来 +我给你做份混合冷饮 +为什么不呢? +就一个礼拜 +因为那个冒牌骗人的 +原创燕麦饼干店 +让威利很抓狂 +我不能不管他 +我想那样做自私了点 +管好自己的事并不是自私 +我会给他说的 好吧? +只是刚好这礼拜不太合适 +那就让这礼拜合适啊 +雇佣我 +如果你不在那 +就没有利益冲突了 +你甚至不用付我薪水 +我只需要在你工作的时候 +照顾好那个老人 +你知道的 你的真正的工作 +我很肯定我能搞定怎么做麦片生意的 +你难道没听到我说的吗? +我听到了 +你只是很担心 +担心会搞砸 +担心是否会成功 +我知道担心的感受 +我一直都很担心 +而现在 我担心 +你是个做些音乐的燕麦饼干小子 +而不是在麦片店兼职的音乐人 +燕麦饼干小子? +多谢你那么说 宝贝 +多谢你的爱和支持 +这就是爱 +帽子不错 汤姆 夏洛克·福尔摩斯 diff --git a/benchmarks/haystacks/opensubtitles/zh-medium.txt b/benchmarks/haystacks/opensubtitles/zh-medium.txt new file mode 100644 index 0000000..a818ab2 --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/zh-medium.txt @@ -0,0 +1,1465 @@ +魯哇克香貓咖啡 世界上最稀有的飲品 Kopi luwak. +the rarest beverage in the world. +嘗一小口 Take a whiff. +來 Go ahead. +寇爾先生 董事會已準備好聽你的提案 Uh, mr. +cole, the board is ready to hear your proposal. +等一下下 Hold on just a second. +來 繼續 Go ahead. +go on. +怎樣 Well? +真不錯 Really good. +真不錯 Really good. +寇爾先生? +Mr. +cole. +sir? +吉姆 你知道庸俗是什麼嗎 Do you know what a philistine is, jim? +先生 我叫理查德 Sir, it's richard. +沒錯 費爾 出動你的如簧巧舌吧 That's right, phil. +give them the spiel. +謝謝 主席先生 主管們 Thank you, mr. +chairman, fellow supervisors. +我們寇爾集團財務的管理不善 We at the cole group feel the decline of the winwood hospital... +直接造成了溫伍德醫院的衰敗 ...is a direct result of significant fiscal mismanagement. +請原諒 我們醫院... +I beg your pardon, this hospital... +日常開支近2倍 overhead costs are nearly double. +你們的租金和置業費用高得不可置信 Your lease and land costs were similarly overbid. +在科研分析 兒科 腫瘤學和核磁共振等領域的貢獻 Donations have atrophied to the point you've fallen far behind +萎縮到了有史以來曲線的最低點 the curve in research, pediatrics, oncology and mri. +7年來 寇爾集團私有化了15家公立醫院 The cole group has privatized 15 public hospitals in seven years... +每一家目前都為社區提供 或即將提供 ...each of which now provides, or will soon provide... +最高標準的醫療服務 ...the highest standard of medical care to their communities. +人手問題就不管了嗎 despite being grossly understaffed? +越好的醫生 越需要... +the better the doctor, the need... +床位怎麼辦 外面在傳你們收太多病人 What about beds? +there are rumors you increased the number +擠都擠不下了 of patients to the point of overpopulation. +病人的密度一直是... +Patient density has always been... +還有急診室 這可是眾所周知的... +And your emergency rooms, I mean, they are known... +我開的是醫院 不是健康療養所 I run hospitals, not health spas. +一個房間兩張床 無一例外 Two beds to a room, no exceptions. +聽著 我和米雪爾. +費弗約好了來這兒吃午飯 Look, I passed up a lunch with michelle pfeiffer to be here... +我們能否盡早停止惺惺作態 ...so can we desist from all of this inane posturing? +男孩女孩們 你們需要我 Boys and girls, you need me. +而我卻不需要你們 I do not need you. +這信封裡有一張大額支票 Now, there's a sizeable check in this envelope... +如果決定了就請隨便使用吧 ...let me know if you decide to cash it. +寇爾先生 你沒事吧 Mr. +cole, are you all right? +你在這兒幹嘛 What are you doing here? +為生命而戰鬥啊 你呢 Oh, you know, fighting for my life. +you? +我只是有點驚奇... +Uh, no, I was just surprised... +我並不在乎保險 and I don't care about the insurance! +去告訴那個腦子糊了屎的醫生 必須告訴我 And tell dr. +shit +-for +-brains i wanna know everything +為什麼一定要我打這一針光黴素 about this bleomycin drip he wants to get me on. +我聽說它會吞噬你的肺 I hear it eats your lungs. +等我下個月去國會座談時 When I address congress next month... +我不想通過喉嚨裡的洞來呼吸 ...i don't want to do it breathing through a hole in my throat. +-其實並不完全是這樣 +-這傢伙是誰 +- that's not exactly what happens. +- who the hell is this guy? +-湯馬斯在哪兒 湯姆 +-我在這兒呢 先生 +- where's thomas? +tom! +- in plain view, sir. +-你好 湯姆 +-我們要把你挪上床 +- hi, tom. +- we're gonna move you into the bed. +我能自己來 我還沒死呢 I can do it myself. +I ain't dead yet. +現在怎樣 How about now? +我最近炒你魷魚了嗎 Have I fired you lately? +自從奧普拉事件以來還沒有 Not since the oprah incident. +-他是個好人 +-對 好員工 +- that was a good one. +ha +-ha +-ha. +- yeah, it's good stuff. +那他媽是誰 Who the hell is that? +你他媽又是誰 Who the hell are you? +他說 "你他媽... +?" He said, "who the hell... +?" +天哪 我在哪兒 這是停屍房嗎 Oh, god. +what am i, in the morgue? +那是我第一次將目光停留在愛德華. +寇爾身上 That was the first time I laid eyes on edward cole. +一個不祥的開始 一定是這樣 An inauspicious beginning, to be sure. +放過我吧 親愛的上帝 Oh, spare me. +sweet jesus. +我討厭這些... +我討厭針管 I hate these... +I hate tubes! +要是接下來3個星期裡 I'll be damned if I'm gonna spend the next three weeks +我都挨著這個傢伙一起睡的話 我一定會死的 laying next to this guy. +怪人一個 像個半死人 Zombie boy. +looks half +-dead already. +你不能住單間 You can't have your own room. +不然會造成巨大的公關問題 It would create an enormous pr problem. +我沒有定過這樣的鬼規矩 I don't give a shit about pr. +我要住單間 這是我的醫院 沒天理啊 I want my own room. +it's my hospital, for chrissake. +別告訴我不能住單間 Don't tell me I can't have my own room. +無意冒犯 保爾 No offense, pal. +這政策你已公開辯護過無數次 You have publicly defended this policy countless times. +你開的是醫院 不是健康療養所 You run hospitals, not health spas. +一個房間兩張床 無一例外 two beds to a room, no exceptions. +我從前沒有生過病 I've never been sick before. +好吧 艾爾德瑞吉醫生馬上就要來給您打麻醉 Okay, dr. +eldridge will be in in a minute to dot you up, okay? +打麻醉 Dot me up. +上帝 Jesus. +湯馬斯 Thomas +麻醉時別讓我清醒著 don't let me wake up paralyzed. +我會竭我所能 I'll do what I can. +這真的是你的醫院嗎 This really your hospital? +是的 沒錯 Yeah, pretty much. +難喝的豌豆湯需要改進一下 Might wanna do something about the pea soup. +在早上的手術時發現 By the morning of the surgery, +癌癥已經擴散到愛德華的全身 the cancer had spread so far throughout edward's body +醫生們估計他只有5%的希望能活下來 that the doctors gave him only a 5 percent chance to survive +但他們卻未曾估計到他對他們有多生氣 But then, they didn't account for how pissed off they'd made him. +沒有人來看他嗎 No visitors come in to see him? +手術結束後他就一直睡著 He's been sleeping a lot since they brought him back. +哦 Mm. +我親自來護理你 還有一個原因 That's another reason I don't miss nursing. +你看病人要是那樣 是多麼可憐啊 It's always so sad seeing a patient like that, +還獨自一人 挺過手術 all alone after that kind of surgery. +至少他不嘮叨 At least he's quiet. +瑞秋今早來過電話 Rachel called this morning. +真的? +她怎麼樣 Really? +how's she doing? +她在為下學期在交響樂團當首席小提琴手做準備 She's auditioning for first violin in next semester's symphony. +那真是太好了 That's wonderful. +還要書嗎 Need any more books? +不用了 我很好 No, I'm... +I'm fine. +今晚的藥拿到了嗎 Got your meds for the night? +嗯 我已經吃過了 Mm +-hm. +I already took them. +枕頭怎麼樣 How about pillows? +我很好 弗吉尼亞 真的 謝謝你 I'm fine, virginia, really. +thank you. +如果你願意的話 我可以陪你待一會兒 You know, I could stay a while if you want me to. +沒必要把你也給拖累了 對嗎 No use both of us being useless in the morning, right? +好吧 Okay. +她走了? +She gone? +什麼 What? +作為公共健康專家之流 As something of a public health expert, +我相信更多的人死於探望者 而勝過死於疾病 I believe more people die from visitors than diseases +這種草莓 600塊 "it's the berries," for 600. +這種瑞典草莓和越橘一樣享有盛名 This swedish berry is also known as the cowberry. +-越桔又是什麼 +-越桔又是什麼 +- what is a lingonberry? +uh, what is a lingonberry? +正確 這種草莓 800塊 Correct! "it's the berries," for 800. +1956年熱賣前40名中 這草莓告訴貝多芬轉存 In a top 40 hit of 1956, this "berry" told beethoven to roll over. +誰是查克. +貝瑞 Who is chuck berry? +誰是查克. +貝瑞 對 Who is chuck berry? +yes. +嘿 Hey. +杜克 Duke? +你介意嗎 You mind? +哦 對不起 Oh. +sorry. +no. +-什麼是馬裡亞那海溝 +-什麼是馬裡亞那海溝 +- what is the mariana trench? +- what is the mariana trench? +早上好 愛德華 Good morning, edward. +-早 +-感覺怎麼樣 +- morning. +- how you feeling? +明擺著呢 Dumb question. +導管怎麼樣 How's that catheter? +真不知道沒有它的時候我是怎麼過來的 Don't know how I ever did without it. +幽默是個好兆頭 Ah, humor is a good sign. +你去死吧 Kiss my ass. +太粗魯了 這是你最大的愛好了 對吧 As is surliness. +it's one of your favorite flavors, right? +-對 +-看看這裡怎麼樣 +- yeah. +- let's see what we got here. +看起來不錯 It looks good. +手術很順利 好嗎 All right, so the operation went well, okay? +所有的術後腦掃瞄都很乾淨 All the post +-op brain scans are clean. +現在我們要乘勝追擊你體內剩餘的腫瘤 Now we go after the sarcoma in the rest of your body. +不幸的是 你的血壓很高 Now, unfortunately, your blood markers are extremely high, +我希望今早我們就開始化療 so I would like to begin chemo this morning. +喜歡早上化療的味道 Love the smell of chemo in the morning. +現代啟示錄 對嗎 Apocalypse now, right? +讓我感覺像個勝利者 Makes me feel like victory! +-我等會兒和你去辦手續 +-好的 +- I'll check in with you later. +- all right. +喂 大夫? +大夫? +Say, doc? +doc? +你可以來看一下... +You think you could just take a look at... +? +-對不起 我遲到了 你的醫生是誰 +-蓋比安醫生 +- sorry, I'm late. +who's your doctor? +- he's dr. +gibian. +我告訴護士 I'll let the nurse know. +謝謝 Appreciate it. +婊子 不是嗎 Bitch, ain't it? +-夸克是什麼 +-夸克是什麼 +- what are quarks? +- what are quarks? +你在這兒多久了 how long you been here? +進進出出幾個月了 In and out over the past few months. +把我當成試驗品 got me on an experimental treatment. +-二元方程式是什麼 +-二元方程式是什麼 +- what is the quadratic equation? +what is the quadratic equation? +有多痛苦 How rough is it? +化療? +Chemo? +不是很糟 Not too bad. +只要你不介意晝夜不停的嘔吐 If you don't mind around +-the +-clock vomiting... +看著你的血管變黑 ...watching your veins turn black... +感覺骨頭像是汽油膠化劑做的一樣 ...and feeling like your bones are made of napalm... +與在海灘上度假一日無異 ...it's a day at the beach. +那真是種欣慰 That's a relief. +當然 我聽說每個人的反應都不一樣 Of course, I hear people react to it differently. +今晚你自己就知道了 You'll know by tonight. +今晚? +Tonight? +聽著 Listen, um... +是否介意我八卦一下 ...you don't mind my asking... +那邊那個奇妙的裝置是什麼 ...what is that contraption you got over there? +是虹吸壺 煮咖啡用的 It's a siphon. +makes coffee. +它還能幹些什麼 What else does it do? +它還能幹些什麼呢 What else does it have to do? +你是否知道咖啡最初是由埃塞俄比亞的 Did you know that coffee was originally discovered +一個牧羊人所發現的 by a shepherd in ethiopia? +-不必說了 +-是真的 +- you don't say. +- it's true. +好像是他的山羊在一個陌生的灌木叢中吃漿果 Seems his goats were eating berries from an unfamiliar bush. +沒過多久 羊就到處跑跑跳跳 Before long, they were running and jumping all over... +度過了一段歡欣雀躍的時光 ...having a gay old time. +於是牧羊人帶了一些樹枝回到當地的修道院 So the shepherd took some of the branches to the local monastery +修道院長決定把樹枝烤熟 where the abbots decided to roast them. +烤著烤著 When the berries burned +裡面的豆子散發出了濃郁的香氣 the beans inside gave off such a pleasant aroma +他們把豆子放入燉鍋中釀造 they brewed them into a stew. +燉鍋 Stew, huh? +隨後的幾百年裡 咖啡流傳到了阿拉伯 歐洲... +And over the next few hundred years, it spread to arabia, europe... +甚至蘇門答臘島 正如你從那兒買的烈酒一樣 ...even sumatra, like that hooch you got over there. +它叫做魯哇克香貓咖啡 It's called kopi luwak. +我知道它的名字 I know what it's called. +是嗎 You do? +從來沒人逮住過我喝那玩意兒 Never catch me drinking that shit. +你喝過嗎 Have you ever tried it? +沒有 我更鍾情於速溶咖啡 No. +I'm more of a instant +-coffee man. +來 我來幫你 Here, here we are. +-謝謝 +-不客氣 +- thanks. +- no problem. +好了 給 There you are. +你一直有雀斑嗎 You always had those freckles? +是的 Far as I know. +挺好看的雀斑 Nice freckles +嗯 Hmm. +好了 我們有培根火腿和甜瓜 還有些意大利布拉塔乾酪 Okay, we got prosciutto and melons, some burrata mozzarella... +和一塊小牛排 ...and a veal paillard. +都是上好的意大利傳統膳食 The folks at toscana send their best. +你要全部吃完嗎 You sure you wanna eat all that? +是這麼打算的 That's the plan. +什麼 What? +哦... +Oh, uh... +要湯馬斯給你也來一盤嘛 You want thomas to make you a plate? +湯米 弄一盤給... +Tommy, uh, fix a plate for, uh... +卡特 Carter. +是姓還是名? +First name or last? +名字 First. +真的? +很有意思 Really? +interesting. +要來一盤嗎... +? +說不定能讓你振奮 So you want, uh... +? +might cheer you up. +不需要了 謝謝 No, thanks, I'll pass. +確定? +You sure? +好吃 好吃 Mm, yum, yum. +全洛杉磯最好吃的 Best in l. +a. +再也不是洛杉磯最好的了 It ain't the best in l. +a. +no more. +我的天啊 Oh, man. +瑪亞又是三好學生 Maya made the honor roll again. +我肯定她行的 Bet your ass she did. +我的天啊 My god. +還不如得個心臟病什麼的 Somewhere, some lucky guy's having a heart attack. +同志們 Fellows. +寇爾先生 Mr. +cole. +別管我 我只是在自言自語而已 Don't pay any attention to me. +I'm just, uh, talking to myself. +這是凱爾給你的 It's from kai. +他說長大後想成為像他爺爺一樣的機械師 Says he wants to be a mechanic like his granddad when he grows up. +希望你讓他打消這個念頭 I hope you talked him out of that. +我試過了 Well, I tried. +看看是什麼東西 What do we got here? +一部福特野馬350 It's a shelby 350. +-我一直想要一部 +-是啊 +- I always wanted one of those. +- yeah. +凱爾記著 kai remembered. +媽媽覺得你好像休息得不夠 Mom seems to think you're not getting enough rest. +恩 Mm +-hm. +她愛你 爸爸 She loves you, pop. +恩 Mm +-hm. +好 Okay. +檢查報告出來後 給我們打電話 好嗎 You'll, uh, call us when you get your test results, huh? +恩 Mm +-hm. +如果有結果的話 If that day ever comes. +好 Okay. +-保重 +-好 +- take care. +- okay. +你的長子? +He your oldest? +是 Yeah. +他做什麼的 What's he do? +-羅傑是稅務律師 +-哦 +- roger's a tax attorney. +- oh. +你看 Here. +他弟弟李 是個工程師 His brother, lee, is an engineer. +這個漂亮的小女孩是誰 Who's the pretty little lady? +那是瑞秋 三個中最小的 That's rachel. +youngest of the three. +年紀差得好大 Big age difference. +是啊 她是個驚喜 Yeah, well, she was a surprise. +她出生後 我兒子們都寧願呆在家裡照顧她 We'd hardly gotten the boys out of the house when she came along. +她小提琴拉得很棒 She's an outstanding violinist. +你有小孩嗎 You got kids? +這要看了 Depends. +-我的婚姻關係都不長 +-恩... +- never stayed married long enough. +- oh, well... +別擔心 對於我們兩個來說我結婚夠久了 ...don't worry, I've been married long enough for the both of us. +覺得怎麼樣 How's that going? +就這樣 It's going. +感覺不錯吧? +That good, huh? +這就是為什麼要發明電燈開關的原因了 Well, that's why they invented light switches. +別誤會 我愛婚姻生活 結過四次婚 Don't get me wrong, I loved being married, been there four times. +問題在於我鍾情於獨身 Problem is I love being single too. +魚和熊掌不可兼得 Hard to do them both at the same time. +人無完人嘛 Well, nobody's perfect. +我唯一成功的就是我的事業 Only successful marriage I had was me and my work. +我16歲時就開始賺錢... +I started making money when I was 16... +...之後就 ...and that was that. +沒有停過 Never stopped. +我比較倒霉 I'll be damned. +我原來想當歷史教授 I wanted to be a history professor. +人無完人啊 Nobody's perfect. +弗吉尼亞告訴我懷孕前 I made it through two months of city college... +我在城市學院做過兩個月 ...before virginia gave me the news. +然後... +And then, you know... +年紀小 黑人還窮 孩子又要生了 ...young, black, broke, baby on the way... +就接了第一份待遇還不錯的工作 Take the first decent job that comes along. +我一直想回去 I always meant to go back +但45年一晃就過去了 but 45 years goes by pretty fast. +時光飛逝 Like smoke through a keyhole. +該死 Shit! +不要睡著的時候給我打嗎啡 真是浪費 Don't give me the morphine while I'm sleeping. +it's a waste. +她可能是想把我們倆都殺了 你說呢 Maybe she's trying to kill us both. +you ever think of that? +贏了 Gin. +你是什麼 魔鬼嗎 What are you, the devil? +如果我已經失去理智了怎麼辦 What if I lost my mind already? +老天啊 不會吧 Jesus, no. +不 不 不 這不是祈禱 No. +no, no jesus, this is not praying. +我只是在自言自語 這是 I'm talking to myself out loud, that's... +你想過自殺嗎 You ever think about suicide? +自殺? +我? +Suicide? +me? +yeah. +沒有 no. +知道了 你是第一階段 Thought so. +stage one. +什麼 What? +有五個階段 但是... +The five stages, but... +否認 Denial. +然後是憤怒 抵抗 沮喪 接受 Then anger, bargaining, depression, acceptance. +所以你現在當然不會想到自殺 So of course you're not thinking of suicide. +你處於第一階段 否認 You're in stage one. +denial. +那你在哪個階段 What stage are you in? +否認 Denial. +想過自殺嗎 And thinking about suicide. +好吧 這只是一個... +Yeah, okay. +it's just a frame of... +看上去你好像不再需要這個了 Well, it looks like you won't be needing this anymore. +-結束了? +-第4個療程 也是最後一個 +- that's it? +- yep, fourth and final. +接下來做什麼呢 What's next? +醫生要先看看所有的檢查結果再決定 They have to run all the tests first, see where we stand. +-要多久 +-需要點時間 +- well, how long? +- takes a while. +我會讓蓋比安醫生安排檢查的 I'll get dr. +gibian to schedule them when I see him. +謝謝 Thanks. +我離下班還有一個小時 還有什麼需要嗎 I'm on for another hour, anything you need? +如果可以的話 我想要健康證明書 Clean bill of health if you got one. +堅持一下 卡特 Hang in there, carter. +我就是這麼做的 That's what I do. +到中心線 上壘... +And line to center, base hit... +將要打三個反彈球 ...kent will have to play it on three bounces... +得分 投球手向後... +...and alou will score. +the throw goes to the back... +啊呀抄近路 天啊 Hit the cutoff man, for crying out loud. +你看 這就是比賽癥結所在 You see that's the problem +沒有基本原則 No fundamentals. +有讀過這本書嗎 Did you ever read the time of your life? +-威廉. +薩洛揚寫的 +-是的 +- william saroyan. +- yeah. +"沒有基礎 完全沒有" "no foundation. +all the way down the line." +當我們長大後... +你在做什麼 When we were growing up... +what are you doing? +沒有 隨便寫寫 Nothing, scribbling. +寫點什麼 Scribbling? +what? +沒什麼 亂寫而已 Nothing. +just scribbling. +當然 這是你想做的 Oh, sure, that's what you wanna do +三壘的人 球偏了點 bounce a slider with a man on third. +現在的這些孩子... +These kids today, they... +戴耳機了 我原來在自言自語 Earphones. +I'm talking to myself, again. +-愛德華? +-醫生 +- edward? +- doc. +感覺如何 How's it going there? +愚蠢的問題 Dumb question. +檢驗報告出來了 I got the test back. +現在就說嗎 I'll just lay it out, huh? +只剩六個月 Six months. +幸運的話一年 A year if we're lucky. +我們有一個實驗性的療程 There is an experimental program that we've been conducting +但不要抱太大希望 and I don't wanna get your hopes up +只是覺得你比較適合來試試看 but I think you would be an excellent candidate +醫生 Hey, doc. +怎麼了 Yes? +你擋住我視線了 You're blocking my view. +哦 Oh. +對不起 Sorry. +如果你有什麼想問的 Anyway, if there's any questions +不管什麼時候 都可以來找我 day or night, you know where to find me. +有一個問題 One question. +當然 問吧 Sure, of course. +卡特 你有什麼要問霍林斯醫生的嗎 Carter, you wanna ask dr. +hollins something? +我其實對錢柏先生的病情不太瞭解 I mean, I'm not familiar with mr. +chambers'... +那就去瞭解一下 Well, get familiar. +我只是想知道我還能活多久 就這個 I just wanted to know how I stand, that's all. +好的 那我先去看看你的病情報告 Sure. +how about I'll go take a look at your chart, okay? +謝謝 Thank you. +愛德華? +Edward? +愛德華? +Edward? +曾經有一項調查 There was a survey once. +一千名被調查者被問到否願意 A thousand people were asked, if they could know in advance... +事先知道他們的死期 ...would they want to know the exact day of their death. +96%的人不想 Ninety +-six percent of them said no. +我我以為我就是那剩下的4% I always kind of leaned toward the other 4 percent. +因為如果能知道自己的生命還剩多少 I thought it would be liberating... +將會是一種解脫 ...knowing how much time you had left to work with. +最好的情況是1年 A year at best. +但其實... +我不是 It turns out, it's not. +想玩牌嗎 You want to play cards? +以為你再也不會問了 Thought you'd never ask. +太陽高高昇起 Rise and shine. +或者這樣 Or that. +讓我看看 Let me see that. +還有 湯馬斯 And, uh, thomas... +打電話給克裡斯蒂拍賣行的瑪麗 call marie at christie's and tell her +這個季度我不去競拍了 I won't be bidding this season. +知道了 I understand. +我不想冒犯你 Uh, sir, I don't mean to sound indelicate +但你要我怎麼處理你的... +but how do you want me to handle your? +遺產? +Death? +就當作你的遺產一樣處理 Treat it as if it were your own. +把所有的錢都留給我的助理? +So leave all the money to my assistant? +去給我買塊杏仁牛角麵包 Go get me one of those almond croissants that I like. +給我挑好的 And don't buy any green bananas. +-你在看什麼 +-這是什麼 +- what are you doing? +- what is this? +-快還給我 +-是什麼 +- come on, give it back. +- what is it? +還給我 Give it back. +地上撿的 我又不知道這是國家機密 It was on the floor. +I didn't know it was a state secret. +我大一時 有個哲學教授 Well, my freshman philosophy professor +給我們佈置過一份作業 關於人生規劃 assigned this exercise in forward thinking. +叫做"遺願清單" He called it a "bucket list." +我們要把一生中想做的事情列出一個清單 We were supposed to make a list of things we wanted to do +-在我們... +-翹辮子之前 in our lives before we... +- kicked the bucket. +真做作 Cutesy. +我列出來的是"成為百萬富翁" Anyway, I wrote things like "make a million dollars" +"當第一位黑人總統" 都是些年少輕狂的想法 "first black president," you know, young man's wishes. +我想重新列一張 但是... +I was gonna redo the list, but then... +"善意地幫助一位陌生人" "help a complete stranger for the good." +"大笑到流淚" "laugh until I cry." +不是要評論 但這也太弱了點 Not to be judgmental, but this is extremely weak. +現在也沒什麼用了 Well, it's pointless now. +我要從反面跟你理論一下 I would argue the exact opposite. +好吧 就這樣 All right. +that's it. +你在幹嘛 What are you doing? +只是稍微改一下 A little rewrite, that's all. +難道你不想去參加舞會 玩玩槍 I mean, don't you want to go out with some balls? +guns blazing? +找點樂子? +Have a little fun? +這可不是關於什麼槍什麼的 It was not supposed to be about guns blazing or anything like that. +你還沒弄明白 You're missing the point. +"欣賞宏偉的景色"這是什麼鬼東西 What the hell is "witness something majestic"? +你有去過喜馬拉雅山嗎 Have you ever been to the himalayas? +"駕駛福特野馬跑車" 這還不錯 "drive a mustang shelby." not bad. +想到一個 去跳傘怎麼樣 I got one. +all right. +how about skydiving? +現在我們有事做了 Now we're onto something. +我們有事請做了? +We're onto something? +-對啊 +-讓我看看 快點 +- uh +-huh. +- let me see that. +come on. +好 Fine. +"親吻世界上最美的女孩" "kiss the most beautiful girl in the world"? +你打算怎麼做到 How do you propose doing that? +大親特親 Volume. +"刺一個紋身" 這就是你的勇氣? +"get a tattoo." is that the sum of your ambition? +愛德華 我寫的可比你深刻 Edward, I've taken baths deeper than you. +比大一學生深刻是容易的 It's easy to be deep in freshman philosophy. +霍林斯醫生怎麼說的 What's dr. +hollins say? +我們只有幾個月了 對嗎 We got months, right? +也許一年 A year, maybe. +你覺得45年過得很快嗎 You think 45 years went by fast? +我們能去做這些事的 We could do this. +我們應該去完成這些願望 We should do this. +不行 我不能 No, I couldn't. +不要擔心錢 我有的就是錢 Don't think about money. +that's all I got is money. +但我不知道... +But I don't know. +I... +你不知道什麼 What don't you know? +我只是打比方而已 It was meant to be metaphorical. +-我只是想試著去處理... +-全是廢話 +- I'm just trying to get a handle on... +- blah, blah, blah. +打比方 Metaphors. +你光說不做 所以才會遺憾 現在機會來了 You're the one crying you never took a shot. +here's your chance. +什麼機會 把自己變成傻瓜 My chance to what? +make a fool of myself? +永遠不遲 Never too late. +你覺得接下來會怎麼樣 What do you think happens now? +我回去 然後聽別人說一大堆 I go back and sit around listening to people +關於融資理財和次級貸款 talking about mezzanine financing and subordinated debt +假裝關心很關心我那些該死的錢 pretending that I care about dead money. +你回到家去為你的死亡準備一個儀式 You go home to some ceremonial procession into death... +在你想安慰大家的時候 ...with everyone standing around watching you die... +他們卻都圍著看你離去 ...while you try to comfort them. +那就是你想要的嗎 被憐憫和憂傷所充斥著 Is that what you want, to be smothered by pity and grief? +我可不想 Well, not me. +卡特 我相信在你的內心深處你也不想這樣 And in your heart, carter, I believe not you either. +我們現在是同舟共濟 這個比喻怎麼樣 We're both in the same boat. +how's that for a metaphor? +我們現在有個很好的機會 We got a real opportunity here. +機會 Opportunity? +即使是對你來說 這麼講也太離譜 That is real twisted, even by your standards. +我們依然感覺不錯 對嗎 精力又回來了一點 We still feel good, right? +energy's coming back a little bit. +醫生說沒事了 Asymptomatic, the doc says. +照我的看法 我們可以躺在這兒 The way I see it, we can lay around here... +期待在某個爛科學實驗中發生奇跡 ...hoping for a miracle in some bullshit science experiment... +或者我們能更進一步 ...or we can put some moves on. +跳傘 對嗎 Skydiving, huh? +太好了 All right. +這是什麼醫院 居然連個醫學博士都沒有 What kind of hospital is this? +there isn't an m. +d. +within a mile. +弗吉尼亞 我們得談一下 Virginia, we have to talk. +醫院怎麼說的 What did they say? +錢柏太太 你們談 我出去一下 Uh, mrs. +chambers, I'm gonna give you two a little quiet time. +請原諒 Excuse me. +情況不太好 It's not good. +我就知道我們應該去加州大學附屬醫院 I knew we should have gone to ucla. +那兒的外科醫生和手術水平都更好 The surgeons are better. +post +-op is better. +-這沒什麼關係 +-你根本不懂 +- wouldn't have mattered. +- you don't know that. +我們絕不放棄 我有其他辦法 We're not giving up. +I want another opinion. +弗吉尼亞 virginia. +請接腫瘤科的維特裡醫生辦公室 Yes, oncology, please. +dr. +veteri's office. +弗吉尼亞 別打了 Virginia, no. +讓我來處理 Let me handle this. +維特裡醫生嗎 我是弗吉尼亞. +錢柏 Dr. +veteri? +virginia chambers. +是的 沒錯... +Yes, that's right... +我要離開一段時間 I'm going away for a while. +你在說什麼 What are you talking about? +我在說愛德華和我要出發了 I'm talking about edward and I are going away. +愛德華和你 Edward and you? +出發去哪裡 Going away where? +我不期望你能理解 I don't expect you to understand. +你說對了 我不理解 You're damn right I don't understand. +我不理解你怎麼能就這樣放棄 I don't understand how you can just give up like this. +你怎麼能就這樣... +放棄鬥爭 How you can just quit... +quit fighting. +-弗吉尼亞 +-為什麼你不和孩子們那樣去說 +- virginia. +- why don't you tell our children that? +當他們發現是你放棄了他們時 看他們怎麼說 See what they say when they find out you've given up on them. +放棄他們 Given up on them? +放棄他們 Given up on them? +我在引擎蓋下面修了45年的車 I've got 45 years greased up under the hood of a car... +那樣他們就不會來要求什麼了 他們確實沒有 ...so that they didn't want for anything, and they didn't. +我想我該給自己一點時間了 I think I've earned some time for myself. +去做什麼 和一個完全陌生的人離開 To do what? +run off with a total stranger? +他不是一個陌生人 He's not a stranger. +我是你的妻子 I'm your wife. +我是你的丈夫 他們的父親 And I'm your husband. +and I'm their father. +他們的祖父 還是一個該死的修車師 And I'm a grandfather. +and I'm a damn mechanic! +你是個傻子 And you're a fool. +你是個認為他會給你指一條 You're a fool who thinks he's figured out +不會得癌癥的路的傻子 a way how not to have cancer. +對不起 I'm sorry. +我丈夫不是用錢可以換走的 My husband is not for sale. +她恨我 She hates me. +你恨我嗎 Do you hate me? +目前還沒有 Not yet. +因此計劃就開始了 And so it began. +我常常害怕坐飛機 I've always been afraid to go up in an airplane +現在我就要在一個瘋子的幻想中跳下去 now I'm gonna jump out of one at the whim of a maniac! +想撿回來嗎 Wanna get it? +你怎麼能建議我們這樣做 How do you suggest we do that? +等等 Wait. +噢 Ow! +見鬼 Damn it. +閉嘴 Not a word. +回到座位上去吧 凱爾 Back to the seat, kyle. +你要原諒我 凱爾 You'll have to forgive him, kyle. +他在擔心家裡的那個女人 he's worried about the little woman. +這和我妻子沒有關係 This has nothing to do with my wife. +30秒後起跳 Thirty seconds to drop. +結局是這樣的 The sequel was like that. +她從未支持過我做任何事 She never backed me up on anything. +結局 The sequel? +我的第二任妻子 The second mrs. +edward cole. +天啊 那個女人恨死我了 God, that woman hated me. +可能是因為你叫她"結局" Maybe because you called her the sequel. +凱爾 我從來沒那樣想過 kyle, I never looked at it that way. +-15秒 +-不 不 +- fifteen seconds. +no, no. +-等一下 我不能這樣做 +-當然可以 +- wait! +wait, I can't do this. +- sure you can. +不 我真的不能 No. +I can't. +really. +你害怕的不是跳下去 It's not the jump you're afraid of. +當然不是 The hell it's not! +你只是在擔心你的降落傘不能打開 You're just afraid your chute won't open +然後你會像個煎蛋卷一樣 出現你自己的葬禮上 and you'll show up at your own funeral as a denver omelet. +不 我真的非常擔心降落傘不能打開 No, I'm pretty much just worried the chute won't open. +不 不 No, no! +他的嗓子不錯 對嗎 Man's got some lungs, huh? +讓我們用降落傘降落吧 Let's hit the silk! +我們是勇士 Geronimo! +哇塞 太漂亮了 Oh, yeah, beautiful! +啊 啊 Aah! +aah! +快拉 快拉繩索 Pull the thing! +pull the cord! +感覺怎麼樣 這才是生活 How about this, huh? +this is living. +我恨死你了 I hate your rotten guts. +向天空說投降吧 Surrender to the void! +這麼多繩索 哪條是用來拉的 Which one of these damn cords do you pull? +別碰他 我們還沒到降落地點 Don't touch it. +we're not in the drop zone yet. +我們可以借助風勢... +we could wind up in the... +好吧 打開降落傘吧 Okay. +let's deploy. +我有種感覺 我在降落 I got a feeling I'm falling +我們到了紅色區域了 拉繩索 We're in the red zone. +pull the cord. +我有種感覺 我在墜入愛河 I got a feeling I'm falling in love +快拉繩索 Pull the damn cord! +我曾擁有愛 I was in love once. +湯米 我們活著就為了某天死去 Tommy, we live to die another day. +我很走運 How lucky for me. +說真的 湯馬斯 記住那遺囑 它離你很近了 No jokes, thomas, remember the will. +you're so close. +我想問你點事情 Let me ask you something. +你是叫湯米還是湯馬斯 Uh, is it tommy or thomas? +實際上我叫馬修 但他覺得那名字太宗教化了 Um, it's actually matthew, but he finds that too biblical. +我們吃點東西吧 快來 Let's eat something. +come on! +他瘋了嗎 Is he insane? +時不時地 Depends. +你決定了嗎 So you decided? +不 我不想要任何 No, I couldn't think of anything +會困擾我永世的東西 I wanted to be stuck with permanently. +還永世呢 我們就要在五分鐘內死去了 What's permanently? +we're gonna be dead in five minutes. +-什麼 +-比喻說法 +- what? +- figure of speech. +不舉同盟旗 不信黑色耶穌 So no confederate flag, no black jesus. +不 我將要... +No, I'm gonna... +去世 當然會 Pass. +yeah, sure. +我向來不主張褻瀆自己的身體 Well, I never agreed to desecrate my body. +你在擔心他們不會把你葬在猶太人的公墓 You worried they won't bury you in a jewish cemetery? +擔心你妻子嗎 What, the wife? +這只是個紋身 It's a tattoo. +這與你在外搞婚外情是不同的 It's not like you're dumping her for another woman. +我從來沒和其他女人在一起過 I never been with another woman. +哇 Whoa. +那個必須要寫在清單上面 That's gotta be on the list. +不 我不這麼認為 No, no. +I don't think so. +66年 Sixty +-six years? +夥計 我們應該來次放縱 Man, oh, man. +we ought to have a big orgy. +不 No. +放縱並不等於是不忠 Orgy's not even being unfaithful. +不 No. +這只不過看上去更專業 It's just, like, professional. +不 No! +我從來沒去過那種地方 I don't even have to be there. +你好 親愛的 Hello, darling. +你要駕駛她還是給她買身漂亮衣服 you gonna drive it or buy it a dress? +只是讓我們彼此熟悉一下 Just getting to know each other. +你確信我們準備好了嗎 You sure we're cleared for this? +當然已經準備好了 要不然怎麼樣 Of course we're cleared for it. +what if we weren't? +只是檢查一下 Just checking. +快 加油寶貝 看看她到底如何 Come on! +tap it, baby! +let's see what she's got. +我們很棒啊 Ah, we're doing just fine. +你聽上去好像小孩要去參加大三的舞會 You sound like some kid going to the junior prom. +你聽上去好像誰正在等待扭屁股的勝利 You sound like someone looking for an ass +-whupping. +扭屁股勝利 哈 哈 Ass +-whupping? +ho +-ho +-ho +-ho. +-你一無所有 +-哈 哈 +- you got nothing! +- ha, ha. +有你就足夠了 快樂的吉姆 加速 Got enough for you, sunny jim, dangling. +開這麼快想證明你雞雞有多能幹嗎 Did you just make a penis reference? +如果我有呢 What if I did? +上帝 你要讓我們兩個送命嗎 Jesus! +you're gonna kill us both! +如果我要呢 What if I do? +見鬼 Goddamn it! +你給我帶來了麻煩 You're breaking evil on me. +麻煩 我給你表演一下麻煩 Evil? +I'll show you evil. +我來給你表演一下真正的飛車麻煩製造者 I'll show you evel goddamn knievel. +嘗嘗這個 膽小鬼 Pick up on this, chicken man! +耶 哈 Yee +-ha! +膽小鬼 哼 Chicken man, huh? +你能跑 但你不能躲起來 You can run, but you cannot hide! +接下去你想做什麼 What do you wanna do next? +你到底有多少錢 How much money do you have anyway? +沒人告訴過你 Didn't anyone ever tell you +議論別人的財產 是件很不禮貌的事情嗎 that it's rude to talk about someone else's money? +這麼有錢的人 我還是第一次認識 I never knew anyone with enough to ask. +很像病房啊 Medicinal. +這是難以形容的美麗 It's indescribably beautiful. +我喜歡在地球兩極上空飛行 I love flying over the polar cap. +在荒涼的上空 Above the desolation. +星星 The stars +是上帝所創造的美好事物之一 it's really one of god's good ones. +你認為是某種生命體創造了這些 So you think a being of some sort did all this? +你不這麼認為嗎 You don't? +你的意思是我是否相信當我仰望天空 You mean, do I believe if I look up in the sky +允諾這個或那個的時候 and promise this or that +上帝就會讓我們挽回生命嗎 the biggie will make all this go away? +不會 No. +那你的意思地球上95%的人都錯了 Then 95 percent of the people on earth are wrong? +生活告訴我 If life has taught me anything +這95%的人總是犯錯 it's that 95 percent of the people are always wrong. +這就叫信仰 It's called faith. +事實上我羨慕那些有信仰的人 I honestly envy people who have faith. +但我自己卻做不到 I just can't get my head around it. +也許你正在努力 Maybe your head's in the way. +卡特 我們聽夠了無數次類似的討論 Carter, we've all had hundreds of these discussions... +但每個人最終都遇到了同樣的問題 ...and every one of them always hits the same wall. +就是到底有沒有神靈的存在 Is there a sugarplum fairy or not? +沒人能夠回答這個問題 And nobody has ever gotten over that wall. +那你信仰什麼呢 So, what do you believe? +我拒絕所有的信仰 I resist all beliefs. +沒有大爆炸之後宇宙的存在 No big bang? +random universe? +我們活著 We live. +我們死去 We die. +生命的車輪在不停的前進 And the wheels on the bus go round and round. +如果你錯了呢 What if you're wrong? +我很高興自己是錯的 I'd love to be wrong. +如果我錯了 那我就贏了 If I'm wrong, I win. +我不確定這樣有沒有用 I'm not sure it works that way. +你不認為你知道一些我不知道的事 Well, you're not claiming you know something I don't. +恩 Mm +-mm. +我有信仰的 I just have faith. +哈雷路亞 夥計 Hallelujah, brother... +不談這個了 ...and pass the mustard. +-你知道他們是怎麼收穫魚子醬的嗎 +-不知道 +-Know how they harvest caviar? +-hit me. +當雌鱘魚被抓住的時候 When a female sturgeon is caught... +漁夫必須注意觀察 她死得是否很安詳 ...the fisherman has to take great care to see she dies peacefully. +-恩 +-只要她感覺到一點點的恐懼 +- mm +-hm. +- lf she feels the least bit threatened... +...她就會分泌一些酸液來破壞魚卵 ...she secretes a sour chemical that ruins the eggs. +聽上去像我第三任妻子 Sounds like my third wife. +她認為蛋黃醬是種出來的 Woman thought mayonnaise came from a plant. +我對此已經習以為常了 I could get used to this. +聽上去也像我的第三任妻子 Also sounds like my third wife. +這30年裡 我常來這裡 Thirty years I've been coming here. +和一個男人來這裡是第一次 First time with a guy. +我很榮幸 Well, I'm flattered. +艾米莉的十歲生日是最美好的 雖然... +Emily's 10th birthday was the best, though. +誰是艾米莉 Who's emily? +我的小... +My little, uh... +她已經不再是小姑娘了 Well, she's not so little anymore. +你有個女兒 You have a daughter? +-但是你說... +-是的 +- but I thought you said... +- yeah, well... +那時我還不認識你呢 i didn't know you then. +長話短說 Make a long story short, +我們不見面的 i don't see her. +你在幹什麼 What are you doing? +現在是時候了 It's time. +-不 不 把它劃掉吧 +-為什麼不去 +- no, no, no. +cross that off. +- why not? +-劃掉它 +-為什麼 +- cross it off. +- why? +為什麼 Why? +沒有什麼為什麼 There is no why. +-你怎麼了 +-請原諒 +- what's the matter? +- excuse me. +你去哪裡 Where you going? +真像個女人 Just like a broad. +喂 卡特 Look, uh, carter... +對不起 我知道 I'm sorry. +I know +有時我有一點傲慢和... +sometimes I get a little overbearing and l... +上帝啊 Jesus christ. +-沒事的 沒關繫了 +-什麼 什麼 +- it's all right. +it's okay. +- what? +what? +上面的導管流出來的 沒什麼 The top on the catheter came loose, that's all. +也許該送你去醫院 卡特 Well, maybe we should get you to a hospital, carter... +-我剛從醫院裡出來 +-嗯? +- I just busted out of the hospital. +- huh? +沒事了 看 已經不流了 我們出去吧 It's all right. +look, it's already stopped, see? +let's get out of here. +看上去很好 嗯... +It looks wonderful. +uh... +uh... +-也許我要去拿... +-我們直接走吧 +- maybe I'll get the... +- let's just go. +-你直接上車去 +-走吧 走吧 +- you go straight to the car. +- come on. +come on. +好吧 Okay, all right. +-湯米在哪? +在哪? +-在客廳 先生 +- where's... +? +where's tommy? +in the salon, monsieur. +噢 天哪 Oh, my. +你到底有多少錢呢 How much money do you have? +我可不會流血到地毯上 Well, I wouldn't bleed on the rugs. +我要找個地方好好洗個熱水澡 I'm gonna find someplace where I can take a nice hot bath. +洗得乾乾淨淨的 Be as good as new afterwards. +是的... +你... +好吧 Yeah... +you... +okay. +好吧 我們都準備好了 好的 okay, we're all set, okay +好了 雖然花了點功夫 但是我都重新安排好了 All right, it took some doing, but, uh, I rearranged everything. +明天去開羅 在坦桑尼亞呆兩天 Cairo tomorrow, tanzania for two days, +然後週六去約翰內斯堡 then johannesburg on saturday. +而且事先聲明 不准鬥牛 不准獵虎 And, as previously directed, no bullfight, no tiger hunt. +湯馬斯 我真的很想說你是不可替代的 Thomas, I'd really like to say you're irreplaceable +但是那是在說謊 but I'd be lying. +我也很想說你真的是個不錯的人 我熱愛我的工作 And I'd really like to say you're a gracious man, and I love my job +但是我 也是在說謊 but i, too, would be lying. +反擊得很合理 Turnabout is fair play. +肯定是跟我學的吧 I believe you learned that from the master. +嘿 過來看 他們遇到危險了 在浴室 Hey, look! +they got jeopardy! +in the bathroom! +電視上的 冒險者 On the tv. +jeopardy! +冒險者 在法國 Jeopardy! +? +in french? +喂 Hello? +是寇爾先生嗎? +我是弗吉尼亞. +錢柏 Mr. +cole? +virginia chambers. +噢 我知道了 嗯 你好 Oh. +yeah. +um, hi. +我幫你叫卡特接電話 Let me get carter for you. +實際上 我是打給你的 Well, actually, I called to speak to you. +噢 Oh. +他還好嗎 Is he all right? +噢 是的 他... +他很好 Oh, yeah. +he's... +he's fine. +我能問下你們在哪嗎 May I ask where you are? +法國 實際上 嗯 明天... +France, actually. +uh, tomorrow... +把他還給我 Give him back to me. +弗吉尼亞 我可以叫你弗吉尼亞嗎? +Virginia. +may I call you virginia? +我不確定我是否可以讓他 I'm not sure that I can make... +別拿他當借口 I'm not asking for his sake. +寇爾先生 Mr. +cole +我這一生的職業就是護士 I've been a nurse my entire adult life. +我親眼目睹了很多人的悲劇 Had a ringside seat to more human tragedy... +我比任何女人承受過的都要多 ...than any woman should ever have to bear. +現在 我早有了丈夫將亡的心理準備 Now, I'm prepared for my husband to die. +我只是沒準備 在他還活著的時候就失去他 I'm just not prepared to lose him while he's still alive. +-霍迪. +杜迪是誰? +-答對了 +- who is howdy doody? +-you got it. +-你來選 +-電視木偶類 400元 +- you pick. +- "tv puppets," for 400. +這兩個提線木偶 These two muppets... +是室友 他們長期在芝麻街節目中表演 ...are roommates on the long +-running show sesame street. +伯特和爾尼是誰 who are bert and ernie? +斯必羅. +阿格紐是誰 Who is spiro agnew? +斯必羅. +阿格紐是誰 Who is spiro agnew? +看來 Well... +你看起來 嗯 ...you're looking, uh... +很愉快 ...buoyant. +這是我第一次躺在一個沒有角的浴缸裡 This is the first time I was ever in a tub with no corners. +是嗎 Really? +嗯 卡特 其實我一直在想 You know, ahem, carter, uh, I've been thinking +剛才導管的事 還有其他的事 what with the catheter and everything +也許我們應該把旅行暫停一陣子 maybe we should put this on hold for a while. +拜託 我不是跟你說了嗎 別擔心 我現在很好 Come on, now, I told you, stop worrying. +I'm fine. +不 不 不是指那個 不是指那個 No, no, it's not that. +it's not that. +只是 我的意思是 或許我會讓你失望 It's just, I mean, if you're worried about letting me down +你知道 畢竟我更可能會死 you know, it's a lot easier for me. +你和弗吉尼亞談過了 是嗎 You talked to virginia, didn't you? +你認為我這麼做是為什麼 Why do you think I'm doing this? +因為我讓你這麼做的 Because I talked you into it. +愛德華 你是很厲害 但是沒有那麼厲害 Edward, you're strong, but you're not that strong. +知道嗎 Know. +自從瑞秋上大學後 我的生活就出現了個缺口 After rachel left for college, there was a hole. +我的意思是 你知道 不再有家庭作業 不再有社團 I mean, you know, no more homework, no more little league... +背誦 學校比賽 ...recitals, school plays... +孩子的哭聲 打鬧 摔傷膝蓋 ...kids crying, fights, skinned knees. +40年來我第一次看著弗吉尼亞 And for the first time in 40 years, I looked at virginia +周圍沒有絲毫吵鬧聲 沒有任何干擾 without all of the noise, without all of the distractions +我甚至記不起來那種感覺 and I couldn't remember what it felt like +那種不牽著她的手逛街的感覺 when I could not walk down the street without holding her hand. +我的意思是 她還是那個我深愛的女人 I mean, she was the same woman I fell in love with, +她沒有變 she hadn't changed. +但是不知怎麼了 一切都變了 But somehow everything was different. +一路走來 我們似乎失去了什麼 We'd lost something along the way. +你明白嗎 You know? +查理. +麥卡錫是誰 Who is charlie mccarthy? +獅子在今夜沉睡 "the lion sleeps tonight" +看 看 看 Look, look, look! +啊哈 Aah! +我很高興當愛德華決定 I was very pleased when edward decided +把單子上的第9條劃去 to eliminate item number nine +"獵虎" "hunt the big cat." +當然 他依然堅持要放幾槍 Of course,he insisted on discharging rounds from the big gun +其實一槍就夠了 One proved to be enough. +你知道嗎 Do you know +唯一一條被閃電擊中的狗 that the only dog ever struck by lightning +就是在這 在埃及 was right here, in egypt? +我真希望我能在被叛死刑前認識你 I wish I'd met you before we were dead. +這樣看來 You know, technically +我們可以劃去兩條了 we could cross off two items: +親眼目睹金字塔 "see the pyramids" +還有欣賞宏偉的景象 and "witness something majestic." +這裡已經很宏偉了 This is about as majestic as it gets. +還是等看到我的山再下結論吧 Wait till you see my mountain. +噢 好吧 Oh, yeah. +你的山 Your mountain. +不過 這裡確實不錯 Still, this ain't half bad. +古埃及人對於死亡有個美好的信仰 the ancient egyptians had a beautiful belief about death. +當他們的靈魂到達天堂的入口時 When their souls got to the entrance to heaven +上帝會問他們兩個問題 the gods asked them two questions. +他們的回答將決定他們能否進入天堂 Their answers determined whether they were admitted or not. +好吧 我想知道 Okay, I'll bite. +問了什麼問題 What were they? +你找到生命中的快樂了麼 Have you found joy in your life? +這個 Uh +-huh. +回答問題 Answer the question. +-我? +-是的 你 +- me? +- yeah, you. +回答問題 你找到生命中的快樂了麼 Answer the question, "have I found joy in my life?" +找到了 Yes. +你的生活給別人帶去快樂了麼 Has your life brought joy to others? +恩 這種問題 我 Ah, this type of question, l... +我不知道 嗯 I don't know, uh... +我不知道別人是怎麼想的 嗯 I don't think about how other people gauge, uh... +你問他們吧 Ask them. +我在問你 I'm asking you. +好吧 Fine. +好吧 Fine. +這麼跟你說吧 Let me put it to you this way. +離婚後 接著我就不再是爸爸了 After the breakup, and the ensuing fleecing of the dad +艾米麗和她母親一起生活 emily went to live with her mother. +你知道 雖想保持親近 但只能假期聚聚 You know, you try to stay close, but it gets down to holidays +偶爾打個電話 寄張生日卡什麼的 phone calls, birthday cards, you know. +總之... +Anyway... +艾米麗上大學了 加入了個拯救窮人 emily goes to college, joins one of her "save the poor people" +動物之類的 the animals, whatnot +遇見了個男人 而且愛上了他 meets a guy, decides she loves him. +那小子長得不錯 有野心 聰明 Good +-looking kid, driven, smart. +但是他有些問題 But there was something about him +所以她告訴我 他們要訂婚的時 我反對了 so when she said they were engaged I told her I was against it +但是不愧是我的女兒 於是 but being my daughter, naturally +她還是和他結婚了 she went ahead and married him anyway. +不用說 她沒有邀請我參加他們的婚禮 Needless to say, I wasn't invited to the wedding. +你肯定很傷心 That must have hurt. +你這麼認為 You think? +他第一次打她 她來找我 First time he hit her, she came to me. +我想打爆他的頭 I wanted to bash his brains in. +她阻止了我 She wouldn't let me. +說她愛他 這不是他的錯 他只是喝了點酒 Said she loved him, said it wasn't his fault, he'd had a few drinks +是她先惹他的 she was the one picked the fight. +他第二次打她時 她沒有來找我 Next time it happened, she didn't come to me. +前妻告訴我的 很高興又聽到她的消息 The ex told me. +nice to hear her voice again. +你做了什麼 What did you do? +盡為父所能 What any father would do. +我把他擺平了 I took care of it. +我找了個傢伙 他找了個專門處理這類事的人 I called a guy who called a guy who handles these kinds of things. +我不知道他說了什麼 做了什麼 I don't know what he said, don't know what he did +我只知道他沒有殺他 all I know is he didn't kill him +我女兒從此再沒有他的消息了 and my daughter never heard from him again. +她怎麼反應的 How did she react? +你無法相信他直呼我的名字 更糟的是 Called me names you wouldn't believe, and worse +她說對她而言我已經死了 Said I was dead to her. +我不為我所做的事情感到驕傲 I'm not proud of everything I did +但是我很肯定 要是能重來 我仍會那麼做 but I'm pretty sure I'd do it all again +如果他們因為我女兒恨我 so if they don't let me into egyptian heaven +而不讓我進入埃及的天堂 because my daughter hates me +我猜他們確實會這麼做 well, then I guess that's just the way it goes. +不管怎麼說 算是回答了你的兩個問題 However you answer your two questions. +我們怎麼從墳墓下去呢 How do we get down from this tomb? +皇后是莫臥兒帝國第5位國王 沙. +賈漢的妻子 The empress was the wife of shah jahan, the fifth mogul emperor. +雖然是包辦婚姻 但是他們深深愛著對方 Although it was an arranged marriage, they were deeply in love +在他們第14個孩子出生時她死了 and remained inseparable until she died +而他們的感情至死不渝 giving birth to their 14th child. +介意我叫你雷嗎 Do you mind if I call you ray? +大多數人叫雷 Main man ray. +你有在聽我講話嗎 Are you listening to anything I'm saying? +當然 Absolutely. +14個孩子 我聽著呢 Fourteen kids. +I'm with you. +這個建築耗費了20,000個工人22年的時間來建造 It took 20,000 volunteers 22 years to complete this structure. +這裡的一切都是賈漢親自設計的 Every square foot designed by the shah himself. +所以那是真愛 So that's true love. +那是真愛 That's true love. +肯定很幸福 Must be nice. +也許我會把這整個買下來 Don't know if I buy the whole "20,000 volunteers" business. +安排葬禮讓我很苦惱 Funeral plans tend to confuse me. +確切的說 是土葬好還是火葬好 Specifically, buried or cremated. +土葬吧 Take buried. +雖然我知道這無關緊要 但是我有幽閉恐懼癥 Now, I know it shouldn't matter, but I'm claustrophobic. +如果哪天我在地下突然醒了 沒有人聽到怎麼辦 What if I wake up underground and nobody can hear me? +他們還會生產那種內置鈴鐺的棺材嗎 Do they still make those coffins with the bells? +嗯... +我估計沒有了 Uh... +I don't believe they do. +那火葬吧 你打算怎麼處理那些骨灰呢? +Then cremated. +what do you do with the ashes? +把他們埋了還是撒了? +把他們放到架子上? +Do you bury them, scatter them, put them on a shelf? +扔進恆河順流而下找個安樂窩? +Float them down the ganges on a bed of flowers? +如果我感覺到火焰怎麼辦 What if I feel the flames? +但是我確定我會火葬 Well, I definitely want to have myself cremated. +也許我們應該像華特. +迪斯尼一樣把自己冷凍起來 Maybe we should go frozen like walt disney. +不好 還是火葬吧 No. +cremated. +把骨灰放到鐵罐裡 埋到風景秀麗的地方 Ashes put in a can, buried some place with a view. +鐵罐 嗯? +A can, huh? +是的 我不喜歡骨灰盒的說法 Yeah. +I never liked the sound of the word urn. +是嗎 難道你對地穴有特殊的感覺? +Really? +got any special feelings about crypt? +- +- +- +- +-====翻譯===== +- +- +- +-- 蕁香 卓為水蒙 蜀山天狼 Yancey 呂黎 校對: +小門柴 +嘿 沒有 Heh. +no. +沒有 對我來說一個舊的"巧克福納"牌咖啡罐就足矣 No, an old chock full o'nuts can will do me just fine. +"巧克福納" 天堂咖啡 Chock full o'nuts, "the heavenly coffee." +朋友 好的咖啡甚至是花錢都買不到的 Better coffee even your money can't buy, my friend. +別拿這打賭 Don't bet on it. +噢 好吧 Oh, right. +魯哇克香貓 Kopi luwak. +你為什麼不喜歡魯哇克香貓咖啡? +What do you got against kopi luwak? +跟我的品味太不搭了 Too fancy for my tastes. +噢 是的 對我的好搭檔"雷"來說 是很不搭 Oh, yeah. +too fancy for my main man, ray. +-陷阱 +-該死 +- Gin. +- goddamn it. +牌都被你拿光了 You get all the cards. +寶貝 這就是中國 This is china for you, baby. +太棒了 Whoo +-hoo! +yeah! +如果我們可以登上去看的話 肯定很壯觀 Be a lot more majestic if we could see it. +看到那個老女人了嗎 See that old woman? +真奇怪我們竟然會比她先死 Odds are we're gonna be dead before her. +想開點 Happy thought. +當然 如果有來生的話 Of course, she's probably got reincarnation going for her... +她很可能會去轉世 ...however that system works. +啊 佛教徒相信他們會不斷地轉世 Ah, the buddhists believe you keep coming back. +此生的所為 會決定他們上天還是入地 Moving up or down a level, based on how you lived your life. +瞧 這正是我所不明白的 See, that's where they lose me. +我的意思是 一隻蝸牛要怎樣做才能上升一個境界呢 I mean, what would a snail have to do to move up in the lineup? +用粘液畫出完美的軌跡 Lay down a perfect trail of slime? +要聽壞消息還是更壞的消息 So shitty news, or really shitty news? +A 第一個 A, the first one. +暴風雪要來了 There's a storm up there. +那謝謝你的提醒 湯姆 Well, thanks for the bulletin, tom, +我們現在沒看到那該死的 we can't even see the goddamn thing. +他們不會讓我們上山的 除非天氣變好了 They won't let us fly up until the weather clears. +那天氣什麼時候會變好? +when do they expect it to clear? +嗯 明年春天 差不多吧 Uh, next spring, sometime. +如果你們想知道的話 這就是個那個更壞的消息 That's the really shitty news, in case you were wondering. +好吧 那下次吧 Well, maybe next time. +只能這樣了 Yeah. +明年春天 Next spring. +我們現在幹什麼呢 So now what? +也許你的山在告訴我們某些事情 Well, maybe your mountain's trying to tell us something. +什麼意思 What do you mean? +也許我們離開的夠久了 Maybe we've been gone long enough. +離開的夠久了? +離開誰夠久了 Gone long enough? +gone long enough for whom? +噢 不 我明白了 Oh. +no, I get it. +山不是告訴我們該回去了 The mountain isn't telling us it's time for us to go home. +山是讓你告訴我 The mountain is telling you to tell me +我該回去了 是嗎 it's time for me to go home, right? +-是的 +-一派胡言 +- yeah. +- you shit. +你為什麼不管管你自己 Why don't you worry about your life, +我們各擔心各的 懂嗎 and let me worry about mine, okay? +好的 好的 你沒必要跟我發火 Okay, okay! +you don't have to get chippy with me. +-下一站是哪裡 +-下一站 香港 +-What's next? +-next, hong kong. +一套絲綢衣服 還有黑核桃仁冰淇凌 Silk suits and black walnut ice cream. +西藏人管他叫"修馬魯瑪" 雪的女神 Tibetans call it chomulungma, "goddess mother of the snows." +實際上是 宇宙的女神 "goddess mother of the world," actually. +根據傳統西藏語翻譯 In the traditional tibetan translation. +我認錯了 I stand corrected. +一杯加州葡萄酒 謝謝 Pinot noir, please. +我想你肯定去過那了吧 I take it you've been there? +呃... +呃... +嗯... +實際上我剛從那過來 Uh... +uh... +um... +I just left, actually. +我們打算要爬上去的 但是沒有 We tried to go up, but it wasn't... +你已經錯過了登山的季節 You're a little late in the season. +他們也是這樣告訴我的 So they tell me. +-我叫安婕列卡 +-噢 我叫卡特 +- my name's angelica. +- yeah, carter. +很抱歉 很唐突地問一下 I'm sorry if this sounds terrible... +爬那麼高的山 你的年紀是不是有點過呢? +but aren't you a little developed in years to be running up a giant mountain? +過 你是說我的年紀大了吧 "developed," now that's certainly one way of putting it. +其實我去上去過 Well, I've been up there, you know. +-是嗎 +-是的 +- really? +- mm +-hm. +在我們必須返回之前 我爬到了26000英尺高 I made it to 26,000 feet before we had to turn back. +-真的? +-當然 +- really? +- mm +-hm. +感覺怎麼樣? +What was it like? +好冷 大部分時候 Cold mostly +白天 天空黑壓壓的 During the day, the sky is more black than blue. +因為空氣太稀薄 不能反射陽光 There's not enough air to reflect the sunlight. +但是在夜裡 你從來都沒有看到過那麼多星星 But at night, you've never seen so many stars. +看上去觸手可及 耀眼奪目 Seems like they're just out of reach, and so bright. +就好像是天堂地板上的一個個小洞 They're like little holes in the floor of heaven. +-你聽到了嗎 +-聽到什麼 +- did you hear it? +- hear what? +我讀過一個人在山頂寫的描述 I read an account of a man who made it to the summit +當你站在世界世界之巔 and standing there at the top of the world +他經歷過這種異常的寧靜 he experienced this profound silence. +就像所有的聲音都靜默了一樣 It was like all sound just fell away. +這就是他聽到的 And that's when he heard it. +什麼? +What? +大山之音 The sound of the mountain. +他說他好像聽到了上帝的聲音 He said it was like he heard the voice of god. +我以前從沒這麼做過 I've never done this before. +這聽起來真是迂腐透頂 That sounds like such a cliche +不過我樓上有個房間 but I have a room upstairs. +那真是... +Well, that's... +我是說... +I mean... +我... +I... +我很榮幸 I appreciate that. +但你看... +But you see... +她真是個幸運的女人 She's a very lucky woman. +我寧願我比較幸運 Well, I rather think I'm the lucky one. +做得好 Good for you. +湯姆? +Tom? +等你老了以後 記住三件事 Three things to remember when you get older +得有一間浴室 Never pass up a bathroom +不要浪費每次勃起 別相信那些屁話 never waste a hard +-on, and never trust a fart. +等我老了以後我會記得的 I'll keep that in mind as I approach decrepitude. +嘿嘿 這就對了 Heh +-heh. +that's a good one there. +我們回家吧 Let's go home. +你說什麼 Excuse me? +我想現在回家 I want to go home now. +但我覺得... +那真絲西裝怎麼辦? +But I thought that... +what about the silk suits? +你怎麼知?? +帽子不错 汤姆 夏洛克·福尔摩斯 diff --git a/benchmarks/haystacks/opensubtitles/zh-sampled.txt b/benchmarks/haystacks/opensubtitles/zh-sampled.txt new file mode 100644 index 0000000..8368dfc --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/zh-sampled.txt @@ -0,0 +1,30000 @@ +受到外国压迫的国民 +你是谁的老婆? +我警告过他,对不对? +展示我们英军士兵的能力. +要么毁掉大桥,要么毁掉自己. +在那一天,上帝保佑,我们全部回到自己的家乡 +你会对自己在这里的工作感到自豪. +现在我明白了一件事, 永远不要站在女帽店外向里张望。 +- 沃尔太太,你爱你的丈夫吗? +- 我们? +嘿,爸爸! +要咖啡吗? +他说自己从来没疯过 +为自己的祖国而亡已经够惨了 +中尉? +这里用现在时,不是过去时 +要不要抽支烟,中尉? +战争真有趣 +离家之前,我对世界有一个构想... +我只喜欢大型车 +是的, 这是一种责任,你知道? +強心劑 沙利給了我不少激動的信 +你吻他呀 你別害怕 我沒有傳染病 不過是風癱罷了 +有一件重要的事想麻烦他 +没错,是精神! +很高兴能卖飞机给你 但驾驶应该由我们来选择 +是纳塞河 +对不起,请问办公室在哪? +离三明治远点 否则我吃不下去 +快跑 +我们再整一次. +我让Shannon开火, 但是他说不想引发战争. +听说你今天用这玩意儿练习投放. +哈灵顿 埃尔希·桑顿有权利当校长 +罗德尼发现了它 +是不是? +我女儿是带着麻烦回家了... +.我要给你唱首歌 +乔伊,老板要见你 +-等一下,先生... +哦,梅尔 为什么你不告诉他是你干的? +自己弄喝的 为何? +亚莉 +什么? +为什么? +而是为了就像一个孤独的海盗一样在此邀游 +―早! +然而她坚持了 +佩恩 +他们自己千得满好的 +真的吗? +―什么女孩? +我们可以建个房子 我就跟你们住在一起! +- 听着,Paris,你在听吗? +我已经14年没见过他了 +我要是那孩子 我会另找律师 +真有意思,他居然能找到 和那男孩买的一样的刀子 +他们想毁灭我们! +...把这个男孩送上法庭 我们抓住他了 +你们... +在法庭上! +ﺎﻘﺣ +ﺎﻧﺪﻋﺎﻘﻣ ﺬﺧﺄﻧ ﺎﻧﻮﻋﺩ . +- ﺭﺎﻤﻟﺍ. +- ﺔﻴﻧﺎﺛ 15 ﻝﺎﻗ ﻞﺑ. +- ؟ +真正的事实是 那孩子一直待在家里 +我用的技巧跟别人不一样 +假设你真的可以 说服我们每一个人... +没有人认得他 他的名字也没有上过报 +我跟你赌五千块 我可以记得我看过的电影 +星期一晚上 我跟我太太去看电影 +我搞不清楚你们这些人 +思想端正 行为高尚年轻人 +没有 先生 我看不到任何人 +"我上次布道后 法官赞同给我减刑 +不 先生 我只待在这等到外公出狱 +{\fnSimHei\bord1\shad1\pos(200,288)}阿瑜,你的委屈難道我不知道? +{\fnSimHei\bord1\shad1\pos(200,288)}有什麼好? +{\fnSimHei\bord1\shad1\pos(200,288)}愛情是愛情,道義是道義 +{\fnSimHei\bord1\shad1\pos(200,288)}當然 +我不喜欢这么被摸,你去哪了? +我在办一个小聚会,就像有钱人一样 +- 白兰地,丹麦来的 +罗拉 所有东西都用粉红色 +我被教育不该表达自己内心 +你做的正合我意 +我们想说的是 拉斐德 我们来了 +我要为你负责的 共鸣学家 +-压轴表演 +你很开心 +-不如我稍后回来 +己所不欲 勿施于人 +我们需要什么呢 +不错的爱情诗歌 +或许我有一点多愁善感 +对 是古董 就像它的主人 +我想 是 +一个像你一样有吸引力的女孩子 +敲诈吗? +-SidneyFalco办公室 +给他信任 他的瑕疵也是华丽的 +今晚 來自每個行業 Tonight, every talent +That wasn't in rehearsal. +- Oh, no! +斬斷羈絆讓我走 Cut the strings and let me go +開玩笑嗎? +我有一種成就感 +除非在明天上午以前支付 +你爱我吗? +我们听见有人在吵架? +不想再麻烦您了 +请查问以下这几位即可 +我猜他们还没捉到他! +受害人罪不至死 +-+ +-^ = 波拉之恋 = ^ +请你吃云吞面好吗 +讲起来很容易 其实不简单 +今晚不行 +这些费用等以后拆账时再算 +that means he's the one who distributes the cards at tables就是专门为那些去赌纸牌的客人发牌的人啊 +不要担心 +谁有尖叫? +I felt like jimmmy was protecting me 也许这一次就是新一保护了我 +What's the matter? +Three months ago 三个月以前 +妈咪... +那边有小白兔、鸭子什么的 +而事实上你有没有揍他呢? +你叫老大就是了 +你的VCD厂的生意不错呀 +拜托你们... +为什么他们要联起来害我? +请问你在那里? +眉叔又坐牢 +我永远都不会卖它 +问我是否要帮忙,我只是站在那... +偷闯入试验室是他的好运 +不. +-嗨,玛丽 +記住 如果你要我來接你 +或者老是在工作 每次都說改天再聊 +好 我準備好了 +法文 +女兒們 +You wanna know the real difference between us? +不会吧 +你一定会喜欢的,相信我 +你有些地方变了Hal +00: +去年圣诞节上的吸血鬼 +~ We say good +-oa ~ +一切都好,今天会下雨 +刘易斯: +没有。 +我知道,贝丝。 +不错,我赚了不少钱 +- 嗯 +我很快就回来 +我答应你 +- 比利,听我说... +现在我已不再想那件事 +我说什么? +我不舒服 +再来,二,二,二 五,六,七,八 +一,二,三,四 五,六,七,八 +我可以喝杯水吗? +因为他经常都只想给我吃面包 +知道他们为何叫你傻仔吗? +- 珍? +# Though you say # +我想和她谈谈,我想也许她能帮我找到他 +- 是的 +我明明记得... +带领我们 +球不见了 在他的手中 +拯救我们 +听我们的呼喊,拯救我们 +我来休假的 +没有, 你把试卷交到快递公司 了 吗? +那大概是世界上最难的 几何方程式 了 +没错 一出关于水门事件的剧本 +有什么 了 不起 +谢了, 彩排时更棒 +我该跟古廷根博士打招呼吗? +一切都很好 至少没有人受伤 +尽量早点回来 +快走开 +把錢給我 +你過來 +你告訴我 +来写信喔! +{\fn宋体\fs48\fe134\cHFFFFFF}我饿了 +{\fn宋体\fs48\fe134\cHFFFFFF}等明天吧 +{\fn宋体\fs48\fe134\cHFFFFFF}我们待会再谈 +{\fn宋体\fs48\fe134\cHFFFFFF}我不能退你钱 +{\fn宋体\fs48\fe134\cHFFFFFF}不了,谢谢 我要,谢谢 +我叫约书亚方奇奈狄派瓦 +没有吃的了 +别烦他! +戏开幕前想和大家打个招呼 +我不怕你有什鬼证据 +让我研究一下 +带他去吧 +放下武器! +我不相信他或监察部 +丹尼,是我 +他曾救过我两次 +你们敢再来一次吗 +我很激动 +把枪给我。 +佩蒂奇的孙子们来! +艾普顿 +所以别他妈啰嗦了,只管去偷就是 +如果我错了你可以指出来,但这是生意 +这样他就不会找我们的麻烦,因为他知道... +-你和谁? +- 我们车上见,我还要拿枪 +但他真正擅长的还是 +这就是我的两万五千块 +你要多少? +开车30秒,走路要五分钟 +他们不可能全都这么笨吧? +不过半价 +快进去 +这表示我们也不再欠债 +- 我觉得你不太妙 +今天除了打牌的人之外 没有其他人可以进去,懂吗? +再下来是同花顺 同花,顺和一对 +贝肯知道自己在街上 +所以说他还不错啰 +按住 +如果你认为我会以真面目示人 +从来没有人对我这么没有礼貌 +我没碰他,他自己昏倒了 +等我修理完他之后 就会没事的 +被他们带走了 +我们非找到枪不可 +带几把亮晃晃的大刀 +这不是抢劫吗? +还有一大堆钱 +为了五十万? +哎。 +在那里你们一直 +OK,乔希, 但是你错过了, +他是我的男人。 +哦,上帝! +需要任何帮助 移动你的东西 +我们设定! +哦! +库珀: +Just for 10 minutes. +你们最好不要看这里或做什么事,可怕的事情将发生。 +是, 滚. +你有朋友? +是啊! +又来了 +你不觉得吗? +它使我想起自己的耻辱. +- 有意思. +牧师让人说真话 以此使人们得救 +隐藏的事情就是盗窃 +给我一把刀 +这让我受不了 +{\fn方正黑体简体\fs18\b1\bord1\shad1\3cH2F2F2F}杰奇·特里赫姆出品 +我们去打保龄吧 +好吧 到家了 先生 +去那些犹太人集会... +那些把毛巾缠在头上的变态 +喂,那是谁? +你安排今天的聚会 +尊荣? +看起来像香烟 +黑鬼 +鬼才信呢? +给我一点时间 就一小会 +y'all! +他正赶来,怎么办? +你要把人手叫回来 +你怎么老是折磨我? +然后再踢到万里长城 +你很美 +如果你想约我,你得排队... +你要爆破小组支援才找上我 +巴比,你好吗? +卡特 +我以前真是不应该 +不要动 +你想怎样? +我是卡特警探,你会英文吗? +把他拦下来 +先别让这班飞机起飞 +什么? +...餐可以顶三个月吧? +你你你你你... +你知不知道我讲什么? +信不信我砍你? +我会找你的了,去... +你自己问他,他来了 +但我想我和David都不会多见面 +有点私事跟你谈谈 +今天居然齐集在此开派对 +大就要让他看的吗? +还有什么事吗? +我是42分局的柯警员 +忙了一整晚 +每个记号上站一个人 +你的花样真多 对吧? +皮肤这么嫩 +随便你怎么说 +艾力克 +从那天起, 他们从来没有分开。 +秋季! +- 读取交友? +的... +你能不能稍微整理一下呢 +{\fnSimHei\bord1\shad1\pos(200,288)}那麼我們連功夫這兩個字也不配說了 +{\fnSimHei\bord1\shad1\pos(200,288)}愛一個人是沒罪的 +那是谁? +局里的人干的? +他要拿回去 +-干得很好 +什么事? +- 好,到了以後我会打电话给你 +抓住他,不准让他逃脱 +「微处理――全球科技X +艾伦,怎么回事? +在那里 给你找到了 +你第一次坐材车? +其实,本地的更实惠 +都我来付钱,怎么样? +你一定要去见他吗? +加点糖 +不是我们叫的车吗? +对,从雪岳山掉下来死了的那个女人 +我安置好了他们 管理这组人的那个人 +它的翅膀 +奥尔 留心他们好像很危险 +有人会照顾你们 +挑选角色: +我想当个律师 +身份危机 +我还见过他一次 +他在演出吗 +女士们先生们 +不是 不 不 不 +伤了我的心 +你在美国最想见谁 +如今我多希望那就是永恒 +- 这是一个俱乐部? +再見 過來,你這個癮君子婊子 知道為什麼他們叫他瘋子嗎? +躺下睡一会吧 +苔丝 +它们全部似乎都在说"当心我" +有吗? +我现在的工作算自由业 +我的工作是这样子 +如果有一个开关,开启对了 +我想每一个人 +会伤心,所以我觉得很残忍 +每天看人家的信,真好笑 +好,是因为我们有 你谈到了一年。 +LN从某种意义上说,是的。 +- 我把旧牙刷扔掉了. +- 什么事都没有啊. +你根本没有听. +. +她女儿也是同性恋,而且她还很为此自豪呢. +- ** [音乐继续 ] +- 噢, 上帝. +. +- 不用. +3.318... +. +喂! +是粉红色的? +他公然挑战我 +-她是你妈妈 +马德兰先生关心他的工人 +明天我们不"行动" 我们要革命 +去吧 +天啊,痛死我了,我快要死了 +来吧 +那小伙子还活着,派员去找他 +我们奉命找你... +不! +它外皮组织改变了 +你也能这么美 +你不吸,就是逼我开枪 +有很多理由可以解释发现尸体 +该你,狄莱拉 +但这次的传言 +智子 +而只是贞子的怨愤 +嗯 +谢谢 +去年春天 +我该从哪里说起? +而他不再属于这 +嘿,谢谢你今天救了我 +他是中国跟日本的混血儿 +就好像你跟富春搭档的时候一样 +喂 +我听你提过 +你也打算杀富春吧 +- 来, 亲爱的 +找出我们生活中所有可能被别人利用的东西 +我收到了很多你的信息 +- Jennifer, 看看谁回来了! +-哦, 对, 对 +真他妈的难以置信! +只是为了辩论 +看看而已,不用... +先来念念手太阴肺经里面 几个主要的穴道 +上去哪儿? +要远行吗? +- 已安排通道给我们 +- 你父母会怎么做? +警察说 +如你有家庭或爱情问题 +- 我不能坐视不理 +我没什么要跟你说的,再见 +- 那你是个好朋友 +我本來把健吾的口袋,當成一輩子停泊的港灣 +健吾,小時候你最喜歡什麼童話? +你只会叫我不要生气 +我怎么会怪姐姐呢 +你自家要有打算,已经五十几岁的人了 +但却全身一阵痉摩 +是不是很累了? +我知道你怕辛苦 +你有一套伟大的原则, 理论 +你在等什么? +我不想隐瞒了 +试想一下 +大西洋城警方的新英雄辛力奇 +我去看看怎么回事。 +收到 +你一只手都能弹赢他! +- 那么,你不是一无是处 +他也许正享用午餐 +这可真是个神奇的故事我是不是错过什么了? +他们已经关闭了X档案 +放下 +- 没有. +发现了一个! +肯定是 +没错,你会难过几周 +先进来喝一杯茶 请 +有什么关系 +那就喝一杯吧 +你需要一个丈夫 和你的儿子需要父亲。 +不管你做什么, 不说任何关于他的体重。 +嘿! +那么,什么时候你下车今晚? +喜。 +挺。 +嘿,这是怎么回事? +你知道什么,斯特拉? +我想跟你和法庭里的人说 +不好了,我没见过这种病症 +你是个猎人,别盲目追求知识 +花朵已散落各处,它们能杀死病毒 +有如喜马拉雅山般深 +但我知道我必须先得到你的宽恕 +大家用力! +你已经四处游荡了好几个月了. +是的,就是这样的. +{\fnWen Ding Yuan Li Ti\1cH00FFFF} +上帝帮了我们,女皇 +我们已经花了一辈子的时间来等待机会. +- 你应该的. +哇, 两对. +- 我是想给自己多些优势? +- 我还差一些. +- [叹气] 我们说到哪里了? +- 噢,我操. +我实在找不到人帮忙了. +我可不过. +把钱给他. +不复返 +哦, 这样的, 知识是我最好的回报, 先生. +我们注意每一个动作. +-你很清楚那种感觉 +我不拿工作做赌注. +告诉我们还有些什么人, 我们就放过你. +我答应过别人. +嗯,帮我个忙. +他没有开玩笑. +我们注意每一个动作. +-你把钱带来了么? +操,迈克,如果500不够的话,2000怎么样? +我不知道 +给我滚出去. +她几乎快破产了. +那小狗可能吃不消... +巴夫是什么狗? +正想与你谈这事 +你和我? +玛丽 +向你道歉... +竟想起玛丽 +那你要什么? +突然拥出很多警察... +一开口就关不上 +清理那话儿 +与女孩造爱后 +对,杀人凶手 +-脱鞋 +枪枪、波子 +兄弟,别冲动 +去死 去死 +它有点冻 +我知道不能再干下去 +我找他,叫他来带华伦到这里 +快来吧 +老天,装出"快乐"的样子呀! +他们又再逼你? +提高她的信心 +新娘陶醉 以身相许 +我有东西送给你 +我的心事 想不想知 +可是... +我们是你的朋友 不会收你的费的,上来吧 +我们是在做体育报道节目 我们是友善的,没有恶意 +是的,你们做的不错 +那里的住房条件相当不错从这里过l6条衔就可以了 +-让它停下来! +我不会输给你的 +见鬼 +忍受着你这个... +如果在你变成野兽前赶到饭店 那简直是个天大的奇迹 +你把这些这幻药都吃了吗? +我们就先不要谈 那浴室里的恶梦 +―让开! +女士,先生,婴儿,小孩,随便什么东西吧,我可以付' +总是在黎明到来的最后一刻来临 +我没有怕啊... +还另有约会 +有人可能会是下一个. +我们的律师呢? +没有人吃晚饭. +他们分不出来吗? +你没事吧? +我到那里的半路上想着 我在做什么? +主演: +但他们确实没输过 他们老赢 +所以我想请你加入... +你好,巴德,你刚才 为什么没去参加市镇会议? +我叫你住口 +通宵播放吗? +那么 这是德瑞克搞的鬼 +对了,如果经费批准了 +你们帮我个忙 +也失了PN7ET +两种药物都可压抑幻觉 +我早晨会给你打电话,你住哪儿? +不,我不明白,我反应迟钝, 你最好再说清楚一点 +我们怎么好意思连累你呢 +那孩子会死的,约翰 +他在向你处靠近 +在处理好车子之前 没有人可以走,明白吗 +如果你干成了那第三件事 就不会有现在的这么多麻烦了 +一定要把那杂种抓出来 +-你们好 +-没有 +对,上帝的杰作 +绝大部分都说它有益世道人心 +你才吓怕了我 +我们看戏 看厌了虚伪的表情 +检查桌底 +"真人表演"是我全部的生活 +我可能受到別人操縱 +石像看來很小 +你無法為我離開她? +三十四号四楼A座,谢谢 +令括约肌能将废物和毒素弃置 +靠边停 +听好,这是最高机密 +准备输送燃料 +失去控制了 +收到,开始把他拉进来 +卡尔 +你最好听他的话 +或是忘了这项任务的目的 +不知道 +楚门吗? +快走,情况不妙 +我把它带到地上。 +怎么回来了? +我被解雇了。 +我才见到路易丝。 +你也有事要做 我的意思是 你有自己的生活 +北方 北方 +打的睾丸 那就朝那里打 +打中了 打中了 平生第一次射击 +"男人至少也得为女人洗个碗嘛" +不论顺利挫折 +那么谁会去想杀掉沃伦和尼德莱诺斯呢 +实际上 这是一种兰花 春草兰 +还有 相信我这比听起来还要糟糕 +不是贵族 但是志同道合 +世上一定有佐罗的存在 +朋友们 这就是 +那些工人怎么办 +小姐? +- 我真的爱她。 +玩这个游戏需要钢铁般的意志。 +啊,她背负了我啊,她背负了我 +我知道在面临死亡时 +288)}這是他的成就 +288)}你好 +不 不 不 不 我只要见酋长 其他人都不行 +-就叫"Uti"吧 +人生旅程该往何处 +-就叫"Uti"吧 +有一些表演让你笑 有一些会让你尖叫 +-人们太夸张了 +把枪给我 +...迟了两个小时 +...有时让我们不能理解 +只是我们没有她 +' +继续向前, 伙计们! +! +? +托尔斯泰, 明天应该怎么处理这头套? +他说托尔斯泰就要发配走了 +父亲? +快洗,快洗,小子们! +我需要它... +而且我还发现她没穿胸衣! +- 你爱她们吗? +买那种大杯的 +这次的买卖很重要 +你扔到 下水道去了? +我不知道该怎么做 +给我的焊接器? +没什么,这是应该的 +结冰的湖面在你们爪下 +叔叔? +100)\1aH50\K80}泥の河に浸かった 人生も悪くはない +我们捉到其中一个 +怎么赚,狄克? +-我要你把风 +葛兰,这是肯尼,我跟你提过的家伙 +讨个开公司的富婆 +但自从我在院子 捅了那个大嘴巴娘娘腔后 +没事,我只想落跑 +- 晚上外出还是有别的事? +否则,他就会对准戈登先生眉心开枪 +全出去,现在 +你是谁? +小心看路啊,白波! +我是说在你出狱後 +—我和你一起去—在机场和我碰头 +马上 +盖瑞,你做什么的? +我在楼下打到你的房间 +坐下来 +这个行,这个行 +好,你行 +我付钱。 +从上次见面後,很多事都变了 +他可真有一套,复杂的保安系统 +—他不想在楼下见到你—你醉得像婊子 +我肯定他有 +—我们现在扯平了—这儿 +我们不像以前那样聊得多了 +像我这种人! +―他请假一礼拜... +... +你提前了? +当她来探监时,他想见见她 +你觉得呢? +把他打昏,乔 把他打昏,乔 +... +拜托 +100)\1aH50\K30}まだ心のほころびを +如果是赶飞机的话应该还来得及 +这不是茶,而是白兰地 他会喜欢的 +先生,拿好你的帽子 +不,现在就要照 +不行 +你先停一下,我有话要说 +约翰,拜托,别向我吐露心声 +噢... +超级狗来了 +才不是 +我感觉到了,那里 +我看到蛋在动了 +5万卢比,很多,无论如何, 忘记钱。 +我将继续完成Harihar的这项工作。 +你会看到的,我将在两天里做好一切! +-是的,继续... +你的父亲是一位大师, 所以他才戴眼镜! +不幸的是送上门来的 不是夏绿蒂订好的早餐 +"纽约客"的哈洛德奇南 +四个月 +比较起我的新书发表派对 我只是你帐单上的小零头 +你应该留下来 大制片家哈维韦恩斯坦也在 +不去上班? +-她是个斗士,她会没事的 +莎曼珊的朋友就是我的朋友 +我爱你 +-蛋糕呢? +才子佳人来了 +"就是那样,罗伯特,天啊" +理查,欢迎回到泰姬玛哈陵 你好吗? +"麦克、杰弗瑞、艾丽、黛博拉和雷" +顾太太 +那时候,他们家的生意可真是轰轰烈烈 +太好了。 +让她来卑躬屈膝。 +人體對你來說只不過是一些砍開了的 +还有一层半透明而像光学纤维般的中空体毛 +因此海平面也骤然下降百馀尺 +由于冻原限制了植物的生长 +夏日里一个奇迹从海中来临 +确保他的财产在他本人 住院期间不受损失 +下来吧 +我明白, 不过我实在记不得了 这有什么办法啊 +会有什么发生呢? +而且信任我 +乔治 詹姆斯 威尔,戴维 路易斯的朋友 +我不知道你也能被邀请参加这样的聚会 你不知道? +烟 +大部分时间我们会一起听比赛 +- 嗯 +- 嗯,觉得怎么样? +如果你在乎她 我们根本不需要谈 +谢谢你 +实际上我刚刚回了一封134年的情书 +黛布拉 +Scarpula太太也站在你这边 +他们还要用 +泥狗隊! +加油 +真是可爱 +你最喜欢的摔跤手是谁? +我们要赢得一场比赛 你能给我们带来奇迹吗? +教授! +我已经厌倦了没有朋友 +那是你爸爸 +现在,你可以继续享受成为男人的乐趣了 +住宾馆? +接着呢 +Raymond, 你得做点什么 +她多么累 +像广告一样 +是的,只是... +我发现了 +杰克上车 +到劳的时候你就录音 +先庆祝一番 +门给卡住了 +它不会说的 +我在做一个计划 +徽章? +我们相爱了. +"帮我做这个, 哦,是的,宝贝. " 令人作呕. +狗屁,我在流血了. +jsinfo. +你是基督山伯爵 +而且我也不想 在我走后留下什么债 +如果上帝的仁慈是宽广的 +那是过去的事 +为什么? +阿尔贝 +是的 你还在讽刺我 +您喜欢让年轻女子 折磨你 侮辱你 +我这样做是因为 刚才你在怀念可怜的老唐泰斯 +威尔莫勋爵 +请安静! +我射击很准 +不是一个真正的女人 +照我说的做 +为了把婚礼办得更好 +他的财产好像全都赔光了 +你不愿意我死吗 +盛大魔术表演 +太愚蠢了 +我可以走吗? +马克. +快走,快走 +是德埃比勒将军的对头 +可以防止我变疯狂 +损害了我的眼睛 +向谁了解 +将在奥特伊举行乡间午餐 +幹我们这一行 , 就是服务性行业 +不要拉开 +大概吧 +嗨? +而且投球也用右手 +寄生在人类中,怒火爆发出来 +大概吧 +她问我这些干嘛? +请问什么事? +不喜欢 +邪门 +你也玩完了 +五百腕尺蛮长的 阿萨索 +这种前不搭村后不着店的地方 +阿拉姆语翻译出来了 +有何计划? +- 不,真的吗? +- 你还太小. +伊琳会去参加聚会吗? +- 稍等一会 +嘿,我不是有意的 不,不要走 +没人像她伤我那么深 +我不想和你在一起了, 我们完了,你可以滚回家了 +噢 +你要去哪? +我从你爱的人手上夺走你 +等等,爆胎了 +多谢了,谢谢你的辛苦 +是吗,史考特? +减少。 +这狗屎让我偏执。 +喔! +放松。 +是的,我们做丰胸手术。 +- Oh, that's very... +-hour window. +很好的讯息 你该趁这个机会跟他讲清楚 An excellent message. +-Sea will probably try a rescue, but without a beacon to hone in, +顾虑东顾虑西的人 +小猛 +老是让我喝那些 我会爆发的 好! +那样便停下来啊! +非常感谢,殿下 +你要宣布你选择哪位姑娘与你订婚 +恐怕我得说,尊贵的小姐 你有点自相矛盾了 +也许是个圈套 +所以你要在40秒以内 把那炸弹装到驾驶舱里面 +是的,我们走吧 +聊些什么 +她叫西西莉雅凯莉,很棒的女人 +充满了各种缺点 +学校还好吗? +你还在啊,肥艇? +我能怎么办? +干! +没碰过这种老师 +他们不在家在办公室或在俱乐部 +我会帮助他们。 +如果你只去几天 而不全去 他们就会想 +- 你好 Jan Schlichtmann +是分道扬镳的时候了 +定宣判日吧 +- 不好吗? +呃,嗯,我可以给你慢慢讲... +知道我失败的地方,如果我卷入这些人之中... +我们真要做的太激烈的话 +别忘了进货" +不要担心,他没有看到你。 +哈利·巴伯, 区检察长万里草原。 +对于初学者来说,斗牛犬,唐纳利 是一个前警察,还是你不知道吗? +- 传真为哈达威小姐。 +我的判断是糟糕,因为它曾经是。 +什么都没有! +先生Malroux,我讨厌这样做, 但它是非常重要的。 +... +我不明白你为什么要这么做 +蒋先生 +该死! +是吧,有警察帮我们看门口,慢慢喝 +哦,是的,那。 +来吧。 +这个地方太拥挤。 +您进入您之前最后的测试 河童兄弟是个很微妙的。 +- 哦,嘿嘿 +代理所有酷 看看你更高活着的话 +托裏亞,起來! +别想抵赖 小雅都看到了 +{\fnSimHei\bord1\shad1\pos(200,288)}啥子嘛? +{\fnSimHei\bord1\shad1\pos(200,288)}那個時候他們藏子打冤家 +{\fnSimHei\bord1\shad1\pos(200,288)}甚麼鞋呀? +{\fnSimHei\bord1\shad1\pos(200,288)}我問你呢 +他们是我朋友 +我舞跳得不好,但 +快离开 +登船桥设置完成 +又能找出回家的路 +时光门开启成形 +你认为一个小孩能挽救世界吗? +这孩子太喜欢表现了 +这么多年后 +-04 +如果... +很高兴看到大家 +到周日中午 那得赶快 +我知道今天几号 +不知道... +周一上午就有答案,还得想想 +来,坐下 +这个,从后面. +说塞缪尔・伦巴多强奸你? +哦,凯利... +刚刚到达的是,桑德拉・范・赖安... +照看好我的蜥蜴,好吗? +...是在你用葡萄酒瓶当敲死小苏西之前还是之后? +好吧,我现在有个测试题来问你 +还是只有男孩可以? +那个混蛋敢对我女儿做这种事, 一定是在发昏 +-这么说只有你一个人 +伦巴多 先生会得到应有的惩罚的 +...然后我们骑在他的屁股上面直奔银行 +别说你不知道他是什么人? +凯利? +...我已经对银行讲过但他们说, 需要两个工作日... +-这个东西? +- 那都是你们警察的废话. +能把这件事揭穿的,只有我们. +我们胜利了. +你知道吗,有些事你想错了 . +Sandra Van Ryan 筿杠т Sam. +, и㎡, 琎ぱ玡... +Baxterネ, ぃ璽砫硂ン. +êセㄓ赣琌и. +当然,不是非得今天说, 什么时候都行 +- 不 +- 你没必要道歉 +当时我在学习工程学... +谢谢 +- 还没轮到你 +你别太着急 +罗伯特 +我是说... +我就是知道 +你的l3岁一去不复返了,妈妈 +你在默默地想什么? +事实上,现在你并不适合来看他 +- 啊,是啊! +- 你认为她们会开4O英里的车,到镇子上去吃汉堡包? +我知道, 我知道 我非常喜欢和他说话 +没事 +对, 但你应该跟着去, 不是吗? +蚁国的劣等蚁在地底下 +有些蚂蚁说我是怪胎 +Yes, well, I'm afraid this is a private function. +- Get moving. +少来了,昆虫乐园? +我保证会带你回蚁国 +"黑暗的乌云终于散开来" +慢着,我们太卤莽了 +把土挖起来,搬过去 +我是哪根筋不对敢跟他顶嘴 +很好,挥手 +什么时候成立的 +-你怎么知道? +不! +没有 +-你奉命要与我分享 +你会害自己得疝气的 +你觉得有趣吗? +只有我的记忆 +好吧,但我们那里见,北洋大街1115号 +嘿,我刚刚给你打了电话 +你认识他吗? +你来这干什么? +我知道 +那不是爱 但确实是联系在一起的 +把那个纸袋拿出来. +库珀 +进去吧 +你可以继续 +Besame +拉诺干得不错 +每个艺术家都有义务去巴黎... +臭小子,出來! +你看! +不! +某人在我家樓下等我,我不想看見他 +是一輩子,不是你想像的簡單呀 +是接你,不是揍你 +-什麼時候? +是的,先生 +因帳單而起的口角 +"... +她的伴护,小姐乡间的表亲 +...茱莉叶和他的罗密欧... +是的,我知道 +厄尔! +那个不守本分的贼作家在哪? +听着,奶娘 +我的男主角会是怎样的? +-我不知道 +火箭,OK? +什么? +嗨,亲爱的 +对不起,我想还你的! +下贱! +大便呀! +做个样子吧了 +有货车向这边驶来,跳下去吧 +你挤出一个龟样子哩 ! +伟大吧 ? +对不起呀 +从来没有人敢对我这样说话 ! +所谓一山还有一山低,, +你都算是好老大了 +CALL我那么急干什么? +不要搞我行不行? +好 +一天要一万多块 +可恶 +很糟糕 +幸好我没投你一票 +别再射了! +噢,吉姆,吉姆 +我不能让你这么做 +他干嘛这么做呢? +-应该就在附近 +肯尼! +吉姆! +水再超过警界线的话 +对不起,让你失望了 +- 所有七岁月高中。 +- 而人们喜欢这样做。 +我听不见 事情从低到地面。 +然后你要告诉我 你那伟大的爱情 +哦 是啊 +女人也没有 +而他却从没有在 周四晚上他妈地值班 失去任何的睡眠 +是的 +特伦特 我没有精力浪费在 这件事情上 +不! +是啊,小不点,你知道什么? +噢,你们赶快来看看这个 好棒! +真的很抱歉 +我真的认为 +你们一晚烧我两次 +好痛啊 +制片 麦克柯莱顿安德鲁华德 +我是心理学家 +目的地是一千尺深的深海基地 +你知他在做什么吗? +是什么意思? +哈里, 咱们上哪儿去? +那并不是不可能如果这艘太空船 是来自一个外星文明. +就在太空船被发现之后, 海军把他移到这一区... +我们有足够的食物, 空气 和 水... +嘿, 这儿正在下雪. +你看到它们了? +爱因斯坦, 相对论, 26 岁. +担心会不会一觉醒来 +走吧 +垃圾? +我听到了 +可每次试验都会引起电打火 +就在你右边 +看见那些药和针了吗? +那些外星生物干嘛要杀我们? +你是说它迷路了? +天啊 +(我感应不到泰德) +餐厅内有一大堆食物 +六百一十,诺曼,你信教吗? +太恐怖 了 , 因 为你不知它是真的 +我把海蛇放在里面 +是谁显现 了 它们 ? +09: +我在控制室的通道! +大家听好 +难道他们找到翻面的手套? +黑色的帆布袋 +他开一辆银色雪佛兰车 +尽管吃,郡政府请客 +听好,让我说话 +你说什么? +27针还不"算什么?" +- 我能相信你吗? +Walsh小姐? +可以了 +三街和四十二街附近 +卡斯摩,我知道,可是... +他开一辆银色雪佛莱车 +你杀死了那两名探员 +我会想出说词 +一个来自库斯湾的孩子... +他需要消耗比其他人更多能量 +我才不在乎 (《乱世佳人》的两句台词) +每个人都有想要的东西 +没有低语激情 +你过着什么样的童年啊 +我会永远是你在咖啡店遇到的乔 +-这让你很满足,不是吗? +可是我喜欢他看我、和我说话 +一点也不 +国王像雪一样白 +然而,像是老鼠 却普遍受人厌弃 +我有这种预感, 我觉得会成功 +但何需来要求我的许可? +没错,我这有所有 你们需要的文件 +轻松点 +四天前又做过一次 +在驾驶舱,上厕所。 +你听不见吗? +你说啊 施罗姆。 +拜托你们找别人干吧 +-你吓死我了! +"老师诱拐学生" +你还爱着你的老师? +有些女人一辈子都不会老 +甚至两小时 +比方说四十瓶 +玛嘉俐要星期才开始 +我很喜欢她,一起来? +我不是一直住在乡下 +对不起,数字我记不住 +不过她对我没兴趣 +嗨! +是妇功 妇功意思是服从 +送一点来 +李翔 +代表美丽 +她火气这么大干嘛 +该在哪里报到 +如何 +你要我清晰 我便会变得清晰 +你没消失 +没有规定 +医生,葬礼完了 +如有目的,这就是目的 +看你在水上 +走过对岸就是 +-为我 +爸爸 +刚搬来 +Gate是我们大家一起挖出来的 +接受大灵(Wakan Tanka)的祝福吧 +可以过着幸福的生活 +我不知道。 +会议是如何? +火警... +你喜欢青菜吗,将军,参议员 +我是杰布渥斯 +你多久没吃了 自从星期三 +[声音失真 淙淙] +是。 +早起的鸟儿渡轮的 在20分钟内。 +难道你认为我是没尊严的吗? +咱们喝杯果汁, 如何? +现只有一只 +我说,楚门... +先生,一个家是诊所吗? +汉特·亚当斯 +难以相信,他在哪? +几乎到了 我怕 +-瑪麗珍! +。 +给你的 +这是再类似指模人士名单... +他们显然还以为我们扣押他 +- 用水? +这是违法集会,马上疏散 我重复一次 +还没有,但我一找到... +带她离开警戒线,好吗? +报告沙米尔的状况 开始办驱逐手续 +总统很关注这事 +立即释放小法兰... +别跟太紧,交给帕丝接手 +联邦调查局目前... +我在伊拉克主管秘密工作两年 +不知他会否做 +都会用来对付这案件 +A队长,请求批准开火 +不能迟 +当时的舞伴没携枪 +不用你向我讲他的历史 +我叫复迪 +我倒想被抓到 +又来一个女伴 +小蛇,你在这儿等 +迈向一个新纪元 +众议员辛欧蒂向烟草业宣战 +很好,谢谢 +我们只能努力适应 +普雷特 +塔皓湖 +我爱的是你 +医生本来就该尽全力救命 +你不知道犁子是什么味道 +听见了吗? +她不知该如何反应 +脱离沉默的耽溺 +我不知道 +你叫什么名字 +泪管通常可以湿润并保护眼睛 +那你干嘛老待在我房里 +我不信 +他和我是同样的人 +你怎麽呢? +因为我下凡了 +用心看着我 +我很抱歉 +好啊 +什么天赋? +他还告诉你什么? +还有呢? +手术非常成功 The operation went really well. +宝贝,会弄疼的 Honey, that hurts. +我想见你 I wanna see you. +我叫奥托 +女孩子在你这样的年龄比较成熟 +你看过他的房间? +几乎是个孩子 +-怎么冷静? +你不是开玩笑吧. +他永远不会被忘记. +什么? +- 那... +現在從第一個訊息開始播放... +歡迎回家. +他还好吧? +我们的祖先守护着你 +他说什么? +是非洲政府彗星研究计划的负责人 +你突然在沙漠出现,而且失去记忆 +快点 +简直是开玩笑 +如果是我的人 +什么事? +有没有人会说英文? +三档,换四档 +快点! +你和他们是一伙的! +我的职位就保不住了 +他的名字叫西蒙・林奇 住在芝加哥,九岁 +非常的谢谢你 +-你恐怕没那么幸运 +不,没有了,谢谢 +到"杰"街 +你看上去像是个好人 +只要他们不知道他藏在那里, 他就没有危险,你也没有 +当担架兵 照顾伤兵 +你愿意听吗? +试试吧 +你不能以外表开除女服务生 +会害我们被炒鱿鱼 +拜了,老爸 +以我的个人观察 +- +你懂嗎 巴茲爾? +但机会很不错 +你答应过老兄 +他不会做什么,我得考虑其他用餐者 +停下,我不干,看看有多远 +谁不知道 +一群疲惫的人 +我们不喜欢你 如果你走什么来也没有 +天上彩虹美,我一见就心醉 +不行,我一定要见见他 +四个饭团谁要吃? +你有什么好看的? +你要吃! +听他的笑声就知道他是奸人 +恐指怕你的功力有限吧 +什么什么大嫂? +不要紧张,哪个我都喜欢 +好处 +{\fnSimHei\fs16\bord1\shad1\pos(200,288)}神經病 +{\fnSimHei\fs16\bord1\shad1\pos(200,288)}滾開 +为什么要带那个男人回来 +傍晚的时候她会复活过来 +在哪? +再见,妈妈。 +不会吧 +吉利恩没有杀人 +我告诉你们 +瓜四,胆敢绝我财路 +铁老弟... +誰呀? +你說什麼 +哦,少抱怨了尼尔! +朗汉姆旅馆 +-敬好莱坞 +Can you take me out of here? +我姐姐和我很亲密 +对 应该是这个名字 +等你听到他回房睡觉后 +宝贝你自己要小心 +你担心什么 她想必很享受 +弗朗馨也是他害的 你说什么? +只有一个出口 宝贝 +被我说中了吗? +在见到加奈子之前 我想跟他说句话 +老实说我当时在发呆 +我竟然忘的一干二净了 +是吧? +我们和他们一起巡演 +所以我们可以认为 +比已故的莫里亚蒂教授还要危险 +我任您差遣 先生 +从印度回来 +别着急 舒尔托 +我盼望着向您展示 +我四处打听情况 +烟草和工作 +福尔摩斯终于向莫里亚蒂教授 +那位声名狼藉的莫里亚蒂教授 +雷斯垂德警官正在等您 +雷斯垂德警官 +就在莫里亚蒂教授掉入深渊的一刹那 +雷斯垂德见到你太高兴了 +不是的 雷斯垂德 +这就是你起诉他的罪名 雷斯垂德 +我知道已故的莫里亚蒂教授 +他被莫里亚蒂教授 +女仆只有在早上可以进去 +雷斯垂德负责这起案子 +拯救欧洲于水火 +要是雷斯垂德在卢卡斯的文件中 找到了这封信 +祝贺你 雷斯垂德 +是的 雷斯垂德 谢谢 +雷斯垂德 谋杀案发生的第二天 +又立了一大功 雷斯垂德 +要是把它放在您丈夫面前 +雷斯垂德在莱文顿温泉疗养地干嘛? +相当具有决定性的 不是吗? +一想到雷斯垂德 +噢 千真万确的 +天知道我告诉了她什么 +我得回牧师家了 +波特夫人 +回伦敦去 +或者说是他的声名 +就十分钟 +招致了詹姆斯的嫉恨 +-但是内容却是? +你们在这里是为了查清 +责备他不肯做一件 +啊拉特) +是 雷斯垂德 +这是给我的私人信件 雷斯垂德 +说得好 雷斯垂德 +再见 雷斯垂德 +我自作主张叫他来看看 +雷斯垂德就可以随时逮捕他 +是她所有的积蓄 +有什么新发现吗? +这就是榆树的遗址吗 +我会把他带回来的 +就像其他许多村庄一样 +你这肮脏丑陋的混蛋 +在一个被死亡和阴暗笼罩的乡村? +他没有我原想的那么聪明 +那你们早就会跟他撇清关系了 +却奇怪地落入错误的人手中 +也是唯一冷酷到 +你知道你该做什么 +但是还没有看到一个子儿 +和厚颜无耻 但这没有用 +马上给我下去 下楼去 +这个苏珊来这儿多久了? +他催促我 +她又不是莫里亚蒂教授 她只不过是个女人 +是我交换来的 +她真的看到三个人在喝酒? +我们都想看到正义得到伸张 没别的 +雷斯垂德 你手头有什么不同寻常的案子吗 +我说事无小事 雷斯垂德 +所以你看 我不能对你的三座半身像 一笑置之 雷斯垂德 +"马上来肯星顿 皮特街 131号" 落款雷斯垂德 +雷斯垂德很快就会告诉我们 +等一下下 雷斯垂德 +不好意思 雷斯垂德 +下一步你有何打算 雷斯垂德? +哦 不要让我影响了你 雷斯垂德 +雷斯垂德 要是你方便的话 +祝你好运 雷斯垂德 +雷斯垂德 +继续说下去 雷斯垂德 +很出色 雷斯垂德 但是我不明白 +一起走吧 雷斯垂德 +我信心十足 雷斯垂德 +吃颗喉糖吧 雷斯垂德 +哦 天啊 它被打碎了 +雷斯垂德如果你六点钟 +晚安 雷斯垂德 +那么你觉得的雷斯垂德理论怎么样? +原谅我的分神 雷斯垂德 +华生医生和苏格兰场的雷斯垂德警长 +没错 雷斯垂德 +你可能记得 雷斯垂德e +再见 雷斯垂德 +我和苏格兰场的雷斯垂德可很熟 所以你最好小心点 +去找雷斯垂德嘛 我可是会犹疑的 教授 +亲爱的雷斯垂德 你这样的大人物 +这么看来 雷斯垂德 +你自然也注意到了 雷斯垂德 +我会让雷斯垂德探长马上过来 +亲爱的雷斯垂德 我希望把这事归功于你 +真是明智之举 雷斯垂德 我一向都是这么干的 +再见 雷斯垂德 +我觉得你给予雷斯垂德过多的功劳了 +但你还记得么 +卢卡 +她不会让我们进到房间里去的 华生 +是 +你是不是有了 对方是谁 +[INDISTINCT SPEECH PLAYING OVER SPEAKERS] +{\cH00FFFF}{\3cH000000}Physical therapy? +- 好吧 +我们到了吗? +我们继续往舰桥前进 +- 手铐? +我只是读到有关你那次任务的结案报告 +全体反对 +那个不重要,我有个新的指令给你 +我就无法依照我原本的程式 +我试著把所发生的事情讲出来 +不用 我会在适当的时候再口述 +显然他也没听说过她有未婚夫 +"热情" +有好多孩子还不如他呢 +你怎么一回事呀,你们在干什么? +来,我带你找一个地方去轻松一下 +- 就是 +不是你,薇薇安! +太对了,尼尔! +以后您再告诉我吧,他们在叫我了 +我忘了告诉你那个清洁工的事 +不知道,出去了 +我看见希特勒信的时候... +闻闻看 +! +家裏有這個孩子都得怪你, 她是個爛蘋果,哈瑞 +你們好 +你這個混蛋 +有何不可? +-是正确的号码 +哪一个? +好孩子 我刚锁门 钥匙给你 +部长先生... +-待会见,黛博拉 +我什么都不知道 +- 是我不周到,抱歉 +- 那你是你自己记得? +- 我想我把它跟外套一起弄丢了 +虽然我们不是黑帮,但我们依然有很多敌人,先生 +你随便就把怀表送人? +- 找不到了 +你,贝利先生? +-那是怎么回事? +我的党会支持你们 我也有位居高位的朋友 +天啊 +Yeah? +一个叔叔 {\fnCronos Pro Caption\fs12\shad0\1cH00FFFF}An uncle. +What did I do? +现在是十点二十五分 {\fnCronos Pro Caption\fs12\shad0\1cH00FFFF}It's 10: +他 +斜眼想和乐团合奏 我是说真的 +向禁酒说再见 +和夏娃一起 +那个人 +面条 别做蠢事 +- 嘿 +如果你不舍得离开他,那就把你自己也送进监狱吧 +不! +- 我会把电话线拔掉 +是这只吗? +- 你疯了 +但愿你别上这儿来吃饭 +学了这么些年也许能上台挣钱了 +你来干嘛 +谁送来的 +他们的舞蹈别具一格 +- 怎么样了? +不要生气 我不想听你说 行吗 +他死了 +我很难过 +什么事 +你干嘛没有我批准就去做内应 +听过 我所有的艺术品都在那里买的 +是 长官 +-当然了 +我们走吧 +轻松多了 +快到了,谢文先生。 +谢文先生,关于那些警察通报, 你确实研究超自然现象,对吗? +-你确信吗,宝贝儿? +你干甚么? +你要什么? +- 听着... +超自然活动成为东岸的热门话题 +你们看 +- 别喷了 +设法把他引回月台 +应该认真看待他们吗? +你还好吗? +惨了 +列车加速很快而且稳定 +怎么回事? +今天是什么日子? +I want you to listen. +它很旧了 +caused increased food prices and inflation. +or the forces that supported the government. +哦 不要停! +敬唐・培里侬(香槟酒)和世界杯 +你可以开始了 +-That's right. +- 打的真好 +这会让你回到司法界 Which puts you back working night court. +Hobbs did it! +一起指证潘美罪状 +就是杨五郎、杨六郎 +更加没有了,都没见过这个人呀 +我知道! +我们将拭目以待 +我不在乎,你属于我 +-散步 +我会马上回来. +法式得到! +另fuckin '傲慢黑鬼! +你有你的差事要做,明白吗? +小巧浪漫的,像十楼的那种 +我知道我要做什么 +否则不会那么便宜! +我開槍了! +沒有什麼. +- Yes +- Morning +please give alms... +可以... +在同一个兵团 +同志 +起诉书副本 和传讯通知单 收到了吗 +你这句话 可以构成污蔑罪哦 +闭上眼睛想你的老师 +我可没笑话你,你应该知道这可不是开玩笑的。 +你得到想要的了 是的 我们离开这儿 +破坏性的引力 +换了一段音节 结构就会瓦解 +愚蠢的老园丁走进来 四重唱变成五重唱 +注意! +不. +让永远与大洋国为敌的去死吧! +这个国家的真正统治者, +现在还不去. +他们是职业舞手吗 跳得真棒 +是由本奈特夫妇慷慨解囊的 +你感到DJ是如此地吸引着你 +-没错 +亲她 她会揍你几下的 +我们需要奇迹来拯救奇迹之地 +讓痛苦留給我吧,親愛的. +-No, sir. +-What you want, slob? +Lambrou Achilles... +我算毁了 +- 你真的在看我吗 +你跑吧 我会追上你 +快 +不错,我给你谢礼 +就抱我 +也坚持是他杀死的 +你认为我有机会赢吗? +我是你该死的奴隶 我们有过交易 +宫亚城派空手道的... +-因为我要你拿掉 +天雷帮? +为什么你好像不大愿意去杀他呢? +对 +等一下,怎么可能 +告诉我是谁干的,我去抓他 +亲爱的 我们昨晚谈了一夜 +最好把门锁紧 +但是,卻是有毒的森林 +所有的巨神兵現在應該都變成化石了 +Thanks. +It looks strange towards Pejite. +Forward! +It was too early. +啊! +公主 +不 平安回来就好了 +克罗托瓦 放了那些人 +那样挺好的 +原來你是騙我們老闆的 +我在動腦筋嘛 +快去叫獸醫來 +就是这样 +-不 是朋友的 +-额 +等等... +早点睡啦! +就在里面啦! +上床... +啊... +当然 +来吧 +苏善维 +你不明白阳萎是什么。 +圣诞节过的好吗? +什么也看不见! +是呢 爸爸真的很不错 +不大 +它是真实的 +你给它的约翰・韦恩? +主席女士,我非常感谢你 +我们快走 +真烂 +救命啊 不要讲了 +我不是故意的,给你 +把他们都找来 +我想... +汉小姐在图书馆看书 +趁这个机会它飞走了 +我们走吧 +你见过丽莎? +您如何看待这个问题呢? +但我有一个更好的带... +所以,在整个美国。 +如果他将发布的信息 - +给我们衣食 及生长的东西 +然后是目录了 +你们已受洗为基督徒 +和我过不去? +可是要怎么做呢 +-对 不是也不是个好丈夫 +-什么意思? +约翰·伟恩死了 举国哀掉 +-唐尼 你弄到船了吗? +二 四 六是玛吉的 +乔 你的录音机有毛病了 +这里 看这个 这里 看 我把它调高 来 +我需要奇迹 +你们看清楚,是我 +他是撒马利亚人 +我只是个做春秋大梦的狂人 +跟他说话 +怎么了? +我叫奥古斯克里斯多福 +你将垄断能源市场 +随后被视为骗徒 +他们用复杂的... +基金由一位无名氏捐赠 +对 +我想结婚 +真好 谢谢 +猎捕行动开始令人同情的景像 +不过那可不是普通的叶片 +你不能让我变身 +我们法伊阿基亚 深感荣幸 +你... +孩子就要生了 +奥德修斯 回来吧 +- 吃的 +- 你父亲早死了 +- 不! +隔天的五月四日是福尔摩斯跟莫里亚蒂教授 +这栋房子是我在独立创业后不久设计的作品 +当然可以 +因为那盏灯原为他建构西多摩市新市镇的象征 +墓 +地疭盚倒ρ馏筿秎ン +и稲... +我以为可以见到他 +他们喜欢在你裤子掉下时 逮住你 +艾力克斯,这是裘伊 他是我们家的好朋友 +有时我想,他希望伊莎贝尔 还是6岁 +你知道我们必须要做什么? +在机场和她在一起的时候,有人说, "那是个拥有飞机的家伙 " +这表坏了 把你的表给我 +别说这些! +为什么那对你这么重要? +别告诉我该做什么 +这是我们要去的地方 +有火柴吗? +我们没任何东西可以吃! +如果你明天下降,我可以 给你。 +在這裏 +卡嘉! +史达林? +你知道,这必然会让他想到 自己的寿命 +实在应该守望相助 我不希望宝芝林 +妈的! +走! +快把急救设备拿来 +烧掉我的屋子 +我来时就有了 +... +-是邮件吗? +姚远 姚远 +见谁夸谁 +- 不像 +你得赶快让她来北京住院呢 +他要找回属于自己的人性 +这就是威恩爱玩的残虐游戏 +{\fnSimHei\bord1\shad1\pos(200,288)}結婚後愛巢築在那兒呀? +{\fnSimHei\bord1\shad1\pos(200,288)}人家是金枝玉葉 百媚千嬌的富家小姐 +{\fnSimHei\bord1\shad1\pos(200,288)}就是跟你私訂婚約的那一天 +{\fnSimHei\bord1\shad1\pos(200,288)}張學良只會捉蔣,其他人會做得更絕 +{\fnSimHei\bord1\shad1\pos(200,288)}不過什麼? +{\fnSimHei\bord1\shad1\pos(200,288)}機師,出什麼事了? +{\fnSimHei\bord1\shad1\pos(200,288)}張開眼睛要閉嘴巴 +我不是比利时人, 法国人! +他们在墙上弄了个洞进来, +阿里 你怎不帮妈妈忙 +你没告诉妈妈吧 +阿里 我们走 +跟着还要喷树 +它们已烂 +耶,过来这边见见Ginger和Mary Ann +谢谢,你的赞扬非同寻常 +这东西真是太好了,太好了 +你知道,警察会找"目击证人..." +好了,伙计,你要干什么? +她并不知道我的第二职业 +好吧,我們來做個交易 +這是酸的 那又怎樣 +幹得不錯,夥計 你是我的... +噢,天哪 +放心吧,纽约爱乐交响乐团,在这的最后一个晚上 +麦斯! +是否纯属职业上的往来? +波士顿班机在哪个闸口登机? +他要知道和解条件还有效吗 +这个笑话真好笑 +我很累,也很不耐烦 +查查失踪名单就知道了 +喝三万年前结冰的水 +姬蒂,我看中你正因为这点 +怎样了? +我暂时只有这些话说 +-强,行了吧 +杀手准备行动 +我知道为什么 因为我... +口 +就误以为你会很安全 +九百 八百 七百 +熊妈妈,很抱歉 +胡扯 +-快去,古柏 +这艘船有反应,并渐趋激烈 +我的名字. +我骑马提前来这, Vayda. +Verona! +出来, 你们这些禽兽! +他简直就是白痴,对了,你... +方便,我一个人住的 +科迪亚克市因为浓雾,已经有三天,所有飞机都不能起飞。 +这里是越南,你可以找到你想要的一切。 +我是,是从祖先那里流传下来的。 +那么,我该试哪个? +我们肯本还看不到代奥米德岛。 +_是肯定。 +保重 +別待在這臭烘烘的小屋裡 +老爷爷 是什么? +乙事主大人 +别过来! +从南岛? +首先多谢你救回我们两个兄弟 +吃了人就得到人的力量 +看,来了! +我正視自己的死不去逃避 +還我女兒來 +住手! +-这不是我的,亲爱的 +他帮你钉青蛙了 +已经好了 +举起你的手臂 +-走之前,我提醒罗伯特 +... +现在不是说这些话题的时候 +没问题吧,浩介 +飞呀... +-等等 +"消费者娱乐服务会" +康拉德・凡奥顿给你的礼物? +你以前在那儿见过我吗? +有问题吗? +-衬衫不错嘛 +你会换轮胎吗? +你这个奇怪又可怜的小男人 +玛吉,到窗户跟前来 +被打的不成人样,赤裸着裹在一张毛毯里 +我已经告诉了我的客户,GB保险公司: +克劳切特在这吗? +和鲁迪. +- +柏蒂女士也许, 把它们塞进了床垫里, +我愿意很荣幸的来介绍拜勒先生 +我们再次破产了. +我的合伙人狄克. +挤得很. +你工作的好地方. +我感觉到了这一点. +蓝德尔先生. +你们同意我们需要为他的证词录音. +没什么,律师的小伎俩 +我还能活多久? +离开的? +为这个大公司服务的 +控方打算传召... +随它去吧,这里是伯鲁瑟的法律图书室. +他们确实这么以为. +鲁迪,是我 +莱曼切克是前赔付审核员 +以为我们家支付 +我确实记不起来. +事实是,你今天在这里的作证只是谎言. +可能吧. +财政上调整. +-我是热门的. +立刻给投保人发信... +你已经对此做过判决了 +维尔佛莱德. +你就把这女孩这么一个人扔在这? +是,先生. +但却一直也没成功. +请进. +一定有上百年了法律的经验 +你干嘛要这么对我? +鲁迪! +不,我可以,我可以。 +和"农药和你。" +谁是兰迪? +吉布斯跳过镇 用钱。 +医生 现在是什么情况 +-怎么了 医生 +看看你哪儿中枪了 +吃那个会生病的 +总有一天这些靴子会自己走起路 +嘿 闭嘴 +谢谢了 +所以如果... +不! +你误会了 +Charlie Sykes +...用拳头把敌人打倒... +"福特林肯" +强尼,你走吧 +尽管看,我是航空工程师 +不成功便成仁 +- 我睡过头了 +计划即将完成。 +扫描仪读了这本书 The scanner read the book. +- 让我离开 +双子星提供的失乐园之旅 +下个 +会在你身上起什么作用 +你看,克里斯... +——再见。 +——有一个新的布莱松。 +这并不是说 我身体想要她。 +吃下甜甜圈 +之前的住址是在松街 +歹徒不是一时兴起而行抢 +你知道我干不来这种事的 +喊出来就算? +你说要剁刘德龙的手 +打人不打脸 +我不该把你捆起来 +请问师傅,有大哥大没有? +这边,这边... +"我也不会感到特别..." +给我汽水? +你偷我的唱碟 +不,我没那么多钱 +没打破窗户 +27元60分 +你那儿还好吗 ? +- 哇! +克莱尔 什么风把你吹来了 ? +李伯特 ? +- 快啦, 保罗. +又是亲近的朋友 +吉姆, 他当时躺在... +另一头狮予 +的确有这么个 地方 +我们看看, 总统、朦胧议员 +这件案子意义重大 +辛克, 我对你十分坦白 +请不要像 刚才那样 +他说什么? +嗯,大国 +我的确看到 货物重量改变了 +新鲜水果, 刚从加勒比来的! +他说的哪部份你觉得可信? +卡胡恩参议员太谦虚了 +掀起来吧 +欢迎光临! +我说不清楚 +这是下次的剧本 台词有增加了一点喔 +不过也许那样才像真正的未麻 +{\fn华文楷体\fs20\bord1\shad1\1cHE0E0E0\2cH000000}来! +珍妮佛? +我雇佣这个优秀的年轻人的时候, 我还在你现在的位子上,Charles +慢着, 我没做错什么呀? +这是很糟糕的 +- 没那么简单,6个男的,FAA214. +Take it easy. +That's not going to mean anything down there. +我是救援中心的Rachel Taper。 +Teri! +我们什么时候才能降落 How long before we descend? +-是啊 +应该接受(adopt)... +替老子争口气 +我已欲火焚身 +要不要插花 +啊 +这所房子里面的每个人都有秘密。 +啊! +来掌握命运。 +[Beep] +如果你投降... +冰冻人,加热开始了. +Why? +攻击和杀害两个人在这里附近 +所以(埃里克),当你进入聊天室 +脑子一片空白 完全不知道下一条线是什么内容 +看起来挺好 +我踢进了个球 +梅尔文 够了 我用不着你教我儿子礼貌 +你看起来真性 +我真的没怨恨 知道吗真的 +你关心西蒙是件好事情 +梅尔文 知道你幸运在哪吗 +我没有很多时间 我得去饭店 +你們知道什么嗎? +動畫嗎? +硂琌弧и弧 +ぃ莱赣 +一些魔力 一些生物 Certain magics. +And I'm a big reader +OK! +我想她是受不了那种贫穷了。 +But I got over it. +各位... +确定这个能用? +-脚如何? +- 来吧,来吧。 +晚上清凉 天空中都是星星 +是要很精确的 +-我不知道 +为了 啊 For the... +为何现在不把他给枪杀了? +就算他们付了赎金 +. +. +你可能... +-真的 哪种地方 +跟一个不认识的女人喝酒 +-你跟他们怎么说 +那是法文的苏打水 +我不懂你的大脑怎么运作 +但我还是有机会 知道吗 +-怎么样 盖斯 +一 二 三 +他们要给你工作吗 +再见 +总部,我在国会广场 +- 什么? +- 你还在? +- 现在去哪儿? +别走,如果有人该走,应该是我. +那晚我该轰掉你的卵蛋. +但你们是不是睡了? +天啊,我有个不好的预感 +这是你的事. +我不管. +我給妳資料 +窪地著火了 並溢到街上 +將巴士推到博物館旁 +立即疏散 +红线地铁隧道 +都是我的错 +快點,要遲到了 +你看 +-佳吉牌 +我还不知道 +丧尽天良啊! +照我看这样吧 你跟你的偶像照张相好不好 +婴儿的父亲也是 宝宝的表哥。 +支付饼干 租金在过去三个月。 +丢下枪,手举起来放在头上 +-他知道他在做什么吗? +洛辛保! +穿着艾葛衣! +这是法国名字 +Y轴上到过2 5 +不是质数. +嗯? +昆亭,住手! +到这里来. +你是什么啊? +是等式的两边 +噢 在6和8中间 Oh. +噢 Oh. +- Buffy! +她完了 +-什么都有可能 +再见 你这杂种 +再见 +-出境签证 +是你啊 那就没事了 +男人都很幼稚 +巴黎的一切都会 +记起来了? +一个钟头后再来吧 +不,令你惊喜的礼物 +火车一满客,就不再载人 +来干什么? +你问我我是什么家伙 +最近,我国几位权威科学家... +- 局长官邸 +犹太商店 +你在这里干什么? +吃快了不好 +不是 +吹ぺぺ +- 临琌硂妓 +琂礛紁┬Μи璶翴絃 +⊿Τи琌斑 +No, it must be one of my colleague's +There's our place! +醒来 +伊塞俄比亚式蛋糕 +15里拉 +起码她不派老妇和小孩去劳动 +有几多个? +你从天掉下,掉进我的怀里 +什么? +我们在领先,别告诉他 +钮扣、肥皂、烧人 +好一個舅舅 +早,公主 +這是你賣的窗簾嗎 +眞的是不同的人種 +快,我不想聽他們說 +舅公去哪裡? +我要試試 +找你得你好辛苦 +有問題,問巴圖,他通天曉 +我會打暗號 +你可真是可爱死了 +道格。 +也许理查德很快就实现了 +Those gods who never lose a chance of hurting, foughting ... +Excuse me, ma'am. +不用,露西 +这可不是个好命运. +- 我们还要在这儿呆多久? +事情是你偷我的东西! +我把它放一边. +- 我想是的. +we can't do the talent show. +可憎的问题? +杜洛丽,收搭好床铺没有? +她很快就来 +确实很舒适 +- 你好,莫娜 +- 你要离开我,知道 +- 我让迪克回来跟你告别? +但到达后,房子已经焚毁 +昨晚谁带她走? +我跟着你开房 你肯给钱我们? +噢,老天爷 +求你了 +985858548获取最新目录,任意挑选,谢谢! +后记: +快乐的机率比较大 +的尤金从来没有尝过 他受到的是另一种负担之苦 +尤金 +合格 莫洛 杰隆 +谢谢我, 因为我要赎罪 +嗨,嗨,你在做什么? +里奥! +听着,贝慈女士,你是新来的,对吗? +也许太久了 +欠人救命之恩的感觉很怪 +如此人生,幸好你没当上市警 +你姨丈的帝国会给你搞垮 +雷, 该有办法让大家都有活路 +弗烈迪 +弗烈迪! +埋葬制服 +"费斯, 乔伊" +-你们真愚蠢 +快离开这! +圣诞快乐 +可以,长官 +钱宁史当巴那多告诉我 +看看检察官知道些什么 +有几个人口? +面对着墙站好 +以上說法純屬推銷廣告 +你一定是得了什麼好處 +在街到兩頭設立路障,絕對... +說他們在十二點丟下她的 +談談你那天在法院提到的 +不要動它 +恭喜你了,警官 +在那一个岛出事以后 +看这个 +绿色和平组织里面80%是女人 +过来,我现在就要让你坐直升飞机回家。 +-嗯,我很好。 +...双目视觉,前臂强健, 双足都有致命的爪子。 +我们就给他用了 环丙甲羟二羟吗啡酮 以减轻症状。 +小心 +也许她根本没开飞机 +贝尔斯, 比尔. +唐诺川普本来也要来 +下定决心就去 +你该看医生了,我来打电话 +刚开始嘛 +-雷,把我头发夹住了 +千万别担心,孩子 我罩着 +快点 +拜托了,继续写 +俄国记者想知道 你在白宫的生活 +每分钟处决一人 +只要好好开就行 就像骑单车一样 +我可怜的车,格斯... +- 是什么? +谢谢你,混蛋。 +什么是我们的问题,格斯? +... +在清朝道光年间,英国商人每年进口1800吨 价值3千万两纹银的鸦片 +- 啊? +我恨你! +主席 +臣... +- 叩谢皇恩! +偷来的 +尼尔总统即将宣告离开 +抓到哪个? +我完成神学硕士学位 +孤单一人 +为什么你要离职? +想听听真正狗屁的事情吗? +有勇浩的消息吗? +早期测验显示 +我们家乡有个说法: +你怎么解释呢,博士? +目前联系到的最远的距离了 +有两组不同的帧交织在一起,我分离第一个 +我在档案室 +有时人需要拍即时照片 +一旦他们被炒照样发财 +我会给她的 +这里一切正常 +CNN罗卓米在新墨西哥州报导 +接近放弃的边缘 +信息本身,要伪造这样的信息 +...你比现在大四岁,但是地球上已经过了五十多年 +留下你的电话,我来打给你吧 +没关系,我们成了笑柄 +作为人类 +可清楚一点吗? +需要的是一颗卫星及发射能力将其送入轨道 +翻过一遍 +我坐在教室里 I'm sitting in my classroom. +What's the fun of burying someone if they're already dead? +uh... +鲍比,雪茄拿来 +有进步,多练习 +不能走那边,停! +不要这样 +如果他们走了,这是再见的2微秒。 +我想你们的工作为D甲板上... +游艇和马球比赛。 +很受欢迎的王室成员。 +你必须为此付出代价的,你知道的。 +在一个人可以保存各种方式。 +我是来找... +继续找 +别碰门 +快来人帮帮我 +- 好吧 +- 把这些浆放好 +輕點,不然可能會散掉 +兩截終於脫離 +最高法院不買帳 +全速反轉! +來點白蘭地好了 +他們必須劃開才不會被吸下去 +"I see you" +и琌 +津逆 + +路易十六世有顆"王冠碧鑽" +我還是最愛你,柯拉 +我當時心跳得好厲害 +我有個辦法 +時間不多了 +攔住她 +我雖走過死亡的山谷. +這邊 +霍先生和他岳母 +你听见了 上船 +试试短的那只 +快! +把时间记录在航海日志 +这里 +这样就像在现场一样 +如果我能在水面散步 +你是谁? +你可以吃菜 +这又不是你身价的反映 +这个梦我以前也做过 +这是他所说的 我要回到原来那样吗? +-我收到你的诗 +它是无法解释和预计的 +一路上 +你是绑匪毫无疑问! +喂听着纳维利先生? +你要朝我开枪那是问题! +那是 +太混乱了。 +..美国边境。 +想碰碰运气吗? +一名药剂师呢。 +交出舒曼。 +可以收工了。 +毫无疑问我们将派出战斗机和军队... +- 人們喜歡綠色 +試著拍一次吧 +軍情有新的進展 +他們不能阻止我們的電影 +吃藥,威廉 +我甚至不能提這段電影 +巴丝金,还有费德. +或最后一束, 谁会知道那是哪一束? +他家里几年前曾有一个非法移民的保姆? +这是场演出 +我们怎么办? +要出早操了吗? +他的著名作品中有许多电影... +or upset. +Miss Buffy and friends are sneaking around stealing bits of my hair. +刺激和侮辱,還有... +"大河擋住了去路,沒有淺灘 +帕蒂是谁? +帕蒂说屠娘要保安转移女佣... +做一些事情。 +没有行李。 +多少钱? +我其实不像我看起来糟 +然而你仍然觉得你在 和同一个人说话 +如果你过来的话 他们只让我一个人使用 +他妈的! +答案就在这里 +我必须去那里 +而且 你忘记自己已经死掉 +如你喜欢我你就提问题 +我需要一些帮助来摆脱她 +我希望你能公平的 +没有解释,改天告诉你 +邮轮 +千万元的珠宝珍藏 +一生一世 +是他 +我给你十五分钟撤退 +你阻止不了我 +退后 +嗯 +- 关注她。 +然后他把她扣了起来 +盡你的能力. +鈕扣 +我的天 +唉,要是 +你杀死他们? +那老家伙才不会管你 +卡斯 +我说我现在那儿也去不成,除非你哥能帮我 +萨莎,宝贝,我才是卡斯赛伊,他是艾卓辛 +不行,他的疑心很重 +干什么? +我才是艾契 会议中心有炸弹 +他的眼睛、鼻子、皮肤 +我才是坎斯,他是艾契 +快起飞 +有进展吗? +你一直躲在面具底下 +除非我再做一件事 u +uh... +没错 +我要进来,珍妮 +有办法吗? +他杀死你小弟,快开枪 +我也是 +快滚吧,把屁股擦干净 +好可爱的孩子 +坎斯是AB型 +活泼的... +- Lucky them. +about your own powers. +Water... +Don't you like? +笑嘛! +够啦! +你怎么晓得我电话? +星期三看戏半价呀 +我想这是 +假装你在和我打斗 +-不,你会的 +在一段时间没有听说过他的名字。 +- "是的。" +而我们自己的歌曲。 +...... +在早上,我下楼 到了房间,她走了。 +我在这里有一个很好的晚餐 你已经开枪。 +余辉。 +好吧。 +别紧张。 +来了 我伟大的阴间大帝 +什么 +我的小海格力斯 +那是阿菲的徒弟 +梦想之地 +-他默默无闻 +爸爸? +是多年前作为欠债抵押给你们父亲的 +所以呢? +现在你得到了一个交易。 +- 是吗? +我真不愿看到你们退伍 +你最好住手 +给我闭嘴 +快点 +我很高兴你喜欢老师 +- 拦住他们 +他疯了 他没大脑 +这是废车厂 这是停机棚 +可恶 +-预定几时抵达? +(在林纳机场降落) +幸会了 +等一下 +掃瞄 +瘋子 +這只是個手段,白小子 +我不知道 +迫降 +- Sweetie? +welcome aboard. +- 嘿! +- Lock and load! +and the bunny gets it. +绿灯了 +他一定有原因留在机上 +慢着 +是的 +的确很精彩 +你是谁 ? +你老爸肯定会很高兴的 +贝德兰姆 +观察罪犯可洞悉文明的现状 +五十分钟内 我得赶到勒纳机场 +我真的不懂,我可以承受 我很堅強 +只是一杯水... +我想我可以说对可怜的小印度尼西亚工人: +史蒂夫·福布斯是在此地出生吗? +参加今晚的签售活动? +他们可以少付薪水 +哚� +老朋友 上车吧 已经行了 +说要帮忙 +生一堆火 +我做香肠生意,别担心我 +一是这样吗? +你的脸蛋,你的身形... +为何你总让我晃来晃去? +- [ People Chattering ] +- You don't. +你给我喝了 You gave it to me? +- What? +你就像别的姑娘一样 怕闪电 [ Chuckling ] You are like any other girl — afraid of lightning. +一份他也会要的 +永志不忘 +我叫山姆弹"时光飞逝" +或許用弓箭 +誰殺了他們? +你應該更清楚 舉個例子如何? +回到我曾幸福過的噴泉邊 +-20兹罗提[波兰货币] +-对不起 +不是这些 是说我们私底下的聊天 I didn't mean that I meant our private talk. +让我拿你的帽子 +你不像爱尔兰人 +《007之最高机密》 +碧碧,我得先行离开了 +你已经技穷了,海夫洛小姐 +你还好吗? +- 我爸爸有趟愚蠢的生意之旅优先了 +你非常甜蜜 菲利 +别跟他们说任何事! +嗨 为什么你觉得我在开你玩笑? +10 +媽媽還說,我會重新長出很長很長的頭髮 +他的眼睛就要瞎啦 +啊,走了? +我笨应该今天就开始的, 可我已经买了 "H" +没有半 点防备的时候 +怎么了? +288)}一個傷心人看到別人比他更傷心,他就會破涕為笑 +288)}多麼博得女人的歡心 +我是那種以愛情為生命之泉源的人 +是 你怎么知道? +你有沒有看報紙 +我中了他的計,時間不多了 +这要不是做梦 你看 +上面写'是否已为亨利爵士备好了一切? +拙劣的技巧 猎犬先生 +这是雷斯垂德对我早上那封电报的回电 +你带着武器吗,雷斯垂德? +"雷斯垂德警探巧妙地侦破了德文郡事件" +可别说雷斯垂德一点作用也没有 +他们没能消灭我们... +还真坚固,不肯沉下去 +打出A的信号,让我们靠拢 +快,别慢下来 +我们马上开始排水... +heard anything... +七个学生被枪击 并被绑架进一辆褐色面包车! +看谁来了 +听着 你能帮我核查一辆褐色面包车吗? +看多容易? +因为我值得那个? +-你不会喜欢的 +爱是肉欲 你知道吗? +什么是爱? +包含茉莉 爱之梦 和美国老松 +288)}其中沒有人戴任何面具 +288)}你睡著了嗎? +{\cH00FFFF}{\3cH2F2F2F}{\4cH000000}When can I be ready? +-嘿,你好 +这就是你的问题 你就是个该死的怪胎 +- 可能不是的 +他们上钩了 这些贪婪的小鱼 +我打赌你曾经杀过许多人 +-那么是哪个 二还是三 +吓唬他们 +二 三 左 右 左 右 +The Ministry. +国庆啊 +现在 你是人 +自从上次毁掉你的聚会以后,我就肯定这次一切都会很顺利. +康斯坦萨不喜欢我 +今天有什么派 史黛拉 +干净利落 +你得做点什么 +我作为刑事律师怎么给警察解释这个 +沙鸥能谅解我吗 +Marie 是這樣 應該是叫Marie +地圖在Baptiste那兒 +一遍又一遍 攻击 攻击 +拿弹夹 +上帝 别开火 +输家才会等待 +杀了太多人 +汉弗莱 千万得想办法 不能关农场 Humphrey, something must be done to stop this farm closing. +我非常理解你的审慎 +TBLC(老王) == +二千塊的倒頭椿 +小意思,在香港那班人 +我把那些大餅統統吃光,我死給你看 +你們幹什麼? +多谢各位赏脸 +马上通知我,有花红的 +他想你收他做徒弟 +流云飞袖! +給我站住! +救命! +總捕頭, 今晚要多喝幾杯 +借光... +你当我包腾春是什么人? +捕头? +事成之后,我送你去南洋 +- 他以为我体面 好学... +288)}下午好. +288)}非常有趣. +288)}歡迎來到摩拉維亞... +288)}你知道自己犯了什麽法了嗎? +"主教表示: +那就好 +另一個峰頂 +但願你能看見,媽 +其實你是很溫柔的 +亲爱的,那就太好了 +- 先坐下 +照我说 大臣不会反对的 只是手段问题 But the Ministermay raise no objections, it just needs tact. +Get me King's College, Cambridge. +有些证据说服力不强 有些结论被人质疑 Some evidence is inconclusive, some findings have been questioned, +He's probably at his best! +是的,法官大人 +士兵正在靠近! +准备好了? +当然不 +我教他如何去完全地自给自足 +停在门口楼梯前 +有时你撒谎的那种冷酷眼神 像伤心的小孩 +再说我是一个演员 +别管它不要紧 +我们怕永远回不去了 +我问你 这女佣人你是从哪儿找来的 +众所周知 我这人恰恰是喜欢直言不讳的 +这正好符合敌人的心意 +谁都难免有个把相好 +打扫得像其它化妆间 一样干净的话 +迷人的标准的德国新婚夫妇 +这个人是服务员,叫美达鲁麦娜 +能打开这里的只有女王陛下 +时光流逝 +我们得知某些重要事实之前 大错已经铸成 Itwas an errorthat occurred before important facts were known. +我的就是自己存钱买的 +不 他不必! +所以,以黨的名義... +否則我們被惹怒了你就倒霉了. +好了,回去! +如果知道我抽出部分 在受打击就坏事了 +明白了吗 不会错的 +宝宝 +再见 再见 +没有? +这次行动由警视厅的矢村警长指挥 +我猜抽烟是坏习惯 但我真的喜欢烟 +托米克先生可能永远也不能得到那个总数 去无条件... +安静 冷静下来听我说 Silence! +但是 我必须宣布巴勃罗·聂鲁达的死亡... +一中断一下会议? +坐牛? +在河对岸只剩下106个苏族人 +十月十八日星期四,晚上八点 +就像新娘 +这就是你和像你这样的人想要的 是你 +让他们听见 来 喊啊 +是的 来吧 来吧 +艾达 +很好 +毫无疑问 充满了这些东西, 都是些华而不实的东西 +去地狱吧 你们两个, 你的手不要放到行李上 +罗曼娜,真不敢相信 +馬上停止! +浩ぃΘ! +иぃ穦暗  +- ? +и琌硂妓璶, Τぱи穦克ノ.. +又一次讨厌地工作 +美国一次驚人的表演 +收发室收了14000多封电报 反响空前 +到十月中旬,"霍华德・比厄秀"的 收视率已经固定在42%左右了 +照我说,他现在的位置不可动摇 +我不尝,你尝 +好吧 戴安娜 +我想霍华德把自己 也把所有人都当傻子了 +因为你们 +我受到了巨大的伤害 +离开了家 破产了 +我是1914年戰爭時受傷住院了 +嬌生慣養 +我們沒有上訴的權利 +我已下定了決心 +没有 看见了,怎么会没看见呢 +安装工长 +上帝啊! +让我们为无声电影的完蛋干杯! +只要一扣 砰! +我怎么告诉你的? +-没什么 擦吧 +-我能用你的电话吗? +1.2公里吗? +...你东征时有近女色吗? +太迟了,现在什么都没了 +-哪个敌人? +反正對著你,還不如對著個鬼 +快發牌 +And that could be enough... +That's right. +兰伯特家的名声必须受到保护 +-她马上过去 夫人 +-事情差不多就这样了 +艾迪·休奎奇 特级花岗岩 +如果他死了 看来他就听不到 +但有一件事是肯定的 +喔 +我不在乎,那对我来说没差别 +- 贝茜 +你叫什么名字 +只有你才那么想 +好吧 +谢谢你,晚安 +各位女士先生 尼克森总统即将要对 +我把卡尔森的名字放在最前面 +那真是好极了 +是博卡拉顿 +他们要等到重新提名宣布后才公开 +嘿 鲍伯 卡尔 他在电话线上 +我问心无愧 +三 +毫无事实根据的指控 引用匿名消息来源 +这里是海伦 +"约克城"号七十二小时后入海 +他们一定会有成绩,如果不行, 我们再作第二轮轰炸 +我们马上进攻, +985858548获取最新高清影视目录,谢谢! +- 没什么 夫人 +走! +如果你想要我 你得工作 +我的天! +它们在哪? +求你听我说 听我说 宝贝! +告诉我他的名字。 +希望他能为你签署一份? +- 不,我恨它。 +- 我们不应该将其保存为您的父亲吗? +有个狂徒? +但你的父亲在这里。 +好了,在这里你认为 你要去哪里? +也许上链 在你美丽的脖子。 +滚开 +去把床铺整理好 +不,我把钱都借给那些人了 +酒,惊奇吗? +不,罗莎 +我们怎么过去? +我还是想客气点说话 +说什么呢? +你苦练棍法就是为了对方石少峰的斩马刀 +因为快乐你的腰 寻求徒然,我总是觉得我的。 +-- +她给我养了6个女儿还是那么美丽 +还不够好。 +我是说,我... +- 你没时间回家了。 +你得去. +- +freedom +有一万呎高 +我会将尸体送去验尸 +程医生刚来了 +你不可以这样 +你们将在明天中午到达亚努车站 +上帝... +把雨果带着,就说我说的 +你好,我是程祖朗 +我们会尽力而为,长官 +我请你喝点什么,好吗? +你不可以租出去嗎? +她走了 +因為沒有精神自由就沒有罪惡 +这是我一直希望的 +别挂 有线路空闲 +只是爸爸 局长的信箱里 +- 局长的? +下来! +他們那種態度 好像沒聽過米開朗基羅似的 +我今天写了一些东西, 现在轮到你写了。 +而且我的鞋撑很大 +-没关系 +玩牌可以赢得更多 +多给我一瓶 +早前祈福新村发生的七人命案 +老板,西瓜甜吗? +- 是啊,沒問題,對吧? +比賽期間允許自由換人,守門進球算兩個 +小薏 校对: +都安排得井然有序 +也许是吧,但是人们正在饱受磨难 +就像这样,你有什么感觉? +IN A MAGICAL MOMENT +有一次我差点亲到一个精灵了 +只是我要去采取些措施 阻止将要在那发生的事情 +是市社会服务处的叫Arthur Brooks 我来打给他 +我自己擦屁股 +你叫什么? +对 没错 多谢你的出现 +你说什么? +-是啊 +购物 +没错,但我只喜欢她的音乐 +... +解決問題的根源 +嘿! +坦白说... +我把七十七亿八千万日圆转到 +我处理得来 +那是我们展览摊位 +任何差错都会影响公司形象 +Yeah! +看上去有点不一样 不过还是在 +- 看什么? +天啊 +这有点过一 +而且,射进之后 +他陷在游戏里面了 +6和什么? +你他妈的当然应该给 +还钱 +两年了 +不要想那么多了 +看她的臉 +说得也是 +周末一家之主在家休息有什么问题吗? +再见 +... +烧的水! +Kimbrough,Molly Kimbrough 我在Previlis司令官办公室工作 +你们俩是爱得发疯吧,肯定是的 You two are crazy in love. +只不过是一滴,你这个娇宝宝 It was one drop, you baby. +当然没了 +干什么? +我也有黃色故事,有興趣聽嗎? +什么? +看来不是 +你都做些什么? +我都被他揍怕了~~ +你有喝的吗? +是的 +对 +这么就对了,你合格了 +指挥一头雾水,真有趣 +鲁本... +走吧 +魏派蒂,她说她看到凶车 +时间到! +黑鬼都是坏蛋 +飓风卡特呀 +不客气 +你好像听到我的心声 +拉撒,坐高一点 +你可以向他们呈示证据; +Yeah。 +三, +[Carter]Patty Valentine。 +从2: +并非无动于衷, +多浪漫 +你7点工作到晚上1 0点 +自己吃午餐,没有朋友 +很讶异? +很好 +难道没有别的要告诉我的了吗? +做对了就能休息 +( 同一天 ) +沒必要相信你的話 +就是找不到 +林天正旁的女郎叫郭兆香 +先生,照張相 +你喜不喜歡我? +为什么? +晚安 +上天行事自有其道理 +啦啦队长? +线路都中断了 你要怎么切入? +是的,他決定以他的 方式生存下去 +维吉尔! +你的午餐准备好了。 +这是你看见的第一天。 +难怪嫁不掉 +你来干嘛? +耶稣也说过 +你知道后果吗? +性在天堂是个笑话 +如果不是因为他们喜欢做爱的话 +早上好 +并最终被那些受他启蒙 +你偷了主教的高尔夫球长打棒 +我认为盲目崇拜偶像毁坏心灵 +她好生气,不会让我们上了 +就在你和你老婆的床上 +这些电影讲的都是伊利诺伊州一个叫薛莫的小镇 +是有什么来承担主的怒火的 时代在变 +我来这儿主要是想修正你们信仰中的一个大错误 +你没法参与到编辑过程中去 +为什么 +耶稣当时也是这么说的 +这位杰出的州政府官员 伊丽莎白·达尔顿 +人类 你去过地狱吗 +好啦! +你看了这些信吗? +我跟他们一样 都住在这个岛上 +一雄和我都知道 +你必须忘记过去 +一个女人... +撤走大厦对面的神枪手 +你的公司呢... +我问过医生 +谢谢你 +直升机不能停泊在外面 +小心点 +我是何尚生督察 +传呼阿雄 +马会每场都先抽起一大笔 +怎會有重案組警察? +總台,十六號車到達旺角花園街 +開車 +(我仍聽到你的聲音) +你一个人拍算了 Take it yourself, +我们从下面往上搜,报告完毕 And we'll start down here, over, +What are you trying to say? +你是谁啊 +上吧 阿柏蛇 +五个被捕,两个受伤 +我不懂开车的 +- 真他妈的糟糕 +杀光他们 承认吧 +明白 +... +阿肥 +- 十分钟内他就能到这儿 +抱歉,长官 请等一等 +拜托,好吗? +认得我吗? +「野馬郁蘭」 +用一種知識分子的感覺 知識分子 +不,我向你保證,我一直在那裏 +- 不,不,你只是有點緊張 +抱歉! +晚安,瑞奇欧 +赶走她 +(数到自己) +...关于微积分 +咬我 +你差不多就应该走了 +(金属叮铛声) 哦, 是的 +那么,你怎么知道是这儿的? +哪有怎么样呢? +这个是阿班野人 +放几个臭屁没什么大不了的 +所有的帆船在争相卡位 +怎么会不可能? +你们可以把他... +晚安了 +你准备当一名记者,对吗? +烦人的是你吧 +天地 你为什么帮她 天地 我们是来救你回去的 +嗯? +12天以后, +特德 肯尼迪没有黑人血统。 +一这剧本很出色。 +一这可不容易。 +恭喜你! +他怎么了? +一金凯,你听到我了! +送货员是博美克. +你的执政官太强大了 +法兰西丝. +這裡真是漂亮 比我漢普敦斯的地方小一點 +嗑藥死的 +你是不是剛干完一票? +闭嘴,贱人 +他们没走 +我是说真的 +珍妮呢? +很好,布先生 +我有同感 +你好,简 +你不尊重别人的东西和权威 +或是我祖母的手 上面的皱纹好像摺纸一样 +梦寐以求的跑车终于到手 +难道你都忘了吗? +终于来了新邻居 +妳以前在舞会上... +我想要女人时就会自渎 +还勒索他六万元,把芦笋递过来 +如是不是有人拉开我的话 +没事 +你的出现肯定是人类 发展史上最轰动的新闻 +我那架现在在厂家维修 +好吧 +你一定办得到,对吗? +这次你一定要打电话给我 +容我们失陪一下可以吗? +开这玩意不需要博士学位 +-你的手下? +剑雄,这是你爹以前的好朋友 罗汉 +没见过你。 +从此我也没有他的消息了 +好多次我做梦 +打他... +小莉是我朋友,我几天没有她的消息 +这人怎么了? +我是- +名字,妈. +哦. +- 你怎么看我妈? +你甚至从来没到过那. +没有人能像你一样保护我. +- 拉娜给你写信? +拉娜! +我们一块方便,你也不在乎我的法国妈妈, 可是... +我们要你加入洪兴 +阿坚,是不是要钱? +我是警察,警察抓贼天公地道 +你说什么? +太浪费了 +彼得,要知道你总是提到她 +聊上一聊,是吗? +我要一把火烧了这里 +比尔和我说过了 +对不起,伙计,安娜在那还是怎么? +请再给我们一点时间好吗? +法兰克,他从没访客 所以他想跟别人分享访客 +没问题 +我的意思 我们可以付他钱 +她最钟爱的乐队 明晚将在那里演出 +老大,看看她. +我父亲刚刚制定了一个新规则. +她有个蜂蜜乳房? +朗的歌迷 ? +好了,我想大家都应该找到时间去完成自己的诗了, +没有 我真的很想认真写这作业 +L. +如果你没有进展, 我就不会有进展. +当我走的时候? +- 你在说什么? +相信我说的话 +迷人的小东西 +嘿. +嗯,但是我陶醉了,我... +这些肉还不够我们一个礼拜吃的 +埃文斯上校 +我确定我的统治有死亡的力量 +时不时到周边走走 Moved around a bit. +是啊 如果你不想来就不用来了 Yeah. +下午轮班的那个小混蛋 The little shit that works the afternoon shift... +你离家这段时间都做了些什么? +很好 Good. +那个... +怎么了? +好吧... +¨〃 +筁履吹骋盾? +- 粪発ネ硂珿ㄆ? +我听到了 +我照顾他 +满好的 +真是感激不尽 +你给我订了多规矩? +你快进去让那个女人看看你 +来吧,帮我。 +什么? +但是,我们的感觉是激化。 +胜利号,这是指挥中心 +你知不知道? +侏儒怪吧 +一切正常,芝莲 +他们单独在太空里 +纳泰妮呢? +喜欢吃馅饼吗? +惨了 +那不是李斯吗? +是拉山德的爱人 让他无法逗留 +,我的奥比隆! +弗鲁特? +- 啊! +伊吉斯 我要否决你的意愿 +为何如此说? +好像远方 被云雾遮起的山峰 +现在皮拉穆斯来了 +来山得. +你在哪里? +至今都没有用过脑子 +-- +我愿与你分享那美好的愿望 +别再这样缠着我 +所能够忍耐的程度 +跟着我的声音来吧 +好罗宾 你看到了这美好的情景吗? +他一定是只蠢驴 +啊 +要不她嫁给这位男士 +如青葱般翠缘 +不、不... +不过, 我的气质演暴君不错 +-- +噢. +藻奈美! +这是欠您的钱 +天啊,他们的感觉一定糟透了 +当然,我非常敬重他 +还有我留下的建筑 +你得承认这里面有些不对劲 +你会忘记你说过我可以去! +他用那笔钱合法购买了 +- 再见,亲爱的 +- 不是这个人,葛兰! +我儿子! +- 没有 +他不让我看家里的那一张蓝图 +-市中心真是一团糟 +我们在盖一个军营 +担任男子足球队的教练 +你们要大型的商场我可以帮上忙 +-我应该杀了他 省得麻烦 +天啊! +这就是《失落的合弦》! +♪ 这样子看起来也不优雅 +- 当然可以 +他说什么了? +- 他确实胜得不光彩 +♪ 黑沉沉的牢房 +咖啡已经准备好了,阿瑟先生 +很好,先生 +至少不是在这样的情况下 +最后一件事情就是 +那就是3个方面没有增加 +他的散乱的头发 +所以我们排练的差不多就回去休息 +- 那样的鸟名字 +对不起,妈 +我们快点离开这里 +下车 我们要紧急疏散这个区域 +很好,就这样,这边也要 +你也会在死吗? +现在知道了 +你居然把自己修好了,真酷 +我懂了,这叫什么? +罗卡呼叫鹦鹉螺号 听到请回答 +快出来吃吧 +前进 +但我在赋予它生命之后就叫我和它生离死别? +好消息是他沒有學習障礙 +尼米茲將軍並沒有完好的戰艦 對抗中途島附近強大的封鎖 +楼上 你上过去吗? +这不是说... +总是我去,我答问题... +这就是... +我很难过,我叫道格拉斯·赫尔 +你很臉熟 +像富勒先生和那个女孩子 +那么... +有什么我可以幫忙。 +- 我仍然是我 +她的名字是Erika +( 意指"有可能是别的仇家干的" ) +- 昨日下午11: +非常抱歉,马上会有人招呼你 +我所见的... +我想我犯了个关键的错误: +你找她什么事? +- 一定赚不少钱吧? +并不是可以随时讨论 +你脸色很难看 +我是弗格森 +没人知道到底有多大 有很多东西我们都不知道 +-我知道石头里有什么 +石头,植物 动物和人类的区别是... +巴恩斯书店还可以 但是诺贝尔书城很小心眼 +我们下礼拜六 就在华道夫饭店结婚 +你是什么? +你要心理医生干什么? +-是的 我明白 +快点! +你觉得舒服就好 +他有点问题 +怎么样? +你知道我生气时都怎么做吗? +他不喜欢谈这件事 +没错,去他妈的警察 +我是保罗·维蒂 +你也做电话治疗? +当然可以 开始吧 +女孩子的事,我不懂女孩子 +这里是贵妇人房 +白鸟 这次你立下大功了 +你在说什么? +您需要明信片吗 先生 +搜尋美麗 +和銀色裸麥的農田去吧 +但我们找不到唐老鸭 请你拖延一点时间 +老板,贵姓? +什么哪里混? +你干嘛问我? +为什么不吃吗? +不要,胜哥 +伤者只想见她一个人 +尽扯我后腿的娘娘腔 把案情泄露给媒体 +不出所料 +然后呢 +什么? +箱子在那边 +抱抱龙,我这里需要帮忙 +快想办法呀 +胡迪牛仔秀 +快乐时光千万不要错过 +好了,各位,我们走 +动物们,快 快去找胡迪警长 +我们必须要过 +而火? +你信任他吗? +我不知道在那里我得到了它。 +我想 有些学生受伤。 +该死的混蛋 +敬礼 +你听错了 你骗我 +你,放轻松,你,倒霉了 +换他追我们了! +不对,你是来问我 哈姆纳塔在哪 +一位非常,非常有名的探险家 +请殿下吩咐 +你这个人渣,你躲哪去了 +就是杀死所有开箱的人 +没错,他的一贯作风 +你说什么? +他已经完全复生了 +很厉害,混蛋 +一个白痴 +伊泽先生,今天有空吗 +爱在这里是无意义的,悲伤的 +但是那双眼睛。 +早上好 +我爸爸是个酒鬼,喝醉了就打我妈 +對 +我可以闻到它在这里。 +艾玛... +他从来没有... +让我带你 +这些奢华 +那么 +我似乎低估你了 +"我需要你,我现在来找你了" +我不太肯定 +就是忘掉 +我们刚刚从米格尔的画廊。 +相信... +這些膠片,是美國海軍氣象監測飛機 拍攝到的畫面 +不錯 +- 倒退一點 +湯姆建議說做個寫好內容的風箏 放飛到他家附近 +我站在我家的下水道里 +飓风 +那男人穿着汉堡屋的制服 +谢谢,我辩论赢得了这个 +看着妈味 +你知道吗? +等到他们将人蛇载入境 +明白吗? +它会改变你 +不准动! +我有东西要送给你 +我们切断他们的电缆,让他们混乱 +你怎么了? +我需要帮助 +Hiko! +嘿,Steve。 +我要失去她了 +合法吗? +很好,好的。 +是的,他们现在很可爱 很快他们就会不客气了 +我在扮演NSEA 保护者的 指挥官昆西塔加特 +你兴奋吗? +嗯? +好过我的上尉 +他对记号笔过敏, 还不停地问我一些傻问题 +若这封信落在歹人手里 +我就派哈维去 +结果是业主的女儿 +史蒂夫 我知道 你工作忙 +我很抱歉 +害怕和我爱的人分开 +"沃伦・罗素 17岁 +你是说这也算新闻业? +你这么想 鲍? +3个月? +闭上你那贱格的烂嘴 +你是遇到问题了 +- 来这里 我的孩子! +"人间天堂 神灵至上" +"你我结成 爱的束缚" +- 你不了解 +我不敢相信 +我们善于和不同的人打交道 +首先对你自己有益 +連恩羅傑的回憶錄 他是貿易聯盟的領導者 +一你好,朗尼 一您好,爸爸 +晚餐之前,我請求 從學校銀行提領15先令6便士 +多少錢? +是這麼回事 +發生了什麼事? +他在哪里? +进来吧,圣诞老人 +哥,你已经很了不起啦 +暂时没有固定的电话留给你 +是我的朋友 +名正言顺的吃软饭,对吧? +趴地! +你会是我的伴郎 +准备投篮入球 +让我受一下轻微的处罚吧 +喂,华达,把头部放好 +大家留意一下华达 +亲爱的,我陪着你步行 +我要时菜奄列,另外只加蛋白 +知道她把那纽约专栏作家弄走吧 Actually about her getting that asshole from New York fired. +You might need it. +Huh?" +Bye, Mrs. +是不是每个人都会有个合意的人 Do you think there's one right person for everybody? +老友啊! +There's a lid for every pot. +500)}Come on now won't you +我想我知道答案, Garrison先生 +- 能做到. +萨达姆·侯赛因? +快走. +我一直想再开一英里 +我有个孩子 +你什么都不想知道? +我只找你一个 +五月在珊瑚礁拍 躲开观光客人潮 +我是彼德谢特 是你爸爸的忠实选民 +贞德 你还好吧 他们没伤到你吧 +现在该看看你威力如何了 +弓箭手就位 +这是最后一轮。 +发生了什么事? +这是弗雷德。 +在哪里呢? +现在几点了? +-是谁? +-要是你举牌就是为这个? +- +-仍然是个传奇 +还有舒服的杰酷喜按摩浴缸 +好 长官 好 +OK 我要把车开走了哦 +佩西,你这个浑蛋 +就好多了 +是啊,它再也不会回来了 +祥猁踡腔ㄛ跪弇 珨з飲婓諷秶眳笢 +我不知道海绵要沾水 +我很高兴她今天情况较好 +是谁三更半夜鬼鬼崇崇... +- 我不确定 +铁钩 +相同的讯息 +-你会用电脑吧? +-你没事吧? +我们两个都一样顽固 +东尼,我是保利 似乎又有新受害者了 +观众对林肯莱姆应该不陌生 他是犯罪现场... +最後一班車走了 +我可以帮你找个空位 +你还好吧? +荒野... +我感到很惊讶 +爹地 +没什么... +那下面很深吗? +那就是我 +泰山,你在哪里? +我就被救啦 +喔... +他的好朋友来啦 +会吓到他们 +那个 +可是... +怀中的你 小却坚强 +我觉得你这样子冒然开枪会吓到他们 +-可怜的东西 +克里顿 +拜托! +喔,谢谢你呀 天气太潮,头发不好整 +嗯... +你给我安静坐好,手抓牢啦 +让我陪你不流泪 +总有一天 +克里顿,不要 +你能马上派一个技术员吗 +大约往东开一个小时就是州界了 +这真是... +但是她恨他们 +我要以自己的方式结束所有的事情 +-- +我反對法庭上會使得事情更復雜 +他找到聖杯 +如果我憋氣整張臉都會蒼白 +我没听见巨响 +你是怎么说的? +-让他说吧 +也许因为我们不会跟香蕉做爱 +只要确定找到对的人 你知道阿德利企鹅 +南格兰少了他就不会一样 +其实也不错. +下边也扫吗? +你说什么他在芝加哥干嘛 +天下次问清楚方向 +看见没,我告诉过你不要吃那些虾了 +你把我看成陪衬品了 +我可不介意你带多少律师来 +没什么大不了的 +我杀了她她挂了 +别担心,女士 +你却来杀了他们 +不 +我的女人运不怎么好,对吧? +他叫黄师虎 是个老千 +我要是有什么意外 是不是由你负责 +我来到这个优美的沙滩 +她总是第一个出去的 +我杀了 Liz. +有那些事,和你父亲,就够了。 +... +- 古坑吹? +她已经跑掉 偷光了我的东西 +露莎,你有访客 +昨天和今天,我流了点血 +听着 +发现一大叠照片 +和器官捐献有关的事 en relación a la donación de órganos? +- ¡Hijo puta! +我现在完全毁容了 ¡Sí parezco el Hombre +好吧 我走了 Bueno, te dejo. +不是这样的 罗莎 No piense en eso, Rosa. +身活在白日梦中 +而且随都能再去 +你确定你的决定是正确的 +昨晚,他向我求婚了 +And glasses. +但艺术却没有回应你的热情 but art certainly doesn't respond to your affections. +安东,什么事呀? +我们迟些再继续 +我们会被弄扁! +什么? +...你带我来到这个世界... +若现在失去后援的部队 +不要过度相信装备 +是他们 +...并成为一个不同的人. +睡姿很奇怪 脸上还裹着头巾" +你对我就像父亲一样 +你们必须运用你们的感觉 +你确定这里安全吗? +贾巴,如下次想找我谈话 你自己来找我 +我想你们应该帮不上忙 +你的计划失败了 西迪厄斯大人 +船长 看 +你的朋友也将死去 +请随便坐,主人马上就到 +一定能 +天行者被逼到旁边 +那是议长的飞船 +他是揭开西斯族之谜的关键 +谈判一定会很快结束 +谢谢你,议长 +无意冒犯,但我说的是事实 +- 还有呢? +我感到很无助 +别碰那个动力电流夹。 +我已经没有什么可教他的了。 +走开! +他们脑袋到底是怎么想的? +运气真好 +很多大人物心情都會不好 +竡粂 +捆ㄠΤ盾 狥ェ而 +瞷ぃ︽ ダ克ρ稲弧炳ㄆ +他们是谁? +癢得要命 +莉薇亞 要我把這些花插在餐桌上嗎? +她确实是个健忘的人. +嘿! +他们很友好,乐于助人 小朋友们都很喜欢他们 +我要把它推到旁邊去 +強尼是個聖人 +他總是說他非常敬重你 +你和那些英国鬼提起过吗 +老麦,请回答 我们在走廊 +他在研究野生动物? +他不说话的,记得吗? +小威,你爸要走了 +你有什么可生气的? +-我们认识吗? +雷蒙德应有尽有 +塞巴斯蒂安 +学校里男孩子怎么样? +无耻! +你要听她的话,这样才能广受欢迎 +这件事你会小心处理吗? +"非常地肯定"还是"一般地肯定"? +我讨厌事情进展得不顺利 +你将你的时间都花在宣扬 "等待真爱"之上 +这听起来很平常... +记得别关前门 +打扰了 +糟了,那是我妈妈! +你真的要打吗? +我没有想太多! +吧? +西西儿 +有年青人过来帮忙,真是好极了 +对不起,我完完全全地... +你的女儿在第一线 告诉她等等吧 +你是女同性恋者吗? +有的,有改变的 +你不能... +听着,我不是有意让你难过的 没关系 +这样做才不会太伤感情 +给 +时光有时会... +我们可以出售,安迪 +是的 +别把这写下来,好吗? +―有什么事吗? +我们采取了侵略性的放射治疗 +你好? +比说更有价值 +一! +对不起,我... +讨厌 +乔治,我应该怎么做? +晚安 +出租车表演必须保证... +我要这个小姐和那个大奶子的 +对我来说这是光荣的时刻 +好,正经点,正经点,好... +你不愿去 呵... +人各有所好 +- 我會給你一把掃把 +這裏. +那就是有人使过 +"长幼尊卑,敬重有序" +我现在最担心的就是母亲,怕她一下子受不了 +自从父亲来了以后 +从这天开始,母亲就天天去听 +激病了... +什么过个山啦 +- 是啊 +- 这是给我的吗? +- 是的! +嘿,就是今晚,嗯,是啊 +-你是他女儿 +- 这是谁的录音带? +抱歉 +为了我不曾拥有的东西? +很抱歉,这门婚事对我们来说是不祥的 +- +你在这里种了些什么? +时间到 时间到! +你太古板了 +却忘了做正确的选择 +它还是会坏掉 +什么口味 +我觉得还不错,你觉得呢 +请进吧 +翠茜和我是完全真心的相爱 +- 我想... +然而事实却不尽然 只有一些骄纵的富家子弟 +我们的关系奠基于 彼此的尊敬与钦慕 +- 真厉害 +- 我不在乎 +我们两个能同时参选吗? +最好别乱说话 +写完考卷的人安静坐在教室 我马上就回来 +- 开什么玩笑 +起来 +他说的 +我们有了点钱 +有這回事嗎? +簡直是一場夢魘 +喂你! +Hey, 他看到那乱开车的人经过。 +用金框。 +你们这些败类生下来就是当强盗来的! +世界进入了一个新的纪元 +我的家 +他们亲吻,罗戈退场 +我有男朋友 +穿上衣服 +真是太好了 +妈! +- +让我考虑看看 +好了,人齐了,可以开会了 +对了,陈先生 +还有,银行贷款方面又怎么样呢? +那个叫什么... +是,有人袭击我 +但这柔情 +多少钱一尺? +从此之后,就没人再见过这对年青人 +台湾话又不会讲 +而且... +他踩葡葡的时候还没有洗脚呢! +我任务完成了,他很好 +别搞那么多花样,赶时间呀 +害得到在听不懂了 +東尼,你有何打算? +接受救世主耶穌基督的靈魂 +外太空让给他们 我们有摇滚乐就够了 +-走吧 桃乐茜 +又有人挖得太靠近基柱了 +煤矿业在衰败 除了你所有人都明白这一点 +侯默... +必須聽聽自己的想法. +-速度等於加速度乘以時間. +你要去哪裡? +There. +Homer, that was unbelievable! +but through the throat at less than sonic speed +it becomes compacted in the divergent section... +谢谢你。 +我从收音机里听到他的音乐后, 就决定做一个爵士乐手。 +你的圣灵可以拯救 这个没有价值的小人物 +他是疯子 他控制不住自己 +子宫缩停了,帮我把她弄出去吧 +来吧,弗朗克 +弗朗克! +回家去吧,罪人们! +还说他是个疯子! +快点! +- 谢谢. +-尤其是考虑到玛吉 +- 再见. +我也一样. +- 噢. +-但这也太荒谬了! +他总是这样. +你知道这一点. +-哦,是很便宜. +太棒了. +当然可以, 格林立夫先生. +好的. +你觉得呢? +迪克向我保证过他决不会摘掉这个戒指. +别让人看见你的弱点 所谓痛苦是你自己造成的 +这是关于美好生活 我跟兰斯都想离开 +自制酱? +[海伦的声音]亲爱的,你知道吗 多么爱你我是谁? +你从不听我说。 +-别那样. +你儿子? +-隻要你有心 +接受吧! +雷蒙,我問你 你想要成為什麼? +我曾經讓我們失望過嗎? +只要喝一品脱的血就会生病 +真的? +前程漫漫 所以才设计"希望"计划 +搏击俱乐部是我们俩一起创造的 +是我们两个人共同拥有的 +不知道,我觉得生命乏善可陈 +我们都只是来这世界走一遭 +你什么团体都参加 +好 +所以瓦斯外泄 +管他呢,又没有人看 +我说真的 +全世界最有养分,最油的脂肪 +闭嘴 +你在干嘛? +兽医... +2160号 +她根本没有病 +旧金山机场、洛杉矶机场 +-快点,打我,趁我还有勇气 +等等 +-不 +是我们给世界的礼物 +不,我心里有数 我知道这里会发生什么事 +橡往常一样 我会保护你,即使你又哭又闹 +好 +不知道,我没打过架,你呢? +各位,你们必须回家了 +但他打架的招式可是一流的 +你对你的生命有何感受? +怎么扯上他了? +! +他为孩子们的抱负骄傲 +我不允许 +不只派去中央法庭,而且首席法官 +也就是我父亲, 出生了 +独立? +古斯塔夫是你情人, 是吗? +人们不要自由,而是要保障 +请过来 +可怕的消息,我总忘不了你对我说的话 +你来干嘛? +不是有秘方吗? +再说一遍, 犹太佬... +政权巩固之前, 利用叛徒... +-我说的就是薯条。 +? +你怎能那样议论史蒂夫? +嗯,我在这里看电影, 而她在丹佛看相同的电影 ... +对我们来说,当我们全体 再次聚在一起 ... +我们成功了 +我正在想哈佛的事儿,会过去的 +- 我们为你准备好了 +艾莉今天怎麼了? +她才高二 天啊 +亲爱的 +TruLyle先生 当我还是个孩子,我父亲带我去打鸭子 +随便猜测很危险 +如果我们不能出名 +- 无须喜欢. +据说可以令魔鬼现身. +我指,你相不相信鬼神? +- 当然,先生. +CENIZA +- 高素. +不,我们有些金钱纠纷 +好啊,在哪碰? +如何不抵触? +有人找到一卷带子 +剪接啊 +你在哪高就? +去你们的 +他说他们很怕他 +罗威,他在线上 +不,他们是自愿的 +杰夫 +凯先生新闻总裁一百四十万 +如果你要上"六十分钟" +他们才不会又申请一张禁令 +什么? +强制是什么意思? +是的,非常满意 +而我就要他的证词 管你高不高兴 +我们这么做 你问问题,错了我会告诉你 +放他走 +在收银台工作 我要五指健全,喀啦喀啦 +这是确定的 不,去他的,去他的 +猜我怎么说 +额... +你先死, 然后我会在你的葬礼上唱这个的 +打一个186分钟的电话... +枯燥的说着一些枯燥的话题 +华弗向四周看 +干什么? +你连我扫地都没看过 +但我们要做的是 让人们不在这里 +放我下去! +总统现在人在犹他州 +艾丝柯巴小姐是谁? +他早就远走高飞,不想也知道 +火药、硝化甘油、起爆剂 +听说这畜生就是你 +浴血将军麦葛斯 +浴血将军麦葛斯 +有看到想认识的人吗? +对不起,我不懂你的法文 +我等这一天很久了 +这是怎么搞的? +以后你向孙子说故事时 +闭嘴,好吗? +那就抢一辆伊拉克卡车 +- 快穿衣服 +没问题,朋友 +很接近了 +你不知道你的部下在哪里吗? +当然是真的 +我们能在他们 阻止我们之前过去的 +她难道没有自己的护卫吗? +没问题 +现在平民遭到屠杀 +这位是爱克先生 +对不起 +我们走吧 内罗 +你说什么 +不管是毁坏学校设施还是学校暴力 +好,先播首歌来听听 +如果你现在听到,请马上致电给May +要不这样,你再给我一次电话 +june,飞机不等人的 +我高潮了! +我要马上告诉姑娘们 +我知道我的行为不可原谅 +马屁得不堪入目 +很快,去趟一号 +. . +比低脂松饼丑闻大 +北卡. +我吗? +承担不了. +.. +没有风浪和麻烦... +就是帮我查两个线索 +八十九. +你是游客吗t? +因为我不知道我该说什么 +来一杯咖啡 +现在你跟我唱一遍 +-村长让我跟你要啊 +别乱跑,跑丢了他找不着你ず +比自慰还要过瘾 +有可能 +要对联邦军在此战争中出现的问题负责 +两个伤口的大小形状都一样 +但安琪下周会带你来见我 +没有 +老二 +一个没有电脑的世界 没有硬性规定和任何界线 +该死... +把这玩意弄掉 +你还要什么? +快起来 +是我的耶稣基督 +命令出击 +看起来,我们两个不适合当家长 +还有,最重要的一点, 你们根本不尊重 +嘿,我听说你们得到了孩子,恭喜了! +发现他们身首异处 +-是的,谢谢 +-一派胡言 +对,我以为你爱过我 +好了,小马斯,你先出去 +-我想念你,你上哪去了? +你熟睡如一头死猪一样 +跟我到公证人哈登布鲁那儿 +-这是改变不了的事实 +他骑马到沉睡谷,然后回来。 +无头骑士来对付他 这是由于... +有杀截的地方就有他的存在 +亲爱的,你先回避一下 +... +给人家盯着,我难以集中精神 +寡妇温希普,原来早有身孕 +-是家母的书才对 +我睡在书店里的长椅上... +这歌很动听 +我是说,你么... +我没干涉你的生活 +其实你在我心中,是一个不合格的男人 +试试看 +! +沙律,不要呀 +你有神经病吗? +500)}言葉はただ流れてく +-是妳的活力,妳的举止 +晚餐后我让妳看看我的木偶 +分享我们的创见 +"帮助他承受痛苦,战胜一切" +是的,现在正流行 +喔! +他是工艺天才 +我们对这件事的内涵并不了解 +我称之为... +克雷,你之所以没做什么... +杰弥公司 +一个木偶操纵者 本身绝不能成为旁观者 +我是克雷萧瓦 开始到莱斯特公司上班 +对你,我有种从未有过的感觉 +没人想死 +马鞍也可勉强代替 +抱歉 +绝对没有能进入别人 脑里的洞或是入口 +我是认真的... +好 +好吧! +这个叫约翰的家伙有名吗 +你们知道爱斯基摩人对雪 的表达法不只一种 +我的天 +你真行 +最好如此 +别再说了,求求你 +亲爱的,只能看一会儿 妈咪在等我们 +我的生命充满... +我还不是一个正式的历史修正主义者 +安琪兒 +事已至此,我也只能替我女兒 表示對你們的一點心意了 +黄河 It's the Yellow River +叫什么 +你们赵家害我失了男身 你还记得吗 +任何时候都不要失去勇气 +浴室... +我对2000名工人负有责任 +是能无拘无束拥你入怀之时 +全亏了有这份曝料的收入 +-我相信是的 +-汜辦 +請攣嗣嶺腔躓滯 +準都豇替ㄛ政婓艘憩砉伎? +奻闡 +±坴珩偝岆扂笢腔酵荌± +但很不错 +-泰莎,这是贝拉,我太太 +好吧,告诉我,如果我雇用一块湿抹布 +-斑比呢? +∮能摆脱过去的阴影走向我∮ +哦,好的 +事实上... +我也是. +注意看你脚下. +不. +你周围飞溅 像一个精神病人 +市府很荣幸颁予费城之子 +这里的每个地方几乎都有悠久历史 +是一间儿童餐厅,小孩去的地方 +他们只看得到他们想看到的 +是的 +当然好 +我们先跳一下 +... +你說你老闆是不是坑人 +真的? +這叫做策略 +而是為他的人民絕食至死為止 +我才张开双目,降落人间 +有时我想见到父母 +你是吗? +做好啦 +这东西 +他是个男孩子嘛 +打仗期间我们请摘苹果的人不够 +他们不想, 我就装作讨厌 +都像被遗弃在这儿的人一样 +他会不会想回来? +荷马 , 是时候走了 +你是我造出来的活生生的艺术品 +嗯... +我也害怕见到他的 +你有什么想法? +那就可以杀了他们 +轰炸机? +我用不着你感激我 +他刚要登记进旅馆 +我把我的东西留在这儿 +昨晚来过的那个医生? +躺下来 +我要一杯咖啡 +我一直不明白,你为什么要放弃 +你怎么打听到那个地方 +发生了什么事? +快点 +你们等一下 +女士们,好好睡 +不明白这题 +好像烟囱一样 +我听见你们了 +难道不是所有人都有 +很漂亮 +当然 +是个烟道 +你是谁? +明天见好吧 +请你把手放在脖子后面 +她说你们一走,他们就会杀了我 +-你想解释什么的吗? +喂? +我们就为开诚布公与 清楚的沟通干一杯 +我们谈的时候比这更多 +史派特先生,我不必提醒你 +-你要不要听? +别再为这些小事烦心了 +那些是很特别的那种 +恩,动物园的喂食时间 +琳恩,琳恩,266 +帝国委派我绝密任务 +这鞋挤得我疼死了 他喜欢乡村 +他吓唬我? +-她有什么期望呢 +现在都成了一团乱麻 +演奏完毕 观众起立欢呼 +为什么? +妻子在吗? +好了,各位,来研究一下 +却掠夺自 己的人民 +盖根神父,你好啊 +卧倒 +艾克斯阿尔法,我是苏波莱 +你到現在還要嘴硬 +你要上哪兒去? +這提醒了我... +他們就沒辦法找出他是誰 +- 不行 我没穿衣服 +他只算半个男人 +五元和二角 多谢 +这不是我的主意,我是随他们所做 +好极了,继续做吧! +流 +.............................. +我的天啊! +-那是芥末 +-你说什么 +,那边... +等一等 +够了 真的够了 +迈克 迈克 +我爱你,好吗? +-他在一家工厂工作 +我知道你们在干什么 +怎么离开? +我们妻子怀孕了 +他说是给树看病的,被狗咬的好惨的 +让我提醒你一下,好莱坞,1947年 +和男人好 喜欢男人 +毕竟她是我们索波杨斯基家的 +每一个动作 每一句语调 +老虎仔,你认不认识我呀 +跟她结婚都有七年了 +那個幫手準是我了 +義父交代過,一個也不留 +小店有個規矩 +抢回来的那批东西就一日不用 +反正无聊,你愿意说我就洗耳恭听 +数日之后就会落脚在荒废的羽晖镇 +饶命呀 +不为什么,谁帮谁都是一样的 +那么黑狐从法国跟着我来了 嗯? +我留着妳雨季用 +我跟你说了这主意很蠢! +不是 但妳有了路易斯 我得到文件才公平 +你受够了 碰巧你知道他们把钻石藏在哪里 +尽快回电 以上 +5年前 你还欠我一个人情呢 +今天 +不 他咬舌自尽了 +不要离开我... +冴子 +我们去海滩时它跟着我们吗? +哦 杰克 它睁眼了 +我很感激你的帮助 戴维 谢谢你 +你必须保持清醒 +我知道这是疯了 +我知道这听起来很疯狂 +同样的事情发生在杰弗里身上也不例外会发生在我身上。 +船舶! +长到成年的代价是付出生命。 +天哪,抓住他 +医生后来说他无痛死亡 +小心,小心 +跟网罗一切的死亡签个永久的契约吧! +我看看,别着急 +报告,什么也没有 好,走 +我的意思是你的收入与年迈的渔夫相比, 真是大相径庭 +帕勃罗・毕加索 啊,帕勃罗先生 +可惜 +那你知不知他们去那里? +我们被一班蠢材阻住去路 +我還想問你呢 +我們現在就去 +{\fn楷体_gb2312\fs20\bord1\shad0\fsp2\3cHFF8000}开车怎么不小心呢? +{\fn楷体_gb2312\fs20\bord1\shad0\fsp2\3cHFF8000}大概与众不同吧 +{\fn楷体_gb2312\fs20\bord1\shad0\fsp2\3cHFF8000}我今天是特意来陪你玩的 +罗根小姐宣称他正要离婚 +这地方的灯在哪? +在我们行驶在滑铁卢的高速公路上 +你都是有这优先条件的 +那行,你們起來,走 +师叔,我真是冤枉的 +果然没错 +但他对自己的飞机比对我更热情 +果然 +还有没有其他好的办法? +是为了你自己的地位着想 +快些 +是 +你为什么炸光... +要抓人的话就一定会和海盗开战的 +趁现在! +为什么突然来到这里? +她会被我身处的困境所打动 +祖道克已经搞到票了,真希望我也有张 +它们的蓝扣子眼睛还一个劲傻傻地盯着我看 +可我把枪丢外面了 +哦,亲爱的,过来,你瞧啊 +- 它被散布了吗? +- 什么? +- 嗨 等等我! +他们的机会终于来了 +这是我和他制造出来的 +如果我没有出现... +好好打 +看这边... +我們又沒地毯 +是你的 +現在第二個回合開始 +自己去說嘛! +那就是有嫌疑了 +一个人读很没意思 +"一直以来我都是这样 +在我发出指示的期间 +被称为可可海滩 +啊 +我们有一些适当候选人的影片 +你们将热狗准备好 包子准备 +你愿意试试看吗 +是的 我们能预期会有更多麻烦 +不要! +你要陪在我身边? +空气那么稀薄 +好酷! +那些人見過公主的眼睛嗎? +我說: "誰為我除掉這個不聽話的教士?" +要愛鄰舍如同自己 +¨纞胊〃 +- 杰克是誰? +看 +- 珀西 +一切就仿佛是发生在昨天 +别管她 把东西拿这 +谢谢你 这本给我 一块二毛五 +是吗 +巴哈马拿索居民,未有犯罪记录 +-你要去对付拉麦士? +- 为什么不是? +-我想要你保护他. +他们对我来说都一样. +但是我估计你将改变主意。 +-弹道航向是什么? +给我更新... +这部机是福卡少校的骷髅一号的 +- 多谢 +我一年看她一次,带她去看乏味的义演 +! +誰? +是的! +不要紧 和辉一起就行了 +好啦,我直说吧,福尔摩斯 +他不会不露马脚的 不会的 +但是这不是我们的错 这是上帝的意思! +39,282 +一些他从来没做过的事情 +拜拜再見 +路上小心 +? +288)}他有何不對? +288)} +288)}是他逼你如此做的 +你不敢说吧? +我会找到的! +早叫你不要喝那麼多酒了嘛 +鎮定些 +你是不是不舒服? +為什麼? +爸爸... +三姑! +学人做倒挂金钩呀 +他們的抽層真是恐怖 +你是不能拒絕的,如果你想要的話 +誰照顧你? +10年的時間.你再這個行業裏 什麼都沒有明白 +太安静了 +但是你不 +是我使他出名的 +去干吧. +我以为你知道整个周末所发生的事情. +我只希望 +你不是开玩笑吧? +这个周末她不会 +对于我自己我总是必须要打开该死的车门. +记得我们在cobo见到他们的那个晚上么? +是的,我很抱歉 +谢谢你,Michael +他和他的同党殴打男主人,还强奸了女主人 +你说的到容易. +都像是给我们的歌 +快! +回答我,维奥莱塔 +是令人敬佩的, 但是有点过分了 +你想要多少? +那个少年说什么? +这样就不会降调. +-晚上好 +全体人员立即各就各位 +这是奥尔嘉布鲁诺的 朋友迪特. +儘管不停的演出和聚會... +我也沒真正談過戀愛。 +不過誰管這麼多呢, 他們只是玩玩而已。 +可是她真的太難過了。 +我所想的只有倫納德, +布莱得拉夫 先生 +抬头 +{\cH00FFFF}{\3cH000000}You want to catch Xu Wen? +去了多美尼加,生个小香蕉 {\cH00FFFF}{\3cH000000}Your son can be born in Dominican Republic. +我已经是糊涂多年了 +我在和皮埃尔说话 +换我欠你一次 +尤达,我必须知道 +驱逐舰不知在等什么 +那个曾经是好人的你的父亲就被毁灭了 +所有部队准备进入攻击坐标 +去哪里啊,R2? +小心,威治,有三架从你头顶方向来了 +那家伙可以工作 +皇帝正在"死星"基地 +你不知道黑暗面的力量 +这是我的工作 ne'st pas? +几百万人正在疯一样做做做 +泰莉 别担心我 我不是敏感脆弱型的 +可以吧,照我昨晚说的 +天哪! +你是在嘲笑我的体型嗎? +他把自己和家人关在房子里 关了7年 等待世界末日 +我去买烟 +他写意大利 +还以为你被卷入统合战争死了啊 +是吗 军人当然要救平民啦 +超时空号 +你想怎么样? +詹姆斯,我要... +躺下,好吗? +好极了. +独一无二的机车骑士 +别说我什么都不懂 +好的 +我们走吧 +在安大略自治区上空 +順便呢,你把他一起帶走就行了嘛 +跳啊 +好 如果播放歌的话 +在默默无闻而终之前... +先原地待命 +何时? +你为什么不把它给我 +我不能安顿下来 +拜拜 +能走 +别担心 我们走 +奥洛夫将军 +是我。 +―看一下地图。 +德・波克罗夫斯基民乐团 +允许2400万朝鲜人入伍 +快走 +會讓你們住進新房? +請妥靜 +沒有我們的票,你們不可能當選 +单凭维克多・伊曼纽国王 是改变不了这奇妙世界的 +不是这样的 +感谢上帝 +卡洛吉罗管理着我们大部分的财产... +我跨越两个世界 在两个世界中都觉得不安 +马辛先生, 这很简单,别住这里啊! +他不过很兴奋而已,就这样 我得说相当兴奋 +我们可不提供那种健全的保险 +作为一个土耳其人,要么是朋友 反之则相反, 我警告你 +太多了 +对我说点什么 +- 为什么吵闹? +昨天在船上攻击我的海鸥 昨晚在安妮家也有一只 现在 +不 学生出了学校 鸟才开始攻击 +差点扯下船长的手臂 +若这位小姐说 +再给我一片木板 +你好,丹尼尔斯小姐 签收什么? +我老婆曾在她的汽车后座上 发现一只鸟 +她的脸看上去就象软百叶帘似的 +别做过火,否则会拼上你的命的 +他看起来很赶时间 +你会变成那个样子? +不,坐下来 +快来,过来陪陪我 +一看过了吗? +打开床单 +太冷了 +在王子的宫殿里吧 +干什么啊? +吻他的手,告诉他们你悔悟了 +阿哥斯迪尼,去给我们跳个舞吧 +这是主教 这是莎娜基,明白吗? +我都已经等得不耐烦了 +不要走。 +当然,你认为我已经失去它了。 +但还在渴望... +成吨的! +我真是很好奇当我终于听到这个剧本的时候... +他真可亲! +-我没有 +我见过她的证件,已经52岁了 +暴雨、冰雹摧毁五谷、飞禽... +我跟士兵同住同食 +头衔、权利应该确立清楚 +在陵寝里等你 +- 來 上來 +- 侄女的花給我 +不 是彈簧 因為放泡棉的話 夏天會非常熱 +文件 +- 你真是個畜生 孩子 +你等着吧 +朋友,我对你的忠告是 +在到达的里雅斯特前别把此事泄露 +够大吗? +营区所有的人都知道 +我可以告诉你许多我的牙的故事 +- Hi, Ursula +我不怪你 我过去生活在幻想中~ +Oh, you gotta feel it here 你得心里感觉到它 +Stick out that noble chin 扬起高贵的下巴 +一旦阿尔伯特和我将新生意做起来 +- 佳处可去 +那为什么你现在不那么做? +克里斯蒂安. +废物 +我们按计划进行 +-是的,我在叫 +他才不会爱 +萨克斯弥别墅... +-你觉得这个房子怎么样? +是吗? +前几天 +-是关于维拉的事情 +希望这不会给你带来不便 +先生,请你转身过去 +在你的床上... +应该会非常愉快 +霍默说要修所医院 +没有人真的知道 这里将发生什么, +我是这么认为的 +这个美国人... +自会一致反对 +苏菲太粘着我了 但是你还是有机会的 +甚至当我有一点点的爱上他 +她该得的 +不知道她脾气怎么样? +自己养了孩子 +希望你原谅我那几个孩子 +她就是我告诉你的那个孤儿 +我不知道她们 我在遛狗 +在不正的世道正直犹如拎只鸡抵御狂风 +你应该为自己感到羞愧 像这样吓唬可怜小狗 +我说 警官 你真要带我们去局子里吗? +爱玛! +一个新病人: +他很友善, 但不干净 +你什么时候叫你朋友来弄一下窗帘? +快点 +你说谎 +亲我一下 +来吧, 问声好 +恩, 很好 +你不會忘記要告訴你的兄弟吧? +啊! +妳說什麼? +所以我更要跟你去 +在部队里没人敢说我们班中的人被宰了 +有个人他以为自己长 +沾叔,怎么这么晚? +快乐 +住口 +卡维山圣泉寺 印尼,巴厘岛 +你们不能随便杀人 +今晚上就走 +你也知道我想要什么 +督公,这个人不是周淮安 周淮安不是这种江湖功夫 +老板娘,这茶真特别 +業主很大嗎? +是不是有叉燒雞飯派發啊? +小心 +在度过好几年杀戮生活之后 +阿垂 +哦 浦饭 桑原两位选手 +可以那么做吗 +成功了 +怀抱着各种的想像 +萤子 +不断地重复刚才的攻击 +你果然厉害 真有趣 +好了 现在换我发动攻势了 +那么我就让你见识它的强韧度 +但是 他不可能知道这一点 +虽然比你晚了几十天 +但是在那里面手脚无法动弹 +大约在十年前他突然失去行踪 +我只是想救桑原... +天沼是"遊戏高手 +孤单地与都会人潮擦肩而过 +就可以吃 +是束咒绳? +不要看啦 +好 准决赛快要开始了 +但是现在... +涌现突破的勇气与Power +好大的杀气 +看到他们的作风 你也该明白这是多么无聊的遊戏 +别过来 +回人类的世界 +走吧 +死死若丸选手的剑... +他来这里之后不断地在改变 +嗯 +就算要帮他加油 填饱肚子还是很重要 +千万不能掉以轻心 +伤脑筋的是也因为这股力量 而无法通过这层结界 +是那永无止尽的战斗的预感 +好吵 +不过 你忘了吗 +我也认为那是最好的办法 +那家伙强到不像话 +这样的遊戏很少见 +你不了解 +幽助他们在这种情况下 也只能靠藏马了 +我受够了 +啊 又来了 好可怕喔 +可能是因为无意间看到 非常严厉的人们 +飞影现在才要发挥他的实力 +好想用双手去触摸 确定自已的心情 +这里是证交所吗 +不 还有办法 +地狱的房间... +你们四个当中有一个是冒牌货 +赌上梦想的男人们 +你说什么? +如果是灵光波动拳的幻海 +什么? +当有人想要我时 +是的 夫人 +拖惨了我 撕裂了我 +再見 +那是我們的飛機 +去看看飛機吧 +- +问题就在这里 +但只会偿到马罗的汗味 +检查了! +我看到光明与黑暗 +... +嘿。 +猪... +当然。 +你一直梦想一天你能离开,并时来运转 +嘿! +谢谢你来救我们,爸爸. +- 伟大的! +她死了。 +。 我 听 非常好 。 +我住在 555 +-25 。 +{\fnFangSong_GB2312\bord1\shad1\pos(200,288)}帶大家上去按門鈴看一下那些女的 +{\fnFangSong_GB2312\bord1\shad1\pos(200,288)}用來打人的呀 +{\fnFangSong_GB2312\bord1\shad1\pos(200,288)}不過他也有給小費我,給回五百我 +{\fnFangSong_GB2312\bord1\shad1\pos(200,288)}難道真的這麼猖狂 +{\fnFangSong_GB2312\bord1\shad1\pos(200,288)}而是鐘樓對面那些一格一格的空位 +{\fnFangSong_GB2312\bord1\shad1\pos(200,288)}為什麼? +。 +他们贩卖赃物 搜查时发现了这张纸 +你以为我看不出来吗 你以为我昨天才进修道院 +那些记者们突然出现了 可这对修道院有好处呀 +因为我老不能按时起床 +你认为她们能唱得更好吗 她们能行吗 +-事实上 +都阻拦不了我 +千样万化 +是我出的主意不去上学 +胡说 +也有便宜的 +喝水 +对于贵军的战术和顽强的防御 +现在摩和克族人要和法国人 休伦等族作战 +以防你的枪法 高过你的判断力 +这是扰乱军心 +现在 连法国人也怕休伦族了 不是更好 +δ上次释放你的心情是在什么时候 +或者我们应该叫他阿拉丁? +茉莉 +她聪明 风趣 +嗨! +230)} {\cH24EFFF}后期: +我从未见过这么美妙的东西 +可是 我要是自由了 +您女儿的婚姻 +他也不喜欢飞行 +父亲 我刚经历了一次美妙的时刻 +好吧 +为什么? +我感动得都哭了 +查斯克校长如何坑蒙拐骗 +他就会想起他的儿子 小乔治·威利 +-真漂亮 真的 +现在窗外连出租车的影子都看不见 +转 +威利先生 +这些和我拿奖学金有关系吗? +施舍一点 +快上车 +现在我们不但牵涉到间谍组织 甚至牵扯到谋杀 +给你一个好理由 +你们都知道 +巴尔曼尼罗音乐会的票根 +"不准进入,请慢慢说" +卡尔,注意听 +干什么 {\cH00FFFF}{\3cH000000}Why? +我来押宝剑的 {\cH00FFFF}{\3cH000000}I'll protect the Precious Sword +{\cH00FFFF}{\3cH000000}Just then I was... +没事我害你干嘛 {\cH00FFFF}{\3cH000000}Why must I harm you? +闭嘴 {\cH00FFFF}{\3cH000000}Shut up! +看看另外两个家伙怎么了 +不够的 +你的钱是哪儿来? +杰克森郡那件事 真的发生过吗? +老天 +对我却甜若蜜糖 +老天,你以为我真傻啊 +听到没? +这不是好兆头。 +然后变成一株食人花... +我爱你。 +不管怎样,你看上去不错。 +我们整整三天没有离开房间。 +都是神圣的仪式,你明白吗? +那么,总之... +你让我恶心。 +你觉得我有个大屁股。 +真不错,谢谢。 +到旅馆住几天 +进来 +K比利"70年代老歌精选"继续 +什么? +我知道 +午安,我是Curran探长,他是Moran +不然就滚远一点 +我以为你不会这么坦白 +我讨厌老鼠 +*****【 本 能 】***** +抱歉! +超市买的,一块六毛五 +我真的看错了你,还有什么话好说 +你有个下属叫Vodka的? +那警察怎会知道我们去砸海叔的场 +阿浪的情形怎样? +我既来到这儿 +谁是你的教官? +我亦是家族繼承者 +从我爸爸害怕他的 带酒气的呼吸吵醒妈妈 +你是说你住的房间? +别这样,我想知道 +今早我醒时这第三条腿 +拜托! +我从都不知道勃起! +谢谢各位,下课 +。 +已在波戈隘口的路上 +你可以放心我 +我带你到香港做大买卖 +你会不会掷的? +那两个呀? +你没事吧? +好痛呀 +清楚 +多少都有点印象吧 +坐 +大哥 +不行 没商量 +有商量 我替你问一问 +别动 把枪和套一起抛给我 快点 +找不到他 +明天或许便不是真的了 +我们在杀他? +亲爱的马科弟兄 +他们在一生中最少朝圣一次 +带领我们走正途 +阿门 +你也不该那么容易放弃 +若我的死可带来任何光明 +你得对我客气点 +你只离开一天, 就收拾了行李并打了3个电话 +-坐下 +芩查 去看看谁来了 +1669年 +你说什么 +因为幸福而流泪真是感人啊 +有了娜查的喂养 蒂娜在厨房里慢慢长大 +-干杯 +你憑什麼偷我的東西 +高妈妈大概是怕你担心没敢让你知道 +可是他当宝收藏 +爸 他听不懂啦 +亲爱的烧饼 起床啦 +看完了我们就走 +威威跟赛门呢 +威威 +小芝芝她要我告诉你 +我也很高兴 +杰米给我滚下沙发 +要打肥皂 +你送我回去等电话 +弟兄们 对不起你了 +有空过来坐坐嘛 +这就是你的工作. +怎可以答到考战略的题目呢? +你真没话跟朕说? +我们一会儿就去 +悬疑 笑料 暴力 +他用那个跟拍镜头就构架好了整个电影 +三个月 不 应该更长 五个月吧 +那你"不是"从哪里来的 +-是这样吧 +想学投笔从戎,图发奋 +他在那里 站在高谭市 领导人物麦斯许瑞克旁边 +是 +那就是女人的麻烦 +啊,上帝,雪莉。 +我只要一次机会。 +这会让他很难接受的。 +为什么我总是 得到射击? +- [围观打气] +[花落] 松开饿研究员。 +你决定什么 使他们的。 +教练,会是 在明天的比赛? +- 不! +看过来! +不,我觉得你很伟大。 +嘿,银行。 +麦吉尔布朗,左侧。 +- 难道你不知道 +- 是的。 +你想喝点什么? +在我的国家, 我们称之为爱水龙头。 +冰球是在Ducks'zone。 +是啊! +纯粹是愤怒 +放大第十八营 +當年有一店舖為吸引顧客 請來了一位高人 +結果皇天不負有心人 我們終於見到了曙光 +她的驅靈方法有很多特點 +是不是需要問他我要怎麼做? +而被剥夺 这段话利用了反面说理的手法 +现在没事了 你洗洗回到位子去吧 +是谁? +他很好的完成了 级长的任务,特此表彰 +那就是了 +基蒂... +"我很受重视,但常遭受罚的" +就是这洞! +你如果看到就会了解 +休息十二小时 +你没事嘛 +发生了什么事? +... +你别小看它呀 +会儿会死吗? +你以为我是小孩子吗? +阿妈打得你好伤呀 +... +我外祖父同意了 +他有時候嚇著我了 +传令下去,全军休息 +天亮之前,一定要找个男子交合 +助人为快乐之本嘛 +我只系要你即刻下令拘禁索尼 +傻仔! +唔驶你扶我 +实行图穷匕现,将佢搞掂! +前! +被控两项罪名 +怎么样? +-不可能走开,拉里。 +-忏悔 +我将停止他们 +你们抱怨什么? +父亲? +闻起来像妓女! +失败了. +朱迪,不知道 多么愚蠢的存在。 +朱迪,妈妈 +怎么会这样呢 与你? +GR13 侦察及破坏通讯线路 +不 不好 我感覺很蠢 +是嗎 +我的花瓶打碎了 +我可没听见就护车来 +! +肥婆,别到处乱跑 今天用不着你了! +管他是什么空间! +别动! +看,我警告过你,那样没用的 保罗一分钱都没 +可是,那是什么意思 +房客逃走了 +我的意思没人住在霍华德庄园 +波哥,这个就叫做泡妞啦? +死老头 +我已经仔细看过了 +Vous les avez achetées chez Almer Coe Company... +他又寄一封信来了 +我们沟通有困难吗? +今晚又长又辛苦 +-妈咪? +但是從風的能量來看是微不足道的 +拚命地糾纏於過去 鑽牛角尖 +多少纳税人的钱被花在拍照上 +你不满意的,去跟舰长说 +其他人上! +是什么啊? +是八丈 嘿 八丈 +钱不够的 +过了一年 我们互相通信 +我不能想象 +问我天气吧 +他们到底能从中研究出什么? +好。 +两名警察受伤在隧道\氖调查员被打死! +破坏他的政治生涯? +动物经常以植物为饲料 +有什么你不满意吗? +你确定吗? +快离开这里! +他们向我们开枪了 +你收到吗? +杰利顿 +我扶你 +丹尼 +再下三步我就赢了 +塞斯莫,你想去哪儿? +蓝迪,我要弹匣 +50 +是,长官 +-出来,撑开伤口 +一号引擎正常,检查二号引擎 +我怎么想不重要 +撑下去啊 +我看到正前方有敌人拿着火箭筒 你看到吗? +车队一定会回来 +上来吧 +乖驴子 +-好了 +战况激烈,不能冒险 +我们都是军人 +可恶 +一千多名索马里人死亡 +嘿! +一起坐上悍马 再开约三英里的路回基地 +天黑前我们就回来了 +J +艾迪德將軍在美軍撤離後 即公然挑戰聯合國維和部隊 +紅十字會糧食發放中心 +弧ぃ﹚穦 + +这样我们就不用付租税了? +用力练习才能填饱肚子 +你只不过和这个女孩聊了几句而已 +Longestaffe小姐 +很喜欢 +如果你放过他,我要了. +-不,我就是这样. +-我想每个人都该走了. +-我用了. +-你是谁? +我忘记哪把是有子弹的了 +把它滑过来 别忘了转一下 +那就找波浩郡的警局 +走过来吧! +翠施,返回车里! +歌词是一样的! +我想你可能饿了 +你尽了力了 +我知道您丈夫是个FBI +你内心无声的和平 +好久不见。 +等一下。 +噢! +Ok. +这位是 +我的意思是,听上去你们是很般配的一对. +噢,Mandy, 也许下一个男人会适合你的. +这些是... +这不是我想要的. +嗯? +-- +亚曼达-这只是画,不是真是生活 +他会扑倒每个人但不会钻倒每个人的怀里 +祭坛的羔羊 +不过,为什么连你也要去西西里? +最重要的幕后黑手... +上次那名杀手或许还会出现 +不要客气,尽管画吧 +Coppelia之柩 +為什麼妳會... +真正的NOlR +螺絲中斷的夢想究竟朝向何方 +我先生從以前就很沒禮貌 +朋友... +但是只有在阿尔蒂娜希望的时候 才那么做 +索達的雙手... +是的 +雾香 +我们就没办法动手了 +能够拯救我们的神 +索达仿佛像是猩红热般地 潜伏于欧洲的阴暗处 +我們大家都是... +你的勇气值得称赞 +同時也因為妳掌握了NOlR +人们是疲惫的人偶 +你知道那是谁吗? +任誰都沉默不語 +是啊 +都跟我们没关系 +Coppelia之柩 +开始攻击." +然后撒网. +是的,下班后我去接Yabil . +"不管是谁,这个命运会是相同的." +你以为这他妈的是种考验么? +精神生活来源于种族, 来源于血脉. +我觉得他不关心这类事情了... +神说,你知道我的力量有多大吗 +这里都加固过了. +- 快请求支持! +你好吗? +学生们签名进入。 +这是哪? +墙壁那边 +原来如此,要录起来吗? +对,会的。 +你為什麼在乎我有沒有約會 +你是我最憧憬的对象 +我想亲眼看看你坐上云霄飞车后的肾上腺素 +我的敌人 +如果这是自己的孩子 那就更好了 +谢谢你 +你带它们来了啊? +谢谢你 小梅 +永不放弃 +不可以穿那样看电视喔 +请稍等 +Chandu的叔叔在月光皎洁的夜晚 +还有... +你没胆量跟你的哥哥相认 +到时候你会知道我想要什么的,爸爸 +我不知道 我就有点受够了 你知道 +等等 +那您是故意地,您... +什么? +我可没有抓你 +都是我不好,是我的问题 +露露 +使我... +... +他偷东西被抓 +你叫什么名字 +好,笑一个 +照相机 +反正已经无法练习了 +若看见整个过程会觉得很残酷 +我无所谓 +让我来拍 +珊瑚也是 +我的生命结束了 +让我看看你怎么游泳 +神田前辈,明天请来剑道部一趟 +非丽亚是... +到了 +那亚 +不要对人说 +继续 +... +娃娃服 +吃了 +我从来没有在这里。 +你知道吗 你行吗? +是啊。 +我爸和清洁女工跑了 +你 +我们为 +-不准在上面乱搞! +你不会很恨吗? +我很抱歉 - 她吻了死亡的嘴唇 +诡异的默契. +(David Letterman脱口秀主持人) +不可能給一家人都弄到護照 +你們瘋了吧 +然後會把孩子帶走 +Carola的聲音... +我看见你的红布啦! +是不是不见北姑就不开心了? +笨蛋! +真正的美味 +我又回来了 +答应我? +是二月 +偶尔向北,转而向东,迂回地走 +你要学习对人信任 +我在背后写上字句 +不用好的 +但天才的有成就的 +是的? +你都看准了 , 对吗? +你想象不出来的。 +直到锁定一个决胜的组合。 +现在, 你想让我回去告诉他... +很好。 +一艘美国自由船着火。 +- 她不是我的女朋友。 +她不可能,除非有人帮她。 +-我们得让火车走了。 +受命退出战场,立刻... +哦,是杰里科先生。 +不是德文。 +谣言说在公园里, 可能就在 你住的地方出现了 一只鼬鼠。 +国王简直疯了 +我喜欢 +你可以不是狗 +你很紧张 +死人走了,死人走了 +下次不要这样骑他的屁股 +我愿意 +你只有这些? +还有件事告诉你 +起来,杂种 +弄点吃的 +哗,那是最劲的高潮 +我老公本来是导游,只晓饮酒 +你在做什么? +我们盖家50年前已经走掉 +杰克, 我是, 我不是记者 +∮ Hold the tiller to the west... +风筝是不是听你指挥呢? +你忘了我给你做的一切. +喂 +是啊。 +亚法隆之谜 +我要说的话非常重要 +至少问问她吧 ? +发生什么事了 ? +是... +别告诉我硫磺,我知道我闻到了什么,不可能是硫磺 +三号! +别怕,驴,我就在你身边 帮助和鼓励你 +嗯,我也不怕 +我们? +我不是说大话 我弄的炖田鼠很棒 +因此我想外头最好 +.. +不是踪迹 +我只是个送货仔 +好 , 跳上来坐好 +ㄓъ候 +伟大是我要找的字 +不,不要弄我的钮 +你会喜欢的,很漂亮 +你是 +"那, 凭那力量..." +- 那些不速之客呢? +嘿! +我不知道 今天味道不一样了 +我们在哪 +别又让我失望啊 +你认为我们还会 任何食物吗? +波里尼先生,恭喜你 +是的,那里有个专门救治鲨鱼咬伤的科室 +他喝17杯咖啡 +我会抓住你的 站起来,准备好了吗? +因为世界上有很多孩子都忍受着饥饿的煎熬 +我不是担心你我是担心我自己 +座椅下找到的 +這裡死過人 +「並派遣怪獸來毀滅你... +他邊下毒藥邊唸咒語 +Did you think the Beast would surrender that easily? +You've killed me once before. +跟我来! +只能发出很小的声音. +哈喽,Marco 真是惊喜啊 +- 你想说什么? +- 把包拿来! +你觉得怎样? +包括Lana的 +我只能告诉你这绝对是无稽之谈 +准备好了吗? +用来让你记住我们心属对方 +我正在无线电发射塔上干活 +不会吧 +爸爸 爸爸 快醒醒 +就呆在这 确保我妹妹不会发生任何事 好吗? +我英俊的男孩 +-El一起死了 +你没事我就放心了 +你不饿吗? +-El +从凯赛利那问出什么 有关33.1的东西没? +还有农田里 +希望你已经道过别了,Lionel +没什么可展示的 +你想干什么? +你给奥利弗打过电话了吗? +你怎么能这么蠢? +这可不行 我得复习了 +Clark,你的父母相信你 能处理好你的生活 +那你为什么不和我商量? +跟克拉克分手之后 可能我对这些事情已经厌倦了 +网络真是个好东西呢 +我明明从镜头里看到他的脸了 +哈维尔呢? +一旦他们想逃走就杀人灭口? +这文件一定很重要了 +她在你的看护下死了 +你又在耍什么花样 +你在哪儿? +死了一会儿 +让你放心对我坦白 +表面上看,这是家帮助感染者的诊所 +我不否认我两个之间有种吸引力 +这跟他无关 是我干的 +可以重新启动他的控制指令 但是我不能保证 +你没事吧? +我拍到了Lex被送进医院的一幕 +在看到你像壁画中的活人祭品一样 被绑在台子上 +你的领带呢? +你不能相信他! +显示她就在100码内 +我是说,什么能胁迫得了你? +你是什么人? +还有树! +是啊! +回营部! +长官 那你不就成我们的指挥官了吗? +- 够了. +- 谁第一个发现的? +万分感谢. +- 谢谢. +恐怕你对王子精神状态的猜测... +- 快走! +让我下车! +医院接受治疗... +- 祝健康! +你怎么知道他是个画家? +我想去找她. +你好,亲爱的. +要我给你吹吗? +- 你记得玛丽 +别在这里,亲爱的,不要在公共场合. +我以她为荣,我爱死她了. +好想法. +- 他的权利全部取消. +伟大的造物主与我对话. +带动两个循环的泵. +我们怎么办? +他喜欢伤害女人. +得他妈的查一查! +噢,天. +含有鸦片酊的饮料. +- 哦,多少好一点. +- ぃ璶はк. +不然人家会叫房东来的. +非常好 +银行行长达里米勒 +女士们,先生们 +乖乖的走出银行来 +帮个忙吧 +以及遍及全国的执法机关 +-荷兰 +戴伦,那就是他们 +你流了点鼻涕,可是喷嚏停了 +他毅然拋下手邊的事情... +還有說出你們的立場呢? +惠勒是在圣安德里亚银行... +你又说笑话了 +我胸闷、左臂有点麻木、心跳加速,头晕 +我精打细算来花每分钱 +我很困惑 +那个人什么都干,除了抢银行 +如果你们敢逃跑,我们就杀了你们 +我想逃跑,但她不肯停 +看,我已经给你介绍了,爸 我完事了 +可今天的比赛不怎么样 +告诉我他躲在哪里 +赛瑞斯有奴役灵魂的恶心习惯 +我甚至不知道他们是不是还活着 +我不敢相信 +什麼東西? +我好愛妳 +我的... +-鐵鍊毒女 +我希望能见我父亲最后一面. 他会告诉我什么呢? +那孩子的脑袋也值不少钱吧,大人? +就像她母亲. +我什至亲自到了Nottingham! +我们要救他们出来. +你竟敢这么说! +这里的水比较温暖耶 +我还以为符碌是天才 +不知道是谁比较惨 是我还是他? +唐纳德马拉其 就是勇气 勇敢到你无法置信 +在诺曼第受伤? +我们每个人都会因为 共同经历而永远相系 +Jeremiah 请从墙上下来 +我是Charlotte Genovian的使馆人员 +- +这是你的友谊符 +- 谢谢 +- 来这儿 +with my Spotted Owl petition today? +We're famous for them. +Fine. +I was +Sorry, Joseph. +Thank you. +欢迎来到沙滩面包狂欢 +你真的是太好了 +So, where are you taking me? +My foot didn't even pop. +and my mother helped me by telling me that it was OK... +是的 我需要搭车 +我没有绳子 +得到他女友的人 会控制有关的局面 +那才是关键所在 +闭嘴! +这里的交通状况 +走! +我不知道 或许他们怕你做错事 +此洞察力是什么? +射中动脉我会马上流血死掉 +-否认吧,说呀! +你自我封闭 没有机会找到合适的女友 +一开始我觉得他不错 +这一枪是给弗兰克报仇的 +他开的什么车? +看他的脑袋! +够了,我没事儿 +这幅画由于潮湿而遭到了破坏 +- 坏人 +- That's it! +- And away we go! +- 你押了多少钱 +现在我得去做沙拉了 But I have to go make the salad. +if you want. +我可不想为这种事烦一辈子 +你长大也会这么帅 +晚安 +你可以原谅我吗? +要是我出了什么事 +对不起,先生,后台是... +没有住的地方 +本年最流行的 +我要马上回家 +左手掩护自已 +有个老伯投诉说你不让他冲普洱 +但你看看你杀人的动作,太生硬了 +这次可以了吗? +双枪雄 +没听过他讲过一句 +郭伟宾呀,导演 +大哥,你说一句 +反正依照行规 +我担心会咬伤你 +人家张太太说搭公车挤迫和脏肮 +不要停下来,继续吧 +当大哥雄来到的时候 +你还要吵? +普你的头,走呀! +当然 +大约距离六尺 +拍戏的事,我有主意的 +阿全,你搞什么? +七个第二座高层 +我只好假装抹窗失足堕楼好了 +拿走浴缸,布置成厨房 +没听过他讲过一句 +那个布景不断的拍戏,没其他的 +无声胜有声! +很多剪去了 +没关系。 +- 什么? +我也听到了。 +- 是我弗朗西斯卡。 +照看好她。 +健康的孩子 +记住,你要严格地按我的指令去办, 一丝不苟。 +- 那么你们俩找到啥线索没? +W. +我想你职业上变动的想法并非没有道理。 +我已经让你对我有这样的感觉了, 只是我都不用说"君士坦丁堡"。 +他们又被称作私人侦探,条子、探子。 +你知道,我们以前也抓到过女珠宝窃贼。 +- 你破门而入闯进我的公寓? +我想我没意见。 +-出什么事了? +-什么? +去死,垃圾 +那是山川的家 +坐下 +不是吗? +这样! +这里是我们的房间 +现在立刻变回人类 +ぐ? +周日跟老爸玩足球 +还好, 我看到一个标志 +路易斯还好吧 ? +要我来吗 ? +靠, 真是的 +旅馆钱我已经付了 走啦 ! +路易斯 ! +你可以挂机,或者 选择其他的服务。 +听着,我不想 告诉维拉发生了什么。 +*应该做什么* 刘易斯! +看着点。 +-- +他有一把手枪。 +别听她的。 +你可以站起来, 亲爱的? +对,所以我们可以说 我们做到了,好吗? +回那个垃圾堆 +我们还没弄完呢,操! +大致说来,人们还喜欢她... +我其实很差劲,但你还是过来 +当你沉浸在悲痛中时 +用两条腿走路的生物. +- 太多黄色了. +什么? +那是什么鬼东西, 蕾咪? +尽量不要流汗. +家人, 哈? +我又没拿枪逼你 +他敢反抗就毙了他 +杀了我 +- 你要去局里报到吗? +- 你怎么知道? +这是以暴制暴 那有什么不对? +你才是领袖 你可以取代我 +老天爷 +搞不好他们有爱滋病 +别跟前几个一样把事情闹大 +你要转到哪里? +警察找过你吗? +你能来我不能来吗? +什么花? +他插翅都难飞了 +又玩什么花样? +但是失去了灵魂? +但是我们在大学学的东西他们无法拿走 +今天与我一起浴血的人... +你过来。 +那就跟她去啊! +明白了吗? +想知道一个秘密吗? +什麼? +晚安。 +爸爸 +那他是自己走了? +噢小心点 +我和我的人的数量远不及2你们 +抱歉,請繼續.. +-何時? +这是用在战场上的迷你条 +他要做的最糟糕,我想看到最好 +昨天这里有两件东西 +好吧,他们同意这样做 +是的,这是我们过去常常说的话 +将军,我现在认同你对这个人的评价 +棋子啊,第一步是什么 第一步该是怎么样的呢? +用希腊文说:"耶稣基督,神的儿子,救世主" +直至基督完全医治好他 +我到处寻找,原来我要的就在身边 +我欠缺了真实信 +你的家就是我的家 +... +你却变成了一个魔鬼 +... +- 你什么意思? +我们的儿子有个希腊文老师 +我可以轻易地就包围这里把她抢走, 但我不会这样做 +等她好点了,我会带她到旁波尼亚家去 +永远的对以前的爱告别 这是在过去 +好的 整个和好肖恩的事都是他妈的 +Sang +像叉和羹的合体 +-在那呢 +- 不要, 住手! +- 別逼我了 +像我這樣的男人 握住它 +我們可以幫助你 +我不能 +太可怕了, 但是... +- +進來 +這些都是他的內疚心情使然 +You think they're are going to come after me? +- No problem +未来充满了无穷无尽的机会,麦洛 +- 是的 +我们现在还可以走,你可以... +... +布赖恩别担心,给我第二个 +前两个没有人接 快点接电话. +他们爱你. +我知道什么是变装皇后,妈妈. +宝贝. +"把茶给我就好" +听着,我... +让我们去。 +我永远不会背叛 这种信心,迈克尔。 +做到这一点! +- 是的。 +我所做的一切, 你问我。 +... +没关系。 +哥们,绑好了 +好啊,不过说我们不再看对方可能好点... +[赛勒斯] 不恶心 +這有我聚集數以千計的生命 +我無意嚇到妳 我可以進來嗎? +┪砛ぇ,и讽竒... +и稰藕镀 谅谅,毙甭,谅谅 +我听说你接管卡帕罗斯 和桑兹的案件 +然后就这样消失了 +你不知道... +不用怕,不過是吉都先生 +讓我捏一下,來嘛! +-好啊 +我也快搞上辣妹了 +感谢上帝 +不 为何找上我 +不过我觉得脚下有东西在动 +{\2cH0388CF}"周期表" +你应该买一台手提电脑 你不用考虑其他人 +闭嘴,史皮威 +是一只鸟,一只鹤 +"注意桥高" +是一只鸟,一只鹤 +放毒蛇到你床上 +没诅咒你会死啊? +伊西,你是对的 我是? +一个接着一个 他们慢慢地倒了下去 +抓稳 +那是因为要转开才是 +的确如此 Melmotte先生 +Melmotte先生 +Paul 现在的情况就是这样 +他是唯一 一个谁可以在河里航行。 +好吧,我该走了。 +我)这是不可思议的。 +- chaiii,挖? +服用。 +漂亮的姑娘! +58,986 我很抱歉。 +我想在期刊中找出 其中不断重复的模式来 +谢谢 +艾丽西娅 , 我一直在检讨自 己 +你需要一间办公室吗 ? +你可以帶美女到水池邊, 但你不能強迫她喝水。 +因為最好的結果 是來自於... +他們剛給你植入鐳二極管。 +約翰。 +只是談談而已。 +那一定有一个数学上的解释... +组里的每一个人都只做... +[ 男 ] 将军,从惠勒实验室来的 分析家已经到了。 +鼓励的。 +... +为什么我不行? +没有 宾达 , 别这样嘛 +光瞪着天空不是办法 +九 、 一 、 四 、 零 、 三 、 四 +快把衣服收好 +罗森医生 , 紧急情况请到二号观察室 +没有任务 , 我也不是士兵 ! +我们是法兰克市警局,你已经被包围了,快点投降 +等等 +我是说莉雅你来这里做什么? +楚蒂 +酷啊 +你不去哪里? +酒精 +主演: +上尉 +长官 那些法国人不会来支援的,不是吗? +不要让他们暴尸荒野 遵命,长官 +有很多事情可以做啊 +如果是长长的哨声就表示情况紧急 +以后还有这么好的故 事讲给我们的孩子听 +我们一定要去找到他们 +停车! +阿川,你说什么? +Gandalf! +我们就不该到这来! +-晚安 +-还有上上礼拜偷的蘑菇 +-皮聘 +佛罗多? +他想造成山崩我们一定要回头,甘道夫 +巴林长眠于此 +-最好马上启程 +-我知道你想说什么 +也不会让我们的人民失败 +是的 +Gandalf! +听我令! +来吧, 博罗米尔, 莱戈拉斯 +我真希望这一切从来都没发生过 +可惜? +还有一些... +他们很可能已经撤退 +我不明白 +不,我们不能回去 不能回去他那里 +他们想对付我们 +- 明白,妈妈 +互相交谈 +我们同意了 +朋友,这就是一品脱啤酒 +我们逃不出去 +让你灰心丧志 +他在干嘛? +哈比人的存在微不足道 +我好想再看到高耸的山脉 +后会有期了 +没 +你主动点接触人群 +奴隶兽 +才两百块? +那我就切入正题了 +波特 Prot, +Mark. +Hospitable. +-女儿 你没事吧 +为什么你选择拯救他? +我的好朋友豪伊 差点勒死我 My good friend Howie, he just about strangled me to death. +什麼? +也許吧 +-Pax 做過幾百次一樣 +? +他是全球首屈一指的天文学家 +地球时间 +凡是生物都有治愈自我的能力 +哈啰! +唏 聪明人 没有进展? +他自己写自传 不用人帮 +我不是因为看见揭开面具的脸而堕下去 +你知道,我们同意探讨。 +我按照你说的条件给钱 +编剧: +他会担心? +- 谢了,合作无间 +- 喔,我懂了 +说的是 +圣诞节快到了 我还在努力血拼,怎么冷静? +莫过于郝丽 +我的确想保持一个整洁的房子 +-你们想就套上吧 +呼叫E6,这里是E红6号 +( 加州 圣地牙哥 ) +- 泰瑞 +- 你碰到我了 +好了 干活吧 +- 嗨 +我会迅雷不及掩耳让你死得很惨 +-太好了 +开牌 +要是一切照计划进行 +很好,因为我也有一个要求 +他每天下午兩點到Bellagio +多久 ? +報警 +-Who? +我能适应这局面,但由他来取代我就是不行 +我们有了利益冲突 对,但那不意味着我说错了 +我们在萨拉托加见过 +泽加先生 本尼迪克特先生 +兄弟们注意了,有人来了 +而代价是你放弃泰丝 +不可能,地下隧道不可行 +白痴 +老板,厢型车拦下来了 +是的,先生 +你活着吗? +可怜的嬉皮小子 +赌场内一切流通的筹码总数 +你在这儿干嘛? +反正小颜又没怪你 +左边,对吧? +欢迎,小姐们 +但是我在海里向上帝承诺 +{\1cHADEAEA}(不合格) +学校没教我如何面对这种感觉 +快逃走,往上飞 +我知道从今以后一切都会不同 +长官 +在那儿,一切都非常的纯粹 +死丫头! +无敌铁头功 +这个年青人之前和你的队员有点冲撞 +够了 +师兄: +师兄,你冷静点 其实命运是掌握在自己手中的 +你要是红了,就送我一双球鞋吧 +那么... +为所有人操心... +恢复我的生活,找到真正的朋友,继续前进 +- 对不起 +- 我在听 +当然了,他是... +我从没倾听过你的心声 +-我說不出話來了. +她也是住這裡 +-她真美麗. +謝謝你! +我真以妳為榮 +-你錯了. +我就这样做 对于剩下的 这个学期。 +不 +每天十四小时拚命工作 +他不计较,只要我们快乐 +我很开心 +但穷困 +混蛋! +若蔡奥伦和海龟赛泳 , 谁会赢 ? +对不起 我们只能这样回报... +你可慢慢来 +他入了狱 +下一个 ! +这可是一大笔钱. +我会拿走我的一份, 加上Franklin那份的25%, 我现在就要. +我去一下厕所,行吗? +进入那个温尼贝戈人 然后打烂那张床,都是因为一个预感? +啊! +.. +为什麽要这样对我? +为我做一件事 请拿着这个 +您说对了 先生 我有责任为我的国家服务 是不是? +现在他在哪? +嗨,千惠子 +.. +由卡纳维拉尔角出发,展开太空之旅 +可怜可怜我吧! +{\fn华文楷体\fs20\bord1\shad1\1cHE0E0E0\2cH000000}因为我妒忌! +啊! +讨论你和你父母 +看好那个洞 +对不起 +-斯贝罗 +Mr. +(men groan) +我一生都是受我的恐惧所害 +- 有没有看到法兰? +"身陷图圈心不死" +我是汤探... +为什么介意? +可怜的邓先生 +那你必須克服它對不對? +- 露易莎 坐下定定心 +我是警官托 +- 不再改寫了, 而且我可以挑選我喜歡的演員。 +- 為什麼不留下來吃午飯? +― 家父经营手套厂 ― 是吗? +你不思家? +真的? +来,在这里 +别想用往事来打动我 +布奇,我们赢了 +(侦测到狗) +照我的话做 +天哪! +什么? +这个嘛... +啊? +你们占据这座岛已有七年 +你会讲希伯来语吗? +不好意思 +那为什么呢? +来一个 +艾克特爵士 您准备好了吗 +没有了意志 你就无法获胜 +阿德玛没参加 +我不会逃的 +你们给我带来名誉和财富 +谢谢 +面甲里的缝隙很窄 但碎木片可以穿透其间 +他的时间也比较宝贵 +我母亲很喜欢弄脏手.. +我要你见一个你想不到的人 +似乎你很入迷 +父亲在他3岁时死了,剩下妈妈 +你为什么选这一行? +为美国队喝采的... +我只是想跟他一起 +你们在哪里做的? +我们想跟你一起去看你俩打架? +...她咬了我几下 +我整晚在看录像带啊 +安娜会哭 可怜 +想比快吗? +但登诺... +为妈妈们干杯 +你还记得那个肥妞吗? +正如我说的,我就可以了。 +幸好我们是拍档,我想跟你谈谈 +不要动 +打扰一下,罗夫曼先生 +扩展人际关系? +今天在座诸位将会受到特殊礼遇 +回到原位 +太迟了,伙计 +我们也不能分辨它到底是什么 +在摩洛哥街上,有一些关于这个事件的情报 +那么,现在,先进广告 +我辞职了 +这样就好 +你知道吗? +在接下来的几个月里 +富利? +贝比 过来这里 +所以他们就尽量的杀 +我只想说 所有的美国人 +安妮塔 别在饭桌上取笑他了 +从高尔夫球场里偷草皮 +就像被撒尿那篇吗 +希拉里·范·维特这么感兴趣 +我们的爱将永恒不变 +一个公寓房开发商 +闭嘴 我没跟你说话 +你不用睡得那么远 +那就是说我们要... +仙 ,亚当想见 森 +身在好莱坞,却没好好看过它呢 +奇妙又可怕的学科 +珀西 在和奇洛教授交谈的那个老师是谁 +看我们的 +醒醒,表弟! +-他们真的是 +恰恰相反 你很清楚 +它反映的其实是 +别犯傻了 +他们知道是我们中的一个干的 +找到他的位置 你来跟进 +你在看什么 +我小时候的玩偶 +快点叫救护车啊 +是的不久会变成一个富有的婊子养的 +但我并不想让你去SA级 +[关键字 无法重启 搜索 999→7148项] +游戏始终只是游戏 +其中的一部分玩家 +我想要那个刚通过A级 的主教的数据资料 +其实是我 +当时首先逃走的... +大家! +! +看来是个脑昏迷的患者 +那么,她怎样了? +唯一的答案是 +在我的背后向我开火! +- 这非常好,真了不起. +莫斯科. +三... +- 是吗? +我去看看隔壁准备好了没有 +想起你就笑 +望过来,瓦西里 +你知道这对国家有多大意义吗? +斯大林同志要你们拼尽全力 +小径旁有一大堆黄土 +從前他獵殺野狼 現在,他用槍解決那些法西斯 +不! +聽我說,塔妮亞 德國人正在轟炸我們所有的一切 +他們會怎麼做? +你站在。 +我记得。 +您谈到信仰,对不对? +更 一个星期? +如果你不想,不必说话。 +我们保证这拉链绝不会夹伤你的皮肉 +你看我的肤色就知道 +我看得出你们是很认真 +就内部处分算了 +所以总之 +- 意外? +老天! +- 我盡力而為 +有人出事了! +不管她讓你有什麼感受 現在都要忍耐 +喬? +在里面爆炸? +只靠他们是打不赢的 +情况如何? +还有大和的圣兽敬礼 +上升,早上好! +- +女士, 先生在杀鹿... +我就好激动 +我用脑袋工作 +欧瓦为什么都不杀鸡? +要喝点什么吗? +他请我帮他经营农场 +这是怎么回事? +欢迎叶缇和小蕾 +你明白吗? +要,我想去 +一切都很好 +跟她说,拉姆勒也走了 +我肌肉抽筋... +早,乔治先生 +乔治? +来打扰,你是知道的 +继续. +我不想 +如生活在黑暗之中 +你了解我忠诚的谎言 +7年了 +打我手机好吗我觉得铃声坏了 +店倒閉的事我只知道一點點 +好吧,我自己回去 +There will be a reward. +- 不 蛋糕是给我的,谢谢 +哦,上帝! +这个就是 快拿去! +我会失血过多而死的 潘卡拉 松开你的手! +护士! +你刚叫我贝比 +地名? +但首先... +撞身码头围栏,再抢了那人的船 +潔西,快,早餐快涼了 +路易士沙奇 +你要静心休息 +这地方不宜渡假 +女朋友都有时间涂粉红脚指甲 +很好,我洗耳恭听 +我肯定你知道这件事 +-HA: +但是, 你知道,完了... +全部换零钞? 一月时 +"警察局" +可能就把包包放地上 +尝试联络外星人, 明白吗 天 是笑话 +穆格图剥削马来西亚廉价劳工又如何? +(本年最佳男模特儿) +好 +或者下次吧 +这没什么好羞耻 +所以要雇用布斯 +什么事? +像毛虫蜕变成蝴蝶一样 +不重要 +什么事? +头晕,幻觉吗? +你必須接. +You're ... +-Hi. +健康、强壮又自由的人 +噢,不... +我要一个解释 +我女儿的房间 +︺ア┷烩 +ゴ衡р妓? +и稱耻 +他们真的很胖吗? +真的小男孩 他被关起来 +我们去问万事通博士 +是的 你是大卫 +保护我... +想着自杀的脆弱的人 +⊿ㄆ 硂 +ㄓǐ +117 +洱 +狦иê掸窥 +等会儿见好的 +现在是四对有一对离婚 还是三对有一对 +不是告诉你了吗 +天呀 +真看不出你喜欢他哪点 小声点 +當你說"特別的鬼臉"時很搞笑 +天哪! +請講一些和本案有關的事情, 哈裡森女士. +對我很重要! +我怎么想无所谓,只要胜诉 +她想必也帮忙 请求忽略,无关、不重要、幼稚! +令尊呢? +十岁? +我刚让 Lucy 睡着... +-黑色的上面什么都有. +-继续. +... +我已经尽我全力地快了。 +今天对道森先生可是一个非常重要的日子。 +她不再需要我了。 +时间到了。 +哦,天啊。 +再见,罗伯 +可以持续... +我买了你最爱吃的柠檬软糖 +我带来给你喝 +但她有个朋友在处理这类案件 +你要更努力 +风什么大头声,胡说八道? +- 还自称是怪兽吗? +再说,毛怪是活该 +我给你们五分钟 +猫咪? +我上了杂志封面了! +讓你好好教訓那家伙 +大伙兒,怎樣? +快丟呀,用力給他丟 不要... +要命 +蓝道,你还是落后 +菜鸟吗? +是吗,社会秘密档案吗? +玛姬,陪审团当得怎样? +而且把我抓来 才不能帮你打破记录 +没错 这是危险的工作 +在家里再锻炼一下 又要锻炼? +先生? +把门打开 把门打开! +118下,119下 加油,你还行吗,再来一下 +她来了 +牙齒一定要美白 怪獸不能有蛀牙 +我們因為關心才嚇人 +糟了,对不起哦 +我跟你的队友说过了 +居然用她的雷射眼把一台汽車射爆 +那是我女兒... +對不起 +麥克... +快把門打開 +On no there is. +That's right, Boo. +红磨坊 +"两人是否在琴师家相会"那幕 +巧克力,带莎婷小姐回 +骗不了我的! +只要一晚,以爱之名 +她彷徨,茫茫若有所失 +抓住他 +除了投资金钱 +亲爱的公爵 +她在告解! +她很美,是我的 +你要好好活下去,基斯顿 +明天来不及试演给出资人看了 +我才了解歌词的真正含意 +最后是不是该死个人? +我在场,你们还是可以继续 +快走 +身体也变小了 +it could be kisargi. +-neechan. +Whether this succeeds depends on the timing. +想不到现在还能看到那种车 +那部车在哪里看到的 +你觉得他怎么样呢 +你太厉害了 小兰姐 +做吧 +这些人负责保护你的安全 +特里上校 请你告诉我 +这是其中的一份复制品 +转圈 +美国空军请回话 我们已经做好准备 +- 杰克 +是? +小姐 别这样 +离开这里! +这也算是个奇迹 +我还不知道 +不,一定是另一个 只是喜欢它。 +发现了一个精密的共鸣腔 +古伯,如果看到什么就大叫 +我最欣赏这种精神,那就今晚见 +所以最合适 +而那些惊慌失措的股民的脸上也会露出笑容 +如果你允许的话 +你们不用在这儿等化验报告了 +... +从阿育吠陀医学的角度来看这种情况... +增強了免疫系統。 +没有 病人经常预约而不来的 +是啊,不是那么好。 +如果她问起来 +我叫增援 他才四尺,我们去拉他 +李! +但你别再碰此案,我不想再见到你 +那边那个也很好 +我知道了... +你怎麼把背包掉下去了 +罗杰马里斯还有 伟大的米奇曼托 +你知道我在说什麽 +闪开点 +大家都关心一件事 看看这个 +怎麽样? +我希望他击出八十支全垒打 +好,我告诉你 +罗杰 是啊 +我很高兴把这个奖 +真棒 +去你的,马里斯 +你在说什麽? +没人知道他在哪 +对不对? +什么? +(我要杀了你) +-我当然知道! +... +噢 +-是的 +你是个骗子! +而我是否会永远 再见到她,答案是肯定的。 +没什么大不了 +好了 收线了 +那傢伙分明是在宣扬 +去死吧,超级猴子 Aah! +BEN: +我不喜欢, Will. +我操! +Jungle love, look out +-操你妈 +操你们祖宗十八代 +T. +个野生动物保护组织的官员? +Wait a minute +For force because that makes run the boss +看起来好像公爵一样 +别开枪! +你他妈的到底想说什么? +我们是洛杉矶的 +Girl, l'd love to show you +Show you +-E +黑进亿万的数据 +他一定要输入正确的密码 +你觉得会怎样? +・我也是 +快点! +他变得更强,你们也变得更强 +-我在这儿 +你手上的枪呢? +我没有枪,我叫TK去拿 +这里是怎么回事? +就算我有吧 +你提的? +火星塞 +你等一等... +┬丁à辅Τ酶礶 +и﹍沧临琌稱ǎǎ. +程玂毁. +洱洱! +и礚猭σ納 +№ He's wearin' your clothes № +为什么呢? +但我觉得这句话 说你说得很准 +我我觉得不适合 +我看不出来呢 +你一定要 教我怎么做哦 +谢谢 我很开心能来这里 +或许现在吃的寿司比以前多了一些 +或是"从软盘上读取文件",或是"在屏幕上画出这个图形" +Linus +"我怎样才能解决自己的问题?" +It's not a secret that I was a left wing radical in the late 1960's. +你掉了烟头在我门口 +好,收拾吧 +再见 +她还说 +你说吧 +你说我傻乎乎? +80元,谢谢 +我这次要做大买卖 +好看吗? +是啊,我住在旁边那条街 +你上次不是说去北海道吃蟹吗? +我并非对你有意思 +山盟海誓骗人的 +蜀葵搅拌机搅拌着蜀葵 +你的钥匙... +二 : +但他撞了车 +离开这... +清理箱子内部 +如往常与同事相处 +... +? +我知道 +帖在模特儿的照片上 +1997  8 る 30 ら +垛и稬猧膌臫 +硂或淮簘獹そ(焊吹そ) +你可以留在伦敦了 Georgiana +快来 Nidderdale +再会 +宝杖在哪里? +- 慢慢来 好的 再见 +收到了 33 +要不要喝一杯? +奶奶,走吧! +你在这儿干什么? +我是戴维韦伯斯特 刚从医院回来 +是啊 是我们干的 +更多巧克力和香烟 +所得收入会用于救助中国熊猫 +- 杀? +- 你讲话这不是我该干的 +将携同泰勒生前 最喜爱的中国女星巩利缓步登台 +我没病,就是累 +这呢 这呢 +短打扮还显得利落呢 说明泰勒爱运动 +这是我接过得最好的活了 +女士们准备钻石耳环,先生们准备钱夹 巧克力饼,香水 +和他会面? +[ 咆哮 ] +不管怎么说,你看起来像是 进入角色了,埃迪 +衝出封鎖線 (記者) 辛辛那提和平條約促成波士尼亞停火. +去? +再加上舰上的例行训练让我很不习惯 +对,在别人吃圣诞大餐的时候 +! +可以振奋士气 +请到搜救管制中心 +帶到葛蘭尼克去 +5公里到安全點,懂嗎? +吉恩·哈克曼 +塞军当局指系回教游击队所为 +到目前為止,只剩這些 +號碼是004123317 +"絞架..." +你要切在... +-这是游戏﹐ 这是一场游戏 +-把金额告诉我 +- 香港来的电报呢? +你们在国会就会被修理得很惨 +是因为她吗? +"Debra和孩子是1比3 +别人会以为这是真的! +这是圣诞节 +他的名字叫滴答 +多里斯斯和他有不可告人的关系 +要剪头发,尽量保持卷曲的 +你一定猜得到,那会对我造成伤害 +理发店固若磐石! +你的观察行为改变了观察对象 +太可怕了,真的太可怕了 +我虽然不在行 +片名: +幻影人生 +这是一个难关吗? +两方同意 +我试过不动你的 我没能做到 你知道我不能. +- +他就在这,你听见了吗? +上一次你还不是这么说的? +老弟,我好象听到了什么。 +-没了 +在她起床前不要按那个键 +每一口"农家康恩" +在随后的23分钟内 +小响尾蛇 +∮ With a million dreams to fulfill ∮ +什么事? +说下去呀 +你是属于少有懂得谈吐的人 +李奥普! +凯特也是 +挺住! +你看过那部电影吗? +检查镜头,很好 +你是富家千金吗? +他到底说了些什么? +嘿,你 +也许看完球赛就出去吧 +今天早上打过电话 +... +大陸上一個最偉大的建築. +ぃ薄狐紇臫. +琌癸笆穦稰臗密ぃ +- No crust? +{\fnArial\fs16\1cHFF8080}这么没信心呀 {\fnSegoe Print\fs14\1cH00FF00}No faith. +{\r\fnArial\fs16\1cHFF8080} +- What? +It's over! +- The kid's givir me attitude? +总得吃东西嘛 他永远吃不饱 +你要偷进每个人的车库里 You're gonna go around and check everybody's shit out... +C. +- I can't get my hand free! +麦西阿尔? +你没事吧? +你需要飞行员送 你去西里伯斯岛吗? +害怕它们,它是没有毒的 +谁的蛋? +罗伦周 +我会打电话给你的。 +他们是职业杀手? +很像死去丹麦之王阿 你是什么东西? +-young,上来 +不幸的是, +说得没错. +罪恶、愤怒都会被战胜... +- 小心開車 - +你取笑我? +- tae幸好遇见我 我给了他很多帮助 +拿着 +- 进来 +就象聖誕老人 +当爸刚带魔法武器回家时 +材ぱ +,ǐ! +ぃ碍ぃ谋,癸? +亚当比我小3岁 +他是个恶魔 +爸爸,别! +就好像一装药品买卖 +读她的文件 先生 你读过了吗? +{\1cH00FFFF}我就是想拍多一点照片这就是我的感受 +他突然就開槍 +這是一種新武器,長官 +我有義務確保你的安全 +40,000... +我一直在等着这个re +酷! +(∮ "Summer Days" by Phoenix) +∮ My home is now a distant land +哇塞! +- 是的是三楼 +如果是真的,让我看看 +- 罗斯玛丽和我并没有和好 +触向你那睁大了的眼珠 +你从未遇见你自己 +就在那天晚上我做了个梦 +我不會坐等未來 +嘿 +通灵人又转向了 一个穿绿色衣服的女人 +怀疑 +伙计, 这是在做梦吗? +象,神圣 ,神圣,神圣 一个接一个的瞬间 +我周围的人都已经死去 +(沃纳没有荣誉毕业 没有女朋友) +教授们吗? +他拿到了钻石 +我爱你 +- 你有履历吗? +-当然 +-祝好运 +我为什么要杀我的丈夫? +你看,尼尔森 +你知道... +走了 +通常这是第一个症状 +我的摩卡要多加点巧克力 +当然,老板,只要再润饰... +打扰一下,摩斯先生 +上车 +为何不做了? +导演: +Gansam bosal Gansam bosal +虽然你在这里待了很久, +- 而且他在喊一个人 +你真的会教我们吗 +真的很感谢你 +你自己看 +厉害 +想继续当你的朋友 +给我... +保证 我保证 +你去哪? +你去找乔 "谢莱泼" +嗨 你们谈论的是我的搭档 乔 谢弗 +-休息5分钟 你在拼命啊 +帮我挂这条幅 +我不想让玛丽听到! +我觉得不是很严重 +我想你一定很渴了 +你对我曾经说过的是真话 +我要假装你们都在听 +我说错了, 我还是爱你 +甚么都聊 +她不会有事 +能不能让它离开我的腿? +我祝你幸运 +尤其是你这么特别的人,踢翼 你知道吗? +我在巡回游乐场中 找到一份收入不错的工作 +电话疯狂的响着 这实在太意外了 +想看同性恋脱光的人帮不了我 +但他就这样结束了 他真的不想知道 +事实上,他用这些蜡烛 这是一部份 +背着一个小孩跑 +导演史丹利库伯利克 +制片设计 肯亚当 +我很快发现 +真漂亮。 +对我来说是它金的 +{\fn华文楷体\fs20\bord1\shad1\1cHE0E0E0\2cH000000}我就站在这里 +{\fn华文楷体\fs20\bord1\shad1\1cHE0E0E0\2cH000000}没人被抓到过 +{\fn华文楷体\fs20\bord1\shad1\1cHE0E0E0\2cH000000}让我滚蛋,对吧? +{\fn华文楷体\fs20\bord1\shad1\1cHE0E0E0\2cH000000}麻烦你帮我再拿一些汽油 以备路上用 +"走吧走吧,... +如果你是活的... +卡撒雷斯医生开的门。 +他们又带来一个男孩 +别紧张 +快把他们都弄出去 要爆炸了 +- +我个人并不觉得那有什么愚蠢,可是... +等我们重新占领这个地方 +穆克和潘卡拉! +长官,我们这是坐以待毙 +德军就是要试图我们引到空地上 +鲁兹 麋鹿怎么样? +继续前进! +兄弟连作者: +在劳军联合组织 +重复 加一百码 三群密集射击 +但是我们有多带袜子吗? +像... +-我只是想谈谈. +Erica. +那就对了。 +就这么少? +- 我? +你知道为什么吗? +你还没祝我生日快乐啊 +我正在节食。 +那不是恶心的, 那是爱的证明。 +-她睡着了。 +它没有结束, +我希望我们能有正常而深切的关系 +好,爹地在死前把整个故事都告诉了我 +」 +你看来像是穿1A号 +命令更改,起立! +或者你可以拟一份上诉函 并要求召开军事法庭 +我要离开E连? +我可不是为钱从军的 +我们并不繁荣 +你 你是谁 你怎么进来的 +可能不行 +可以走了吗 +从现在开始你负责照顾他, 他负责照顾你 +小心点 +是的 +是我一生最快乐的时候 +真有科学精神啊! +怎么会! +她不能结婚! +哪里有捷径? +我的小女儿今天就要出嫁了 +我已经在考虑投身医学界或者... +M. +我想你知道我在说什么 +没有人会像我这样爱你 +这正折磨着我。 +你答应过我你会乖乖睡觉,好吗? +更有意思的是... +我想出去 我没干什么 我迷路了! +别缠着我 +我亲眼看见她掉下去的 +- 到目前為止有疑問嗎 +做得很好 有人載你來嗎? +而且那个房地产商和他的同伴都给我们 一个极可信任的印象 +你带回来的这个帅哥是谁啊? +-去,回来,桂树,骑马离开 +(方便) +- 这关系到我们之间的秘密 +- bu +- 哦,当然 +要找就找我吧! +像警察那样? +您看这非常简单 +也就是再过... +他母亲... +算了 +不要这样,不要让我生气 +你瞧,当你变态的时候,你就会出名 +你没事吧? +哈喽? +那! +看那! +-我们? +他有毛病 +... +这鬼东西在下面 +请你理解我, 我们已经尽力了 +完了 ! +你感觉怎么样? +快跑! +-我只是想... +数名男人同时扑上前来 +我常常希望自己能 与众不同是的,我们俩 +真太好了太好了 +你不介意吧,妈妈 +你还讨厌什么 +算了,说这些有什么用呢 +能重新找回她的尊严 +有事情要跟你说 +一这样不伤肝 一也不伤害灵魂 +-╆? +-⊿岿,ノê +稱靡ぐ或? +莱赣Τ诀穦拜供い秖玜瓁 +ぃ︽,ぃ︽,镑,镑 +痷癚菇,痷ぃ幢獺 +-好 沙维? +他妈的! +-好吧 +我们要把这件事给忘了 +-再见 汤米 +-精彩的杰克·拉莫塔 +-他送我上楼 +都站起来欢呼 +-检察官派我们来 +好,你的臭牛排 +一副硬汉的样子 +-好的,上校 +在瑟登不幸坠机身亡之后 +结束了... +假如有的話,我不介意來點。 +硂┮疭猾繻眣菌 +-瞷⊿ㄆ +ネ +哪方面的? +聊聊天吗? +等等,亚力克斯 +你不想我们庆祝米莉娜的死亡 +我们的,,, 战斗的能力 +他三你前退役了 +钢琴曲 +开始了 +或者你也许找不到 +比一个月前 我是更暗淡了 +什么都想知道 +是谁是谁? +, +怎麼樣? +-你此番有去无回 +很好... +怎么样 强森 +只不过是另一枚 对准伦敦的飞弹 +{\fn华文新魏\fs20\bord1\shad0\fsp2\3cHFF8000}一看就知道有問題 +看清楚沒有? +{\fn华文新魏\fs20\bord1\shad0\fsp2\3cHFF8000}他們都有今天 +你一个人 +有些事情跟做母亲的 也没法深谈 +- 走啊 +大臣 在您最终决定之前 Minister, before you makeyourfinal decision +The broadcast! +那我的公营机构报告怎么说? +功夫不够人打,就真羞死 +不要再提起他了好吗? +要不然他怎会不听你的话? +- 你确定? +洛克哈德森 +哦玛丽拉,她很好马第 +巴布格特小姐, 葛莱格太太想亲自谢谢您 +玛菲? +已两个月 +我也是新来的 +谁开的派对? +来,喝茶吧 +拜拜,别弄断我的腿啊 +在她这个年龄来说是很重要的 +但附近没有人啊 +带点面包 别着急 +朋友们 我们边上正是工具印模制造大师 +我没伤心 +你真是个天使 柳达 我发誓 我会还钱的 +-你有个女儿 +那么我就会认为我是最幸福的人 +还是我自己来 +舰长 F +别开枪! +早安 大臣 Good morning, Minister. +买东西 通水管 Shopping, the kitchen plughole'sblocked, +Hacker's Permanent Secretary. +如何向大臣解释? +How did he know always? +你能来太好了 我很荣幸 Good of you to pop in. +弗兰克・埃瑟尔动员后座议员 And Weisel might be ableto mobilise the backbenchers. +Europass is top secret. +邓肯... +Good of you to come. +问您5点能否觐见女王 Will you be free to kiss hands at five o'clock? +We booked this three months ago. +Yes, I... +我想会是人仰马翻 Man overboard, I should think. +还这么招摇 And so blatant. +我们对他一无所知 他到底是什么样的人? +But who is he? +- 是的,因为我们没有准备好 +你的信说得不错 有些事情是很好的 +不复返了 +凭什么... +跟竹丸在一起 +像这样。 +足够的! +史,首先我要说... +史,升起机头,伸直机翼 +如果你没有放弃 And if you don't, +你将有幸为此另寻出路 You'll welcome an opportunity to work on something else. +成员已经各自回到曾经的部门 and the members returned to do theirdepartments, +我不是白梅 +快走 出去 +是我 厄尼斯特 +- 你好了吗 亲爱的? +越來越糟了. +很难说 编辑才刚修理过我 +恐怖组织的褐色制服 +我们杀掉总统及五名重要人员 +我是美国童子军的人 +有的人工作是为了理想 +爱你 +总经理 +等我们结婚以后就会多一个人 孝顺她老人家 +我不能用这张已经不是我的脸 再去面对世界 +请祢一定要保佑我们 +Lfhe doesn't know thatafter 20 years as a politician... +你们还等什么? +现在 是 +查不到他原先叫什么 We didn't know his previous name, +你演戏够了! +知道了 +想当年我们也是这样子 +或许... +那艘船要盯紧 +打破了他的神圣誓言,亵渎了不朽的灵魂 +我喜欢抚摸你 +风浪会把你卷进地狱,罗德里格斯! +安金先生,听我说 +野信说你将看到真正的武士死法 +要去达可巴星系 +我当时还不是一样? +哦,不 +直到他见到皇帝陛下 +- 祝你好运,兰多 +这里是不错 我们可以去海滩 +你错了。 +你要干什么? +... +那又怎样? +是啊 20人 Yes, 20... +纹丝不动 +- 我会好好款待她 +这样看 这是学习经验 +你不会想走的 +不是为了自己 你不明白 Sally. +用枪 用刀 什么都好 Yes, a gun, a knife, anything, +-Yeah! +这次我走运了 +你的马和枪要价多少呢? +你还要我数吗? +这是我们的经理,贝英史托 +真的吗? +迷谁? +我的手链去哪了? +他经常残忍地忽略我的个人愿望... +这一定是你坐过的椅子 +我叫了你去关车里的灯吗? +你看我的眼神好象我是陌生人似的 +如果我不做,别人会做的 +现在我们去看看 +来吧,火车就要开了 +大豆汉堡跟大豆薯条 +我们可以真正轻松的玩过够 +我结婚七年了 +求求你,小姐 +制片: +如果你说完了,请便 +他已經到了,正在等您 +我一輩子從沒看過這麼多雪 +佛瑞德 +蘿可,這是怎麼一回事 +当然不会 为什么要呢 +也知道你有多么过份 +本军团的运作很顺利 +或许还让你升官 +你是指受伤的那家伙 +假设我找的不是他呢 +看起来跟别人一样帅 +-不 你用不着打拳击 +他没有 是不是 +你想要点儿什么 +继续吧 乔 +-你感觉怎么样 +-出什么事了 +只是看一看、放鬆一下 +他有沒有導過音樂劇? +這是什麼? +對,我隱約記起來了,樹 +Everybody is here from New York. +啤酒好了 +没有比我更清楚自己 +"他出卖灵魂给魔鬼" +- 他们一样? +既然你的卡姆叔叔明天还会来 你去睡觉怎么样? +博比 这男人想找妳 +我不得不遵循 除非你证明她不合适 +我? +我们都买了一样的票 +马上就走 +这会成为不错的景点 +它们把土推在外面周围 +没有护目镜的人,不要直视爆炸现场 +-谢谢,巴尼,你来的正好. +我是想跟你解释点事情. +陆军元帅受伤了. +或许他们还能抵挡住新一轮进攻呢... +趁还没关门快点去 +再见了 我的爱人 +我只是不小心滑了一下 但是听到自己女儿说 +-那样我们就可以在圣女贞德那玩 +-就不会犯罪? +-他们每天晚上都去 +还以为我看上的是你屎一样的表演吗 +来根雪茄 苏门答腊包装的哈瓦那雪茄 +如果 +您兴致勃勃地涂抹她的肌肤 只不过下手重了些 +两周前 我在她的手提电脑上 发现了那些邮件 +试探你而已 +此次听证会将讨论居住在 +我跟他们说我饿了 想吃点糖 +达达 弗农 快来 +-赫敏 我讨厌你的猫 +是邓布利多在上次反抗神秘人时创立的 +我跟伏地魔之间的联系 +到时候你就知道 我是不是正确的了 +告诉我什么? +在梦里,你是否站在受害者身边? +我要建立秩序! +听着,我不是不感谢 大家为我做的一切 +她杀了他,她活该 +经过魔法部核准的防御术课程 什么事? +老实说,我能 +可以练习的地方 +你这坏小孩 厚颜无耻地站在这里 +他不会伤害任何人 只是有一点激动 +放下你们的武器 +快点 +因为在忙活 +"赞"? +那么明天和叔叔以及你妈妈去镇上吧 +我们的车在路上坏掉了 +万福 +这还有我给Faith Hill 做的尿布袋 (Faith Hill 美国乡村女歌手) +你们想创造历史吗? +上下铺? +你和爸爸还在为多年前死于 +- 那都是什么玩意儿啊? +不! +不 等等 我没恶意 等等 +他,, +她说她女儿离开前就没她的消息 +你知道这为什么可能吗? +他爸爸要回家過節 這是他走後第一次會來 +我不知道原來還有別人 +你已經在這兒待了半個小時了 +我相信你 但我们说定了吧? +无论是谁都好 +息 +把那帮人都给搞定了 +书生社听上去一点杀伤力都没有 但是 事实上 它就是个噩梦! +开始10年它只是个普通社团 +直接命中! +斯蒂夫 +这是你最后一次整我了 斯蒂夫! +加油! +- 好了 孩子们 开始吧! +然后送我回去上班 如何? +是女的 +我们... +你觉的原因是什么呢? +她走到我身边 要求下车 +我也许是让她搭了车 +我只是.. +没有. +非常快! +我们是在火车上认识的. +有个问题! +| +两颗心将会象这样子相遇. +你和他低咕什么? +所以来认识一下主要的客人. +他们去哪了? +你怎么样? +..一男一女之间会发生什么. +上帝会给我勇气会保护我 +你的风采还真是一点也没变 +为了那些同样在战争里死去孩子们 +大人 那真的是非常慷慨的提议 是的 的确是的 +大哥 +你会用你左臂上的那把刀把你的喉咙给割开呢? +并没有消失 +是谁扔掉的呢? +连我都没碰过 +你看... +你给我出去 +"好像通过谈论低能,就能把自己免除与外似得" +"愚蠢怎么可能从其本身的定义中得到豁免呐?" +至少入狱不全是坏处 +他爱你 +希望没有打扰到你 +我们下一次再看... +大卫 大卫 大卫不在这里! +我对你们很好 我也不认为你们可以唱歌 +OK! +对不起 Claire 只是... +很难说 但是制作人兼经理人 Ian Hawke已向Fox电视台保证 +你干什么? +-三点钟方向在哪? +他说见不到你就不走 +喔,宝贝! +-对,来吧 +-嘿 +我那时在平瑟考拉 +Lewellen不用你照顾 +你的灵魂正在黑暗中游走,是么? +呃,我能在你们这儿避避么? +八点零八咯 +这个等离子手榴弹呀 +可能对你来说也未尝不可吧 +为虾米? +很好,这本可爱的童话书我是不会再读了 +不光是印度的小盆友们在挨饿 +我就叫了怎么着! +您需要呼叫Helen Boxleitner吗? +建议你晚上11点后不要喝水 +嗯 是两份工作 +就是标枪 信不信由你 +Cove中士的 +那么我们应该梳理一下思路 看看是在哪儿卡住了 +-怎么? +他正在策划着杀死第三个受害者 +那是个以我自己为原型的产物 +我在保护你 +觉得这件事很cool +尝起来 +呃! +是啊 但不是原来那个 +想不想去看看 +取得了自主独立 +凑合着睡吧 +脱毛症也消失了 +不过... +生活不仅仅是足球 +我才不在乎 花个两分钟 打个电话 还是可以的吧 +把我的乒乓学校变成了贼窝 +嘿 +我是FBI,笨蛋! +必须始终熟悉他周围的环境 +不过我就坐你对面 你应该不难找到我 +-我懧为那是恭维 +上面有很大的字写着 +那些做實驗試劑足夠了 +這他媽是什麼? +非常非常好的西服是麼? +- 我想怎麼叫就可以怎麼叫 +難以置信 +我是Richie Roberts, Essex縣警局 +是的,法官大人 +操他媽的 +会不会就是? +显然 那名女士的床不会真的漂起来 +不管怎么说,马丁尼兹走了 +- 他是同性恋? +他们已经去调查了 +- 没有后援你不能去 +你也一样 +-我想也是 +-誓死送到 +我光是形容,小弟弟就翘起来了 +你又要和柯先生约会? +小萍,你听得见吗? +你有糖尿病 +准备战斗 退回! +看来起 被他给毁了 +噢 对 +这间屋子里有很多人 本以为你不会成功的 +说猴子。 +另一个令人发指的罪行 +布斯 你又来了 +当回忆起东西的时候 不 不会很多 +你死了嗎? +如果我有些時候讓你們覺得 +真的? +我在上面 +哦,感谢上帝 +我不知道吸血鬼伯爵 还能看起来这么凶恶 (源自吸血僵尸惊情四百年) +而且我们也不想让你们欲火焚身 这个搞不好就色情了! +不错,不错 +你们就都不会有事 +不管怎样,保险受益人 只能在三种情况下更改 +我的理由是你的眼神非常迷人 饱含深情 +你就是我的明星! +给我试试 +我做了什么? +我们只要找到艾利斯就离开这里 +我们要一起活一起死 来吧 +{\fn微软雅黑\fs24\bord1\shad0\3cHFF0000}现在又谢谢你们帮我搞这问题 害我的年薪又没办法修烟囱了 +{\fn微软雅黑\fs24\bord1\shad0\3cHFF0000}真希望可以跟你在一起 +这打动我很多次 +他们不会报警 +Lysowsky先生... +给 +我们来散散步 +不准你和她说话 我在对你说呢! +但你们要完全按我说的做 +从养老院 对面的方式。 +这些其他的伤痕... +我的意思是,自从 我是一个小男孩... +你应该 到不能够 +- 我在外面等 +我是说 我们得面对 +行为变得野蛮残暴 +你看见什么? +之后你随自已去 +不 +大声地喊着. +2.5平方英里的地区 +她和他们常通过电话 +最后 +因为这个原因 +谢谢你们 真的谢谢你们 +-你这还不叫喊? +我可以在任何地方和盎格鲁撒克逊人辩论 I mean I'll debate Anglo +- Shut up, let's go. +How do you know? +证明给我看 你是个灵兽 +让我走 +你簡直就像個獄卒 +寶貝,其實我想要做的事情 +你聽到了,寶貝 我們要修好尼克的家園 +-我怎麼知道,給你 +-沒問題的,對吧? +- 当然了 +有人吗? +- 你应该知道我住哪间房吧? +- 听着,我认输行了吧 +看到我了吗? +嗯 她就在那儿 +你好啊 克雷 麦克 你好 +那些老板干嘛不把拿房间关闭掉? +我们仔细权衡形势 +我最大的乐趣就在于 检验那些异灵事件 +我这样子,你觉得呢? +妈的 +肌肉紧张? +天啊! +我出来了? +。 +我觉得他说到重点了 +天啊 +什么事? +记忆像一阵风 +这个想法简直和诺贝尔和平奖一样有价值 +我是个妖怪耶 +Cinderella正在遙遠王國 +噢 這才是我的好孩子 過來 給老爸一個大大的擁抱吧 +看看你干的好事 +你們好 來自宇宙的孩子 +哇 我就知道我應該找個擔保人的 +你根本無法阻止他! +嫉妒了吧? +干掉他们! +我生气了! +失去你为之付出一切努力的珍贵事物 +七个小矮人救了白雪公主 然后呢? +确保没有饥荒! +有 +她们可能会出现在演出上 +- 该死! +可能会指引你做律师 +哦 操你自己吧 +他有时会出现这种状况 +从刚才静冈的举动来看 现在女浴池正在发生什么不得了的事情 +所以我还能看见... +真够快的啊 +现在不方便 +双方的让步... +是,长官 +斯蒂芬・福斯 本内迪克特・兹拉克斯 伊斯克・萨尔沃 +赖斯·莱克森 +该死! +一个老式的八婆会议 一吐心中不快 +你不停地吻我 告诉我不用担心 +哦 别这样 也没那么糟 +她只是有点情绪激动 对吧 Juno? +...我觉得... +快 快出来! +到时候他会转变的 +我能用一下衛生間嗎? +我可以,那醫生也可以告訴我... +后悔了吗? +来吧... +對於我們中的大多數人來說 在一生中 +我們需要診斷這個問題的原因 +很有魅力,很乾淨 +您要点儿什么? +走吧 +扶我起來 +拜倫像一首只有一個音符的歌 +- 好的 +好好看看 +我们都到河里游泳 汉克 +郡治安官说波洛第 麦考内尔的死 和你刚才说的差不多一样 +所以你是说这个女孩子就是 他们是在试图创造的 ? +- 加油,老虎队(大学的橄榄球队) +- 知道是男的还是女的吗? +你们给自己创造了奇迹 +它们会不会走到别人的庄稼地里去? +你以后不准认真看电视 也不准上网 +以我们英柱经常说的话 sengga +那时候是爱你的 +妈妈帮一帮锡贤吧 +你今天被我抓到看看 +对不起了 +只担心东达不担心我吗 +有个砍柴的在山上砍柴 +您好 爷爷 +我也相信 +代码转换器... +米歇尔仍然有救,孩子 +- 克里斯汀... +更像是一位信仰的保护者 +如何才能证明统治的正当性呢? +和帝国税收系统 +他的事业由儿子贾汗季和孙子贾哈继承 +还是用他们的时代衡量我们? +【体型适中,身高约1米67到1米7】 "全部打开,然后关上" +这是块悲哀,不可救药的土地 +但是你还没喂饱我呢 +很抱歉 这样做很不好 Leonard +真的? +星期四下午才要呢 +我想用这杯酒表达对你们 精彩演出的谢意 +在他们死之前 但上帝却说 +取得了北京大学的第二名 +你等着 我想为你展示星系 +什么 +- 他刚做完手术 +闭嘴 +我是卡特 詹姆士? +他们就是"龙头"? +噢 不 哥们 你到底什么东西 +听着 你就不能只给我们一个警告? +健二 告诉我 谁是煞星 +这个是私事 +你想要什么 +不行 +就为了那个背信弃义的垃圾 盖尤斯·波塔尔么? +0,0: +- +六个月后,她死了 +不 我把它給Kelly了 +我在擔心如何才能保護我的家人 +听着, 小姑娘! +你写的信? +Abby... +时生! +牧濑! +Bad Girl +痛苦地挣扎着,咬紧牙关 +你们所认识的泷谷源治 +三上踢——! +你是谁? +这些你都具备吗 +算我输了 +怎么能就这么认了? +你是英雄先生的儿子吗 +时生的手术不去看看吗 +或许他要隐藏什么 +- 烂驾驶 +让你发疯 +你一定是Angel警长 +说不定脚踏车就是用那个钱买的 +因为他和议会的Eve Draper搞在一起了嘛 +但事实是你让我们很没面子 +真的? +- 喜欢上年纪的人 +一切都会没事的 +事实上我们把"局子"叫做单位了 +谁? +没让我等很久嘛 +你残忍地用她的钳子杀死了她 +Leslie表姐确实死的遗憾 +貴方に死んでも殺めて欲しくも無い ... +站起来! +你去哪里了? +他会给我们钱,因为易如反掌 至于钱以外的,不可能 +看啊 她在那里 +老兄,这都是你说的 +嘿嘿嘿,别说丧气话啊 +祝你成功 +100米也赢下来 获得两胜吧 +冲啊 +检查流量 +就是这样 轮机长 +-这就是问题 +上帝 +-什么? +6年之后,作为美国人,我们却步履维艰 +聽著 我很抱歉 +我不是说清楚吗,安德鲁 +下午五时,我的办公室? +能扑灭火焰 +你没看到血 但你知道是这儿 +他在屋顶上 +回来呀 该死的 我让你瞧瞧魔鬼长什么样儿 +觉得你儿子会把表给他 +今天下午装运尸体 +就放这 +对 +恐怕我还会失去控制 +找三月的《莫德斯托蜂报》 +那些人也不是什么乡下小孩 +也许你从此有机会试试日本菜了,刺身 +5号单位,请托什用固定电话打过来 +他喜欢电影吗? +喂 库拉特斯 骗人的吧 +罗伊德 +好了 走吧 +因为玛纳结合不完全 所以撑不了多久 +才不会有人注意你 +Rajesh 你还记得Lalita Gupta吗? +我是Sheldon Cooper博士 +向我保证不要太过头 +KIRA +是用来替KIRA王国接档的节目 +MISAMISA,高田主播说 大家都是女生,想一起吃顿饭 +你说你想说的,但你还是穷人一个 +我完蛋了 +不管怎么样, 我们之中有两个人会死的 +我现在是个啤酒女郎 +听着 照着那个阿姨的话做 好吗 +他绑架了我的女儿 +这样如何 内尔 +-怎么回事 +-爸爸 +非常感谢你 +强尼 +你若伤了她 他就会给你好看 +令你无可预测 +Slade签了协议 +你以为你能阻止他吗? +- 那个想尝试着拯救婚姻制度的俗人! +你知道这水泥里有埋死人吗? +好啊 +好爸,那就待会再聊 +- +- 对不起 +谢谢你 +而是一份迟来的仁慈 +我决定不去剑桥了 +是米洛那里最好吃的 +我快迟到了 得马上出门 +我们现在有更大的麻烦了,伙计 +【美钞上印有总统头像】 +我明白你的意思了,我来吧... +你知道他们怎么说吗 没人能像赛马师那样狂欢! +- 我们现在... +回老家他覺得也臉上無光 +我們到那裏之後 還從來都沒請過假呢 +湖州小雨轉陰,7 +啊 香苗 你好啊 +八音盒? +总之 先去找她的母亲 +但是 还是要告诉你件事 +但是... +多管闲事! +那个 因为... +对不起 我是来探病的... +喔,真惊人 +妈 +他们伤了你,对吧? +ê狥﹁碞琌瞷蔼м方瑄垂 +- 翅 +иǐ +他在窃取军方资料 +"连接中断" +打到第几级了? +比《世界末日》壮观一百倍都不止! +到走廊找掩护 +我们飞下去 +魔咒,你想要你的止痛药吗? +我们正联系最近的空中预警机 +别闹了,好不好? +- 整间作业都中断了,先生 +- 我们走 +你带着吗? +- 情况怎么样? +他的第一輛車 +我們有六層樓的員工為此工作 +他們遠不止看起來那麼簡單 +等等 +这些都可以出售 +冰人计划? +快撤快撤 +我们和敌人混在一起 注意目标指示 +她们大多会找这种胸围给你 +各方胸围齐集,来证明自己的价值 +09 他来这等她 +我们在上面开火了 +- 打搅一下? +人人都讨厌 +仅此而已吗? +如果知更鸟不再唱歌 +- 是真的啊! +但这一季罗杰所关心的是 +我是非常不明白 +行了,呆着 +1 2 3 4 5 6 +天哪 又来了! +- 是么 真的? +来吧 等等 +- 看 食谱上有写牛奶 +魔鬼烈酒 +有多久? +第三部 知晓 +我就知道 我看到你眼里的小火苗了 +他把我抱在怀里 拼命的奔跑 +- 这一切都是个梦吗? +这是地狱 还是炼狱山 还是什么地方? +什么意思? +你觉得肉馅玉米卷饼怎么样? +没有 我在想周期晚了的问题 +去嘛 +喂 +花梨... +- 你确实挺臭的 +你在開玩笑嗎? +这里正忙着呢 +吉赛尔 +#你有权选择 你已经做出了抉择# +现在就这样 +不过我今天偷过来了 +Ott +- 你们俩去睡一会吧 +玛利亚 你没事太好了 +我们全民会支持你们 +梭特的女人在哪里? +就是没有,我们现在要带你去查问 +我也不相信他只是人形机械 +分析正在进行... +但是我放下礼物的时候出了点小问题 +请自便吧 +你根本不应该喜欢他 +- 正有此意 +嗯 现在 你不欠我一顿晚餐 我可是用指压(什么东东 辛苦安)救过你一命啊 +好把,谢谢了. +数六下 +你是个叛徒 +我们在等待补给 备妥后就可马上行动 +这种行为要受到法律的制裁 逮捕他! +离开甲板! +-陛下 +密使的任务是什么? +当他把她拉上台,并脱掉她的衣服 +伟大魔术师Montag +我正在处理犯罪现场 但我的结果有出入 +他花了很多钱在她身上 +当它设计完成时,并不非常牢靠 +好吧 让我把这解决了 +但你... +根据罗伯特. +不. +伯伯好像傻了似的 +所以案发时他在现场 +黑兹尔,你不必这样的 +啥? +拜托,这是在家里 +! +Charlie Eppes是独一无二的 +- 我觉得我们该让整个社区都回归安全 +- 你得戴 +噢,是时候去提款机取钱了吧? +abc因为我每天只睡5小时 +我说服凯尔一起做这件事 +理查德·本傑明·凡納克 +快,艾瑞儿 +呃 那是什么? +你们 +动物总会死亡 物种总会消亡 +Stephen他什么都记不得了 +排水管没问题 估计是阀门坏了 +加油哦 +这是什么? +也许他在撒谎 +还能增强爱人之间的亲密关系 +3亿多个精子 +4分钟内,脑部永久受损, 再也无法修复 +明白吗 +开起来一切还是值得的 +是啊 +其他的人回到崗位上 +噢 +很奇怪的是 愛竟會被誤解為恨 +Billy? +No 謝謝 +這到底是什么意思 +那可能是我這輩子吃過的最好吃的餡餅 +女人總是這樣的 +我愛你的胸部 我愛你的胸部 +或者我們現在就可以在這就結束它,你覺得呢? +我说万一他是个白马王子呢 +那家伙会不知所措的 +不管我做了什么 我不会再这么做了 +怀的很了 +你该开一家属于你自己的派店 +嗯 +先上水 +那是我最喜欢的派 +好的 这一点都不会疼 +if spouting's a perfectly normal symptom in early pregnancy? +同时也是一个好妻子 和谐社会的和谐一员 +你什么时候才告诉我们你的秘密? +道恩 如果把我爱你的每件事都换成一美分 +- Garrison医生 +我宽恕你全部的罪,"Ego te absolvo" [拉丁文. +我会得到你们的支持吗,Folkung家族 +使上帝已经赐予他的技巧变得更强大。 +我不想去! +圣母玛丽亚会保佑我们的。 +因为我作为圣殿骑士已经发过誓 +这么多年来的战争 已经消弱了我们王朝的势力 +我是Youssouf,这是我的兄弟Fahkr +Chamsiin。 +杰克 +我叔叔曾经是很好的刺身者 +滚你不能袖手旁观 +不 我就像你父亲一样怎么会骗你 +为什么起这个名字 +塞纳的肉末茄子真美味 但果仁蜜饼呢? +-哈 +...然后星期三再把它和垃圾一并扔了 +好 +他无意中签署了一项合同, 协议的死亡。 +在这里,如有需要。 +你的眼睛也在说谎。 +啊 +是的 +这是非常了不起的事 +你好,我是约翰的妈妈 +奈德曼! +翠丝·戴特维勒? +想过过嘴瘾不行吗? +∮却与您擦肩而过∮ +那好 +对方受伤了 ∮赐他给我,仅仅... +{\1cH0DEAEA}(1960年10月,5年后) +请过来 +人家会说闲话 +"这里温暖舒服" +不! +每次升幕的时候 +我没办法干活 +想要我死,是吗? +∮在我身边骤然响起∮ +∮ +爱迪,别这样 +∮倘若你死去,我俩天人永隔∮ +赶不上做日课了 +管她高不高兴 +搜他们身上有没有武器 +好啊 +按摩浴缸真舒服 +我会吗? +吉伯特! +-up! +是啊,你说的没错 Yeah, you're right. +不管怎样,这都是天堂 +你在干嘛? +我下次再剪 +喂... +看看你是不是还一样... +许来干嘛? +很难洗的 +他为什么会赢? +哦。 +-放松点。 +这是瑜珈时间 妈妈在打电话 +你以为你了解我生活的一切. +不是吧 +哦 +怎么搞的... +你要學的還多啊 Nicky +你从佛罗里达回来之后 就对我挺好的 我很高兴 +-晚饭再过30分钟就好 +我喝杯睡了 +不知道为什么他们以为 我会干坐在那里 +因为FBI特工从来不下班 +心中要满怀爱国的想法 +你难道还想让我坐在那里傻等吗? +是的 +当然 +-48 +你被分派到总部跟罗勃汉森工作 +恭喜,欢迎加入天主大家庭 +"雷蒙敬上" +- 不好意思 +pizzamx 三闲居士 校对: +- 互联网上的, 有没有那种... +00之前弄完 +哦 +只是我的全部工作都是在浪费时间 +那看来得重新安排此事了,是吧? +他们会觉得非常的不舒服 +-我发誓 +将康城城主和所有战俘抓起来 +我们可是赢家呢 +阿育陀耶的人民做了严密的防守 +不重要 +加重了我的担心 +我会给你重赏的 +好了好了 +你来做什么 +我曾经在一个人身上留下了证据 +一件好事 +真是的 "是是是是..."的 真烦人 +所以我才这样说啊 +零号机 完全停止 +丽驾驶零号机担当防御工作 +- 昨天医生来了 +或者说,雕刻刀? +我记忆中她的样子还栩栩如生 +- 美翻了 +超多的! +没 没有 +是,我知道那种声调 +好吧,也许她看到了 +他还在责怪自己 +记忆就只会在 接触到笔记本的期间内恢复 +好,你说的对方... +我还没 +很高兴你在家 +在最后的爬升中 每一次振翅都是与寒风的生死相博 +而城南损失惨重 +什么? +这是我们都太熟悉的事件 +我本以为我已经全部弄清楚了 +如果你希望这场战争中 为什么没有在伊拉克? +明天谈吗? +我跟你讲过 我今天不能做到打烊 +真的? +嘿 舅舅家的小魔怪 你好吗? +- 晚安,孩子 +- 块木头进去 +歌德反对革命 +我想资助她的学业 +是关于我们的问题 +你认识她吗? +但我爸爸没事的.. +求你了,扔掉这头猪 +那才是睡覺的樣子... +这个圆盖我一分钟都待不下去了! +她居然挂我电话! +你都不需要去讀它們,你有否決能力 +你是我的经纪人,我可以把你给炒了 +没事的 +很好 +虽然只是无意的一个吻 +我从来就没有挪到那边去过 +就一点 +好的,明白了 非常感谢你 +如果是真的怎么办? +我去找服务生,你要甜点吗? +Marie来找过我 +可我们几乎不认识他 +虽然她的手臂有七处骨折 +自从我们来到了这里,你完全变一个样 +可是我的生活完蛋了 你听了也许会好受些 +可我现在不想看 +比喻 +-很好 +他参加过那个聚会 +你们喜欢字谜吗? +我不知道该怎么办 +-事情不是这样 +这没有什么我们 瑞娅 只有你自己 +还要我进一步解释吗? +你去林德曼的赌场做什么? +我没问题! +-没错 我们学校的兄弟会 +我跟你说句心里话 +安全 警官 +我可以把我的色拉盆子借你 +- Mike 我同意他 +然后我很规矩 但是你还是惩罚我 +她朋友穿皮質豹紋衣 +- 反对 +... +- +- +我已经讨厌你。 +您需要发送这些卡给我。 +我还没有感觉到这个夏天以来。 +Izzie的: +极顶。 +和烤面包机? +哦! +啥感觉? +咦 饮料已经没有了啊 +振作点 +本尼娜・艾斯古比多 +一,二,三,敲树桩! +比如说被他的亲人绑架了 +爱波? +我就走过去对他说 咱们什么时候一起吃饭吧 +随你便 +答对了 绢江 +果然是 +瘫痪了 +皇冠超市旁边的那个? +饼干也有很多呢 Mr. +他妈的吧! +噢 我的上帝! +我所造成的事故在一个路口 +我半夜要去把她的尸体从坟墓中挖出来 再把珠宝夺回来 +别想逃避这个 Lynette +怎么了? +-那边是你的船吗,先生? +天使一样的脸蛋。 +很遗憾,可他不喜欢我们。 +劳瑞・埃尔顿说骑车围丝质白围巾, +我觉得他爱上我了。 +早上好 Richard +# +我一个月之前卖过你 +- 别迟到了 +你所做的决定可以决定今后的五十年 +并且我只想,知道吗,保持距离 +- 我保证,不疼 +完事以后会给我打电话吗? +其中大部分是为我们而设 +跟变魔术一样 +在她身上感觉到一丝恬静 +你只需要接个电话 +恩 +你有20块的零钱吗? +我们可以一起私奔 +接受道歉 +地下停车场了 +你将会幸福地享受 +那么 +Freddy的球童? +- +我每一分每一秒都会挂念你 +基本上所有人都弄得面青口唇白 +不会,我现在很听你的,不会赌钱 +老公! +你今天还好吗? +不适宜我们居住的地方 +他知道我有点与众不同 +约翰・奥德曼? +尽管我厌恶这活儿 +如果多点零花钱就更好了 +-T +我知道 这东西我不能碰 +那好,就靠你了 +好了,支持"恶棍组合"的,大声喊出来 +-我要干活 +是吧,格兰特? +你做的饭菜让我想起了我妈妈 +T +Mu Camaraderie于灰暗之中 我们是手足情深的狼群 +打住 打住 这孩子怎么了 他在干嘛呢? +那很好 +-宝贝 你是我唯一剩下的了 +给你看看在 A片里是怎么跳的 +-Theta what? +-T +- +现在要出场的是: +你也从来没改变过什么 +-都过来 +你先慢慢了解我? +两个队伍都毫不手软 +拜托 老兄 +成百上千的申请者 纷纭而至... +...全国男子街舞大赛的 冠军队伍是... +-那是我的错 +这个就是你的办公室? +你会如愿的 +-冷静 +- 那不是我 +其实. +其实是垃圾 +Madonna! +无论你怎么高谈阔论也好 +因为不会再有其他人给你做这种傻针线活儿了 +- 现在? +怎么回事? +因为我不知道那首歌的名字 当买到的时候我急不可待地跑回家 +Sokidon Proudly Presents +- 杂种 +- 可能是一个月 +让我看看你的手 +是我们一伙的吗? +小姐,不吗? +让我进去 不用大声呼喊 +介词用来解释名词 +我根本不会画画嘛 +这是什么 +路上 +看这张数学试卷 +♫ 尽情旋舞 晃晃大腿 +不是的 他一定是去食堂吃饭了 +他有些困难 不管多努力 他还是不会读写 +现在加三 +-正七 +哇哦 多好的场景! +不, 不对 +我的蛋糕都有一大半烤焦了呢 +妈妈 素夜姐说她不饿 +好啊 那要是... +财务问题 +对, 我们需要卡车 +你碰过这种情况吗? +去告诉他们, 每个人都该买我的书 +拜拜了您 +噢 该死的 不 不 不 不 +你在干嘛? +站在夜空中 遥望着美丽的银河 +发现非常暗淡的星 +显得非常微小 +她让我见识了许多别人不知道的东西 +提铎斯普罗说 你的孩子都很好 +你可以选择掌管任何行省 还有宫廷里的任何女子 +我的阴茎 +那不是真的. +不 我会跟你们联系的 +就像一个绅士 周末在菲尼克斯公园里远足 +先生,現在可以開始推馬車了 那位年輕的先生,對不起 +四是好礼貌 留在这的小野猪 +就在那阴影和星光之间... +我回忆着我们在一起 度过的时光 +嘘... +我看了17遍了 +她有一只宠物 +你还可以装小龙虾 任何你想要的东西 是的 我确认 +你们这帮小鬼给我闭嘴 +图雷克 嘿 爸 +你梦想的工作呢 你忘了 +机场 好的 +我们曾经走过去的路面 +你前男友是做什么的? +那么,瑞克, +很好,很好 +我喜? +吧 +? +卡? +我不喜? +波丽来 我们走吧 +- 我心中已经没有那些东西了 +收养你不为别的,只为买地时 身边有张俏脸蛋,诓人容易些 +旧金山的鲍勃・布罗迪? +我觉得我们在这儿站了很久了! +- 现在拍那大楼 +别他妈那么怕老婆 +我会搞清楚方向的 +没有 +你媳妇叫张玲玲吗? +我不愿意卖掉 我能送给你这张 +不是 我们 +你记得你的么,康妮? +呆在这个他所成长的边远小镇 +嗯 +好吧,你很幸福,我很不如意 +请原谅我明说 +你打算成为一名真正的舞蹈家 +巴迪有个问题要问利兹 +对啊,可以开始练琴了 +这是气泡通过的声音 你知道 +不 我要让你和孩子们看看我们在做的事有多重要 +你也看到了,这段时间来 苏格兰已经变成了战争的前线 +安古斯 +碰碰车场吗? +在这儿! +我说了很多次了 我想不出他能去哪 +你有什么? +你在那儿多久了? +那下一步怎么办? +他们是我们俩的孩子 +很快 +他说那里比我们这先进很多很多 +从哪里来的? +那你记住他的模样了 +这是最让人惊讶的... +里面进水了 +你好吗? +但首先,我必须想办法结束自己的生命 +14出生 +有朝一日把它归还她女儿 +他们凭什么带走我们的女人? +安娜? +好 +他是主攻心脏的 你是牙医 +"我没有心情"这类话 +跟其他牙医一样原因 +我走进超市 +那到底是什么? +我出去下 +鬼太郎! +有人很着急 +我不是来这里被抓的 +我对自己的身体和皮肤很满意 +我住地下室,没有人关心 +而且我相信... +谁? +差一点 +该死 +还有那个教育部长... +这是别人送的 我放在这里了 +头发! +你相不相信... +给我一间公寓... +好 +還有一點時間 ,我先送妳回去! +老曹! +妳一直都很小心 +我这只好吗? +王佳芝扮麦太太,是阔少奶 +我 +亚细亚一天 不回到亚细亚人的手里 +情报工作人员心里只有一个信念 +你先回去,我还有工作 +真是荒唐! +也不知道是真是假 +当然,跟我来! +那倒不会! +帮我带花生回来 +是啊,上海都还不至於这样 +我去试一下 +吔! +忘了 +这样做出来就没问题 +小姐,请上车子 +香港是不是好一点? +扂憩岆伂 +那里是汪政府的大本营 +你吃的中药里头有龟板鹿角 +脑壳去了半边,眼珠也打烂了 +连挂电话回家的时间都没有! +又输钱了... +丝袜,西药 +以前在香港办过一个爱国话剧社 +妳呢? +对我 +还有不能分辨什么是对错... +这玩意儿... +许愿让他来个本垒打 +我们在他的小柜子里找到了 鞋子、铅笔还有牙齿矫正架 +哈... +你确定? +- 那么,伙计,你觉得怎么样? +他的智商比平均水平要高些... +是啊 +你准备好了吗? +最深处的想法,真的 +这不公平! +你已经非常棒了,你可以成为明星球员 +大多数领养父母所经历的症状 +那就是为什么你哭了... +恭喜 小子 我们用你拍的照片 给你50美元 +现在是偿还的时候了 Marko +你想要杯饮料吗 +但是 发生了什么 +他从来不要求回报 +蜘蛛人! +就是我女儿 +太厉害了,这真的很强 +路易 +哦,我是她男朋友 好的... +太美妙了是那樣嗎? +不 不 不 這不是祈禱 No. +-快還給我 +你怎麼知道我不會進行到底? +从锅炉室过去,那边 +你说得对,省麻烦 +嗨 +你只管待在家里等警察到 +-老妈 +瑞娜・拉曼尼 地球生物学教授 2006年1月 +当我母亲怀孕了... +- 现在你拥有这种超能力 +快走! +我爱你 真的爱 +"柔软的微笑 我的月亮孩子" +非常好! +陛下? +我再也不是你理想中的哈什了 +...我的枪被凶手踢掉了 +...在DVD盒里发现了自杀遗书 +不! +想告诉他 我和妈妈在这里很寂寞 +我该怎么办 我的皇后? +违反誓约的话 我们家族就没落了 +那些农民饶了他 +让我去 帕努 +他正在接受审问 +别再让我看见你的脸 +这个什么都行 +不是这样的打算 +你真混 +然后再告诉她 +750块我就做了 行不 +你又被我父亲认为是国王的敌人? +我可以给你一次机会,亲爱的外甥 +你的小魔术用完了吗 +一小组人会溜过克鲁格人的防守线 +奇风异俗之事 +玛丽安娜 +一个父亲的复仇 一个丈夫的 +你挡我路了 +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What do you know of a man they call Farmer? +but still strong. +-That a single man can cause so much devastation? +your vision? +你又能为你妻子提供什么样的未来? +对 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I do. +- I've made myselfking. +但是别忘了你还欠我$26.12的donkey kong(一种燕麦圈)玉米片 +帽子不错 汤姆 夏洛克·福尔摩斯 +但是我不希望我的艺术品 +我们绝不能就这样让饼干店倒闭 +嗯 +那真的很奇怪 +我们可什么都还没做啊 +很好 +暂时我们不需要你 +是。 +如果用车的女朋友的名字 彩票不购买的话。 +是真是美丽的头发。 +Sugahara君。 +今后总是一起有吧。 +Celestial Being... +你知道那场景里 充斥着科学错误吧 +不 我没有讽刺牌 +輸了! +- 是的 +我给你带了晚饭过来 +そんな理由だけで 閉じ込められた +Veda本体... +非常抱歉 中尉大人 我随随便便就跟您说话 +在这种地方... +我们竟然会被人类占了上风... +哼 我们赢了啊 +...驱逐目标! +我会留在大学跟随埃夫曼教授继续MS的研究 +保险起见带上护卫吧 +开快点 你这个白痴 +妈的! +Alex 我最讨厌的事情有三 +你知道 +不可以做那些会把安室的浴衣弄脏的事哦 +让胸部变大的诀窍吗 +你别这样 +我真该找个你心情更好的时候来 +我要... +无犯罪记录 +老老实实吃你的晚饭吧 +摇动你的屁股.摇动你的屁股 +是卡维拉吉・帕蒂尔和他的人! +就是喝兩杯咖啡而已! +那算了 +啊我被襲了! +我必須要站出來說句話了 +這是什麼 +你幾歲啦 +為何酸奶之夜這麼難呢 +有点恐怖啊! +我们制作流程的最高机密 +- 是吗? +它会把我弄死的 +有时我在想,人类喜欢蜂蜜有什么不好 +- 82岁? +他是敌人的工具 +感谢你的美酒 晚安 伙计 +敌人的实力在SAT之上啊... +那笔钱根本就不存在 是犯人捏造的谎言 +凶手是第1SAT部队 +是我 +你有拆弹的经验吗? +马上进行下面的工作 +嗯... +美纪还活着,还活在我心中 +- 啊,好的 +小小的告白了一下... +美纪她... +嗯? +枕头边点着芳香蜡烛 +如果任何人踏出这道门... +谢谢你,先生 +去! +缇菩... +小心! +我先查看一下周围 查理是个十足的卑鄙小人 +停下 +这些东西是干吗用的? +那你慢慢等吧 +杀不了他 可会让那家伙够呛的 +我遇见他的时候他还不是 +10點方向 左邊 街對面有一輛銀色的克萊斯勒 +藍兜帽! +我要求這件事萬無一失 +追蹤結果? +被殺 機密: +丹尼尔斯带我去见他 +帕梅拉・兰蒂,她说有紧急情况 +地面43号就位 +如果他不是线人 +有了,马上在荧幕显示 +他在接受指令 吉米,给我监听通话内容 +不记得 +你一旦走出这一步,将要如何收场? +尼瓦纳・瓦博斯,国籍: +52大街 +早上好 +不过 经过三天的搜寻 韦伯的尸体仍未被找到 +是的 我需要借点现金 如果你方便的话 +啊! +嘿 +我现在该去哪倒这些垃圾? +我刚刚知道你们一直倒的垃圾是石棉 +-进来 +趴下,别动,宝贝不要动,不要动,嘘 +航程到一半的时候 +什么? +爸爸,小心! +走吧! +狮子一定咬死他! +是鑰匙! +鱷魚河附近沒發現他們 +我想他看不见你的。 +Whatever I ask you to do, I won't hurt you. +如果中国人被认为是陶器大师 +伟大的北方印度王国灭亡了 +传给了另一个伟大王朝 +非常优美的腹部 +这难道不是耶稣教导我们的 +只闻其声 不见其人 +出去 这是最后警告 +暮云春树 校对: +将由一个人来拯救他们,走出困境 +你是干什么的? +重塑过往好困难 +这些过来消费的家庭都有孩子 +- 谁啊? +现在走到外面去,在左边有个澡堂 +- Sukhina上校 +不错哦 +但是因为我也考过警察,不获取录 +这个世界不是这样 +这对最便宜,而且它现在打八折 +卫景浩 +一个小时没来的话 +在卫景达失纵这段期间 +如果让人知道你哥哥是犯人 +你的电话响起来啦 +我帮你召救护车,帮你打电话 +工作时,不要叫我表哥 +他们七个孤儿都在战火中长大 +卫景浩 +怎样? +... +也许我真的... +他 +不过看起来你并没有处在这种情形下 +除此之外,什么都不要碰 +你压的是蝴蝶 +你喜欢什么? +兄弟 这真是我的梦幻屋 +不要打电话给任何人 好好的躲一阵子 +这是一个'jhumka'? +我能做什么? +Subha: +我去休息. +噢'主! +詹金? +我一直在找你,巡官 +不过请将情报工作 留给秘密警察 +-不用客气 +- 只有国际刑警组织才有管辖权 +超自然世界的东西杀不了人 +閃光已經抵達,重複一遍 閃光已經抵達 +把胃裡的藥物排泄乾淨 +這裡,裹紙法 +Leupold Mark4 M1 +不是真的刺杀 +你没回家? +并且封锁了现场 +你熬了一整夜 别管它了,去睡吧 +怎么? +嘿,约翰 +这里可是枪战之乡 +They're never gonna stop chasing you. +Oh, come on, just tell me. +该死的 +你不是我们中的一员 你不属于这里 +他们在密苏里杀了摩门教的孩子 +杨百翰是一个没受过教育的疯子! +长官? +海特总统已经和戴姆上校商议过了 +- 什么? +没事的 +- 你要去哪里? +好极了! +噢,没有特别的原因 +刘易斯,能帮我一下 帮我记时吗? +噢! +干什么呢? +- 看啊,他都睁不开了 +该死 +坚持,坚持,坚持! +你的下一步很关键 +慢慢呼吸,呼吸 +- 停下 +想想明天 +只是问问还得在海上多久? +将道路变成跑道? +-喔 +*我不想现在就离开她 你知道的,我如此相信着* +∮我们都想要改变世界∮ +什么? +快滚开 +他跟我一样是个浪人 我们是领航员 +-色魔 +-孩子,快离开这里 +-妳知道何时吗? +还有妈妈的嘴唇 真是... +不过可能也会很怪 一直以来我都在恨他 +∮当我感觉到的那件事∮ +嗨,大伙们 +你能再努力一点吗? +你干嘛对帕可那么没礼貌? +∮什么都改变不了我的世界∮ +-我们到底在哪里? +你们会暖和起来的 +- 我相信你 +我以为你已经回家了 +如果那么做能停止战争 让麦克斯回家的话 +*我看着完整的你* +- +你能听到我说话吗? +哦 我... +那么 它们就和现实一样真实了... +它和你一起来的? +Ann 能告诉这里发生了什么事吗? +哦 就在这个半岛附近 但是在另一边 +嗨 +你在干私活吧,这事跟麦茨没关系 +- 真的吗? +- 她是报社里的明日之星 +你说你叫什么? +市长先生准备宣布大会在本市举行 +我们来认识全新的汤米 金加德 +我以前赚十多万一个月 +彼得? +我家得有個精神科專家隨時待命 談何正常? +嗨,媽媽 +- 精彩,真的 +你知道 +也許 +吸毒? +玩得开心点 +你想说什么? +那我现在对你非常的不满 +我都快忘了跟你在一起啥感覺了 +我是Bex Simon +自我兒時起你很久沒這樣了 +我錯過了好東西嗎? +# +好 +不如在隔壁支个床? +你叫什么名字? +- 没有,不是 +皮特 +-不客气 +她到法国看了我一天 +箱子有洞 +那是我花了六千块定做的 +是 +我还能去哪 +你跟她联系过了吗 +救我. +女人? +是的,你是的 +救我! +在骆驼走了 +1996年马克在戈比地方 又有了重大的发现 +谢谢你 +- 这是个自由的国家 +是明天晚上 +我爱他. +你正在减肥只吃一个 +彩和亮太的学校也会变得近 +是吗? +谢谢 +你总是能帮我 芽子小姐的菜是受孩子们好评的 +我让一只老鼠到家里来 还告诉它我的就是它的 +但我们要回居住地啊 +我现在该怎么做 杀了它 +我没有胃口 +你伟大的阿拉斯加探险 +神奇的公车 第三周 +神奇公车 第七周 +我会在水中游 +你要有一个许可证 +-活动房屋园 +这正是我想要的,终于有了! +{\1cH0DEAEA}(独自... +我们家族的香火可就断了 +2, +引擎必须彻底清理 +国王可不希望他的皇后太想他 +宝贝 +但你们要相信不会再发生佩顿去夜店的事了 +我们现在麦尔城 丹佛主场迎战波士顿 +有个在死之前必须要道歉的人 +犯了一级诈骗罪 +必须的 法官也更改不了这个 +事实上是今天晚上 +加白利 +包! +加比塔,你脑子进水啦? +如果实在出于无奈而叫车 别撒谎说你没有怀孕 +小姑娘,细节很重要 +姑娘,要说实话 +我可以明天下午两点过来 或者今天晚些时候也行 +我说过这些么? +放轻松,一切都会好的。 +这样太傻了。 +- 什么? +我的身体变得越来越轻 +利亚姆没有盯着我 +嘿,泰特姆 +埋了他就回到了地狱 +用这个 +加油啊 +知道了 +但我要请你去餐馆关瓦斯 +那倒是 +会很有意思的 连接纽带的时刻 +最近有点忙 Been a bit busy. +一嗯 +Twinny. +随便看你想待多久都行 Stay as long as you like. +妈,我知道 l know. +2HB] (70年代初期音乐的杰出代表) +喔... +- 安妮克 +- 如今长大成人亦是如此 +片名: +因为 +我抽支烟去 +― 你怎么说? +不觉得累吗 +我看妳好像很棒的样子 +去工作吧 +拥抱呢 +我们 +哥 你很帅 +坚强 有义气 热心... +你干什么啊 +喂 +心乱的时候做这个 +这个干嘛要你来教啊 +是啊 +哎哟 真是谢谢了 +也不等 +我会在"不行的东西"上花时间吗 +真肉麻 +真想感受这种感觉... +哎哟 我就剩下一页了 +简直就是一只斗鸡 +开始! +再过来 我就杀了... +- 让我说完好吧 +不管我怎样天赋异禀 +- 对 +- 对,对,听我说 +- 真的? +实际上,我从来没这样说过 都是那两个白痴双胞胎,他们... +别忙,哥们! +我现在只想进去干完它 +00回来的... +-谢谢你 我感觉好多了 +我很冷静 很冷静 你抓得我太紧了 +你很美 +是吗 那么志愿者能挣多少钱 +那说明他老婆真是被碎冰锥戳死的 +你妻子 莱拉 +好 好 好的 +真是特别的日子 +剩下我们几个 +17个小时 +那里有什么 +请求科罗拉多州国民警卫队援助 +走吧,走吧! +乌鸦,忘记喂了 +范特根干的 +- 谢谢你 +你必须写明信片! +不过... +我永远都不会逼你承认我是你丈夫. +你低下头.. +你有,你一直都让我很烦恼. +什么? +是长素的照片 +怎么了? +我确定。 +我知道. +完了,就她自己 +我们唯一要决定的是 +-这个钱一直支撑我的生活 +她不是单身 只是还没结婚 +我好高 我好高耶 +不过我们已经知道 你肚子里有什么了 +{\fn方正黑体简体\fs18\b1\bord1\shad1\3cH2F2F2F}美国著名饶舌歌手 被枪杀 +搞不好后面哪个房间 里面堆满尸体 +昨晚真棒,至少我记得的部份 +难道你下面也醉了? +我还没告诉他们呢,你是不是觉得他们会大发雷霆? +我越来越难看,他就越来越好看 +-哦 好极了 +不过他们真心相爱 +-是啊 +可是两个好人不意味着要在一起 +可是肚子已经这么大了呢 +可別讓他來養你的孩子. +是的. +很好. +你的羊水都洒我鞋上了嗎? +它们是印度最早的城市 +对他们的语言和价值观施加影响 +你们叫饺子,我们叫新加理 +维谢林斯基街12号 菜市场,附近有居民楼 +我知道你的心情 +布爾加科夫有部小說叫 《大師與瑪格麗特》 +我現在沒有時間說了 +最后我才会成为英雄 +我尽快赶到 +你的家人在等你呢 +上车吧 +别人看了也不好 +忠心耿耿 +你听到我的话吗? +见到我们不高兴? +我想吃沙拉 +6 7 8 9 10 +要玩 +1 2 3 4 5 6 7 8 9 10 +1 2 3 4 5 6 7 8 9 10 +1 2 3 4 5 6 7 8 9 10 +1 2 3 4 5 6 7 8 9 10 +1 2 3 4 5... +6 7 8 9 10 +6 7 8 9 10 +6 7 8 9 10 +1 2 3 4 5 6 7 8 9 10 +6 7 8 +不行 +一一一- +好 +你拿六百,我拿一千 +他不喜欢马铃薯? +给我一点时间 +可恶! +那么你骗了我 +晚安,谢洛米 +他们竟天真地相信 They were naive enough to believe +Just eight? +You want one? +我看了太多次 I've watched it so many times +很好吃的批 It's good pie +真的? +我也是 +哇 +因为她给你投的票 她找到你的 +就我个人来说我喜欢吃莳萝 我觉得那个被用得不够多 +DAPHNE: +They're just getting started. +不要为了追求热辣就忘了自己是个活生生的人 +他想搞我... +你好 +那时候... +三 +才见过一次面 +我们都做一些事情来求生,对吧? +我永远不会忘记这一晚 +-- +一个特别的人嗯 +看看她,别说了... +我喜欢你 +我就像个晕眩的傻瓜 +怎么说? +莎琪娜整晚都会看着你的照片 +我要怎么跟奶奶说? +-就让他被打吧 +就这样一直坐着,很悲伤吧? +-我的雨伞? +- +- 麦片粥? +最好是一些善意的有趣 +我忘记了时间 +- 好的,像这样? +你一定在跟我开玩笑 +我要和你到哪裡去呢? +1萬,1萬塊就可以 這樣我們就扯平了 +我只是缺錢而已 +計劃裡不應該有槍的 +我想我能把我俩都带回去那里 +- 你叫什么? +好慢呀,有没有快点的? +做人最重要是先声夺人,扎个马步 +今天什么主题? +令寿堂舞狮全包套餐 +找他什么事? +... +她拿了我十几万 +就是所有钱是你的,没人家的份 +接着这个环节是亲自窒你 +你们搞什么鬼? +听说,如果是夫妻拿综援 +干嘛要举办什么小儿醒狮训练班? +一狮两味? +保证令你过瘾! +规范有关的活动 +他们可以控告你和逼你付他们钱。 +- 00: +你搀合进来干嘛 +菲利普 +你需要运气吗? +什么事? +你知道吗这不是我的错 +不,我不是他的人 +快点! +在引诱我吗 +我也不清楚 老弟 +你能不能控制一下你的计算机强迫症? +你会好起来的 他会好的 +和家人叙旧对我没起作用 +和圣堂相差无几 +这是保拉・西蒙教授办公室 +杀了他加油 +不行,他没有电话 +吃饭了 +- 是的,是的 +- 别客气 +我刚才 +有别的证件吗 Tarek? +Khalil女士 见到你真高兴 +我讨厌这种感觉 +- 怎么才能打开它? +他已经被咬了! +那老太太在一楼住。 +帕布洛,上铐子那女的怎么样了? +- 到哪儿停机的? +他们把人都封死了,就像耗子似的! +什么解释没有。 +那个哥伦比亚小姑娘。 +- 有准儿吗? +我们跟拍的消防员 +- 别碰摄像机! +那为什么叫'露西'? +你在干什么? +重造一条新的血脉 +你们都是笨蛋! +一团糟 +热死了 +WaIIace, 听我说 +我准备好了 +耶 +他哥哥还活着 +你想游泳? +小心那,MidnigHt. +和Midnight的手下 +哦,这个包真漂亮,谢谢 +- 你昨天跑哪儿鬼混去了? +他们现在可是资本主义了,凯特 +- 你带枪了吗? +我们怎么偷剑? +不要再碰我偷来的东西! +找你的 Annabelle (女生名) +犹如四处漂泊的孤魂野鬼 +他已不再对那女孩有某种憧憬了 +- Earl +叫"语言病理学临床疗法" +"无性演唱会" +他的搭档正在期待着... +哦 好 你是我的头儿 +辩论队员已经定下来了 +你好? +她不可能上床睡觉了 +噢 +好吧 也许只是大部分时间 +首先 谦虚让我不得不承认 +早 呃.. +所以不是我 而是她们中的一个了 +太不可思议了 +照看好他 +这些很奇妙 +今天早上我说的那些话,是吗? +奈森,你变成坏人了 +我想要跳离这该死的椅子 +我没事了 +我估计 你死了 +我在这儿住 +我们能在去避难所的路上 在花店停一下么 +她最后跟我这样说 +我以为我们达成了共识 +这是第一次来秘阳吗? +是吗? +穿起来真漂亮 +松江浩 是啊... +你好! +是在学他爸呢 +停! +到底做没做? +真的吗? +嗯... +你这是干吗? +是吗? +让我去思考去聆听并虚心学习 +我负责卸车 +免得到时候我改了主意 +我知道你还在生气,但别把火撒在她身上 +这位是众议员查理・威尔逊先生 +7营和8营在喀布尔 +我不是想说他坏话 不过他会害死我们的 +我已经打算把3千5百万的枪支 +准备发射 +不 怎麼你對政治那麼敏感 +所以我要回來工作了 +蓋斯 +你可別闖禍 +黑暗的夜晚 +我经过你病房,懧得你的名字 +-你很变态,你知道吗? +趴在地上 警察,给我趴在地上 +- 该死 +每个亲属照顾这孩子一年 +-亚达失踪了 +我不是故意的 +对不起 我在开会 +我只想问你一个问题 +怎么了 我想停下来了 +别别 别吐 +是 这太好了 你从哪听来的 +现在来的是我们的浪漫之王Rajesh Kapoor +我的命,我的梦想都不算什么 +那现在就去看吧 +真傻,当然是我! +毒药 一定是毒药 +尤其是为了方便孟山都公司尽快的把产品推向市场 并将政府干预的影响减到最小 +就我自己来说, 我失去了平时最要好的两位农夫友人 +就是转基因征服 +罗宾森在撵我们 +准备好了 +逼你去买一些你根本就不需要的东西 +太好了 +好吧! +怎么了? +天,别开枪! +自從孩子他媽搬來和我們住 +没道理 +Melvin出牌了 +快点 我跟你说话呢 +没有 我在跟你眼镜后面的东西说话 +-- +对10 +我住在海湾边的山上 +我们要怎么做? +她很年轻 汤姆 +届时他们将裁决汤姆在那起事故中... +好吧 +你们看什么看? +听我的吧,你看他们 +衝出去 +我這一生 如履薄冰 +太后想安定天下 +他才终于说出了他心里的未来 +我们三个月打下苏州 +听说有个叫耶稣的先生 +你不会的 你不会的 +蒙马眼! +庞青云劳苦功高 +大哥 +别告诉我娘 +大哥! +太后说 +嘿嘿,我们猜的对 +- 你好吗? +听起来不错 +因为你刚才撒谎了 +我快憋不住了 +- 巴里? +早上好,伙计们。 +斯本斯? +- 哦。 +好的。 +我刚刚在印度一个赌场赢了5,000美元现金。 +我人生的任务 +不客气,弗雷德。 +插进你的屁股! +你不是也没救活你女朋友吗 +我没有一天能睡个安稳觉 +你不会随便开枪打人的 +Supernatural 第3季第6集 +噢 小珊! +所以天黑了可不能出去啊 小傻瓜 +Sam, 走了 我們要走了 +阿申先生 +我以前应该不是那种 容易和别人相处的人 +还有他们孩子的孩子 +吸毒了? +你到底在哪儿? +哦 +别管他了,比利! +他以前是备受尊敬的肿瘤专家 +噢,很快了 +这是书中描写的最古老的掩护 +我得走了,亲爱的 +我要告诉你一件事 +我会出个公道的价格 +我们遭受的太阳风 比预料中猛烈得多 +你想说什么,柯拉珊? +他割腕了 +好了 +瑟尔,我们都会想念你的 +时间到了 +我們要正視 很有可能就是他 +隔热盾不修妥,太空船会烧毁 +-不必了 +天哪 +那是我和崔伊之间的事 +这是真的吗? +卡帕,慢慢來,你耗氧率太快 +-似乎会同一号一样 +除非你决定自己开车 +贝奥武夫 +我不明白 +你想让我跟你一起进去吗? +有时候 奥苏拉 有时候还可以 +我希望我们不会被乐队指挥的 棍子打到 +哦 他妈的! +餐馆开着! +拍击公牛? +- 怎么了? +- 不,不用 +- 这么说你喜欢辣椒? +他刚说白人垃圾? +告诉他们,野猪... +我在想什么? +老兄,我还以为是某种喝酒比赛 +等等,伙计们,听着... +- 好的 +- 点火! +要是... +他是瞎子吗? +哼,你可能是一个... +关门了! +我们都多么需要 +-好的 +她是个很麻烦的人 +她并不只是给女孩子的 +你知道吗? +-够不到 +噢 宝贝 她会找到另一半的 +我叫乔斯琳 +这对普鲁迪来说也比较好 +哈哈 你的妈妈死了 +乞求离开! +- 05号? +吃完后 我想看到地上是干净的 +{\1cH80FFFF}同一天 我失去了 离开BOPE的一切希望 +{\1cH80FFFF}内图修车 但只能待在车间了 +{\fn微软雅黑\fs20\bord1\shad0\3cHFF0000}快 我们走 带上他 +你去贫民窟作甚? +{\fn微软雅黑\fs20\bord1\shad0\3cHFF0000} +{\fn微软雅黑\fs20\bord1\shad0\3cHFF0000} +- 你他妈的是纯洁天使啊? +{\3cHFF8000}那是例行公事 不 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}It's routine. +-6. +You're wrong, Andre. +得花一点时间 It'll take some time to fix it. +Yeah. +是要给小侯的... +好。 +我LL +欧派,这就是你的名字了。 +我想念你。 +我们要去让你 睡觉,好吗? +把大家逗乐 +不过看起来你们人类不这么认为 +它就重新去找温暖的活老鼠 +如果您想和老鼠互动,您必须自行承担可能由此造成的伤害和疾病。 +原子弹的辐射会持续10年 +你可以自由定做所有部分 有各种头和肢体供君挑选 +你呢? +- 其他人要么? +- 看着我,比安卡,嘿,嘿! +那不好,会受伤 +我穿了靴子,但我把鞋带来了 +没有! +他会一直爱着那个玩意儿 +- 我没做什么 +这手套是手织的? +等等之类的东西,如果你做了 +洛克昂·斯托拉托斯的初次上阵 +啊呀~~ +就算已失去了所有的希望 +当然了 所有的话题都是围绕着婚礼的 +听到了没 疑点 可我们没疑点 +我爸很快就坠入爱河 +5票无罪 7票有罪 +他打了那孩子 她却无动于衷 +你爸叫什么名字 +-这边要暖和的多 +不要想太多 这不是你强项 好吗 +为什么你这么执迷不悟地抗拒上帝的存在 +怎么了? +他是某种... +...谁觉得他是不是... +你是说要我别再来找你? +多少人变成他的手下了? +都要分她一半 +法律站在我们这边 +接到你的电话吓我一跳 +刚才就是你喊停的吗? +这个是你,你结婚二十多年了 +我不想念我的儿子和女儿吗? +我们在浪费时间 +怎么做? +如果你真的后悔 你所做的事 +我们必须找到他 +-我是贝卡 +-喝到完全不行 +你为什么逃走? +聖城家園SCG字幕組bbs. +你沒被邀請,快點給我出去。 +... +-那個該死的歌手 Jimmy 的兄弟! +現在 年輕的 Michaels 你要死了 +我告诉她现在几点了 +我能干别的... +搞什么,埃文? +- 什么? +滚回去,滚回去 +- 你的眼睛 +最好的做法就是加入迪士尼 +我们应该发扬崇高的人文精神 +是的,她知道,不过我并不引以为豪 +在这种时刻 +他受过十几次审查,这你是知道的,哈维 +这些人里有很多都是被迫离开 自己唯一熟悉的世界 +从没通过官方途径离开过俄国,别的途径都不知道了 +找几个你的兄弟,伏击卡斯特罗,乱枪打死他 +那样苏联就可以干涉全世界了 +你他妈个懦夫 你怎么不... +我们必须立即行动了 +卡里德 求你了 +向参议院情报委员会作汇报 +什么袭击? +为什么要自讨苦吃呢? +我要和惠特曼夫人说话 +十分钟 +电话是怎么回事 +-她起的真早 +法瓦什么 他姓什么? +阿巴斯・法瓦 +我还能怎么办? +-李 我是道格拉斯 +-我在谷歌上找到的 +你他妈的在干什么? +去厨房烧点水 +这些人在我这一行里... +要是没有你们支持... +嗯? +有个叫拉希德的罪犯... +我要你在上面签字 +晚安 +就擺在那兒... +喂 +难怪他什么也没有说 +不要,一护 +你還好嗎? +可以通過深邃的水層,看到事物的另一面 +在一处从未踏足的地方 +信上说什么? +别和我说太多你母亲的事 +鸡汤是胡迪尼夫人做的么? +说了最后的遗言 +"只不过是玩玩儿而已,女人!" +好东西 +有人被蒙在鼓里 +嗯 你是变态刚好 +这才是我最精彩的照片 +那个变态 +吃这顿饭 +哥哥 +你说什么 是那个拍av有名的 +还有变态神灵三为一体的变态体系 +不被社会认可也行 +快点 洋子 +你让开 +就算他是个好人,你也不能尊敬他 +你也是 +因为我们的孩子 让我们不对它抱有幻想 +你知道现在经济不景气 +- 你星期天有空吗? +掉个一条腿两条腿甚至三条 +「鸣牙」 +你在写什么? +我能够永远留在这 +- 严重吗? +只会谈论她死去的丈夫 +狦и稱и碞ぃ穦秈ㄓ +硂妓帝 +你有优势! +无声无息,毫无头绪 +我不想去想起你,请离我的生活远远的 +嗨,亲爱的,我们不要浪费时间了 +你看 +救命! +电话亭后面? +只允许一个人入场 +我们将来定会有一段 更加深刻确定的情感 +没见过一个6岁的孩子 能明白蓝调中的真意 +我的顾客要在这上面跳热舞 地板必须擦干净才好办事! +那些犹太人控制了演艺圈 +达令・麦迪逊 +- 我知道,我理解 +我们就不能照着老路走么? +安里奥基地 没有应答 +还在意莫拉里亚的事? +ブリキの兵隊達は殺戮を始める +不正经的一伙 +- 他疯了 +我.. +只有这么些 +不 我不用 +在智利的阿塔卡马地区 靠近边界的群山之中 +即使这对你来说不容易 +因为我在德黑兰的法语学校读过书 +打倒沙赫 打倒沙赫 +嗯 +我更加紧张了 +如果没有情节 +我认为会有你说的那种黏糊感觉 +是我们店自己设计的钢笔 +是的 +够了 忠广 +那你明白怎么回事了? +谁证明过 +上周去的 +那么梅里呢? +这次我真的搞不懂 +你跟我装傻啊 +老师没有过被女性拒绝 寂寞地喝闷酒的事之类吧 +他们能感觉到与人的联系 +在做什么呢 +已经过多次实验确认 +混合添加调味料的时间和顺序 +有趣 +使得箭左右摇摆 +臉高12厘米 +也許從羅馬邀請 東方文化研究院的專家來 +別動,躺著別動 +出自《奧義書》 (印度古吠陀教義的思辨作品) 到喬達摩佛陀 +过奖 +接下来,很可能是古埃兰语 (埃兰: +是一千万? +妈妈你喜欢狗吗? +你有其他意图 +我真的想知道 +你是女人 我是男人 {\cH00FFFF}{\3cH000000}You're a woman. +As long as I have you. +我不会让你白白浪费掉 +你压根不知道怎样过日子 +你在干嘛? +猜怎么着,桃瑞丝? +你怎么知道他们不会报警? +我... +你必须去圣弗朗西斯科 +是,我只是在想你是不是认真的 +Patrick是我老婆的兄弟 +你知道,有工作所以就有... +我从大战以后就开始和Stan Falenczyk做这个买卖了. +你是同性恋. +# +我很清楚要发生什么事 你不能成为其中的一份子 +我们别把事情恶化下去 +为什么... +跟其它行业一样 +可他躺在装有金属弹簧的床上 +好吧,不值一试 +跟死尸打交道没什么 +帕姆和丹尼尔要去那儿一段时间 +几天前罗曼打我电话 +- 我很高兴 +- 出去? +喝酒坏了我的事 +诸位,这是弗兰克 +谢谢,弗兰克 +然后他说"那栋房子? +过来,儿子 +-兄弟! +去他的爱情 +未发现目标 没有目击 什么都没有 +你就能... +没见过烧成这样子的车 +拿出枪戒备 +- 别耍我 +- 就这么多 (0个) +带我去另一家旅馆 +- 修格? +奇古做交易? +-清晰嘹亮 +你只是不知道而已 +- 你住附近吗? +- 见者也有份 +-我在上班 +-脱掉鞋 +-他都死過去了 +- 家族传承? +旅行者仍然光顾这里,但是来购物的 +一切变得越来越开放 +杀我啊,那她就会死 +让我们明白... +我会亲自干掉你 +是我父亲坚持的 +是錢 男人的東西 +我意思是 相當富足了 +35: +你是从哪里得到它的? +你父亲? +哦 她是怎么辗转来到里昂的 +坐下! +比奥伦. +见鬼,他死了! +和发回信号准备实施爆炸 +一周后我应该和 贾法特. +手,脚 +拿住 +你抛弃老婆了吗? +应该不会太疼吧? +大夫! +-ae 在最后一个弯道处领先! +那就去本土上干活. +- 分开找! +你不是喜欢那个医生吗? +-再说一遍! +好近 +罪犯的 +好的 路上小心 +-嘿 我们拿到钱了吗 +这些日子以来 我把退职金作为我们的生活费 +那你叫醒他 +还有凯萝,进来吧 +妈! +那里! +不... +不,绝对不会 +快点 +听见没? +给你 Gerard 祝你愉快 +- 开枪! +啊... +好了 计划是这样 +- 逃走? +让我静一静 +就像"魔女游戏" +好啊,回头见 +说了你也不信 你今天早上有收电邮吗? +我们还有多久? +这艘拖船上 一定有救生艇或什么的 +我认为他正使用一个假的名字。 +好,我正出来。 +那就幫幫他 +她为什么必须常去 在我们的酒吧吗? +-他们说我们是猪,我们是狗。 +人们为什么受伤 彼此喜欢那吗? +世界需要萨摩亚人辛苦工作。 +-凯瑟琳过去常常与他出去。 +准时请缠绕它吗? +那是最干酪驴的胡说 我曾经在我的总寿命听到。 +但是我确实爱你,汤姆。 +- +什么? +...并开始出现 +"我是你的" +- +他今天会从美国过来 +昨晚庄园里发生那件事后 他就失声了... +巴德瑞老兄 +那你就准备好 +谢谢 +太多了你帮我吃 +我吃"我爱你" +*若能有辆摩托车 我会欢呼又雀跃 +他们逃走 +走吧 +记者小姐 +奴查薇小姐 我想跟你谈谈 +好好谈谈... +不如我教教你怎么样撒尿吧? +那個該死的混蛋 +我再也沒見過他 +如果你再不聽話 我就打你屁股 +-=TLF字幕组=- 翻译: +哦 你是說要是Vanessa剛剛沒闖進來 我們... +我來扶你 +杰弗里不在办公室 +披萨 披萨 披萨 +嘿 马歇尔 老弟在这 +你知道为什么吗 +你的血压是A,挺好 +咱们走吧 +你在哪儿呢? +泰姆? +道恩! +你可以用她的尸体进行测试,少校 +其实,我不好,一团糟,但是... +他们想要杀了我 +你这么对我弟弟的话 我就杀了你! +我比较喜欢这个 +- 手臂... +- 各位,放轻松点 +操你的! +管我们叫他的 "王牌" +她... +我告诉你了,我没有回里面去 +你的证词不是说你在外面放哨吗? +"于是那个商人去了集市 +-你们两个鸡奸痞! +-为什么你这么说? +-她怎么了? +-是的 +这一带夜里有点儿乏味啊 +我们去参加我父母结婚周年纪念派对 +好吧,我用信用卡吧 +回到车上去 +但实在太困难了... +看见了么? +那那句是什么意思 +还是找出想杀害他们的犯人 +王牌总是留到最后的 +-谢谢 帕吉教授 +而唯一能懂他的就是我这个聋子老兵了 +那晚 我们因为违反了所谓的丑陋法而被捕 +- 你好,查理 +每次谈到车的事情 都会有点激动过头 +# 但他们所有的女儿们都让我饱受打击 # +# 你和大律师们在一起讨论 # +# 一样 # +我有... +开玩笑 +人们不喜欢我不是我的错 +谈谈 +是我找到的 +你为什么这么说? +正因為如此 +放心吧 煙是我們弄的 +最後一次投票結束後 +你最好記得一件事 +其它參賽者請離開銀行 +這種完全沒關係的 +回眸一眼 +她已经不在了 +想到你要经常这样上下楼梯 我感到心疼 +你吓了我一大跳! +到海边去,陶德先生 我们会过得舒适安逸 +告诉你,拉芙特太太 告诉你为什么 +那就是我想要的名字 +嘿 为什么我们不一块儿出去? +對 對 切東西用的 +是曼徹斯特晚報 +今天早上是我讓她進來的 倒霉! +{\fnYouYuan\fs16\1cHC0C0C0}对 是克里斯 那把刀是他的 +. +{\fnYouYuan\fs16\1cHC0C0C0}我一直都是杰克 +那是什么的地方 +艾瑞克 +哦 老兄 我很抱歉 我不该... +- 什么 没有 +可是现在说没就没了 +是这条路吗 +-怎么了? +不要再打电话过来了 +你好.. +你是笨蛋吗 +他创造了这个遍地黄金珠宝 +哦,对不起 +- 你会找到那条路的 +很好 +你真够贱的 +火药能够制住他们 +- Dale? +坐吧 +当子弹纷飞的时候 +妈妈 +名作家妻子 患有精神分裂) +这太折磨我了 +那是我们应得的 +作者想成为第二个詹姆斯 乔伊斯 逗号 +- 没事 我爱你 爸 +因为你也许不这样想 但是你与众不同 +听他说的,估计那人现在已经没救了 +我是护士,你这蠢货! +啊! +还是很害怕 打电话的时候很温柔 在电话里我认为是个好人 +∮皆因大时空出此大奇迹 +我们祈祷吧 +啊 对啊 +这样说 我会很困扰的 +我该怎么做? +不管那会要付出什么代价 我都会救你出来的 +她也没事吗? +我认为它又难看又普通 我想让它美一点 +为什么不告诉我? +非常有趣 +而是一个真的写的 +穿这个是不是显得很胖? +你老爸还真是教得不错啊 +那样的话 你被雇用了 +内有牛奶夹心 +而你们,就是顾客 +伊奥利亚·修亨伯格所追求的理想 +别指望我干以前我干过的活 +-绿怪兽 +-快 再快点 +你却准备告诉我们说 只是可以通过而已? +只是註冊,但是別期望更多了 +你看著我,查姆 +我們也不會達成什麼交易的 +這個時代是叛逆的 我知道的 +有人受傷嗎? +-嘿 +他在那儿 他在那儿 +这是我和我的父母 +對不起 +請相信我 +最美麗的身段和最快樂的心情 +我也爱你 +你到底唱什么呢? +- lt's a playfair cipher. +- +they're getting closer. +l just don't like that you assume that l can. +alert the vice president. one of our presidents found a secret compartment in the desk. +- l don't know. +我们知道那个指向拉什莫尔山 We know it leads to mount rushmore. +那是什么 That's it? +? +all of you! +先走吧 我遲點拿手記和你會合 +- 不 我知道有點難為你 +- 我可不是來玩抓迷藏的 +不敢相信我會說 +- 是隻鷹 +是你在切... +你知道你们的孟德斯鸠对我们国会产生了多大影响 +不需要 盖茨会帮我们找到 +没错 先生 +这不是什么民众大会 +-全靠你撑着了 +-实际上我们... +如果我说的对 然后我假设我是对的 这样我就是对的 +趁没人受伤 我们收手吧 +钟声? +- 當然可以 +是這樣,這事非常簡單,亞瑟沒有按量服藥 +看來你是這方面的權威嘍? +你的牌很好 +我想我现在恨不安全 +你愿意付钱给我是吧? +给了司机100美元的小费 然后就走了 +很久了 +他们努力查案、迅速结案 +不过你现在好多了? +我不会失去 +-你们轮盘赌搞不定了 +把这个念给鲁本听 +那样也许你们有时间疏散人员 +谁耍我就死定了 +这样的话 +你的枪 +- +我找到了誰設計的 但連樓都進不去 +她說: +你是說他現在已經「穩定」了 +-非常好 +你大老远从坎潘尼亚 跑来这里告诉我们这些事? +我们开始吧 +如果我们能忘记自己的身份 +{\cHFFFFFF}天龙居士 +- 显而易见的 +你真的 真的帮了我很大的忙 +为什么文件柜被撬开 而里面的东西也被偷走? +每个人都心惊胆颤 +不用了 +你不想我们再追查吧 +埃伦? +就是我想要的那种女孩 +跟你说了也没用 +北野顺子 +读读 +不 你该先倒麦片 这样你就知道该放多少牛奶了 +Just talk to him. +You tried and you got slapped. +癌症。 +"没事。 +真是一對後進生啊 +這些可憎的東西拒之門外 +可不是這樣說的 +不是 他的 錯 +自己的孩子 照顾好自己孩子就够了 +春天 春天 +我是说,神父 +照顾客人 我们都有不同的分工 +即使你不去 +还是你... +- 你會去那裡嗎? +如果告诉大人们购买新鲜的食物 而不是冷冻速食类 +- 抱歉,最后一双了 +Johnny来了! +我拼了命想救你,Dean +...前往世界尽头的另一边? +没错 +各就各位 +吹度玉门关 +换成什么?"九件不管是什么 该死的我们口袋里头的东西"? +我要请出提哥船长 +听好了 +船已经为您准备好了 尊贵的小姐 +狽 +是的 +现在他送你来 告诉我 他要来救我 +现在做你愿意做的事情吧 +我们的敌人是整支舰队 +其他人逐漸死光了 你就是孤家寡人了 +現在珍珠號也歸他們了 +對,就是那艘 +⊿Τ +瓳 ぃ! +我们应该早点通知你 +看她衣服的颜色 这颜色很有冲击力 +Kosomo你能听到吗 +一氧化碳中毒引起的意外死亡 +豢咂扂 +我们有机会解决所有问题 +抱歉盯着你看 我在练习看脸猜性格 +为什么走 他马上回来了 +可能是找我的 求你别椄 +但他非常善于猜字游戏 +你一定累坏了 +霍普金斯夫妇" +偶尔当回扒手 偷停车收费器 +268)} {\cH24EFFF}字幕来源: +我们在这儿谈生意 请不要介意 +着希望能忘掉这个曲子 +-票 谢谢 +感谢你的祝福 +是的,我试着花更多的时间与他们在一起。 +当然... +把她的东西,衣服,鞋子... +我们不得不这样做。 +没人能再叫我 宝贝 +我们可以玩一整夜猫捉老鼠 +问题是 她不肯免费帮忙而我们又没钱 +芭卜 我们这么接近 +这就像我最喜欢的歌 +别误会,我确信她一定很自豪 +别激动,高手! +我会随身带着 +我操 +演耶稣降世 约瑟死盯着博士的酥胸 +-我会好的 +你是不认识 +怎么 +你好像是叫路克 +你 +他在临时记者会上受到 +梁开在逃跑途中 +坏了就死了 +左,右 +说什么倒闭,还要开张哪 +傍晚时分黑暗即将到来 +别被皮肤所诱惑 +你不是圣人,但你有你的视野 我们正执行它 +力场 +感觉好不好? +几乎乐在其中 +多长的时间? +保持冷静 +以防合并计画不成 +我對香檳沒有反應 +請問 +我知道这很难相信, 我发誓... +-请坐, 双方都在吗? +虽然后来让他们跑了 +你不懂演戏呀 +还是我喝醉了呢? +门是开的 It's open. +我该把它收回吗 Shall I take it away from you again? +但我也深深爱她 and she is among my dearly beloved. +什么东西 What? +我不这么认为 +你干什么 +你们不用电击 恢复他的心跳 +我不想要再动手术 +他迟到了 +而你会去爱一个人 +疾病和忧愁煎熬着她,煎熬成墓碑上刻着的"忍耐" +一款,浓淡适中的朱唇两片; +难道你们不想想这是什么地方,这儿住的是什么人,或者现在是什么时候了吗? +这是报社派来的记者们 +薯条好吃吗 +你瞧 你和我很相像 看上去都很怪 +你唱下试试 你现在的这种情绪 正好适合表演 +你似乎应该留下他 好好照顾他 +再见 宝贝 +你恰巧在我容易底线得分的地方 把球给我 让我很开心 +沃恩你見過的 +你們這些怪人 我希望你們都能玩得開心點 +坐下吧 我去給你做點餅乾吃 +他在撒謊 媽媽 他永遠都變不好的 +哦 一次很棒的橫向穿越 +沒有人會在半夜裡給我做餅乾吃 +我爸爸已经死了 他被一辆火车撞了 +他过一会儿就来 +你跟那对母子住得还好吗 +可是她还找了 一个做她的朋友 +让他们今晚和你在一起 +我喜欢听他说话 +K. +- 妈的,别把我关起来! +我是不伤害任何人! +- 喔! +那是我的孩子! +喂,兄弟,不要放弃 那小孩子不含酒精。 +- 啊哈! +和你妈长的一模一样 +教科书不是我们设立的标准。 +你以为西点军校每年招收多少个B的学生? +那样没用。 +我到哪签到啊? +Otis。 +也许你一年比一年更不耐烦。 +烧烤大会,下个礼拜。 +《天使伊卡》明天才会放映 +. +.. +有一天他飞得好高到达了一颗星球 +- 怎么了? +) +你的行为! +- 不,第三个人! +- 他在哪儿? +真好! +法院对ROMERO案的新调查受到阻碍! +没关系,我走了! +那是非常轻微的。 +因为我不喜欢暴力! +- 我能进来吗? +公主和小矮人 +所有的都是同一种方法, 看! +他会想我吗 +我知道我在做什么 +我应该继续吃药 +是啊 +我只是缺乏维他命 对吗 所以我只是 +-我去拿你的验血报告 +很好 +恩 +Elton都看不上. +- 下午好 Miss Woodhouse +- 妈妈说我得快点 +是的,狄克生夫妇都是这类人 +且也要这样回家吗? +我求你们别,艾尔顿太太 +他从没要让我爱上他 +Miss Woodhouse,我能否. +[ John ] Emma, 天气让你爸爸烦透了 +太惊讶了 ! +不过我还得到你这来一趟. +他走后,我可以感觉到我对他的爱有多深 +但我是押骑警赢 +一只眼睛肿如核桃 +说也奇怪 +是杜尔的手下 +那晚九点多我看见乔治离镇 +你拿人的钱做自己的事 +他睡了 +你没事吧? +才不会 +教授,我想应该修好了 +我只是想知道你的方向 +别活在过去 要把握眼前的事 +交换风速相等 +抓紧 +我想学爱的原则以及运用之道 +你说什么? +困难,我们觉得我们 +除了一件事 +11快点到贝克眼 +有才气的,有才气的 +喂,你妈妈在家日马? +肘部迎面撞到了福尔曼 and Foreman walked into his elbow. +# Listen +- # Bad! +该你了,爹地 +你就马上住手 +好的,莎拉,你今天好美 +万物总有季节 +都跑那兒去了? +我也有拉赫曼尼诺夫 +别傻了 +有个重要的人想见你 +他是什么样的人,凯萨琳? +你还好吗? +哦 你谈 他很多最近 +我认为这是 极其重要的 +擦你 走错了路 不是吗? +但他是一个非常聪明的 真是可爱的家伙 +你知道她得到了 她的录取通知书呢? +忘了我说 +现在最好让你专心工作 +我是说 +真的吗? +你接受别人 +- 好主意 +加油,罗德! +毛毛熊... +你哥哥在一次事故中 失去了一条腿 +我們要賺大錢 +怎麼纏法? +-站這裡拍也一樣 +那就是答案 +根本沒人注意我 +最威風的接球者... +就這個價碼? +我們是朋友了? +怎么就突然成了上帝的手指? +我就只是想要你 +约瑟夫贝克 +-加龙省太太要解雇你呢? +我必须说 托马斯 +我当然也知道 +你很了解我 +- 帕瑞斯先生 奴隶是懂得巫术的. +说那个就是 上帝与基督徒的天敌 "魔鬼" +...你还能在警队服务吗? +来吧 +...令她再不能孕育生命之后 +...然后突然收紧 +...奄奄一息 +退庭 +是的 +你和妈妈玩得开心点 +沃斯治安官... +...你还能在警队服务吗? +你做得不對 +謝謝你,先生。 +- 哪個政府? +好吧 +用行話講叫做「日用紡織品」或「嬰兒用品」 +你揭穿了一個叛國團體! +是的. +如今我就有点这种感觉 我怕我也会这样 +只要我挤压它 就会触发雷管 +那么现在试试 正是时候 +我打点了警卫,所以 这车厢只有我们 +工资? +- 嗨,医生. +我们走. +- +-噢,好的. +自己的生活. +有办法吗? +葡萄牙语? +- +金花(万寿菊). +特殊混合肥. +快点! +是的. +两角五分. +你叫什么名字? +乔治? +- +-博士,呃 我 +- 没有 +-- +-- +我们实验室里有些超低频设备. +嘘,他来了. +我懂,但这不是关键. +本该发生在某个天才身上, 某某科学家,某某领袖身上. +∮留下闪亮的光束∮ +-我在等待. +你替我把这些转交给博士吧. +如果这次我有命回来的话就在这儿再醉! +他送他的军人证给你? +我可以保证 +我先兑150元 +你知道 +还要吗? +船长 +从赌城来? +若你有不轨我便揍你 +死吧 +别冲动,各位 +我和芥兰快要回泰国去了 她想家 +花莲有一个,阿里山也有一个 +堂吃还是外卖? +baodong1985 +广东人说话很粗鲁很大声 +排长龙呀,明年我们卖维他奶 +千辛万苦才可以来香港,怎可以马马虎虎就过一辈子呢 +街道窄窄人多多,店子小小的,什么都买的到 +是啊 +什么事? +- 去追女生? +你是什麼人? +爸爸,你们不能他妈的这样... +中介费是多少? +谢谢你,甜心 +若你见到你的朋友谢泼·巴福 告诉他,我不会放过他的! +是KumKang吗? +他很古典,是吧? +请留下口信. +-Joo的旅客 +多少钱? +等等... +你去吧... +这里是脑袋 +怎么样? +你就站在这里 +她一边倒下去一边打付 +欢迎诸位光临 +请等一下,席克先生 +他们别吃掉范布伦总统的瓷器 +快去! +不 很棒很棒 +哦 查德 嘿 +我们今天出发去匹兹堡 +塔科马到波特兰 +不错啊 听听这掌声 +靠边 +喂 +你只需要说"要牌 维克·考斯老大 +看向大海 +哦 好的谢谢你 +我们开始交往时就是这样 +我拿不出吸管 +找曼尼 +你还跟孩子说要跟我约会 +若要她帮忙带玛吉去上学 +毁了我和山米的一天 +我是这个家的总裁 +还我 +玛吉 +我若是没赶去会被开除 +后九洞用七号杆打标准杆 +我们上了 ! +将新陈代谢细胞重新组织 就能拥有医学术语的小臀肌 +当然不行一次喝 +她的电话线比电信局还多 +六客牛排、五份马铃薯 外加两碗奶油菠菜 +她的血型是综合冰淇淋 +她为什么要背叛我? +他們可以操縱英國經濟 +趁著戰爭,做違反門羅主義的事情 +銀行創造了剩余的十分之九 +全世界無法估量的痛苦 +和物價指數 +我们要甚么? +"我击败了梅丽" +马加文,萍达的叔叔 真是个美妙的场合 帮助别人,还有自助餐 +很多邻居都听得到。 +上帝造人,好吗? +-我也是 +没有人需要门房了. +去西班牙,没明确地点 +现在唱正好,瞧 +更糟的是,我不是很爱她 +谢了 +但你为什么要忍受呢? +不是字对字, 但也差不多. +看着我, 真该死! +你下次再跑掉 +對,這就是我的音樂... +我受够了 +城堡在大街上说! +别再讲了! +到底是怎么回事? +欢迎来到沙窝 +每个国家都有不同挑战 +你们要它乖乖等死吗? +你对他做了什么 +但是我累的时候很讨厌 +我认为他狭隘 +别这么大声 +好的 让一下 +没问题 妈妈 +- 嗯 +- 甜心 你是要这样吗 +爸爸说 我们是天生的朋友 +我不 我们想听你唱歌 +你记得的 +~ 我 ~ +- ~ 在敲打门闩 ~ +我很抱歉。 +她感动,而你走了。 +你还冷吗? +来吧。 +没有一个人像朱莉一样吸引他. +汤姆! +计算机学校. +- 对啊, 不停... +克里夫的颤音很好, 但是你也行啊, 而且你的音域比他高. +有3个电话. +- +但给你免了不少麻烦 +但途中一定要找到那七卡汽油 +沙先生,你好吗? +安莉,枪呢? +不要,祖 +父王 +以便庶民百姓安居乐业 +死了容易,我就是让他活着 +血没放净就下锅,肉都是膄的 +运指就应如行云流水 不得似老鹰捉鸡,起势 +我今天就应该好好酬谢酬谢他 +让开 +我们的文武精英 就开始纷纷效法六国贪吏 +燕囚说: +使受刑者双目失明 +真恶心 +我要谈的就是 +光摸你的手就让我欲火中烧 +有趣,教训老师吗? +她果然是冒牌货 +我去地狱好了,天堂很闷的 +没有被抛弃啊 +Calm down... +是啊,杉山的舞很好 +你可以预约课堂,随时练舞 +但是... +{\fn黑体\shad1\2cH000000\3cHC08000}不过也不用含着不放 +{\fn黑体\shad1\2cH000000\3cHC08000}只有我这把钥匙才能打开 +{\fn黑体\shad1\2cH000000\3cHC08000}我好辛苦 +真陰被采之女 腹內空無一物 無藥可救 +贝隆 贝隆 贝隆 贝隆 +不重要 反正不在行程表 +结果总算有地方发泄 +国母伊娃 求求你吧 +有人说圣母院的钟声 就是这座城市的灵魂 +通过屋顶和围墙 我可以看到他们 +但是这里有那些士兵还有弗雷诺 +到处都有士兵把守 她不可能逃走的 +那些家伙都是些十三点 +作为集律师与法官一身的我 +-什么事 +打破常规 +许多次我看着那些快乐的情侣 +(哈利布兰) +起来 +也别去冯恩旅馆的酒吧 +你们这群笨蛋 +他们不反对 +怎么了? +不和平,毋宁死 +署长 眼镜借一下好吗 +对 一定没问题的 +我也不知道 +绯村不能拔刀 +我知道了 我接受! +你也是武士 +可是赤间关这地方不错啊 特产不愧是特产 +拔刀齐 +就差在一把短刀 +将前往 大富士的山麓之道打开吧 +你下次再这样 我可顾不了你了 +我带饭团给你们吃了 +难道是我累了? +你们是绯村拔刀齐和齐藤一 +传说中有名的神速 +教天草翔伍 飞天御剑流的人还活在世间 +大家都是隐藏的天主教徒 +大家看奇迹吧 +那个大头小子挺努力的嘛 +苍紫 怎么了 +居然有这种事 +我听说来这里可以找到工作 +名字变得好奇怪 +那么将要开始了拔刀斋 +一切就拜托你了 +你是 +就会想赶快到剑心家 +剑心 +不可以寻死 +听好 期限是一星期还剩下四天 +那是祢彦的男子汉气概 +祢彦吗 你没事 +差一点就中镖了! +不行 一定要说服他 +万一灵药落入他们手中 +诹访地方太广大了 +对呀! +那是连日本各地县令 都会聚集过来的大聚会 +认识我的人多 +终于结束了 漫长的灵魂之旅... +去吧 我马上也赶上去 +笑话 我又没说要一弹杀死你 +我家在江户三百年来 一直是你家的主子 +. +. +维新志士又到我们面前 想阻挡我们了吗 +混蛋! +还在笑 +回到杀人的拔刀斋吧 +去厕所 +听我说 +那是什么 +好吃好吃 +我们为什么 一定要这么晚回去呢 +拜托 +这一夜 +恩! +可恶的病魔 +你们都给我出来 菱万字... +那個女人... +喔唷,要淋濕了 +不 不光是收拾拔刀齐 +死一个小孩 没有人会觉得奇怪的 +... +你跟猪没有两样 +对我? +看,根据我所知的, 他所做的就是不停地改变主意. +如果你不小心的话就会是下一个. +不管谁和他比赛都会知道. +- 出去! +这很好. +我一定要吃? +给你送钱的来了 +特工斯东勒 +我需要医生 +玩口袋池那里,儿子? +嘿,对不起,哥们。 +耶稣,迈克,给我一些信用, 你愿意吗? +我要去参加一个squeege。 +弗利萨? +该死的 +- 嗯 那你去干女人吧 +开拍了吗? +我真的很想结婚。 +噢,别转身! +你呢? +- 是吗? +但是就在这个炎热的周末, 当所有的纽约人都已经外出的时候, +卖了? +我能够成为无冕的国王, +别穿了。 +连拐角处的警察和窃贼也这么说。 +这就是为什么... +- 不,不是的。 +噢,你知道她名字啦? +浪漫的地方度假,比如说... +你五天之前才认识的这个家伙。 +快乐的精髓。 +你知道,没有人能像你那样 逗得我大笑,乔。 +费里先生,我想介绍一下。 +我做过这样一个梦, +我是说我叫他老爸, 但实际上他只是我的继父。 +不! +感觉真好 他还需要第二次机会 +才能做我的兄弟 +含贻弄孙好悠哉 +什么事这么热闹啊? +卡辛没说咱们 还得对付一个精灵 +在那里 +来点声音好吗? +那你們聽到什麼了沒? +是的 +我想,无所谓 +你干什么? +听到命令,要大声重复 +去撒尿, +带大家上救生艇! +慢慢地 +他这个人历尽艰苦 +我爸 +那就最好留他在船上学习 +告诉他们,我们是美国的校船 +我大麻上头,要去睡了 +你呢? +但他间 中会突然失常 +我们只是谈过一会 +是小猪猪 +那幸运儿是谁? +一百码内苍蝇那话儿也可打中 +不要去那些不知所谓的地方 +跟我单挑 ? +我不干... +三下都中要害,流血不止 +是 +慢着... +你知道有用的线索 有多少? +是吗? +沙漠里的狗为何憋尿? +96街,一个人来 +我们的评审将开始评分... +你有电子信件 +你只能看不能碰 +把这看作是一笔生意 +我看不行 +他说过不准报警 否则他就会被杀死 +你却来兴师问罪? +很好,这样就好 我该怎么救回我儿子? +查到四部可疑车辆 有一辆的尾灯是破的 +他是被你害死的 +站住 ! +喂 , 好狗不拦路 +你要小心一点 +把我们送上前线当德军的炮灰 +好吧,算了 +那家伙就是索门斯 +这里停车 +不过我们对新一代一无所知 +喔 耶 耶 OK OK +你不觉得闷的吗? +SDU指挥中心叫全世界 +但是我们只要一份 +是,长官 +谢谢你,谢谢你,老兄 +好的 +快走! +立刻派人跟监 +- 我甚至不晓得里面的内容是什么 +- 闭嘴! +多长时间? +(捕捉目标) +一万四千多个证人的背景中 +塞瑞是国防武器制造商 +还好,长官 +你已经很够意思了 +这城镇有麻烦了 +法兰克? +法兰克,她疯了 +你这个畜生! +把你的臭手拿开! +自己刺的 +没讲两句就 把阿扁拖出去打了 +出奇的巧合,你找到了,长官 +优秀不分年龄,长官 +我还是我检查一下其他舱是不是还倾斜 +中间舵! +鱼雷舱呼叫指挥舱 要求准予发射信号弹,长官 +这是个粉碎性深度 +我录了下来,想学点他们的语言 +知道了,长官 +没有人来看望拉克哈尼的遗体. +? +~ No, I did. +我想要... +All with the same MO +Yeah, we know, Lana. +那么四起谋杀? +'在他手机上. +你弄破什么就要赔什么. +是的, 到点子了 他推荐了社会组织. +现在是什么时候? +我是专诚来看你的 +讲那么多废话干嘛? +整个荷兰低过水平线 +叫你们的大哥不要躲了 +你试试看 +在巴顿. +我一直很想要个孩子 +根据一个亲爱的朋友的建议... +这是不适当吗? +我想给你看我爱的那个大的! +南希不... +我试过,但接不通 +旅途愉快好吗? +我不知道,我想这是德语 我们要到安特洛普维尔斯去 +不,我本该吻你 心情会好些的,但我没有 +你只是告诉我,我让你想起你母亲 +也很可怜的 +没必要我不会杀人 而且我不会他妈的强奸女人 +眼镜在你晕倒时跌烂了 +那孩子该去马戏团而不是做汉堡包 +我不肯他就会起疑心 让他离开 +毕竟不是真正的床 +很抱歉我把事情给弄砸了 里奇 +只有一件事例外 我刚才 +- 我随时都在 +- 他会知道的 +你愿意为他们做任何事吗? +向右,你的右手边,走! +我敝了一眼,但是不敢正眼看 +不要为此改变 +他是酒鬼但是不笨 +在法院司法是盲目的 +你一向都有办法 +你的哥儿们? +. +没错 +不要为此改变 +感化院的少年 可曾受到性虐待? +好球! +你们看这街道 +没有 +. +到时我会找你,放心! +豪情四兄弟 是啊,你知道. +他俩在这人的车上手淫 +-怎么啦宝贝 +-你和你朋友吗 +..shatter your illusions of love.. +啊! +去操你自己吧,你个干瘪的婊子! +救命啊 +出发 +我会开枪的 +快让开! +曼修·苏瓦洛夫,谢天谢地 +我也睡不着 +你念一些给我听吧 +也许是我害了她 +"乐声响起,狂欢起舞" +可怜虫,你好吗? +我要走到厄塔吉 +我不再替你缝衣了 +山脊形同玉女峰,好,好 +我一直都深深的爱着你 +近日沙漠里川流不息 +"我们都一起死了" +发明家和技师 +我有他们的权利... +還沒找上合適的 +各位乾杯 +看這一張 樣子是不是好傻呀 +這是什麼 怎麼這麼臭 +幹什麼 +她没有被移动过,她就在那里死的 +像是玻璃 +廷姆斯将军吗? +你们都喜欢这样,关系发展到上床 +我们为何成立? +你以前没有见过末期癌症病人吗? +何况你也是个有家室的人 +是什么力量让她如此陷入地面? +菲尔在哪? +他的地盘由你负责 +阿胜,我们真的在学校? +好可爱 +你能给他示范一下如何练沙袋吗? +... +我从没和人说过 +个性复杂独特 +好吧 +真的很抱歉 +你到5月26号就知道了 +她很痛苦! +但是别把我牵扯进去 我们分手 +你想看看他的照片 我有权利在这里? +我什至不记得拜因"快乐。 +- 是啊。 +嘿,迈克。 +该死的猪! +并把磁力非常强的磁铁固定在公文箱盖子的内侧 +别给我到处乱晃 +你和新一联系过了? +不用靠什么小说家 +就在「死」字的上面 +洛杉矶、华府跟纽约已成废墟 +能不能飞都不知道 +-特里,她死了 +-但你还可能回家 +这里减一点,那里加一点 +哦... +有人将寻找它。 +别吵我,纳比 +好,所以这小子 不好意思说自己是孤儿 +妮可,你要听真正的我说话 +我们该走了 +她只有16岁 +但谢谢你 +验了 +这话老子可听了不止一次 +一定有人说过什么 +选择最无耻的勾当... +何止千倍 +上次爽过的药力还没过去... +乌苏拉安德斯是经典邦女郎 +没扑克玩真他妈的闷 +什么? +我工作时间会很长 +这是什么? +牠们可能跟我的飞机 +我说有! +快跟上 +再 1 0 哩,不远了 +我很抱歉 +嗨,小家伙 +我替MONICA写了一份离婚协议书 +这场大屠杀,据说半里内的沙土 +不要 +你师傅有没有老婆不关我事 +慢着! +我斩! +哦你看 +给你别碰我 +真不能相信两年了你还爱她 +我会在巴黎联络你 I'll call you from Paris. +What's that? +58AM" +玩得很开心... +问出来了吗? +这件事从来就没有发生过 +你放心吧 +我们几乎全部人 +没有回信地址 +亲爱的埃德娜 你昨晚的电话非常令人困惑 我猜不出什么困扰你或为什么你如此害怕 +Matakh (一份祭品) +可以 +這樣可以了吧 +也不工作用安子的錢養活她 +卡琳・多尔 +- 你好 +- 我只是有点无聊 +- 表演进行到一半的时候... +我也想你 +- 你就象狮子座的 +我一定是疯了,居然没有问她的名字 +-你也是 +味道很好! +是真的 +我想知道是不是可以 就一次 +伯尼 伯尼 伯尼 +根暴露在太阳下 +- 为什么? +当然没有,可是 她的迟疑不决真让人受不了 +我今天不在状态 +然而我信 +雷伐瓦 罗伯特 +他急着上楼 还没找钱就走了 +听着 你要糖果的话 去抢老太太的糖果店就好 +先生, 晚上好 +我丟了... +好吧 +看样子你已经神魂颠倒了 +他们表示道歉 并请你原谅他们的不信任 +他们 +我们不追了? +真的耶 半箱炸药让他掉进了河里 +我们还追吗? +出去 呆在外面 +你知道顾问医生怎么说? +起立! +你见过吗 +但是仔细想想 +一点也不觉得有意思 +你就会慢慢感觉到 你找到了真正的自己 +有人需要你 +查理,我只是个经理 +经验表明你们元首的保证 保证不了任何东西 +杰哈特 我要洗澡 +停放飞机 那个场地还凑合 +你要告诉我 你们的损失很要紧咯 +有什么区别 所有的城市都是一样的 +你能不费吹灰之力把我们弄出去 +你随便说什么我都同意 长官 +-你要去东部 +我的意思是 我总是一直摔倒 +哦 是的 可爱的耶稣 +你得到了一份 老计时员 +-瑞科 瑞科·里奇奥 +這個人說: +我知道這個地方 +救命啊! +我跟她说你破产了需要挣钱 +尽量别动 +也骗不了任何人 +随便你爱叫什么 +视条件各派其职 +我给她发了电报 +别忘了家里就好. +现在 你就可以求我们 +伙计 每次我看见那个山洞 就像是第一次看到它 +当你有很多钱可以花的时候可以得到一点儿 +-我们不干了 +-我的猜测绝对不会错的 +我们最好还是散开 因为他们可能会想杀了我们 Vale más que se hagan a un lado, porque a lo mejor éstos nos matan, +要是没有规矩的话 就开始吧 谁来计数开始 +他们会认为返程的时候不会有事就会在上边装上钱的 +-快点 +是的 是有工作 这里有的是工作 +如果再过分一点, 我就给他关起来。 +它解除人們對 死亡的恐懼 +你不覺得熱嗎? +他太懦弱了, 總是猶豫不決 +你是佛的化身 +我很熱情地接受了邀請 這種讓人頭腦簡單的娛樂 +我們應該告訴你的丈夫 聽我的 +很明顯,公證人必須批准 +- 那是什么? +- 啊,对,这当然 +我敢说您从未象你现在这么吸引人 +花? +- 大修? +那我就只剩下一个人了,连仆人都没有了 +好 +在我们见面的那一刻,我就意识到 我们之间有着很深刻的理解 +- 伊冯,这位是瓦奈先生. +他来了 他就来 +是的 +丹尼会插手这案 +但他确实很富有 +她有精神问题 +还好 +是的 +因为他是我的爱人 +对不起,妈妈 +都头脑发热 +看看你能不能认出这刻工 +怎么Jake? +晚安 晚安 搭档 +-E +為什麼不讓山姆大叔 +甜品等一下點 +你知道在哪 +也許你不喜歡敲門 +不是因为你她本不会去 +- 不是意外 +怎么跟丘比特说? +我没让你去. +中间你去哪了? +先生, 我们这样的日子已经有五年了 +我们三十几个人, 有组织的一齐出动 +明显比上个星期好了 +当然,我不是律师 挂掉 +他说他想他会把钱送掉吧 送掉? +都同意吗? +真了不得 我们派你去盯住他,结果... +但是如果有人再闹场 我就清场 +继续 +兄弟們,我們今天很拚命啊 +我們還得忍受這樣的奴役和貧窮多久? +我懇請各位朋友,考慮一下這個國家.. +別放棄 +到早川國去 早川 +現在不是生事的時候 +他們貪心想把黃金連馬帶走 +相信是為了以煙報信 拖延時間讓公主逃走 +去了火节 +买下那个姑娘 +值黄金二十两 +你想要我怎么办? +你有警察朋友? +- 所以格拉维奇投水自尽? +房间让我顿生寒意" +我不爱他 +- 你不怕吗? +难道你不是女人吗? +坐好长一段时间 一动也不动 +- 当然 +不过我觉得你已经喝过带酒精的东西了 +- 我真的不知道 +- 你不能 +非常爱她们的女儿... +更重要的是,在打斗中 +生孩子很简单的 问你男人 +他们会来接我们的 +就用剩下的这些部队 +不,请你等一等 +特别是一个喜欢捕获它们骡子的人... +在你们的世界里,我只是二等公民 +并且每月给你一个大洋。 +为什么他们要攻击这个地方? +难度更大 +不要责骂他们! +不久后我们就会有好多时间的 +好的,先生 +-我要說,麥科爾 +我有一顆黃金般的心 +不,我叫你白人 +打猎 +不是 +为了我们! +不,艾尔,我们去歌剧院 和他谈谈 +给你,小家伙,谢谢 +而重重跌至谷底 +-光鲜亮丽,嗯? +-你不想让罗杰穿吗? +- 我曾在村里见过她 +- 我的天哪,我的天哪! +您就像是神经病突然发作 +- 傻瓜 +出去! +即使是她也留得住我了 +我好高兴 +他住的旅馆叫什么名字? +Oh, only with me? +吉姆 我爱你 +周围的人也可以利用所需要的水源 +你不是一个人 +麦开! +怎么样 泰瑞尔小姐 把我当新郎吗 +别开枪 小伙子们 我带着和平来 +我也感到很愉快 能認識你 +如果她不願意接見您 +加尼亞 +在現在這個時候 +哦 天哪 你今天怎麼啦 +帮帮我 +你需要继续吃药,稳定住心率 +好了 +这问题该问你啊? +我要学会更好滴和我们合作 +液态铁围绕固体核心流动 +你能跟她谈谈不? +最有力量的三兄弟是主神宙斯 海神波西頓和冥神哈迪斯 +你父親是諸神的信使 +它的质量是太阳的20倍 +you got something to say? +你干嘛... +我... +他杀过人! +请问... +对吧? +所见所闻让我灰心丧气 +公证人的合同 +-不会啊 +接生婆在1970年5月 +你说你反对我们的敌人 +不能放秋山不管 +把那相信的勇氣... +你在說什麼 +就是說 +我给雷斯垂德打过电话 他过来了么? +得是他俩都有的书 +雷斯垂德似乎很看重你的高见 +(德语)马上好 书还给我 +我不是夏洛克·福尔摩斯 +真不好意思 光说没用 +一张5000镑支票 开给夏洛克·福尔摩斯先生 +"我是夏洛克·福尔摩斯 我总是单枪匹马" +我不是夏洛克·福尔摩斯 你一定要相信 +夏洛克·福尔摩斯的伙伴死里逃生 求你 +我不是夏洛克·福尔摩斯 +夏洛克·福尔摩斯和他截然不同 +这个夏洛克·福尔摩斯 +没人比他更严格地鞭策我了 +冰的冲击 把米哈伊尔船在豹; +通常情况下,好狗不长命。 +真的吗? +什么扑满我不知道 +马上来 +为什么每天把自己关在房间内 +子华 +继而令路裴顿悟出此意念 +- 我在斟酌 +- 等等 +现在就告诉我们! +保持现实痕迹的华丽方法 +这是你的记忆 你说过不能使用记忆 +这是间酒店套房 我们本应在这儿庆祝结婚纪念 +为什么? +长达十年 +不! +輪到你,有一小時時間 +过了这么多年后再醒来 +临Τи铬羱戈 +иぃ,钮и弧! +不 +不客气 +我很兴奋,你兴奋吗? +他称它为小岛核心 +现在搞不好已经到了 +- 谢谢 +- 你是乐团的人,是吧? +...我就要马上把这职位还给你 好吧? +他在搞什么飞机 卷头发? +现在已经无路可退了 +我们不如... +他就是我们今集的嘉宾,杜学顺院长 +你也想朝我扔东西吗? +救命 +- 本地人? +- 怎么了? +厚! +他们可能遇到麻烦了 +好了 小心点 别往下看 这就开始了 +你去哪裡? +是啊 +在被人道... +我就陀陀转 +胡莱,凌晨四点啊! +红队的箱子 我会做美味的华尔道夫沙拉 +他们目前不相上下 +谢谢你 做得很好 +太棒了 +继续监视 +不要开枪... +那就拿走吧 +变种人连串的袭击事件 +他说"好了" +决心阻止政治左倾运动 +坐下来吧 +-好 +天啊 简直不敢相信 +实验证明忒伊亚可能撞向地球 +怎么能这么做 +那人认为我应该做什么,海伦? +- 我有多大权利? +你怎麼來了 我以為你在美國呢 +對走紅 沒什麼意義 +嘿! +(西班牙语) +我听你念叨过要揍三合会 +﹣Sophie? +you lied... +- 昨晚和德国客户一起顺利吗? +你有点过分了吧? +我可不想最终成为反动的工厂主 为所有人所睡弃... +可他就是个魔鬼! +你接受了所有的要求 +- 你这样认为? +说出事实的真相吧, Suzanne +如果我们弹出百事激浪的广告 +也不知道会是什么 我们只知道会很酷 +你是谁 +变糟能糟到什么程度啊 +通常差距在一至两艘船的距离 +你相信我的 会找到是谁的 +- 但马克. +对 我用马甲把画传上去 然后让大家在下面评论 +他认识风投的人 +要的就是这感觉 +他的呢? +在凌晨四点? +所以我们的挑战并非是 运行一台4K比特的电脑 +德尔皮 早上自我介绍过 +帕罗奥多无家可归的流浪汉 +就是要这样 +第三份是交换协议 +目前怎么样了 +衣服 头发 说话方式 是否讨喜 +我去参加学校里的拉拉队选拔 +下次比赛 你就会赢 +绵羊就只能在那咩 咩 +等等 孩子们 +Tara +咱们肯定要绕回来 +气味很糟 +你好! +装作不认识你 +所以你妈妈在这里 +知道shoot track owner事件吧 +是第一次来吧 +放老實點兒 臭小子 +抱抱吧 +鄭小米 +她去天堂找媽媽去了 +就在案发的第二天 +Zach +对不起 Landry先生 +我没觉得啊 +嗯 +目标出现 +在下牧野軔負,來自尾張藩 +懲罰一些官員 +我的確沒有那麼努力的過活 +- 不,他一定是这里的某个地方。 +我会夺走你的位子 +-那不是个人 +给 吃吧 +- 我妈就点过安息日的蜡烛... +- 太监! +Donnie想要斥资百万 +- +no. +我知道在你们眼里我是个老废物了 {\cHFFFFFF}{\3cH111111}{\4cH111111}I know you boys think I'm a bag of loose screws. +谢谢 +- 你好 芝加哥人 +屁股 你妈妈看过 +主要成分 碱 +因為你想成為最優秀又勇敢的軍人 +那是怎么回事? +威胁我女儿 +事实就是那样 +我很好 +当然,但这正是我所做的 +几时轮到你说话? +我是不是死了 +欢迎来到冥河世界 +你有计划了么 +你不会又要跑到山里去吧? +我记得醒来后 +现在你知道它不能落入坏人之手 +第二次机会来实现完美人生 +不 +他对你来说这么重要? +他欲寻冥河源头的计划我都知晓 +可能更久 我... +你见过多少个冥河世界? +我们希望... +小时候没有空调 +那是女生要的,我不在乎 +停手啊... +听别人说当地很多美食 +谢谢 +玩花式滑水 +租伞吗? +他眼睛看不见就完了 +热死人了,今天气温又再创新高 +二十楼那个呢 +火,着火了,着火了,快,快 +不,不,我还没有看到一个。 +相信有孩子在车上。 +信息强奸指控 +甚至在新生中传播自由性爱的福音。 +这是我以为的东西吗? +我和斯威夫迪。 +你化成了灰烬。 +有 +我现在就能看见6号电梯 +不 +他们会希望这样 +看起来真恶心 真恶心 +什么? +今晚 我们一频道的特别节目 遭到了质疑 +谁干的? +伞 防寒衣 粮食 +姑且算是受到照顾吧 +每次来海边我就会想到 +1! +这是必胜护身符 为了今天的比赛特地准备的 +100)}(ハイハイハイ) +100)}消化吸収に I agree +裸体怎么抓衣襟嘛 +! +100)}(ハイハイハイ) +麻烦让她出院, +- 还是金枪鱼? +唯一的问题是害虫 +這還差不多 +我可能會做傻事 很好 反正你常做傻事 +我会等你的 +我是三百年来第一个不愿意屠龙的维京人 +- 快上船! +这类龙的代表特征就他们惊人的速度 +农民的富裕! +是的 +衄跺域楊夔寰隙坻蠅腔芩華 +啃煦眳14墅善隙諒謁窕爺赽芛奻 +Seline、Pauline、Jacqueline、Dorlin +为什么你每次总要让我失手? +是的,它可以给你 访问澳大利亚。 +星球 +有类似的意见 海鸭。 +一个单独的变电站送入 海洋德国电网的电源。 +某船舶发生。 +从空中看 可以的偏好 - +有下巴伐利亚 年长的寺庙 - +该 阿德勒的观点问题。 +在由直升机的春天 有一个新的排水沟。 +夫妇平均得到阿德勒 每三年一个年轻的大。 +它缺乏阿德勒 其两米,翼展 +我给你做个活腿三明治 +那你做什么的? +我就是那个在订婚之夜 +你不能走 +那个男人是谁? +再见,路易 +你到底在这里做什么? +我建议我们给这件事一个机会 +倒иる +稱盾? +陪礛ぃ琌硂妓 +и或谋眔ê钩琌з +- 1973年5月) +怎么了,卢西恩? +现在他们开始入场了 +他们有的一切在法庭上都不会成立 +还问问题 +我觉得应该是《家庭搞笑录像》 +消一会被蜇到的地方 +第一次看妈妈哭吧 +多逛逛 买点好吃的吃吧 +您冷静点 冷静点 +经常去那里呢 +小燕 +铁宗是不是很高兴啊 好久没出海了 +那是当然了 +好像在首尔生活真的很累啊 +救命 +我已经交了订金 东西都搬进去了 +? +- 他让我吃惊。 +崩得儿你个崩得儿! +你一定要阻止 +就算这次真是在首尔引爆核弹 +我们慢慢再从长计议 +快点... +那个名单其实还没完成 +痙硂ぃ璶ǐ秨 +薄厨Ы +и瞷痷琌甡┤ +真是令人伤感 他被发现时... +Buckley? +- +圣经故事和摩柯婆罗多(印度古籍) +中间那个动得很快 +其结果将是 +好像是有这么一则友情提示说 +1993年出版的伊甸之神(The Gods of Eden)的作者 +因此,将50年的研究和调查 +答案是肯定的 +这是你职责的一部分 Aaron 别想太多 +- 我很喜欢 很启发人 +你让我失落 失落 失落 +不管发生什么事 他都要履行承诺,还我儿子 +头盔保护了额骨和颞骨 +Max的电脑在他办公室里 +- 这是毒理分析报告? +布拉齐 全名是史丹佛・布拉齐 +可能会有人向你们兜售黑市腕表 +我真得感谢你 萨曼莎 +你的海豚什么都学会了 +只有我们俩 +我觉得我们穿得过于正式了 你说呢 +萨曼莎和里卡德完成约会 +谢谢你,丽莎明妮莉 +我马上下去 +-各位小姐,想再来一轮吗? +我和大人物只是想自定规则 +天啊,你真是卡到"阴"啊 +好,你疯了 +我能告诉你其他事吗? +-你得冷静一下 +没错,我想要调情,我想要受宠 +你从一开始就知道自己要结婚? +看电视,叫外卖 +大家好 +以你的条件真是处处招蜂引蝶啊 +噢,萨佛先生,谢谢你能来这里 +也已经叛离了神的旨意 +没事了 +現在不是盲目悲傷的時候 +我等著去地獄干你媽 +奧斯曼 +-求求你们 +退后 +找到那个异教徒... +我愿意背弃上帝 +我把她带回给他 +今天就能到王冠市吧 +真是会逞强 +虽然认识很久了 却好像没有任何改变 +-他已经落后太多了 +当我觉得我的城市 即将再度毁于大火的时候? +我没法一周在外头待40小时 抓坏人而不去经营神职 +我们本来想拿去给他陪葬的 +我每天回到家 +这是地震烙下的 +等着,等着 +没骗你 +我去吧 +{\1cHFF8000}陪着我爸 +而且他會在半夜 為了一個並不怎麼嚴重的病人呼我 +我... +還有兩把刷子 +我即将就职的责任... +你是我的随员 +书房没有人 Office, clear. +你好伊芙琳 Hello Evelyn... +Bullshit! +我们今晚就坐飞机去纽约 +所以我真的不明白 +从出来到现在 +很过瘾吧 +阿杰 +你信不信我用开水烫你 +所以呢我把你儿子还给你 +抱他他还咬我 +接著我還要把你介紹給我的兄弟們 +进来,喝点东西 +我想做的事。 +没有提及到。 +亲爱的,我不知道。 +但是,如果该协议确实存在, 解释增加怀孕。 +节育。 +咱们被红军杀了十六个 +那人潮就像要把我们淹埋一样 +就是很溫柔嘛 +京洙啊 +最後一個 吳哈妮 +我看你多会跑 +不要啦 和尚 +悠咧伊 悠咧伊哩 +用相机来记录生活吧 +但是你不该让这些无谓的事情打断你的生活 +通常 带着照相机 +不过什么事都有个几率吧 +去打个招呼 +在道上见一少女 +要我帮手吗 +四层柜靠墙放 +一年多了 +叫救伤车啊! +杀那三个证人,我肯定你会扛这个罪名 +脱脂拿铁 +除非你想被开除 +是关於那小孩的 从SUV里出来 刚被我带去审问室的那个 +太气愤了 +感觉一点力气都没有 +称呼卖酒的女人为"酒母") +都一样 +是个不值得认识的小人物 +是个当官的? +是吧 你只是得去尝试 +-拜 爸 +你干嘛 +再见 +我听不懂 +我最近才开始的 +好想你 +就因為我太虛弱了 +嘿 +Eliot Parker 你俩进去把它搞出来 +真的 +八卦一句 Teddy痛恨"濕潤"這個詞 +抱歉 +艾格尼丝。 +在他变成撒旦之前。 +不一定要说真话 +你今天就休息了吧 , 我也不想再看到你 +希望还能 +老蛙&梁良 +毕竟 那是他们的公司 +真是愚蠢的风俗 +00: +0,0: +00.00,0: +0,0: +等下好吗? +00: +下一行已被修改 +翔平 +上田 +怎麼會這樣。 +其實我找到了一個有趣的地方 +! +這是騙人的 +大家! +最近的車站也有二十公里。 +或是洗个手 +赫兹先生,回答我的问题 +凶手就长这样 +现在 那是完全莫名其妙了 +好吧,你可以留一晚。 +是啊,做我永远。 +这是个苍蝇拍 +-舞会邀请函有多少人回复? +拜托了,就这样结束吧 +-听着,只要让我走,我还可以去帮他们 +是吗,那我跟你有仇,我不想往那射 +2006年8月17日 第11夜 +天啊 烫死我了 +你好? +能描述樣貌嗎 +-我們需要聯調局的協助 +我們需要 +你好 +这是什么时候进来的货啊 真好喝 +- 他们怎么跟你说的? +话说 好歹我也是受害者诶 +我不喜欢来这儿 +Shaw警官 +慢! +呃... +明白 +他的 他的 不是你的 +你说电话号码簿里的Jesse Pinkman? +亲爱的,你在干什么? +[twangy摇滚音乐] +他不会做任何事情。 +- 01: +且让公司蒙辱 +"快乐主厨"第一季又回来了 +我要他死! +看到了 +走吧 +夏洛克·福尔摩斯 +是雷斯垂德 在召唤我 你来吗 +夏洛克·福尔摩斯 +金 这位就是夏洛克·福尔摩斯 +你就是夏洛克·福尔摩斯 +发表人夏洛克·福尔摩斯 +发表人夏洛克·福尔摩斯 +夏洛克·福尔摩斯 你丈夫的旧友 +-雷斯垂德会给你地址 +-夏洛克·福尔摩斯 +再会了 夏洛克·福尔摩斯 +我听说了你的检查结果 +玛丽,你现在又不是在工作,天呐 +后来为盲人阅读... +哦,好 +好 +这些都不是大问题 +休息一下,抽烟的都过来 +用发动机啊 +我要和维罗一起去超市 +-45 +你要什么? +可我从来没有积极争取过 +- 那到底是什么? +那是我讨价还价的筹码 +- 可你得让我去抓住那混蛋 +真的吗 +我们能熬过她的第一年 +没有没有 他们曾试过安排我们相亲 +就这样吗 你不用问我们什么吗 +但这个婴儿 这事就有点过了 +还有鸡蛋和花生酱的味道 +我们中就有一个只能去卖肾了 +{\pos(97,273)\fscx50}{\1cHFFFFFF}泉嫂? +{\pos(97,273)\fscx50}{\1cHFFFFFF}不... +别闹啊! +都是我不好 +不,我知道, 这是我的朋友诺亚Bressman。 +等待,不要去任何地方。 +§花莲la竞争,花莲la竞争§ +是的,这是伟大的。 +嘘! +神经病 +没事,放心 +问这快乐为何来去如飞 +是呀,不知道 +他给我的感觉是... +你跟她说吧 +怎么啦? +你第一天认识我时也替我点烟 +或许我应该早点告诉你 +我也很為你高興, +球在你的下巴。 +你看起来像汉尼拔乳头。 +你好。 +我从不在它有一个完整的外观。 +哦,我的上帝。 +劳伦怎么样? +AV女优. +嗨. +我的意思是 这事已经发生过了 +- 快看 +谢谢您 +有最大的谋杀嫌疑 +能起来吗? +大家都看着同一幻觉 +无名先生进门的时间 +收到,转到1 +我去看看,等我 +长官大人的火炉很坚硬 +我冤枉你向我开火 +268)} {\cH24EFFF}后期: +闪开 +不 他不想我死 +将一切归咎于天谴 +( 哈哈 ) 跟你不同 +感谢您光临赫德森・马兹 +好吧 +这意味着我自己照顾自己 就像你一样 +你做得到吗? +-我受得了 +-把话说清楚 +继续。 +这是不够的。 +- 不是大规模裁员 在整个金融业。 +伙计,几点了 十一点 +我就是一俗人 +...那时候就很能吹牛的恩佐... +内省大臣来到警局祝贺... +放这里,我累了 +另外 這可是個農業區 +觀察 分析事實 +你有繼續按摩你的穴位麼? +谢谢你 上校 +...会让指南针转圈圈 +- 你再说一个字试试 +- 因为我爱他. +几位... +Jimmy很难招募到人 +我能拿走这些吗? +企劃書準備好了嗎 +您所撥打的電話已關機 +大媽 +你呼喚我 我太高興了 +你身患疾病 +准备好了吗 阿尔特弥斯 +听听洗衣篮男孩 +是啊,我该走了 +這是她們的工作 這真是難以置信 +真不敢相信 +好運 +謝謝你 真是太感謝你了 +天哪 对不起 +我们能争取的每一秒 +我最怕发生这种事 +这说不通啊 +周六? +- 她臂力不错 +他说了一些 +恶心 +你管我 +老板,买肉,老板,买肉 +加做按摩,加做SPA +不好意思,对不起对不起 +你凭什么? +好好! +好吧,你赢了,开心果粒 +就跟你打电话 +安妮? +沒,只有一件T恤 +好吧 無論怎樣 你能告訴她一聲麼? +講吧 +иぇ丁ョ +ヴ叭ЧΘ 秆媚倒и +﹚璶рマゴ秨 +- 我准备了两种 +乔伊丝 你能上来一下吗 +是"一将功成万骨枯" +其实当上坐馆 +多验也没坏处 +大部份是来自走私及私油业界 +二十年前 阿文入狱 +大哥 +从此以后 有什么大买卖 +你们谁想来挡我? +没事这里是银行 +一直以来哪次妈不撑你 +什麼? +- Walt +我心中充满了兴奋和刺激 +但不是这次 +你必须抢在他之前找到Nadia +你家真是整洁 +掌管自己的船 端掉这些窝点 +弗兰克和雅各布整天给我打电话 +你覺得 +只是黑洞 +你沒聽見? +請到最近的出口 這不是演習 +从没有接受教育的机会 +我绝不跟警察谈判! +别让这一切都付之东流了 +他是在左右孩子的生活 +如果你不知道 +不 我最多只能出到之前我们商量的那个价了 +- B组立正! +谁说这群人是你的? +- 把牙齿拔出来 +洗澡咯 快浇他 +我没有其他选择 +我不确定我最不爽的 +拿去吧 +已經死了夠多的人了 停手吧 +明白了 拿著 茱莉亞 +等待著我們的入侵 +骷髅头! +少校? +- 我走了 +- 不是 +难怪巴西利亚有那么多的丑闻 +那是我的位置 年輕人 +沒關係 +哎喲喂 氣氛不錯啊 +因为没有涉及银行,没有贷款申请 +听着,我们弄不到钱了 +你好! +我先要洗个澡。 +你越来越熟练了,Sam +每个人乍看都很神秘 包括Bianca +没错 他还朝她笑来着 +他有一个瓶子, 但是,当它被完成时, +或者你也吃快餐? +你知道吗, 他已经得到了很多, +男孩,那些日子。 +我... +Stguetlin自己 只是Ibtoa +! +不用说 我们没回家 +史酷比,去追他,抓住他 +是啊,在这种关头,怎么还会大便 +-我一直在练习怎么表演 +冷静,没什么车,我老婆给你不 +她藏在她叔叔家里 +不记得了吗? +总之不关我事 +给你打一针止疼的药好吗 +我有点事情要出去 Will,现在你负责。 +在爱的沐浴下,万物生长 +-懂了吗? +什么礼车? +-她是谁? +-关我屁事! +你实在... +有了这些资料 +我们俩... +这些办法都有用吗 {\cHFFFFFF}{\3cH111111}{\4cH111111}Is anything working? +我要你杀几个人类 {\cHFFFFFF}{\3cH111111}{\4cH111111}I need you to kill some humans. +Mk... +是你们人类放出的火焰改变了一切 +是否所有的存在 +现在太晚了,宝贝 +收下吧 +我信任他 +把我叫来训话? +我只是想... +再见 +你会想到马 而不是斑马 +Megan 你跟妈妈说了吗? +限你在半夜之前 交回你拿走的东西 +你可以出来了 +我们要告诉珊吗? +- 金! +- 是啊 +- 哦,我不明白这个 +你也没有权利去无聊了 因为现在你是名雇员 +这样的爱真痛苦 +他可能要使花招骗我们开门 +-进去 +你们要多快才会给我橙色的连衣裤 +你真是条汉子 +-这里 猫咪 猫咪 +-不是很棒吗 +塔蒂阿娜 派人到他家里找那个iPod +用红外线望远镜观测银河系中心 +希望勾勒出宇宙这个... +这事不会影响我们的关系 +不屬於其他任何人 +- 可不嘛 +現在還會有心動的感覺 +我們不是選拔隨筆作者或漫畫家 +我在的时候不会,我是一夫当关 +- 我没说什么 +- 那是什么? +当然不行,奈杰尔,猪肉派太普通了 +无论情况有多糟 +只留我孤等落幕 +雷頓博格先生在這裡住了多久? +- +哪里会有啊 混蛋! +我不会掉下去的! +-按计划做啊! +还有我没机会做的事 +六个月前 +即使这样 我的新工作也十分繁重 +他承诺他不会说的 +看看到底怎么回事 +收拾干净 +好吧。 +难道你不觉得 ...我不知道... +- 他有啥故事啊? +你好 John +喂,约翰 +比如去打網球 +那麼豐富的收藏? +但今晚沒有 +但至少這樣 我不會白白 等了這麼多年 +好厲害 +這麼多收藏 我也不知道 我從來沒見過呢 +不过,说真的 +对,他们生意太好 +珨谢谢,谢谢 珨确定没事喔? +但... +步骤九,作出补偿。 +... +我不想跟你说话。 +我要去给你三秒钟 迷路。 +這也是我們坐在這裡的唯一理由 +你是苍白。 +- 佩顿,我想我已经打过电话 你几千倍 +嘿, 霍华德,你这混球 +大家都有圣诞袜 +-会要试着把他们 +哇 +[歌声]万里无云,晴日方长 +是的,莉兹。 +别担心 帕金斯太太随时都在的 +好的,我去让那贱人准备好 +为什么不能谈到坦蜜? +我真的很想回家 +Não sei se estou sonhando, mas se não for sonho 我不知道我是否在梦中,但如果不是梦 +我从未想要去工作。 +她到了吗? +但是会发生什么呢? +看见兄弟受苦的确不好受... +调谐。 +Obrigado por ter vindo, Doutor Henrique. +Zélia. +保留着在物質界所有行為的記錄。 +上主... +他要是到五点还不道歉 就得在监狱里过夜了 +不要没玩没了了! +还带了一把没撞针的枪 ...and brought a gun with no firing pin. +上校 像你们这种不守军规的人 Colonel, I've been on a long time +Launching counter measures! +收好这部手机 Hold on to that phone +你居然还在用笔 You still use a pen? +抓住他 抓住他 快去 Take him, take him, take him! +他喜欢吃点什么? +你参的是哪路军啊 正义先生? +和弗农・沙夫托 和一个叫奥利的二货印第安人一起打水牛 +我在印第安地區沒有管轄權 +*Leaning on the everlasting arms. +我看到了些东西 +- the Benny Sutton thing? +而我就是个鬼 {\cHFFFFFF}{\3cH111111}{\4cH111111}I +I know. +所以他想把你搞垮吗 {\cHFFFFFF}{\3cH111111}{\4cH111111}So this was like a hit on your life? +要逃脱地狱只有一个办法 +- 你老婆叫我来的! +大家情况如何? +呼叫总部 +让我跟你说清楚 +你怎么了? +她需要治疗. +现在不行. +...还原谅他们了 +我们也过得下去 +喝了吧 Gaius 我叫他过来来 +我有一半的举动是让我不自责 +像你这样的混蛋 +我帶她去孤兒院 +一个作家有点... +是的. +就一条 +脱轨器是不会管用的 康妮 +-好主意 +接下来可能就到我们镇了 +很好 其实你已经做了 +- 你有多少? +这是位于瑞士欧洲核子研究中心的 超级对撞机 +一腳 出那溫暖的窩 +好的 +因為長大 +劫持了飞机 was hijacking the aircraft +Francis. +我发表声明前 干掉我 before I could make that announcement. +同时伴有严重的受迫害妄想症 with a strong persecution complex. +至少你總能吸引到美女的注意力 +出去干掉他们 +-不 不行 +-去找他 +我估计他们会下来做进程标识符 +他对吉他着迷了 +这是次尽心策划的袭击 +2010年4月 美军撤离了库伦加尔山谷 +-9 +基本上是一个房子一个房子的扫荡 +默罕默德・卡拉姆的儿子 砍工人脑袋的那个家伙 +终有一天 我能平静地接受这一切 +你还不了解我的心意吗? +日落之时 就能拥抱美梦了 +Barney 这是三人行腰带吗? +这样Farhad就可以确认那些恐怖分子 +- 五分钟内出发 +你还好吧? +没干吗 +欧文 你喜欢我吗 +欧文 我要你别再胡思乱想 行吗 +- 今天我们在游泳池里训练 明白了么 +前几个月的事 我很抱歉 +我就住在这里 +嗯 他们把他带过来的 +这哪是橄榄球比赛 +但最好有人先开始说话 +嗯 那词里有一个G还是两个G来着? +我记得你带过眼镜 +我不能泄露别人的忏悔 +神父 你准备好打破誓言了吗? +来还你钱 +让我见他去 +这什么意思? +该走了 +我們一起出去玩過幾次 +以较大的规模看, 宇宙有点像海绵 +我不能相信我所看到的。 +数到十。 +- 完一周。 +我们都同意对本·沃克, 但我不是你的本·沃克。 +谢谢。 +困难的病人吗? +东西可以 可能涉及到。 +誰能比你們還能駕馭腳下的土地! +他們還搜查了船. +因为爸爸叫我用生命保护你 +他们专门攻击比较弱的城乡 +我们很快就会捉到他 +ゲ斗笲ノ +ぐ或? +HoW'd you get aII the Way out here? +Who Were going to be sacrificed in a battIe. +让你再一次经历你最光荣的时刻 {\cHFFFFFF}{\3cH111111}{\4cH111111}A place where you relive your greatest hits. 是你的得意时刻咯 {\cHFFFFFF}{\3cH111111}{\4cH111111}t +你在看什么吗? +在地面上... +欢迎来到男士俱乐部 +等做完这次 +想要更具有极限性的 +没有任何的恐惧和犹豫 +{\fn微软雅黑\fs20\3cH6C3300}现在让他听电话。 +我们刚逃过一劫,你该庆幸 +你不哭了 ? +你是... +盤旋在你看不見的高空裡 +一艘携武器的船正驶向美国 船上有三枚地空导弹 +- +尊敬的陛下 虽然话很难说出口 +你将是我的武器 +- 给上帝的信 ... +- 哦,她13岁了 +... +糟透了 +你会说中文? +最能干的卧底特工 +那么... +爱死你了,大哥 +{\fnVrinda\fs20\shad1\3cH800000\be1}百分之八十的薪水 +... +... +等一下,伙计! +你... +要不然咱们把鸭子和兔子放在纸箱里 +你离开的那晚 我感到很尴尬 +迪恩,你俩别折腾了 +你不介意吧 +你怎么看一见钟情? +为什么,虽然不关我什么事 +... +当然也有双倍的观众 +我要感谢你们来拜访我 +听到拉丁赞歌 +在第一个 +没问题 +借过一下 +然后你就会觉得自己是个真正的传教士了 +我们 科恰班巴的居民宣布 +多亏了你 这将成为历史的污点 +那你现在到步行街路口吧 +謝謝 +本來我跟我男朋友約好 +我托了很多关系才弄到这张票的 +真的,真的 +现在我知道阿力为什么会被吸引住了. +转化为电能 +人们认为黄金如此纯洁 奇妙 那么肯定有治愈作用 +是否是数十万年前 +对非人类生物有了直接的近距离观察 +《薄伽梵歌》是印度经文《摩呵婆罗多》的一部分 +对于那些相信外星人帮助过塑造地球历史的人来说 +认同的一个理论 +及我们部落的圣谣词推断 +所谓的几本"死海手卷" +我们得用在那个星球能用的东西 +-6649 +好的 +-当时我还没和她交往 +-我不想这么做 +-闭嘴 帕蒂 +Burke跟這件事無關 +- +-阿德勒算法 +没有那个我没法破解你给我的 剩余文件的最后一层加密 +我刚才正在跟比利讲你 我们的避暑客 +我妈妈的鞋子 其他人穿的鞋子 +我给你什么? +这将是一场可怕的战争。 +- 您预订了一辆出租车吗? +我Djominová。 +噢 我会去的 +雷一会儿要带孩子来吃晚餐 +- Koothrappali博士 我没有... +麻烦你去开一下门吧 +她喜欢什么颜色 +你们这些城里人都看不起俺们乡下人 +那你要干什么 +如果你有了靠山 还要我干什么 +啊 恐怖 +吃太多了吧 +洛奇还在唱吗 +拜托你,吉森先生 +烧 +把我的刀还给我 +然后才会慢慢为时已晚。 +撒旦试图用尽了他。 +妈妈,我很抱歉。 +最后他拒绝要钱 +我没要您加薪您就该偷笑了 +不会 我从不给父亲打电话 +太对了 +来 靠近点 +残余的放射线到现在依然影响着人类 +你介意我在回答你问题的时候换衣服吗 +名叫黑魔鬼 +议会投票 +公然聚众 非法集会 +这个吗? +我们在此 是因为我们想了解真相 +石柱之间反射的无线电波中 +发出紧急警告 +只要Jacob Glaser到达这里 我就杀掉他 +一定会启用1015号方案 +让人类生存下去 +额 Childs要改变再审的方向 +- 嗯 +我... +- 什么... +那 关于我们一直商讨的 推进多元化招聘的事呢? +她怪我害她哥哥服药过量死亡 +这是国有化,布雷顿 +他们有全数的权利 还有半数的金钱 +嘿,小伙子,你怎么来伦敦了? +你就是犯人吧? +我们就淡定的等着吧, 六天很快就过去了。 +结果发现Guard每10分钟巡逻一周, +怎么就你一个人? +我说啊, +能跨过现在这个阶段就会轻松点了, +对吧? +大呆快点啊,快走啊 +你在发什么神经啦 +- 是个陷阱 +每天有10万个集装箱 +另一个的降落伞失效 +谢天谢地 叶利钦很清醒 +打擾了 +宇佐木! +那地方很开阔 我们只能隔八个街区盯着 +同时 真的Halbridge以前住在那儿 +我会从街头字, 圆圈周围一点点。 +在犯罪嫌疑人 第六街凶杀案... +有没有办法 对他的行为辩护。 +(遥远的汽笛啼哭声) +就算是你一无所有 +你要我安慰你是不是啊? +我没钱 +嘿! +你这次是怎么逃出来的? +叫作反现实世界 +也许每个星期还要用吸尘器打扫下 +你妈认为你为我得了失心疯 +他觉得他是挺得瑟的一个人 其实他无异与其他人 +這正是我想說的 +啦啦啦 +不太适合我,我做过两个星期 +脑子不灵的被人炒,脑子聪明的自己溜 +这计划不错 +难不成是某人小蜜? +-克里斯 +-目标一百码 +我早说了 +可你得听我的 +走吧 +好 謝謝 +哦 拜託 這個病人是名人 理應高度重視 +你的膝蓋情況已經惡化了 +一个人的无限开玩笑的。 +来吧。 +现在,你在哪里听说的? +好的。 +我应该等待? +问题的关键是... +丑死了 +亲爱的日记 我的世界发生了巨大的变化 +我厌倦当副手的日子 +战争也结束了 +哼小芬女看看我的厉害吧 +我想起来啦 +小狄你怎么啦嗯 +我踢 +也不能带大家离开这里 +走开啊 +可以考虑考虑 +好 +一些... +噢,漂亮 +不,那沒必要,我能處理好 +移除這裡的花園和樹木 +- 他們說那是嘲笑 +東尼快走 +我是说你的指纹 +shit! +- Did you know about this? +{\fn微软雅黑\fs22\bord1\shad1\3cH238E23}我也很想相信你说的 {\fnTahoma\fs12\bord1\shad1\3cHFF8000}You know I wish I could believe that. +What is that? +take it. +{\fnTahoma\fs12\bord1\shad1\3cHFF8000}It's our position that Stark has +- 我不明白你为什么... +懂的 没问题 这个 +- 你才失控了 亲爱的 +我不确定你是真的 还是我的幻觉... +没关系 拿着 +旅程顺利吧? +我们常常开玩笑 +你父亲发现后就把他驱逐出境 +托尼·斯塔克打造了一把犀利宝剑 +是啊,我一直在试着管理公司 +斯塔克工业全新的执行长 +真来呀? +我们不必打来打去 +就把他下放到西伯利亚 +你妈呢? +不过我可以看看副警长是否可以... +- 彼得打电话了吗? +- 我不知道 +- 进入30秒倒计时 +嘿,加油 +是啊 公司總是離不開我啊 +讓尹開花背黑鍋 +Vic有消息了? +快起来吧 +-不错 +谁知道? +-请不要再前进了 +我不会贩毒给小孩子 +今晚在凡奈斯机场起飞. +只是现在不合适. +没有. +死定了 +你们这些混账东西 +被人变成了一只天鹅 +加油,转体要像一只结网的蜘蛛 +Brain感觉到一些事件。 +淑女和绅士 我们在一起的美国人民。 +议员们正在四处查看, 看有没有什么他们能做的。 +我不能这副样子过去 +- 回来你这个寄生虫! +下来吧 走吧 +祝你好运 +- 火腿 +你是谁? +他不会爆炸吗? +别再出现了 +你怎么看 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}What do you think? +他们... +―我得走了.―好,好 +要有火锅,要有雾 +百姓成穷鬼了,没油水可榨了 +来 +石头我不要,不给钱我不走! +那年我也十七岁 +哪儿来六啊? +对了,告诉他 +你说的! +太恶心! +若是夫人有任何要求 +青天大老爷! +不能杀... +我说什么来着? +南风 胡了 +干什么呀? +半夜的时候 +再见大哥 +米里亚姆 +你欠我的 +大苹果其实是一种老的赛马术语 +我觉得不到五十年... +听着,她拥有一切 她的家族非常有地位 +你说我们回家 相拥躺在床上看电影怎么样? +现在还来得及哦 +和三味线说话? +然后才能有助于理解 +长门 +等我尝过春日特制的火锅之后 再去也不迟吧? +阿虚 欢迎回家 +将他带走的 是某个他不认识的人 +不然的话不公平 +好了 三味 +什么不幸都不存在 +这个是你写的吗 +一起去吗 +听听我的请求也好啊 +但是在这之后就只有靠你自己了 +一起来参加活动室的派对吗 +春日就是春日啊 +这里只是普通的文艺部 +什么 +快点起来 +180)}願いが叶っても +比起朝仓在学校的事 +从今天算起的两天后是吗 +去公寓的话随时可以见到长门 +难得长门把世界设定成正常的了 你却否定了它 +但是,我们必须尝试 +如果你有麻烦,我也会保你出去 +的确,他不是 +直到一个小时之前都很好 +这不是我让你说的 我知道,抱歉 +-我是吉米 我有线索了 +她一直提到你 +他比我们了解这里的地形 +好小子 +你盡可以憎恨生活 媽媽 +你有麻煩時 我也會去保釋你的 +有人從罪證司偷東西了嗎 +你看 快扔出去 +怎麼了 那是愛琳的錢 +另外我们还能增进感情 +哦糟糕 +-那就是毁了我的生活 +村长吃了罐头病倒了 +有啊 自己找吧 +喂 我会投诉你们的 +她可能幫了你 +還等什么? +-你气色很好 +教训你的农民吧,拿成品给我 +有问题吗? +佐罗? +- 我要杀了他 +怎麼啦? +把你小說裡的胭脂寫成恐怖的女鬼, +- 选C +她说你饿了 所以我才做这个的 +- 让他走 +Charlyne Phuc所抱的观点... +有人把家长联盟的俏妈妈锁起来了. +你自己看, 钱就在里面. +你再敢这么做. +78克里远,而且距离还在变远。 +非经授权用户。 +他是我的。 +我有一个更有理由 种族仇恨你。 +- 我们找到了。 +我知道人們都是怎麼評價他的 +當然得是 記仇的人 馬克漢姆 +往火车渡船上费劲儿爬的苦工 +900万美元,肯定事出有因吧 +- 噢,你瞧 +尽管不如我的新饭店的好 +跑路 +对此我并不知情,那是不合法的 +赚到的吧! +哟,你们华盛顿邮报的家伙们 个个儿都想当 +嗯... +- 我过会儿再打给你 +这是现代化大转型 +邁克,你他媽的想什麼吶? +確實比不了其他的機構 +"厚望" +你不能哭 +還是跟以前一樣呢 +警察 +我幫你查查資料去 猜猜他是什麼心態 +你不敢要我要! +也可以拿著槍走出來 +出了公海在赌桌上转一圈 +根據他的統計 +這個想法反而沒有再出現 +但是我们离开之后 总要有人掌管小岛 +总停车场的车位 +31,798 +-抱歉,中尉... +-我要填满你 +维琪圣艾默,你愿意嫁给 马改先 吗? +-够了吗? +再挖 +那一家的人不是 +来吧! +你谋生 是啊。 +那天才是我人生中最糟的一天 +要我等... +* You keep finding out * +一個關係到上萬億美元的全新系統 - +我說你們其實是用更大的風險 來換取利潤 +因為我們賠錢導致貸款失償 是不正確的 +在Arnold Porter律师事务所负责 金融衍生产品事务之后 +他几乎是用恐吓的语气 - +客户会打电话来说: +找他花的时间越长 +- 证明你不是条子! +你那时几岁? +我甚至找不到他的遗嘱 到处都是文件 +- 你看到了吗? +不是你最后一次 败 +那么,你打算怎么办/你 知道 +- 状况如何,乡巴佬? +你要把整座森林砍光? +謝謝你,我很榮幸 +我要你找到这个人 +1200个 +我失去了她,当时机到来时我丢失了她。 +当美军士兵从战场上回来, {\1cH00FFFF}安次富浩(反美军基地活动家) +停止动作的支柱 +我们就像在和该开始的时刻作对 +在我们所有的搜索中,我们还没有找到另一个星球 +宝贝儿 兴奋么? +好吧 非常感谢 玩儿好 +他们总想平白无故得到些东西 +我只是有点好奇 +你会死的很惨的 +他在练口交吗 还是别的什么? +我需要跟她说话 +那么 堂吉诃德的生平与时代 +制定了所有城市的封锁计划 +你好 我是约翰 +拜拜 +不 谢谢了 +我想為了她而參加 +他根本不知正常為何物 +我不知道 +什麼啊 真是 +知道為什麼嗎 +放心啦 很快就能挽回的 +難道是一見鐘情 +其实我是想争第十二位的 +在围脖上大肆讨论你的历史老师 Michaels先生是直的还是弯的 +这是地址 +你好 +一个月300 你们是员工还是强盗啊 +一大早的 +在朝鲜长大的孩子说要去小学同学聚会 +你别说了 我要杀了他 +你真是会开玩笑啊 +好吧? +他们在安装铁塔 就像在达摩村一样 +- 你真的是索伊尔? +瞄准 然后射击 {\cHFFFFFF}{\3cH111111}{\4cH111111}Point it and shoot. +色雷斯人! +- 灵气也真的很酷的视频了。 +他们 - +你要吗? +你知道,我知道她的感受。 +你他妈的跟我开玩笑吧? +你可以叫我 当你想。 +他们的脸都是红色的 +她们不需要这样做 +是,我们家境清贫 +没错 +为什么会这样? +不要再笑 +但是我想呆在这 +有时经过三至四次捐赠后 +利用我们在海尔森的艺术作品 +事实上 Mike并不是 +就是我们展示自己的时候了 +拿出你们的护照 +这样做竟然要替恐怖分子筹资 +我去找他! +我的確不是真心的 但你看不出來 +我是个好人啊 +我正在准备干一件大事 +格鲁来见波金斯先生 +干得好格鲁 +相当不错 +漂亮! +- 有事 +- 好吧 那继续 +- 嘿! +讲个故事嘛 +就这么被活活晒死 +Sheila +- 準備好了? +快拍 這是值得紀念的時刻 +金。 +不,橙色。 +因为,蒂娜, 无论你相信与否, +你怎么样? +大家不要緊張 +誰沒膽子? +玫瑰! +月光宝盒拿来... +Rose! +我找到月光宝盒啦 +想干嘛? +你就知道我有多爱你了 +正是 +痷Τ臟筥硂腹 +-话е +秈 +琵ǎ醚и糉甡 +这是什么东西? +不会受到毁铁的力量影响 +有九页 是用葡萄牙语写的 +It's over! +退后 迈克 Miek, get back! +你站在最前线 +我们能搞定的! +Miek,还没有。 +要是方便的话 我要把它对准月亮了 +两秒半后光线回射 +我会在踢苹时节 收获每棵果树上的每个苹果 +把最后一条新闻拉出来 +打我电话 +必然会这样 +他只是个棋子 +我们锁定了她的位置 +瓦解"组织" +我说"Go"的时候 , 你就全力推门 +但我错了 +听着 我要知道Jason Kerrigan的一切 +Frank想置Carter于死地 +我知道他的遗骸在哪里 +Alicia Kalinda 你们还在吗 +太太的内衣在她卧室,要用手洗 +最近她常这样 +妈妈 +Kwak死的很平静. +我不想给你带来任何麻烦. +跟他太太相处会不舒服吗? +妈 +双胞胎生了吗? +這什麼話? +恩怡,再見 +但我要生下這孩子 +哪来的疯子,快滚 +看后面 +一个活着的孩子 +但是通常他们都是错的 +谢谢 +如果能提供一些有价值的线索 我们就能少走一些弯路 +他就一边把煤铲进锅炉, 一边写作 +很骄傲我们曾经相爱 +开始大家都觉得没事 不过最后她没挺过来 +我在这 +今天我过的非常难受 +他会没事的 +好的 对接 +見到你很高興 +- 好 +这些数字你是怎么得来的 +做了要说呀 +我们过来的路上 +这话真刻薄 我想你该向我们道歉 +-Stell 我答应过... +男朋友 +我想是吧 +不 他需要睡眠来散掉药性 +号 +谢谢。 +好吧,我可以死在尝试 。 +...是不一样的拍摄 李霍恩和他的党羽。 +不太正確 如果它委託於你 你可以要求它幫忙 +你弟弟和卡萝尔让马龙和佩吉玩的 +你嘴唇上是什么 +明白我说一个办公室工作的意思了吧 +我们只是在模仿其他人 +你可以走到拉尔夫斯超市去买 +好像是七部电影的时间 +抱歉 +我听到了 +如果我们有事可做的话 我可能会留下来 +你知道吗 我试图不那么做 +你千万要好好表现 +你告诉我 +-知道 +地下的人们 +你不想吗? +谁啊? +-我在想... +那敢情好 +对人发飙? +你好稳喔 +-彼得,我过目不忘,我想起... +今天是周五,对喔,祝好运 +- 影视业? +我要给我老婆打电话 让她给我汇款,就这么办 +太不对了 +请原谅我没有事先告知就来打扰 +安全保护 只是开始 +不 你也说了这样不安全 +我爸爸为你提炼的铀是他的唯一遗产 +我们不必冒险 +你就把它当作是生意好了 +我又从酒里捞出一只螃蟹 +那个 +没有啦 +就算自己被周围人 弄得很凄惨 +世贞就那么好吗 +-怎么了 那儿什么样啊 +-实际上 +囚犯已被制服 罗梭长官 +安迪 快点 你得开始做决定了 +我们迷路了 被丢弃了 +因为他们非常相爱 +这是玩具的宿命 +那感覺像是在腦袋裡面燃了一把火 +等着赔偿 +我交給她的朮前準備工作很簡單 +还需要什么帮助吗 {\cHFFFFFF}{\3cH111111}{\4cH111111}Is there anything else I can help you with? +-- +谁给你的权力 {\cHFFFFFF}{\3cH111111}{\4cH111111}What gives you the right? +十八岁以下不得观看 +最近一次哥把熨斗放到饮料里 +你不可怜我吗? +好美 +DJ又怎么能帮你的忙 +这是... +旺财先生 澳姐楚姐可不是三岁小孩 +(你确定你在做什么吗? +可以幫幫我嗎? +一臉從來沒贏過錢的樣子 +她總是呼呼大睡 +等等 有了 +噢,嗨,暮暮,什么事? +... +呃,你为什么不检查贝克的口袋呢? 还不赖嘛,真不错,有意思 +知道了? +我该听你的 +清楚得很 +-莫尔 +我可以挖 挖给你看 +插到你屁股上去 你也给我注意点 +没变 +真有趣 你的伙计连比赛都完成不了 +我也不知道 +-跟我过来 +-谢谢啦 +-等等, 你要走了? +-不! +他是我们的涂鸦大师 我说的是电子公告栏编程 LED灯 +- WK! +叫陈康 +有一篇文章提到了回旋水银 +谢谢,但是这可能 不允许的。 +应该说出来呀~ +而是当中那份奋斗与互助的精神 +谢谢你们 +几百部了! +你以为我不知道呀? +不就是嘛! +老婆! +因为这就像用小瓷砖拼成一幅画 +我没有问他任何问题 +就会有越多的人想知道那是什么 +用了12升的儿童面部彩绘颜料 +他们之所以能够接受 +{\fn方正黑体简体\fs18\b1\bord1\shad1\3cH2F2F2F}"我指的是积极影响 班克斯 +所以需要记录 +一开始 +MBW成了头条新闻 +没有关系 +好了 好了 还有一件事 +摄影成了我的需要 +另一位"巨星"掀起了真正的高潮 +泰瑞浏览这本书之后 会找到自己喜欢的图片 +我把埃尔维斯的形象改变了 +就大膽一些 看著他的眼睛表白吧 +不是說 你們都kiss了嗎 +你確定嗎? +妳餓了嗎? +放鬆一下 +我們也許年老,但卻很頑強 +瑪莎! +- 你想让我把他抓来? +你会看到Carson和Rachel +探长 你想提前退休吗? +不是 十年 十年 +喂 干什么 +爱芳 +准备好了没 一二三 +不要紧的 我会很努力的 +命真够大 +我们不可以一起看电影 吃饭啦 +不,不在那儿 我每个盒子都检查过了 +我必须出来,我要他 +但是这个是极其危险的! +我知道。 +嘿道尔顿! +聽說你交了很多違約金 +别谢我, 转身吧 +你们难道没梦想吗? +*我立于此, 突然发现* +下个月 +那就回船上去 +都结束了小姑娘 +你应该先避避 +- 嗯 你之前就该想到的 +为什么? +办公室里有条不成文的规定 +怎么样? +是个水壶 +得到了各地的批评 他们在做什么。 +... +欠的债务 以不同的电影 血宴开张前三年 +我回家和我 读"伊尔莎: +我他媽才不管什麼紀律,老大 +雷蒂斯 +問題是他們現在要的是你 +- 经常头痛吗,司法官? +鬼才知道 +也许你是不该再出去 +德语怎么说"梦"? +Traum,Ein Traum(德语) +你应该救我 +(约翰内斯·勃拉姆斯,德国作曲家) +- 卡恩斯夫人 +我是雷斯垂德探长 听到请马上回电话 +雷斯垂德 请给我打电话) +别担心的 这里什么人都有 +(雷斯垂德探长负责调查) +对不起 赫德森太太 不喝茶了 出去了 +- 我找雷斯垂德探长 +你那些花招只能 迷住雷斯垂德探长 +这是安吉洛 3年前我向雷斯垂德证明了 +人就这么回事 都是笨蛋 +雷斯垂德探长 据我所知 这人好几天没进食了 +夏洛克・福尔摩斯和华生医生 +"該我和Mark打造 我們自己的福爾摩斯" +我還可以租他的房子 +他沒經過大風大浪怎么會有今天的地位 +只要一点钱 我自己的补贴就够了 +哇 你真幸运 +我有個更好的想法 我們都有責任 一起去吧 +我確實不高興 +看在这次调查的份上 +莫里亚蒂教授啊! +我知道听完后你很激动,不过没必要现在就抓个犯人给我看 +其实,我是莫里亚蒂教授 +能加强太阳光的宝石 +那么,杂种猫,看来我们之间要来场痛苦的PK了 +莫里亚蒂教授啊! +其实,我是莫里亚蒂教授 +- 还不说? +...其中一个保安看到他的脸了... +我不知道你想... +我看到了四个 可能有一个被放倒了 +嗯 +夫人,够了 +,对,对 +-不要 快住手 +-HIT +自带饮食的活动 +就扣动扳机开枪. +他没出席庭审. +糟糕. +干什么? +我没事 +看他们喜欢 信任哪个律师 +PAL +我不嫌弃你 +你怎样进来的 +我们得让你去医院 +兄弟俩忍无可忍终于出手了 +回去拿腊鸭 +谢谢 +当然 那个我们可以稍后再说 +行了 让我单独谈谈 +还是很高兴你重返故里 +这才刚开始呢 +- 他們會掩護你進去 +你不能把這個國家交給無人知曉的流放者 +趴好了 +對 那個梅花J +准尉,我觉得现在还不能进去 我们需要等情况报告 +- 我来了 +共和国宫 +很好 +是,长官! +你有什么口信要带给我吗? +上,安雅! +好了 所有人都尽情展示吧 +我觉得在维密工作最棒的一部分 +* 这是战斗的时刻 * +他突然扑上来咬了我 +那我跟妳用买的 +淹死你们 +拜托 +这是拿铁 +哦,是的,通过。 +如果我与我的销售赢得了ECT 几百万美元。 +来捍卫这片土地 +陆竹六岁时就在我这边听讲金刚经 +我本来可以阻止的! +今晚就走 +好 +我兄弟也不这么认为 +那就是为什麼我们可以被他们追踪 +我们的朋友正在贩毒洗钱 +传送目标座标 +不仅仅是吸血鬼这件事儿 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}It's not just the vamp. +雕像基座鑲嵌有紅寶石 +頭兒 不存在有克蘭投資公司 +要我假設嗎 +比特摩爾·妮姬給你打電話了吧 +嗯 Mel +不管怎樣.. +逃得出去就能摆脱这一切 +面包? +天朝幅员辽阔,正好合用 +(导演哥 坂口拓) +以前多有得罪! +C +发生什么事 +新的悲伤 新的乐趣 新的教训 +大量血迹 +你丈夫住哪间房? +哪方面? +蹦极 +我真的觉得我该和你分享些什么 +我知道 +谁是"h" +我说服那些贱人别骂你无力 +-行 行 +是啊 +我死去的最好的朋友要和你说 +能迁就我一下吗 +我是个约会机器人来观察你的行为 +我早就该料到了 +我没子弹了 +我真服了你了 +关我什么事? +先生 请回到你的绳角 +开打 +这个王八蛋 在我地盘闹事 +拳脚不长眼 小心点兄弟 +阿准 赶快叫你爸爸来 +毕特 请你过来一下 +現在知道了? +我先走了 +二十年后呢? +這樣打對你沒好處 +師父! +问哥介绍的,我一定请 +好! +报纸上说有的 +那个... +- 还好啦 +{\fnSTXihei\1cHC0C0C0}头别往后仰 朝前倾一点 还有 双臂再夹紧一点 +{\fnSTXihei\1cHC0C0C0}你让查理试过吗 +{\fnSTXihei\1cHC0C0C0}那是它的心脏吗 +记下来 "刷牙" +这是奇迹 +- 你会玩吧? +那么在这里请允许我隆重地宣布... +别忘了上个厕所 +让那个小东西管好自己吧 +这场戏是在讲什么呢 +告诉我 小德瑞 为什么 +我觉得 我觉得好像一年! +天气热了,不穿了 +抱歉 +遗失了一些东西 +ﺓﺪﻳﺪﺟ ﺔﻳﺮﺤﺳ ﺽﺭﺃ ﻰﻠﻋ ﺓﺪﻳﺪﺟ ﺓﺎﻴﺣ ﺀﺪﺒﻟ. +- ﺪﻤﺘﻌﻳ. +- ﺔﺌﻴﺳ ﺓﺮﻜﻓ ,ﻻ. +- Okay. +他的名声和身份对他造成不利的影响 +这边的看台上坐的全是白人学生 +那菜被归在了"海鲜类" +没什么事啊 +哦 是啊 我也是 +就告诉我该怎么做 我照办 +终于从作画和绘画中 +这些人在黯淡的灯光下 在桌上围着吃着土豆 人们能看出来 +我在这不需要看浮世绘 +一个人怎么会被夹在纽约和月亮之间 How could you get caught between the moon and New York City? +我还要感谢布兰妮・斯皮尔斯 And I have Britney Spears to thank. +- 你的书... +多么残酷的解脱! +大自然有种令人吃惊的对称性 +从来没有把事情做成我以为能达到的那样 +你的病令我作呕,让我震惊 +- 也不怕 +地板上还有个女孩 她吸毒过量了 +第一名! +我们要从前同学引以自豪! +不太好 +(本田中心 安纳罕) +-很高兴见到你 +-是真的! +有许多东西,很多医学的外在因素 +在他的血液里 很甜蜜呀 你怎么啦 +我有约 +-金博 我弟弟在吗 +拿到丧清的钱以后 +喂 我已经到了河内道 +跑上半山 谁受得了? +他真正的目标 是要找出杀弟仇人 +文哥,我打听到一个消息 +可我还是想不起他是谁 +好,我可以帮你 +彻底毁掉就是... +成色透亮 沒雜質 +我之前见过他 , 他是个司机 +我在什么地方见过你 +我们有意让东垣内晋升为副社长 +做为东南亚的主要机场 +比全垒打时还生气 +老实说吧 +东方航空最棒了 +你真的不知道吗 +我年轻的时候也有很多人追求呢 +应该是吧 +所有一切都不重要 +-你给我回来 +非常滿意! +三响! +我以后再揍你的屁股 小妞 +你要做的是 你要把它看成是一個人,明白嗎? +我應該怎么辦 讓他去參加贏不了的比賽? +他們倆跑進樹林里 又唱又叫 +我可以學怎么烤東西 +你肯定是JD 那你肯定是那個談正經事的家伙? +这样就够了 +反正我就是想说 这样可以去巴黎找我女朋友 +那我先去啰 +明天早上 +那很好啊 +对啊,最近比较忙 +但是我们这一票真的做得非常漂亮 +可以吗? +你还好吧 +加油! +加油! +或不。 +夫人 按照慣例 +我們調查了艾比的背景 +那群笨狗卻吐不出象牙 +我们得把这些窗户遮起来 +不分青红皂白,不问事情原委, 就把我打入那该死的牢房。 +去南伦敦一趟。 +那当我需要拉一把的时候,你又在哪呢? +deux... +他的室友是非常好的 +这是一个奇妙 +你救了七 +行 +琳 +这是更重要的是戏剧性 +我说我看到它 +没听说过 +行了 你们能别折磨我了么? +择偶条件之七: +跟我说说吧 +不行 +你在这里这么忙还能抽空来 真是不容易 +"识人之短 方可反衬其长" +我的车就停在路中间 +不是 +你和我去做康复治疗 +我不能确定我能凑够全部 +所以才能在这里? +你越来越虚弱 你的时间快到了 +阿嫂 +是谁? +嗯 +你是位很大胆的酒鬼 +就棒球而言 +我接到海軍陸戰隊第二師的命令 +不 +还记得跟我们约会的那两个护士吗 +当然 或者用一氧化碳 +- 我就我 +- 带上这堆东西 +失去、失去、失去 +旺茨和米勒的案子我们被起诉了 +法官大人,没有证据表明... +- 这些不要全部拿走 +你来这里做最后的抗争 +来了许多曾在近几十年 +这家伙肯定学不会这种把戏的 {\3cH202020}The guy is a study in pure non +- Yes. +-法外无罪 +-这与尼克尔先生 {\3cH202020} +I don't know. +放置在法院的草坪上 {\3cH202020}laid out on the courthouse lawn +还是从广义的刑事辩护上来讲 {\3cH202020}and criminal defenses in general. +just saying. +变成国家政策 {\3cH202020}Euthanasia a state policy +嘿,韦斯 +你怎能坐视不理 +Tramel 出发了 +徒步旅行者. +但是他们发现了他可是我什么也不能做- +是我 妈妈 +不是说这个 +大家知道的吧 +难道你还想接近啊 +很好 因为这可会被剥夺律师资格啊 +我想要跟琳达说话 她没有接我的电话 +- 2.. +操 +тぐ闽ㄈ菌獺盾 +ぐ ぐ狥﹁ +弧⊿Τ蔼い癨窟不 +前三天Bloom跑哪儿去了? +- 在公开场合吗? +脸颊 +我们谈过话了 +逃避闭路监控的天堂 +Robert只能和我私会 +真的吗,那太好了 +要是感冒了那怎办 +谢谢你,你是第一个打来的 +这次我有好好表白 +人情都蚀了 +日本旅程如何? +在这遥远的国度 不靠任何人... +是吗? +你一直都叫我贱人 +然后一拳打在她左胸上 +噢,我的天 +- 没关系,陶德 +除了费恩历险记,我不认识任何男孩 +有趣的是,整件事从一开始就不停的变糟 +你以为你在做什么? +我一直有和你玩呀 +我想出去泡个妞 +当我没说 +我们有一个小问题。 +噢,我的上帝! +没有别的地方 +- 你做了什么? +将来有天我会证明的 +正修着巴士引擎 赶过来了 +我找到了一个人哟 +然后,他们测序并比较。 +- 你好 +- 你见过这位米勒先生吗? +我不是这个意思? +价钱谈妥了? +欢迎! +住在阿瑪菲海岸 +別客氣 +配一杯牛奶 一杯牛奶 +你不接電話嗎? +你是否已经决定? +哦,我懂,我也挺想念你的 我们待会儿老地方见! +他带着那个电池呢. +* +希望到时候,浴缸已经被修好了 我们他妈就能回去了 +也许是,也许不是 +傲骨贤妻 前情提要 +但警方一无所获 为什么呢? +谢谢 +Roscoe先生 请你坐回座位上 +是 +驾 驾 +到时候 以响箭为讯号 +т +我看走了眼 +他也不會讓我來 +- What if you're wrong? +你知道有趣之处在哪里吗 {\cHFFFFFF}{\3c000000}Do you know what's amazing? +stop the car. +对 +- 不 +我在這坐他的車 你該走了 我不會很久的 +ㄓ褐吹马 +問得好 +我们别去打搅她了 快来 +在我生日那天和Slash拍到合影 +好吧 算了 我再也不求你了 +到底是为什么呢? +你扭曲事实,我抓! +没事 +对! +做出了这个最棒的放屁袋 +哪个 "自慰面面观"吗 +我把大腿都拉伤了 +减轻压力就行了 +晚上好 格雷格 +他有点吓到了 不过... +这是海登赖克实验实验 +一辈子只有一次五岁生日 +我向你保证不会再 +- +想跟我说说我的评估结果吗 +实际是打常德 +结婚了也不秉报一声 +弟兄们 给我狠狠地打 +你们的生命将属于我 +也许是出于战略上的考虑吧 +Get him to stop smiling! +Now who's the lucky one? +I need to avoid all stress, Cerys. +Yeah. +我不需要看那场面 +虽然路易斯・埃尔维斯决定要继续 +我想问问关于房子的事情,我叫... +一个陪她们坐在桌边 +只要两个月就好了 +哦,可有人会关心? +流连于花丛中的花花公子 +- 好了 +谢谢你! +我早知道! +我只是在开玩笑 +听着,你是不会走进一场爱情里的,朋友 你是陷进去的,一头栽进去的 +- 行吧? +还是他决定放过所有人 +嗯 +很快就结束了 我们很后悔 +你知道吗 猪的心脏... +Rani 亲爱的 为什么你闷闷不乐? +我爱你 +Edison 你还好吧? +噢,涅亚河, 我知道你的鱼儿的名字 +糟糕 +走啊! +歡迎再來 +进入看不见的世界 让我们再次感叹世界之奇妙 +我上次看到这个情形 是有个高中生死了 +这真是错的离谱 +- Evans醫生 +- 寶寶的父母可憐見的 坐在那... +不用說在捕蟹船上同住幾個月了 +约翰,我得跟你道歉 +把这杯特调蛮牛伏特加喝了 +只是我比较害羞 +恐慌症的事是真的还是假的? +为家人着想 这算哪门子着想 +现在我们知道了 +那我们的损失就不会这么惨重了 +她不會的 她丈夫正在手術 +但做這些要容易多了 +他有呼吸 +有什么事不对劲吗? +是在1958年的电影"鲨鱼礁的女神"里 +没看到我们 +给我一辆车 我就可以去见Christopher Wilde了 +- 你错了 +好了 回到现实世界 +你会成为我的唯一吗 你会成为我的唯一吗 +基本上我生命中所有重要的人 +- 什么? +但只跟你 对吗? +我没编故事 +出现严重的精神障碍 +这点小打小闹 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}It's probably not even the worst thing +这一生看过 +- 快退! +看看呀 +谢尔盖 +我知道 但很值得怀疑,对不对? +警察还以为发生了什么事 你还记得吗? +塔瓦 +他们都死了 +我们需要找到一条路出去。 +我们可以是个朋友。 +Duro听到这消息 开心死了 +我不仅行动受限 +很有可能是你的錯 +Myka也對我來過這套 +她聽信你的滿嘴胡扯 說電報機讓我出現了幻覺 +大福,你看着我 +今天那一吻太美了,再来一个我就走 +说话得算数 +不朽生命降生于世 +聪明 +我 爱 +我们也不想配合做 +问题是他到底有没有摧毁真的分灵体 +一 +罗伯和埃利·道森 +是墨水留下的 +不 绝对不行 No. +...unlike those toadies at The Daily Prophet... +That is, if you don't count his brother, Aberforth... +Dobby? +可以抹去他们的记忆 +好 我直说 +好了 罗恩 你来 +然后他像老朋友一样向死神致意 +她的专长是麻瓜研究 +用她的话说 麻瓜与巫师通婚 +追忆邓布利多 作者: +没事了 +我要去教堂,要一起来吗? +死丫头 +莊婕? +是啊。 +你看我喜欢这样的家伙呢? +如果一切都核对无误... +给 +你完了 +这事你不能怪我 +-你们两性平等办公室可以处理一下 +对 他衣服上有你们的国旗 +要求你们指控人贩子 +-你好 +可... +如果你不介意 +走吧 我这儿还有 +我当兵了 +尊? +不,先生... +我是Shonali. +别再说这个了Shonali ... +你没分给我吃? +你签了 +她们到底要带我到哪里? +错了, 是你给我的 +谁需要你? +更快的扫帚? +或许你吻她的方式错了? +需要我做什么 +不 他在门口 +但他们没有采取任何措施 所以她也就算了 +你难道就不觉得 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}And it never occurred to you +它消失了 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}It's gone. +但是我告诉你 我想恢复正常 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}But I'm telling you I +Gone"? +-老头子不会发现吗 +现在是你有麻烦了 +我给你姐姐打电话了 +肥妹妹还是一样肥 +BARLEY 冰 +吃啦 吃啦 +我的名字是我爸给我取的 +-其他不要去多想了. +癌症? +- 也没有啦 +我在这里教音乐 +真的那麼多? +憋得很辛苦? +Dean. +不难的 我能教你 +不完全是 +简单而容易 +德州朱艾特! +它叫作陰極射線管 +- 很好笑 +1944年在美國駐守時 與伊莉莎白文森結婚 +陪伴史賴吉一生 +我认识你 +那个人不会是我 +- I'm sorry... +these can just burst out anywhere? +- 不! +I mean, a family reunion... +这是什么 +- 什么 +但我觉得你比我更需要这笔钱 +我们给你准备了一个惊喜 +真高兴这么显而易见的事实都要靠你来说 +而你都是个女人了 +祝你们十六岁生日快乐 +好吧 别着急 我会找他谈谈 +趴下! +我们为什么不经常聊聊? +三起枪击案 Noreen Paulus +晟敏宇車上有... +我将承担你的债务 对你投注 +都拿走吧 全给你 +我把邮件带来给你看了 +隨便了 我給他送來了那個 +他想幫你 +我明明聽到裡面有動靜 +你在问我能不能用这笔钱吗? +来挡我试试啊 婊子 +所以你还是不愿意说? +哦 对了 +Raj第一次把Priya介绍给我们 +我也没那么白呀 +- 2005年4月12日 +没时间跟他们纠缠了,我要那些数据 +但大多数人可不是刀枪不入的 +兄弟们! +换了其他人,早就死了 +我们去找! +十八年了! +可能连命也要赔上 +告诉他们! +ﺎﻧﻮﻤﺣﺍ , ﺓﺎﻣﺮﻟﺍ +- 哦 是的 +不 怎么看都不像没事 +在人们崇拜许多不同神的同时 +这些印第安人以此庆祝神的降临 +让那种生命进化成 我们所谓的文明或智慧生命 +奉为自己的核心信仰 +卡胡阿支陷入一片混乱。 +因为当祭典开始时,他们就会戴上一种 +我的意思是 多贡人应该不知道 +感谢大家的到来 +有个女孩... +我不知道... +对呵,我真问了个蠢问题 +我很累啊,老兄 +讓我那麼丟人 +OK 那我就進去試試啦 +中尉同志,阿尼娅在哪儿? +真的假的 +都是维特的错 杀人是罪恶的 这种事 +为了达成宏伟大业 +第二条 尽量以平等的态度 礼貌的言辞应对 +6点前 她待在托儿所 +就能若无其事地回到社会生活中 +为什麽 +哎呀 這就是科技展上得獎的作品嗎 +我拚命地 我不想被感染 不想死 +老师听不到 +他弄脏的东西不让我或他爸清 +忍不住悲伤吧 +这些都是影响妈妈很大的书 +诺拉 {\cHFFFFFF}{\3cH111111}{\4cH111111}Nora? +我们赤色暹罗猫袭击了国立东京微生物研究所 +在这里能看得很清楚吧 +还能看见大珠宝呢 +可恶 +如果你想支持我 +你怎麼會不恨自己呢? +(没有导致地面人员伤亡) 我必须说 +别担心了 +他不知道我來這裡 +直到現在 我才能在憲法 允許範圍內為自己說幾句話 +其实这挺好玩的 +"有时成千的叮咚乐器..." +乔治怎么样 +没有医生两个字 +只能治标不治本 +这不好笑 +取名字了吗? +Amanda +-Regular\fs15\1cH17D8E8} +你記得嗎? +{\fnDidactic +- Is it a T +最近怎麼樣? +{\fnDidactic +-Regular\fs15\1cH17D8E8}Sheila came by last week. +{\fnDidactic +-Regular\fs15\1cH17D8E8}I don't understand it. +你已經36小時不在了,湯姆 {\fnDidactic +{\fnDidactic +-Regular\fs15\1cH17D8E8}He was hanging out with all sorts, the last few years. +-Regular\fs15\1cH17D8E8}My name's Anne Coburn. +好的,我會找到費爾的 {\fnDidactic +Rachel! +- 那是詹姆斯·卡爾費特 {\fnDidactic +距離100碼 {\fnDidactic +他急切希望你活下来因为你没有出错,他希望你活着 {\fnDidactic +他并不打算杀死我 {\fnDidactic +{\fnDidactic +-Regular\fs15\1cH17D8E8}We were on a training day. +警察在上游密集的开火 +调查正在进行 现在将由 雷斯垂德警长回答提问 +- 看来这次有所不同 +- 我找雷斯垂德警长 +好吧 +这位是安吉洛 3年前我向雷斯垂德 证明在某起残忍的三尸命案发生时 +- 雷斯垂德探长? +- 你这是在认罪吗? +不 雷斯垂德警长 我有话要跟他说... +不过雷斯垂德探长会回答大家的问题 +要问雷斯垂德探长的话 +(雷斯垂德探长负责调查) +你好 怪胎 我找雷斯垂德探长 +去主干道打车吧 +这是安吉洛 3年前我向雷斯垂德证明了 +雷斯垂德探长? +不 找雷斯垂德探长 我有话跟他说 +不过雷斯垂德探长会回答大家的问题 +要问雷斯垂德探长的话 +(雷斯垂德探长负责调查) +你好 怪胎 我找雷斯垂德探长 +别 +明白了吗? +这是安吉洛 3年前我向雷斯垂德证明了 +雷斯垂德探长? +不 找雷斯垂德探长 我有话跟他说 +谁说话就记下谁的名字 +我们要不要慎重点 +别这么说 我们走 +真好玩 +我有车... +还是小家伙不听话? +你救了我,我是来报恩的 +- 还有什么? +- 嗯,哼 +可是我要留下来照顾孩子们 +你这是在做什么? +好吧好吧! +我们跟其他大灰熊不一样 +左 左... +不,我是说挺举,能接住我吗? +我還有話要對劉代表說呢 +腳演技 +这就是为什么我的房东说不可以养宠物 +病了? +孩子生下来,浇上两铲泥土,就全搞定了 +亲爱的朋友,我一直 焦急地等待着这一时刻 +可能吧 +预备 +每晚侵蚀我的对鲜血的饥渴 +多少 +恐怕是发生了什么事 +... +现在,我们不得不,嗯... +- 現在這叫做艾滋病 +只有齐心协力才能活下去 +等等 你们不能丢下我 +我们麻烦够多了 +快点啊 投票 +白色闪光,头痛 耳朵听不见 +- 你要和他们去? +- 让我帮你 +这个好的标准完全不一样嘛 +我妈妈是1968年11月22日 +- 我的名字是... +可是珊没在这里 +快点,进来! +而不是站在这儿和这棵枯树废话! +夫人, 我们正在等候你的命令。 +我的压力快到顶了,我感到很焦虑! +你又嗑了什么药? +嗯 +总之 我都说不出他长什么样 +- 费萨尔,走开 +好兄弟 +- 跑步迟到了吧? +- 嗝屁,死,嗝屁 +是吗? +Just apologize. +老兄 祝贺你! +# 当它使我心碎 # {\fs12\3cH000000}# When it breaks my heart # +我不是那样想,传呼机在抬下 +今天不要样本,谢谢 +我让你灵光一现了? +- +Richard 第一天回來感覺如何? +還想炒我嗎 +我搞不懂 他為什麼能 參加他爺爺的無麻醉手術? +- 你的所有這些野心 +猜猜誰剛才提議做一個前所未有的 超級難度手術 +- +我想自己求婚 +我不会让任何人的心软妨碍我 +后退 +他觉得我会拖他下水 +-不 车胎是有个小孔 +那观众就会认为你的这种痛苦 +十年前 +让他们成为房奴 +正规警察? +我们在前面开道 +重要的是 我... +做错事了吗 +买车 买别墅 +{\pos(364,52.667)}乌法 +不 我是说怎么能让总统说出那句话来 +嗯 我知道了 国际漫游很贵的 +做错事了吗 +彼得洛维奇 好好刷鞋 +你的照片真让我沉醉 +我认为我们需要 停止在未来汽车旅馆。 +笨驴! +这个招数的绝妙之处在于 +我终于慢慢有所领悟 +那一刻我切身感受到 +冰激凌 理查德! +生日的冰激凌 太好了 理查德 +忽闪忽闪的大眼睛 +推难的! +南方。 +我不能到达阿尔卑斯山脉。 +光年 锁链 棉花 后期: +丧家犬? +He's still running his syndicate,for certain? +放那两个走 +你会? +嗨 +笨蛋 +虽然结合我现在的处境看... +-二 三... +你爱一个人 却不想在对方身上花时间 +爸爸 是我 +不问了不行,再问一题 +這是人權,老闆 +奧運傳聖火? +拖個手嘛 +警察不得跟随 +注意盯着出口 他要出来了 +和Peter +- 我有什么? +咋了? +多亏你提供的信息啊 +聊聊也不错啊 +不行啊 +没有 +他今天以后得听我唠叨一堆了 +- 我有我的包一把刀。 +- 不 你太丑了 +你没有一张大脸 +什么? +是你爸爸 +我们搭火车去外母家呢 +他打算从巴基斯坦... +99%肯定呢? +威尔逊老婆是合理攻击目标 +你爸这样教导你? +我以前也有約會啦 +然后向他道歉 +親愛的薇拉,現在正下著雨 +你准备好离开 (敲门声) +- 给你。 +圈圈叉叉车钥匙 +你说的没错 +- 那就叫Leonard載你啊 +他的用词让我很不爽 +現在怎樣? +就那样莫名其妙出现在他们家门口 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}half out of my head with grief. +- 没麻痹的感觉 +我的刀呢? +然后... +你们这些童子军在Roseville酒店发现了Anton Protopov的衣服。 +你到这来真的是为了我吗? +我怎么会忘呢? +我改主意了 +你知道什么事情最糟吗? +我现在没心情打架 +艾薇! +我不想有人再为我受到伤害 +你有前科 众人皆知 +我警告你 沙威 你还有脸跟我谈犯罪 +红 是即将破晓的天空 +先生 我终生也忘不了今天 +你知道? +你的枪 +你这么做多少次了? +铁拳城及全界的公民们 这就是 风间仁! +和规模意味着 市场也大。 +没关系 你还是会趴下的 +当了30多年的重案组组长 +真TM难扒 +拿这个该怎么教训你呢 操你妈逼的 +等你痛不欲生 害怕 浑身发抖的时候 +司机 别让孩子们中途下车哦 +你不知道吗 +我想错了 +又是我对了 +我的腿还在吗 +应该就在你的衣袋里 +-算了,我们走,我能... +到底怎么了? +我猜他本想亲口告诉你的 但是他不确定你会有什么反应 +而缺乏魅力的男人 我真的很喜欢它。 +我忘了。 +在 +这里? +你好像传说中的玛娜提娅神像 +愿望便会成真 +她是个有经验的演员 +"... +凯文在制作面部形象时花了大功夫 +这真的是一种 +这是帕特丽夏. +这首歌的音调太高了 +克鲁格只是个叫走的电话" +当他们走过来跟我说, 记得那时你想让弗雷迪饰演婴儿吗? +西利,"马克. +她有怎样的内心秘密 +我喜欢打斗,很激烈的打斗 +因为我是个歹徒 +与UFO近距离接触时专用名词 第一类接触为目击UFO 第二类接触为触及UFO[说法不一] +Come on. +那不是那个钟表匠吗 {\3cH202020}Isn't that the watch guy? +什么 {\3cH202020}Yeah? 你的灵魂吗 {\3cH202020}Returned soul to sender? +你怎么这么晚的啊 +我情愿死也不会走 +你还怎么样呢 +还有什么比这更糟的? +我有个提议... +孟买 +牛B +那是艘很厲害的遊輪 +我不想傷害你 +再見,阿爾瓦 +41: +我们可以更勇敢些么? +我不想這件事情影響我的生活 +- 这是? +你想吃什么样的早餐? +还能演得更好 +永远都是Chuck Finley +但 呃... +事情本不该那样的 +基于您最近一次和她的谈话 Based on your last conversation with her, +-好的 +谢谢 +我这辈子都听别人这么说 +我的意思是 你难道不知道你有一天要走? +谁在乎 +Jill 我一打开这部手机 +好的 好的 我要你给支票拍个照片 +刺杀行动 幽灵间谍 +好吧, 如果他出来吹口哨,那么我也要出去 +太棒了, 非常好 +还未有下一个孩子吗? +- 谢谢,贾戈达先生 +中央公园! +好吗? +最終到了1989的秋天 +- 是的,謝謝! +What? +I've got a friend coming who's gonna help. +你准备好了吗 +如果还需要什么 +说不定还得谈他那让人着迷的狗屁童年 +-有时候他们会翻墙进来 +你来这干什么来了 +抱歉,这是规则 +喂 下来 +我要知道 +等等... +还有这个 +没事 +他是... +你應該在上面貼個"超負載" +我是说,你真的爱巧克力? +真可惜,那送您同事吧? +没错 +这种生物外层皮肤硬如铠甲 +顺便说一声 是在我拒绝后 +Mel 她妻子 +我们终于吃成晚餐了 +是很好 也是很有天赋的律师 +我行吗? +嗯 +太阳鸟把半边莲当做一个加油站 +肯尼亚大裂谷东部阿布戴尔国家公园的悬崖峭壁 +他还在他手上 +- +我看,也不会错到哪去 +中文教什么? +不可以答两次,谁可以补答? +扭呀踏呀 呀呀呀呀 +以为又到了新地方! +没什么是永远有效的,知道吗? +跟著來 +老爸! +媽! +ρぃ倒硂蛮綾 +- Z,Y,X,W +- 有 +喂 是我 響聲後留言 +当然了 +"四个字母的单词" 1200分 +我被困住之前曾经是个男人 就和你一样 +我送来一件遗失行李 +- 没人 +- 内幕笑话 +草好绿啊! +」 +我闻到猫味,我最讨厌猫了 +牠会叮我然后把狂犬病传染给我! +马马杜酷毙了! +我们拿到沛可的合约了! +你俩准备好了? +放吧 +我是说接球 +大家好,我是强尼 我要结束这部电影 +他... +哦 还真用 +我认为... +忘记了生命的目标,活着的意义, 是在于寻求快乐的物种 +不会悲伤,这是现实人生 +你开车开到睡着了 +來啊... +我沒訂營業時間,你隨時可以來 +好扯,有人覺得路是他家開的 +結婚當天就不會笑得那麼燦爛 +那位鐵匠的姓名 +都過了15年 +啊! +你总是想那个,从早到晚。 +用哪个? +看。 +文化宮,電影院,你還要什麼? +少来这套 +这个阿德瑞兹・康斯坦丁・梯克兹的老板 +此外 我告诉他 被你摆了一道的是我 +霍克! +- 主电池充电完毕 +从科洛仁系的第三行星里隔离出来了。 +特别是,我被认为是极端的... +星盟的正义船长终于释放你 +-没有 +这饮料令我产生情绪反应 +无论如何,她要在12小时内发射 +我几年前驻守在中尉的星球 +设定混合模式,你可用脉冲动力 +队长,那艘飞船,Vger... +我们开始干活吧。 +赛波克是我所知道的最有智慧的人。 +他们错了。 +准备好穿梭机。 +- 我想问个问题。 +申请获接纳,离闸门有叁十秒 +不是我,是他! +谢谢你 +情况显示 前企业号的船长和船员 +- 他当然是个俄国佬 不过还是个痴呆 +我很抱歉 +根本就无法成功 +来吧 +当然 +到底发生了什么事 +-他来杀我 +你不会得到露西的 +它在那边 在沙皇凯瑟琳号船上 +没有原因,只是她怀孕了 而且我们两天没吃东西 +(没有信念) +(没有香烟,没有工作、职位) +-是的 +) +我们可以在河边找间旅馆 +-我的技术可不及你 +-你也是套房的服务之一? +-你认识他吗? +我确定庞德先生 很渴望开始参观 +为人类跨出一大步 +是啊 那边日子好过吗 +妈 我相信总有一天 +保安跟我说 你喜欢在这儿跟猩猩聊天 +库尔兹已到了他的 +晋升至上校已是极限 +也要献给他们英俊的指挥官 +-不 你不知道 +他们认为你是来 +你知道他在说什么吗? +伴随这阵呜咽 +学生在巴黎游行 +对不起 上尉 你的人需要帮助的话... +聽那音樂 +他們認為你是來 +三代都是西点出身 成绩优异 +黑桃二 黑桃三 方块四 +师父,你不给他一个下马威 +-冷静点 +电路大概烧坏了 +你们一回来就打开开关 +快点 +你在干什么? +中尉,对吗? +烈莉 +玉米饼吧 +他们会像其他人一样变成卵状 +你疯了,巴克,你知道吗? +还好吧! +- 兰波特,航天飞机载不了四个人 +- 你认识他? +很可惜,玛利亚・亚历山大罗夫娜, +你说什么? +根据小说《路边野餐》改编 +那"区"是让好人通过, 又把坏人给杀了? +我上到这里主要得靠爬 +走去哪? +你在你的研究所里 声名狼藉 +算吧,走 +我不知道... +-反对无效 +还有上面那里是史丹利的位置 +就能在荷里活拥有房子 +5、6、7、8 +你要去哪里? +甘蒂、凯茜、蕊玛、珍妮花 还有维多利亚波特 +那个金发女郎如何? +别微笑 +我没时间跟你胡扯 +她家搬到了我的对面 +妈 这是阿尔伯特 我跟你提到过 +- 当然不 +快脱衣服 +没错 现在美女有名字了... +黑暗的走狗? +人们一面仰望着星海 一面继续着旅程 +被葡萄谷的山贼 +为了那些小孩 我一定... +我的灵魂永不会死 +很像我母亲吗? +随便,自己找地方 +带上个女人很麻烦 +先生,你要现在登机吗 +我现在只想打电话找人聊聊 +我多需要你 +它的增长。 +最美丽的女人在世界上, +你的颜色的坏。 +他们属于你。 +好的 +不错呦 +她是谁? +你还敢顶我,揍他 +喝杯茶 +我老婆! +我還是每天在等著他 +就像我 +我要鼓! +-要! +上面有说明: +有些人说他已经淹死了 +我说过不要在屋里敲鼓 要是铁皮鼓破了,会弄伤你自己的 +有着几家火柴生产厂 +来吧 +- 什么? +我们的大反击就要全面铺开了 +我无意中发现了主编带给宋书记 看的人民来信摘抄 +他们还准备让我休养一个时期 +十年前的今天 +嘿 大哥 +这帮混蛋都是他妈的疯子 +如果我是你 +内伤很严重? +小队参加三天的天使巡逻 +法官是这么说的 +别忘了蓝尼布鲁斯 +你们别理他 +我只是想... +喂? +我知道耶尔有外遇 +他们替自己 +我们德伯氏现今住在何处啊? +来显示自己的显赫 +苔丝 +但要是真的已经无计可施了 我也只能死马当活马医了 +我还没决定到底去哪里 所以我回来和你们商量这事 +-他们现在没有马了 +他们是来抓我的吗 +-你很喜欢花朵吗? +快一点 +你怎么了? +看看是谁 +没有 整个事情都是想像出来的 +退后 让他们过去 +四轮邮车? +克莱夫, 没有比这更好的礼物了 +好孩子! +真是个好点子 +跟像我这样年纪的想法 有很大的差距呢 +...冠军正在进入赛场. +很多事情 +Yes. +我不会听从任何人的命令 +原来是这样 +我想静一静 +你-- -基思 +自己倒杯酒吧 +洗个澡 化好妆 像别人那样去吃饭 +...但是是从屋内传来的 +我想, "它真的变成这样了吗?" +- 我昨晚赢了 +我给你买杯喝的 五分钟 就一杯 +银行就是我的生命 我的血液 +德国佬真的会把俘虏杀掉吗? +前进! +哦,Johnny,把窗户关上 记得还要把屋顶的洞补一补 +你的全名? +我說「你不再住那裏了嗎? +你是本傑明 克勞斯勒 克勞斯勒 +是的 +mariiyn m0nr0e! +卷法夹,等等等等 +... +"然后他擦去我唇上的糖粉, 这样就可以尝我的味道了。" +这是他六年来第一次度假 马克思,放松点 +我有东西给你看 +你把车停在路当中 我们怎么过去啊? +尽快把尸体送离现长 一切要尽量保密 +我们三个男的,难道怕他一个胖子 是啊! +天啊,越来越晚了 +- 今天我没关系,因为我昨天是我? +会不会你自己喝了就知道 +大丈夫做错事,挺起胸膛走进去 +高英培 +运气不错 +我需要大家的帮助 让我进去 +那你干嘛不杀我? +重点是Bugsy, +我们从未准备好... +- 这真潮湿! +说英文好吗? +当然,赖瑞怀曼 蓄谋投资者的前辈之一 +我刚听到我最爱的话 +怀曼起疑心了 +葛登,付出代价的可不只是我 +用意大利十六世纪的说法就是 企业巨子 +这几个臭小子,我两三下就收拾他了 +好吃 +不能让人家看扁了 +先生 +我以前也是留学生 +妈咪 姐姐去哪 +你骗人 我没有皮 +前天晚上手气不好 被人扒光了 +不用了 我马上走 +(鸟儿轻轻在舞蹈) +零蛋 +现在就走吗? +用我自己的方式 +你认识劳拉. +一开始我是一个男孩 +绘梨衣! +-是我们的荣幸 +那是个失策 +... 在枕头下藏着一把枪 +梦到鸟预示着健康 +养个无线电话比养你还贵 +正好顺路,我送你 +今儿个咱就用高梁酒杀杀霉气 +兄弟你不信 +-你好,马琳 +他们在说什么? +-葛优,谢谢你的汽油 +小子,你也会步他后尘 +只需在她嫁给"睡王子"之前赶回去 +感觉怎样? +冷静? +拼命擦洗,碎木 +当然,这有什么奇怪 你们什么时候中橡树毒? +- 不要误导我的孩子说谎 +在这里 +噢,我的天啊 +第一次的历史纪录 +是玩具还是滑稽杂志? +再见,亲爱的 +别管松饼了 +而且所剩的时日都不多了 +那样也许再好不过了 +意外个头啦 +今晚我们得使用安眠药 从他开始 +-晚安 +克莉丝丹 你呢 +我可以拿到什么 下咒昏睡或死亡 +持续注视着钟摆 +听着 我说过 我会告诉你遗骸藏在哪里 +为何这样穿,你不能穿明黄色 +爱新觉罗溥仪 +溥儀,過來 +85页 +安静! +我们可以先做一对现代的夫妇 +If I did not agree with that, I would not be here +日本军最高统帅部! +My family was bared alive in Manchukuo +我们现在是一对了 +看你怎么回事! +如果皇上找对人的话 共和政府将为皇上做任何事情 +根据这份供词 你在11月9日的早晨将这个人的行李打点好 +因为他是我的仆人 +皇上要是能到我们家来玩... +你教我好吗? +皇上怎能戴眼镜! +我原来就坐那里 +走开 +快点还 我们一块回去 +{\fs16\bord1\shad1\3cH000000}You want me to come to the wedding of my brother Johnny? +- The man understood me. +folks? +今晚的鱼很油腻 不能在坐飞机前吃 +我不知道! +是你呀? +点火就是了 +有什么动向? +住,別動 +不如你聯絡 +这个问题应该由我来问你 +对不起 修好了 但我的身湿透了 +锁匙 锁匙呢 +我们缺席的朋友 是锐减了的心灵 +希洪,12分 +爸爸在里尔的工厂, 他的工厂几乎停产了 +不对, 是罗马人干的 +朱利安康坦 +这场战争真的该结束了 +因为他们比我们聪明, 他们钉死了耶稣 +让神父收留他们, 因为他们的生命有危险 +先生们,有传讯传过来了 +他叫什么? +真的就是这样 +我们走吧 亲爱的 +不知道你如何通过... +天空总是晴空无云 +并让你诅咒我的名字 +我要那孩子 +这名字不错 +你们干嘛不坐下来? +夫人? +真好笑 +气球 +-妈的 +我们能用其他方式解决 +还有那对和睦的夫妻... +你到底有什么毛病? +看起来都是一样的 +- +- +如果有火星人 我打赌他们说通用语言 +还有他来了 我们的风云人物 +眼睛,看下面 看下面 +你好... +开在春风里 +你现在知道母亲死了吗? +-或吸血鬼. +...沉到了裂缝里. +有什么大不了的? +一本漫画让你产生幻觉? +露西 这看起来好极了 +你觉得我们应该收他们多少钱? +自然规律永远如此 +我能感受到四周 +我知道 +这都是玩笑 +凯莉身上的淤伤像个符号 +我不想喝 +前年快到终点了,可发动机突然坏了 +别下注了,女士们先生们,别再下注了 +有什么两样呢? +在山坡上,一位老人 正在读《奥德赛》给一个小孩听 +接着... +时间 +I'm at your opposite side +you're punctual +噢,噢,好痛,噢噢! +抓住那只牛犊 +你一个人太危险啦! +永远存在 +老叫我干什么呀? +我猜这就是为什么他们说:"没有什么地方比自己家更好" +那就是为什么天线拿来避雷 +蹲下也会被淋湿,反正我已习惯 +现在他仍在逃 而此时亨利福特医院的医生 +把他关上 准备做手术 +看着吧 +这个指控可不是儿戏 你的证据呢? +天,看他 +浪费它真可惜 +是的,可不止一次呢 +-他一定有份好工作 +-这就是你所 寻求的吗 +-我认真的 +cousin of the old K +笔走龙蛇混浊清 {\cH00FFFF}{\3cH000000}Cloudy and clear penmanship. +I warn you now You switch off the engines parked next to +你... +{\cH00FFFF}{\3cH000000}What did you say? +那是一位巨大的女人站在河边说 +他是位振奋精神的人 +十个道士,九个没有口齿的 +小心一点穿呀,没有第二件了 +10比1的赔率,就在这儿 +跟上! +他们能帮我们吗? +- 他们要做很多事情。 +你在那裏認識Rabbi嗎? +一些玩滑板的小阿飞在商业街制造混乱 +这是赫斯特长官 +-当然 小汤米·康克林 +-全市公民作为警察巡逻计划 +{\fnSimHei\bord1\shad1\pos(200,288)}外婆都幾十歲的人了 +{\fnSimHei\bord1\shad1\pos(200,288)}那個花花公子啊他是靠不住的 +搞什麼鬼 +{\fnSimHei\bord1\shad1\pos(200,288)}體力弱,我看那倒不一定 +又来了 不要再讨论这件事 +她的脊椎都碎了 +孩子? +救命啊! +我被告知过了尿检 +你当时也在的 记得么? +排好队! +I should be getting home. +- You find your own tree. +他要我们明白他的故事 至少是其中一部分 He wanted us to know the story, or at least a part of it. +- What? +去死! +没有多久他们 就来抓我了 +但我最最希望的是 你能明白我下面的话 +每一天都让我们离11月更近了... +不要! +- 有没有留下图像和声音? +伊芙,快点,藏起来! +我们需要增援 但人要尽可能少 +- 不,我不应该那样做的 +但我最最希望的是 你能明白我下面的话 +- 这正是他所要的 +我会用双手掐住你的脖子 +戴面具的人全都跪下来 +后会有期,再见了 +- 至少有几十万个 +以及将来会发生的事情 +您可以叫我 V +多米尼克 +- 伊维 +这是宇宙的基本规律 +并通过这个工具 我们这位政客 +我都忘了咱们三个月前才离婚 +除非得到我允许 +我以为隐瞒真相能保护你 +(西班牙语) (大意: +-待在那里! +告诉他Armendariz在这里做的一切 +这不是我的秘密, +- 对不起 +挖出坟地浅埋着的妓女 +杰克 +我军背后是唯一出口 +- 赶快急刹车 把这个混蛋甩掉 +- 她打电话要我和她做爱 +You want a pizza and a pedicure too? +因此他被解雇了 +現在就是時候 +肯定是打針的緣故 +他搞得这一团糟 我想杀了这个混蛋 +哦 +你不知道我在做什么 +情报局有很多人不知道你们 +可惜你不是 记得这一点 +-我们不是吗 +198)}{\fn方正黑体简体\fs14\b1\bord0\shad1\3cH2F2F2F\cHB5C9CA}你快走 我不想害你受伤 +这位是 今天我该怎么称呼你 +家园被占领 +-我老爸想见你 +因为你要我相信 +没错 路易 +令尊好吗 你的家人呢 +我们达到了什么目的 +聯邦軍隊指揮官的葛底斯堡戰役 +但只能靠你啊 +当然是这个啦 +可是 +奶油泡芙不会就是... +广美 +如果流著我的血的孩子 +- 智媛小姐 要不要去参观一下 +这周末讲好了吧? +干嘛打领带? +没事的 +那是凯蒂吗? +但你能在这个周末出来看看你的妈或许 会更好些! +-因为你糊弄他的... +很抱歉把你吵醒了 +我得回我的家. +提姆 +- 成功率是多少 +放手? +我会搬进去的 {\3cH202020}I'll bring them in +{\3cH202020}LJ Burrows? +here +杂物要清掉 {\3cH202020}Studs gotta be removed +嘿! +你想去哪? +- 这是什麽? +孩子们,到那你们想做什麽呢? +杜玛 +别担心速度。 +她找啊,找啊。 +它比马高一倍 +转换了工作以后,就不再保护港督 +我对你的感情是真 +我把棋子移过一步 +吃饭的时候 +公主,你嫁给我吧 +不知道 +老爸你怎么样? +他和你的朋友一起 +明天在学校 你要让每个人都知道 +- 你不是认真的吧 +她在等待 +我不会带着家庭来工作 +他用枪指了我六小时 +谁在开玩笑吧? +- 怎么了? +谢谢。 +我们将不会很长。 +你甚至不需要去上学。 +我的医生... +保罗,醒了。 +对我们来说都是 +我们要避免再次中计 +咱们叫人送洛斯可炸鸡上来吧 +把音乐关小声点 +看起来像洋娃娃的头 +我知道你想说什么,玛拉 +听说有一次被人骂是同性恋 他就把那个人从三十楼扔下去 +可是现在市场饱和了 +不过我得告诉你们 +我是可洛索的罗吉 +我抄了一些诗在里面 你可以做剩下的 +但我11岁的时候他就死了 我妈妈不会认字 +我們相信 +湖就不存在了 +Carlton先生 +我没想到你们会来 +离开那阴暗女人的魔掌 +哦,我可真幸运 +... +能下次吗? +我的户口号码 +我罪孽深重 +永别了 +他从来不向自己的学生下手 +人气商品,要做... +你不介意吧? +哈罗,我是李金子,来自韩国 +法句经 +你搔它痒... +若要依法办理 +我们从头再开始好吗? +(charley现在是个同性恋。 +你以前做过爱吗? +好的。 +被解雇了。 +咸肉! +而且... +-不行。 +- +) +) +) +他们什么事都不用顾及你 +我最好的朋友的爸爸 +女人不那样放屁,我的朋友 +我们该走了。 +伙计,你也太蠢了吧? +没人了解我! +-好的。 +- +收到,漫游者二号 你的视讯很清晰 +看那些结构 +这些终极生物生存环境 并加以保存的实验室 +我们发现一个 可以运用机器人的结构体 +- 庐梭? +我仅代表迪古夫妇、艾佛韩索 +你也在飞机上? +就是这么单纯 +你有看见华德吗? +15、16... +蒸汗屋是什么鬼? +营地就在那里 你能不能去帮我拿件衣服? +你现在必须检查货舱 +两名特工会上飞机帮我们寻找她 +我想柏纳应该去谈 +- 妈妈又逼你去找正经工作了? +你还是怕我吧 +准备接受 +-什么事? +海洋之王 +真正的爆炸性新闻是... +勇气可嘉 +- 你的梦 ,这个星球? +为金刚山大坝威胁论 做了很好的铺垫 +思卫仑金有布洛克孩子的消息吗? +特里克茜要我谢谢你 +赫金斯在一个废弃的仓库中 +损失6人,让医疗队做好准备 +- 防守好周围 +- 然后呢? +没错,玛莉乔 因为已连续16周没有人中奖 +要上来趁现在 否则就收起绳子 +曾经是 +拜托,清单列好了 这是唯一的办法 +回去吧 +三守啊 +Morty? +- 他為什麼要推你? +噢, 住手, Carlos, 住手! +- Give me that key! +那谁来救我? +- That pussycat is dynamite! +对 +不说我甩了她 愚蠢的决定 +好 +我有心理顾虑 +就是象征表示一下我的谢意 +[嗡嗡声音] +我的意思是,说真的,亚洲? +恩, Andy,销售额统计出来了... +什么? +{\3cH202020}This kid is gonna give up Fibonacci? 他想直接和你见面 {\3cH202020}he wants to meet with you directly. +决不放弃 {\3cH202020}You never give up. +啊... +都轉換成股票了 +你去哪里了 +真是不可思议呢 +是想让咱们跟过去吧 +200)}请快一点 请快一点 +凸肚脐! +嘿,等等 +- 阿肯 +好吧,伙计们。 +女性解剖如何? +号 +我认为朴世直事件给阁下的看法造成了不小的影响 +不好意思 我有点事耽搁了 +他们看到了你的未来 +清除他们的记忆 +终于找到了 +运用你的感觉吧 +你抵达之前,我先引开他们 +圣殿曾发出任何讯息吗? +反转稳定仪 +绝地议会不喜欢他干涉太多 +我去帮穆特上校 +还有呢? +要让我尝一滴能感觉到兴奋和爽劲的话, +在某些高级饭店里 +嘿! +我父母费尽心思要带我们离开艾尔帕索 +哦 不会吧 天呐! +哦 如果你一整夜都在不停地喝酒 那就不难了 +噢,不会吧 +你的小货车又坏啦? +白发人送黑发人情何以堪 +饿吗? +谁? +我坚持了下来 但是你没有 +所以我没有能及时把他从熊爪子下救出来 +那你为什么不去抓他? +他以为自己是个传教士还是什么见鬼的东西? +我有儿子 我有关于他的记忆 +葛瑞分葬礼上我说过我怀孕了 +和幸存者的名单 +你在说什么 +不是在自己家做的时候 +我会还给你 +好好过日子 别吵嘴 +嗯 +看着就像 +-为什么 +世上有很多宛如天堂般的美景值得一去 +这是奇迹 +你脸红了 我们刚才... +- 好了 +- 谢谢 回来真好 +- 好啊! +你搞错了,医生,小女碧乐 +我的天啊 +谁干的? +-你绝不会... +- 賈科莫,我們去哪裏? +如果您給我... +所有我在熱那亞接觸的女性都在 我面前隱藏她們真正的本性 +你反而需要增肥 +- 太精彩了 阁下 +有一天你会回到威尼斯的 +德方索 +你被解雇了 +我不記得了 +「把派普齊奧帶回了他家」 +- 賈柯莫,我們能去哪? +- 有個男人正在追求她 +我不知道 麻烦吗? +没他我也会执行 +乔万尼 +对 我记得 沃尼奇科斯特洛小姐 +你反而需要增肥 +媽媽 +我不明白为什么有人质疑这个 +他曾经说过 武器夺走了 饥饿者的食物和无家者的居所 +他能保证包括华盛顿在内 全世界都能向公司敞开大门 +公司利益和政治力量的纠结... +"每个美国人都要从某种层面上 思考战争的可能性" +我们有当时的照片" +永远忠诚(陆战队的座右铭)!" +学生... +我要阻止它 +願神助他勤政愛民 +是神在报复我们王国的自大 is God's vengeance against the vanity of our kingdom. +Remember that. +How did my boy deserve it? +市民们万万没有料到这一点 +不 我不同意 +你在乎什么? +我想我能帮上忙. +聖闘士星矢 冥王ハーデス冥界編 (圣斗士星矢 冥王哈迪斯冥界篇) +希望的圣斗士排除万难赶来 +思い出を 瞑ってた 安らぎをただ求あ (思念往事 閉眼追憶 只求安寧平靜) +况且 +整个宇宙的时间停了下来 +天地万物 一切都进入了梦乡 +不把潘多拉大人他们弄醒 +拉他的腿 拉他的腿 +我没有 +你疯了 +别动! +-有一些不同 +-成长变化的人 +成为警察之后 +再坚持5分钟 +- 哦,是吗? +你不行了艾丽卡 +(人們常說好消息傳得飛快) +看起來像個芝麻 +餐馆来了几个黑帮份子 +来啊,婊子,说些笑话给我听 +他去世的妈妈想让我继续 +她有没有事? +一整个周末不嗑药 到了礼拜一你会很惨 +这不是就有直接的办法了吗, 指挥官? +我们逮住你谋杀和武装抢劫, 你还有心思说笑? +還有, 呃, Scofield... +-你是指在墙里面 {\3cH202020} +一句哼哼 +嗯 +-谢啦 +内勒先生? +第一件事你会做的 +噢 这真新鲜 +尼克 听着 好吗? +一切就象约翰·格里逊的小说 (美国畅销法律小说家) +当涉及到香烟问题时 +(菲利斯蒂尔佛蒙特州参议员 肺部协会) 谢谢你们 谢谢光临 +采访一个知道内部信息的男人 这是很重要的 +因为否则的话 我们不可能自由 +这才是我儿子 +得了吧 乔伊 相信我 +但至少你动脑子了 +- 很酷,对吧 +她将离开我们 +他还是牛仔巡回比赛的冠军 +他们正在做宣传 +很不错的照片 +你真的没事吗,斯坦利? +你会恨我的 +下颚整形,消除喉结 +我刚刚跟我在教会的直属上司说过 +然后山姆和佛罗多 要进这个山洞 +好了,这样就不会再露鼻毛了 +我当过女人,也当过男人 +好嘛,我听就是了 +每天晚上我都抱着睡觉的 +给我们盛情招待 +玛格丽特说你快要动手术了 +我才不要嫁给你 +我们是在去Dalas的路上吗? +. +你不介意更详细些告诉我吧? +但昆虫、鸟类和哺乳动物 +并非如此。 +-是的 +有时绝境求生要险中求胜 +这违反了规矩,不过 +女士们,进去,快点,快点,我想听演讲! +听说过 +- 听起来不像个人犯罪 +是,我们想制造抵抗组织有很多 成员的假象 +正好合适 +很多都认为,盟军将会在八到十周 之后入侵德国 +为什么像您这样年轻的人 会为这种错误的想法而冒这样的风险呢 +和以前一样,我还是这个观点 我为我的人民做了最正确的事 +它们摆在那里 我就顺手拨下去 +不要,因为那是错的 +以白玫瑰之名印发传单 +- 现在 +有一天,我突然懂了 +他可以相处 爱抚他们 给他们唱歌 +Amie她自己仍然 藏在Treadwell的镜头下 +他们说非常难看 +不可能连一张金奖券都找不到 +-还要换掉那条脏裤子 +维奥莱特会永远是蓝莓派吗? +我才不要 +最特别的大奖是一个惊喜 +-对,松鼠 +...你会由一队列的大卡车护送回家... +-- +what with all the technology... +帮忙找她儿子 Help her find her son. +我不知道自己为什么这样 +是的 +不要 +那边 +瞧瞧,现在得有人下去 +游戏结束 +快开门! +我不会欺负你的 +嗯 对不起添麻烦了 +哦 +因为当我望向窗外 但不是所有的窗户 +一部A片,就此诞生 +但这样直盯着瞧,怪怪的 +我什么都看不到 +是,什么,什么事 +好吗 +她是我的一切 +他不会告诉我有关她的. +? +所以我主要靠心去听. +要你自己去学 +人们不仅仅丢了工作 +为什么她会那么做? +- 是个篮球 +千万不要离开这去告诉她 我跟你说过这件事 +已经过了很多年了,但我仍可以清楚地 回忆到有关于海伦恐怖的过去 +好像是六点半吧 +当你来到这的时候, 你看起来真是一副老成样 +他试着想吻我 但是我把他推开了 +为什么你会那么说? +- 谁先提出离婚的? +求你了? +你不能赶我出去! +马西莫控球 +我是认真的 +哦 +-我也叫她来 +你偷走了我的心 +-这是我的房子! +? +我不在没电无法办公, 你什么时候来的? +从现在开始,只注重家庭! +扑向爱是火焰。 +你有什么要做的吗? +你早先的时间只是对他的恰当 +-我不想! +这个袋子是... +-谁? +我们还不能肯定你看到的人都还没有死 +- 不吃不喝地做 +既然曾经有过那种感觉 我觉得还是应该让你知道 +看来你没得玩了 +十分 +-这把椅子没人坐 +-我希望如此 +硂琌產ぃ岿┍ +-嗨,怎么回事? +... +- 首长同志! +哪儿是后? +别杀我 +- 真倒霉! +- 你发什么愁啊? +不行! +让我在这里唱,现在吗? +那咱们该去哪儿? +- 喜小姐? +等等,等一下 +- 我要开枪了! +为什么偏偏往那边丢呢? +泽基,进屋去吧 +- 他是我儿子! +快卧倒! +朝鲜人民军残部设立的防空基地 +姑娘们都喜欢我! +- 这是命令! +一群傻瓜! +看看你有多神奇 +你很上相耶,帅呆了 +- 在这儿等我 +{\fn微软雅黑\fs16\2cHFFFFFF\3cH4D0000}蝙蝠侠越是想要保护哥谭 The more the Batman tries to protect Gotham, +8月23号 +這些人會幫你穿好 +嗯 +然後? +(他能帶來我們生活中所缺少的東西) +对公司意义重大, 布赖恩 +对不起. +我小时候在巴基斯坦 附近总会有... +一有機會 +我們的分析看來很正確 也獲得了很好的衛星覆蓋面 +那也是履历的一部分么 +6块土地? +他们会努力反击的 +因为那是无知的举动 +第二 +再见, 鲍勃 +如果我没有信念 +这里真美 +鲍勃你还不明白吗? +- 他是一个陛下 +第三 +闪耀动人的 +喂? +好主意 +只要我能在厨房做菜... +"她們"嗎? +[低聲細語] +星期六 +他是個不錯的男孩兒,他值得你留下來 +继续读我的杂志 +. +嘿, 你在这儿真是太好了. +- 送花有效果了? +你可以拍我的照片啊 只是要拍到我好的那一面 +是你的好日子,去吧。 +"在埃及重新开始。" +安贝儿? +不过不全是捏造的。 +让我拍一张你离开的照片吧 +傻瓜,别哭 +你说什么? +你可能已经被传染了,你需要做检查 +就算死了我也一样爱你 +什么? +没门,我很累了 +当我吃饭的时候或者看到美好的东西 +没什么。 +- 真好玩 +今天的活已經幹完了 +你要嗎? +我女儿明天要走了 +没有没 +不是啊,我女儿回来了 +各位,不好意思啊 +Sadik, 你到哪里去了? +这是Huseyin, 跟你爷爷一个名儿。 +他会掉进去淹死的! +就这一次免费哦。 +你用你的摄像机拍我走路的样子。 +钱、护照... +快走 +276)\1cHE0E0E0\2cH000000\3cHFF8000\b0}待会儿让你们坐坐 +好像是? +破坏与创造... +紧紧拥抱梦想 +{\fnarial black\fs12\bord1\shad0\4aH00\fscx90\fscy110}What are you doing tonight? +-No, we are not playing 'have you met Ted. +... +... +十年因为被史东打碎下巴 +我会尽力 +他们下手你顶罪 +各位,美国总统 +你知道 +小小萤火虫,人小志气高 +等等,等等 +- +如果你不快点,我们肯定会迟到 +-好了 +我们说好了要一起逃走的 他们对我发过誓:"我们一起走,杰克" +对方有多少人? +没有人见过戈尔德 +但是他们认为能成功 我也相信他们 +什么都是他说了算 +俗话说,战争越激烈,胜利越可贵 +如果我还有别的选择,也不会找你们了 +咦? +我能为你做点什么吗? +我也很喜欢他 +我们的证据已经够了 +死党 我不那么认为 +我喜欢极了 +闪人吧 你干嘛要那样? +这种事不会再发生 +-没什么 +我说是! +她的朋友被强奸了,Allison当时就时隔壁 +访谈结束,走吧 +但说真的 +表兄弟姐妹 +"16街帮" +因为它离地狱最近 +那边有公用电话 +我和他亲密是因为拷问他不好用 +因为我担心Charlie +你真可怜 +What are you doing? +乔,快点来窗户这里和我谈谈 和我一起祈祷,我会为你祈祷,来吧 +丹尼斯,是警察! +刚不是才说我很成熟吗? +罗曼波兰斯基获得过奥斯卡吗? +开车去了急诊室 +-真的吗 +如果我忘了什么 别惊慌 +我们吵架 让你生气了 我在补过 +她是帮我提前释放的人之一 +噢,加内特夫人 +你这个黑鬼挺矮的,不是吗? +迷惑我们 偷我们辛苦赚来的 +大多数情况 只是人们喝醉了犯傻 +您能分清困难和危险的区别吗? +我渴了 +希望你可以找到她 +-嘿 怎么了 +并向他道歉 +-再来一杯吗 +戴夫 没人第一次就做得很完美得 +徒步旅行 +我们就在他家里 +我想你是对的 +我害怕弄壞它 您不用怕 +我有病行了吧 +你有感觉吗 +该死的 你的父母在哪儿 +他不跟我们混了 +回头见 +带他回我家 +不能怪我 +你看谁来了? +但你要做到 +房子乱糟糟,人都乱糟糟 +要放就到园子放! +你要救我朋友,你答应过的 +我叫莎玛歌卡 +快,她要跑到隔壁栋了 +停下 +别傻了,孩子 +等一下 +原本以为不用费太大功夫 +15号氧 +他对你说什么了 +他说过 精神性休克 +谦虚的小礼物 +- 那是引开注意 +我不该要你帮忙 +那个什么"行方便的" 你叫自己那个什么玩意儿的 +我上个活儿提早完成 他也知道了 +- 我还有正事儿要办 +- 嗯 +那一定 +被人用剑捅死,哪来的尊荣! +不行 +- 每个人都得方便吧 +就把我当成有史以来 你见过最能鬼扯的人吧 +[引擎启动] +我们可以在那里搞定他 +等等,等等,停,停! +炮口对准"咽喉"... +- +- +- 那我沒錯啊! +- 你不需要我,天才 +When you touch me... +Koel 把他带进去 +我们已经克服这个危机了 Girish +巧克力 给我的? +-S +为什么给我这个? +他想见你 +祝你生日快乐 +现在刚从伦敦回来 +好像你要把它奪走 +- +拜托你快停下吧 它可是我最上等的一只长尾鸡啊 +' +说话也不看看对象是谁 +- 老爷.. +你要干什么? +一切都会好起来的 +说话也不看看对象是谁 +一个和她有婚约的男人 +我以为你也会为我们高兴呢,我们赢了啊! +如果你是人,你就不会说那么动听的话 +-没什么可担心的,孩子 +Banwari! +这是我的膝盖 糟不糟我自己知道 +你怎么知道? +最后有一首歌 +你的工作經歷... +-你知道,House不应该在这里 -因为他说过一些不好听的话? +- 谢谢,兄弟 +我来了! +没有办法吧! +不管怎么说 我... +我想他们可以吃晚餐了 +- 这根本就是大屠杀! +这是一把自动... +我不懂你在说什么 +喝过千圆一瓶的葡萄酒么? +學校圖書館裏 全國我們最大 +... +我们习惯叫这片区域"化妆间(意指女厕)" +别这样 +因为我知道你不是个同性恋 +你若能找到三个有同样申诉的原告 我就让你的集体诉讼生效 +我没看到什么袭击 +减速 +嘴巴干净点 上帝在听着呢 +他们和黑社会有关联 只能算是她运气不好 +# 妈妈对我说不要 +那你就住这儿 +恩,公司只是想在雇用你之前确认一下 +我肯定我们都很震惊 夫人 +你没怀孕 +祥猁豭 +我不要什么啤酒 +然后怎么办 +上帝 +-那可是我辛苦挣的,爱莉斯 +你们呢,女士们? +申思雅,你他妈的在广告上改字体,为什么? +- 或者 哦 哦 你卡到我头发了 +嗨 你做得很好 +-不 你闭嘴 闭嘴 +就是这样 等等 +我刚才在舞会上看见你了 +煞克, 亲爱的,你不是还不舒服吗 +- 好吧,坚强一点 +我最爱吃了 +不是 +- 约翰 瑞恩 +呵,祝贺你了,克利斯 +看上去不像啊 +所以我也就没有揭穿 你编造的故事 +200)}とてつもない笑顔 ましまろな女の子 +200)}ねえ、平気なふりして走った +咦? +应该是... +...知识是我的老师 +嗨, 蜜雪儿... +蜜雪儿... +我们明天就能查明了, 我跟雷姆斯基先生约了电话 +- 我很愿意和她来一下子 +- 你从哪儿... +这里的隔音好差哦 +达丽亚, 我们进去吧 +如果妈妈愿意,这间就是你的 +你的费用是多少? +威廉太太? +明天就会水落石出 我会打电话给林斯基先生 +- 离我远点,小婊子 +- 跟我一起进去的那个女孩 +好极了 +- 哦,实际上,我是在找您... +你到底是怎么了? +听到哼唱的声音 +我就知道这些了 +我来收桌子的 +- 恐怕不能给你 +- 伯特 +第3英里,时速171.371英里 +好吧,我告诉你,因为你是朋友 +我的上帝啊,真是太危险了 +你不能在路边停车, 这是不合法的 +戴过消防员的帽子 +你不会像被恐龙吓到一样恐慌吧? +你干什么,会伤着的 +啧啧 她可真漂亮 +快点 要跑的话咱就得赶紧了 +最乖的男孩是某人的外甥 +闪光的? +哦,但我带来了啊 +是啊,哪个比较好? +- 什么? +玛雅两个相爱的人... +抱歉打扰,先生 没问题 +你还要杀了他家人 +然后,我们的屋顶爆炸 我浑身都是泥灰粉 +我钱包不见了 这种情形难免,别的都还好 +怎么样? +你不可能坐在这里 +他们是常客 +我知道,他们是常客 +父母生活在一起吗? +打开危机备用空房档案 +是哦 +我和伊迪闹翻了 +乔治热爱艺术 诗歌和音乐 +过我不想过的生活 +-Shirley Schmidt真的回来了? +-真的很高兴能见到你 +! +-下一首 +20年的爆发! +我们是一个人道主义讨伐团 +- 怎么样 这样你... +Dinkleman... +西雅图水手队本周末就会前来 我的意思是... +等等,我给你个东西 +要么一点零五分要么七点零五分 那儿总是有场比赛 +可以 +没问题 +你是不是在装啊? +我是帕特里克,你是? +是一个很棒的公司叫作侯爵喷气机... +没有伤痕或其它什么的 +我的职责是确保这一切顺利运作 +我找到逃犯的下落 +你怎么样 麦考德 +刚才好险 +-嘿,你插队了 +我们刚进来都是那么拙吗? +怪不得我这么喜欢你 +打开聚热灯 +-你们可以把她带走了 +而且... +把一个女性产品带走 快追上去 +找她的本尊 +没别的颜色可选 +采收过程顺利吗? +我们逮捕了嫌犯... +- D) +我有个问题 这些管子都通到哪里? +小心,小心 +你可以说这就是人性 +- 帮什么忙? +请坐 +我想是时候了 +你今天还有那玩意吗 +我超迷他的 +心律102 血压126 / 82 +老麦从来不谈他的工作 +没错 我知道 +-没错 +我从朋友那里拿的 +我们才刚到,不过崔洛 已经进入全市的监视录影系统 +-汤姆林肯 +-嗨 +人类为了活下去 什么都做得出来 +不行啦,复制人不会穿这些 +-闭嘴 +我的名字是林肯 +你怎么了? +混蛋 +金玉分的丈夫 尹泰植 +你在做什么,戎? +不要动! +- 号 +- 不! +没有吗? +- 那时你才八岁 +- 拿好你的枪! +- 我他妈的当然没有 +它正好倒在指定地点 +- 这个你得看一下 +我有我自己的东西 +... +如果他不开枪呢? +什么东西也没看到 +进医院? +从气候开始,然后是植被 +我只有希望,但是没有期望 +Locke! +怎么会这样的? +我想, 那也是有可能的 +你在做什么? +你救不了他, Jack! +有人来看你 +不值得去死 +我跟总部怎么说呢 +不 这是个互利互惠的计划 +所有兄弟都会打你! +大D死定了 +{\fn黑体\fs22\bord1\shad0\3aHBE\4aH00\fscx67\fscy66\2cHFFFFFF\3cH808080}呃, 你的服装呢, Gretel? +{\fn黑体\fs22\bord1\shad0\3aHBE\4aH00\fscx67\fscy66\2cHFFFFFF\3cH808080}可能是真的,但是如果吃了一点你的肉饭我的菠菜就可以被踢走了 {\fnarial black\fs12\bord1\shad0\4aH00\fscx90\fscy110}That may be true,but your rice pilaf kicked my spinach in the crotch so hard it threw up a little bit. +艾米,你为什么要搭理他? +他当时还在戴尔叔叔那里作客 +-莲娜 他还不知道呢 +那是萨姆森, 我儿子. +我的工作是让人们笑 +- 上船吧,伙计们,快 +- 来吧! +* 我唱着一首歌 * +克莱儿・波? +歌舞杂耍,是吗? +船长卖珍稀动物赚了不少钱哪 +最近每天下午都下大雨 +艾兹吗? +我不让你坐木筏 +我的小教区毗邻她的庄园 +我真心的希望能尽快 给我的牧师住宅找到一位女主人 +你是在拒绝我? +再见,达西先生 +如果吉英死了的話 這會是對彬格萊先生追求的安慰 +告訴令妹 我很想和她見見面 +他不會讓她闖出什麼禍事來的 +他是我一位赞助人 凯瑟琳夫人的外甥 +欢迎莅临寒舍 +过不去就被当,这比较简单 +沃克洛先生? +马萨德,你好吗? +载着300多条灵魂上天堂 +数到三就拉,准备好了? +那不是局里该管的事 +不用藏 +遥控系统启动,全体人员离开 +马修・麦康纳 格斯・格斯特维斯 +他叫什么名字? +快捡起来 +这下麻烦了,怎么办? +我的帽子掉了 +我们得先找到他们 +法兰克 +没有,那里是禁区 +后来气候改变 +喂? +倒数五、四... +你在干嘛? +伊娃,我要你去找引信 +下次你去! +所以这里的人才会生病 +你怎么搞这么久啊? +闭嘴. +但是我不想 没看过这部电影就死去 +现在我们家只有你和我 +否则妈妈要把你 芭芭拉・史翠珊(明星)的收藏都没收了 +-B计划 +-D计划 +你们好,有人想试试大嗓门么? +-ohh +不错 +歌曲: +- 和"停车"指示牌一样? +(即将上映) (电影: +- 小母鸡 +- 朝另一邊跑 +這塊板不能退貨吧 +更多的拥抱女性世界。 +你要接受不 没有爱抚一个月? +- 不,它不完全打得很好。 +一百万? +- 如果,傲慢。 +但不是说在公共6年。 +没人告诉过你 大人物在吃饭时别去打扰他吗? +四个在这 +味道怎样,凡德鸡 +干掉主人之后,把狗也杀了! +不要啊! +快杀他们,快,丹尼 +阿,不对,这是汤匙,这是你的汤匙 +走吧,还有事要办 +看来这里好像有人须要帮忙 +-看来你有问题 +-从前的快乐就回不来了! +女人们认为她们可以去谈论 如果不像我这样谁会去死啊? +你面对的是个骗子 别以为扮可怜小孩 +{\fn楷体_gb2312\3cHFF8000\b0}Tractor是"红方"的飞行指挥官 +你覺得ANGELA這個名字 對你而言有什麼特別的意義? +多多关照啦 +对,你爸爸当然很清楚这个咒语 +然而 由于波特先生原本遥遥领先... +-是你对克鲁姆施咒,可是... +他回来了 +才不会,你知道我不写信的 +你的帽子 +我也这么想 没有龙的日子不知道是什么样子? +很好 祝你们好运 选手们 +什么意思 +-基本没问题 +-她答应了吗 +还说我疯了呢 +这是哪儿 +为什么要告诉你 在水下打开金蛋 +还有纳威·隆巴顿那个白痴 +首先你们有谁可以告诉我世界上有多少不赦咒 But first, which of you can tell me how many Unforgivable Curses there are? +怎样地求我杀死你 ...begged for death. +-But... +一定不 头儿 绝不相信兔子 +-就是这样 +-我知道 +你明白我想你为我做的事 +我是个专职调查记者 +那是我几个月来第一次试镜 +跟着他们 伙计 我知道小红帽一定在那里 +-事情的经过是怎样的 +吭 局长 +"她天生就热爱危险" +我是慶幸我現在在這 +正在遭受暴君及其恐怖統治的迫害 +而且我还说了 你要是想让你的乐队演出的话 +我走,我现在就走 +我不喜欢结局 +好吧,但是我一直在想 +我的提议现在还有效 +15个月后 +好吧,我觉得你对责任的担心让你变得无能! +我全都准备好了等着他 +"很多"是什么意思? +经济上的动机只是 我绘制这一社会宏图众多原因之一 +Dr. +副作用 +常用叉子戳肉类察看有否煮熟,熟了就是done,完成) +比如外观表现,阻碍了你事业的前进 +不是吧? +地? +那就要看我能捞回多少了 +请留下一个孩子吧 +那里有3个子弹船长下地狱 +有个女孩坐在那里,笑咪咪,光溜溜的。 +就从现在开始,有问题吗? +还有我. +哦,沃尔宾 +是你的Fianc? +是的 +他的人在所有部门里都有 +满上! +你们将被送到另一个国家 +狗日的地雷 +也许这是你最后的机会 +明白 +他生病了我从医生那听说的 +别叫他达斯人 +- 是吗? +- 艾文很有趣 +没事 你有我们缅因州的电话 记得锁门 +- 我其实也挺好的 +我只想说... +我只是想来看他打球 +我已经读过很多遍了 我要读点新鲜的 +周五晚上很多中国人会在湖南宫殿 你一定要来哦 +当职业球员很辛苦 +在妈家 还有我所有的乌龟 +简. +我想还是不喝了 +能完成最后的交易吗? +她当然不知道我的存在 +这还有一个传说 +每一个在非洲的派系 喜欢给自己起一些时髦的名字 +有时 在枪支上找到他的指纹是一件很尴尬的事 +и辨腊и +从温度, ,它显然是接近太阳的行星。 +人杀人是家常便饭 +总有解决办法 +当他们说要打仗时 +抱歉打你这个号码 +假冒使用者证明书 +世界上没有一个独裁者... +我想念奥德萨 +10年后才会杀死你的病 +所有的地方都不错了 +我要把它读对,母鸡 +是的,先生 +我们得走了。 +和尚们会驱走附在他身上的鬼魂 +和也 和也看这边 +上杉和也 小和 +- 加油 +yeah yeah yeah yeah +- +I think the weatherman's been working too hard. +- +Now it's as if she's been turned over in the water. +...昨晚八点半,我看到他们离开 +...日期是... +就是,别把我的父亲也扯进去, 我可是从芝加哥来的 +- 什么都不对! +我永远也不会那样想的 +这些是香肠,烤熟了 +也许即便更早些 +在你到来之前 +没有,她是新来的 +再见 +LOST档案 及时雨 +不,我不要回雪梨 +波恩 +他会死的! +在这种地方要找哪种人 才问的出答案呢? +- +而不是... +好吧 +- 像丹尼尔摩斯吗? +搬到二楼你觉得怎么样? +直说有点尴尬. +我收到你的信息了. +在我养育你的过程中... +而我又老了3岁 +已经快不行了 +请问有没有零钱 +那个 +陛下,看在他对先王 忠心耿耿的份上... +叫你坐就坐! +贵族吗? +导演: +我不让你去! +- 上啊! +额头像我! +天底下也只有我长生敢诋毁皇上 +{\fnarial black\fs12\bord1\shad0\4aH00\fscx90\fscy110}You okay? +Game face on. +{\fn黑体\fs22\bord1\shad0\3aHBE\4aH00\fscx67\fscy66\2cHFFFFFF\3cH808080}我... +Hi,guys. +-嗯哼 +我想去猶他洲但沒有錢... +我想給你 +真他妈有可能 +为您工作并且没有新的打算 +爸? +哦 哦 骗子 +- 嘿,她去哪? +赶紧逃命吧,见到鬼了! +我知道 +妈妈说过: +他们绑走了姗蒂,如果我比赛 川顿会对她下黑手 +哪天我们就会被你害死啦 +- 不用客气 +- 你到过汉城吗? +发生什么事? +不,我也没看到他 +(一切痛苦都是咎由自取) +- 关于什么的? +Met. +- 才不是好消息 +很好! +因为李哥... +你跟史都华在哪里认识的? +我会的 +我是说你不是完全没吸引力 +请问那一位找阿定? +噢 胡说 我们不比艾弗格拉家差 +噢,像她那種女孩滿街都是 妳才不同 +终于结束了啊 +从现在开始要对你说的 +收起来了 +不 我们全部留下 +我从前帮她搬过东西 +嗯... +是啊 反正到头来也是露宿 +所以我才决定要一直陪在她身边 +所以自从那以后 +少说废话! +朴社长 好久不见了 +梁会长来了 +给我... +没什么 其实就是 +都有哪些男人对我着迷 +46B28 好的 +肯定会的 +我自己用 +-她跳得很好 +- 怎么樣了? +掃除霉菌工程? +-Stop it. +你在做什么工作? +噢, 抱他走走, 他会平静下来的 +这件事只有我相信你 +-你可以搞定他 Lori +这是不是意味着你... +不会再有冰了 +彼得派文西,来自芬奇里 +罗比. +他们演讲... +他妈的给我开门 +把包打开 +我告诉过你 +你没听到我刚才说的话吗 是吗? +又离学校很近 +我是说,虽然他也有些不寻常的习惯 +- 我开迟了吗? +把大衣给我吧 +- 你应该去喝点水吞药片吗? +约翰告诉我们,他瞥见这个世界的新的希望 +我很高兴终于有人能利用上她了. +唔! +哦,哇! +我要看牌了 +听着,我不知道你俩之间发生了什么 但我确信你能够解决 +鼓起勇气去让她也爱你 +呵 这个很神奇 +不留任何人 +我们干的是同一行 只是在不同的层次上 +那好,在你看来情报局的主要任务是什么? +他们可以马上造一个核弹 我们没有时间阻止 +不许动 +爲了安抚国民的情绪 +我从没把十大守则写下来 +但我却很快乐 +我们都得向我们的朋友 同行 +一个什么? +野武先生 +野武先生是公司的总工程师 +你是一个优秀的艺伎 +-那儿很偏僻 你会安全的 +毕竟 这不是公主的回忆录 也不是女王的回忆录 +南瓜! +我们利用水的巨大能量 +永远不要让一个工程师向你解释技术问题 因为他会... +- 你明白? +我第一次知道母亲得了重病 +还划破了你漂亮的和服,太可惜了 +你是否从来也没想过 真美羽会成为你的保护伞? +这些农村来的女孩 +小声点 初桃还在睡觉呢 +快点快点 不要迟到! +恩 我知道这个游戏 我们那儿叫"婚姻" +你也办得到 +要拍啰,别动,太好了 +会长先生需要我的帮助 但是我远不是原来那个艺伎了 +好这样 +你不能向太阳索要更多的太阳 +我很抱歉再次请你... +-好久不见了 +Jess 失陪一下 +它把门打开了 +跟他打! +你难道不记得发生过的事? +是的! +您好! +认识你很高兴。 +你还记得她的脸么? +烤肉店... +的中层阶层 开始感受到经济危机 +怎么配合呀? +只是缺乏母爱而已 +但现在弥补还来得及 +谢谢! +辍学? +麦熙,从这给我出去! +这些不要只针对我 +我不是想要丢弃给你们.. +对了 安娜常听的CD是什么类型? +谁晓得会发生什么事情呢 +嘿... +有没有搞错 +要你的一滴伤心泪 +我都没想到过要杀王 +该发生的都已经发生了 +他们这次挖的坑可能比刚才深三倍 +老板说你有15分钟的时间 +等到你年纪大的时候 就会失去耐心 +溜冰场,对吗? +你不必回答 +他也许是对的 或许是我的错 +你不知道这个吗? +它们占有他的身体 +他故意引诱你的 不要出去。 +【歌曲】 Come on! +- 有点常识好不好 +想着 还是得和您见面啊 只好选了今天 +- 不是那样的 +我们已经等你很久了 走吧. +我在努力把她养大 +或者当脱衣舞女 +- 不要说了 Nina 不要说了 +我本以为 +- 爸爸 +- 我可以一直说 +但没人说过 风雨后的宁静 +你想说什么? +因为下雨天会有谁洗车呢? +"因为我破碎的心在滴血" +嗨,艾蜜莉 +你好 +查号台给的数据未免太多了 +你并没有来迟 +- 我到底在和谁说话? +不会有入侵的感觉 +我的职员对这个32岁的女性 确诊为... +就这样 +是的. +我没问题 脖子还在痛吗? +Cheers. +我没有跟你说吗? +我想我要坐在车里... +整合媒体与资料检索 +我能跟你谈谈吗? +让开 +这里有个叫史宝的很不错 +吉恩 快走 走 +对不起 对不起 对不起 对不起 +嘿,怎麽了? +上车 +不灵的 +Once, +I'm on tv. +我自己来 +战败的... +你朋友呢? +长官,警方会如何部署下一步行动? +队伍? +接着是他外貌详细的描写 下面是签名,和以前一样 +- 你嗯个屁啊! +什么掩体? +我以为只有我们彼得堡人喜欢搞改革 +这是警察总署吗 +和我来,乔尼 +你害怕吗,艾尔 +好,逮捕他们 +你直来直去,不是吗? +拉罗克吗? +的孩子 +这可不可能是一种... +法拉尔... +我想是你来杀了我吧 +杰克! +-我想加入 +Bellick 不要! +監獄系統里基于性格不合提出的申請 +不是 是她自己的決定 +那道門后面是什么? +那批貨一定要安全送到 +接着,银行把牧场没收了 +- 好 +帮我们找找出口吧 +- 朱诺,把你的破冰斧给我一把 +珊姆! +走近点 +我們會告訴你們什麼時候能過去的 +該死的,我早想這麼做了 +还不是,好在滑雪板 由奶奶用"爱心包裹"给我寄来 +是,先生 +帮我一把 +我们根本是活靶子! +你的意思是 我们也无法恢复正常? +才能启动特定基因组 +但我要听听其他人的意见 +但我们都知道后来怎样了 +我要你们的名字和烈酒 +聪明人的想法是类似的 +如果这种病是传染性的 +成几何级数增长 +你不知道? +瞷琌иDNA +ǐ +我知道 +那为什么还有人去研究它 +(打字) +动物监控机构认为 可能是熊 +(尖叫) +凯尔 +-不是今晚,吉米,我们能不能别吵了? +-求你,艾莉,别害怕 +我可以害你被赶下飞机 你要怎么做? +世界很小, 是吧? +... +汉城地检 总检察长 郑銶永 +能打击犯罪 这是好的开始 +这到底是什么? +就是韦恩企业弄丢的那一台 +需要我们毫不犹豫 毫不留情的去打击 +但是犯罪其实并不复杂 +戈登 有人找你 +我不能告诉你该如何面对过去 +小史? +快进来! +替我验血 +戈登,有人来找你 +你接下来有什么打算? +来吧,来吧 +我不... +你呆着吧,吃点早餐,洗个澡 +天哪,恋爱中的男人真的是很性感 +我... +你知道, 我对你想 +要时刻确保你们知道紧急出口在哪里 +- 你还好吗? +- 天啊, 是他 +超级火辣 +好,我会尽快 +你还好吧? +都会让我们因此... +如果你想打我 +当我拿着辛辛苦苦挣来的钱打算 ... +我的女神微笑着,大叫着... +不过我突然如同被重击了一下 +也许她还会有点儿害羞 +证明你仍是个好汉 +哦,天哪,不 +内奸把你们出卖给黑帮了 +杂种 +-等一下 +-到底相不相信我? +你很喜欢听蓝调音乐吗? +或许是因为妳不相信他们 +贝育街1750号 +你最好跟他回去 +抱歉 Parker夫人 +-我们都是贼 +7000块 +打扰了 我找丽塔. +这样会使我党的政见混乱化 +- 你把一个男人吓得中风? +- 这事很重要 +你的学生贷款是39452美元 +- 我是丽沙 +恩 +我说我在镇上的时候很喜欢和她在一起 +喔,雷! +她也回应同样的爱一样 +哪一类型的? +我知道 +是的 每天晚上 +好象我总是吓到你 我不是故意的 +可以给你些建议吗? +- 我从来不看那个 +你没事吧? +我们为什么不回家呢? +...我会老早就被你一脚给踢开 然后接着你会再找下一位男士吗? +] +一直以为你刀枪不入 +是倒霉 +加布丽尔? +她是全美国 最大的婚礼事业的老板 +我不懂 +脚印,三个不同的脚印出现在这周围. +营地在西边4公里的地方 +告诉我! +也许他叛变了 +- +他们的命在你们手上 +- +我看的很清楚 感谢主 +在被占领状态,我们早就死了 +我关不了 +你去那里买 +沙巴本来会在特拉维夫给你一个的 +阿萨姆的女儿 +只会给以斯列人继续侵略的最佳理由 +真可惜 +"同志 祝你们好运" +-看看那,一个没有邀请我们的集会。 +如果我不停,他们会辞了我 +你会没事的,迈克 +每个人都在想可能会闹到法院去... +贝尔不需要知道那肋骨的事 +给我卖力点,你培养了个垃圾,废物 +倒霉、贪婪、灾难? +当心 +我的手受伤,这是合理原因 我也没有哭爹喊娘 +你被打挂了,干得好 +纽约前锋报 +你没事,别急着起来 +没错 是谁在不被看好的情况下 +抱歉,你没缴水电费 +挺住了,加油 +杰! +多长时间了? +[music] Give thanks to God always +好啦,我想我们也露过脸了,主要任务也就完成了。 +我会让你比任何人都幸福的。 +我不能耽搁,不好意思。 +{\fn黑体\fs22\bord1\shad0\3aHBE\4aH00\fscx67\fscy66\2cHFFFFFF\3cH808080}你说得对,没有这种开关 {\fnarial black\fs12\bord1\shad0\4aH00\fscx90\fscy110}You were right. +我还不知道到底怎么了? +我想你们一起为我挺住好嘛? +他们离开这了 +真的? +- 你怎么修好这车的? +拉我! +{\fn宋体\fs36\fe134\cHFFFFFF} +我们可以对付它们 +好吧 +稳死无疑 +好吧,饿了吗? +- 我听不到 +gespenst 后期总调整: +现在 安武赫国税厅长 +妈的 竟敢藐视国税厅 国税厅长 安武赫 +不 再让他们享受一下 +不好意思 我的朋友有时候有点不太礼貌 +贝蒂 我有个主意 为什么你不去喝一杯? +是 +1美元47。 +我知道如何使用它。 +- 是啊,好吧。 +我会告诉你,小伙子。 +好吧。 +那可以解决所有的问题. +- 这次对准他的大脑. +-- 一起干两杯,再互相拥抱? +Samara! +- +宝贝 +[Max] Rachel, 不! +嗯,我和一个医生谈过了, 恩... +[男] 很好. +如何了, Rachel? +- 这是我的报纸 +因为这里... +不, 不, 我只是想知道经过 +...无法解释自己对 Aidan的爱? +更多。 +这将有助于机构 开展了艰巨的任务... +圣贝纳迪诺造成的损失 共有47,000? +天哪,到处有骨头 +什么? +- 好,谢谢你 +没问题的 +别和她废话 告诉我吧,我听着呢 +嘿,钥匙给我? +- 南边... +- 我可以开车送你。 +她这是不是去拿钱了啊? +是谁先开始拒绝信任对方? +最后当你的名字出现时, 我才明白。 +- +据报导他们有外遇 +是吗? +我不会承认任何事情. +this train is leaving the station +What else are we gonna do? +我同样,也有, 你明白了吗? +- 你们好 +你们都知道,MVP把自己的队友出卖了 +再来一杯好吗? +克鲁传球给特里 看这大家伙怎么做 +到镜头外面去好吗? +托尼,来吧。 +- 不是,还有 +领队是前美国橄榄球协会最有价值 球员四分卫保罗克鲁 +但是你要知道 输赢对他们来说更重要 +上尉 +克鲁摔倒了很慢的爬起来 +吃吧,胖子 +- 是的,老大 +丹哈姆 突破了对手的擒抱 +- 布鲁西 +我们本该把他们打得落花流水 +第一件事, 我们要告诉队员们 他们把Unger藏在哪里 +准备 +你以前听过这样的声音吗 +没有必要解释 弗朗西斯 +也許我能夠 +瞧,我們的健康保險寄來了一封信 +到底怎麼回事, Dan? +你把Annabel升成我的上司? +除了不允许别人抓住你 +然后, 我能说, 我现在也刚失恋嘛 +- 见到你真是太好了 +- ... +现在登机, 航班624飞往纽约 +我来了, 兄弟! +没人知道你是谁, 这只是你个人的失败 +- 荡妇! +...扮Tina Turner, 我不能承担这笔治疗费用 +...感觉的话? +Johnson探员, 那个邮件欺诈的? +可恶 +布伦小姐 +那不是我 +晚安 +她说她要回家 +-明天 +你没有讯息 +那当然关我的事 +路易斯正在办 他在那里跟咱们碰头 +而且我透过望远镜监视你 +把门关起来 +面试不会太久 +但现在她觉得不行 她确定无法辨识 +在那些公众信息里 +流血的眼睛 又或类似的事情 +您找我吗 +姜昌成现在还是军部的重镇啊 +实际上,我们当中很多人 根本不喜欢来这里 +- 我要出勤 +- 好 +嘿 +- 我来... +对不起 +这是什么? +还好吧? +想要点吗 +哦 孩子哭了 +我猜你学的方法跟我一样 +来! +真正拯救人心的歌 +我的宝贝,罗珊 看看她 她好美 +如果你不累 +但JR没有锅盘... +你们知道的 +大家好 +演出时你想点歌,大声叫就行 +你信的 +你律师也说谎 路德说谎 +我要感谢你 +我们还是唱歌吧 约翰? +法兰克,约翰想东山再起时 世界变了 +那就是E调 +雷 你应该知道 你常常看这节目 +喂? +我妈在问你问题 +终于在墨西哥被赶上 +"威利・李,你不叫杰克・布朗" +睡觉吧,约翰 +噢 宝贝 +你们在这里做什么? +我是说 我猜他没法子很快地追兔子 +你要告诉医务人员什么? +你在哪里找到这个? +不管怎样 不是这么说的吗? +对但这是一件相当巧合的事 +其实我们刚念完医学院 +当然没有健保 +我们这里有个人,喝醉了 +是的 +轮距跟三菱的日蚀相匹配 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Wheelbase is a match to a Mitsubishi Eclipse. +对我来说,永远都是 +千万别押注 +闭嘴,塞 +- 那儿 +你得注意点 托马斯 别忘了你"跳"得很逊 +我是说 不知道你还记不记得瓦西条约那事 +你去哪里? +稍等 +- 他们会找不到你的 +老天 我早就听他说过这些了 他说的不对 +真不可思议 +我要去喝一杯,你要吗? +金钱是一生中唯一真正的担保 +他会怀疑 那个女孩已经死了,他会不会联想起来? +- 他们如果不来找我们 那么只好我们去找他们了 +因为... +- 岆 +- 我要穿出去 +豪尔布鲁克先生? +好久了 他搞什么啊 有点不对劲 +没有了 +汤米! +- 嗯,你会在那儿吗? +不是这把钥匙 +- 你翻围栏过来这边吧 +Why? +妳知道 You know what... +想打电话又接收不到 +我们把一切 结束 +对 ! +不怕聂导吃醋吗 ? +你的酸辣面 +假结婚! +-我们是老伙伴 是吗? +没关系 都是大烂片 +让大家困惑不已 直到找到答案 +总之 希望只是几天而已 +什么鬼... +{\fnMicrosoft YaHei\fs17\bord0\shad0\b0}瞧见没 你根本就不肥 {\fnMS Reference Sans Serif\fs13\bord0\shad0\b0}You see? +{\fnMicrosoft YaHei\fs17\bord0\shad0\b0}大约十分钟后 你已经死透了 {\fnMS Reference Sans Serif\fs13\bord0\shad0\b0}Yeah. +尊敬的各位来宾 你们好 +我努力把一切都做好 +我想都是我的错 +谢谢 +不用管他 他只是想拖时间 +嗨,球赛怎么样? +据说 受重伤的2人也被杀了 +可以说 完成得漂亮 +- 周末... +我故意不给她打电话 +十二月二十六日? +你又能怎么样? +你以为我知道他,所以跟我说的 +- +杰克・斯塔克斯,我在此判决你进入... +控制他的癫痫性失神 +你会开车吗? +但得了逆行性失忆症 +帮你一晚上,并不代表想认识你 +他们还把人涂得花花绿绿的,现在全结束了 +吃根香蕉 谢了,我不吃 +她有说是自己要去的吗? +我知道写这种东西有多难 +凯瑟琳 +谢谢 +什么 +永遠 永遠 別放棄 +你們應該感到羞恥 +你可以一個月用上500分鐘 +會嗎 +你可不能對我這樣 +我是... +三张同样的牌 啊? +不 没关系 我只是很喜欢这个 +而且 他更喜欢和美女打球呢 +- 我们很努力了 我们不想... +我打赌是那个夜晚 +-诺拉・赖斯谋杀案 做常规调查 +-他有真正的动机 +不是我的 公司的车 +分手的事让我很伤心 +我找过你 +-怎么可能会怀上的 +-什么事 +-谢谢 妈咪 +你一定要... +天啊,邁克爾,我們都沒忘記那事 又怎麼能要求一個13歲的男孩忘記呢? +我有露西婭的內褲 +努力工作呀 +味道好像是蚯蚓一样 +照理呢... +嗯 那你等我恢复单身好了 +听我说 你知道 你知道我是来看你的 嗯? +谁是洛比尔? +洛比尔医生,你别在HIV病人身上做试验了 +立刻就看 +卧室里少了什么? +如果她是一个不忠的妻子 为何只留在阿诺德身边? +抱歉 +克里克会知道你来过这里 +挺住 别紧张 一切都会好的 +冷静点 +医护兵! +你打那里就知道了 +我告诉过你们要有所准备 +我想念我的父母 +坐标703003 +卡尔吗? +39万 +上面怎么写的? +-哥提斯,那是多少次? +列阵线! +你的老友塞莱已被拒绝重编入伍 +这是L2S +将会成为战争胜利的关键 +看我在他嘴里放了什么 +我们出发 +里面都是白痴和无能的人 +这是什么鬼? +全对 +-姬丝? +你们这些可怜的混蛋 我早说过: "别偷懒" +看看它, 漂亮极啦 +他们本该一起都杀了 +-他们曾试图逃跑 +请求射杀许可, 长官 +-卓伊 +你已经闭嘴了 +注意听! +把他们倒挂在传送带上 喉咙被切开 +犹如有识之士爱惜无知之人. +我想她应该有机会作些说明 +把我从沉睡中吵醒了 +Goosebig +现在,你得告诉我更多 关于爱米丽的情况 +所以,你不了解,根据这本手册... +...你又一次看到了那个 黑袍的形象... +而我则要准备好应付他的刁难 所以 +先是耶鲁 然后是剑桥 +现实看起来你漂亮多了 +请替我向莫尔神父说抱歉 +好的,让他无论如何放下手上的活, 全力处理这个案子 +它们是否有可能是其他症状的典型迹象? +我现在需要你到这里 +来 坐下 总统办公室 +你妈妈用自己摧毁了那个东西 +我希望你们一切都好 +我希望这位年轻的小姐看起来很严厉 +约的人 可她妈妈不会同意的 +-那可是一大笔啊 +- 回来做你们的家务活儿! +要么就跟我不喜欢的陌生人喝 +能帮个忙拿些过来吗? +那个... +非常想 +我怀胎九个月耶 连走到沙滩都很辛苦 +我们过了几个礼拜 才找到那座无线电塔台 +我们进入丛林 +成为别人练靶的目标之前 你正要告诉我... +不负使命 +上野甲贺众 +觉得有奋斗的目标 +立正! +说王八蛋还不干活,混蛋老打电话 +后来去上文法学校 +你觉得富人怎样? +- 哪都有 +荷丽,过来 +这上面写着什么? +- 噢,半小时? +他原打算抢劫你,然后强奸她 +- 你不知道... +小心点. +你是个波多黎个人, 对吗? +你难道就不想在魅力丧失前 +要点咖啡或是点心吗? +回去 +有意思 +这是我私底下不断怀疑的事情 +奴兽? +但是妳别太介意 +妳的脚都是水泡 +妳干嘛这么生气 +妳喜... +500)}为何会如此不安呢? +好严厉呢 +那个... +因为真的很怪啊 +500)}跟昨天不同的 +好像全国的乙HiME大集合呢 +晶... +妮娜很优秀啊 +那就不要互相怨恨啦 +是不是看错了? +等等来我房间 +真好吃... +真的有效吗 +真的是科学的神秘呢 +到时候就麻烦妳了 妮娜 +我会... +是吗 +- 转的好 +- 我赢了? +我从龙怪手里拿回游戏 +沒錯,我得出門去, 有一個會議需要出席 +好吧,就陪我最后扔5個! +我想是的,她還是老樣子 +I have to work. +-At Ieast I got one. +你还不承认作弊! +行了! +小升降机就停在壁炉对面 +и硂秨﹍... +钡帝и眔砛篅审穦... +Somebody must have kicked the board? +It's your fault Mom and Dad got divorced. +No, Lisa, don't do it. +Nothing's gonna happen to you, okay? +准备好了! +可以吗? +走了 佐竹 +我代表国家恭喜两位 +华氏 +妈的! +看好,别跌破眼镜 +马谢礼抢了他的航道后开火 +继续,别怕 +{\fnarial black\fs12\bord1\shad0\4aH00\fscx90\fscy110}so... +乖乖等着 +墨西哥 +你这是去找死 +经过几亿年进化 +它们只能选择适应还是死亡 +- 你看得很清楚嘛 +你知道我是谁吗 +如果一白人这样说 你就得准备好跟他干一场 +- 你是认真的么? +在那少说话 +谁将赢得比赛 +保护联合宇航公司的财产 +"美国,内华达州,婴儿湖" "联合宇航公司'方舟'设施" 发出去之前我至少查过三遍 +妈的,所有成员汇报 +大家伙,非常大 +和我讲安全? +生物基因工程? +唯一不知下落的是卡马克博士 +你们勤快点,准备作战 +听清楚没有? +有东西在我背后,是吗? +我们有伴儿了,他肯定是跟来的 +每年死亡的洞穴潜水员的数目 +布里格斯呢? +-亚历克斯! +我用这个声纳枪掩护你 +我看到他们了 +老天啊 +我们要洞穴潜水员帮忙 +-好了 +杰克,杰克? +杰克病了,泰勒,他不应该再领头了 +你知道那儿的压力很大 +你凭什么骂我? +弄不好亲朋好友都会笑话的 +现在很晚了 +我是陪她去的 +看我像不像是月历牌上的美女呀? +我爸最后决定要去香港 +{\3cHFF8000}这是第一次将 {\cHFFFFFF}{\3cH2F2F2F}{\1cH3CF1F3}This was the first time really that +- OK. +you know. +打雜也好 都一樣 +呼呼 好像海苔哪 +什麼意思 +哇 那種話已經聽過上百遍了 +看吧 瞧 冷靜一下 +連同你送的帽子 +喂 曾討論過對吧 +喝杯咖啡,吃些甜甜圈 +这样也没什么用的 +我只是想谈谈! +-很好,你马子来了 +- 我像是在开玩笑吗? +有人吗 +- 过地还好吧? +别这样,我没有... +你将得在法庭上作证 面对你所指控的男人 +我相信 +我们来看一下 +让杰伊想到办法阻止这买卖 +那是绝不可能的 +为了辩论的顺利进行 我们先假设你说的是事实 +你是警探,你去查清楚 +怎么样? +或许我们该找她谈谈 +我不敢相信会这么容易 +喂! +...是高利贷 +我不知道你的感受 +我感觉很激动 +你不会讨厌意大利菜吧? +如果你要哭,我会给你拿盆来 +我现在的人生和你的一样美好 不要在这里吵 +不让他把事情抖出去 +正按计划,在送去给他的路上 +我们目前一切顺利 他们到达地面了 +身后有店长 +发生什么了? +我還以為你是個正經的女孩 +- 你呢? +-谁想玩杰克游戏? +我们在海关里等了一整天 +我讀過新法律了 +為什麼不省點力氣呢? +-票! +整个酒吧都封闭起来 +朝不同方向逃跑 +喔,废物,喔... +噢! +把冰箱打开 +你认为这怪东西多大了? +少插嘴。 +我们能做到。 +过来 ! +天那! +好了 +拿去当铺吧,我看你能换多少钱 +要抓住它,我还没有放弃我的梦想 +明白么? +... +- 高呼诡计 +看到一对婊子在拉客改变了我 +还要为了卡迪拉克和花掉的煤气 +我喜欢 +那个女孩有一套 +你觉得我跑出来钩一钩手指头 +- 你明白? +我不敢相信 我喜欢它 +- 放了他! +我不敢相信 我喜欢它 +10点开始打了30分钟左右 +- 哪里? +DVDRip. +已经第11次了 +- 什么? +白色特工? +让他们进来! +你好 +... +那你又为什么跟着我来? +-sin, 我的弟弟,被他们拖走了... +和狗... +他有过一场家庭 和狗屎是无处不在。 +你在干什么? +不 +进行紧急疏散 +看看这娘娘腔的样子 +-好,好,当然. +试试... +安德鲁 他不是自愿死的 +你变态吗? +而且还在歇斯底里 +抬头挺胸 +有条铁律 +布先生,你为什么... +塔玛拉 +在森林中一定发生了什么 +- 没有. +这是什么? +所有的人 +异常安静,让人更不安 +我儿子死了 +打谁啊? +你知道他是什么样的人 +- 你好,约瑟夫 +奶奶 +我是良民 叫诺亚 +我们会造访所有需要我们的家庭 +- 圣保罗? +- 这里 +你知道我们选他的时候他说什么? +数百万人... +-Z08S\fs15\shad0}和侵犯人权的国家而说的 +{\fnFZXiHei I +{\fnFZXiHei I +-Z08S\fs15\shad0}有人被杀遇害吗? +-Z08S\fs15\shad0}我明白 那是一个极大的梦想 +{\fnFZXiHei I +-Z08S\fs15\shad0}因为我们每一个人 +预备... +不 算了 +- +- 我什么都没感觉到 +不过现在有我 +在他眼里 我还没有认可我自己 +我們都能變得更好 +问问她对刚才表演的感受 +这是个比喻 +我们第一次就能让彼此所有方面都契合? +。 +。 +玛姬。 +L'不是感觉像你想它。 +天空工作室时尚的东西是如何 你去其他的夜? +你给我站住 +出问题的时候,你永远逃的远远的 +警察先生,抓住他 +我就点着了窗帘、窗台,还把地毯也烧焦了 +- 啥? +美国海军光荣的宣布... +士官长,这恐怕不太合适... +美国总统 +士官长 +他没事! +让开,否则我打烂你的下巴 +请回答,卡尔 +我不"研究"任何东西,舰艇士 +哇! +...或者滚蛋 +我偷吃派! +周末愉快,帮忙锁门 +不然,我走出去就再也不回头 +在华盛顿? +快一点四列横队 +快往压栽舱注水 +无论是甚么,反正不值得为了它去拼命 +1040)\fs90\bord1\shad1\1cHF0F0F0}救救我 不 +1040)\fs90\bord1\shad1\1cHF0F0F0}把小马的尸体装进三号鱼雷管 +大家都有地图了吗? +...那法律为什么不允许克隆人类? +他在哪里? +假想我们克隆了个支持我们的议员, 但他后来变卦了 +...四处都找不到 +你今晚差点让我失去女儿 +我知道了 +[电话响] +我分不開身! +你現在就不要裝了! +那次你跟我约好了,你为什么没来 +洋洋,你不可以这样看人家 +买底片啊? +这一柜子什么玩意? +女的念高一,男的才八岁 +我是婷婷 +你怎么都不吃,怎么了? +下用你管 +我也觉得... +居然还记得你的 +对了... +我从后面看不到啊 +我发现那块石头有来头 +请进,请进 +真正的大麻烦再去找他的话 +怎么突然觉得 +日本现在在放大假 +所有我相处过的男人, +他就是你一年到头写信的那个混蛋吗? +- 噢! +因为你为他做的事, +在铁山2年了,伙计,怎么样呢? +luckybird(翻译) +对. +快点! +我只是个农夫. +我们来这儿是为了赢钱. +你撒泡尿照照吧,罗密欧. +闭嘴. +现在,我说的是重要时刻,等级A, Now, I'm talking big +你还继续吗? +No! +宝贝,我知道. +My love. +庄家有18点. +-pa +感觉一下,这茄子好吗? +但你看起来像伴舞的 +更有情趣,更多高潮 +赛洛斯 +滚出去 +演员: +所以我特制拿手的燻鲑鱼 +那是你的公园 +{\2cH0000FF}【 血 腥 洪 流 / 暗 流 】 CJ影业 +你赶紧熬点汤去 +... +快不行了 +好看哪~ +-他烧了山提河岸的七栋房子 +似乎在我们周边游走 +停! +向右转! +我将会有何下场? +他的小姨子有一个农庄 +好像她一直都可以说话 +你抓到了 +父亲 +... +西门,听我说,那不是 +他痛恨上帝 +好吧 嗯,如果对他厌倦 +我要去好好花个够 +大约一千平方哩的巨大流星 +我要你们都喜欢 +3 2 +你和玛姬的 +输入无误 +算出拦截航道 +-我知道我在做什么 +风沙吹了有一阵了吗 +玩得开心点 +我不想言之过早 +但也许宇宙不只有人类 +或是另一个测试 +哦,那真是... +对 +-没有想到去看她们的内衣,和... +她不可能会喜欢那首歌,难道她晕迷了吗? +是的 +罗拉,你没事吧? +-再见 +你们这些烂虫! +-是文斯和贾斯汀唱的 +我也有自己烦恼的事 +从上面过 +我们溜进了农夫的家里悄悄地 +最好开始热身,我去叫他来 +天啊,没有,我是只鸡啊! +可是,姜妹,我―就这么做 +投弹完毕! +老家伙完蛋了! +因为你在这儿... +- 是 当然是 +从车上下来,亲爱的. +要买那个的话,我们得去另一家超市. +还有标志呢你从哪儿弄来的 +如果你不急需的话 就挂电话吧 +欢迎光临 这边走 +我加码一千二 +快把船尾的绳子系上 +你又要走了 +别这样 墨菲 +船长不会不敢 +扎它的头 快 +没有船的消息 +来啊 +知道这东西为何20磅重 +刚才那个浪够大的 +固定住 +船长 我另找人吧 +{\cH00FFFF}{\3cH2F2F2F}{\4cH000000}Isn't it good to let him stay home and give you company? +我帮你就行了 {\cH00FFFF}{\3cH2F2F2F}{\4cH000000}I'll help you! 有空打打麻将不是更好吗? +那当然了! +She does that always. +他叫迪普 我叫戴许 +-她在说谎 +快去追她 +容我介绍 今天的寿星 +我很抱歉去笑你的那些肥肉 +一场车祸 +你不喜欢好人遇上坏事,对吧 +我能进去吗? +那场车祸里,我并未受伤 +我已准备面对任何答案 +我紧张时就爱拼命提问题 +吸进肺里 我们就会溺死 +漂亮,当然漂亮 +然后过关回香港 +我很害怕 +他们是谁? +ELisabeth de Beckett de Saint +说不定已经回到家里了 +你放松点... +谢谢 +松鼠小心点,狼狗准备接替 +再大的马力也没用 +其实每支枪都有不同性格 +总裁判决定,多加一个回合给你们 +我相信他会来警署救他女朋友 +换作职业杀手,都会打心脏 +现在的情况对你很不利 +步距正常,160磅左右,男性 +谁? +连HBO都接收得到 +你好 +这里,是紧张 我刚刚发现意味着什么鱿鱼 +你说得对,我错了 +我们会扔一个炸弹火 进入导演的办公室。 +顺便说一句,怎么是黛比? +他就是这样一个失败者。 +真不敢相信听到这 +我是说她没有和别人,像... +那是我的决定 +...才知道我错了 +晚上好 +我在做芭蕾舞的研究工作 +快进去,快进去 +快点开始吧,走走走! +- 快点 +- 谢谢你 +先让我抱他进屋 +你当警察就为了看起来像个傻瓜吗? +法官一定会喜欢 +要是我星期五好了,我们能踢球吗? +Colum, +我很迷茫, 不知道将要面对的是什么 +我是说,一切都停不下来 +...要么你就跟我们合作 +或者他那些都是小孩子参加 的充斥性和毒品的晚会? +萦绕着你的东西吗? +你把她想知道的都告诉她了 +王八蛋,去死吧... +滑到? +- [ 大叫 ] +这样合理吗? +不要跟我哭哭啼啼 +-丹妮 +可能是 +谁的婚礼 +不是知道而已吧 +把金子拿过来 +是的 +-住口 你这个坏人 +别再提了 +捂住你的耳朵 +为荣誉而战 很好 +我们从后门进去就像VIP +我也一样 +给我找医生我就告诉你他的名字 +我回来了! +希望是只小狗 +根据斯蒂文的档案 他常在那里取货 +- 夜视镜 +都给我出去 +我想找份工作 +哪里也不如家好 +喜欢 你好了不起 +我不过是个苯歌手 +但忘却我的命运 +是不是我跳了你就跳 +你别说好了 +你就是Andy? +闭嘴 +他有卡片 +若發現武器就命令該船駛離 +指揮室 +He's canceling the remainder of this trip +Well, it's not gonna happen +你還在氣這篇社論? +艾奇逊的计划太... +我们没有要进攻古巴 +约翰斯群岛上方引爆一枚氢弹 +我不想发,也没核准发这讯号 +你有没有概念,上将? +爸爸怎么了? +他们不喜欢战争-他们关心罗马荣耀 +我们在读安东尼在埃及的冒险 +二,三 +和我讲讲你的家庭 +也许在乡下小地方是够了,但在罗马却行不通 +你可以帮我忙 +马西墨斯! +杀... +所以别光把对方砍成肉泥,要记住你是个表演艺人 +那么吻我 +严密戒备! +骑马的时候,记得脚跟要压低 +你卖给我的长颈鹿是同志 +皇帝想看搏斗不表示... +如果她想... +由非洲沙漠延伸至 英格兰北部边境 +议员,军人的职责是... +当它驱策我们称霸时 这也能变成一项优点 +观众会为此向你喝采、崇拜你 +拉弓! +殺! +因為他們的憐憫,我才有娛樂群眾的力量 +我想你! +高中时你要每个男该 +瑞秋 +和要捉你的私人侦探 +consisting of male offspring identified as Brennick, Daniel. +ZED, 把布兰尼克给我带上来 +毋庸置疑. +等待你的欢迎致词. +长官. +明天就到,跟下一批囚犯一起运到. +内斯特怎么样了? +流星雨先期碎片已经到达. +捡起棍子. +不要拽我. +一群西方观光客竟然定居于此 +比想像中糟 +给我们地图的 +李察,闭嘴! +或许几年 +你引领我 +免得讨厌的观光客蜂拥而至 +这里真像是天堂,只可惜... +我就让班威廉斯去起诉他 +我们的货呢? +我得找一大堆人来帮忙 +告完检警单位和缉毒组... +要是你喜欢牛排 +是的,是林克先生 +我忽然要学会怎么生活了? +-TY CON +在做饭前,我有事要说 +没有多少人的老公... +-在法国,不会. +怎么啦? +我知道保险柜在哪. +好的 +可能性的领域... +你叫什么名字? +若我能让你下个月就假释呢? +狗屁,他的权势朋友恐吓我不准报导... +不可能只是一个单纯问题 +所以你害怕,我也害怕 +问我出了什么事 "你那晚回家出了什么事,尤金?" +下辈子吧 +好吗? +你要我以触犯缓刑罪抓捕他? +他们得到了什么? +"你喜欢历史么?" +我定要准备好一张床,跟你一起睡 +跟他的周慧敏彻夜狂欢 +我们这些新生唯有硬着头皮 +追求自由的地方 +送去医院... +- Forney! +Oh, oh, oh. +- Hold it in +我朝他扑过去 +There you are +让我告诉你,你想要么? +也许有天,我的意思是,意思是, 离现在很久的一天 +- 跟妈妈说再见,再见 +顺便问一下Jolene,你多大了 +Fred那个裁判 +Forney, 帮帮我. +Sprock. +蜜糖 +嗨 +我不再跟那种男人交往了 +這樣可以幫我很多忙 +孩子們 別過來 +也许我们再来,那时你父亲去世的打击... +很好的事情 +第17洞时,朱诺追平了 +当然,除了克鲁岛 +但是没有什么能让他们做好准备去面对 +退后! +快点打,孩子,在你有时间想之前 +上帝保佑萨凡纳和她的人民 +我们走,哈代 +苏珊,莎蔓! +比尔躺在地上... +不,不,没有... +...抱在怀里 +葛莉亚,谢谢你的邀请 +拜托! +我只想说 我永远都忘不了你们 +你还是去当修女吧 +我猜芝加哥。 +我不是女同性恋. +! +我想也许你可以来帮我忙. +而你却是我一辈子的家人. +你说什么? +他就在这里,女士们。 +这只是卷带子,我只想写歌 +怎么会出事? +是 +谢谢你把地方租给我 我找了好久了 +我办不到 +你听不懂吗 混蛋! +你让我很惊讶 +没有你我也不会独活 +根本没威胁 +就是这些人教的: +Right, Soo Hyuk. +It's carrying yourself with composure and strength. +3CD +对这些, 你怎么想呢? +你叫什么来着? +快行动 +快开枪 +有多少个南韩士兵攻击哨岗? +只是见到碰不到? +医生,她现在情况怎样? +你大发慈悲... +... +你会自己把我的包拿到飞机下面吗? +你订婚了! +嗨 他来了 出来呀 格雷戈 要吃三文鱼还是剑鱼? +让我再看看照片 +你怎么能这么说? +美大西洋公司航班27 2: +你是全世界最可爱 +- 我以为你想多睡会儿 +婚礼翌日你爸在泰国 +她说过这些话? +我很想和你谈谈这个 +... +念,念 拜托 +从这里穿过去 +... +不要紧的 葛罗普哥 +小心影子 +事情的原委 我已经看过你的信了 +是啊,你。 +你很美 +你的伤没问题吧? +如果所有的工人都到一起 +-太好了,你呢 +-上帝,成年人都是白癡 +-是啊,会不错的 +-两只眼都是? +不,我只是借用 +有 +我不干了 +清清白白的过活 +是不是啊? +为什么? +理论上能让你经受住任何攻击 +- 是的 +-我们何时成了一种疾病了? +看看史考特出了什么事 你控制不了自已,杀了你爱的人 +幻影猫 +- 这是什么? +我很希望如此 +事实上,变种人的确存在 +小淘气 +不,火药包炸开时是有些痛 但我没事 +和均一税率等的事情 +说是当局正秘密调查 +当然,当然 +威,别动气 +给你解释清楚 +单单因为选择权 +幾乎所有的掙錢的事他都做 +鮑裏斯,給他鑰匙... +坐在這裏,等一下有警官來 +你的一切, 都是我的! +那不是礼物! +我父亲不能再次承受这种打击了。 +为了埃及的缘故,求你救我脱离这痛苦 +告诉我你的梦,法老! +让我跟约瑟谈谈 +#一步一步,稳步攀登 +莱欧,不要! +好吧,只要吃的就好 不管是面包还是 +有时候 不得不, - +因为没法一直将非法的尸体 放在地下室 +Janis 什么? +我心中已经ê一直依赖 对陌生人的仁慈。 +你不会甲肝é任何麻烦 与茨艾伦ê三角肌。 +如果它不工作了, 你会告诉我? +对不对? +这是一个有趣的名字。 +性爱可以是美丽的, ensuous经验 +Greas编可怕。 +死在那个星球上了 +40个冷冻柜运作正常 +我想不想知道? +港边小组请回答 +我有事要告诉你。 +是不是意大利人? +作为死者同一病房,我相信。 +- 什么? +你的女儿? +- 是的 +顺河下去,你不知道 +你们两个互相照顾 +赚的钱多而不好意思 +马贯尔和我就在想 +你该看看杰西,她以前替强尼做事的 他们看上去很精神 +你去那里? +- 是这样的 +我们小组里有一个工作空缺 +就是一群男人中的中心 +换什么呢 +你怎么了,听不进我的话? +当然没有,尼克 +我给了你 +- 你,我 +要我帮忙的吗? +看吧,看吧,他又来了 今天看上去特别精神 +你觉得这个女人会在想些什么? +当然好了 +这是楼上 +我帮您叫计程车 +我听到导演说我表现沉稳 +对不起,我无意吓你 +改变目前的状况? +怎么样 好的,以免我不幸身亡 +听我说,尼克 有些事非常奇特 +我是说他不能总是这么视你无物 +- 这不是很明显吗? +你真的要这样做? +只要是本州的车牌 +起床很久了 +找到什麼嗎? +假如我能 +據說短期失憶... +我以前不信山米,應有此報 +"三万张奖票可换领" +快开动它 +丝带 +佐尔丹 +因为我们爱她俩 +找到,就在这里 +去找配得上你们的女人吧 +沙波,沙米,这位是谢夫 +我教你怎么做 +这很正常,昨晚实在大醉如泥 +你们昨晚零时至二时在那里? +这... +与我们一起培养那份热血 +我要回天上界去讨救兵 +我该去学校上课了 +紧急防护呢? +蓓儿丹娣这应该是你最大的心愿呀 +没关系的 +你也一样没变啊 +如果是你的话 +谢谢你 蓓儿丹娣 +... +奉命行事 +大家一起喝吧 +他们的肠和脑浆四处飞溅 +那可是粮食啊! +- 快! +浓眉大眼他的相貌出奇 +什么? +有时候我们干这种事娱乐大家 +直接信号? +那是很久以前的事了 +如果有l00米,你就把它送到我爸那 +~不会 +你不是全世界唯一的簿记员 +联邦密探,联邦密探! +你去了哪里? +有什么不妥? +这不是真实的 +我答应过会回来帮你的 +林西告诉我你想... +噢, Charles Gish 被当庭释放 +是不信任、很不喜欢、不想见到 +闭嘴,八婆! +放我出去,你这个变态贱人! +卫安妮,第七名受害人 +否则她也会遭遇同一命运 +比贾卓士糟一百倍的性侵犯 +你有听到我在说话吗? +不是你想的那样,萝拉 与你无关 +放手呀! +我要离婚 +对 +我爸是个登山家,葛罗斯 跟你一起爬过埃弗勒斯峰 +那个咸湿架步老板... +喝了些香槟,他问我... +我没有杀你弟弟! +但这是这边最好的医院了 +你跟我都没经过大脑就会做出反应 +我不会再捐任何一毛钱了 +很甜,但是没有酒可以像家酿的那样好 +因为谋杀的事情 无论干得怎样秘密 +得了 发生的事就是发生了 +各位听着 +来,很好 +我不需要你来原谅我 +正确术语是"机械系统工程师"... +轻点,这就行,天哪 +等等 +不,还是我来 +——那样我们就成敌人了 ——狗娘养的! +谢谢。 +右脚。 +――她能为我们导航吗? +We'll lose chips. +Auto +我们什么也做不了。 +这里实现10亿美元营火。 +这是Mars +Ten feet off the ground, it'll explode. +Oh, my God. +我们不用这样的字眼 爱丽 +兔子 坑还得要大点 +也许你能为我而战? +- 珍河! +圣诞节的玩笑? +某种暗号吗? +谢谢 +不知道 看了才知道 +什么日子? +我卖轮胎? +后面可以修短一寸 +你终于抓到窍门了 +真是个美好的惊喜 +1百70万,很不错 +真是个美好的惊喜 +(1元) +凯特雷诺 +我们能不能聊聊,喝喝咖啡? +当你破坏了其他所有礼教之时? +这是给游客和猎奇者看的荒诞表演 +没错,这医生和我一样疯狂 +侯爵吗? +是说一个名叫芳肖的妓女 +您出乎我的意料 +请原谅,小姐 +-恶魔一般 +-我们的世界不是我创造的,我只是在记录它 +我的作品永垂不朽 +(但只是)作为上帝的孩子 +ﻼﻌﻓ ﻪﻴﺟﻭﺰﺘﺘﺳ ﻞﻫ +认识 +还会路过你家门口呢? +- 不是 +因为我不知道真的会发生 +藐视他的计划只会激怒他 +我预见到安全带会断! +但他玩这个游戏 赢得俗气的裸女铁链 +等你听见这件事一定会抓狂 +肥鹅肝酱弄好了么? +请进 +我整个早上都在接 当时在匝道上的人的电话 +我原本要在外面跟她会合 但是我看新闻报导看得出神 +请派所有紧急车辆前往现场 +当然是看车祸的 +快把水枪给我 +乔治,你不能放弃 +我真不知道乔治怎么这么镇定 +- 哈哈,一样 +不,不,我不要再这样了, 你们俩都疯了 +我来介绍一下 Let me introduce you. +他是寄住我家的柯南 And a leecher named Conan. +No fine. +.. +Is that ok? +If you're so motivated to reveal the truth, 既然你真的想让真相大白 +但那男的并未出现 But he never showed up... +There is 这里 +还不就是那些肉麻兮兮的话 +佐藤在执勤以外的时间里还在进行某些调查 +真想见见那个人 +是啊... +我想你. +学我讲话 你以为你很幽默吗? +是没错,可是上面还说... +圣诞刮胡刀 +真过瘾 +礼物 +是这样的 +有奖品 +彻底破坏了 +过年嘛,只要他们跟我说恭喜发财 +干嘛又是刀又是剑的? +你能不能不在房子里玩球 +你不想洗澡吗 +我会的 +射 +你的信件在... +而且我会出外的 +1,2,3梅勒! +我不知道,新的人,新的学校 +...也许会对你常说的 那个女孩子有帮助 +如果是两逗号孩子写的 他会说些"背景"废话? +作为本次比赛的总监 我有最终的决定权 +有些人活着有些却死了 这有理由吗! +-东尼在吗? +我要过去一下 +-不是我的孩子 +-是爱纳吗? +通过玛格丽特的不幸和悲惨结局 +广州好地方是吧 +别生气了 +到处流浪 +跟克格勃差不多 +拿上铁尺干什么? +哥,多炒俩肉菜 +它从静止到6O英里只要5.2秒 +它的马力真不错 +我替你买了篮球入场券 +不应该从详计议吗? +info +我已经洗心革面 +-Con +有. +听得见吗? +拆开来修理吧 +比赛开始了 +- 他怎么了? +爸爸! +女士! +- 没有. +Darvishi +最后, 他说了再见. +- 不. +他侮辱我 +你跳舞吧 你这个走狗运的大混球 +-Viamonte 1242 号,二楼. ""B". +喝一杯饮料吧 我要打些电话 +我们必须继续下去. +没错 结束了. +你知道我为何需要你吗? +有哪里出血了吗? +他要见你 +女人的麻烦 也许可以让教皇替我想想主意 +西班牙电梯在哪? +希望不是在那 +爱丽 +我们不是非得要在这里 +我曾在办公室上过班 +你怎么知道说仁? +你知道,... +那么你们现在可以离开了。 +喂! +你是谁? +我们要如何知道呢? +告诉你 , 你的诗会让这儿寸土不生的 而且如果你继续惹怒我, 你一会儿会有很多时间去凝视它们... +如果不, 他一口也不会吃, 我知道的. +我准备好了! +啊, 还没准备好, 你得等等 +哈里森先生的去弄 一个严辞 +是呀, 那还用说, 拿着枪跟她谈. +我看见那个黑人小伙, 崔, 出来了, 他当时很生气的样子. +- 快滚. +- 打这帮直娘贼! +真不是东西. +告诉你别跑, 小子! +快点 快点 说出来听听 +- 去你妈的. +- 大伙儿晚安. +- 你听起来如何? +显然, 这些还不够. +你把他惹毛了! +- 没错 +我就想给那些红杏出墙的娘们儿照照像 +天哪! +- 快滚. +- 我他妈的把钥匙弄哪去了? +- 妈 你给我打过电话? +- 赶紧走 洛三! +你想知道事實嗎? +批判解構新浪漫主義時期 +十點半好了,反正早起無益 +吃两颗,明天再连络 +对 +失陪 +那是什么? +快了,快挑一张漂亮的照片吧 +最后一个36D +下车 +我只知道是在第三区 因为她在纸上写着 +我也是 +我以为你和我两情相悦 +他很好 感谢上帝 +因为载尔.. +麻烦让开... +,不如玩第二招 +这世界哪会有女人喜欢狗熊的! +是不是最后一班车? +不推來,難道要我抬來? +我不是向你要錢,高霍太太 +為什麼? +試試非常辦法 +等一下,艾利丝 有的是时间 +- 好的 可以工作 +只要做妈妈的好孩子 +你这样孝心... +夏利有奖! +会... +钱不是问题 +宝贝... +Tappy! +你好吗? +是哈瑞! +你看到你的儿子有多棒了吧? +我们被耍了 +-不知道什么时候才轮到你 +他们已经开始考虑和我断绝关系了 They're already thinking of cutting me off. +友人推荐介绍她来的 +你有没有听说基地里的学校 上个月也有人自杀 +别太有型,否则我饭碗不保 +叫他来打断我的脚或踢我老二 +别惹我,你这个爱自慰的笨蛋 +不像你的 +谁来了! +这里是55445850, 我现在不能和你说话... +天哪,米奇! +你看什麼? +我们去伽力克那里! +怎么进去的? +那就是你能说的吗? +别耍我了,是你偷来的! +第一条培我钱 第二条还是培我钱 +你真坏! +给钱你? +是,是他 +发生什么事了? +10,000 +佛朗? +不,也不是她 +你进来的时候满腔充满了正直的愤怒。 +杂种。 +- 什么,宝贝儿? +是你杀了dutton。 +有记者问我他到底做了多少。 +真的,从来没做过 +你有不少女人吗? +这儿离车站不远 +你与我握手仍感觉到我有血有肉 +你知道吗,Courtney, 你应该再吃点锂剂,或者喝杯可乐 +-27岁 +-实际上,有 +没有 +古古怪怪,真是古怪 +你知我想这样子多久了吗? +你知道云妮侯斯顿的第一张唱片 +他们可能正在撤离这一地区. +( 西班牙语 ) +我在城里有个女朋友,没关系的。 +在路的尽头只有泥土和蚊子, +我話說在前頭 +什麼? +雖然已經是最後一集 +你认为我的音乐这样就够了,但总会碰到挫折 +有,他有 +能见度零 +告诉他们,将军 +中学校长辛西娅·戴维斯被解雇因为他曾经有一段搞基史 +你好吗,过来 +- 看看这家伙 +紙上看著不錯,我們在殺場,兄弟,滿倉套牢 +T. +我有不少故事 +嘿,他沒必要這么說,對嗎? +我想她是個賤人,告訴你一下 +這不是丹尼的 +這樣: +3或4個點,你不會發財 +J. +我做的很好 +我告诉你们,你不能扳倒强人! +无所谓 +你们以为我开玩笑? +好,好 +无所谓 +你好,戴维斯先生,我是每日新闻记者罗恩 +我不应该管的 +这是个"买"的问题。 +都是胡说八道... +不,塞斯,你知道我没赶上 +- 是的,这家伙完全信任我 +做你想做的 +听起来不错。 +这是什么地方? +- 什么事? +就是点工作 +- 喂? +无论怎样,这是你以后要学的东西 +原先,我就为挣钱去的, 但是考虑到我父亲 +2000? +因为他是完美的没它是新人,忠诚不会过深 +我会吐的 +- 好 +我反驳了他每一句话 +- 听着,哈里 +你赚了多少? +谈些我们大学事. +是的. +哦, Daphne. +那以后? +But I can't trace time +我们都在找的是实用的解决办法 +我回英格兰前不去用表上的时间 +好,让我看看,哈里斯先生 +约翰・哈里斯从未得到精度委员会的奖金 +距离布列塔尼海岸(法国西北海岸)30英里 +哈里斯先生! +...什么都没问题 +没关系,没问题的 +假如你已打遍电话簿的莫妮卡 +莫妮卡 +我想我没送你到门口 是的 +-不行! +他问我来照顾他们 因为他们不能。 +- 好吧。 +- 因为ceior三个孩子,我们能做到。 +但迪安让他接受了治疗恢复了健康 +对不起. +我再做一个 +你追不上我 +别以为只有你会这两下子 +救护车马就到谢谢 +就是现在。 +我不知道我是该跟她们打招呼呢 +请稍等 别挂断 +我想现在仍然如此 +我可能会突然食物中毒,也许回家会比较好 +我希望孩子就跟你一个样 +而且要选个最象我的家伙,要有碧眼金发和- +- 哦,是的! +- 当然 +- 妈! +西恩,完成转帐了 +因为我值三千七百万镑 +是的 +"The prairie sky is wide and high +我一定要把国家社会主义送上审判席. +就会明白我写的那些关于犹太人的东西... +吃一粒糖果吧 +- +幹什麼? +不如這樣,你和衰女... +那渡假屋前後有許多人在那裏自殺 +相反,長洲居民互助協會 +Eddie Hazel。 +-- +§ It's only me § +嘿, Eddie! +# Lips like sugar # +Angel, 有200或300头雄鹿! +我叫Cathy +- 他叫什么名字? +- 你是控制的住。 +- 不,你没告诉我40。 +我都不知道你去脱衣舞俱乐部? +不,是天然的。 +你能比Charlie做的更好。 +不。 +- 瞧,是我的。 +哇! Stormy, 你从口交中得到多少? +她们都睡在同一张床上 +- 问你自己 +有创意 +好,你听着 +可能是驱动系统有问题 +只有我能替你修 +要就这样 , 不要拉倒 +请坐 +我会把伊腾教懂 +S T S 2 0 0 升空 +我要他去找你买枪 +汤米,这可怜的家伙 +用吉普赛人吧 +至少一半归我们 +很好 +我以为你说他开车很行的 +留着吧,我们要这个 +他们跟这有什么关系? +我爸也常这么做 +听起来不错,就这么做吧 +-我回干你 ! +她是谁? +朱莉娅・罗伯茨 +你们先回去 +这是辛克利案的合作伙伴寇特波特 +-9346 +是娃娃 ? +以此类推 +-是啊 +-麦特 , 我咖啡要外带 +嗨,甜心 +勒索 +我也许没念过法学院,但我研究了18个月案情 +你们先回去 +答应我,你一定会整垮他们 +在座有些人,可能等不了多久了 +陈述状 对,但要小心 +这实在是太多了! +-才不要 +通常用来防锈 +你隔壁邻居 是个他妈的选美皇后 +早安 +没问题,你去啊 +一共有多少个? +所以我今天才会到这儿来 +他们着手保存穆罕默德带来的启示, +根据部落战争的方式, +There's little pity for the loser in a tribal war. +"当美丽的少女必须用手和羞耻来隐藏她们可爱的脸" +and its restless visions of conquest... +But for power and ambition, +是新闻中报导了 +只会以盖亚为自己支配下 +Speaking French, just like they do. +有多久没见了? +guarded by those who guard the barracks. +It's easier to start a war than end it. +地缘政治、多民族国家,等等... +带上些人。 +Do you know anyone in Caxias? +我不知道,别问那么多。 +他抱怨我,因为我扔掉了他的白粉... +You磖e a fucking idiot. +但你说是你发现她的 +亨利成为我爸爸在此地的律师 +长官,结束了 +说啊 +亨利和我非常喜欢她 +告诉你我的看法,亨利 +若你请不起律师,法院会为你指派,你明白你的权利吗? +他还是会奋斗不懈 +是海德,是吧? +今天的4: +等等,等一下 +不去电影院 +野猪! +不像嘛! +还有... +除去你的痛楚 +我想跟玉大人沒有關係 +跟我回去,回新疆你就舒展了 +你回來啦 +快说 +回到她的主子身边 +要比划就先拿你开刀 +你得道了? +也知道,道上是怎么回事了 +我们必须知道这一点。 +你为什么还出去... +还是永远不会去爱任何人... +做出选择的是我们 +并未拥有真正的生活 +你根本不知道我面临的困境 +能不能别用电话谈了? +她连兴趣或专长都分不清楚 +她们对我有所期望 我不能冲动行事 +上帝,让我少受点痛苦吧 +可以的,当初就信任他 +因为他们白痴透顶 +爱尔兰很适合人居 +让我们随心所欲且不受打扰 +被告麦克林奇和一名同伙 +我的荣幸 +什么? +抗拒诱惑我们的事物 +你或许该瞧瞧 +我讨厌他对待儿子这么坏 +甚至雷诺伯爵也奇特地感受到... +对不起,谢谢 +医生在哪里 +看着女士狼吞虎咽是很不礼貌的 +我不晓得,我不晓得 +你认为我们该分手吗 +为什么 +每次我托着盘子经过 +他... +我们一起来的 +不可能! +他们来了 +葡萄还是香蕉? +帮助医治病人他们之类 +操你,肯维 +关于你不接纳他奶奶的事? +-我在盯着,没有什么 +-安琪! +你不觉得我已经杀掉你了吗? +可是这儿很静啊。 +一切都要结束了。 +再来一瓶 +人群向你们开枪 是 +要我陪你吗? +我记不起示威者有没有开枪 +是 问完了 +没有仗可打,没有官司可输 +提防冷枪! +对不对? +装著摄影机? +我只能说冰箱里最好还有可乐 +来到这里他为 年轻女诗人讲解 +我现在调查咪奇. +他们永远也不会知道他们 女儿腐烂的脸是什么味道 +特别是年纪大的人 +过来, 艾丝宝 +超人自言自语: +现在这就是个天赋 +不 +这样就行了 +现在先到我妈家 +你好 +跟我来 +我不是拒绝了吗? +往左 然後直走 +我們很快融了進來 +- 好 +打平 白领两球 +咱直入正题吧 +- 因为你和我是一起的 好的 +Rodney两票 Lindsey两票 +我们是多数派 +- 对 +或许肉毒杆菌打了没用 +自己人,都是洪兴的 +三分一壹湾佬 +打他,我操 +没有 +免得引大家過多注意 +-再问我一次 +天啊 +我知道他希望我去 +保证能把那些黑鬼 撞得东倒西歪 +- 是 +让一下 这是防守组餐桌 +你在干嘛? +于是黑人和白人高中合并 +孬种不敢抢球 +别傻了 +我没听到 大家让让 +我们就搬到同一个社区 +达克 我去 +就像他们一样 +他明知阳光小子是外地人 +残障人士有许多活动 +◎ There's a place up ahead and I'm going ◎ 前方有一个我要去的地方 +短传给接球员 叫汤米别让他们安全得分 +要日子有功,多点练习才行 +別擔心,一點事都沒有 +你想成为一个初步的芭蕾舞演员。 +我在餐厅工作的一个男爵夫人。 +第一天晚上我们的城市 在荷兰被解放了... +我肯定会知道, 在我的心脏。 +在这里... +你告诉我。 +太可怕了 真可怜 +这东西你知道怎用吧? +你打了两天电话,都没有结果 +我以绑架谈判顾问的身份,在当地的行动遭受限制 +听说你最近在这一带活动,你应该好好拜个码头 +可恶 +他说他和彼得在一起,他们一起逃走的 +爱丽丝 +好了 +维冈真的有很多外星人 +他还有什么需要吗? +虽然有些外星人是看地球电视 +你想怎样? +你在于嘛? +警告: +记住,这次任务非同小可 +这只要是我们的物质供应不上 +你好,哈勃先生 布莱恩还好吗? +你是天生尤物 +孩子,你爸爸回来了? +上帝,我不知道... +我们必须继续下去, 你知道... +- 发生了什么? +这能推演出一个结论: +一只母少校鱼在石头上产下了卵 并努力驱逐每一个掠食者 +青蛙都坐在吧台上了 +我... +把心里的话告诉对方 +我刚获悉莫里亚蒂教授正在追踪那些信 +- 我们有两打姑娘... +- 你马上会明白的 +你记得你答应过我什么吗? +但是你的着装 +有一个仪式 他把戒子戴在了我手上 +亲爱的帕西蒙小姐 +给她让点地方 +回房间去吧 +总是知道什么是应该做的 +你會接獲那個命令 下午3點半把火車準備好 +小姐,擋下火車不簡單 +萊茵河 +绝妙的啤酒 尽情的喝吧 +我问你我算什么? +如果我还在求爱 把那个女人轰出城去 +請問貴姓大名? +我就會帶她到各處去 訓練她所有的禮儀 +一個賣花女? +你不喜歡他,你不必嫁給他 +然而我卻已習慣了她的身影 +跟着军队 厄普先生 +能成为一名美国士兵我感到很自豪 +谢谢 +沸声盈天 +我不明白 +甘柏瑞里,我想她在约一小时前进来 +他们人真好 他们可以说我不属于像这样好的地方 +再见! +你的街道,你的城市. +衣呀衣呀噢 +我爱你 说定了 +就是要给你过好日子 +伤心哭泣 +还剩什么 +-有些人就是很放松 +也來吧 +-不客氣 +你斗爭了嗎? +Travel the world. +啊! +# 自从开天辟地便是如此 +- 从警察那里? +- 我从不感到需要 +比如说 接吻 +对 有 从任何活物那里 +好了吗? +你在哪? +你和吉布斯太太 +我要带这些上去给妈妈 +欢迎孤星州小子们 "Welcome Sons of the Lone Star State." +去夺冠 福星! +地面上是非常好藏东西的 +我们认为你可以提供更多的供应品 +有手有脚的 +一群大混蛋 +! +连说话都很相似 +但是, 我的女儿 +据说在白昼进入黑夜时 +要排除不当的思想 +晚饭时再告诉你 +两个人乘一部车带着望远镜 +-就普通咖啡吗 丹麦咖啡如何 +我不是警察追捕的人 不是 +妈妈 别哭 +如果他坚持做一个卑鄙的人 那么 他会失去其他生意的 +太金黄的头发看起来 就像是在勾引男人 +总是在你敲门时开始的 +-早上好 +可以给爸爸再倒一杯茶 +泰勒夫人是我 妈妈的一个老朋友 +我给她一把 她偶尔来拜访我... +我知道 亲爱的! +时装店 我的钱... +不是母亲象征? +我父亲 +- 你干什么去? +我的自由或尊严 +她的回答仅仅是又重复一遍 +意大利人全到齐了,他们可得意了 +去电视台,是采访我们吧 +跟我走 +你应该睡会觉,好好的休息 +穷人的孩子太脆弱,太容易受到伤害了 +要改掉她这坏毛病 +您知道您的女儿漂亮得就象一个天使一样 +【退休的警察】 +-没油了 +怎么回事? +我的打扮太过分了吧 +-对的 +我在这 +-在幼儿园曾经咬过小朋友 +买3个甜果做三明治 +巴黎 盟弟卡罗 卡罗兹巴特 +酒不喝多的话 不会有什么问题的 +去哪里 +吵死了住嘴 +威士忌使人心情好 +是么 +我情愿先告诉你我的情况 你可能不想多费口舌 +- 她让你忘记了她是个病人 +这是我为她做的礼物 +听着,我可以对你撒谎 +-但我要從某處開始啊 +我是第一次來 +我们提醒组织所有成员 +不 兄弟... +好 我马上换衣服 我们去罗马 好吗? +是你们俩有病! +你会长命百岁 +现在你帮我给起落架上油吧 +哦哦 是的 这飞行器很漂亮 +我得割开一条路才能出来 +帮我一下好吗 别别别 放我下来 +他有点不听话,但是人很好 帕莫军士 +澤蒂娜抱著我,輕聲說 +雷米奇 +我告訴你多少次了? +子彈差點穿過他的身體 +躲起來吧,清作! +史蒂夫? +只是有点恼火 +如果你不想看我死掉 +-做吧 但没用的 +瞧 我不介意你没洗脚! +我妻子佩皮塔 +卡迪拉克? +这是为什么我觉得 你们一家有我一部分 +- +这位木匠来到 el paso +没错,在我之后 +放在这里 +而且我绝对 绝对 永远不会再跟你说话 +我应该找一个会尊重我的 +"而且我钦佩她的地方越来越多 +我以前上学还经过那儿 +但你曾经喜欢你的母亲? +你可以开一家洗衣店 +是的! +番廷,我们只需要的 是一间能蔽风的房子 +但他只闷在他自己的心里 +一点经验 +在我们的城市里 根本没有斑疹伤寒 +你是叶格拉夫吗? +灵魂永远消失... +上校认为我们有选择的权利? +我会想念你的,上士 +我没油了 一小时前申请油料了 +我对你的孩子没有责任 +你是我 +现在我能看见了 +...the son of David. +能够不忧愁使寿命多增加一刻呢? +请回到迦百农来 +亲爱的 怎么了? +以本城名义 我表达我们的衷心感谢 +来自人类历史最初的声音 +海和海浪咆哮。 +我可以告诉你... +湖水难测 你知道 +当然我读了 它非常有趣 +孩子们都很正常,是家庭教师的错 +-不是为我,是为了孩子 +-Ray! +-我忘了,你们去采莓子了 +虽然我喜欢你,但是我真的不认为你适合我 +而我是范崔普家的家长,不是吗? +-她很可人 +那样我们又回到... +或是放在浴缸中的那种 +-有吗 有多想 +-它快搞定它 了 +回想最初的探险者建立的美丽新世界 +诗意许可 +池田周作少佐】 +杉原与四郎少佐】 +不行,这片海域是敌军有制海权,不可以发电 +但是你看,如果这种情况,雾天只能持续3天啊 +太老掉牙了. +为什么, Diana Scott, 你变了. +快給我 +我有什麼可以幫你? +望著我 +我不小心告诉了我妈 她可能又... +-当然 +-好 +我、我、我 +或者往后的生命中发生什么事 +我买了你,你是我的 +-因为不可能 +老兄,你头上有雪 +南茜,你愿意当我的老婆吗? +我还不准备跟你分享这些 +随便放 +-才怪 +还要更多的毛巾吗? +是茱莉亚打来的 +为什么? +余额我付 +我为什么要张开大嘴? +我们到了 +天啊,我要死了,布莱恩 +要找你 +但是你仍然在梦中 +你好,去那里 +中国菜 +妈妈 +怎么回事 +越来越高飞上天 +绝不是动物 +我是小精灵, 我是 +- 好 +- 你在诱导她 +正是 我叫傑克 巴歇爾 也賣書 +我? +处在白垩纪 +奇怪的吸引力 +对! +好,低身跟我来! +艾伦 你若是要吓孩子们 干脆拔枪对着他 +你静止不动 你以为他看动的东西时眼才利 +你看见什么了? +Milo! 我有双上好的纯羊毛袜 +我本该15或20年前就来接你们的 +罚单是2600美元 +我想要回东京 +下来就对了啦 +我马上走... +不是! +你好 +- 我也不知道怎么了 +但我还是小孩的时候,就被这家伙催眠了 +事实是,我不喜欢跟他在一起的我 +神采飛揚 +你這個雜碎 +夠了, 艾克 +維吉爾 +喋血游戲,還記得嗎? +我们也有磨擦 +你上哪去了? +我如雷贯耳 +我知道 +你说什么? +不早说呢 +杨大夫 他嘴唇都干了 +大力鹰爪功 +但是现在... +他是一个诚恳的人 +混蛋 +我看到了 +且有说明书 +岂有此理 我告诉你啊 这次考试是我师父主考 +谁身上有刀 谁就能大声说话 +上天一定要保佑我们 +你这个镇府使是怎么当的 +君宝 +君宝 你怎么啦 +{\alphaH30\be3}要喝喝这个 +换个姿势比较好 罪过,罪过... +天宝,你的提壶功好厉害呀 +希望施主福如东海,寿比南山 +作个睁眼瞎,就一辈子没出息 +我打头阵 +还有大平号 +俄罗斯跟日本必定有一场战争 +好 危急用的 +不定规矩是吗? +咬凹腐..." +阿宽 鬼脚七 来吧! +黄飞鸿 我操你祖宗 +是呀 ! +能上来吗 ? +你开玩笑吧? +镜头心理学 +看, 肯定是卡住了 +兴奋吗? +{\fnSimHei\bord1\shad1\pos(200,288)}珊珊 你先去吃吧 +- 叫姥爺 +{\fnSimHei\bord1\shad1\pos(200,288)}老丁哥 這陣子有點不合群啊 +总之不胜其烦,我试过所以清楚 +名单在我桌内,名为"每月第一日..." +闭嘴 +怎么会呢? +还要向我们党卫军联络人孝敬 +并没胖点 瘦点 慢点 快点 +我明天又会有一批新货到来 +{\fn方正黑体简体\fs18\b1\bord1\shad1\3cH2F2F2F}斜坡咖啡馆 +-当然 走吧 +不,在那... +-吉伯特 +好孩子 好孩子 +哎... +我知道的, 基拔 +哎! +妈! +他不会说再见的 +但你回来了, 基拔 +我早就說過我不認識他 +所以我們絕對尊重你們對她的安排 +你夜夜哭个不停,头几次我一抱起你,你就不哭了 +但你一个人在这要怎么办? +我说记得 I told him I remembered. +- Yeah. +上山的路长着呢,这可不太好 That isn't fair. +-这是什么话? +3天? +任何地方都好就是不要回家 +你以为我会掀起防水布 看看能不能找到飞碟 +我要冲洗这一块狗屎倒马桶。 +所以,你可以告诉你的好友哈佛,我可以追授鲍比负责与... +的犹他州高速公路巡警。 +我想也许你还是留在外面与罗克珊,好吗? +谢谢 不过上我的课不许画 +看看这是谁来着呀 +对不起 我很抱歉 +你们有人戴头饰要小心 +今晚不吃羊排 +我们应该给自己机会 去比赛 +没吃过甜甜圈也知道它甜 +除了老师 +今晚不吃羊排 +修女,欢迎你来现实社会 +走的时候别忘了关门 +是的 +上帝! +你也许会生气 +为什么? +施法! +-为什么? +-把锁匙给我 +-你被追讨那个数目? +在黑暗中... +麦克斯,冷静一下 +好。 +OK +那么三天之后再说吧,三天很快过 +破了警方的封锁 +他们将东西弄得乱七八糟 +老师再见 +劉德華唱得對,那一句什麼... +塞車嗎? +買大小 +你忘了 ? +-头版需要文章 +你有一份副本吗? +只知工作,没有个性 +还会被视为太空计划的救星 +什么,你的意思是你不想要你的衣服和厨具送过来? +灌木丛会撕碎衣服,某些地方的烂泥会很深. +他们在推销? +谢谢你,求你 +如果是过度性的脑部缺氧 +那她怎么样了? +我以前不喜欢回家的吗? +好吃好喝的,有什么好哭 +你撑不住? +他早晚会知道是我们杀死老朱的 +你一定要相信我 +- 你好吗? +听着,亲爱的 我有个好主意 +呵呵。 +嘿,等一下。 +我们lostJohnnyjust 一对夫妇ofdays前。 +TH +但我会死 一千倍 +爱德罗告诉我你会来,我只是... +超人是外星人 +一起吃中饭 +靠后 脚靠后一点 +我现在怎么做呢 +{\fnSimHei\fs16\bord1\shad1\pos(200,288)}我是擔心你越來越變態而已 +{\fnSimHei\fs16\bord1\shad1\pos(200,288)}現在不開一間電影公司 怎麼當老大呀 +-別動手啊 +{\fnSimHei\fs16\bord1\shad1\pos(200,288)}隨便吧 +-是 +听着 我... +是的 +我很惊讶你竟然站在这儿 +你 +谢谢 老爷 +Good point. +我是大学... +带了我回家,然后轻轻放在床上 {\cH00FFFF}{\3cH000000}Brought me home and put me to bed gently. +Do you think they'll do nothing about it? +-我们有交易 +怎麼? +王八蛋! +他們真的是魔胎! +波尼欧真是个好地方 +拜托说白一点? +正常就是无聊 +-我是豪瓦菲尼迦... +那么早起来工作 +我们有些事情 +你想说些什么吧 对我哭的眼泪 +这房子难找吗 一点也不 +是的厚度不是长度 +这些浑球真准时 老天,我痛恨这个地方 +现在,他们有个领袖了 佛南德里充满野心 +镁热激光完成 +攻打中部 +我实说说吧 +不过终日思考败因直到去世 +多谢你在这幢大楼里唯一的投资就在我房里 +儿子,你听到这个消息 +爸! +呃,倒是赛门这血压计派上了用场! +我们开饭吧 +很... +是吗? +我是如此确信着 +但是你呢? +停手,还不够糟吗? +如果你看见椅子上有东西,坐抬好了 +不过你放心,她现在正回广昌隆去 +拜托 +蠢丫头 +哈洛认为这样效果好 +所做的重大牺牲 +我知道,这世界就是这样 +皆受邀前来观礼 +你提吧, 他有足够的关系网 可以转换这些钱 +完毕 在这里! +这边请 +欠款第二次催缴单)(最后催缴单) +看看置物箱有什么东西 +赔钱啦! +所以一直在场监视着他 +朱茜! +绝对不容许有唐伯虎的东西出现 +还有什么好解释的? +你说什么? +-你还是留在家里吧 +我们会去机场 +并分成两小队 +-喔,亲爱的 +-她干嘛买菜? +-火车快开了 +-我不跟你说了 +-史奈特,别进去... +竟看不到最好的动作部份! +你的工作,婚姻及孩子 +这里 +不过就是场比赛罢了 +游乐场? +这种题目保证卖座 +去吧 +山姆 我进来了 +站住 +谢谢 各位先生女士 +迈格瑞格才能推出这种新药 +你在录音吗? +你认识这个人吗? +为何各位都认为他魅力难挡? +本以为我不说,一切都没事 +值不了多少钱,要不要卖就看你了 +我妈以前跟我说过 +- +向前走,快走,你 +对啊 +在我出生地的街角开了一家店 +你可认得安妮·马奎尔... +我会在这里留守的,你不用赶着回来啦 +有备份吗? +有三架装了导弹的F +往这边过来了 +姑娘 +小師妹 你的毒手吹花已經被我燒光了 +你不要老裝酷啊 +你沒有必要向天下人公開你的身份 +为什么不那么做? +拿一个止血器给我? +请,查它, 好吗? +你做的很好。 +柠檬满枝头 +可怜我吧 +别叫我 "蜜糖" 老兄 +哦 蜜糖 真的吗 +别叫我 "老兄" 蜜糖 +谁说我心情不好 +- 没什么 +兹拉 +他回变成标本 +你喜欢巧克力派吗? +不 要 说 话. +那些傻瓜. +我们? +毁掉阻碍他们的一切生命和物品? +- 嗯哼 +他说什么你们能听懂吗? +好象受伤了 什么也看不见了 +我要和法兰西斯打交道 +给我们孩子起名 +什么事 +为何因我曾和富人有关而不利 +她的教母一直梦想 +过几周我们须开始治疗 +- 抱我进电梯 +他不会对我胡说八道 那就是我想要的 +你会再结婚的 是吗? +快! +还有你 +我... +摩尔哈特上尉 海绵 +无痛波兰佬说 有什么关系? +这太荒谬了 +让他待在后面 +可这种清醒 给任何人也没带来启示 +您想吃点东西吗? +你说的是真的吗? +好多钱呀 +司徒小姐,我想约你去划船 +"这些案件展现了我的朋友夏洛克·福尔摩斯的超凡才华 +"还有邪恶的莫里亚蒂教授 +我是华生医生 这位是夏洛克·福尔摩斯 +你们谁是夏洛克·福尔摩斯 +三周之前 他的信突然停了 +以为我把你们忘了 +完全没想法 +-你看见什么了 +这艘朕要洗礼的奇妙的船到底是个什么东西 +对 夏洛克·福尔摩斯 +这些案件展现了我的朋友夏洛克·福尔摩斯的超凡才华 +还有邪恶的莫里亚蒂教授 +我是华生医生 这位是夏洛克·福尔摩斯 +你占了那位年轻女士的便宜呢 +你们谁是夏洛克·福尔摩斯 +我们订了婚 发了请柬 +对 夏洛克·福尔摩斯 +不过考虑到船体的尺寸 海军决定破例 +我猜他们都是专业水手吧 +既然你这么努力干活, 你爱你妈妈吗? +现在我不信了 +这是那个法国女人 通知我的家人 +可以的话,你月底就可以开始了 +反映出你所有的活动 +镜子 +早上好 快点儿 +过程怎么样啊? +- 想什么? +- 你一直都没跟我们说你是个演员 +东方 +""东方被解放妇女第一宿舍 闲人免进" +他不在那儿 +卡捷琳娜·玛特维芙娜 你要明白 +他們受到重創 +好的,军士 +桑顿,去右边 +好吧,下士,带大家出来 +劳森! +是的长官很好 +上校,我不参加 +来吧,我们走 +不知道美国人下面想干什么 +那些会谈都是徒劳的 +... +- 你怎麼能拿我和他比? +我告訴過你了,蘇。 +首先,你要把结痂刷下来。 +嗨,是她,就是那个女孩。 +- 你他妈的自己去拿吧! +这个小臭虫在电影院里坐在我们后边... +你不可以在这。 +我們走,路易 +大家把這個句子抄寫二十遍 +《拉普达和巴尔尼巴比之旅》 +但他在思考 +Matous一世国王 +你不要回城了 +你爱他胜过爱整个集体吗 +好吧你在外边等着 +大姐大... +你这巫婆! +没有年龄 或亲属上的关系 +- 而且永远如此. +呃... +回去美国,把谋杀案忘了,这是底限... +我要问那位画家一些事情 +第一个女孩在她卖了那幅画后被杀了 +可怜的大卫,我对他感到很抱歉 +現要播放電影膠片 +我不明白你想我們怎樣做? +我們的時代什麽時候到來? +或許今天是我童年的最後一天 +邓迪 兰斯 +我们的行为影响着许多人的生活和命运 +然而它几乎毁了两个别人的生活 +马上要开始了... +一看见你就着迷 +也不会因为他是个清道夫 +他要炒我鱿鱼 +我以前从未隐形过 +你知道,我常对你有邪恶的念头吗? +石头、大地、动物 +现在进来我的帐蓬吃饭 +- 他杀了我爸爸! +有什么问题吗,杰克? +我知道那是什么,少校 不要告诉我怎么做我的事 +生活费 政治 天气 +他在学校前看见女生色心大发 +两万新法郎 +有苏珊·奥宾还有... +不认识 +那怎么样 +- 最后二个 +距开车还有一个小时 +你想要啤酒的话 在冰箱里 +我给你留下这样的印象吗? +我们就先喝酒 +我一箭双雕的胜率是一千比一 +我早就想好答案了 知道我要怎么告诉他 +-也许他们吃够苦头了 +摄影师是威廉. +你九点钟起才在这里 +- 我会在你唇上――种个吻 +带着一颗漆黑的灵魂一直滚进地狱里去 +-当然好 我们是费尽苦心 +上帝 你看见吗 +你明明在里边说是你的 +蔑视、偏见和迫害 +就是那间,请 +就算是部落民出生,又怎么样? +- 听着, 麦克 +弗兰克, 这是芝加哥时报的麦克尼尔 +-但他没撒谎 +听着, 女士, 我 +现在 +-主人 我祝你 +-什么事 +帕马的音乐蛮不错的 +克利斯特 +亲爱的孩子 +容不下一切其他事情的 +我知道我的品味不错 +我在写关于如何保持身体美丽的专栏 +我想没有吧 哪个 +这是肯尼斯·劳伦斯 +-没错 +瑞秋、罗萨丽塔 +妈妈 +-很不错 +他说他爱你 +-帮忙抬一下 +-你何时 +-这是谁的 +-我听见了 +沿着布拉索 从帕里平多 +你觉得自己是镇长还是谁? +- 聚会不错吧? +- 他们已经领先很多了 +这里有人要求提供这些人的记录吗 +它是我们日常生活的忠实仆人 是我们内心深处秘密的知己 +他也许想让地方检察官听到 +我会吗? +谢谢,安 +我的小星星 +走开 +二月 +你们两个都是好人 我很感谢你们 +He hasn't left the villa in years. +Moritz to the Riviera... +- 我喜欢 +接着我有一个重大的发现 +金光闪闪的珠宝就在窗的另一边 +但你的确有点 +你会发现12头驴子的尸体和三架烧毁的马车 +我看上去应该很安分 +现在照我说的去算牛肉账单 +这是我来这的原因 来搞清楚怎么回事 +-戴夫 +凯特在里面陪着他 +我有的只是胆量 我用它换来钱和势 +布朗夫人 +- 我们怎么知道在这里安全? +她什么时候会回来? +你以为你是拿破仑吗 +我知道 +不行不行,我下午没空 +那么你的诚意推荐了? +也是会起床找霄夜吃,然后... +每当听到这曲子 我便全身软下来 +人们常听这种东西的 +别担心,一切都很顺利 +你为什么不明天一早再来呢? +但是它的树根 +-维格 +听起来像是从村子 那边传过来的 +而且如果你嫁给我 你还可以保留你的自由啊 +压制: +- 需要一个小头头 +我只是 不想这次再发生任何事 +你们中的一些人也许... +我真的想教书 +你把车停在那儿 +除了周末 他每个周六会去打猎 +(没小费... +通过他的朋友马里欧 +我饿了,托尼叔叔 +等等我们就到家了 我给你爸爸打电话 +你为什么不多安排几辆卡车? +免税的 +- 谢谢你 +二分钟 先生! +我算了下 +跳呀跳呀 +就连中队的工作就不做了 +前段时间有个人说要买我的手表 +要走到什么地方 +说得好听 +你还年轻,可以再找人结婚 +德斯雷 +我身材也不错像你佩特拉 +是谁让他们这么放纵 +傻瓜在厨房和咖啡 +他醉了 亲爱的 +约翰 +就让她看 +怎么会 你怎么 +- 請別,我不希望... +他們在下面推他 +那是世界上最糟的事 +在这儿,这表示你会被派到边境线上 +我已经告诉十熊,雪停了我们就走 +刚开始我以为 你是爸爸 +马蒂吗? +这就是所谓的神迹 We got it. +l remembered something. +They just keep mutating like a virus? +我怀疑你如何自卫 你们的意思是 Betcha it's big and fancy. +you gotta smoke him up. +这只是浪费时间 +深渊异形2 我会打死你将你的尸体拖进去 or I am going to shoot you and drag your carcass in there. +看那体积! +you know. +They won't see me. +抱歉,内茜,我们不再运送木柴 +- 过会儿吧 +糟糕了 +没有更好过 +我不会听 +其他人的意志 +航行 孩子 航行 +有五个之多 +我不确定 +我会站起来。 +玛格丽特: +然后又恢复原状。 +? +没有我他会死的。 +拿照像机来。 +下好的离手 +放我出去,我不是周亚炳,冤枉呀! +怎么一点味道都没有? +人是善忘的,好多事会随风而逝 +{\fnSimHei\bord1\shad1\pos(200,288)}可能我真的太自私了 +几百块手术费 +好啊! +这样... +看戏吧! +但极少人能看见 +我还能见到妈妈吗 +凯尔 你想你的爸爸妈妈吗 +你见过会撒尿的玩偶吗 +我转过的每个弯 +在1902年的秋天 我们共进了午餐 +让我走! +- 什么? +我要得到它得做什么? +我知道,可除了那儿我没地方住 +她有工作吗? +你能做什么 +所以,我们想象一下 +是,你没事吧? +可我有金币 +是,怎么拉? +好的,请原谅 +我想那肯定是你 我喜欢这帽子 +你伤害我了 +请出去等一会 +爱德华! +我们都知道 她不是我的侄女 +您的客人已经来了 +人们是不是总是听你的? +你不能往那走 +猪喜欢这垃圾? +{\cH00FFFF}{\3cH000000}What about Callahan? +Two of our men were killed on the 15th floor +拜 +我们的飞机会在 三十分钟内准备好,将军 +她不会听我说的 +我很怕 +慢慢地 +...劝说她重新装修厨房... +我穿好衣服啦 +-你学过那些, 至少说? +我不是 +你很善于做这个 +-它会的 +但是... +大概是我们家最古老的东西 +当然 +-从巴黎? +-来点咖啡? +郑大姐,现在犯人醒了 {\cH00FFFF}{\3cH000000}Sister Cheng. +No,是彭彭彭 {\cH00FFFF}{\3cH000000}No. +你不要乱来呀 {\cH00FFFF}{\3cH000000}Don't do anything silly! +"朗德尔银行" +人这一辈子,有所欲就必须得 +- 什么? +我过去一直都能成功地为你收帐的 +我给你的方向正确吗? +好的 谢谢你打电话来 是乔治.哈肖. 他从加尔维斯顿打过来的 +你在想什么? +也许会有一些事情 +怎么啦? +我已经累了 我想休息 +- 很高兴 +跟我搶錢,神經病,幹活吧 +你當這是公廁,不是墮胎便是停經 +有沒有看過馬戲 +你有辦法殺人 +不知道感激大家吗 +给那些遭受不幸的人带来幸福 +以为自己做了多大贡献吗 +是的 +安迪 你干嘛呢 +我准备在这儿放上... +是的 这就是他带姑娘们来的地方 +洗个澡 +是你想控制我的生活 +真好笑 他居然被一个勺子滑倒了 +-法西斯! +是的,這就是他帶姑娘們來的地方 +-我不想要什麼蠟筆 +不,我一進來咱們就上樓去... +-哈里醫生說你只有活兩周 +既然你這麼討厭,幹嘛不趕我走? +我祈祷主保佑我的灵魂 +该死的斯托 +不用了 我可以自己来 +我突然泪如雨下 +在明天下班前五分钟 +你若不这么做 他们会查出来的 +看着我 +我告诉你一个秘密 +-我没有 +山姆 +宝贝,你头发怎么了? +从后脑勺打进去更爽 +分尸... +他是我爸的生意伙伴 +我会对付里欧 我会对付詹姆士 +-在俱乐部玩得愉快吧? +死心吧 +不是吗? +但是,现在,我们也看到 +人们要从岩石中钻探埋藏的水 在沙下面很深的地方 +任务控制中心,侯斯顿, EVA工作的很好 +你被嚇到懂說話嗎? +誰呀? +就是我了! +这是怀孕期正常的现象 +The flower of love won't be shining now +他喜欢打完板球后喝两杯 +艾力克 桑泊特拉 +-接通了 +我们会来接你 +-不好意思 +不是 +哈利 +谁能看得出来? +哦,不用了 +"禁止." +多享受 +计划推迟了 目标上空有云层 +-你神经过敏而已 +"亲爱的长官: +他是怎么混进来的? +45战前碰头会 +What'll he be after the war? +When they drop their bombs, so do we. +They didn't even have time to pee in their pants. +Break it up! +亲爱的哈里曼上校,感谢你为我儿子,汤米写来的信 +好吧,我们还有一个办法 +我们帮他打开 +杰克・鲍西,来自芝加哥南部 +谢谢,长官,再见 +谢谢 舰长 Thank you, sir. +美国企业号 北大西洋舰队 新斯科舍以东 +不会吧... +-可否让我登上达拉斯号? +-Please. +-When the dust settles from this, there's going to be hell to pay in Moscow. +乔伊,别说话,好吗? +法兰克. +我听说你妈会到那里去 +在那边 +克莱的忽然死亡时 +我跟你下去 {\cH00FFFF}{\3cH000000}' Foow you +柳爷呢? +we're ate +- 翻車是你幹的? +玛利 +是吗? +对,她的身体 +拿着报纸,假装看报 +我听自由欧洲电台说是伊朗 +剛才你兩個手下讓我點了穴 +前輩,請問你是那一派的宗師呢? +我要你 在我心里来回摇荡 +長春改名為新京 +順便慰勞我這把武士刀 +告辭 +我這條命是你的 +行刑的時候 +川島芳子 +我不能沒這份工作,我不做證 +你怎麼啦? +平哥 {\cH00FFFF}{\3cH000000}Ping +他妈的 {\cH00FFFF}{\3cH000000}Where are you going? +Ping? +又讲大话 +我很担心 +够了 停手 +俊夫 +你医好病后我们才去 +我喜欢这里的新鲜空气 +在未来所有好东西都是日本做的 +你叫什么名字 +"火炉温度" 捉稳,黄色木材要爆炸了 +我不肯定可不可以 +是不是不把我放在眼裏? +不然』這件工程會讓我們做嗎? +算了吧』你去關掉熱水掣 +决定了? +阿飞正传 +我怎知还有多少个女人会跑出来的? +又或者她只需要有人陪她聊一个晚上 +现在他不要你了,你不就回家哭吧 +288)}不用聯繫 +是我的真名 +288)}老闆怎麼還不來? +幹什麼? +288)}570810~1052825 +- 送碳呀 +-新來的人叫什麼? +真的一点都不痛 +︾狝ぃ岿 +-恕我失陪 +我从我们吃的那种鱼的卵巢里提取了这玩艺儿 +-我们需要那笔钱开诊所 +早晚他会打开那扇门 +我们达成共识了,贾克 你感觉到了吗? +也有些太空垃圾 然后进行解码和检测 +嘿,比利 你哪位? +并没有什么严格的规定 +我明白了 +电棒... +像被人监视着... +-4分25秒 +你却说那小子袭击你? +-不... +我以前认出过他们, 跟着就停止了。 +艾伯特要那个傢伙 当不成警察,古柏 +-又是身体语言? +我看到他时,我... +{\fs16\bord1\shad1\pos(200,288)}再見 +{\fs16\bord1\shad1\pos(200,288)}警察 +{\fs16\bord1\shad1\pos(200,288)}沒問題,這個先還給你 +{\fs16\bord1\shad1\pos(200,288)}小明,跟叔叔去 +{\fs16\bord1\shad1\pos(200,288)}阿泰,你有千度近視 +是貪慾讓朱迪絲這麼做的嗎 +我愛你 +我想跟你再聚一晚上 +我记得.. +多久之前的事? +我是要小钱的呀? +闭上嘴 {\cH00FFFF}{\3cH000000}Then shut up. +我在 , 麥克 +" 克西" +我每次跑步时 都觉得自己仿佛会飞 +我不知道是否还能騎得那么快 +记得十几年前的事吗? +好极了 宝贝 +菲力 我们赶快离开这里 +- 什么足球队? +玛丽 怎么了? +他的电话都是由别人传达给他... +- 你在哪里弄来的香烟? +法兰基,他有没有发抖? +我真的以为你说 没事了 +- 吉米,我需要钱呀 +- 谢谢,吉米 +车引擎是冷的 +他叫贝兹,他手下的人 像疯了一样到处找他 +- 不管是谁 +- 不,不行,我要照顾我弟弟 +你回去叫他马上给我电话 +有几个混混 整天就是忙着帮保利接电话 +又有眼镜尼基 +什么? +那个小子 你知道我是在说谁吧 +- 你不要找我麻烦就好了 +你得有充分的理由 +想要點什麼? +要是沒有經歷過,人們什麼也不會明白 +in the Girl Scouts next year. +Are you out of there now? +,也许人们不那么脆弱。 +Roberto. +当然,麦克。 +and has to be played out. +{\fn方正黑体简体\fs18\b1\bord1\shad1\3cH2F2F2F}梦境在此展开 +这总比睡在街上好 对不对 卡洛斯 +来吧 让爸爸爽一下 +因为他脚下的土地崩塌 +在你后面 +你要关闭 自称是我父亲吗? +嘿! +谢谢 +- 我是杰克 +没错 +你知道吗,福古拉 +大作跟银铃怎么了? +高级法院大律师 +走廊的尽头 +托尼赢了这场射击比赛 +你说得像是在做善事 +安迪,他们外面肯定 需要你 +壞了,沒時間了,馬還沒醉 +那个女人就不喜欢你 那就是浪费啦 +不是这一只 是这一只 +干什么... +洋鬼婆 你没事吧 +-不要站在这里 +-Mr. +所以上错船被洋人误会打伤了 +一个人敢对我们这么多人 +知道了 师父 +走去哪儿? +关门 +對,這是新的零件 +你得簽字同意 +我不管,咱們得阻止她 +媽 +拿一些捆绑带过来! +直升机追上来了! +我们把它叫作 光绪 +咱们的位置在这 +如果蛋蛋被捏伤的话 because a bruised testicle is a sure +只是简单地看到丝袜沿着小腿慢慢卷上去 Even simply seeing a pair of stockings being slowly unfurled up a leg +通常有一方是支配方 often forming part of sex in which one partner takes a dominant role, +当你要决定采取什么体位的时候 (Man) But there are really just five main approaches to consider +都要由男人来掌握控制 always has to have the man in control. +特别是通过直接性交的方式 particularly via intercourse. +还有的说阴道高潮也不同于阴蒂高潮 or that a vaginal orgasm differs from a clitoral one +-being +{\fn宋体\bord1\shad1\3cHFF8000\4cHFF8000}其他人发现性感内衣可以增加性生活中额外的快感 +我可以把他从这儿带走, 你的Alfred Kant 让他进来 +-亲爱的 +即将到来 +我想想 +今天我们跟别人谈过 +我相信你是的 +红发棕眼 +关掉总闸 快点啊! +老爸! +老爸 昨晚上你睡不着吗 +饮了这杯香槟之后 +各位 不要紧 请冷静一点 +喂 儿子打老爸 就被雷劈的 +小心 +我就快要死了 +况且我喜欢浪迹天涯 孤身旅行 +是这么人面兽心的? +它只差没去铬楼罢了! +我是说真的 +我是可是个通天大盗哦,看明天的报纸吧。 +用力点 +这是我最新的电脑 +我很伤心,你知道 +接着你把听筒 +那有满足感 +你该睡觉了 +你喜欢那样,对吧? +傻子 我们付钱进来的 星哥 +星哥 这里没人管得了呀 +耽误你一会儿 +挺有趣的 +你不是周星星 +就少不了会滥杀无辜,涂炭生灵 +是吗 +因为钱太多所以想少一点 +我买了东西送给你 +这龙虾一定是他们在室内加尔捕捉的 +如果她想 +阴道味道才好 +你怕女人的那个东西吗? +我们付出欢乐,希望,幻想 +这里就是性爱神殿 +看! +'D!"D'是开车 +到了六个月时,她感觉不太对劲 +问题是为孩子找个好爸爸 +喀麦隆 +每一个毛孔,不像你,我敢肯定 +太漂亮了,太诱人了 +噢... +如果你有偏好的路线 请向司机指出来 +那你来付钱 +我会给他一次血淋淋的教训 +但是... +我喜歡雪茄,但怕這裏的人會不滿 +是因為這個原因還是其他... +晚上再动手 +停下了 +但他的律师也有同样的复本 +我们得去救助站 +塞罗,你个子很小... +我知道那只是些片刻... +朋友! +我有些问题需要解决 +有人在你的生命里消失了 +- +- Uh +I hate it. +我们要挽救家里的生意 +不 +看什麼,快滾 +袋子裏面是什麼,趴在地上 +有喜歡的人吧? +你好 +大人不会那样子跳舞 +但是你看看 +但我猜 你应该看过她的全身了 +他对机械人非常有兴趣 +大只哥,给点面子,我们在做生意呀 +邮差 +你还好吧,长官? +不重要! +骰子? +我明白 +288)}走一走 +288)}現在我對你已經沒有什麼隱瞞了 +288)}我們可以換地方的 +美吗? +只是,如果他退保,DEBI。 +来吧 +也有这个可能的呀 +亚健 你去叫比基特和西布顿他们侦察 +有人在吗? +只要你花点心思在主人身上 就会明白他不是个坏人 +-不会 +- 和在西雅图杀死乔纳森 +是谁? +伸进去 +-你给西厅的看守送早餐 +如果线被切断 +把情报送出去 我们只能做到这个 +不可能 +为什么要把它夹在缅包里面呢? +- 干什么啊? +我以前演的是被剪掉舌头的麻雀里面的老伯伯 +你呢? +来,喝首歌 {\cH00FFFF}{\3cH000000}Come on sing a song +让大家内疚一辈子才满意吗? +快说,要不然我打歪你的头 {\cH00FFFF}{\3cH000000}Do you think that I would strike down your heard? 我最善长的就是,逼奸 {\cH00FFFF}{\3cH000000}I used to rape by force +快点吃 {\cH00FFFF}{\3cH000000}I take don't beat! +我最善長的就是,逼姦 +還是讓他試試吧 +我是托马斯 +鼾声像猪一样 +不,鲍伯,我的朋友 +对,她以前住这里 +你千万不要跟其他人游水、洗澡 {\cH00FFFF}{\3cH000000}I'd advise you not to go swimming or bathe in front of others. +{\cH00FFFF}{\3cH000000}Nowhere? +字多有字多的办法 {\cH00FFFF}{\3cH000000}There's a way to erase all those words +这杯茶我还要喝的呀 {\cH00FFFF}{\3cH000000}I think I still want to drink off this cup +{\fnSimHei\bord1\shad1\pos(200,288)}你應該多喝點湯了 +{\fnSimHei\bord1\shad1\pos(200,288)}我們去大小台,引起他們注意 +这么自私的一个混蛋 +不知道? +其实她是被发现的第三个女子 So actually,she was the third girl found. +那有趣的招牌酒? +他们把它杀了 They killed him. +现在我把他看成是一个实验 +从没有跟马丁参议员作过协议,但现在有了 +至於你這份拙劣的問卷,就大為遜色了 +我找過凱瑟琳馬丁參議員,她沒聽過跟你有任何協議 +不错,有问题吗? +把那他妈的润肤液放在篮里 +来吧,珍宝,我有好吃的点心给你 +我记得你出席过 我在维吉尼亚大学的讲座 +或者你害怕这样做吧 +我们怎样开始贪图的? +讓我下車,我要打個電話 +那你就不是真正的巴黎人 +說實話我感觸很深 +魚餌大部分是由死魚做成的 +你有權使用這艘船 +很高興釣魚? +是我的,我刚进门 你们为何剪我手指呢? +我用水泼我 +开罪乐儿那朋友 +先说真的吧 +有为青年,又怎会背脊有纹身呢? +后面! +哦! +行啦! +隆重的 简约的 或者 +- +-爸! +噢,顺便说下. +看到我在这你怎么这么高兴,尼娜? +以这枚戒指作为我的爱的象征,与汝结合. +你将会失去她 +-怎么说呢 我只是一个父亲 +你疯了 +-弗兰克 +-对不起 +得到这份礼物 +警察让她取下的 +这么说你不是名人 +- 你在说什么? +你的寒热病怎么样啦? +能不比你们更有所感触吗? +最重要的是 好的每天的分析 +为你所爱的而死 并不是悲剧 +改天再告诉我吧 +妈的 +因為,我從來沒有大聲念出來 +但是你有這樣一個好朋友 +替我顶住 +你上去会死的! +来吻一个! +在哪里? +只是对特定的人物是秘密 +你真的什么都不知道吗? +你看到吗? +饶了我吧,里欧 +那真得感谢上帝了 +- 目前为止,感觉还行 +大家都来了 +行动 +- 有 一个女的 +我要他们即时被抓住 +在门廊上面 怎么了 +他们说得对,我们没有证据 +别捉虫子 +不知为何 他总是被认为 +他在瑞士生病了 +完成我的博士学位 +当宇宙开始坍缩的时候 +必须继续思考 +念说有什么用啊 还不是老爷身上的一件衣裳 +陈老爷在哪儿,我有话要跟他说 +你也骗我? +不是 +我不想再听你这张乌鸦嘴 +会不会是期望过大 +太早了一点吧 +太多了 +是吗? +你上哪去? +不能够再往前了 +习惯就好了 +上个礼拜,我们又抢走你的日本客户 +我真是恨我做人这么虚伪 +吓吓老妈也好! +- 我是想离开 +I guess I'll go home and finish off "War and Peace. +我觉得是我的前列腺出毛病了 +- What? +- I don't like her. +Put his glasses on! +you sound just like her. +为什么? +他们可以像风暴叫我们沭目... +称为... +去救 +不如这样,你先放个大假吧 {\cH00FFFF}{\3cH000000}Why don't you go on holiday for a while? +{\cH00FFFF}{\3cH000000}Hah! +这些资产阶级的东西,到底是谁的? +掌声掌声! +他们将来会怎么样 {\cH00FFFF}{\3cH000000}about theirfuture +-我是埃德温 +星期三你会吃点心和棒棒糖 +你能否保守秘密? +-结认人 +拿着我的钱包... +你煮咖啡? +你今晚好吗? +他捡人家丢弃的物件 +威尼斯 +是构思晚饭还是跟他吃晚饭? +我们想知道在车里做爱的滋味... +叫巴比特 +暗疮? +不是这样,我深深被她迷住 +你是诚实的好人 +看到谁? +我对此很抱歉 +- 對呀 他只是上課愛打手槍而已呀 +- 媽 +沈佳宜雖然失常 但還是考上了師範學院 想到將來沈佳宜當老師的樣子 就覺得非常適合她 +怎么了? +恩珍,我不记得了 +素英? +沒想到哈迪斯大佐會親自前來 +小瞳 +七层的保安系统被一次突破 +只要能找到失去的Apple Seed的话 +于24小时内死亡 +翠星石 求求你 快让开! +挣不开 +300)}缓慢落下的冰冷之光 +哎呀 这就要下班了吗 山口? +只有小指大小的你 +我会在天使指引下 +300)}对心灵伸出的手掌 +是啊 +请等一下嘛 +300)}ゆっくりと落ちる冷たい光の孤独は +战争了720小时。 +民意,或放置诱饵 作为软恐怖主义。 +很好很强大,非常有个性。 +和他们的孩子,他们留下 他们害怕死亡,所有这些事情。 +,然后挑到媒体运行 2004年共和党全国代表大会。 +当拉姆斯菲尔德对这个问 第二天,他拒绝发表评论, +和它们所造成的损失。 +好好看电影,别欺负小妹妹啊 +你们先去吧,妈妈看过了,我在外面等你们 +放一个让我们看看 +好吧 没说你 +不會是卡通人物啦 +他卻把我整得這麼慘 +這好美,東尼 +我說過了,他們都不在 +那钱你付给他了吗? +-你在干什么? +我的老朋友乔 +好。 +- 一个中世记餐,哈洛,炸薯条? +- Jack回来了吗? +No one to say when to eat or read or leave or stay 再没有人对你指手画脚 +算了啦,走吧 +我好得很 +哦... +- 新型化妆法? +我不觉得她的服装很合适 +[吸气] +[鼻音化]那只会让你更悲惨! +那么伊薇说... +谢谢你,安东尼 +你能不能帮我和她说说? +[艾维丝歌声] +开枪! +你想去那? +朋友也好,土地也好 天空也好 +你为什么要帮助日本女人? +这事看来是工藤先动手的 +怎可以只有你俩在进行特训 +辛蒂,我是喬爾 Hi, Cindy. +真的? +我才四歲 I must be about four. +我們躲起來了 +喬爾,住手! +我會覺得跟著你乏味又不自由 And I'll get bored with you... +- 但是我没有弄丢过耳环 +妈妈! +- 性虐待 +开始玩捉迷藏的游戏 +我就还是坚强的,无法靠近的 +你可以继续玩这套把戏 +这个嘛,对于初学者... +我称之为"太阳辐射弹" +但我们分手了 +現在退出 我會用銀子給你30%的補償 +晚安,妈妈 +穿越伊拉克和叙利亚就不大现实了 +她被轉移了 +这个星期三? +我只是想帮帮你 +好了 来 我们走 +他说是紧急情况 +我的房號是22,我希望和你完成這次談話 +好,怎么啦? +長官,我發誓 100,000 法郎 +他是一個好胡圖人 他現在想給我留下好印象 +你去那里 +我只是不明白他要离开。 +嗯... +谢谢你 娜吉斯 +奔腾的河流 +它满足于此 +我当时在找工作 +棒极了! +-赛斯 +哈哈 +-我演的如何? +-少来 +你可以活,也可以死 ? +你无计可施了 +怎么会在这里? +这些是在我们之前来的人吗? +你没事吧? +我已经写过自白书了,警长 +我丈夫不知道我会说英语 +你怎么敢进我家 去你该去的地方吧 +当然,我还能把你们的仇恨变为爱情 +你什么时候搞了部摩托车 +幸运地,我也喜欢果阿 +对了,汤米以他儿子的身份出现 +桑尼,不要变声来骚扰我,让我睡 +不是,不是拉妮,是别人 +尽管是偷偷地 +你当天杀了我不就没事了 +别这么说了,阿鬼 +为了安全,我们尽快离开这里吧! +差不多 +爭取考個好成績 +你 +你的爷爷 +不! +超人这种不顾他人想法 的行事作为应该受到控告 +这不是我的错 +没看到其他人 +ê惠璶腊 +羘岿粇 +别在那傻站着 快过来 +你少插嘴, 巴小倩 我们很正常, 妈妈! +感觉怎么样? +房间安全, 开始播放留言 +眼里只有她们自己 +嗯,怎么? +我们发掘的遗骸中有李振石先生,所以... +修皮鞋! +- 快点上去! +荣誉勋章没有给你权力去杀人 +敬礼! +我兄弟有心脏病 +他是我哥哥 +振硕 +如果你做得到你刚刚说的事 +医护兵 +这样打 +我只要你回家就好 +我当然也要去啰 +明白了吗? +我哥不知道我还活着 +找位医生谈谈 +不 +我们不能用卑鄙的手段清理世界 +- 我看过医生了 +- 嘿! +我是怎么到这的? +我手下的一个士兵 +- 明白我的意思吗? +- 是你的母亲 +- 名呢? +也许会让你看到一些本来不存在的东西 +Jack +你说我们应该这么做 对 +你要我的资料? +- 他是得了癌症,后来过世了 +旅客名单在咖啡色行李箱 拿去吧 +他没有坐那班飞机 +在1908年6月30日 +1937年,希特勒参加了北方协会 +一个无足轻重的小人物 +这扇门后面,有一个黑暗的怪物 +哦,好的,让我们进去打声招呼 +教授,他们来过这里 +靠! +...... +-格里高利? +尼尔加之子 +-没错 +干掉他! +教育了他 +还是他的生存方式? +我也不喜欢这里 +嘿,站住,等一下 +-你还需要什么? +我不知道,我还没想那么远 +你在那等着 +来点吗? +见鬼 +你知不知道? +喂? +别管它? +吉米,曼蒂呢? +我原打算让我妈妈来照顾她 +你胡说什么? +我不想死在柏林 +- 请坐 +但是,我仍然很难原谅自己 +-你刚才说到奥多河上的铁路桥... +祝好运 +- +我们必须在某处挂。 +你高? +除非违背法则一) +(法则三: +你得照别人吩咐的去做 +请留言 +上帝啊,真是太糟糕了. +你知道我父亲是多么准时. +我把它扔出了窗外. +让众神饶恕圣斗士的罪 +你再怎么找也没用 +并且相信我们 +你杀了两个人 +好吧,你获准了 +再查到你 +我还是打车回酒店吧 +这还是一个秘密机构吗? +{\1cHFFFFB0}∮You couldn't even believe∮ +"汉城大劫案" +只有傻子 +你看报纸了吗? +你也是! +- 里面什么都没有! +嘿, 大嘴 +埃文,快點來啊 +讓你受了很多苦 +主演: +是什麼? +好了,這部分的故事是這樣的: +是这样的吧,伙计? +也许做梦时从不知道那是梦 +爸爸... +我从没想过你会相信 +就像约翰逊 +那凯丽的伤疤又当如何呢? +答案是不行, +是,先生 +听着,詹森 +再见! +别惹兰尼,别让我把你送到沃尔先生的办公室 +发生什么事了? +你对自己还真是好, +任何人找到这个,那就意味着... +住手! +早在她辞世之前 +And he was buried there beside her +这并不意味着我想要我的书得到掌声 +-I don't think so. +要尽量保持年轻 你们的青春是短暂的 要善待之 And stay young as long as you can. +We might have improved on their oversight... +-What's the verdict? +-What was her name? +很好! +他现在甚至还不认识你,这全是我一个人的错 "and to know that only I'm to blame for the fact that he doesn't already know you. +钱还是泡泡糖? +你挂了吧 +这不会留下的,但是 我只能做这么多了 +我有的选择吗? +让他成为英雄,成为他们 肮脏的革命的烈士? +生育神的力量 +你刚刚明白过来吗? +! +不! +或者你在想你和他? +你在哪? +我从来没有摸过在别人肚子里的小孩 +我还以为你在开玩笑 +- 现在我欠你 +没有,他在摇头 +还不止这些 +对不起,史蒂夫 一切都变得太奇怪,就是这样 +你是来救我的吗? +那大肚婆是个爪耙子 不过她也挺漂亮的 +我在这年纪还能找到 像你这么好的儿子 +我要盖牌 +克劳斯,过来,给我和尼德来个特写 尼德,快过来 +谁? +我要的炸药呢? +晚餐上會有酒, 有小點心 不帶孩子來的大人們, 還有銀器 +我知道那下面有些什麼, 說吧 我還沒準備好 +你的生活變得一團糟了嗎? 請大家各就各位 +哦, 天啊, 什麼時候的事情? +垛產临琌獺稲薄 ê妓穦Τ芥翴 +琌ぃ +и +- ぃぃ +и稱Ω I just want a another try +Τ⊿Τ筁ゞ甊﹁籜 (Nina Simone) 簍佰穦㎡ +等一下,我要买点东西 +人呢? +你可别再耍我 +穿白衬衫,黑西装 +比你快,刚到45秒 见鬼 +巴海? +*称之为爱* +三天后就要公演了 +在你之前我还从没有如此的冲动向人坦诚相待 +做小丑吧,做小丑吧,做小丑吧 +我从来没叫你改 +. +不过到后来,你成功举办了五台演出 +即使她同意手术,我也不觉得会有什么帮助 +到底为什么琳达会回到科尔的身边呢? +而且,lrving已经联系了制作人 +从现在开始,你们两个就要做好准备了 +*水仙花开* +来吧,孩子们! +他们是繁荣的标志。 +在寺庙的外面 +宗毓华快60了,还不是一堆苍蝇跟着 +12点以前吧 +还有陈太太,最近也刻薄得很 +我也走了 +跟这一位女人的婚姻做一个见证 +这个演出季度,我没被提为主角 +那好,就这样,再见 +- 不是的! +关键是你怎么想的. +你怎么死的? +笔! +我们不晓得它何时才会抵达 +那真的很悲惨,可不是? +是我哥哥, Boone +我要你帮我翻一翻那些行李 +- +不过机长从驾驶舱 被扯出去之前 +你以为他们会来吗 +等等, 他在移动 +是的, 我确定 +- 闭嘴! +她们在你生日的时候送了你一只PRADA的皮包 +-那你还在这里干嘛 +得了吧 你是奥斯汀·艾姆斯 +-是热蜡 +奧斯汀·艾姆斯,那你過了今晚,還會想見到我嗎? +朗達告訴我妳可能在哪裡 我想妳可能需要朋友,來吧 +不过只要爸爸觉得快乐 我也就快乐了 我们就要成为一个快乐的大家庭了 +好吧 等我两分钟 +-不 我很清楚你是谁 +我们请出未婚女子一号! +- 你觉得我真像个牛仔? +我住在對街. +- 麵條. +所以Lynette就像往常一樣回答了這個問題. +好了,如果你不介意的话, 我现在要换衣服了 +为什么? +这个人到底是怎么回事啊? +我们跟来这里玩的小孩跳的啊 +她和你媽媽是朋友. +為什麼不是? +很棒的派對, 大家. +讽礛, и碞ㄓ. +癸и╆簆? +仇家,你们有吗? +就等著双方签离婚协议书 +墮落的... +那他昨晚夠忙的 +是 +-什么? +-我就是这个样子 +不过我等累了 +那是我脑子里看到的 +你不认错我绝不罢手 +-你在干嘛? +莫特 +请你 努力以谦虚的清露 冲淡一些你悸动的灵魂 +回答我 +这就是他 这就是安东尼奥 对他我欠下无数的深情 +谢谢 +你在干嘛? +请让我开心点 +今时今日的服务态度不能这样的 +拖箱子过来! +等等 +你是谁? +伤者是什么人? +说甚么三个小时内捉到我们 +他爸爸是金福证券的主席 +张世杰 +一颗石头就搞定了 还是你们男 人比较麻烦一点 +我就说 "没有然后呀!" 故事就完了 +妳們不要以為很誇張呀 +-对 +再给我来一杯 +去妓院能做什么? +-你他妈听明白没有? +- +(婊子夏令营? +那真是他妈的的一片凄惨景象。 +因为你从一个底特律逼里面出来的? +白人造烟, 烟是众所周知的最危险产品。 +我们崇拜金钱。 +别误会我说的"平权法案"。 +大学里要真有那么多跳脱衣舞的 +知道我为什么这么说吗? +直盯盯地看个45分钟 你不算结过婚 +这次记得换个合适的灯泡 +你想报仇 对不对 +找你的 替我顶一会儿 好吧 +不要擔心 +-事情是這樣的... +我從來沒聽說個這樣的懲罰 +我有扭曲的胃嗎? +我剛剛突然意識到 +好,我相信你 +- 先生! +鹤! +@ The world is yours and all mankind +我看到你的眼睛被什麼東西吸引住了 +你在幹什麼? +然後被羊吃了 +你還活著! +48英里 +是谁在这么破坏艺术? +噢 +- 啊? +一,二! +噢,我们得走了 看上去他们认为是我们抢劫了英格兰银行 +谢谢 +福格先生! +路路通! +我们是莱特兄弟 "我们"真的有 走吧 +是的 先生! +只是一个小问题 又一个小问题 +这套系统给屋子提供源源不断的电力 +这么说你还是个银行劫匪的专家了 +王子陛下还是一位天才的音乐家 +好好给我找,抓住他们! +- 把门撞开! +路路通! +他在那! +公爵和公爵夫人都坐进来以后 +我们要停下来补给一下 不过我们明天早上就必须出发 +- 哪里有飞人? +您是安娜吧 +她怎么样 +那儿 +这来源于一首圣诞颂歌"... +-大约子夜了 +-这间房叫什么 +她甚至不愿见我 +在很久以前,我们还没进化成猿类的时候 我们也是鱼 +- 求你了,今天是我生日 +不好意思,失陪 +- 你为什么不早告诉我? +欣賞的藝術 +我一直喜歡你,討厭傷害你 +不用,不過如果你想給我小費 也可以 +- 隨便什么吧 +彎下腰,摸地板,讓我看個夠 +為什么是他? +你还要吃那些玩意吗? +波浪一般东西? +这是你的学业 +非常渴望与你一起工作 +噢,对 +对,我有个计划 +你真的要把他们置于困境之中 就为了路易和莫迪? +他名叫巴迪(伙计之意). +什么呢? +卡特! +可以消除我们杂志的巨大亏损的 +我只是,唔,在看你和... +知道了 +恩,还好吧 +这很重要,因为我老婆失业了 +怎么说? +大家继续 +-好啊 +卡尔布真正需要知道的 +我给你买了瓶辣椒喷雾剂 +他是主力之一 +我的天 她超水平发挥了还是怎么回事? +卡特 听我说 卡尔布先生 +-噢,你说的对 +很好 +真的? +很感人啊。 +让开! +特迪・凯! +丹. +你对到《运动美国》上做广告 +马克,马克 你会带我一起过去对不对 +人们都在省钱 +对 +你喜欢寿司吗? +不,不,现在不是个好时候 +你终于成功了! +我被解雇了? +以前谁也不会这样 +咖啡? +-去他的! +到最近的城镇去 +非常在乎 +要怎样才能医好他? +你若不高兴,我宁可不嫁 +那里离我们家只有三个街口 +就像九头蛇一样 +是因为太频繁的洗澡 +感染性病的比例 +我要走了,我要去动物系做一个工作面试 +就说手淫,睾丸,阴茎 +嗯 +-祝贺 +別忘了你們的安全套 舌藍酒,誰要一點? +大波寶貝 +从12岁开始就会 继续讲 +能不能按我的意思办一次? +他将在明天安葬 +最后惨遭杀害 +從阿布巴庫過來,然後會在 我們今天去過的地方轉彎 +我们好像这样耗了一星期 +大家别急,让我来处理 +恭喜你 一谢谢 +很可爱的妹 +这个好啊,可不是一般鸡泡鱼 +Albert,还没走? +是呀,吃得很饱 +烧鸡翼烧鸡翼真真好吃 +...我对请求宽恕的人做的所有的祈祷, 还有... +- 迪安, 这是 帕特里克, +对着你和我唱着欢乐的歌 +不想陪我走走? +女士們先生們 +特瑞 是我 +提供一個展現各自才華的天空 +现在,我们只是待命 +- +跟我走 +-我自己就很别出心裁! +你真的想去? +- 琌盾 +- さぱ癬ㄓぃ岿 +》 –稲甃ら 》 +你追不到我的 +什么意思? +救命! +知道么 这些游戏事先都动过手脚 +... +嗯,我保证 +- 别碰我 +哦,我爱你 +好吧,是的 我偷了你的信 +-我们走, +宝藏的守护者 圣殿骑士的符号 +-到电梯里了 +我不相信 +我一个人干的 切斯博士没有参与 +并对此发誓吗? +没人 +很抱歉听到这个消息 +我知道关于眼镜的事 +抱歉,本 +的房前的影子显现... +不是吗 +因为这很有可能是有史以来 +知道了 +要想点别的办法 雷利 +拿着 +-这后面有个通道 +路走到尽头了! +随时都可以 +索隆... +请赐予我力量 +瑞迪. +不会比你让他活着还离谱! +我们还有人在外面,马歇尔王... +准备离子驱动 +好好,想一想 +嘿! +首先,你要把腿刮干净 +我习惯一个人,大多数时候 +我还能做什么? +田... +Alan... +这里是Tulse Luper。 +插曲 5 +我们很安全 交配。 +- 对 +我们终于走到了美洲的中心... +可是我不能什么都不干啊,我得去找工作。 +什麽样的旅行啊,年轻人,你还好吧,哥们? +你知道自杀是非常自私的 +-對 +-我問你的不是這樣 +薇拉,亲爱的薇拉,不要害羞,让我陪着你! +再说我都告诉你钥匙在我这了 +勇敢点,哈利 +同一個魏格勒? +没什么 +我们不是英国人,现在也不是19世纪 +呜哇 +[斯图呜咽] +因为是我把那件衣服放在戏服间的 +-图! +我知道你在干吗 +也是摇滚乐队Sidarthur的主唱 +在著名的纽约这算是一种幽默,是吗? +《皮格马利翁》的一些想法 +我可不想靠近那些黄牛党 +Stu Wolff就不会觉得我很酷了 +-嘟 +经历这些 我得需要很多的治疗 +- 什麽东西? +喂,你们叁个 +比预定时间 还早5分钟! +圣诞老人来过啦 +# 圣诞节来临时,我就会想到他 # +我们一起去 +小小姐 +事实上,我是整个北极的主儿 +一, 二, 三 +车票 +你干脆帮我买一份保险啊 +把大炮往前挪! +中校 +先生们,自由射击! +我从不怕把事情夸大一点 +预备,放! +不是吗? +是苏黎世银行的账号 但刚才被一个本地的服务器启动了 +而是打得多么好 所以看着我 +"莫 库什勒" +你要做的是 你要把它看成是一个人,明白吗? +抱歉,老板 +很高兴和你合作,小姐 +...不跟别的经理人说话 +你刚刚把自己参加 冠军争霸战的机会保护没了 +你难道什么都不记得了么? +如果我还有理智的话 我应该回家去 +嘿,过来,过来 +但是第一場六回合賽並沒那麼輕鬆 +...只是有時候你沒把事情想清楚 +- 我們走 +嗯。 +高中生中非常罕见的 超级爵士乐小组 +那是当然啰! +加油 +这张是萨克斯演奏家 Cannonball Adderley +要是7点还不到家,我们就不等你了 +(Best Friend) +1,2,3,4 +干嘛? +你们不是说好帮我们的吗? +啊! +什么? +上次我击出全垒打 +以后有机会就请你们在店门口 做现场表演吧 +一般的音乐都强调主拍子 +当她生气的时候一切都会更加美好 +测试中,1,2 +"Calf"! +是伊拉克在操纵的 +他们屠杀我们,毁了我们的家 +指挥官们希望我们... +-- +我是杰克 +- +使用1号路由器 +是啥事让我有幸接到你的电话? +我只是要告诉你实话. +怎么发生的,有谁在场... +-he's the man. +-我不反对. +You know... +我说... +What am I thinking? +...and then lets you walk away. +Is it too much to hope +婊子... +不... +You know, I couldn't believe it. +叫他滚过来! +说吧,你记得 +中个正着! +宝宝 +我們會被監禁二十年 那會好好教訓他一頓 +他關掉14 +第二個星期一,剩餘兩天 +他和我父親很熟? +挂电话 +-有惧高症 +犯罪现场找到一双战斗靴的印子 +对不起,老婆,我们刚谈及你 Excuse me. +- What's the take? +那么这是一次白天的行动 So it's a daytime play. +24? +一个更保险。 +你好 +两晚与她的父母... +如果你觉得这学年剩下的时间不好过的话 +要演示一下怎么跳下去吗? +也许 +- 他怎么了 +看见了 小菜一碟 +为何我拍到你经常外出 +记得118街吗? +而且他有枪 +我知道是你 混蛋 +你呢? +我告诉自己该收手了 +驾! +好样的! +闻! +在这路上还能捕到驯鹿 +很好,非常好! +冰很厚 +很好! +"我們是伐木工人,我們行" +他知道自己在做什麼 +你有男朋友嗎? +好了 +他是個好孩子 +- 不要開槍 +休息一下 +你带我逛花园? +小妹更加大胆 +一顾倾人城 +你有孩子啊 結婚了呀 +到底是誰啊 +阿母 +北方有佳人 +胡说! +回来... +怎麼了 這些燈 +如果我再失败,那时你再杀我,没问题 +我不能. +不,是你喜欢他... +这是我妈妈花园里采的 +没错 +舞者此时此刻的心情 +- +-這樣嗎? +不是說妳沒什麼,是那個... +拍他們在球場或舞會上 激情大戰,這鐵定大賣 +管他的,我就摸一下吧 +霍华得 +-你要走? +他会怎么想? +你是谁? +應該沒有 那為何要出城去? +噢,你們相識的? +没有病灶 我们无法确定 +你拿着吧 +对不起,我不能让你看 +你现在站在... +听到我说话了吗? +你的脸色很苍白 +你脸色不太好 +非常热爱阅读 +其实家家都有未揭盅的秘密 +为有这念头而感到惭愧 +"... +但当风平浪静之后, +@ 花栗鼠叽叽喳喳 嘴里不停在歌唱 +遇到危险时,蛇会回到他们的发源地 +总之,我在哪儿签字来抚养这帮家 +我们的爸妈弹给我们听过. +艾克死于火灾吗? +噢,如果你的孩子们晚上无法安宁 +Did you see the way he kept glancing into my satchel +你们成功地... +You'll cook and clean and massage my bunions +首先我要做的是... +这证书说明我已拥有那财产 This certificate says that l have the fortune now. +糗事、难事 +今日我们有机会来帮助人类 +癳ンを︾? +さらиΤ诀穦ㄓ腊摸 +- +不会很显眼 但一定很显尊贵 +- 谢谢! +我们来个荡秋千比赛怎样? +谁要去哪呀,亚当? +怎么了 废物? +我马上就下班了 来接我嘛? +他上楼了 但是他又下来了 +不要对我大呼小叫 +干了它! +我听说你要去周五的聚会 +计程车 +可是她又怎会不知道 +我真的可以去吗? +够晚的呀! +-早! +做什麼? +他會跑到深山裡 +你能不大聲一點啊! +我可知道你的酒量 +來... +越快越好 +加连威老道220号 +现在大女儿又进了医院 +我这边也让你打好了 +收下吧 +你看过我写的故事没有? +我们来比大小 +這是一個約克夏小獵犬 +杰 +那么,我们也走吧 +ど +и +獶盽Ч祇 +琌候搭溃牡厨產ミㄨ碞 +我希望你能在仔细考虑一下与我们同行,艾里莎 +所以囚犯就肆意妄为 +拜拜 +是吗? +但是这些就是老鼠窝 +他说"试是免费的" +不要叫了! +谢谢你 +她开始注意形象了 +怎么玩的? +-于是你就给他们情报. +再见 再见. +-我没有收到任何留言. +公园大道的《闪亮》杂志社. +总而言之,理想完美 +你已下定决心 +-先生! +你怎么知道? +什么? +这就是为什么我说了这些 +我的身体会在短时间内改变么? +坐车只要15分钟就到了。 +问她要她的身份证号码。 +是的,别担心。 +你是在审问犯人吗 +大姑姑 +还真有钱 +但是其他家庭很羡慕我们 +我还有些事情要办 +-chul +好的, 爸爸 爸爸? +比基尼怎么样? +保重身体 奶奶 +该不会是金发碧眼、长头发的女孩子吧 +也是从小就注意到了约翰这种特殊的才能 +史堤芬范贊德特 +你才上過兩次課 就成專家啦 +- 我他妈的就想进去 +- 哦,它就是 +只能算是种投资 +我那柱子上的宝座最终还是一场泡影 +木须 你总是那么照顾我 +别闹了 木须 +爸? +-我的生意会好得不得了 +-我宁愿死! +我刚刚好像看到... +谢谢 +绿色的是猴子 +是因为你遭遇过的不幸 +-火弩箭 +- 你会怎么做? +我看起来更糟了 相信我 +-真厉害 哪来的 +肯定是份大礼 +哈利 +- 他回答了这个问题 +¨羆稲聐ギみ +痴╢Ь峨 +ゼ较ネ薄猵 +и克稲縥繷 +ゲ斗笵ンㄆ +对不起,我不明白 +这个 +好的 +因为. +这对我来说 +剧终 +为什么? +但你是自由的 +I want to see the doctor. +This is just the beginning. +It's too late. +But you are free. +What disturbs him? +No, no +天哪,你怎么回事? +性和暴力血腥一定卖钱 +只能绕飞两次 +你真不是盖的 +- 我是个塔斯马尼亚杂种,混蛋 +我希望你让别人来飞 你有20个试飞员呢 +你教会了我飞行,霍华德 +- 多茉歌 +他还有没有机会去在乎那些 +这样你真的有东山再起的一日 你会坐上泛美的飞机回来 +听着,新闻 +铺在另外那张床上和折叠床上。 +是的。 +我也是 +脯莫 +Rex, 這叫攻擊 +哦,你們知道怎樣會更好嗎? +现在只能搞乱了 +别提这个了. +你们暂时会和我待在一起. +小姐,能给我个肉夹饼和一杯巧克力牛奶吗? +别傻了. +你觉得他们能承受的住吗? +我的弟弟在哪? +你们暂时会和我待在一起. +恶劣的环境. +我就在我的车子里好好的坐着 世界上真是什么莫名其妙的事情都有,一个家伙跳了进来... +到后来 我甚至能... +最好 +噢,天啦! +我们找到今天早上的目击证人了 +你打算怎样? +电脑出现那样多久了? +莱彼德斯! +抓紧了! +...嫉妒 +嘿! +在小屋那天究竟发生了什么事? +否则这一切将徒劳无功 +你在说什么? +一支原子笔 +丢下枪! +我必须有耐心 +英文单字 你会说哪些字? +她帮了你很大的忙 +是啊 +沒招了 退回原地重新來吧 +扂岆3爛撰C啤19瘍 刓掛 +不会吧 +声明一下 我讨厌多愁善感 +没有了 +别出来! +蜈蚣呼叫蜜蜂,快赶走那两条虫 +请不要这样 +嗯,我不知道是不是 只有我自己有这种感觉 +什么事 +你有几天都不去学校上学 +- 那你得先出去 +嗯 +我们可以用底血压数据 +什么? +给我来一份四季披萨行不? +从海边那条路走的. +一分钟? +你可以在天黑前赶回去 +借我用一下吧... +谢谢你! +马克尔,那边有个僵尸 +大家都欺負我 +可是我很喜歡目前的生活方式 +走吧 讓我殿後比較好吧... +我们一家人又能生活在一起了 +那是一定 +你听说了吗? +苏菲,火会熄掉啦 +是,我是本国最爱干净的女巫 +你自己保重吧 +怎么还能看得见小镇 +那儿就是入口? +真漂亮啊 闪闪发光的海面 +啊 城堡来迎接我们了 +... +你该不会就是霍尔吧 +因为就连我也不知道究竟会发生什么后果 +我是苏菲,等着我 +跟恶魔的交易 +你去见见国王吧 +但伟人只有一个 +现在你们两个人互相祝贺下,来... +他远征东方,带回金羊毛 +谁知道呢 +可他已经没有力量了,亚历山大,他逃进深山连军队都没有 +...在你用金银和珠宝充斥你的腰包时就完结了 +...奥林匹亚斯杀死了菲利浦的 另一位妻子欧律狄刻和她的婴儿 +-起来吧,起来吧 +巴比伦就是我的新家 +我了解这种事,亚历山大。 +但是我们永远也不知道了 +但他也是个疯子 +- 我们把家具都卖了吧 +它赐予我活力,能量,和智慧 +- 想开点儿 +右脸颊和眼睑都有些不完整 +你为什么不坐下来, 我们可以一起欣赏这个表演 +我在"急冻奇侠"公演的时候见到他 +这里下来了 +你真可笑, 而且无聊. +再见. +如果我失去了记忆,那么我就不知道什么是爱了? +...... +谢谢 +并且理查德想和你谈谈 那个垃圾的跳伞报道 +真蹊跷 +嗯 +- 我也是 +...如果他愿意 +- +对他的小孩,我是说,不是对我 +- 不错,他现在在哪里? +- 现在我很荒谬吗 +我以后会改的 +最好开始减肥好撑得下礼服 +泰国始终吸引着世界各地的旅人 +我对你的私生活完全不感兴趣 +这件事上他表现得完全像个恶棍 +我... +好,那事更加简单 +[布莉琪]如此,您看到, 我终于发现了我愉快的结尾 +我太太也想雇 +-再见 +-那好 +-最后的愿望 求你了 +-什么有份? +持卡人叫蕾娜? +我们又不找什么超人,对吧? +我太太莉莎 这位是约翰・克雷塞 +喂? +我有的是时间 你就没喽,但我有 +你动一动... +- 是的。 +当然不一样 +还有所有的女孩。 +那么它们说什么了? +之后,他不满足了 +罗莎... +― 没有,我没有逃避我的困难... +― 喂? +到现在我已经算幸运的了。 +我全计划好了。 +我不允许这么做。 +试看让全身放松 放松 感受这份宁静 +这就是海对我所意味的 +为他付养老金 +想过很多次 +昨天以后你们见过Celia吗 +什么东西 +什么? +葬礼那天我在找你 +重新发行 +她提到我了 +恨不能马上... +她会在我们的 哈库拉马塔塔心上插根棍子 +这是个灾难 彭彭 灾难 我告诉你 +挖隧道这就是我们要做的活计 +如果你想要的話 +我要參加劇本的編寫 +因為Mary Alice是一個非常好的人 +他會瘋掉的 +提尔,你他妈的在干什么? +好吧,爵士小子 你为什么不上台让我见识一下你的本事 +我来这儿,呃,是想跟他谈谈 +你想多慢就多慢 +你知道当我们组成了一个家庭 我们会需要一些空间 +你妈妈在这儿吗? +是的,我要自己当老板 +没有哪个唱片公司如此 +呃,是的,我知道你是谁 +但它将很难生存 +Jack! +接受讯号 +凯特和萨伊德正试着算出 法国女人发出的信号位置 +- 真是的,超惨的 +恭喜,吃品客薯片可以增加体重 +噢,我的天哪 +他有平板电脑,我送他的照片。 +信任,因为有时软毛的羊驼,没有坚硬的岩石。 +这是我们全毛西装。 +而瑞奇和菲奥娜 十五天以后就要拿房了 +史蒂芬,你的书是一纸空文。 +- 你在哪里? +就这么完了? +妳还爱我吗 +我们每天都经过... +最差劲 +真幼稚,我走了 +现在你在脑袋里把自己神化了? +是啊! +你是不是忘了什么 圣诞之帽 +我女友的家人到这里 +会摆出那种肮脏姿势的荡妇 +我们不能占便宜 +达林,鲍比・达林 +这就对了 +# And I know beyond a doubt +旧政治压制已经过时了 +好了,来吧,别呆在这儿,跟我来 +# I've had a love of my own, hallelujah! +莱斯利・卡伦被提名最佳女主角 沃伦・比蒂陪她出席 +- 爸爸! +# Hey, there, Mr black man, can you hear me? +它是我的 +那邊是一條自行車道是吧 +然後... +那麼兇手看起來什麼樣? +-有可能, 但是為什麼? +-他在設計我們. +我該走了. +...手里... +-我马上上去. +-依莲娜, 我还在为你担心 +咱们生死与共 +还有土方工程... +哗! +这里 +Eun +我警告过你,对吧l? +嘘 +琌ぃ穦弧杠ǐ隔 +- び候 +法国万岁! +汉兹 +我想让他们准备好 +被炸开 +第九伞兵部队 +这是BBC总部,现在是9点新闻 +霸王行动已经准备好 +! +不得不承认,挺歹毒的 +你怎么知道奇哥的搭档要去巴西? +- 你叫我怎能冷静? +怎么可能? +快! +牙痒痒汗多潮热脱发掉毛 前列腺发炎大眼无神 +等我回到皇宫我会试着找找他们的 +妈妈 为什么不是你替我剪发? +朋友 我请你吃咖哩 +我爸爸想回去以前不晓得哪儿 +我们要提前准备 +或者抵着鼻间低吟 "你如花香" +我的意思是当地的地标。 +您可以翻转你的头发。 +是什么使你,你。 +不 给我过来 +你拿着刀真像个强人 +不要再响 +那不是你和我都曾爱过的Ignacio +在这房子? +也把1号镜给我 +那就多做点! +找你的 +妈的 +没有必要浪费一只鞋了 +- 为什么我们都丧失了记忆? +- 很好,你先 +到那时我们所有的问题都会解决了 +- 离我远点. +那我就没理由打电话了! +喂? +我们朝一个方向一直走 直到找到尽头. +有目的的,有计划的. +你亲我一下,现在 +他不可能有时间... +这是无法避免的 +哦,别担心 +- 好 +- 当然,什么都可以问 +- 宝贝,怎么了? +- 你从楼梯上摔了下来 +哪位能告诉我到底发生了什么? +-- +...是我的儿子 +我打电话是和你说? +你疯了么? +...我不会再理你了 +-奥兹 +我才相对差一点 +我的真名是朱尔斯 朱尔斯菲格罗阿 +我真是个傻瓜 +你死定了 +-是 +-A. +好啊,我的朋友. +-你没事吧? +拉兹罗雇了位打手. +你没做过出行传道的准备? +嘿 +你从哪里得到这个的? +我一直想像炯韵那样叫你妈妈 +我应该试试吗? +看你的书 +我待她们一如从前。 +Come over and see, I will pay you! +she give me wages before I leave. +阿叔怎樣看 +如果你加入我的球隊 +- 我要找回那台机车 +"极速飞车" +我这人不是很有耐心 +昨天對手低估我們 +王子,這是獻給眾神的禮物 +你把战争当成游戏 +你是为这场战争而生的 +特洛伊人走了 +我们明天将大获全胜 +一千艘战船 +- 求你不要去. +甚至我父亲也看过了 +大学里可没有"打算"这个专业 +- "怪博士"? +我的梦想也完了 +-"闭嘴"并不总是闭嘴的意思 +我们并不认为米娅公主 +。 +她是他的。 +- 安德鲁,我真的非常,非常抱歉 +(@ "Because You Live" by Jesse McCartney) +你看到了吗? +哇 +这是你们叙旧的好时机 +他们来了 +她会离开安德鲁嫁给你? +我想我们是否应该... +我寧願你回去看你的心理醫師 +-小索,那是驚喜派對耶 +ぃ璶緓滇炊 畒慈 +没有敌人,一个也没有 +还有事情吗? +让你的人上点规矩 +回答我,那天还有谁? +他说是就是啰 +朝你开过去了 +大卫,如果你不这么做,将会犯大错 +告诉我 +38岁妇女 无病史 无前兆... +女士们! +他们是我的家人 我是不会卖掉家人的 +可以赢得一大笔钱... +巴克,我知道你心情很不好... +- +史林和威利斯兄弟? +我很抱歉,珍珠,我真的很抱歉 +突然间,我就失去了知觉 +雖然不太暖和,可是不會讓你們費心 +再一次感谢你 她会高兴的 +我很高兴能和他们见面 +发动车子催他快来 +当你满意的时候就告诉我,卢奇先生 +对,10 年 +对,喔,我可以给个人打电话 继续找 +- 我没有点... +我帮了你一个大忙,让你看清吉米 +我不记得。 +- 嗨, 李队长。 +不要 哥哥不要討厭香苗 +住手 +怎麼回事? +哦,甜心 +"超级大胖子" +希望你真的增肥! +喂,你,晚上回家时小心点 +你姐姐性格怎样? +蓝翎! +她是当真的,是吗? +-... +- 当然. +然后,他宣称在那时 +- 很高兴认识你 +想不起来了 +-怎么了 你生气了吗 +最近没有 不 没有 再说一遍 叫什么 +-在下午两点帮我打扫一下 +现在他得不到她 他觉得自己不能没有她 +-嗨. +冷漠? +-五十. +我现在把它大致整理过一遍 +怎么会? +没变化 +抱歉? +特拉维特先生,你确定吗? +明天早上,他们要将我开刀 +我需要你的手! +你又怎么会了解我! +- 交手? +我會幫你燒掉它的. +Lustrums. +智者開會. +你好嗎? +一個有老婆孩子的家庭, +那不是問題所在. +第一把钥匙属于 +是啊 +完全不是时候 +! +是,長官 +你知道,將軍不能幫你 +我实在受不了 你这个笨手笨脚的白痴 +-你不是要清洗吗? +是吗? +怎样? +我听过更好的计划 +无法估计 修复系统需要多少时间 +最近有人去过我家吗? +盯着你的咖啡看 +利兹! +-戴尔特 你要去吃晚饭吗 +不要误解 我... +-他做到了 彼得·柯尔特又一次完成了 +杂种 你可以羞辱我 +-你说什么 +- 是的。 +- 你认为那个孩子还有未来吗? +- 似乎完全控制了这个被认为是 +-事实上, -我是很轻松的。 +我们会带来坏运气。 +- 听着, 不管赢或输, +- 我本来已经准备去机场了。 +对不起 只是想澄清一下 您看我是一种分散精力吗 +以前他们互相爱的一些特质 现在都只能让他们发疯 +他已经不在我的脑海中了 结束了 +他不可能再在第三局中得到这种喘息了 +我本来已经准备去机场了 +上帝啊 上帝啊 +決胜球,魯賓小姐 柯爾特占优 +[ Dieter ]那么,二位朋友现在必须以敌对的关系会合了。 +- 什么? +- 为了Albert +然后就开车到片场去搜集60000镑? +{\fnSimHei\fs16\bord1\shad1\pos(200,288)}請問這位公子是 +{\fnSimHei\fs16\bord1\shad1\pos(200,288)}運氣啦,怎麼樣啊哥 有什麼感覺啊,有沒有反應啊 +{\fnSimHei\fs16\bord1\shad1\pos(200,288)}你又說你很聰明,趁今晚人多混亂 +简直是对牛弹琴 +不,别离开我! +来帮帮我! +-=结束=- +谁来救我出去 +猜猜谁来啦? +哦,天啊 +那是牛奶的手势 +真的 +二位,别玩这个了 +伯纳德,如果你继续的话 +- 你们在干嘛呢? +只有15岁,他什么都能修 +- 是的,我知道 +哦,碰到一根漂着的木头 +- 让你看看福克尔的方式 +不用这么麻烦了 +又说要当小说家 +我以为你会改主意 +回顾过去 +我在听啊 +你得完成你的学业 +他是为了展览而来 +-又有客人来了 +我只是说你做的事 +她得找到一份450块的工作 +小家伙,你要不要... +-就只讲一件事,快说吧 +-你是不是想用这个方式... +你讲得比我好多了 +-谢谢 +-求求你 +再见,克莱基先生 +不... +听说他十诫都犯尽了 +搞四个月我就想自杀了 +你找到过吗? +有人想喝水吗? +我觉得她想告诉我什么 +告诉你有时我不太快乐 +来跳舞吧,克拉克先生? +克拉克夫人,关键在于你丈夫在跳舞 +000镑 +对不起 但是他们 +- 天啊 你不是她的朋友吧? +你不该这么大胆 +既然如此 +就怕你账目不清 那你跟我回去拍戏 +她一会儿过来 真的 +那 明儿见啊 +你以为她是什么人呐 仙女下凡 +我一直在说, 我不知道Alex是谁! +一个接一个的被抛弃, +嘿, 过来, 看看这个 +我要看看你的注册证和保险单 +我想我们可以放他走 是不是? +就像让你理解一个黑人奋斗到我这个位置有多难 +会对和你有相同遭遇的人表示一丁点的同情 +我告诉过你,他没有喝酒 +不要挂! +- 你有烟吗? +我们约了人打牌, 告辞 +凭自我, 硬汉子 +怎么会? +求求你拍了它 +修甲、整发、磨脚皮 +样要坐牢 +那你玩吧 +我已经完成任务 +样 +包你死去活来... +不介意! +多谢琛哥! +好! +不然就会后悔 +一女激战三大汉 +我是卧底! +太浪費了! +我还不确定这是否能行. +很好. +海拔高度的关系. +- 胡说八道 +我们再谈下去,我就要 多收你一个小时的钟点费 +希望可以修得好 +- 抱歉! +你把我的"驱逐舰"击沉了! +- +再见 +- +为你疯狂 +- 他们跑了! +女孩们, 你们想一起玩玩 +- 古马, 快解决了这破事 +让我们祈祷吧, 智妮 +你怎么可以这么说? +-她那样说的? +她是受了诅咒的异人! +没事 +DNA鉴定呢? +泽渡还不回去吗? +拜托了 +是 +是 +两边都是关于平行世界的研究 +将这心意... +另外,我的同事会从另一个角度来解决你的问题 +存在性的? +史蒂芬,你怎么会去看门的? +- 放松,别念了 +别那样看着我 +- 把森林拱手送给他们? +人们怎么会自我毁灭呢 +安全警报 他偷了文件 +-是的, 就是他 +试试她 +- 谁? +- 谁? +How am I not myself? +并用棒球棍猛砸你的脸 +我们不愿意做那样的事 +欢迎来到新世纪的育儿世界 +输了 +科德,我们俩得有一个是诱饵 +我恐怕这不符合礼仪 +The President wants to see the Queen's gift room. +I'm Habu's uncle... +你怎么样阿,伙计? +- 你有什么建议? +但是... +-恭喜 +因此,我要坐后座 +我们不会有亲密行为的 +-什么意思? +那真的很好笑 +对 +你老是说你要 我们拥有我们想要的一切 +好吧,我有时候会说谎 +- Tickle就是它的仅有残骸? +雨下得真大阿 +我不认识你,果酱 听说你是个好宠物 +你可以看房间里面 +你是故意用上双关语吗? +他就送我去了寄宿学校 +- "阿尔伯特'的深渊." +为此... +巴基斯坦决定重审一些印度籍囚犯的案子 +他能听到声音 可他并不想去听 +我一生没有做过一件坏事 +你是代表人权委员会的辩护律师? +可我肯定你会因为拯救袋子里的骨灰而感到骄傲的 +如果没有你 我就没那么容易带Bebe过来 +你记得你父亲吗,桑加? +很抱歉 +@ 我过的是谁的生活? +@ 让它闪耀 +我给你10分钟 +她是危险人物 +我需要告诉你 +作为一名医生, 我知道你应该做什么 +因为整晚大家都听到那人的呻吟 +洛克先生说这里发生一项奇迹 +有天我们去了动物园 +他们叫作"恐怖份子",凯瑞! +我从没看过那么精湛的演技! +天啊! +喔不,不! +我是世上绝无仅有的恐怖份子! +And now Gyron is smeared With Barmack porren +在哪? +滾得離我遠遠的 +我們要... +加油啊! +当然,如果你没兴趣... +整型成功了 +快点走,你这白痴 +是我! +我也想相信你,凯瑞 我真的想 +拜托凯瑞,快,你动作要快! +通常恐怖行为思想都是小时候所受的影响... +行动! +再一点... +现在知道是智能搞错了! +一定要有人来阻止这一切! +对,我在这里,乔! +哈尔 +厄里托 听着 +把陷阱都装满水 +回见 +-多谢,科尔先生 +我肯定你会吃到一些... +有点好笑 就说有点好笑吧,到此为止 +[ruth] 噢! +把它倒进去,然后冰冻起来. +abernathy,你先别动." +上帝, 你可真乐观啊? +-- 本论坛字幕仅翻译交流学习之用 禁止任何商业用途否则后果自负 +-- +应该变得更像一个田径运动场. +好. +有的时候他从一个分号改成一个逗号, +你还好吧? +-对. +thomas应该已经做过了. +"是个怪物!" 他叫了起来 +好了 会有,呃 +-- +- 好的,没问题 +- 是,先生 +-艾德默? +快脱呀 +他是个酒鬼 +不交是不是? +妈妈16岁时候被强暴了 +一直以来坚持的信念突然一下全变了 +- 你嫌少? +你很幽默 +这真是我一生中最棒的一天 +我们得找到它 +牠在这社区里有朋友吗? +好,然后你才发现他曾出轨 他这辈子还有其他的生活 +毁掉它! +准备介绍 ─我们回来了 +他家族谱上所有的公狗都喜欢追逐车子 +就是刚才按门铃的那个小女孩 史黛西赫特 +─"该禁的黄色书刊" ─"爱情黑名单" +─你会带小包出去遛一遛吧? +你想听听有趣的事吗? +这不用说也知道是基德 +因为你的情人做好了晚饭正等着你回去吃呢 +-我放在这吧... +你所说的都不符合逻辑 +两小时内就没救了 +憲兵們看守著犯人 在一個墓地的廢墟旁 +那个叫"硬饼干"的有消息吗 +请告诉我,马涅克发生了什么事? +要不是他穿着睡衣从夜行火车 上摔下来,很可能早就下令了 +在战场上,只能借酒消愁 +-玛蒂,玛蒂,开门! +接着是巴黎来的电焊工被杀了 +我们都该去睡了 +先生! +完全相反 不畏风雨,英勇搭救灯塔守卫 +居然找了个氢气船停机棚 +后来才改葬到艾德林墓园 +还会知道每个人的梦是什么 +他长得就不像是会欺诈的脸 +我的体内那个怪物就不知怎么的... +这本绘本是怎么回事 +我认为这是对人的灵性的最好的解释。 +当人们被末日惩罚这类的大话威胁时, +- +当你看着的时候,就成为粒子的存在 +对我们的个人需求和个性的看法? +上帝啊, Amanda你怎么这么白痴啊! +而中间则是空虚 +我要做的事情 ... +利用我们的懒惰,利用我们 的不安全感,是很容易的 ... +- [ 汽笛声 ] +不要太在意派屈克,多注意我 +因为你们恋爱了... +- 再见 +所以這件事我們要像家人一樣 來處理,要同心協力... +後來我在進行時,我就想我這裡 看起來不是很現代感 +屁啦 +谁? +放下刀 +母亲 +- 怎么.. +她现在有麻烦了,她无法再带孩子了 +而他死了,死于自然原因 +没 +自从电视台停播后就没消息... +子弹从这头打出,对吧? +- 好 +直接去车库,晚安 +洛杉矶县有四千辆计程车 还有其他线索吗? +- 你有机会和他说话吗? +今晚有四个人进来 或许有你要找的人 +妈的! +-4 +- 你相信有聖誕老人嗎? +麥克斯,那個計程車司機 +那你父亲呢? +上来吧,对不起 +你有跟她约会吗? +这里太分散了 完全无联系 +就是这个 +现在你们必须具备这些 +-广告机构不是由演员演出来的 而是实实在在的机构 +我无法理解 +不要碰我! +那天晚上你看到莉斯了吗? +我是那种著名 在我的房子使。 +停留在天空 +你好。 +在我回去 学校什么的? +他把我养大。 +你好Rex,出了什麼事了嗎? +感謝上帝,不要問任何問題 +那个女的呢? +你还真是有一套 +却还记得朋友的名字 +威姆 +海格尔叔叔 +那就是关于你的毕业论文 +没错 +右转是不是 +看样子麻醉药的效力还没有退去 +到送给别人当养子的儿子 +托她的福 我才能代替她当上玛尔格特·兰卡 +胃和大小肠 +我是学人家做的 +雨停的时候 一切都会消失的 +等这件事情结束后 要请我喝杯啤酒喔 +我们有责任将孩子引导向正确的方向 +你什么地方痛 迪特 +逃走啊 +可是没有想到 我在学生时代竟然意外的发现了 +并于最初负责的案件中赢得了无罪的判决 +我的孩子马上就要出生了 +我以前还想拿把枪把他给毙了呢 +等一下我会拍手 +有位客人找您 +我们几个只要找到她住在哪里 就可以向警方检举了 +已经没有任何人知道他们的名字了 +叫得还真亲热嘛 +你没有办法杀人了 +一待就是八年 真可怜哪 +她的名字... +你在胡说什么 +我在阿德勒路载的那个客人 +其实我也不想说话 +卡提尔哈街 +还不知道会对舒克做什么事呢 +葛利马先生是吧 +好了 工作 该工作咯 +约翰对小孩子是这么说的吗 +那时候要是没有你救我的话 +去年我和他做了超過20萬美元的生意 +哦,天啊,帥呆了 +那只是和她有特殊關係的朋友之一 +You okay? +-这里就是CTU? +不,你想想 +现在还没有,他以为我在掩盖我犯的错误 +- 我告诉过你,我不再玩了 +而且 +你妈妈的屁股上毛太多了... +- 干得好呀, 桃丽 +在保安科 +该是真正享乐的时候了 +但是我在市里,照看一些地产,还有 +糟糕 +伙计! +去 +是的,先生 +- 500 美金 +...也许会成功 +狗屎去了哪里? +这意大利的事可是非同小可啊 +有一个任务是做正确的事情。 +我希望他生活的这个世界的安全。 +对啊,只剩两年就要考大学了 +一会就好 +- 拜拜~ +再见! +-嗯? +-学生们在看我们呢 +#我爱你,胜过任何人# +可是像你那样的傻瓜 是不会明白我的意思的,是吗? +嘿,你怎么能这样踢! +#我才17岁# +-很漂亮,不是吗? +? +比如说"西尔维在哪儿?"哔 +谢谢 +好吧,说大声点,棉球 你没得到这个职位 +我是国王,我一定要执行海洋的法令 +-派崔克! +我在查姆 巴克拿到的 +格蕾希拉,真漂亮,谢谢你! +我需要聘请你两天 +女孩,你准备好了吗? +.没关系,亲爱的。 +爱丽丝? +非常好 +好,我答应你,只是让我们 +你错了 +哦 天 +看看能否贿赂下值班员什么的 +这是一项非常重要的中国习俗 +好么 +进到救护车里 克里夫 我们得离开这儿 +我这是在哪儿 +我只是和你开玩笑 +而且Javadi将作为内应 把你引荐给将军 +一不景气就有人偷东西变卖 +Nunez? +结果怒星没去成 +黛儿! +迪亚兹原本想拿了燃料夹就杀我 +有時候我認為您從未睡覺 馬歇爾王 +и琌だㄉ種ǎ +ㄤ龟и临芞辨脄 +瞷ぐ或笴栏 醇毁猾狦盾 +嗯 +接專門為你設計的節目多好 +禁止靠近我半徑兩公尺範圍 +是 +為何要編出如此荒唐 +赢不了这场战争 +他们载歌载舞,在热闹的集市 +你让他们随心所欲? +- 我发誓效忠于您了 +一条 +然后每天日出之后 +带上欧瑞尔和二十个好手 +把她带回来 +砛琌福穕端 +- +那你那晚去漫画书店干吗? +遵命 +- 谢谢 +你感觉如何 +我的名字是神圣之王 +噢 是吗 那是50年前了 我意思是 +你会说英语吗 +很性感吗 +军队的 +波因特普莱森特的天蛾人 +小冰箱都被她霸佔了 萬一血袋臭了怎麼辦? +明白 长官 +这就足够了。 +号 +这是26号 +人生中总有些下雨的时刻 有时候甚至会下雪 +你是Robin 你离荣耀还差半个蛋糕! +别进去 +这是下季度的一条线索 +- +听着 如果谁不想掺和进来 +你认为我怕死吗 +是时候猎火鸡了 +你是指你的探员的死活吗? +警察收了钱至少会说"谢谢" +早安 真是美好的一天 你好 警长 +我明白你想去的心情 +他在南美化名参加比赛过 +莎拉 +你他妈如何搞到的 维基吗 +283)\1cH00FFFF\4cHFF0000\b0}好吧 +283)\1cH00FFFF\4cHFF0000\b0}那就只有我们自己了 +283)\1cH00FFFF\4cHFF0000\b0}雷 +山姆大叔不知道 +你的卡车开到这 我们再找些车子 +-路易斯 你要干什么 +拜托 这没有什么事的 +-你好? +闐親 闐親嫌﹞斪俘 +喂 +-你赶紧退后 +好 +好的 +3月2日晚上是你在这值班吗 +他看着恶心了。 +我没有再见到自己的孙子的权利。 +这就是为什么没有人来了。 +叔叔没做好。 +- 一定要找到她, OK,一定 +教宗: +嘿。 +只剩下蓄意下毒了 +但在我们采取行动 +瑞典双胞胎不会自相残杀 +因为他们现在都在我们后面了 +现在怎么办 卢克 +你要我做什么 +我让马提娜一起来出价 +要么我会把你放到我能找到的最阴森 最黑暗的监狱里 +说别人笨蛋的才是笨蛋呢 +说中文 +垂直的风会 +他超过阿斯顿马丁了! +对不起 +伙计 尘土 你处于巅峰期 +谢谢称赞 我很自豪 +哇 斗牛犬! +下一個是什麼,開心果燃料嗎 +這是個短賽程但及其險惡 +墨西哥 墨西哥就是它 +對一架過時不會飛的飛機來說也不壞 +土星运载火箭都追不到你! +噢耶 +我从没飞过上千英尺的高度 +飞行竞速初学者手册 +然后垂直从红色桥塔之间穿过 and around the red pylons on the knife +就好比"洛基" It's like Rocky. +临ê盾 +安杆硂或丁 +琌牡诡 +も +或 ゴ筿杠ㄓ碞弧硂 +只是如果的话 +但就再耳邊,小隊長的聲音再度響起了 +行了 +什么事 +我 我受宠若惊 +直到今天 我已经有十个月零三天没喝醉了 +你知道他去年圣诞节送了什么吗 +可是利索队都没动啊 +的大型专项体育场馆 +求你了 够了 阿玛迪奥 +用力 +但他不是 他不是 +向他们求助 抢武器 +刚才怎么回事? +他人呢 +我们坚持过来了 +你该进监狱 小混蛋 +他们都是贼 +我的上帝,雷斯垂德! +请继续,雷斯垂德 +- 雷斯垂德 +- 冷静点,华生,是雷斯垂德 +他们以为雷斯垂德是他们同伙 +给他们回复点什么,雷斯垂德 +回答他们,雷斯垂德,快挥手 +雷斯垂德,你得派人去那里 +雷斯垂德,雷斯垂德,你看见了什么可疑的人吗? +雷斯垂德,难道是你那帮蠢货把他们吓走了? +雷斯垂德,用棍子敲我一下吧. +我们会找到他的,雷斯垂德 +现在去海军部! +雷斯垂德去哪了? +雷斯垂德,命令海军部所有沾有烟灰的 +我记得在莱辛巴赫瀑布边上与莫里亚蒂教授有过类似的搏斗 +并不是完整的草图,雷斯垂德,只是其中一半 +这是什么的草图,雷斯垂德? +一个舰桥? +我要让你失望了,雷斯垂德,你的推测是不对的 +那是爆炸之后,雷斯垂德,爆炸后冲开的. +雷斯垂德,先让这位小姐在苏格兰场待一会,我们回贝克街吃午餐 +他哪都不会去,雷斯垂德,他需要另一半文件 +-那就去投诉啊 +保罗说过我能在他电脑上下载音乐 Er... +-他怒火滔天 +Alexander 最关键的是 +所以我有点紧张 +如果二位不能證明自己的身份 我就要叫警察了 +警察来了 多少 +你他妈的眼瞎了 +躲在那里帮不了你,照说的做 +(各单位注意,211行动在1542号主干道... +是吧 nigel? +来 进来 我给你看个东西 +- What girl? +我他妈从来没有见过你这样的 not in my whole fucking life seen nothing like you! +somewhere down the road. +不是這樣的 Damon +当你那么说的时候 它就有意义 +有段时间没联系了... +什么意思? +他很有可能已经开始追踪下一个猎物了 It's possible that he's out there stalking his next victim now. +但我认为是时候顺其自然了 But I think the time has come to let nature take its course. +匪徒的情緒很不穩 +Τ翴笵瞶 +痷穌 +洱稦盾 +琌и伐珇皑笷糒 +穝バ花堕翴︽盾 +浪费时间又扫兴,你说该怎办? +是熟人? +还记得我们身上发生了什么? +你全身湿了 +你还好吗? +- 就一秒... +说真的 别给我来这套 "我只有一颗孤独的心"的狗屁 +是 +但是他的眼睛像我 +创作系的恩赐 +是天然玻璃的一种 +才不会等到明天呢 +粗心大意 你得清楚自己要找的是什麼 +茉莉 你們好 +該我了 明明就該我了 天哪 他說過昨天會打給我的 +你說過的 拜託 放過我吧 +你可能噴的有點過頭了 +是我差點就失去你了 +哎... +- 你知道,我是自由的。 +- 我需要清除我的头。 +-我们在飞机上是邻座 +学校里的孩子说我们很有钱 而且你给慈善机构捐钱 +-奇立找你做什么 +这个埃尔是谁 +其实也没那么久 她说得好像是在古代了 +天啊 茉莉 只要我没醉就不可能 +把另一个拿下来 不 我就喜欢这样 +嗯 我知道 他完全离不开我 +挺不错的 不过上班时间不可以学习 +她丈夫是个老滑头 我在那待过一周 +-别告诉我你是个外交官 +我不希望你觉得我很放荡 我不是那样的人 +你离开 我才能继续我的生活 +我们和好了 +不能取消 +-真不错 +因为你不会记得你是如何得上的 +他忽略了一个事实: +纯真的姑娘萌生春心之后就控制不了了呢 +被其他的女孩子亲了嘛 +记者吧 +我真的跳得像个女孩吗 +因为我已经开始厌倦英国电台了 +佩雷斯 總統他吃錯藥了。 +ぃ穦玻ネ跨甮剐 +为什么要向瞎了眼的人辩白呢? +man. +卫星1A号 完成发射准备程序 {\fnCronos Pro Subhead\fs14\1cH3CF1F3}Satellite 1 +特種部隊2: + 杠 +孩之寶 協助攝制 +快看,攔路虎,我沒辦法,夥計 +一 +- 天啊! +虎哥 +是你杀了巴基斯坦总统 +他们监视我的一举一动 +圣诞快乐 +- 撤离路线安全 +考虑一下风向 +已经感觉不到仇恨了 +这个按钮 +干得漂亮 +我们本可以一起统治世界的 格鲁 +啊... +我是说,你不觉得... +我的妈咪无可取代 +晚安 做个好梦 别让臭虫 +我们是潜行的忍者 +露西 我们这次可能没命了 +ﻱﺩﺎﻴﺘﻋﺇ ﻞﻜﺸﺑ ﻢﻠﻜﺘﺗ ﻑﻮﺳ ﻭ ! +ﻱﺭﻭﺩ ﻦﻴﺤﻳ ﻢﻟ ﻦﻜﻟ +-是吗 +给你说点有意思的 +我無法感到幸福 +你看過書英發的信息了吧 +所以今晚又有什么事了呢 +我只是想起了我妈 +直到20世纪初才出现 +你觉得有人要给你下毒 +ふざけんなっ +我不想念的气力。 +走吧! +拉尔夫是你吗? +658)}● +好吧,总之 +- 拉里 +坐我的摩托车,不也会把手放我肩膀上吗? +现在我要进去了 +吉莉 +我没邀功 +跳蚤窝出生的穷孩子 +我也知道这是千金不换的真爱 +-我是哪里人 +依我看 这是好事 +- 瞧瞧结果如何 +- 你呆在这里吧 +你说的对 +-埃里克 不要打断老爸的工作 +还有一个词貌似是把你的脊椎 +不知道是不是这么巧呢 +这鬼一定在里面 +女: +他们害怕 不同的东西。 +你还好吗? +我也是。 +因为听到新闻 毁灭性的龙卷风 +好 {\3cH202020}Ok. +238)}m 71 60 b 71 0 161 0 161 60 b 161 120 71 120 71 60 +和家人朋友们分享这一时刻 +♪Everything will bring a chain of love♪ +可能就这一两天了 +奥斯卡影帝非你莫属了 干得漂亮 伙计 +{\fs18\cHFFFFFF}gregorian CiciXT 猪猪 泰斯 小音 觉棂 +就在他提出您听命于科西尼斯和费尤瑞斯时 {\cHFFFFFF}{\3cH111111}{\4cH111111}From the moment Metellus offered command under Cossinius and Furius. +但别拿生命冒险 +斯巴达克斯 +否则我们也会被发现 +这么一点儿 +你不喜欢那些人 埃提斯 +盯着别人的男人看 +我也要打开城门 +你还要把军队撤回来 +对共和国最富有的人来说 没什么不可能 +你居然还有心情做爱 +驱散克芮的背叛带给他的痛苦 +到国外找到那么多人 +先人一步攻打罗马 +不管有没有你 +距离我当角斗士的那会儿已经很久了 +-我想要一个水族箱 +你得小心脚下 +- 行 +- 是啊 还不错 +那恰恰让我隐身了 +希望我们搞分裂 +没有他们,我们也不会到这里来 +我们会没事的 +-是啊 可以吗? +-靠近点。 +简单地说,我们认为这是唯一的 让孩子得到最好的教育方法。 +真有礼貌 +你是什么意思,不算? +- 妈的! +事情会越来越好的 +你和他谈过了吗 +-快快快 +- +怎么样 +It's a cartoon. +Non +-下次好吗 +Yes. +You excited? +来吧。 +一言不发还是 +-不要 +-是的 +她跑下楼 发现她丈夫死了 +行 那就称之为宿命 +你问他 "你去哪了 干嘛去了" +多亏有你 我们才能走到这里吧 +还有另一个? +哦天哪 谢谢 太棒了 (OK) 谢谢 +你也不能控制的 你不擅长这些而已 +嗯 你漏写了我的姓 +不 那从没发生过 +我建议你让我过去 +- 我还以为你费了点劲已经把它修好了 +我只想八卦下 毕竟是我介绍的嘛 +这样的情况有多久了? +- 我想我难以理解这一点 +你还好吧兄弟 +- +0,0: +難道說 你是為了告訴我那件事才... +-举起手来 +把它藏起来了 +好吧 我们可以午夜之后喂他吗 +我再说一遍 我不知道 +昨天的事我很抱歉 +今天是個好日子 +Jer 咱說明白 我願意死一百次 +我觉得会吓坏孩子 +我已经给一些。 +审判者 他们有故意省略游戏说明的嫌疑... +嗯 没事 抱歉 在这种时候 +我说把石头。 +那是你们 我才不管 +иゴ +来自新泽西灵伍德 +我得好好努力 搞定这场表演 +我很难过自己没能进入淘汰赛 +《美国之声》史上最难忘的一次 +刀郎,斯科特。 +我爱坠入恋爱的地方 +我就像 华尔贝兄弟 +-当 嘟 +谁在乎呢? +所以他知道青銅化機的原理 +我只想说只要不激怒恶魔 +-满意了? +罗莎? +从那时开始 +她还是像女儿在生时一样 +戒指 你手指上有戒痕 +艾利是我最好的朋友 在第一年。 +一会去跑个短跑不 你跟我? +Regina 救她上来! +Henry! +Neal和Henry的事 +也是影子把你带来的吗? +这是正确的。 +你总是孤单。 +你知道吗 +结束后你想吃啥 +谢谢 +以後好好的不就行了 +昨天他来到 抓鱼 +会先派一百马队 +男人要说的话 在这里 +喂? +都是我们教育小孩子讲的故事 +你跟我开玩笑吧 +大祭司给了你一个任务 +天,当你不能 见错的... +你要去哪儿有 卫星导航,哈利圣? +蘑菇需要额外的费用 如果您有豆 +咦? +克米特翻转青蛙? +跑来跑去累死了 +那些可可在哪里? +Uh... +什么? +没什么 {\cHFFFFFF}{\3cH111111}{\4cH111111}Uh... +Ah! +好的 {\cHFFFFFF}{\3cH111111}{\4cH111111}Okay. +你脸色很难看哦 +总之就这些了 有什么要我传达给他的吗 +你呢 +那是次事故 +作为隐藏尸体的方法 +我就是我 +看着这黑暗 然后想起你的名字 +愚蠢 +为什么呢 的确总发生坏事啊 +走 快走 +格雷森家产全无? +那让我尝尝你的手艺吧! +it's so I can get some sleep at night. +刻意埋成一排的凶手来说 {\3cH000000}who took the time to +因为我... +一定有两个八婆在附近的对吧 +你结了婚? +垫这么多东西? +我应该为此负责 +... +- 车本身没啥问题, +- 是,先生。 +- 我们在天上,星期一! +我们是志同道合的男人。 +很明显 詹森是自己自杀的 +上帝保佑我们... +没有人能永远的待在南极. +政府的反恐怖主义政策 the administration's counterterrorism policies. +什么? +- +300)}上课铃声响起前 +- +我们到斯图加特了 +臭纳粹 +我叫Katrina Bennett +你有言在先的 +要是說想跟Harvey這案子就算了 +只是坚持下去。 +- 干得好! +你要去哪里? +- 瞧! +你答應過我的 +看你身體虛成什麼樣了 +敢嗎? +十分钟你再不出现 +付到你退休那天 +帐号、密码我都发给你了 +意外 +宝贝,你在这儿干什么呢? +See me fly,I'm singing in the sky. +何嘉欣,你好 +哦 当然 你也是在大学里长大的小捣蛋 +- 别喝了 +没问题吧? +灵灵 别乱动 +引发了惨剧 +Go该出场了吧 +受此次事件影响而被韩国职业棒球协会 +{\fnMicrosoft YaHei\fs22\shad1\3cHF2AA45\be1}她麻醉我 我做了血液检查 {\fnMicrosoft YaHei\fs14\bord1\shad1\3cH6C3308\be1}She drugged me. +no! this is Regina. +it's important. +你說什麼 +我給你施個魔法 +爸爸,爸爸,爸爸船船船 +- 不,妈妈会做到这一点。 +设置在几分钟后流中。 +? +如果你没有做什么,你想 +? +现在给我的空间,现在我的脸 +当我远在千里之外 +你希望人们听到你的歌吗? +试着推推搡搡你的头,你的屁股! +但也不会帮助你 +让机组以为航线正常 +貝蒂你們到底在說什麼 +我也沒搞明白 +住院一天就可以了 +艰难时期 可以这么说 +佩吉怀孕了 +后来怎么了 +真不错 +贝蒂你们到底在说什么 +都快40年了啊 That's almost 40 years. +維爾福先生請你共進晚餐 +不明詞彙 Unknown words. +Who gave this to you? +十節車廂還是二十節車廂也好 10 cars, 20 cars, it doesn't +一條胳膊能做的事太少了 You can't do a lot with one, you know? +更猛 全新的 纯的 Stronger, fresh, uncut. +坐下 注意用餐礼仪 Sit down and mind your table manners. +爸爸 Dad! +我們稱之為家的機車,有一件事 ... +沒有食物,沒有水。 +* +難道是燈下黑? +你也會製造這個嗎 +提奧 你還記得我的生日呢 +你們什麼都不知道 只不過是個單純的孩子而已 +你打算對我做什麼 羅貝爾特 +瞧把Chris冻的 +大家好像都挺喜欢这肉的 +- 牙刷 +我果然有很厉害的秘密耶 +我完全能感同身受 +-我这几个月都没如此放松了 +我不允許 +注意了 +在一个监狱里碰到过一个疯子 +几英里外的侵略者可不能坐视不理 +还有Merle? +你要相信我 +很快就好 +我知道 +你真这么想吗 你个愚蠢的荡妇 +在附近有卖奶昔的吗 +她可是抢走了你的工作啊 +-华纳先生啊 +这么可爱的东西 我都不忍心吃 +我要保护好,我唯一不能失去的 +这是在北部? +抱歉 +佩珀,把手给我 +我要走了 +你不是还在为瑞士的事生气吧 +拜您所赐 没有一个富人受到法庭审判 +我配不上她 +呃... +打开 Open Eject. +有一点儿吧 Yeah, a little bit. +他们要把他烧死 they're gonna light him up, man. +Alright. +What does that mean? +别碰我 别 我会烫伤你的! +我們知道,他就是詹姆斯·羅德上校 +我只是讓你檢查周圍的安全,讓他們出去喝杯酒什麼的 +包括3000攝氏度 +竧较竊苯埃琌⊿岿 +蛤⊿Τヴ 礚阶琌瓁钉 +и琌盡穨瞶 +- ⊿Τぐ或丁 +- 这位是斯塔克先生 +我去楼下睡 你一个人修吧 I'm going to sleep downstairs. +I asked you three... +Jarvis? +- Oh God, not again. +从什么地方开始的? +那么你起诉索赔金额是多少 +是的 我们相信 +我猜是黑了他的账户 +-拜托 +还有别的事吗 +剛差點露餡兒啊 +和纽约警察有过几次过招 +但其中有一个是我追捕的人中 +囊性纤维化 遗传性血色沉着 +但这个我永不后悔 +普 剪切,斯威夫特! +我想我該走了 +电池提供了他需要的能量 +你何不順水推舟 跟我合作一次呢? +远离罪恶 克拉丽斯 +在得到之前我不会离开这里 +地道 城墙的破洞 +不要质疑我,小子 +想找老子的麻烦? +天啊! +天啊,幹 +我就是個獵豬人 +幹 +走吧 +除了不能打電話問朋友 +我私下里发现,她好像... +-我们对你不太好... +妈蛋 我要死了 +它就不顶用了 电子的也一样 +妈妈病之前 去世之前你就走了 +我失去了你 +我很抱歉 +-我怎么会有钥匙 +你没搞错吧 +过来 坐下 +艰难的时刻不会持久 但坚强的人永不倒下 记得吗? +看见了吗? +- 你离开时只要留下钥匙 +- 赞! +-麦迪逊 +- +干嘛留着它? +这尸体是我的 +我理解,但我还是得见您 +先生,我们想跟您谈个交易 +而当我们给什么, 完全沉默。 +各位 按照宪法 我们有总统 +飞机来啦! +好歹有个寄宿撒。 +說什麼? +你這名字好像在哪見過... +TA +是啊。 +是啊,男人。 +- 你的问题是什么? +只是一点点的乐趣。 +你為什麼救她? +- +- 不会吗 +但您却没有上战场 +eine Party alter Konzeptionen +1953年3月斯大林的去世 Stalin' s Tod in März 1953 +已经被对立的政治势力收买了 als von der Macht korrumpiert +抱歉。 +女孩,不要去阿拉巴马州。 +白色圣诞节。 +我们不喜欢不能够提 耶稣和他庆祝生日。 +! +黑狗! +你當做你很行啊? +恁爸想想看! +爽啊! +热的! +喔? +噗... +妳忘了喔? +- 那么好,对不对? +我买了 Nintori新超超垫。 +是吗? +那家伙是个他妈的浪费。 +电影,让您可以及时下手? +李安说: +- +他也不知道水槽会被踢翻 He wasn't to know they'd kick it over. +-不 谢了亲爱的 +就在明晚 Tomorrow night. +黛西会把酱汁端给你 and Daisy'll bring up the sauce. +说来话长 That's a long story. +- No. +饭餐已经准备好了 小姐 Er, dinner's on the table, m'lady. +即便如此 你得跟他好好道别 Even so, you need to say goodbye to this young man, +{\pos(193,172)}翻译 王小麦 +好吧,我会回来的。 +让游戏继续! +真的吗? +你好。 +滑动,一个过来。 +- 你没事吧? +只要有一天 +第三特战大队的中尉 +没有必杀技 只有必杀心 +纵然粉身碎骨 +。 +嗨 +为什么你要那么做? +看着我 +我去叫她 +我不得不说,你看起来惊人。 +- 在哪里是每个人? +还好 +我做了该做的而已 +我脑子里一直会想到 +她是说了 但我不知道他俩怎么回事 +罗马式 40鞭刑 +我在电影里看过几千次这样的场景 +站起来吧 +她不允许别人拒绝她 +- 没有 +那些黑鬼? +支持这个可怜的女孩 +多才多艺的人 +就跟在邦德第一把枪"贝雷塔"卡壳后 +你骗了我 +而我又没有资格跟家人用餐呢 +只会在印度棉花田里尝尝鲜 +谢谢您 夫人 +保险公司声称 +晚上好 先生 +我记得我父亲的眼睛 +所以我才 +烤孔雀。 +洛克达试射新 导弹在圣苏萨纳。 +... +一分钟前 你还跪地求饶 +-看我找到了什么 +我们不能让科恩有喘息的机会 +他在打造整个美国西岸的 中央交易纪录 +不 别喝 +-不 +。。 +你窥视过 墙壁。 +哈罗? +他说什么? +哼! +但是听。 +哦,不,我们不是 没有组织。 +我真迫不及待想看看 +我早就说了 +管理条例 +是吗 他发生了什么事 +是这样 我们来到雅利安人联盟有一年了 +什么 +吉普森产 1905年 +# 谁能告诉我 他有些什么? +哦! +从那个法国医生那儿搞来的? +只是在这周围奔跑 +要命 +我也是 +我迷失了多年 +嗯... +或是椰子 +你和Jacobs小姐必须马上离开 +怎么了? +你最好祈导这份工作,因为我是冲着你来的 +哈罗? +你不能回答 一个问题一个问题 +血腥食人鱼一样 他们是 +[戒指] +[戒指] +- 你也可以走灾难路线呀 +这次见了我爸得好好翻翻 +科迪和我年幼的女儿在一个班 +你就这样醒来 +当它应该是? +好 +我的头发都直不起来了 +-这是一只兔子吗 +之所以... +所有的声音都在说 "我爱你" +没有,从来没有人说什么 显示打架的。 +她没被阴影所控制 +你摆脱了阴影 你现在自由了 +哈,果然在你这! +我抓到一只熊了哟! +我已經欠他很多了 +-2013.3. +我又聽到了 +他是應用物理學的博士 而且他練瑜伽 +我以為是因為寶寶 +因為這讓我覺得我有性別歧視 +仅仅是因为 他想利用你的智慧 +他们的系统依然离线 +斯考特 +螚 未喂魏萎 渭慰蠀 蔚委谓伪喂 渭喂伪 蠂伪蟻维. +看見星艦從海裡飛出來 +是輪機室那邊讓我們退出曲速 +不准逾越 不准交易 +- 我要跟Rick好好聊聊 +是被咬了 +不必这样 +我爸爸自己能搞定他们 +你去搞定总督 其余的交给我搞定 +去看看是否EON在kork做附近。 +点燃了爱的火苗 +我就这样错过了第一个喜欢的男生 +学生会长吴全顺 +人称女叶问 +不能进入赌场! +我们亲吻。 +-也许这不是一个天赋 +薇奥拉会被枪杀 +- What you've been looking for? +- It doesn't come out of me +然后我们就坐在这里吃蝎了 And here we are eating him. +这些是罗非鱼 {\3cH202020}These are tilapia. +we need to be out here +谢谢,伙计们 我们就像三个火枪手 +妈 +祂的樣貌是怎樣? +哭泣令妳更靠近神 +妳姊姊都沒有這種感性 +- 我说我都想哭了 做的太好了 +- 没有 +哥们儿 这地方碉堡了 +很高兴能有机会向自己证明 +这里面的东西 +你会好起来的 +残忍的扯裂撕碎化为碎片的破碎的心 +来得不是时候,亲爱的 +我们不能丢下冈瑟 +但伊拉这个混蛋提前了 +更深一点 把你的肺都掏空 +把你的手放在身前 像这样 放松 +好吧 +你和我妻子在做什么 +我告诉你 +我想我们都知道那段时光 对吗 +你怎麽样 伙计? +哇! +人们 突然都开始这个 +把它涂满泡泡! +这不是Bumpty 这是我的妻子 +为什麽? +这不公平对我现在这样来说. +(我们来跳舞吧) +谢谢。 +你觉悟了吧 一个人感觉如何啊 +但更重要的是成为好人 +好吧 +♪Thy power throughout♪ +我很震惊 也很感激她能请他来 +那种不顺心的感觉 +穿过了 +有这么多的人。 +上帝,他们的孩子。 +对于此次推出的奋进。 +他希望血我们的孩子 展现在我们的手中。 +号 +你受伤了吗? +(喘着粗气) +好吧,好吧。 +他覺得是因為老虎踩到了她的影子 +是的 +- 也恭喜你 苏珊 +不! +我不会有事的 我拿着他的枪 +但我今晚不会死 +玛丽! +谢谢你,这是团队的胜利 +好吗? +好吗? +Ted... +给你兄弟寄了裸照 全套做足 +以后听众不够这个数咋办 +我是阿德勒 +- Wir schaffen das. +- 我是阿德勒 +现在你滚蛋吧! +Paul. +呵~呵~我不知道该选哪个吃 +我艹 +- Nein, ist nicht gut. +- 谁? +Schau. +- 什么? +然后在我八岁的时候... +同时? +Scheiße. +我是阿德勒 +- 我是阿德勒 +好吧,我该怎么做? +- 非常好,把草莓准备好 +我是阿德勒 +- 我是阿德勒 +哈,那條圍巾,沒錯 +- 昨晚我們的聊天對我也很有幫助 +你沒有駕照? +這個是... +Da brauchen Sie aber eigentlich meine Genehmigung. +- Gib das her. +der Anfangsphase total verwöhnt ist, und das alles für die Normalität hält. +Ich weiß nicht, wie Sie es gemacht haben, ha, ha, aber Gabriela hat jetzt einen Scheich... +本片内容以及字幕仅供学习交流,严禁用于商业途径 字幕译制: +来点? +日复一日 年复一年 始终如此 +这位 布拉德 布拉德是我真心想要的人才 +这位是专门用来扔靶子的? +为百万富翁设计 专属游艇 +- 你和谁谈过了 +我保证 +天啊 我为什么要告诉你 对不起 +- 咱家唐尼真懂如何庆祝 +搞毛呢 +- 我喜欢这样 +所以 我把垃圾股賣給他們 +我他媽的才不舒心 誰結了婚能舒心啊 +你打電話給我 你就是個陌生人 +你們今天下午都愉快嗎 +他想要做的事情 他正在做 +在法國南部的過冬 +- 屁都沒一個 +但他拒絕了 +- 把電話給我 +沒事的 寶貝 +是的 在法拉利里给我吹箫的就是她 +你知道现在没人招股票经纪人了吧? +- 正是 你可以用它来还贷款 +我们应该感谢上苍 让这个人来到这里 +这是一支很棒的笔 +我们的创始人 +你之所以还坐在这里 而非瑞士监狱是因为我朋友的关系 +朋友 比方说... +但没有一个斯特拉顿的人招供 +- 摩纳哥? +艾利斯特,我們要抬高車子 +他说你是个坏家伙 He says you're a bad boy. +我今天带你一起来 I brought you along today +- James is right. +亨特在第二位! +在你不在的时候赶上了很多 while you were away. +我的唯一優點就是我飆車很快 +他又拉開距離,赫克斯再度... +因為所有車手都明白 +對詹姆士來說 +所以這是詹姆斯·亨特這個賽季的 +幸會 +我知道你會說什麼,說「不關你事」 +是 +拜託,克雷 +你他媽的以為我們在幹嘛啊? +尼基·勞達承受了來自詹姆斯·亨特的巨大壓力 +車有什麼問題? +- 早上好 +跑在后排什么感觉啊? +今天的重大新闻是 詹姆斯 +亨特拿到了杆位 这可能是击败劳达的法拉利的最好机会 +- 尼基... +杆位的是麦克拉伦车队的 英国车手詹姆斯 +-拉菲特都超了过去 +不去上学你才显眼 +有什么事吗? +目前没有 我是说我们刚搬过来 +Kevin Ford列了个刺杀名单 Sam 你在上面 +一开始就是个经典的恐怖电影 +杰西能想到办法 +嗯? +我的天啊 麦克斯 我一想到就犯恶心 +他们给自己写出的每一句蹩脚台词 +瞧瞧 这就是那架滑翔机么? +和这个贱人一模一样的老女人 +想不想放飞莱特兄弟的滑翔机 +George Gardelo, 先生. +你真的相信? +中间层是其它部门,包括市场部. +- 我不在Wyatt工作. +能找回来吗? +因此,犯罪嫌疑人在哪里? +你为什么要停止,埃利奥特? +我的工作与一堆 的乡下人种族主义。 +我不知道。 +头皮 +此乃正牌警方,先生 +- 为什么 +上帝 +凯利的那个角色很 矛盾 +We don't even use that word. +她叫查斯媞 不是你们问的那个 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Her name was Chastity. +- 兄弟 +一手資料? +大家都和你一樣 +這就是他們想要的 +索朗奇 藍威爾不是警察 +派來我們部門做間諜警察 +好吧 +你从来就没怀疑过他们吗 +-你猜怎么着 我没开车 你要龙舌兰酒吗 +-不 +只需要七秒 +放过这个孩子 永远都别回去 +但是直到今早你癫痫发作 +迈克尔。 +现在,你开始扔石头? 好吧,我们有车了。 +-Gimlin网站 +PP +- 我不知道,我不知道。 +外婆逼着我们做家务 +走、走 +是你们,把木柴带到神父家的 +丽莎? +嗯,它看起来像他们击败我们 一拳。 +我是 只是想知道,嗯,所以你得到了 您的蜘蛛,是吧? +P. +MM +我想确保 你... +好吧 要我说 不如去一下瀑布游泳池 如何 +- 是的 +我們應該跟他談談 +某人被謀殺了 你卻沒告訴任何人他是你祖父? +我想回家 I wanna go home now. +以前真不觉得这条路有这么长 +我再找六扇门吧 +或者乱丢垃圾 我会猎枪伺候 +我做过一个在自家公寓圈养老虎的报道 +因为你已经够糟 我也玩完了 +-我知道 +- 祇ネぐ或ㄆ +и笵ぃ琌Isles洛ネ暗 ┮砛琌砆炒甡 +⊿ㄆ и何ぃ帝 +- êTuckerぐ或璶炳Brad? +两个 +我可以再等上15分钟 +他不用解释 He won't have to. +我甚至觉得爱和性是可以分开的 They don't even have to go together. +他妈的这一切。 +放松,放松。 +因为她爱我 +我可以上去吗? +敢给我按错试看看 +你要去哪里? +各位 你们先站到这边来 +他就像被Troy的过度张扬 +我要离开比赛了 +第一目标是对抗苏联 +维多利亚 +馋﹁吹盾 +MI6稱安杆ī +琌蝴产ㄈ癸 + +- 谢谢夸奖 +要是世界将在一周内毁灭 +然后你会缓慢地陷入窒息直至死亡 +如果你待在原地就会烧死 知道吗 +哇 +伟中 +目前没这个打算了 +你下次什么时候过来 +要是没有秘密配方 +我还未举枪自尽的唯一原因 +我只希望你们能记住一点 +我已经有21年没有碰过我的妻子了 +她带着我走进舞台 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}She takes me closer. +{\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Am I... +然后,另一个来了 +保持橡胶的眼睛。 +别鬼混了! +你是不是凶手? +为什么呀? +但让我告诉你,但是, +等待,直到警察看到这个。 +哦,我们会的。 +呼! +- 早上好。 +如果你不想这样做, 我会做我自己。 +你在跟这窝囊废交往吗 +其实哪个地方都差不多 +200)\be1}舞动翅膀 振翅而起 飞向你的身边 RAVENS +肖恩? +朋友或任何人誰可以證實,你是華特. +我要试镜瑞索的角色 +就我了解,底片可能在冰岛 +我是说我个人很喜欢时 +那你有沒有做過什麼值得一提的事呢? +- 好的 +我們會給您安排好別墅的,好嗎? +不不,我想像「椰林飄香的歌」那樣 +我遇見你時 +硂Τ籮碉琵иъ盾 +и稱ミ闽玒 +- 毕业演讲词致辞 对吧 +- 你需要的是就业 +《Teenage Dream》 +他独一无二 +278)} {\cH24EFFF}翻译: +可能反而束缚了她 +等等 奥吉 +我们 +歌舞表演? +那 这东西有什么用 +这次冷战让我好辛苦啊 +但没人为我写卡片 +說得委婉一點 +Barry Scheck本人客串 他是非常著名的刑事辩护律师 O. +对 可能出了很多血 因为... +它们不是 不是普通的树,环保主义者。 +我們晚點再細說 +- 我懂了 +61,这是死神,听到请说 +记得上次你走之前我们聊过吗? +记得... +- 爸爸,你在哪裡? +他有阻止維克多查戈林陰謀的東西 我們需要拿到它 +我会在我和你妈妈第一次跳舞的地方等你 +MET now plus 6. +100)\fn微软雅黑\fs30}Der feind ist riesig... +100)}身后飘舞《自由之翼》 +19小队队长 马可·波特 +她和别的巨人截然不同 要解决她是不可能的 +什么 +结论已定 +化身成了巨人 与女巨人展开了战斗 +你还不能起来 +300)}在那地图上未记载之地 +我觉得比某些心里害怕得要命却要逞英雄的人要直率得多 +砍空了? +索尼它不擅长表现自己 +怪人的巢穴 +谁来为我解释一下吧 +一列是不是已经出现死者了呢 +200)}用鲜红的弓矢穿透晦暗的黄昏 +汉娜 这里太危险了 我们快上屋顶... +200)}仇敌徘徊在城墙彼方 是那群杀伐屠戮的猎人 +快填弹啊 +你继续待在里面的话会被巨人杀死的 +真的吗 +220)}左手的下落 ───托洛斯特区攻防战⑤─── +他们肯定没事 绝对会活下来 +在这狭小的墙内世界 你想逃到哪里去啊 +我们愿意把得知的情报全部公开 +请支持购买正版音像制品 +200)}城壁のその彼方 獲物を屠るJäger +女性巨人到了平地上 +。 +阿尼 阿尼 +如果真是这样就好了 +像这样用拇指和食指握着 +引诱? +很抱歉 +喂喂 真危险啊 亚妮 +不是每个人都像你一样能为艾连无条件牺牲 +250)}啊 软弱而坚强的我们 +还会有谁? +妈妈 +00.00,Default,0000,0000,0000, +怎么不顶用? +谢谢 +怎么了? +- 阿巴顿做的? +你百分百确定是他么? +如果你想看一眼的话 if you wanna go take a look at it. +Going by there. +你也可以啊 So do you. +他的妻子,她 甚至不知道存在 +我绝不会干涉 与你的工作,代理尼尔森。 +您是弗拉德三世 龙骑士之子 +还不行 +- 我也是 +你肯定比你哥哥喜欢甜食 +- 你邀请我们来是要炫耀新的盟友的吗? +略知一二 +我20分钟之前尿过了 而且处理地很干净 因为我是淑女 +這次荃金先生負責做一部分的設計 +我得惩罚他两下 因为他在街上骑滑板 +第二具尸体 +好的 +他的著作中称 孩子是最好的活人牺牲品 +还没。 +Soof说。 +- 是的,这是苜蓿。 +卡斯帕说你有一个艰难的时间, 有了房子,你们的关系... +开个玩笑 +你们走 +没谁 +她看起来很高兴 但是她好像是装的 +我昨晚 他们糟蹋。 +哪怕是一点点? +真的是启发 本次会议。 +他们的号码, +义德... +- 舒适的? +这是一个黑色的光的应用程序。 +我不能做你的僚机。 +不要碰她! +总是在我磨, 总是得保释 +H +当我看着你的眼睛, 事实是飞机上看到 +大学的名声就水涨船高 +Sheldon 我想你已经找到了 你梦寐以求的支持 +我不想喝咖啡 +你的午餐盒呢 +朋友和机遇不是时常有的 +因此希望轉向到革命性的噴射機身上 +他们将长大并申明我是变性人 +每个人都明白这意味着什么 +爸爸, 为什么不电话妈妈? +什么也没有,现在别再让他演那该死的病人了 +报道新闻,或者想去报道 +出什么事了 +你那么着急去战斗 +在你认识了解被你折磨的那些人 +謝謝你想著我 還來找我 +第二个内奸会看到并通知阿曼达的 +而艾玛是无辜的呢 +他媽的人呢? +現在 怎麼去蓋略羅村? +我们迷路了 +我的山羊羔呢 +辛普森 因涉嫌武装抢劫被捕 罗伯特・布莱克 被指控谋杀妻子 +回见 +等等 +- +继续 把你的午饭钱给他 +不关你事,凯撒 +30公斤,这样的小面包店? +你还活着! +我不许你这样做 +快! +因为它不会。 +我的汽化器好了 +我以后再也不骑机器公牛了 +等等 等等 +妈妈 Robin不能有小孩 +- 睡过 +我就得跟着你 +多谢 +你对我的吉野没动什么手脚吧! +布下的陷阱一般都是自己去收的? +可以轻易从国防部的系统中渗出 +-他在紧张 +但我从来没跟他面对面打过招呼 +等我找到我想成为的那个人 我会停手 +不 里瑟先生 我感觉刚刚开始 +一系列攻击型导弹发射井 +276.667)}你在干什么 +你抱好他哦 +嗯 他穿条蓝色牛仔裤 +但我只得到过傻兮兮的火车头托马斯 +有录像吗? +你作弊 +他们的意识 我的梦 交错在了一起 +过来 +若这把枪击中战服会怎样 +安德 +敌人的飞船已展开部署 +希伦·格拉夫上校 +"虫族的作战模式" +新兵,迷路了? +- 不能让阿莱中枪! +它们跟我们一样,数量增长过快 +我告訴他們你是最棒的。 +- 你開槍打我的腿。 +... +那我們就等等。 +但你取走了我的监控器 +我们没时间了 +红色是敌人,你看出什么规律了? +现在他是指挥官,已经无法阻止他了 +這並不是說你想能進去就能進去的。 +可能是在後面的4星或者後面的門口。 +只要躲在後面。 +然後,通過數值傳遞。 +-不是... +所有這些最終失敗了。 +-是的 ! +继续游戏 +其它的队都有他们的指挥官在门的附近。 +在自己的官方档案 页面。 +没有告诉任何人。 +是不是方便很多 政府这样做本身 +这是老式的,他说, +[旁白]和充足 公司拿起 这个事实。 +他收到的信 这样说: +或软件KAPOW一样, +你不觉得我们应该告诉奥利弗吗 +那你现在最好配合警察的调查 +"她想要救她的男友Viktor" +突然之间 只有你自己能拯救自己 +! +等一下,我忘了一樣東西 +- 他在这儿呢 +-80 responding. +right? +就多一天! +that she could go to jail for a very long time. +好了 你已经画完了 +I'm sorry. +[注浆] +卡梅伦斯塔尔。 +Sheldon! +眺望權到底是什麼啊 +小可愛Enrique. +哇 超級紅誒 看來是真冷啊 +哦 是我誒 +這麼說 你住這兒嗎 +- 她能行 +- 按啊 按啊 +所以 你把剑给磨锋利了 角度调整好 +"参议员Catherine Durant很有可能 成为美国国务卿的新候选人" +没没 我想都没想过 我们现在有教育法案了 我只是好奇 +5 4 +你在逼他们开枪 他们真的会开枪的 +好吧,至少这东西。 +好吧。 +双手在空中! +哦,宝贝... +朋友们, +谢谢。 +不使它变得更容易。 +杰弗里? +不用了,祖父 +我就知道 +你是开玩笑的吧? +真的吗? +购物愉快 +先卸完货 +集合放射粒子的情况如何? +太高兴了,你们回家了 +没听过 +我都想杀了她 以牙还牙么 +因为 像我们以前说好的 +276)}我们走 养活你们这些女孩儿可真难。 +去穿好衣服,该吃晚饭了。 +276)}给你 +276)}我是Ed Warren,现在是1971年11月1日 +Τ谋眔 +這個家很久都沒有這樣了 The house hasn't felt like this in a long time. +This is it. +給 +-2 54 +这已经是第六个了 +没事 她会排走的 +你是她派的卧底 +你们都错了! +不 他没有 +没有 +我才不想知道 +我不能把这个狗屎! +嘿,嘿 +您不必担心 +... +... +"好吧,当我看到你吗?" +这是什么? +我可以去检查居民。 +-,我们现在做什么? +-,你有没有发现? +一家寄宿护理机构被绑架 +我已经做了很多钱 与幽谷,哟。 +我觉得我是 在监狱里的每一天。 +你为何手持本部官徽? +回来了 +遂婉言拒绝 +是不可能有男人跟你是朋友的 +新來的造反了 +你把誰抓起來都沒用 +⊿Τ +い +小迈... +我从来没有想过家乡 +-桨递给我 +走吧! +-每个人都压上去 +她有什么毛病? +妈的! +699)}嗯 +法律規定20天內要回覆 +那孩子讓我很驕傲 +粗魯的壞老男人 +現在 你打給這個韋倫 +用来谈论 购买该农场。 +在这里,他是! +你回家去。 +说她要回学校 +下去! +扔掉! +是吧? +否則我會扭斷你的脖子! +還有他的罪犯朋友 +"我們的大小子約翰 3歲" "在爸爸幫他做的木馬上" +哦,好吧,那应该教她。 +你不爱上她, 你爱上她的孩子。 +他们可能是 基因工程,他们是那么可爱。 +... +-「Carrie」 +等等 +所以我的出生是上天的預言 +也許他確實想邀請你去舞會 +閉嘴吧 快開始吧 上帝 +大家都出去 马上 出去 +不过我肯定那个娘炮莫顿会丢了饭碗的 +很扯 是吧 汤米 +你一直跑,蘇. +知道我看到什麼? +也许他是真心的 Maybe he really meant it. +who do we vote for? +清晨外面学生更多 +安静 +忍住,忍住 +文件就会转交到电视台,报社和警察的手上 +我很抱歉,我失去了他。 +婴儿的事情之一 我爱你 +没有人爱你了。 +你需要的照顾? +? +"它不喜欢你,不过没关系。" +我有一些Extas最后一周。 +但是,如果它是! +-这个太贵了 +真是的 你在干什么 真是的 +-知道了 +在去年 孩子吃错鼠药 +什么 +这反倒会让夜光信徒们更活跃 +怎么回事... +-这并不是协商 +只能告诉她本人 +爸爸 Daddy! +我现在不相信自己了 I don't trust myself now. +你们这群混蛋,畜生! +我,彼得・卡恩,获过铁十字勋章 +玛莎 +当时大家都管他叫胆小鬼, 其实他也确实胆小 +埋到了最靠边的位置 +啊 是玻璃 +被击中的坦克开进了德国人的食品店里 +是土 +法西斯会杀了你 +至少在这儿 我们已经能离他多远就多远了 +光线变得模糊 你就会说他们飘了起来 +-她叫你呢 +你在哪 +ﻝﻭﻷﺍ ﻡﻮﻴﻟﺍ. +.ﺮﻳﺪﻘﺘﻟﺍ ﻲﻓ ﻲﻤﺤﻠﻣ ﺄﻄﺧ ﻦﻣ ﻪﻟ ﺎﻳ +至少家丑不外扬 这不很好吗? +那不会发生 +你為什麼打電話給我 +你是誰 我來要回屬於我的東西 +現實的一切都將分崩離析 +瘤礛框格硄盽琌ホ繷 +癠 +乙太的力量 +结果将是毁灭性的 the result will be cataclysmic. +什么 What? +你还不信我 哥哥 You still don't trust me, brother? +the borders between worlds become blurred. +武器就会落到我们的敌人手里 falling into the hands of our enemies. +E. +dear. +this is amazing. +众神之父呢? +就是九界相连之处 +残酷、牺牲... +你通知警察,然後聯邦密探 +- 你說過回來 +因你似乎很喜歡他們 +搞乜... +不夠時間了 +而我永遠不會懂 +彩虹桥破坏后 +应该没什么 +什么都不要碰 +- Come on, come on, come on! +- 没什么 +Derek +我就是这么提醒你的吗? +叫Derek Clark 在东Cowley邮局工作 +还不是因为你 +这笔款付给了正在使用中的租车服务 +在机器上 +-没事 +你的一举一动都有另有深意 +那可是联邦政府 奈森 +眼下我更担心的是 政府在城市中使用无人机 +我们在一个手提电脑里面找到的 正是那个你和Kara Stanton +- 不要关门 +- 露西! +- 路易斯! +东魔界 +你遇见人类的冬实 又与她分离的地方 +史塔兹老大的地盘 +真是和平啊 +你不好意思吗 +但是有能力偷取你的魔力吗 +那是我祖母的圣克里斯多夫手链啊 你这个白痴 +我希望他们能有电梯 +我们将永远的留在这里 现在是击掌的时候了 +我话说在前头 +他叫蕾姿,是人偶师 +我并不是刻意要瞒你 才故意不说的 +小 +潮汐和月亮的正常出现 +你要 +大家都想着要改变 +各位 +最初的报告说伞兵是被击落飞机上的机组人员 +没什么 已经没有意义了 +别担心 美国佬 +问一些你不想回答的问题 +不行 马修 +有许多伴唱歌手 而她 +我还没有红到可以把什么工作都推掉 +融入到歌曲中 +这首标志性的歌曲 +伴唱的作用也在发展 +我不能唱 但是你可以 +做点非常厉害的事 +你还记得你曾经 +来吧 +希望你们不会发生另一个... +那甚至都不是个多好的故事. +要喝点什么吗 不 +我们俩周末去一趟伦敦怎么样 +好啦 放下我 好啦 +好吧 你要去哪里 走一走 +你姐姐呢? +Hear, feel and see . +他看上去不错,叫菲利克斯是吗? +应该是三百欧元。 +我认为你在青春期,想体验探察厖 +just a look厖 +- 对 +can change everything... +明天去警察那儿做笔录 +- 不是吗? +记得吗 那个 +他会跟着我姓洛克 姓洛克很好 +话是不多 但人很不错 +我们根本不了解对方 贝珊 +他们给我一分钟时间打电话 +你关心的居然是封路 +- 是啊。 +是的,好吧,走。 +因为我仍然会 还有早上, +- 好吧,是的。 +25。 +对啊. +...你找工作这个夏天。 +但你我不能理清。 +(感恩节由来 也有印度人的意思) +他们在干吗? +在男人的鼻子当他们睡着的时候 +即使是神的手也准许信徒触摸 +- 会是什麽无赖呢? +已造成我女儿的死 +这都是你的错 送我到城里。 +然后走了。 +再看看现在有没有重复。 +开始越来越有趣了哦 +这是浪费时间 +折叠是关键 +Vincent's with his sister. +Yeah, why? +兩個月我就變這麼圓了 +Is Lise your ex'? +I didn't tell you because +Wait. +假装一切 +我看着糟透了 +- 当然 +老师 +很可爱 +- 明白了吗 萨伊达 +都很博学 +敬愛! +你不給她看看他的一些作品? +Ideas take hold of rne. +阿黛尔 很美的名字 +Try Existentialism is a Humanism. +Why tell everyone we went to a gay bar? +Not everyone likes it. +很强烈 +他是对拉拉有看法! +拒之门外 +嗨 亲爱的 +-晚上好 +不过感觉不错 +我能看出从前的艾玛和现在的艾玛 +我们现在干什么 +肯定有什么原因 +同时也将那种无力感定性的词汇 +我们只是问问 +-聊天吗 +我可以整天不停的吃 +-最后那幅 +她都还没喝呢 +好的 +-很矛盾 +你签了协议的 +听陌生人直呼我名 +你说过今天是冰淇淋日 +给她喝点酒 +为什么咱们的合作会如此困难 +总而言之 带来的效果就是 +-修造船厂 +谢谢 +嘿,伙计们 把所有的东西放在大厅 左边就行了 +.... +- 当然 +停下 好吗? +有时候饭都吃不上 +我找人安排 太好了 +我的天啊 联邦航空局要禁止所有飞机起飞 +从那之后 +这是什么 你想干什么 +妳說我們的工作是不是很棒? +它的位置外界沒人知道 +- 我們已經佔領白宮15分鐘 +我需要喝酒 +他是最棒的 +我有點聽不明白 +題目就叫"女人比男人更善于言辭" +-僅限周日 +以前学校的孩子常拿这来开玩笑 +小心别撞着 +好 我们马上就过去 +沒地方借嗎 +可以改变这条河流的流向 +建议他去东方的时候 从那里进口红酒 +做得好 +没走 只是坐在车里 +请注意着装。 +是。 +耶稣是T. +-41 l +215)}刘开明 当代社会观察研究所所长 +莉恩 如果给我看的话 我会吃掉它的 所以 +嘿 我在检查卡特丽娜的影片 +我们是警察 好吧 我们不是游手好闲的家伙 +就是那个 +没错 +我会永远爱你,只希望你。 +这个可怕的尖叫声。 +對了 你給伯母打過電話了嗎 +如果我们坚持的背后 这些厚厚的墙壁住? +我总在劝他们 I always tell them... +戴依依 她现在的嫌疑 更大哦 Dai Yi Yi? +Go away! +死者王峰 男性 32岁 +你说 他们每个人都面带微笑 +要么就是嗑药了 +你只要一个账户就可以了 +你激烈的袭击烧伤了我的灵魂! 黑魔法? +他必须为了自己的罪行 接受仙女的审判 +我就欣赏你这样爱听话的人了 +{\pos(96,255)\fscx50}快走 +{\pos(288,255)\fscx50}我跟失志田先生道别后就回来 +{\pos(288,255)\fscx50}太不尊重人了 +{\pos(288,255)\fscx50}一只有长爪跟尖牙的凶猛生物 +{\pos(288,255)\fscx50}她就会甩了他 +不要被一個傢伙。 +請洛根 +他是醫生嗎? +你的獎勵。 +經歷了許多戰爭 +唔 謝謝你 +她是誰? +那看來你沒找到他們? +金钢狼 +这样就对了 +抓他就难了 +这算是对我的安慰吗 +我不喝水 +不行 +是份影印件 看到那些轮廓了吗 +你他妈知道自己做了什么吗 +但事实不是如此 +折叠角落 看看我们一瓶酒。 +她告诉我, 你抓住了。 +这是一个祈祷。 +两对亲兄弟 +我觉得 我的想法(跟他)不太一样 +- +没有什么是坚持到 梁管道的任何位置。 +当我看到它, +第一个理论 的超对称。 +并且向我们展示了什么是在那里, +说嘛,说嘛,说嘛 +詹姆斯,詹姆斯 +斯图尔特上尉知道你喜欢他吗? +没事吧? +你怎么可以这样? +要勇敢。 +你的联盟 与Raoji和他的懦弱 +模仿她的写作 和她的签名。 +没事了 没事了 不会有事的 +由于"大意而造成的近乎致命的错误" +是的 +裏面難道沒有X光機? +我要是早知道你喜歡棒球就好了 +她當時怎麼樣? +有的人是滑倒的 +在跑步機上鍛煉,保持體型,加速藥物釋放 +你給我聽著,馬上把她從那兒弄出來 +也不能通電話,除非先告訴我 +你没时间一起喝杯酒吗? +你不喜欢我了吗? +没错 但是 +我只接手 我觉得我能 +632)} 你们俩个 是从希干希纳区来的吧 +- +你毁了我的电话 +今晚 你的疯狂都足够了 +第二次更糟 +战栗之死的一首歌 +我不能 听着 就说你心有所属了 +帮帮他! +是吗? +没有 +我不知道,我也想不通。 +闭上眼睛 + +是的,我... +没人知道入侵是什么时候开始的,但是... +若不是作案人有钥匙,那就是... +该花的钱还得花 +- 扯淡 +也像你们这样挣扎 +我當時在街上 克雷默街上一家藥店門前 +生命體征正常 +我還是孩子時 我們有一次家庭旅行 +木匠。 +来。 +別告訴我你雇了他當你的律師 +你破除了诅咒 你和Tom +小伙子 真棒 不要说真棒! +哦 +跪拜在白色基督的面前 +瓦利? +-你自己可以体会。 +-放过吗? +但我不确定。 +礛牡狥芖 +还有... +他们为Missy的事而来 +你这里有录像带副本啥的吗? +这对于扭伤有疗效 +- 好冰啊 +异常痛苦 +139)}信号损坏 +细节里就大有玄机了Fusco +这简直是疯了 +穦罙秆 +他并不像人们所说得完美无缺的英雄 对吧 +30)\blur1\fs37}让我们共庆凯旋 +不 +不 +喂 可汉医师 +能陪在我身边 +也是在慈善盘会上 +我有两个家庭 +不是很难煮吗 +我是戴安娜 现在不能接电话 请留话 +(法語) +你聽到沒 +離開家去工作 妻子去購物 就是平常的一天 +大家都去哪了 +这对他有什么好处 可以肆意游荡吗 +你会没事的。 +哇靠,Pottsy。 +一直 一件很难的事情对我来说。 +养食人鱼是你的主意 +好! +回家 +来吧 +但是他们不知道这点 +-我可以用铁器工作 +对不起,孩子 +是吗? +你的发型... +...就说嘛 +kyoro的冰淇淋 +谁来代替我 +- 哈利路亚 +# 给我一杯酒 # +但是还没拼完呢 +我也不知道谁会选到Penny +然后用我的"小妹妹"把整个马桶圈蹭得亮晶晶的 +这菊花的花瓣都掉光了 天 +手术怎么样呀 +你想让我说: +她不知情 +额 +知道了 知道了 +去你的 +比赛没有发生冷门 +该计划认为 +较 量 无 声 SILENT CONTEST +为西方利益集团服务 +同时 国会还敦促政府 +- 号 +我会记下。 +忘了发生什么事外。 +来吧。 +\ NI都要去太平间。 +卢奥斯大人也请做准备 +473)\1cHD5F12E}下集 「问题儿们好像会参加祭典狂欢哦」 +根据寄存器是你 萨凡纳公园为奥响了起来。 +你倆努力復合 真是太好了 +你说一切都会明了 +直到杰森和他朋友救出我们 +以帮助一些物流。 +我的口味 在你的嘴 +喜欢自己。 +是的,我可以 +T. +只需要18 的第二 +皮特先生的唯一关心的是 这家公司的结果。 +你哥塔瑞呢? +这神事・卜青一摘g一周发生一浪 +,s 衫a马? +为丫+么? +毅明关早上昊对来眼经理说一下 +阻。 +那你们就为总统一展身手吧 +谢谢 +都是其他人目光短浅的必然结果 +你不可能赢 +我在米利亚峰曾想说出来 +这不是我的名字 +来自民主党高层的线人透露 +我想这是个清楚的讯号 +由于伤病, 分局跳过 +小鬍子。 +所以我知道這意味著什麼 要在短端。 +我們越早得到這個柵欄做的, 我們越早得到報酬。 +你在說什麼? +他從直奔 機場到他母親的養老院 +我可以肯定地说,现在, +它不是这样的,MOMA让。 +来到这里。 +- 我不能相信你。 +好吧。 +主耶稣, +因为你的快速行动, +就是我母亲的脸 +问题? +- 比如? +面对面的接受道歉就可以了 +你這麼英俊的男人不該鬧旱災啊 +我是說 最多找幾個? +而是中情局的人想杀他 +不是 +然后我们就会离开 {\fnCronos Pro Subhead\fs14\1cH3CF1F3\blur3}We will leave. +现在我们面临着一场国际政治危机 +You were right about the borders. +再次,作为结果的 腺肿瘤的反应, +有消息通知我 +整个城市都提高警惕了 +他有个叫Jake Guzik的 负责他的酿酒厂 +然后忘记 +邓肯 Duncan? +I don't need that shit hanging over my head. +Willem broke up with Jessica! +你会吗? +毒品我能理解,但是拜托 格雷加西亚都死了,该过去了 +享受治疗 +他选的是蓝色格的卡 +我知道 保佑他 +的确 +-是吗 +好像被火烧了似的 +可以说 +-拜 +你长大了 所以 +Sarah 你一定得告诉他们 +我们在这 +把我的话重复一遍 +快去 +恐惧存在的唯一之处 +帝и祏糃 +埃ぇи祇瞷 +露︽礚猭巨 +我! +你给我的是一个地方一个洞 +这个词听起来好你的嘴唇上 +主席先生! +give me a smile. +{\fnKaiTi\fs22\fscy120\1cH3979FF}还有那些老队员 And the Veterans! +- 感谢使用 +{\fnKaiTi\fs22\fscy120\1cH3979FF}你看看 You had a look +{\fnKaiTi\fs22\fscy120\1cH3979FF}高一点 Chins up! +{\fnKaiTi\fs22\fscy120\1cH3979FF}今后也不会改变 And it'll never change. +—好好玩吧 —你在开玩笑吗? +如果我们吓他们 我是说真的吓他们 +把你的書和 見第一章。 +- 不要亂行不通的,男人。 +- 來自深。 +球。 +—朋友都叫我毛怪 —你是苏利文家的? +结果将会张贴在我的办公室外面 +—怎么... +—有人闯进了门的实验室! +—在加入兄弟会之前,记得吗? +各位,听这里 +—吓! +别影响我的复习,我可不像你 +-大眼仔! +是我妈妈 她整个早上一直在打电话给我 +我们有Rasheed在第14街的"E"和"F"之间 往东走的即时影像 +你是谁 +我来照顾他 +我马上过来,准备好左右舷马达 +那你不介意我叫你自个儿撸去吧 +- 但我们会什么也听不见 +不! +这伤口在阴冷天还会隐隐作痛 +我可以亲你了 +心跳嘭嘭的 +你以前从没进过法院吗 +请您照我说的做 +我们有一个线索 +让我很迷茫 +他们说 里面录下一些东西 +所以我会负责媒体的部分 +- 得睡不少大巴觉了 +要聊这个? +我还想你能不能劝劝他们 +那是谁 +我靠 快看 +你 大活人 上车 +加油 +不尽然 腾出点空间 +我做不到 +Cesar +才好黑进国防部 +接下来交给我们 +你们真是太贴心了 +我真的没法谈这个 我就是得藏一阵 +是时候了 +是谁? +女巨人? +♪Just like a cigarette ♪ +我的职责就是倾听你的想法 +我帮他装货卸货 +大奖赛车手联合会 +1970年 +在28岁的时候 永远停止了思索 +那段日子最大的恐惧来自火 +由斯图尔特亲自为车队老板肯·提利尔挑选 +威廉姆森死去了 冠军没有绕场一周以示荣耀 +168个弯道 +想想一百万可以用来做多少次测试 +下午四点 指挥员来到了赛场 +吉姆·克拉克的死震惊了全世界 十年之后 +塞纳出事的原因上面 +马克思·齐尔顿说过 +控制欲强 +Lucy 别走 +摔了一跤 没什么 +我们可以做广告。 +你知道的,只是忘了我 说任何事情。 +-射线 回到房间,我会尽灵气。 +好好的前途都浪费了 +这是扎营组首次在越障组之后带队 +我们要往大本营带点食物 +有人说当自己的父亲会很自豪 +- 玉米面包和辣酱 +我这辈子从未像现在这么意志坚强 +三艘無證飛船正在靠近極樂空間領空 +克魯格 +剛才進了那邊的電梯 +可这不公平,嬷嬷 +马克斯 +看着我 +会以叛国罪把我们吊死 +-别停下,看见谁都别停下 +不,快走 +希望妳告訴我他去哪裡 +多久才能下載完,然後上線? +準備好了 +-我們來玩 +嘿! +我不喜欢 +不要碰她 +可有了那个就不同了 情况不一样了 +别让门关上! +马克斯,你在哪儿? +這是長頸鹿,牠們來自非洲 +我真的需要妳告訴我 +開始準備 +我敢肯定,你爷爷能 +我不能... +乌鸦我想与挑 您 +你在天边野, 一,唱歌'了你的脚后跟 +偷偷摸摸的。 +什... +我并不是想表达这层意思... +200)\be1}何千のループの中 出逢う この場所で +我明白 +我是Anna Skarbek +我们在一起的每一刻都会不断提醒着我 +这是我们已经做了什么 这整个的时间 正确的吗? +笑一笑 A little smile would go a long way. +所有未经FDA批准的药物及营养品 any and all non FDA +百分之二十五,要么接受要么滚蛋 +别再像个婊子一样了 +「邦妮·帕克和克莱德·巴罗,电影《雌雄大盗》主角」 +你他妈跟我开玩笑吗? +No,i can't do shit! +30天? +难道要我... +干你们! +你还好吗? +dine having good time and enjoy ourself +你表现得很不错 Danielle +你们还想让我再要一个吗 +我想养家糊口 +我应该给一个漫画 一个镜头。" +该死的! +什么? +他会冻死的! +二... +这里是我们运行的心脏 +就这一件事 你永远不可能比我强 +对不起 +每当我看到那些糖 +- 这老太婆对你来说根本就无所谓 +不,是你参与了这一切。 +你这是在玩火 肖恩 +是斯科特和斯顿布奇中士吗 +你不会真的这么想吧 +不是叫人偶吧? +抱歉 +你是谁? +你干什么呢 +好好吹凉了再吃哦 +爱花姐 在试图醒来 +还是吃果冻? +接着刚才的说 Leonard你肯定猜不到 我在网上找到了谁 质子教授 +噢 你肯定去不了了 +你要赶不上了 +拜托 别再走了 +- 她是个吸血鬼 +里面当你发现那些 吸血鬼资料的时候,我... +嘿,教授你好 +啊 +快来 我先开动了 +- 是啊。 +好啊 +夫人 +你是这么觉得的呀 +-明白 +-在做坏事 +女人拖累男人 +我去找个座位 +操 +加州 海沃德 2008年新年前夕 上午12: +对于美国元帅sean HARLAN的, +我想,以评估其计划和 没有过问你的偏见。 +真是有缘 +于是我就叫她"捞松婆"(外省女人) +鸦片一次都不能碰 +所以就惹来一些闲言闲语 +我需要你在Lily看到前 +不准问原因 +让我们听听那些 真正在13号房间呆过一晚的人 +或许是钩子手Dearduff点的 +你也没有点播 狱中荡妇9? +解决了 我办到的 +欧罗巴星是颗冰球 +你就是在钻牛角尖 +威廉,数据队列传送有静电干扰 +正在下降 +丹尼尔? +你是米基的朋友吗 +非常棒的想法 +你他妈的怎么了 +我死定了 +我 我收到个包裹 +还带安全锁 是吧 +听着 +是你 +怎么回事? +你可不要小看 处理无法再利用义体的费用了 +你待在这里监视机车 +否则 他肯定不让我们来 +- 我来扶着他 +跟另外几个女人打情骂俏 +通知婆婆 然后送信给Crawley先生 +都拿好了 +你再不下车,我报警 +能够打出多变的组合,就是一个好拳手 +什么事? +冷静点 +这个突袭够帅 +我只是在咨询滑雪板专家 +是啊,嗯,我会的时候给你打电话 我没有空闲时间。 +所以我不想小题大做 +救我 +为什么我们刚好在灾难发生之前 +每天清晨 我们都坐在这个悬崖上 +不这么像人 +这就对了 这就对了 +什么也没有 +当你看着我的时候 +ES自1960年以来 你们会不会发现它。 +下来吧! +我不想回家,就这样。 +你抽根烟。 +我是说过 +-德国飞机吗 +这项志在解决犹太人问题的马达加斯加计划 +来彰显他们因此获得的荣耀与减轻他们的罪恶感。 +就在他发表这篇讲话的八天后, +然后他会被遗弃在那里和其他人一起死掉 +- 谁? +阿德勒和法尔斯塔夫说的东西 +替我问候阿德勒 他会修正第三版的 +喂怎麼了 到底發生什麼事了 +剣先を奮わせ 聳える壁の前 +我保证 你根本用不着开炮 +瑞阿里奥比你想象的要聪明得多 达芬奇 +没什么能逃过你的眼睛 +你为什么把火炮给毁了 +得出这个结论的 对吧 +"我们知道应原谅我们的敌人 +时间轴 +抽完这根烟 +- 没问题请讲 +291)\fs30}l +291)}風 +我去次厕所 你就先看看鱼吧 +士道 +- 好。 +哦,哇。 +作为异性恋 我都敢说 +我完全同意阿射对Duncan的看法 +赛尔 +那只蜗牛好快 +我能行的 +你想要我留下吗? +试试嘛 +这改变不了什么 +- 是 +我确信Leonard肯定爱死这个了 +你们俩不只是朋友 +那个人在找什么东西 +我不这么认为 但是很多人这样想 +疑心的托马斯 起初唯一一个 +再见吧 +明白了 +一打倒他 一行了,行了 +你疯了吗? +看上去 没有出现了很久 +别说笑了 +一个不存在的人 +包含爱马和霍丽亚. +她的店里. +最终会发生在我们身上 +只是让我出来吧。 +我记得她喝光了... +因为你走 各地,狗屎困扰我。 +- 不 你不能带我回那里 Castiel +? +我的委托人就离破产更近一天 +想今天上午再劝一番 +还算好。 +§我爱你§ +§ +我无法假装事情没有发生过。 +- 我的意思是你我之间。 +Nisa打来的 响去吧 +由于跟国安局合作 +企业健康维护 +女人: +你得的情况下 零点定理神经过敏。 +在哪里? +[叹气] +你好吗? +她是一个情绪 损坏的女孩 +对不起 先生LETH +哇嘿 嘿 什么是想象力 +对不起 伙计 我要去 +编织万维网 +就拿我们 别的地方 +我们会回来的明天 对于硬件 +我们三十分钟后要跟老妈会合 +我们与Telescope公司发现 +♪The finest woman that I've ever known♪ +Adam队 稍后再见 +看看这个 +回来,求你,很晚了 +这是临时网站的代码 +是的,我必须具备的。 +喜欢你而不是你。 +我应该说什么, 我失去了我的钥匙了吗? +人不想要或失能的行为 +但你后来变得占有欲很强 +她知道你会杀死她 +你不觉得吗? +你以为的Lexie会生我的气。 +来吧。 +知道吗 Alex 我觉得我... +你得看看这个 +比利,我好像发烧了 +密码错误,系统不执行操作 +没有,没有,没有... +他们会恨它。 +不是我! +如果这不是太奇怪了... +哦 拜托 +這些旋臂布滿 特別明亮的恆星 +杰德。 +山羊。 +我不知道 也许他们觉得这样很酷 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I don't know. +我以为她能适应... +- 好吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000} +Emily. +待在那 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Stay here. +房地产已经成为中国经济的主要增涨因素。 +00.00,Default,0000,0000,0000, +我见过... +这恐怕等不到明天。 +是我来提问提, +『何尝不是一种奇迹』 +所以 与其作为个体孤独地死去 羡慕着能活得更长久的他人 +是什么让我没能说服你呢 +那我们走了 +- 我等了你一晚上 +而且我并不是一个人 +你也应该看看 这个很有趣 +也困扰着黑手党头目... +却不知道鸢尾面包与意大利干酪一起烤的美昧 +弗弗 +- 可以唱得很私密 +来自阿肯色州的上进选手 +抓紧我 +若解不通,有预言又有何用? +北纬30度3倘分 +我认为宙斯永生不死这件事 +因为我不要跟独眼巨人一起去 +不会吧 +我认为这份荣幸... +这是杰西,生产部经理。 +- 肉桂葡萄干面包圈的,我相信。 +打开它。 +- 我想是有人... +却意欲称王 +你拿东西动作快点 +不,亚伯拉罕 +如果情况属实的话 +- 你不想终止妊娠吗 +是的 +那么 我们本能字学园就用战斗服来做制服 +收到 +嘿 站住 伙计 +快走 快 快 快 +吉姆 你怎么样 +闪着刹车灯 +我没有 +没错 +我不知道 {\3cH202020}I don't know. +我他妈的还给你订了间豪华套房. +来 到床上来 Come on, get in the bed. +我得走了 +- I can't that top of the thing... +- 没关系 I was just teasing you.. +You gotta be kidding me! +- 对不起 Listen, I'm sorry. +- 抱歉 大家都出去 Dolly, i gotta take this. +他指使欧文做事 And, he's making him do all these sorts of stuff. +煩到你了? +and all that shit. +比如? +Irving, you know I said that. +邁出的巨大一步 the people of New Jersey. +我會竭盡所能... +- 谢谢 喜欢吗? +- 你从没这么说过 +我们完全有可能干一票巨额的 +一年前赌博就合法化了 +你掙來的錢 +我要跟你介紹一下羅伯特•斯潘塞 +因為你們的辛勤勞動 +是我說的 你從沒說過 +真不想走 +他說的是真的嗎 +你真幸运 +不知道 +不是Debbie 是Daniel Daniel Cronyn +以我孩子的性命保证 +我不知道她也许... +没有证明 无法通行 +好的 +你在船上都吃什麼? +- 你好 +- 是的 就像一个三角凳 +你们不能裁定 +- 我在里面思考了一下 +What are you doing? +我不会发表这个故事 I'm not going to publish the story. +腰围最好再少一两公分 +爱尔兰离散族裔 +不是你 +他现在左右为难 +还有两双拖鞋 +这就是他 和皮特·奥尔森 +除了真相什么都不相信 +我这边有情况 +好吧 既然你已经下定决心 那就去做吧 +就好像置身梦中 +- 但他最近工作忙死了 +我懂 很恶心的 我一般能躲就躲了 +你们这么饿 刚才怎么不在餐厅点东西吃? +就像我腦子裡癢癢 卻撓不到 +这只是故事,杰克 +- 但假如它们回来了呢? +跪下! +{\cHFFFFFF}{\3cH111111}{\4cH111111}And where is your... +希望你能记得我 {\cHFFFFFF}{\3cH111111}{\4cH111111}To remember me by. +我睡着时他还在这儿的 +- 坐标检查。 +升空。 +我得到了这面旗帜 翻译为您服务。 +比如防感染咨询 +还是有别人带 +他最需要你的陪伴 +我是阿曼达 +还开走了我的车 我跟外面的警察说过了 +霍德 +所以你才看见了他 +再往前走两步 +老兄! +什锦儿子,弗兰克,阿尔弗雷德,悉尼,亨利。 +哦,凯瑟琳。 +我从来没有来过问你和玛丽亚。 +美好的一天,查理。 +这里会变得很漂亮的 +他自己的国家不要他? +。 +很好 看看展览 +但现在我考虑用Natale案作为案例 +前辈 +真的就和画里的一样 死了一个孩子 +- 是的。 +所以, +。 +\fn微软雅黑I, um... +A +听着 凯琳达 \fn微软雅黑Look, Kalinda... +谢谢 +麻烦你邀请咭 +我这里有 +纸牌屋 第一季 第8集 +你好。 +所以我们可以让下一个来 英寸 +个月,大约两个星期的时间里 从我的到期日。 +你会介意站起来 对我们来说,帕特里克? +這裡是百田育夫 請多多關照 +家裡沒人 +-等一下,现在发生了什么? +-最多几个小时 +页面在哪里? +你们自己能看懂下面的内容的 +一个你忽略的人人网上的朋友? +恶) +荷兰腰带扣匠 +是的 +但是你也帮不了我 +她又不是动物 +现在你要忘记中西部 +没 +边境巡逻发现他们昨晚入境西班牙 +{\1cH00FFFF}我需要你的队伍 +{\1cH00FFFF}是哈柏吧 +{\1cH00FFFF}她为西恩卖命 +我有他们那儿 +自助餐的兑换券 +顺序式变速箱 +去找莉蒂吧 +还是在拍007吗 +ﺎﻨﺴﺣ (ﻥﺎﻣﻭﺭ) +莉蒂死了 唐 +先確定裡面那個是不是西恩 +都給我精神點 +我說過了 +我要查看由你直接授權的監控影像 +瞎说的! +你们要干什么去? +想到我就觉得恶心 It makes me feel sick. +我们非常能掌握它 +不用说了 +機甲獵人計劃已經沒用了,指揮官。 +但還有一件事。 +今天的浮動連結很強大。 +我們都感謝你。 +那怪兽 That +謝謝 牛頓 +只有一個辦法確認 +我正在搜索 但是沒有生命信號 +Knifehead. +- Yeah. +我所要做的就只是下降。 +我想不出别的了" - +走出去与新娘的父亲。 +而你不敢问它在哪里。 +-她打给谁了 +绵延不绝 +谁不爱吃呢 +凱西 我叫凱西. +凱西? +- 对 +恍如隔世 +他救了我,就像童话里的骑士 +你哪里爱过 +Delfino的屍體一小時後就找到了 證據顯示被害人是被突襲的 +用這個吧 +画红圈的地方 +你这是什么意思 +自从他有了心 他就满世界伤春悲秋了 +啊 +-什么 什么什么 +这 让我们来查查看 +不要 惹 杰斯特 +请原谅 +Come in here. +And we will drive straight home. +He's over there, right by this, that bush. +- 别换台,我最爱这首歌了 +- 斜线、枪炮和玫瑰 +- Yeah. +- 给凯希看看你学到了什么 +Hey, those are cool tats, man. +Look, look, look. +That's so weird! +- 哪儿? +(GRUNTS) +- 很高兴见到你 +该下高速了 +- 给凯希看看你学到了什么 +- 凯希 +- 快走吧没人想听... +怎么回事? +我回来了 +爽翻到阿拉斯加(一种极品大麻) +you're forgetting one thing. +- Shut up and take the fruit. +Bin Laden! +Will you let me know if he develops super powers? +Scottie P. +Kenny! +- It wasn't quite like that. +拜托 +让我去跟这个家伙谈谈 +是出了问题 出了很大的问题,好吗? +- 知道我在说什么吗? +他偷走了我最喜欢的被子 这种事都做得出来 +是的 在最后 +(好莱坞著名演员 常演硬汉) +突然间, 一切似乎是一个好兆头。 +我喜欢这个想法,性感。 +真的吗? +有需要尽管说 +它可以吸引关注 +我们不仅是恋人 还是搭档 +他跟哪个录音室合作 +写我的吗 +假装安抚我 +身边行囊就是你的所有 +-谢谢 +玛丽安 谢谢 谢谢 +你又想要回头 +可惡 +瞧你,老兄! +再见。 +杰克有上周六的聚会 POR LA晚报和... +这不是那么糟糕,因为它会 声音但it's,它的... +它可能是... +号 +哦,对不起,嗯。 +这是怎么回事有什么不同? +远离 从这些巧克力,好吗? +这可不是闹着玩的 +- 好极了 +把包给我吧 +- 真不错 +它们能让你们活命 +下节精彩 +原则上是的 +我想应该有不少年轻的农民在追你吧 +我还单独进餐 真是浪费 +我们的生活从来不简单 +真是扯淡 +你覺得我們到哪兒了 +這座城市貌似對你有很大的吸引力 +派件員在早上的派件後回來 +是的 她曾让这样的夜晚不那么难熬 +你知道我对你的感情 +都是些废话 我没机会再写 +- 是啊 +所以,我会看到你星期六。 +是啊。 +... +让我们保持它在我们之间。 +哦,哎呀,你是 行为像我们在 经济衰退。 +-谢了 威利 +下 下 慢 +别骚扰那位女士 +船长哈洛克 +将可以移动的中子星摧毁 +战争结束后的5年 +255)\fscx50}重力子渗透压维持量子多元状态 +255)\fscx50}What did we do wrong? +255)\fscx50}但你也给予了我们归处 +255)\fscx50}现在说不定能杀掉我 +為什麼! +497)}Nibelungen +全息投影 是假的嗎 +他們的目標是全息影像衛星 +凭着年轻气盛 不顾一切地向前冲 +要我们相信你吗 +不要让他们得逞 +150)}神啊 +"昏迷兄弟"乐队 +- 好耶 +特命你为后卫部队 跟我来 +-这我听说了 +说来听听 +-我知道你吸了! +哥们,你还是换个目标吧,她对我们这种男人已经不感性趣了 +要检查一下吗? +-可能吧 +什么呀? +。 +你爱你的妻子吗? +ノぐ或ゴ? +- иぃ笵 羆Τぱ穦菇糐 +都听不清自己在想什么了 +Blake喝"星巴克" Adam喝真的星巴克 +{\cHFFFFFF}噎死青春 送小孩 +饰 George Anthony +- Knock +- 她相信事实就是如此 +Cheney Mason想要马上见我们和法官 Cheney Mason wants to see us and the judge right now. +弗兰克: +哦,"大麻烦 小包装。" +视频叠加 将显示 +他能预见到我们看不到的事情 He sees things we don't. +都让你拿回去了 +怎么 又要吃汤饭吗 +镇宇 快跑 快跑啊 +我连停尸间都去过了 +朴律师做什么了 +我们把这个弄完 +反正是为了装样子摆的 还不如用英文 +连工作的地方地址都不知道吗 +小子 +-没有 +亚历桑德拉·杜晨科 杜晨科家族很庞大 +该出发了 +娜塔莉还好吧 +我还不知道在哪呢 +- Frank... +那你什么意思? +你觉得会有多凶残? +- 是什么? +- 我有我自己的车。 +和杰克? +我们是Nudist Beach +我们都会找到你们 +往前走 能看到大型通风扇 +我在哥伦比亚边境附近一家美国石油公司做保安 +这种能力能用上的 +谢谢 看见没 +没清洗干净吗 +历经多年 +因为你 +你想毁了这伟大的业绩吗 +好,好。 +无论发生在挑战者, +是啊,我很幸运,如果我能得到 它运行。 +不管你平民被告知, 在冷战中,我们仍然深。 +理查德? +我的决定是依据 赛沃科公司的正式建议进行发射 +噢谢谢 +你想说一直想找一个 +我知道她喜欢把责任都推到你身上 +我不知道 我還得看看... +酷斃了 我們可以一起出去玩的 Cool. +你才是自私的那個 You're the one who has been selfish . +说得对 +好极了 西奥多 +能面对面谈这事我很欣慰 +是的当然。 +... +3有许多电子邮件和 似乎很迫切... +我是一个坏人 我觉得喜欢。 +每一次生命 应对现实... +我不能清除我的头 仅此而已。 +和其他机构! +派对 真的吗 +-大家都在等你 +我应该注意下的 +哦,这是不是一个真正的电影。 +但是,这个项目是关于我们 得到正是我们想要的。 +不,不, 不尽然。 +我猜我们 都只是幸运。 +始终使用他noggin。 +嗨。 +她买了吗? +当然我可以。 +- 不是漏洞引起的 +你知道的 +我只会嘲弄 +又在骂人了 +我想知道 +是遇到臭名昭著的蛇女巫 +是的 +韩塞尔 韩塞尔 +妈的 +我已经告诉你们如何囚禁骑士了 +居高临下的 你追求她多久了? +我就是Dumbo (小笨象/小飛象,迪士尼動畫影片角色) +不是一门优秀的科学 +你很用心学 并且一遍遍背诵 +创造性就体现在此 +你带来之前检查了吗? +Hing +不过是辆车 又不是给你个肾 +从那里可以到达美国任何城市 +再次感谢 我很开心 +是基因没错 但... +等会儿 等会儿 +Ted 相信我 20年之后 你一定不会后悔你看了这场比赛 +什麼? +- +对 你的片剪太刀的另外一半 +不够 因为... +在苏联大使馆工作 +我来处理 回家吧 瑟鲁谷德 +那这个不怎么聪明却又危险的人 +在这什么都能做 +你是想妨碍"反美活动"的 +我不知道 +参赛前 我们知道Dara她挺会做饭 +你要配意大利土豆团 +你的糖煮梨听起来棒极了 +哦,对不起。 +就只有一壶? +我们没法在战场上打败8000无垢者 +你又有这么多血 +一个人怎可能会十九种语言? +我会回来的 +- 我们能打败他们 +不要 +别跟来 +我从今开始守望 +160天已经过了吗 +我是不是错过了什么好戏 +我知道 但是 +即使人格不同 DNA还是一样的 +心灵和感情 全都可以被数据化 +―再扎他一下! +淹死我们吗? +波佛在哪儿? +精靈隘口 +當門打開時我也要在場 +- 你找到 Arkenstone 寶石了嗎? +35,897 +庞伯,快走 +ﻩﺎﺠﺗﻹﺍ ﺍﺬﻫ ﻦﻣ ﺃﺪﺒﻳ ﻖﻳﺮﻄﻟﺍ. +ﺎﻬﺋﺍﺪﻋ ﺪﻳﺭﺃ ﻻ. +ﻢﻜﻟ ﺕﺁ ﺏﺮﺤﻟﺍ ﺐﻴﻬﻟ! +- ﻯﺮﺧﺃ ﺔﺤﺋﺍﺭ ﻙﺎﻨﻫ .. +- ﺔﻳﺎﻐﻠﻟ ﺭﺩﺎﻧ ﻡﺎﻌﻄﻟﺍ ،ﺔﺒﻴﺼﻋ ﺕﺎﻗﻭﺃ ﻩﺬﻫﻭ! +ﻚﻟﺫ +ﺡﺎﺘﻔﻤﻟﺍ ﻦﻳﺃ +ﻥﻵﺍ ،ﻢﻠﻫ. +ﺪﻴﺟ. +在世界將盡之時 +停 +你们所有人,快去找路 +我的主人只侍奉一位主子 +- No, darling. +杀光它们 Kill them all! +但要有个走私贩帮忙 But for that, you would need a smuggler. +绝对不能让造反的人聚在一起 制造言论 What a fault to let the rebel banded together and start making noises. +行不通 熔炉早就冷却了 Our plan's not gonna work. +只能走石头桥 Cross only by the stone bridge. +Come on, you big lump, you! +穿着铠甲 带着弓箭 +- 你 +我会对你说... +也許曾經是這樣 +已經沒有急流可以讓我們快速前進了。 +他那麼疼愛你,而你卻違抗了他的命令。 +毫無疑問,這就是個陷阱 +我... +那些哭哭啼啼的懦夫,還有他們的長弓和黑箭 +我會讓你們看看,什麼是我的復仇! +不到一秒钟。 +狱友告诉我一下吧。 +想谈查克? +仁,妈妈是谁? +- 仁。 +你不明白。 +唐冏看着我,你真的没事? +各位! +我不想知道那些恶烂事! +- 嗨! +- 妈,没事的 +怎么 我一进来 大家都不说话了? +-可怜的老家伙 +去你妈的... +霍尼韦尔公司打电话过来 然后你说一切正常 +-吉米在工作 +-好 +但我对宣言不感兴趣 我要的是结果 +我们看到 灾难正在各地 +只有一个伟大的计划 +在尤金市 你和她一起做的 +我确实喝这个牌子 +你听说过延龄湖里的朝鲜蓟吗 +全湿 +请你离开讲堂 +移走他的仪器 是她搞鬼 +不然四分卫找不到他 +先生们 今天是新的开始 +惡意收購 +我寧願冒這個險 +痷惠璶钮и. +е. +憨憨. +有啥消息没? +这里发生了什么? +我昏迷多久了? +是你把他们引来的. +不! +快走. +从今天起 我们别再... +- 嗯 +Jagawar +继续走 先生们 +Aim for the throat. +You're not allowed to be here. +because you can't do it yourself. +可做兴奋剂,毒品等 +- 不 +你 还有你的袜子 +我不知道 +那可能就是落在午餐室里了 +棕鹅距离我们25米 +一般不是会有快递送过来吗? +1504 刚接到第二通报警电话 +或许这是我第二次机会 +总理先生 +快点! +如果你现在跑了, 你的腿会受到永久性地伤害. +导弹一号锁定至飞机的热量轨迹 +她不是跟你在一起吗 +有人第一次见面就借钱吗? +当然是来保护K狮的啊 +什么事? +乐意之至 +你明白什么了 +在阵地战中我们减员太多 +刚给他打了一针,吃了几片安眠药 +明白吗? +战斗还没分出胜败 +我清楚自己的职责 +不是夏洛克·福尔摩斯也能看穿吧 {\3cH000000}That wouldn't exactly take Sherlock Holmes. +他越来越近了 {\3cH000000}He's getting closer. +- 是啊 +- +- +每个探员都是用后可弃的吗 +当他们检验他的DNA时 +她破产了吗? +你的初恋 +杂乱之中的章法 +带有极度敏感的感应器 +我才会满足 +虽然他对我更好 +了解 +我开始找工作 +我会转交到他手中 +你哪里找到? +我才没买这破车的票 +进来 +来自古老而荣耀的城邦 +您想要多少船都行 +我留下 +整整五天 雷 +要点脸 +你明明說好了要走入世間 難道還想光挑沒人的地方去嗎 +大嬸 你在裡面嗎 大嬸 +{\pos(10,10)\an7}為了你 咱們還是再見吧... +這個人總是煩著我 求你不要再理我了 +你看 +-我们干嘛这么小声 +我一点都不在乎,把钥匙给我 +-您要的水 夫人 +罗斯 再过几个月 你就正式步入社交界了 Rose, in a few months you'll have been presented, you'll be out. +确定一下没有问题 just to make sure? +好莱坞的鬼吧? +- LUV的。 +当然,我还活着。 +他是一个有点笨。 +你的信号。 +是啊 你觉得他们能成功吗 +- 多谢 +是啊 +- 1994年,我当然记得。 +是哪个老家伙在背后盯着我看? +经过多年的这个。 +你是一个双 我的丈夫已经死了。 +想必你。 +这样的话 +给杰森留下武器 然后再悄悄地溜出来 +没有人能问我 一个空虚的疑问。 +我是杰克。 +你以为你能赢我吗? +临床肿瘤学和姑息治疗 你呢? +喂? +- 实在是很抱歉 +- 坦布里奇威尔斯 你们呢? +- 再跟我说下在哪里? +我想在我们到达克罗赫斯特之前 我们还有5分钟时间 +三眼乌鸦和黑魔法? +阿多! +洞房! +也许是鬼魂吧 +Get down! +我们不能发布那份文件 +阿曼达呢 +不 +不,我不想维柯丁。 +- 也许我们可以提供帮助。 +我的首席顾问 私人利益... +该死的。 +ESTAREl明天在家。 +你说的是青蛙? +无视你的孩子, +有 +"司考特 +我们去Lydia家吧 +那是什么? +我就会给你的孩子也弄一个 +他在工地上打零工 +停车 +Taylor是典型的美国女孩 +"Knew you were " +就一杯 一杯 +邦德猪 +他来了这里三四次 +我刚跟金的母亲通过电话 +人人影视 +我必须否决你的反对 +他说,"没事,太好了, +所以,嗯,我没有真的有 +它只是音频, 有这样 一个疯狂的情感。 +我们希望所有的静坐 在一起,你知道 +那么它的完美风暴, 再次。 +脱掉这可笑衣服 Get out of this monkey suit, sit by the fire, +How many feet from the Oval Office to the PEOC elevator? +- Seatbelt's stuck! +which was really weird for Paula, who was... +Foss came in. +Bye. +别这样做! +力士6号就位 Hercules Six in position. +快、快、快! +该死,紧急应变部队在哪? +现在由谁负责? +圣诞快乐 +- +老大,她们来了 +希望在等会儿的白衣派对再看到你们 +简单 +周一见了 +歐尼爾,到後面去 +指纹? +祝你好运 +我们北进途中在卡斯特的堡垒休息 +不见他的将领,连妻子也不见 +他们长得真快 +[♪ Dance me to your beauty with a burning violin] +没问题 Eleni最近还好吗? +Eleni怀孕了 +在看到它们的时候你仍然 +其中一个主管就说来:"把她带出去!" +卡萨特卡是妈妈 塔卡拉是她的孩子 +-- +它得到了一个我们称之为三秒钟中性反应的信号 +老爸 老爸 +您认识吗 +却没有留下任何证据 +啊 这样啊 +您请走吧 +它是放在这儿是最大的 成就科幻小说, +吸引观众的是邪典电影。 +他说:"我想给你做任何的制片。" +相机的动作。 +然后,他来到巴黎。 +这是借佐杜洛夫斯基的想象力创造的。 +它在别人的领土上 并且已经被盯上了 +她并不需要经常捕猎 +他会留在这儿恢复。 +几分钟就好 就把警察叫来 +9.30。 +却渐渐明白已经没有什么时机了 +能证明你会来美国的信息 +那你怎么跟他说的 +我回忆起我们在德黑兰的那些日子 +所以有可能是熟人犯案 +城北洞月租房 +这女人着急和男人 +不行 没看到有条白线吗 +走吧 小姐 够了 该上路了 +菲尔曼 你好吗 +不 马拉喀什太落后了[摩洛哥城市] +法国丈夫 我也没有 +申请休病假 +把钱给我 +她太痛苦了 +能帮我一下吗 +谁都有自己的宠物, 这是一个考拉。 +它的宏伟。 +你知道你最大的问题是什么吗 伊凡 +夥伴們 +回見 瑞奇 +你本应该一边修你的金融硕士学位 +算下来每天有75万美金的纯收益 +我待着这里都没时间花钱 +我要不是你朋友 +這是自由的問題 +軟體才把錢存進去,然後付給他錢 +更快。 +她的名字是执法机关。 +我希望我能像消失 这一点。 +这个 +现在对我来说工作是最容易的了 +值得再次探查的 +... +我的意思是很漂亮,我会给你很多 +你确定? +天啊,帮帮我! +唯一能让我坚持活下去的就是工作 +- 谁问你了 +- 他的真名 +你穿西装很奇怪 +- τRachelも琌ê端? +真美 +依然存在着一群顽抗的人类. +我会看着 Jamie. +他们是恋人,对吗? +杰瑞和吉米他们在这吗? +只要再一次我就会真的杀了你 +现在我要解开眼罩了 +吉米 那不是梅兰妮 她不会再回来了 +不! +十几年的挚友 +但如果你犯过的错导致了麻烦 +Logan Pierce和Justin Ogilvy 本来答应推出Alchementary +喂 +叫人有了胜负欲 +陪礛┮Τ常筁 +硂 +и单ぃの +腀ぃ腀種儿倒и +碞笵砫ヴ +и竒册筁妓杠肈盾 +我正在做最美的梦 +好吧 +吉尔伯特 好兄弟 你最近还好吧 +有人听懂他刚刚 +但我也爱歌剧 +你叫什么名字 +你把所做的一切都写成微博吗 +你说你已经跟托马斯确认了的 +我的梦想 可是 吉尔伯特 +对 但这可不是给蜜蜜·佐佐的小玩意 +是啊。 +阁楼琼斯先生吗? +是啊。 +這一年很讓人分心 +你真的不知道這是什麼嗎 +我以為這些都怪我 +{\fs12\pos(190,220)}鄰家花美男第7,8集 故事梗概 長髮姑娘因為那個巴布新幾內亞來的青年 偶爾會找上門而來感到頭痛. +你要开始听我的。 +不,你没有。 +它是一个真正的事实。 +我不值得什么。 +滚出这里。 +谁拿到了手机? +好吧,不过我可能会提 它在我的下一个表白。 +能否请你 只是把它给我吗? +你还记得我吗? +我会花五个电话 他呼吁。 +它有很多动作。 +最后! +有! +...... +我们全盘否认就好了 +不可能 +文小姐 这样子啦 +她妈妈小的时候 +我人生地不熟 我怎么知道啊 +这边是雅房 卫生间在楼下 +才那么早 +今天是过节要穿新衣服的 +虽然我不相信什么狗屁浪漫爱情 +我出钱 你陪我去帝国大厦 +告诉他们一定要保住孩子 +"我不会再要其他孩子了" +213)}萨沙 汤姆在瓦萨学院的好友 +水,请。 +我们做什么我们必须去! +以前我因朋友感到累的时候 +但最终,我习惯了。 +呃... +被称为... +像... +- 完美。 +和碰坏, 你付出代价!" +我不介意可怕的淑女 与满屋子的真空。 +Adam会是个很棒的跟班 +Shakira队的Sasha Allen +- 上帝啊 +家族需要你 +结果又不是我能做主的 I don't control the outcome, do I. +You must taste this drink in life. +是的 先生 Yes sir. +迄今为止我要求过什么 乔力 What have I demanded from you, Jolly. +改變我生活的機會 +天空將會如此湛藍 +但現在好像不是時候 +- Foot size doesn't matter. +It's been too long! +你妹妹死了 都是你干的 Your sister is dead... +我能否看下医生 算了 Is there a doctor I could see? +{\pos(96,255)\fscx50}别让人进来 别让人看见 +{\pos(96,255)\fscx50}40元? +{\pos(288,255)\fscx50}但她不会记得我拥有魔法? +{\pos(288,255)\fscx50}欢迎来到艾伦戴尔王国 +{\pos(288,255)\fscx50}恕我失陪 +{\pos(288,255)\fscx50}随它去,随它去 +{\pos(288,255)\fscx50}你怎么知道? +{\pos(96,255)\fscx50}請留心腳步,大門很快會開啟 +{\pos(96,255)\fscx50}我記不得事隔多久了 +{\pos(96,255)\fscx50}胡蘿蔔 +{\pos(96,255)\fscx50}阿克 +{\pos(288,255)\fscx50}拜託,別靠近我,快走開 +{\pos(288,255)\fscx50}隨它去,隨它去 +{\pos(288,255)\fscx50}是小斯 +{\pos(288,255)\fscx50}我們不行,再見,安娜 +{\pos(288,255)\fscx50}拜託別再關上門 +{\pos(288,255)\fscx50}阿克來了 +- 我也要吗 +- 是啊,怎麼了? +別這樣! +寒冷的夜晚伴随着山雨生出了她 *Born of cold and Winter air And mountain rain combining,* +我的灵魂随着四周的冰片盘旋而上 *My soul is spiraling in frozen fractals all around. +跟他吃过饭了吗? +现在也行啊 +这里有医生吗... +爱尔莎,你都做了什么? +今天是加冕日! +你! +扔人可不友善 +皮肤像冰一样,头发也变白了 +跟我有什麼關係 +別讓別人知道 別讓別人看到 +*That's a minor thing. +没有遗憾,没有遗憾 +... +我不这样做的教堂。 +王子的和平 耶稣 +"或者像溃烂疮... +为了方便交流 就算我有病吧 +иぃ莱赣弧临ぃ岿 +真是怪了 +(电信账单、《意大利语语法》) +美男子,你躲在壁橱里干嘛呢? +看。 +- 卷毛鬓角和胡子? +- 这里是布鲁克林! +我会给你另外再准备个信封。 +# 我能够听见小提琴的声音 # +您拨打的号码是个空号。 +你看,你总是急匆匆的。 +our job is to prove it. 控告他之后再做吧 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}do it after we charge him. +这个月底 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}End of the month. +Let's go back and talk. +环顾这间办公室。 +什么样的面料是什么? +是的,他会保护你的。 +让我更加接近阿斯伯格综合症和孤独症 {\3cH000000}that is closer to Asperger's and autistics +没错 {\3cH000000}Yes! +It does. +是啊,你他妈的! +我不能评论在这个阶段,但 我可以说一切预防措施被采取 +毫米。 +(奧地利心理學家)阿德勒會說 視覺刺激的壓抑... +揍冰人一拳 是他的遺願之一? +但如果選午餐伴侶 我肯定選你 +嗯 我該相信他的 +我很受啟發 好嗎? +也就是說擊打是由下而上的 +-你好吗 -嗨。 +-两个区段坠落。 +-等候。 +我没有要让你去。 +我不知道。 +嗨。 +每件事物好 藉由数字 +... +- What's got you so freaked out? +- 高? +- Laurie... +Cheeseball. +- But there's nothing in there. +- 剪好了。 +姑娘们在准备甜点... +It's been years we haven't seen each other. +# Galaxies # # 星系 # +我想用我的人生做些有用的事 +我真抱歉 +他应该... +糷琵羘猧は甮螟盎代 +硂琌承﹍ +и莱赣ぃ穦穦 +翅罺 +他们离开了吗? +我来牵制他的行动 +300)}根本没有时间哭泣 +确定。 +这个混蛋! +- 永远不要说。 +赢的一方请客 +可能掉了 +把路给拦上了 +我在最好的時候碰到你,是我的運氣 I was lucky to meet you in my prime. +你的六十四手 +我們見得還少嗎? +是想给南方的老哥们老同志做个告别 +现在这炉子里呀 +不能停 +想想那样的相遇 +我已经忘了 +八卦掌取法于刀术 Bagua is based on swordplay. +can you break this cake in my hand? +保重 Take care. +要本分 and know my place. +吴警官 +怎么直接拿证据啊 +因为和别的鱼分开住 +真是... +这是什么 +有什么办法吗 +好美 +我去拿就好 +不 没什么麻烦 +不 不是... +他爸爸发现后差点与他断绝关系 +- 击拳 +莱波特太太看到你凌晨两点离开 +陶德別走 +則有可能發生 +- 我會很慘的 +很精彩的开场秀 Judith +请在Twitter上关注《美国之声》官博 +隆重介绍,我的全新飞行器 +你是郑微吧 +还有新货吗 +而且还挡住了我抢救它 +你是不是恋爱了 +你别冲动 +你知不知道病人需要静养 +иΤ и㈱フ +碞琌ㄢκ遏窥и璶盿 +! +那些白痴怎? +小毛病... +但我要警告你,你? +的? +再废话我杀了你 +你话太多了 +在这 这儿 +不行 這樣不好 不能讓她來 +为国家的首都服务 +这是什么 +萨拉 退后 +- 显卡 +字幕 字幕 这个世界是什么? +没有 没那个荣幸 +你上过美国历史课吗 +安琪 +你在和谁说话 +因为你一直想要那口井 对吧 +唯一的一个能让你感兴趣的人 +去检查下安全,然后我们走 +伊莱,我们进去之后,你来搞定吧 +那我们就给他一个修理工的报酬! +听到了 +接着它开始向上升 +Gillian 是Claire Underwood 我能上来吗 +你周末一般不工作的 +好啊 Nancy +能不能去趟我家 +好吧 甜心 我希望你为我做点事情 +我希望你大声尖叫 能叫多大就叫多大 +掉进去的动物就出不来了 +如果他们也去教堂的话 我就去拜访下 +-听起来挺有趣的 +拉娜 你去坐着看电视吧 +或者我要感谢这样的机会 +嗨 布罗根 +对吧 队长? +♪嘿♪ +- 不,先生。 +好像他已经毁了 一个年轻女孩的生活和她的家人。 +也有证人要传 +冰山! +太好了 我喜歡那個瘦高個兒 +王子也喜欢这种东西吗 +目が離せなくて +せめて +刚才遇到大路了 +-是啊 那些都超搞笑的 +那我们就来量血压 +-噢 几点了 +请给我回电话 好吗 +-一会儿见 +恩 好的 妈妈 我现在挂了 +二 +哪个 +和我们说说在阿德尔菲Pacific街上的那个药店 +你真应该听那个婊子的 +抱歉,我迟到了 嘿,麦克 +理事也知道,对吧? +拜托 +那个人奸杀了我的女友 +闭嘴 +我知道你... +他那裡什麽钱都没有 +你跟这家伙能有多熟 +洗手间在哪? +是疯了吗? +永远不淮 +安排时间与来访同事吃饭 +别担心 +Johnson夫人 我把下批应征秘书的人 安排在办公室了 +我会觉得自己很失败 +检查您的系统 +威克 , 你得马上来一趟 +知道我想什么吗 , 传令妞 ? +他想得到它 , 难道会用在"好"的方面 +- 我拿到了 +这不算什么 +多亏了你违反宵禁的名单 +我的手下在往锡耶纳的路上找到的 +要是他们为家园而战 +我不允许你也这样离去 +撒尿 在他妈的沙漠? +什么呀? +跟朝鲜谈什么政治立场 +却来说这些废话 +我把折叠式雨伞弄丢了 +1030)\1cHFFFFF0\B1}告诉过你见外人时摘下戒指 +40亿美元非法资金账户 +请跟我来 +平面往下 +很好 +或许我该告诉你 米基洛克对那个谁说的话 +你保他出狱 +17岁时 我在网上发了些照片 +- 我知道 +按啊 Blake +и㎝馒砯┍ρ馏酵筁 粄醚砆甡 +說明她20來歲 30出頭 +我們已經知道是他 是嗎 你沒法証明啊 +警探 有個辛迪. +是雪梨. +嗨 +- 我知道地方 +Kendrick! +- 我说了我会查的! +上面有油 没错 那它在哪儿呢? +在一家画廊发现尸体 是近距离枪杀 +"神秘盒"挑战赛成为所有人的噩梦 +干得漂亮 +Alexander 只是一个错误而已 好吗 +- 我非常有信心 +- 我说的是 +- 怎么了 +- 会得糖尿病... +是什么 +- 好吧 你被捕了 我们走 +我死定了 +不代表她們就是公主了 +- 嘿 Cindy 你好啊 +所有受傷的人 +你这么说还真是有同情心 +我还是拒绝! +让我意识到... +我们就没好好说过 We never finished talking about it. +是老朋友了 Very old friends. +If I want to be with you, do I keep that or give it back? +想得美 +很酷 +我们轻敌了,我们的错 +美国华盛顿州的希克斯维尔中部, +-我实在忍不住了 +她那表情,让人觉得... +任何一个人 +能让你放轻松,什么都可以 +你从没告诉过我... +你有什么事吗? +很抱歉,那個鐘 +克力卜史普林格就會 去叫醒尤因 +-沒有 +噢,操 +立马选一个,或者我一枪爆你头 +"丫头"? +这枚戒指代表了我对你的爱 +新婚大喜 +-起初是来自波士顿 +儿子 放开扳机 +朋友 我很好 谢谢你 +Did you do this all by yourself? +典狱长名叫罗杰·马什 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Warden's name is Roger Marsh. +了解监狱布局 薄弱点就会明显 +- 他是个天才 +渣滓长官 +格殺勿論 +還是有被戰鬥産生的瓦礫活埋的風險 +瞄准海灘形成致命交叉火網 +然後再拖到諾曼底 +他回到諾曼底好幾次 +果然是這樣啊 +但是如果是校園偶像的話 +是啊 明天再來吧 +凜呢 +200)}一定能夠聆聽到青春的音符 +将作为人类希望的调查兵团托付给艾尔文·史密斯的原因 +你去补充燃气和兵刃 +士兵的优劣可不是只根据讨伐数来评断的 +我没事 只是头有点疼 +我很快就会告诉你 +这是大厦后面 +你就听我一次 这个不能留 +我努力的保护我自己 +255)\fscx50}你以前做消防员 +255)\fscx50}快走啊 +255)\fscx50}我们有钱了 +255)\fscx50}大家没事吧 +就这么着了 +是吗 还没有搬走 +走... +学着点儿 一会照做 +阿强 阿强 +世界上最伟大的城市 烧了很多年。 +任何更多的问题, 我们别无选择 +我很抱歉把 你头上的赏金。 +有问题吗 +哪里 +是我决定的 我们找到了铯 +迈克发给我一些资金转账信息 +莫拉莱斯警卫官 +當地辦事處剛給我打了電話 +你查到什麼沒 Garcia? +進行了調查. +以及前後院。 +不知道 +你和琳达交往多久了? +如果你有兴趣,请回电 +那就去找啊 如果她告诉别人 +他解释你 非常担心。 +来到这里。 +- 你也一样,男人。 +他们做的。 +{\fs18\cHFFFFFF}DJ 圈圈 any沫沫 {\fs16\cHECB000} 总监: +人从冰冻的水中拉出来需要时间恢复 +-小心 +♪ Blue skies are round the corner ♪ +好吧 怎么要这么久? +杀了我 +我们已降落 频道9通讯良好 +-今天吃得有点多 +素媛 不要这样 +就那么一小会都给告状了 +一眼就能看出来 怎么能不知道呢 +-分期付款吗 +一直逼迫他表露情绪 而不是针对案件事实 +只是一年而已 你继续忙吧 +我们一起上瑜伽课 +凯文 告诉我石碑藏哪了 否则我... +他对她有点... +咱们那一晚,你可真卖力气呀 +看见了吧? +- 能见到妈妈了 兴奋吗 +你别想了 我们会想出办法的 +重要的不是对某一个人的爱 而是对生命的爱 +我更想要非情绪化的 理性的对话 +我都不敢告诉你 +也好 +这一碗炒给谁啊? +當然 +不要掛掉電話,回答,好麼? +- 谢谢 +喝点水,然后你就能... +好? +然后离开 清白的 +不 不 +麻利点 +对 这是个聪明的计划 没人料到 +用英语说话,你特妈的 +你是谁? +我会盯着她的 +嘿 Bobby +所以呢? +哇 这个人真是无所顾忌的在问问题 +挂电话就跑吧 +有意思 +現在你什麼都做不了 對嗎? +开拓 嗯 +有吗? +狗屎! +你最好是 +- 谢谢长官 +他如果真的想退休 他就该去买座小别墅搬去Margate +晚安 +我家Joan怎么了? +- 詹姆斯. +我们必须要执行宪法的规定. +- 可以 +-快走! +把道格换成斯图好咩? +艾伦,我们坐这儿都... +-哦 +[BOTH CHUCKLE] +他妈的! +啊! +-癬╲盾 +иó盾ぱ摆 +紀 +惩蓟︽甤郴加丁 +妈妈 +回家去 明天她还没死的话再来找我 +放了伊本·西纳 就现在 +就像有烟瘾的人放不下烟枪一样 +英国人 +并且把我从瘟疫中拯救出来 +还有他们背上的大驼背 +你看 她什么都没听 +大家经常这么夸我 +我结婚之后 姓变成了南 +没想到的是这个最好的时机给我们带来了意外的灾难 +对不起 在蒙坦语里是 瓦擦 请重复 +你也太认真了吧... +300)\be2}君がふいにつぶやく +这儿没有 +你负责马车里面的 +-让大家在海滩上集合 +那边是栅栏 那儿有只海鸥 +它想让你往她嘴里送几条小虫子 +这是什么 +呃, 研究这个一下 +鲁格 买下一间旅馆 +盯? +-撑著点 老兄 +- +那是什么? +不要 +是的 特鲁比先生 +我问你喜欢4或5倍。 +我会在淋浴尽快跳 因为这样的嗡嗡声开始生效了。 +这就是为什么你在这里? +我发现你的父亲是谁。 +- 我想这工作,呵呵。 +我肯定不会太好吧 +-生- +有时候你最期望出现的人 +所以你戒酒戒烟了 你不... +You're not... +- Welcome back. +- And comfortable. +根本不该和塞斯扯上关系的 to his shitty, weird Canadian life. +傻逼 丑八怪 狗娘养的 Pickle dick, demonic +是啊,所以才... +我最后一次见到 他说,这是 - +- 是啊,我打赌。 +- 还是什么? +- 如果你没有得到过爱出风头的事情。 +你会生我气 +是啊 我也是 差不多吧 +不是的 +谁都可以胡说八道 +这个女人 +- 我想读你的小故事? +我把所有的罗比的照片就可以了。 +这是愚蠢的,对不起。 +- 是啊。 +你遇到一个女人在酒吧。 +我不知道! +谁做的? +- 不,不。 +不,我只是不明白为什么 你称自己为"他"。 +至少他们的煎蛋卷做的不错 {\3cH000000}At least they make a nice omelet. +快点 他妈的快滚 Come on! +我希望你和婴儿们都还好 I hope you're OK and all the babies are OK, too. +我们可以讨论重要的事情。 +你正在做的噪音。 +尼克。 +你在想什么 在这一刻? +明天... +目前最重要的是 A牢区隔离了 +把注意力放在你必须要做的事情上 +你知道她从哪里找到这些的么 +让你长点记性 +说不定是他的一个女人? +搞自己女儿的野人杂种 +快走 +水 +喝吧 +总司令大人还告诉我们去先民拳峰呢 +我们正竭尽全力把他救回来 +- 你还不走 +真不是我 +我在服药 我参加了治疗小组 +这不怪你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}You weren't planning this. +我希望你康复 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I want you to recover. +I said I'm fine. +把他放在笼子里。 +金鸡他。 +我们休息。 +这里有25000名脱北者。 +冻死了。 +*沐浴在我光彩之中* +*请君盛装出席 我愿佩戴珍珠* +Lily Robin刚跟我说了意大利的事! +现在我唯一能拿上麦的机会是 Darren第一次假装下场的时候 +达拉斯。 +不,不,不! +- 我的一些朋友有 农场在纽约州北部。 +- 哦,耶稣, 不要让自己感到骄傲的。 +她说,星期三。 +或有情况 有会发出? +阿德里安打电话给我,并说: +但是阿德里安在道义上是持观望态度。 +放置在他身上寄托了他的怀里,他的头旁边。 +是一种打破他的脚踝周围的袜子。 +但朱利安也斤斤計較 一個新的來源, +一直是父親 他的孩子們去上學。 +有人看到他是一個威脅 國家安全。 +维基解密的工作。 +什么都没有做 一天到一天的作战行动。 +防止我们知道 我们的消息来源是谁。 +或者这样说 一个老Mendax战术, +维基解密 其媒体合作伙伴 +- 不 +我们困住了 +发痒 疹子 净水药片 +下一辆11点才会到... +我想呆在这里 +拜托 别这样 +她问 一般提到监狱就会想到面糊 +怎么说 艾尔 你会帮我们吗 +绝对有益身心 +我和我的朋友喝了点小酒 他和舞女跳了支贴腿舞 +我们家的加碧就是这么能干 +即使写了也不一定能让我记住啊 +达科怎么了 +当然 捉迷藏我可没输过 +我发现自己在重新评估自己之前的选择 +这种感觉也许是暂时的 +我相信他们中至少有一位 +看看他们 +我的天啊 她 +听我说完 +你太 +抱歉 +你从哪儿找到的片子 +唐 +而且 +他曾是... +他一直是个有点固执的人 +噢,等一下 +我们对此深感抱歉。 +不属于你? +我不能做到这一点。 +呃,波吉先生,我们是... +你做真正的好。 +是他们在做什么 会怎么想? +-我不說謊啦 +咱們一邊喝茶 一邊再打一次電話吧 +啊 +他们做到了。 +难道他们曾经说好话? +我来了。 +- 号号号 +這不算過份啊 +罐頭的保質期可長著呢 +小感動一下了呢 大嬸 +她看上去真是非常友好 +我更喜欢从技术角度来看,一种交流服务 +认为我符合任命的职位 +他确实给了钱 +是啊。 +他只是说,对不对? +香蕉! +嘿,嘿,嘿! +首先闭嘴吧 +它就像我的 +不 不 這是我的! +你們從小就不換內衣的嗎? +好的! +- 來呀來呀 +有一个立体声 在那里。 +... +琳达自责。 +她一直愛著你 +我想表達我們的感激之情 +字幕製作: +他被子弹射中而死 +我们已经做了很多不法行为 +你曾阻碍我完成宿命 +将通过铁轨联合在一起 +我不知道 +每个人都一样对待 +呆在那儿别动 +我们将把这个误会澄清 +记得我吗? +这里没有什么值得你留恋的了 +哼 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Hmm! +媒體想拍幾張打印機的照片 +一遍又一遍 +- 所有权利。 +间接的。 +就是这样吗? +- 什么? +- 这是正确的。 +两个小时,最大。 +- 这是到目前为止。 +我的意思是,你能告诉我吗? +我们会得到我们的测试。 +在这整个该死的关键! +- 备份他妈的起来。 +272)\cH00CEFF\1aH64}m +-273 35 l +-180 l +-81 72 l +222)}那任何一条路都是死路 +泄露中国在中越战争中阵亡人数的罪名 der im Krieg mit Vietnam gefallenen Chinesen zu verraten. +全面的领导地位 der kommunistischen Partei sicherstellen +也许他把值钱的东西都卖了 +是啊 没有什么是永恒的 +党的屎者,来毁掉我们的乐趣了 +传统的欲擒故纵 +不,我没要你来帮助! +应该就是这个,在这里. +- And he had the sweetest smile bring her back to you +I quit! +look! +那会毁掉我成为森林守护者的机会的 {\1cH00FFFF}{\3cH202020}Or it could ruin my chances of being a Leafmen! +That's why we're... +-抱紧我! +好吧... +-我什么都没干... +... +谢谢观赏 翻译: +看这个花 +-你根本不知道你在说什么! +没有人愿意 不得不回到这里 +迪克接着告诉新华社 +和未来的总统 美国。 +不应该已经完成 在关塔那摩? +有什么问题吗? +268)}{\cH24EFFF}特效: +我们从何入手呢 +失陪 +-不客气 +希望不会因此 让我俩心存芥蒂 +好了 你们都好了.. +我们自办的小比赛 +哦,上帝。 +螺帽。 +[气喘吁吁]没关系。 +转呀转,呼唤太阳公公快出来 +艾草就像是树丛 +朝夕的运作当成喜悦 +我是从月亮落入凡尘的人 +我希望她也能这么想 +我们都知道 +哇,这已经够糟了,要回家。 +我父親離開後,我就經常無故發洩自己 +現在回家 回去 +我说,抓住它! +如果一切顺利的话,我们会给你更多 +我和我的家人很感谢能有这个机会 +-你的孩子是马修斯? +可能会花一点时间 +兄弟,你要知道 +不... +-金黄的... +原来你就是那著名的杰克 +而对热刺队的这个进球... +来吧,让我看看你能把我怎么样... +而当你脱掉衣服,你喜欢这个... +这是一个精彩的传球。 +每个球员都想参加冠军联赛。 +小榛兒 +我愛你們 隊員們 +他們又會多幸福呢 +小阿萨德的经济自由化 确实给城镇经济带来好处 +这就是为什么阿拉维特人,比穆斯林公开的敌人更可恶! +200)\be1}君の側に居るよ 飛び立つ 今こそ... +恶心得要死 你给我喝一口 +肯定不好受 +在这一切之后 +我去换一下杯子 +那个店主是坏人 他因为我们避免了死后下地狱 +放下吧 +当然是假的! +你没事吗? +光辉美丽 +您好 每天来看 +可不能在一直待在别人家啊 +你也要打起精神 +-嗯 +他完全伪造了他的根数字 留言板里都传开了 +耶 那是一个非常好的问题 我不知道 +嗯 Dyson 他找回他的爱了你也知道 +他到底还是完成了任务 +-害怕... +就是等待与你相遇 我知道 听起来很疯狂 +我必须去 我一定会去的 +你也明白 现在找他们 为时过晚了 +但是你赢了 Saul 你赢了 +-我不... +任何一个靠近的人都可能是间谍 +事实是 我没有信心 +你没事吧? +- 跟我的律师说去吧 +有一个巨大的, +等下 他在发东西给我 +家里怎么样 船长? +一路向下至蒙巴萨 +把这些舱口都关上 +EYL 索馬利亞 +快點湊錢 +好了 不管它 看著我 +佛蒙特内陆 +EYL 索马利亚 +走吧 +и? +"笆 碞琅" +如果你去年曾经把空气 +那个笑话很经典 我有好几个笑话呢 +在我们应该感到幸福亲密的时候 +简直美极了 那里的无花果超好吃 +ρ戈菌琌妓┦ +ó +и縩伐 +墓眔材Ω珼驹 +我得到了它。 +什麼我們不會做; +ゑ Щ岸 矹 +琌 и +琌摆 琌ぃ琌... +╧ êㄇㄤダ タ +肕 +- 你是说... +♪I bet it sucks to be you right now♪ +成为两个菜鸟导师的试验品 +但十有八九 我们俩的家庭都包括在内 +谢谢 +凯妮丝 +看 +采取正确的对策 +從第12區的山谷開始 +More like a sunset kind of orange. +这招行不通 恐惧根本不管用 It won't work. +他们会杀掉我们的 They will kill us. +接下来该男式了 And now for the men. +我志愿为贡品 I volunteer as Tribute. +小心那边有个电磁力场 Be careful. +遊戲章程上說 +答應我 +這是另外一對職業選手 +- 滴答! +都可以在挑衅国会区后安然无恙 +12天内走遍12个区 +皮塔 +我们逃到哪儿去 +这是个前无古人 后无来者的 +最重要的是你们要疯狂地 +为我们带来了最动人的爱情故事 +放开我 +皮塔 +- 正义 +- 胡说 +你继续准备辩论环节 试着赢得辩论 +- 我有跟你说过约翰尼伊格萨诺么? +- 我才不和你说什么呢,你个死墙头草,操你 +也许是大学时读过的东西 +是的先生 +你在武装这个半吊子神经病 +欧文和艾利克斯来不及过去 +欢迎光临跳跳杰克 请点餐 +- 你要去睡觉么? +- 你结婚了么? +可这个世界已经不精致了 对么 Jep? +- 我也弄不清楚 +我让你们先聊聊 我得去厕所 +或许他们只是想聊聊 +你拉起送葬者的手 +但我知道该怎么做 +我提到了钱的事 你拿走的四万五千美元 +怨气都发泄到这儿了 +不 是要给就职典礼换地方的 那个Florrick夫人 +该找谁来代理我们? +我得走够一万步 要不计步器会生气的 +是的 +替我向她问好 +感谢Kalinda 我们碰巧搞到了点资料 +是的 现在问题是谁泄的密呢? +我该怎么办? +你们成就了什么? +过来 +你不可能再跟我和好了吧? +我不在乎。 +离开。 +[艾哈迈德]穆斯林兄弟会 +我说 这些蝴蝶又是什么呢? +虽说是春天依然寒意逼人呢 +呀 +总统先生 首相在线上了 +- 但不是我这种 +好戏开场啰 +别接近我 +一定有适合你的人,可惜不是我 +其实没那么糟,还好啦 +别骂她,这又不能怪她 +我还偷火柴,文生应该常去「艾寇」 +搞什么? +很好 +目前不用 +不好意思先失陪了,小姐 +我们发布通知追缉朱利安 +我的F +你好。 +你想怎么样 霍德 +一些孩子混到一起的时候开始的 +而你却在给他们增加机会 +你认识仙波英俊吧 +节子与成实两人有共同秘密 +他们是情侣关系吗? +仙波先生有孩子吗? +请把钥匙给我好打开箱子 +请你找你本地的精神病院 +发生什么事了? +我想是因为仪器所致 +我给你一份拷贝 +这是KZTO "夜班"。 +对空气的来电 可能有一个小插曲 +查理: +我这就过来 +你好,理查德。 +我们从来没有足够的女性的警惕。 +你能开车吗? +你有孩子吗? +我开车回家的路上在这里! +嘿,伙计们什么呢? +我们需要帮助这些人。 +- 这一切都消失了还是什么? +先生 这是她的药物史 +马上就... +快走 够了 +听着 我的朋友 +什么? +他是孤独的。 +獨身一人的話 還真艱難呢 +這是 大叔的一點心意 +異樣的 +覺得佳代小姐值得信任 +概括一下 是這樣的 +對不起 +♪Play me mountain music♪ +好儿子 +你没见过他们吗? +小爱鸟 +不要打破我的 隐隐作痛的心 +操你妈 泰瑞 +韦弗上校 那我爸爸怎么办 +没事 +把这个咖啡喝了吧 +闪开 +警察那边来电话了 +美日你不和爸爸一起生活吗 +进去吧 +但怎么样了一点消息都不给啊 +看看这个吧 您知道国民的想法是什么吗 +對不起 +叔叔 +那個大哥說啊那些感染者啊 都是要殺掉的 +為了更多的人我們必須要走 +快! +这里打扫完,去洗厨房 +如她是清白的,就会照做 +但是 就这样一直陪着我们... +阵是... +同为咒搜官的我对此深表抱歉 +喂! +和打篮球,他们总是 希望我能参与的东西, +-- 我想这就是所谓的蜂窝组织炎。 +"因为请记住,这是well +是我让它发生的 +- 阻止? +-我不知道 +句句属实 绝无虚言 愿上帝助你 +他们来了 我告诉你会发生的 +大地的一部分陷落了 +真高兴啊贝可 久违的回国啦 +报告说两处都未见黑色胶状物 +李静小姐 +我真的被非礼了 +一个疯子 我已经赶她走了 +我疯狂沉迷 +我也不喜歡開會 吃飯不吃菜 +我瘋狂沉迷 +印地語就是一個生手 +阿里只是個副手 有了警察的尊嚴 +都結束了 +他們再也不會害人了 +大家都覺得咱倆有一腿呢 +你都在那裡幹什麼啊? +這長長的金髮 迷人的微笑 +我知道 因為他睡在後面這兒 +- +你有種就開槍 +请您快点 +喝着酒 在旁边看着啊 +回馈活动 赠送给您的 +啊,那是誰? +能找回来算你命好 +你爱我今天。 +亚当平静下来。 +- 围棋。 +? +我没有看到任何门。 +对不起 +名字 +看起来不是很高兴 不是吗? +除非他们关于 入侵格鲁吉亚, +回到你的位置,现在。 +谢谢。 +Rudovsky! +肘要放在桌子上。 +兄弟们,我后背疼. +- 我没有 +-小詹姆斯 嗨 +杀害茱莉亚·沙姆韦 +- It's not good. +模拟器可不就用来撞毁嘛 It's a simulator, that's what it's designed for. +- I'm coming to get you. +你也表現得不錯 +Stone, Houston. +差點把腎都吐出來 but my kidneys on my first ride. +视觉特效 蒂姆・韦伯 +- 说过了 一言难尽 +马特 +好极了 +对 对 对 求救 求救 +1400欧元? +我准备在她生日派对上求婚。 +真的? +我们还可以生个孩子。 +-是的。 +啊 還有呢 就是讓她自由一點 +反正都準備好了吧 遊戲現在正式開始哦 +-明白吧... +來 哥 是不是看起來很好吃啊 +所以說今天就是決戰之日啊 +那不是近視 而是煩惱 +因為喜歡你 所以希望你真的能成功的這份心意 +沿着锁骨线条向下滑落的光景 +- ぐ或 +奥德曼先生,有什么不对劲吗? +还有旧金山和马德里的拍卖会 +- 我想我已经看到过她 +留神脚下 +快停下 +对了 她生前貌似写过自传 +我想乙美老师可能觉得 +但我已接近真相 我需要时间 +这不公平,四条腿对两条腿 +我知道犯人是谁 +好热 +别开玩笑了 +我是摩根探员 这位是洁婼探员 +利用这一点是没办法缩小范围的 +她很可能是名社区天使 +- +-沃克都没在场 {\3cH202020} +- I just have one question... +{\fn方正黑体简体\fs18\b1\bord1\shad1\3cH2F2F2F}卢卡斯 +Claire +友爱之城(费城)一切可都好? +我不能相信你传递 +你 相信这将是 +我们已经得到了所有的话筒 你会需要的。 +有利拉斯。 +快乐的小女孩的生日。 +有直上跑开了。 +另一个人呢? +只有你能讓我的世界充滿安全感 +警察... +- 我們現在到底是去哪兒? +无论如何 他都有我们 +! +- 謝謝你,主人。 +Edward? +神愛他。 +諾瑟普先生! +鸽吹! +摆 褐疭ネ +ぃ耞胓籃 +我的主人讓我來帶回佩希. +莫莫 +伊莱莎 +就赶紧滚 I say, begone! +昨天还145呢 站出来 Hit one forty five yesterday. +我没说话 没什么 No words were spoken. +-艾普斯先生 +到達之後,我們會被擺到市場上賣, +- 不,謝謝你 +我不會陷入絕望的! +我懂作為奴隸主的奇怪癖好的滋味 +我寧願你來抽, Platt +ﻩﺩﺭﻮﺧ ﺏﻭﺮﺸﻣ ﻲﻠﻴﺧ +ﺖﺳﺎﺠﮐ ﺍﺩﺎﻧﺎﮐ ﻢﻧﻭﺩ ﻲﻣ +不管我是死是活 +说了吗? +不然他就要跑了 +我一定要搞清楚 +你就是條狗 連遵守命令都不會 You are a dog, and no better for followin' instruction. +可以把你的无线电拿回去了 反正我都已经找到你了 +黑鹰小队保护集团 他叫泰德·盖纳 +抱歉 +约翰 你还记得保罗·诺克斯吗 +卡莉 你还好吗 +有很多在这里。 +... +嗯... +它看起来愚蠢。 +对不起。 +我想說 +不應該是這樣的 +我們走吧 +有所造假 我發誓... +他們又讓你跟了一個空的保險箱 +I'm sorry, ma'am, +相当多的钱财 +必须有能力来清除 +对不起,我的腰带。 +完全清醒啦! +你说什么? +- 看吧 +请配合一下,做出极为困惑的表情 +- 什么? +等下 我感觉... +好吧 +500万 +他要整个成员都戴上可追踪的手镯 +我是出钱打到他们的主谋 +停 放大 再放大 +怎么可能 他就死在我的眼皮底下 +因为什么叫看到? +追捕一辆疯狂驾驶的黑色的轿车 +I'll do it again. +{\1cHF0F0F0}{\3cH202020}Whoever thought of this is a sick sadist! +Bonne chance. +去巴黎旅游一趟如何? +那你告诉我 {\1cHF0F0F0}{\3cH202020}Now you tell me, +上啊 打开它 {\1cHF0F0F0}{\3cH202020} +感谢我们执着的 {\1cHF0F0F0}{\3cH202020}And thank you for being such +其实我是想问问你 +这是什么 +口渴吗 宝贝 橙汁好吗 +要是那个男的对你做了什么 +斯考奇 别再那么叫我了 +我们竟然沦落到看守柔弱妇孺 +好 如果你现在去 我可帮不了你 +但他们不听 +斯考奇 你是最棒的 +赐予我的权力 我宣布你们结为夫妇 +跟父母的不匹配 +是真正的成功人士,相比起我們的家庭 +現在,坐五、六年,似乎並不足夠 +說這就是解決方案 +真是看不下去了 +小伙子 你说得挺好的 +我在各处打好招呼了 +剩了3发 +甜心。 +我是如此的愚蠢到认为 我可以节省卡梅伦 +已经发生的 都发生了 +不 请不要碰我 +埃娃 拜托 我不会为其他任何人来这里 除了你 +继续 +-有目击者报警了 +Lee. +出去等一下 +这儿呢 +快点 +那真是一种美妙的交流学习 {\3cH202020}And it's a really neat exchange. +试想一下,如果你 只好住在这里。 +- 这只是水。 +你儿子会被捆在悬崖上 +心动。 +我只想要一个胖大草坪 我可以割草,直到太阳下山。 +她表明她vageena 到愚蠢法官。 +腿上跳舞了一天的时间。 +哦! +盖回来了! +我们拥有它,我们保证这一点。 +事情都顺利吗 +谢谢你的咖啡 +而那个菜鸟在我们 +我不擅乡村乐 +let your hair down♪ +君と夏の终わり ずっと话して +季终小情怀猫妖柒 噎死青春 考你妹的物理 +血手约翰会料到你的行动 +- Then how'd we get a print match? +如果我们能证明他是战犯 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}If we can prove he's a war criminal +这多方便啊 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}How convenient is that? +Adam Galloway从纽约过来 +- 没有 +內海那傢伙真是挖出了件能立大功的案子 +是 +這次的案件中有一個人 +- 天啊,你太幸运了。 +想要去探索呢? +所以你看你最好的朋友。 +为什么不抽了一点? +誰要喝涼的? +离发现你车子的地方只有2个街区 +大概死了五天 血迹 痕迹 +今天任務很重要 雞仔和花蛇要特別注意 +457現加快速度 +太近了 +你们已被点相 +很委屈吗? +全员赶赴现场,预计时问10分钟 +故障报告: +前面的白车上三个人 +Neighbor calling. +Go on. +He ain't true, you hear me? +- Daddy? +爸爸! +是啊 +很高興能幫忙準備她的派對 +那樣才對 還有我的孩子 +蓋特 事情完全不對了 +或许是你该更尽职地照顾她吧 +- 我不相信 +我知道肯定很疼 +别拿后背对着我 +- 你懂我的意思 +没有 眼镜蛇王生活在东部 +Mom, don't curse. +Everything is changing. +而是有個臥底員警 +絕逼不是啊 傑米•克魯姆就是個軟蛋 +不信就等著瞧好了 +灾难降临 索尼娅·马拉失去了 +这个实验会一改太阳能的面目 +有好处 +这是我们大家给的 +是的 怎么? +就在那里。 +... +"我的心脏" +她正尝试独立一点 就给她一点空间嘛 +这小径能通往一间房子,走吧 +可以告诉我她的名字吗? +你现在还会吃,对吧? +我知道你为菲利佩哀悼中... +-真的 +看 快看 +独自一人 +他妈的像格蕾丝王妃一样鞠躬谢幕 +老天爷 起来 +-雷 +-你想赢什么 +还没弄好吗 琳达 +在街上遇到她 就会不由自主想入非非 +这才是艺术 是艺术啊 +你是说 你和查克欠的钱 +也很难相信你的改变 +为什么 +我觉得没有这个必要 +-书包的前袋 +来吧 +Ryan Royce Madeline和Kyle +- 站起来 +好的 再见 可以吗 走吧 +什么 你们没跟她讲英语 +我给你的药你吃了吗 +这是不公平的, 孩子在家也 +飞得很近。 +帮我。 +飞行429副本? +不过谢谢你的好意。 +978.750000)}Umbra +创造新世界之时已经临近 +贞德 +根据父亲留下的笔记 500年前在这片大地上 +下面让我好好尽兴吧 +是错觉吗 越是狩猎天使力量越是涌了出来 +他想要那钟 我们就用钟做诱饵 +像现在这样吗 +不是这样的 +那就又是老样子 +但如果你够聪明 +- 戴维 +本校绝不容许 +希望在于自己 +早上好 +就像一个僵尸雕刻的的 和经验丰富的关于一个女人的噩梦, +是。 +-G +- 是吗? +(采访者)你觉得真人选手能打败对手吗? +所以今年在麻省理工我们请来了一个大师 +我知道你在想什么 "这人疯了吧?" +嗯 我在读研究生那会儿有时会做几个俯卧撑 +- ... +晚安 +100)\cHFFA34C}所{\cH8C82CD}有{\cHADD25F}人{\cH50ADF2}體{\cHC48A94}內{\cHFFA34C}都{\cH8C82CD}流{\cHADD25F}淌{\cH50ADF2}著{\cHC48A94}傻{\cHFFA34C}瓜{\cH8C82CD}血{\cHADD25F}脈 +乖乖地向藥師坊磕頭謝罪了 +那去救他啊 +藥師坊說不要 +那時他餵我吃的飯糰的味道 +瞧 這圓挺的雙峰 +為什麼 +哇 太漂亮了 +為她擦去淚水 傾聽她的心聲吧 +那個女人因為覺得自己交出的一半 太過陰暗和丟人 +因为我刚好知道你是汤姆·内维尔少校 +- 我! +快来 +Zoe, 行了有完没完? +不是吗? +Passo a rallentatore... +不玩了 不玩了 +帥哥 看看什麽時候我們一起 +孫悟空 孫悟空 +有過痛苦 才知道衆生真正的痛苦 +这东西要是不行,我就杀了你 +我帮你赔,不用怕 +真的谢谢你们 +喝了几杯伏特加 我或许会回答吧 +山上需要警戒 {\cHFFFFFF}{\3c000000}Put a watch on the ridge. +- +需要的時候我還跑得動 {\cHFFFFFF}{\3c000000}I can still run if I have to. +但我现在还顾不上他 +不是什么 而是谁 +- +你见过Ted了吗? +我的鞋子都不好。 +我们只见过四、五次面 +我说的是他徒步非洲 +抱歉 +小刨! +你沒戲唱了 +更容易抽光 +他希望我今天做手術 +谢谢你。 +有些人就该死 +看来王后也注意到 +那军情六处哩? +"疑犯"藏在伦敦西部车库。 +车库租给了被告人。 +这些场所 +我也常这样。 +你在说什么? +埃米尔的证据只在 非公开审判时被提及 +就开始攻击他的病人 +那里 那架飞机 +加油 好的 +总统已经死了 +就是那样弄瘸你的腿? +为什么你们到这来? +我们不知道,如果这是传播. +当心! +布拉沃迁出. +- +都是無辜的人 +有看到卡斯帕的记事本吗 +你在干什么 你不能这样做 +你根本不懂. +- 无关紧要了 +there's nowhere left to go +那永远达 某处。 +- 是没错 +另一方面,他却写诗 +很好 +有您的信 +我们是摄制组 +这比他们有 在白金汉宫。 +我的意思是,此外, +他拉着一个掉头。 +好吧,伙计,你看, 我们可以只是说说,好吗 +也许两个 +也许当 明天我去接你 +雅克,很荣幸能再度和你爸共事 +我不能在这么过下去了 我女儿也不能这样过日子 +? +申请破产 +我回来就行了 +-你知尼克会在这里 +这也是大家想要的 改变 +是啊 我承认 它是一种有力的药品 +就只要想想看我们如果找到一种方式可以把 +操他妈的我们到底... +快点,小汤姆,快点! +- 不! +看到了么? +你来拜访沃尔特 +想都别想和谈话。 +在网上瞎逛可不是利用时间的好办法 +亲爱的鲍勃 +哦,得了吧。 +第一个问题。 +他们说你心情不好。 +你知道,你只是 +来敲门 并把我的孩子外出。 +什么国会听到有关 +当我们结婚的对方, +拿枪做什么 +用子弹打穿我们脑袋之前吗 +区号是201 新泽西州打来的 +- 貌似是浮石 +那为什么我不愿意让Pelant去证明呢 +谢谢你和我们在这里见面 Thorn太太 +你以为Jonas Siedel是你女儿的皮条客 所以用这个包打了他 +- 马上就说到了 +告诉我他为什么要这么做 +十五分钟时间换一百欧元 +我想包养个长期的 +- 不要紧,如果你会同意 +他们是大于你的。 +栈的一些奖牌 +会杀了我自己今晚 +- 这是热的。 +{\fn宋体 +{\fn宋体 +信號太差了,什麼事,夥計? +嗯,我知道你沒事,我知道你沒事. +不! +P. +Over. +啊,他在巴格拉姆基地 Ah, he's at Bagram. +帕顿,我麦克•墨菲 Patton, Mike Murphy. +你还好吗,丹尼? +痷タ簀驹い琌⊿Τ洛叭 +繼續前進 Keep going. +你又是麥克•墨菲 And you're Mike Murphy. +他只是怕在自己家裡失去控制權 He's afraid of losing control over his castle. +我不知道 I don't know. +其他軍隊也遭受攻擊 Some Army troops in contact. +收到,11 Copy all, 11. +我就是不明白他们怎么这么快,伙计 +你是怎么得来的,这些钱? +谢谢 +长官,不好 +- 他不是还在这里? +他们想知道你为什么要等这么久 +不 +什么... +我他妈的到底要意识到什么? +我妈妈喜欢烹饪 +你這個混蛋... +在這裡,我們走! +你怎么可以这样 +- 你感觉怎么样? +然后当法官 问自己感到威胁... +- 不,我把它。 +戴维斯先生... +而不是在一个位置 上诉法院? +只是很高兴他不会再伤害任何人 Except that I was glad that he wasn't out there hurting anybody. +他们也不是经常在一起 Maybe it wasn't so much they were... +Always. +"恐怕它再也不走了" +但这也太不像话了. +- 布拉德就是个杀手,他把我锁起来! +你得把他们宰了 You have to butcher it. +Good +Isn't that just for boys? +我从披萨小哥那儿学来的 +昨晚又出现在密苏里州的林肯泉 +不 +这可不光彩 +听着 老弟 我不想再听谎话了 不管是谁的 +"国防部很恼火" +免得她受那么多罪 +他们问 我就答 +你是很激烈的。 +婚礼开始了,加油! +- 你知道他们在说什么吗? +once... +把他从死亡和黑暗中带回来 +他永远不会帮助失利的一方 +我带了书来 +"灰虫"让我自豪,是个幸运名 +为了取悦于我 +你艳福齐天了 +長夜黑暗,處處險惡 +瞷琌и稱璶碞敖 +娥產壁琌よ +琘矪 +全身盔甲地捱了十六个钟头 +我们给珊莎·史塔克再找个丈夫 +听你拉琴挺好的 +Yes! +怎麼了 傑西•歐文斯? +所以... +Is he going to be all right? +-shaker. +别打他 +这一切都是从那列火车开始的 +-汉斯在吗 +現在 我要你答應我 +謝謝你 +你認識我的! +天哪 +-罗莎 +不知道你晚上都是怎么熬过来的 +寒冷的一天 +莉赛尔 +你知道吗 你让我想起了很多有关安迪・巴克利的事 +那个可以保护您和收件人的权益 +风筝 +然后看著天空 +臭小子 跟我玩这个 +那时候我就算咬紧牙关 拚命地 +而从坟墓中取出其尸体 最终斩首之刑 +这就是最强的超级赛亚人3啦! +那家伙也还保持小孩的样子啊 +但只差一点点就成功的时候 +哎呀呀 +你... +- +說到底 不就是您自己在這時間設置了鬧鐘炸彈嗎 +是賽亞人一時製造出來的神 +我感受到了你的愛哦 +不用去上学了 +这是什么意思啊 +- 婊子養的 +快走! +- 該死 +给了我张十万的支票 +佐伊说你能找到别人找不到的珍品 +没口音就不搞笑了 +是啊 真奇怪 +伊卡伯德 +就那种叫人吃动物老二的节目 +相信我 +雖然4,500解決我的現在問題 但只有這個月,下個月呢? +"驅逐通知" +這裡是薇奧拉的心血之作 +...那4,500怎麼樣? +得先把无人机关掉 +感觉到强烈的震动 +{\1cHFF8080}它落地一刻既意味着结束 +{\1cHFF8080}不用客气 +{\1cHFF8080}好吧, 鲍勃 +{\1cHFF8080}他们把我带回到这里 +好了 我马上就来 +杰克 +- 我们走 +- 你還好嗎 +J. +我的天呐 +给 你需要多补充点水 +维卡 +而不用面对死亡的恐惧 +为了保护那个女人 你还差点被无人机干掉 +这是唯一的机会 +但其他船员都没活下来 +掌声有请我们的朋友Fall Out Boy +让我们一起来看看。 +哦,上帝。 +乔治,你没有想到。 +哦,我是谁? +桨! +"两朵云",是我的名字 +S. +我很久没见过Geer了 像是... +我以为你不关心 +希望我的公鸡的照片吗? +我明白了。 +我们说的是同一件事吗 +你将什么都没有为我的兄弟 会不会是安全的! +♪Whenever I'm alone with you♪ +你有一个母亲 也许坐在步骤。 +我非常怕你 将有沾满鲜血的街道。 +到这个角落 在这里我终于停了下来。 +还有人吗? +这激励他们杀了你。 +你建议哪一种? +我们不会... +- 等一下 +- 第八家啊 +加里! +Linda死了 Paul进了监狱 Megan被开除了 +-1 l 79 0 l 54 1 b 44 2 34 2 24 1 l 0 0 m 34 0 m 0 0 +你说什么 +иㄓざ残穝 +这里不该有出口 +小君,结账 +来靠拢我一点 +是啦 +我跟他说了我们的事 +为了治愈你 为了证明我有多爱你 +没有消灭干净 但是很多老鼠都死了 +我这里显示他还没退房 +我是葛洛莉亚 +麻醉是指感官失觉 +迷迭香... +这就像一个 - Pensee,安静。 +但你 你一直 一个好父亲。 +-嗯。 +你在做什么, 丈夫吗? +-你要去找她们吗 +-我不知道从哪... +你刚才说什么 +秘密似乎总让我们跟我们所关心的人产生隔阂 +拿亨利的生命冒险 +因为你就站在我面前 +他们认为她是个被贬的中情局官员 +是我的主意 他死都是我的错 +帮... +哦,天哪 +啊 对了 对了 最近这附近好像出现路魔了哦 +路魔的三起事件 +而且我根本没摸你的胸啊 +不知道園香現在好不好 +你已經養了我這條狗怎麽還能劈腿養別狗 +) +姐姐 謝謝你 +太幸福了 好可怕 +我可以清楚感覺到那股力道 +怎麽樣 我很閃耀麽 +和哥快闪开 如果不杀了那家伙 +肉丸 飯團 坨坨 校對: +根據互不侵犯條約提出正式的抗議吧 +好疼 +原來這裏都有了啊 +這次就讓你好好知道知道 +这就是畅销作家们的气场啊 +三个月后她自杀身亡 +呃... +你怎么想? +在那里,它是。 +她在新墨西哥州的 摆动和莎莎会议 这个周末, +他必須小心開封 打開採血管 把血抹在撬棍上 +放置啞彈對你的臥底行動有什麼作用? +哇! +我做的 +我不能去通过它。 +为了什么? +我爱你,哈珀。 +所以,你可以证明 马可真的很爱她。 +我站在这里与我 永恒的爱 +我不希望看到任何一个警员被侮辱 +我自己从来没觉得有兴趣 +太好玩了 弗兰克 +而且你也差不多要失去 +我有自己特殊的方式 +我只是伪装成他们中的一员 +虽然眼下案子的进展 +听着 我得走了 +等到他成功那天 +我大概浏览过一次 +即使已经这个年龄了,我还想试着弄清一切 +别再给自己打脸了罗尼 +-他是? +你会好起来的 +定下来了 +你在干什么 都这么晚了 +他好像总是很忙的样子 +你身体状况的变化我都了如指掌 +把手给我 手 +但你要尽父亲的责任 +中尉... +不 我们不会破坏 的房子 +都别再说了 +郑顺满 +不许动 +Adam Levine +你知道你在做什么 你可以随心改编 +掌声再次送给Blake队的Justin Rivers +-50)}d +- 你必须去做 +好 我保證我不會在你房子裏殺他 +不關你的事 年輕人 +很高興認識你 +弧硂穌 + 氨 +Moses Kellie 307室 +我没事 +我没什么能做的... +我从不知道尼娜这么像她母亲 +之后 +好啦,我来了 +- +- +- +AS FAR AS THEY CAN FIT. +my friend? +差不多是这样 你能替我担负这个责任吗 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Pretty much. +Mom? +这12箱苹果汽水是谁订的啊? +你可真傻 +再次自我介绍 +实际上,如果你想它。 +i 得到 volvo! +我是苗条的。 +谁说他们之中的任何一个甚至想要 和我在一起 +9 10 +你去哪裏 +这里是哪里 +我刚刚醒过来的时候 +工藤先生 +跟你同行一周 +对此你有何见解,珊莎? +- 我能理解 +她穿着得像个妓女是有理由的 +我不知道 陛下 您认为我能吗? +一个铁匠啊 你在哪儿做的学徒? +但是当然不包括我 +成功进入了《小小厨神》下一轮比赛 +- Molly 你进展如何 +我喜欢炸甘蓝 技术真不赖 +我才12岁 这简直太不可思议了 +你只能听到"牛至在哪 番茄在哪" +我在做早餐汉堡配炸土豆 +我只希望味道也如卖相般给力 +以及Molly +克拉克,这是约翰尼。 +并把你的手指到 触发位置。 +没事吗? +好的 繼續找 +嘿 美女 +♪Maybe I'm just out of my mind♪ +哦,胎儿,你应该已经看到 你的表情。 +你知道我在说什么? +只得到你需要的东西。 +/ +遣才茉口H茭叟事? +艾瑞克 +一种古老的遗忘药剂 +- 晚安 +我开始看到一道白光了 +我还以为你习惯义肢了 +啊! +你会广播我们的数字,因为... +不,不.. +否则你会废掉 +随便... +他要杀丽娜 +真的? +那里有专门的飞机等着你 +我知道, 事实是可怕的。 +做得好, 主税 +连他的守卫都不知道 +我的好友 +我不会伤害.. +赤穗所有子民都會被殺 +疑犯是变节的前北韩间谍 +你怎样找到来? +还有这个 +你杀完人也会自杀! +我亲眼见过... +退后! +我们自己人 什么? +她写过一篇文章,爆国安局贪腐 +究竟危不危险? +还成立个幽灵公司 你想干什么 +什么情况 +但起码我变好看了 +-你真美 +小丑 我讨厌小丑 +-不 +回你父亲那去 罗兰家与此地再无缘分 +-向右 +但是... +难不成你要去美容院 洗一洗你的鸡窝头? +- 回房间里去! +你是敲手鼓的吗? +求你别走,留下来 +不行,这样哥哥会打我 +我方死伤三人,我杀敌两个 +一万块 +-才不要 +你最好去刮胡子 不能这样出门啦 +或许嫁个大学教授 +我会知道 +-我那晚喝醉了 +-为什么 +肥子... +我会去问问餐馆的人 +然后放他们走,同时给你竖起大拇指 +而它出现在了这边,看 +他们需要处理好自己的紧张情绪 +-卡尔维? +-巴里特他怎样? +你一点都没变 You haven't changed. +你明了自己做哪些事了吗? +他们的军队会来 +跟着他们把她囚进堡垒六个月 +我叫哈曼塞拿,我发誓 +什么 +恐怕希望渺茫 +救命 +当我看到奇诺,却什么也没发生 +是的,你,难道你听不到吗? +你会觉得比较自在的 +多米尼克 +带她出外度假一周 +乐队正奏得起劲 +没事的 +不管那是何解 +它只写敏感 热情和前途无限的文章 +-好 不 加水吧 +-关于什么 +-因为我会把糖果店留着 +我爱纽约 +她装腔作势 +我一直不喜欢玛丽安 +我想回医院 我不想再接受家庭治疗了 +哦,我们已经抽奖完毕,皮埃尔赢得了我 +为什么? +不论困还是不困,今天所有人都要工作 +选一对婚戒吧 +-F +他连自己的名字都记不得了 +你们不是吗? +好过一分为五 +也许他已经上山去勘探登山的第一基地了 +哦 他回家了 他回家了 +嗯 +我们围城让你们受饥饿 +不 +愿你会和你兄弟的死法一样 +叫你们的科学家发明战争武器 +这次远征将是你的首度任务 +国王! +你们从南边的那条路搜过去 +真的 太时髦了 +真是个大难题啊 +什么时候小狗们能离开他们的妈妈 +别跟老叔叔贾斯帕玩捉迷藏啦 +- 很重 +- 嗨 你好吗? +令尊好吗? +洛伦佐爱上了你 跟我说真话... +- 我意识到了 +我只是上帝的一个 可怜的仆人... +我想要个冰淇淋 I want an ice +自从我孩提记事起 一直是这样 Ever since I've been a child, it's been the same since I can remember. +她们在做事 什么事 +到熄灯的时间了 +学校放假后的两个星期内 我们就结婚 +不,当然不是 卡伦,对不起 +迪莉娅. +为什么? +她说是开门的时候看见的 +她是特意为我去采的 +用另一种方式 +因为他们威胁 要把你妈塞进绞肉机里去 +Tolly 什么? +Tolly, 当你吻我时我心已死去了 +马洛里,帕拉丁说... +你的头皮 +维拉克鲁斯(地名)吗? +是这边 +... +说的也是 +这幢奢华、阴郁的房子 +某人认出了这组雕像 +我已经忘了名字 +去带她吧,她是你的了 +亨利! +不要放弃 +他们仍然醉心于断头台大铡刀 +我不太明白 +好极了 你想看吗? +我们会去度假 我肯定大佬这次要挥金如土 +出什么事了? +大家都知道这个八个和没有人之间的区别吗? +你曾经见过这样吗? +轻轻的亲吻我的屁股,弄得我的肛门一张一合 +那就吃大便吧 +他很富有,有权,很冷漠 +你們這幫畜牲難道沒有王法了嗎 +定今日審訊 +誰? +好吧,我要问Giuseppe,可你搞错了 +妈妈死后他娶了这位 68岁的时候 +那就是我所說的 你們看到他壓迫我了嗎? +- 他在那裡! +打住! +对老妇人随便地说"涅" 真是可悲 +在历史上的这个时期 +石头上就是这么刻的 +Yes. +No, you're not doing it properly. +No chance, English bed +他曾经在克尔本石油公司工作 或许他回那去了 +我要指出是我耽搁了 +这是我们所知全部 不存在的绑架 +甜心 小心伪证罪! +- 在这儿等着. +- 如果你需要我的话,我在办公室 +一个苍老的, 偏执的,残酷的女人. +我们对里面的状况完全不清楚 +让我打电话问我上司好吗? +桑尼,出来吧! +他还好吧? +他需要钱好让你做变性手术? +军队里 对 +我才不跟要想耍我的人讲话 叫负责人出来 +很快就回来 +到那边去 +他是人质耶 让他走 +我们正在报导两名同性恋以人质做威胁 +他告诉我他开中介公司 我们能赚点钱 +记住在罗马 轮子有油转得快 +对 我在伊塞莱 我会从辛普朗关隘过来 +纯属谎言! +梅斯基特县超出我的管辖范围 +更多的炸药! +為了小雪 我寧願放棄財產 +找我有什麼事嗎? +-真的? +听着 你穿着价值几千美元的大衣 +你之前来过这? +就在他被杀的同一天 +法鲁赫 +那个托儿所的歌谣 +我们非常小心,不会乱动东西的 为什么这么问? +好吧,别慌里慌张的 你的手一直抓个不停 +我记不起我想说什么 很可能我是胡说的 +只有Bardi告诉了我一点事 没有姓名,也无地址 +房子里的鬼魂 +相反,我这里倒有几个谜没揭开呢 +溜哪里去了, 林德伯格! +也就是说 思考太多厌觉太少 +影片所用音乐 巴赫,佩尔戈莱西,珀塞尔 +我想问一下,我们房子在装修 +野薄荷为我们铺路 +那个字的铅字我都能看到 +- 我来了... +你认为我是这样的人吗,医生? +我们需要来诊断你 +但是... +但是我试了,对吧,该死,至少我试过了 +你可不可以把电视打开来 +有... +信里讲什么? +假日客栈 这次慢慢开 +什么事 我的孩子们? +我真的追上来了 +好的 来 +为什么此地总不出太阳 +-让波莉去上油漆 +市长 今早南滩有人 被鲨鱼咬死了 +请安静 +布洛迪警长办公室 是验尸官打来的 +-哈啰! +我要拍一张新闻照 请各位别挡路 +-这些东西的比例倒是正确的 +别松手 +- 正常? +停止 米勒先生 +我喜欢你 靠近点 +我会查我的文件告诉你废墟在哪 +你在说哪个 在说哪里? +- 对 现在晚饭搞我 +是比赛时间 再累不谈休息 +是吗? +如果这话不管用 那你就跪求 +我们感谢所有可爱的参赛者 +你以为我想? +进攻! +为什么? +好棒! +别走 +当然有 艾卡迪教授是狗娘养的 +我理解 但检查 +他还因组织卖淫受审过 +但我没隐瞒什么 +我没吐露一个字 但你必须给我钱 +他坐在一等车厢,有很多行李 +那是些战争部落 +或是加入他的朋友 +很好 我想那会不错的 +若你喜欢 +她早就湿了 +入会仪式顺利吗? +没有,我说了我想带他去遛遛 +好的 +我以为我们是朋友 +妈咪! +您对本镇一个更好的主意。 +00新闻 每天晚上让我害怕。 +等待一分钟。 +-你就是那个说我不会出现的人? +你能撑到检查站吗? +他们打伤你了吗? +我很高兴见到你 你看起来真漂亮 +- 非常好 多谢 +- 快走吧 +那么怎么样 她在这里吗? +你也想死吗? +一起去测量几块岩石 +我想你马上要上课了 +还要蛋糕吗 迈克尔 +是2个 亚普莉亚德夫人现在只有2个 +{\1cH6CB6CE\bord1\shad0\alphaH35}萊絲街65號 +我刚从爱玛处回来 +你知道吗? +也不值得去找那白种败类 +替我痛惜? +去追寻些永不会让你幸福的东西 +酒是一个嘲弄者 暴饮是疯狂的 主人 +我快不认识你了 +开始活着 哦 +你是我的奴隶 你必须做 我说的 伺候我的马 +音乐 +什么使你不成为 林顿家'天使们'的一员呢 +你是不是感觉很平静呀? +让我来吧同志, 不,谢谢 +是的不会给你签证 +We'll meet on the mainland, and hit Paris together. +你看看我 +他还带来个女人 +我们挺过来了,活着到达这里 +稍等 他在换衣服 +你确定你要呆在船上? +放开了吃吧! +谢谢,伙计 所以我只是可怜你 +您不认为和平有望? +当然 +有没有说要再打来? +一心以为将葬身海底 +如果我们把它们 送到Schmelloffel将军那里, +当然. +当他签署的时候. +诺 +对啊没错 +剩下的事,你要自己看着办了 +三都竟成了家臣的私产 +后来到了郑国最近又去了陈国 +完全胜过了英国的军事情报 +老伙计,这两个有啥关系吗? +我从没遇过像她这样的人 +我要把一切给了海蒂 我所剩下的... +-谢谢,你最好买养老金 +她会照顾你 直到你的专属女佣来了为止 +-你不知道吗 +我来了 亲爱的 是小贝 我来帮你的 +去找朱利安上校 告诉他我要马上见他 +-谁是夏尼畜牧公司? +有人死在这里 +过两天又会有人过来 +我早就说过 +店老板会帮你找些药. +小奶油! +赶到畜牧大王卡尼的土地上 +让我们为艾希利爵士祈祷 +走开 +你今晚要唱歌给牛群听? +好开始你的任务 +-别吹了 +我们不能再提她的名字了 +抱歉 +你知道 今时今日 我动用点关系的话 +土著不准进来! +你谎话编的不小啊 +看起来 这儿有场肉类生意的... +- 噢 让我标到 Ashley女士 我对... +这片土地变得绿沃而丰饶... +DarthDemon 监制: +哇塞! +我是和你们一起的,他没事儿吧? +灵灵性性,关二哥 +没有 +你知道我为何要躲着那班警察吗? +对 就是这里 BilL的地盘 +接着他去世了 然后我接管了这个节目 +嘿,那么... +把你仍到泥潭里 +如果你不回去的话 那... +我们依靠朋友的榜样 +如果你要做这份工 你就得当白痴 +相互矛盾的报导说霍华德先生 +进来 +准備... +-得有人负责校对机 +还是崇拜他? +until you tell me my son's safe! +-mails received and sent. +-to transport some sort of case. +M +趴下! +我认为他们在举行一场葬礼 +25% +My office? +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}就会杀了你吗 +I'm glad to see that you all got started without me. +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}当地的部落首领 +did you reassign R D? +And as we recognize the sacrifice of this man... +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}说曹操曹操就到 +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}这和几点有什么关系 +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}这是什么 +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}小丑们 放下武器 +You're not. +- 为什么? +戈登,你还真是"事不惊人死不休"啊 +想知道他们当中谁是懦夫吗? +我不知道,他从没告诉我 +很漂亮,对吧? +- 25052号大街 +My experiment to mate the orchid and {\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}我的兰花与响尾蛇配种实验 +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}全速前进 +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}上次隧道飚车赢家就是你? +girlie! +I'll rescue the bride. +-她还活着? +我自己也搞得定 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I had it under control. +几小时前一个垃圾箱里 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}John Daggett's body was +没有 我什么都没偷 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Nothing! +I've got 45 minutes to get clear of the blast radius. +He went that way! +Jack! +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000} +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}我是蕾妮 在新闻摄影棚 +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}我懂你说些什么: +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}被你一拍就很惹眼 艺术我虽不懂 我很喜欢 +n'est +是人总有极限,韦恩少爷 +活捉的话100万 我好教教他礼数 +嗯? +246项诈骗罪 +You tell me. +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}现在是圣诞时节 应该是愈合的时候 +-好 五点 +Yawn. +太重了 我的動作得要快起來 +這是他做出的犧牲 +馬上打電話給運輸總局 校董事會 和監獄 +- 不 只是你最愛的那個人 +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}快吊走 +Back to work! +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}一定有人知道蝙蝠侠是谁 +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}名人们将畅饮狂舞 +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}这样会不会太夸张了? +{\cH00FFFFFF}{\2cHF0000000}{\3cH006C3300}{\4cH000000}艾德华 +他們會准的 這地方是我的 +我愛你 +你人長得很醜,但辦事還算漂亮 +你们来这里干嘛? +就是他一直想找这座岛 +那么那是什么? +- +我要活下去 +-- +- +- +该死,他们透过冰看见了 +如果我开枪的话就做不到了 +舍弃了无用的自尊 +艾利秀和张勋在捡拾当年 +-大师... +你心中的仇恨越多 就会学的越快 +动作快 +士兵们 各就各位! +因为我而使兄弟们 +我觉得他的手上沾满了血 +他们对哥伦比亚开战 借机夺取可卡 +我们不知道疲倦 +你一定要战胜自己 +"创伤后思觉失调" +刚才为什么开那么快? +也许能给你壮壮胆去对付女人 +动 +但是如果孩子还没出生时 你就知道他的一生将是一场苦痛的挣扎 +John 慢慢说 +- 嗯 这样我才能给你爱呀 +# 回家好裹胖娃娃 # +跨站在那 喊出他的自豪 +别担心 在这不会有事的 +薇拉? +女人都会拜倒在你脚下 you think the women just fall at your feet +Be that as it may- +可以证明你企图进行谋杀 to support the charge of attempted murder. +- 我不会再见你了 +我永远不会伤你的心 +你真的想嫁给他? +只有我们两个手握时间 +- "挽歌" +当只有月亮在发怒 +不要吵醒Rowatt +你为什么拒绝我 Vera Phillips? +- 你是谁啊? +死亡 这是唯一的解药 双份吗 +now. +{\3cHFF8000}嘘 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Shh. +Dylan. +{\3cHFF8000}我爱你 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}I love you. +他叫什么来着? +我要蛋糕 +至于其它,我已付出太多了 +希文伊索维哈 +你接过多少客人? +」 +鼓掌 鼓掌 +起码不像你那样假装悲伤 MD +我要把杰絲帶在身邊 +前門都沒關 +- 你们两个都会没事 +你们也知道你妈的为人 +我写了什么? +你们两个都是! +有啥好笑的 +我不管了啦 +啊? +- 这儿没有孩子 +猪是你偷的 却说别人给你的! +先生们 我们出发 +我们是自由战士! +那是什么 发生什么事了 Who is that? +你要我说什么 What do you want me to say? +I can't wait! +她已建立一个财政网络 +叉路口那家 +我想告诉你 +没事,老大,没事的 +[6月16日,星期一] +法国还跟我们的阿富汗兄弟作战 出版讽刺先知的漫画... +我将宣布经由我们一致同意的裁决 I am ready to pronounce the verdict agreed by us all. +Peter, +你好像去挖隧道了 +让杰森打电话给他父亲 +难道他们 +喝点东西吧 +奥斯瓦尔德请了律师 我整晚都会在那里 +是,修女 +- 坐! +这不是我的错 +我最喜欢故作神秘了 +要我梢信吗? +操 +现在去祈祷 +"坐禅入定"技巧迷惑。 +没事 真的 +小灵蛇仍没有长出毒牙 +"少废话,尽管出招" +Those who refuse to take it... +我想我不用提醒你 I need hardly remind you +不想在这了 +-小心磕着,后生 +几几年毕业的? +求你了,我真的很想见他 +膝盖弯到胸口 +说起来,我父亲一个月前死于骨癌 +坚持 坚持住 +- 他们说 +- +然后再吃掉 这也是作为吃它的责任吧? +我还是觉得不要杀掉它 +我会挨个打电话 +我做过的事 我不会感到羞耻 +我想出个好词 +我为你的书想了个完美的名字 +在你第一次来的时候 我和你的性情 +市场部的伙计们喜欢 两个年轻编辑喜欢 +说是关于一个中年庸才想要引诱 +是的 我可不想和Boris Karloff一样 (恐怖电影明星) +有些人... +他不是丢的 是主动辞的 +怎么回事? +你叫Tuchman Marsh? +セ. +惠璶窥,硂ぃ琌届笴栏. +- 没有 他走了 +黑带代表什么? +保镖 警察 军人 只有一条规则 击倒对手 +是的 +- 我有些主意 钱特可能会感兴趣 +- 我了解 +我显然记得你会来牛津 对吧? +你要回家了 +喂今天开心吧 +这里11点方向 +不能经常来看你多保重 +那么 媒体都在追踪她 +-你还记得我 很好 +-别管她菲利普 就让她待着吧 +我很善于安慰人 +没有任何证据证明他卖毒品 +- 干杯 +十秒钟之后就知道了 +我去醫院看你 但你在睡覺 +好好記住了你們是為誰幹活的 +我建议我们按双月轮流 +也不能坐回去 阻止自己买下它 +你就为... +这是他们的世俗观,不认为是犯罪 +你不需要記住 +估计500年前就已经把我干掉了 +估计500年前就已经把我干掉了 +是 +停车... +对不起 什么一回事 +她肯定吓坏了 +至少给我们留一些水 +如果那里正好出现虫洞... +怎么了 +但是啊 那写在手镜上的句子 +而且带入我自己最真实的情感 +是啊 +山姆斯 他过河了 +我只想拿回我自己的钱 +没有安全的路 +- 努克斯来了! +- 没听见吗 +知道... +你都变成什么样了 +- 是,长官 +完毕! +你他妈的把任务搞砸了 你他妈的完蛋了 +今天 明天 还是等到完蛋下地狱 +{\fs22\bord2\shad2\pos(200,220)\1cH418BFC}意大利 罗马 +- 无线电有消息吗 +也许我不是那个应该成为的我 主啊 +我的天,这简直就是发现金矿了! +你去给我抓个德国兵来 +我现在可没时间找他谈 +- 我的孩子还活着吗? +索克斯还是老样子 Socks was her usual self +索克斯,你的强敌来了 Your best challenger yet +不用担心 +信赖我 就像我总是信赖你一样 +什么 祥平? +而且她需要我 +等等,你求我给了你一个月 +- 爸爸,伊安... +在維加斯我認識一個脫衣舞孃 我說「你想要這個嗎? +不行,我知道說出來很蠢 我是說她都不是... +到底怎麼回事? +我自己不想进去 +我要要记下这些数字什么的 +那里有条海牛 +開能! +開能? +菲雅! +你是在挑战我的权威? +是! +正像根据岁差的顺序宝瓶座正在双鱼座之后 +当我们说耶稣是我们的老师是没有经过两性之交 而产生的是被钉死在十字架上 +政治家不能解决问题. +这个整体不仅是由人类构成 +当然 我们不能天真的认为 商界和财阀们会傻到同意这种想法 +至今无数农夫没有工作 +分给贫困人口的资源从20%降到6% +一旦我们打败了他 他就会妥协 +现在,政府债券就是债务合同. +其中的10%,也就是10亿元, +他必须去对抗会威胁到本身的其它商品 +按逻辑说 +我! +来 +那死于你在墨西哥的 +我要出去... +你赢了 +ぐ或? +琌,ぃ岿. +ち常砆铭┮竣露, +- 这就是我们的社会 +我真的感恩不尽 +拉面。 +它看起来像迪斯尼乐园。 +我宁愿在这里与你。 +而且不要对我说,因为你是日本人... +你手上那些... +-什么? +就在右边 +叫弗兰克就行 噢 好吧 +咱们走了 +内裤也没穿 +把他放了! +十足的笨蛋 +你隐私见鬼去 +不过耗子, 你真的该踢他几屁股 +最惨的是Cochin小姐, Raj Laxmi Aiyer! +Jai, 这是什么? +- 跟你去哪里? +求求你 +现在 如果我这样做又发生了什么? +好吧 新泽西不是我最喜欢的地方 +我还看到有杯托 +- 再次欢迎收看 我是Trent Lueders +喂? +这小熊给妹妹 +一口价,六千 +叫你脱了鞋才进屋,没听见啊? +哦 可以这么说? +好 取消掉 +在市场用同样的钱却买不到一个花椰菜? +他们很快就榨干了当地的劳动力 +因为付不起住酒店的钱 加里·赫什伯格 石原农场执行总裁 +原产地标签制度 +Sir Benjamin... +嗯 草莓 {\fnsegoe print\fs19\1cH00FFFF\3cHFF0000\b0}Hum... +[纪念Eliza Merryweather] +我带你回家 +咱们走吧 孩子 +外面还有一匹神奇的白马 +你是什么意思? +打开这道门 +一切都拜托队长了 +具老师 +基成他前几天有了女朋友 +是吗 +Clay, 我真抱歉 我一时冲昏了头 +我听说你的工作很了不起 +别这样,别这样 +不好意思,如果要辞职 +我之前都不知道 +现在开始为死者祈祷安逸的旅程 +另一种意义上 它对我来说太沉重了 +好吃得让人为难 +(小林淑希于18日7时30分去世) +喪葬公司的 我們的上家 +不錯 很適合你 +老公 +我馬上就去 +现在是夏天 所以没那么忙 +他是新来的 呃 +是 +开啦 +今天多谢你们 +有男性化妆和妇性化妆的区别 +你的围巾 哎 你干吗啊 +後來到這裡的酒吧工作 +我女兒才不是這個樣子 +請戴在腳指上面 +她... +有啊 +他因为喝太多酒而瞎了 +史肯隆先生 我把这副漂亮的扑克牌送给你 +请勿打扰! +是啊,梅特兰。 +我很抱歉。 +那是因为只有这里卖香烟 +对,但很棒 +九月三日 +你都结婚了 +an angry presence. +可以获得大剂量的镇定剂 For some pretty hardy tranquilizers. 就是说 是很糟的组合 Meaning that's a very bad combo. +从后面,透过后窗吗? +以你的工作经历 +咨询师说这种状态很正常 +抱歉,你们有牛奶吗? +但我得回家换衣服参加新书派对 +洛伊德博士你好 +当人生给我柠檬 +(完蛋的人) +- 嗨 Mandy +你给了我选择的机会 +废话,当然不是命令 +正往巴泽江流域移动 +我在这十年了,不用招待别人吃饭还是第一次 +计算一下 火药量加倍不就行了嘛 +是谁袭击了你? +"那次初见" +― 停电了... +你要去哪儿? +我给你来个技术含量更高的 +是我 程程 +我是一名心理医生 +最后一个问题 +我才弄明白了 +你别乱说了 +- 然后出了点事故,有人死了 +我想要答案,好吧? +我只是要... +- 怎么会? +告诉他放手。 +我e? +没有D? +不知道 +你小子们等着 +我特想相信你 +那要看你是从什么角度看的 +范围缩减到 +但是他们的生意很快 +- +别这么夸张 科尼利厄斯 我不过是来溜达一圈 +但很纳闷为何没和我们连络 +所以我很清楚你是哪种人 基米先生 +好,老兄 +小小先生 +没有玩的人也乐于观看 +他能 +你在"遇难"之前 身价一亿五千万元 +我们要去一个叫'兰花园' 的地方,雨果 +他是来看他的女儿 +我没替班做事 +- 是的 +很高兴懧识你 +似乎很顺利 +谢谢你 +有时我坐着望向窗外 +等等,后面是菲或飞? +-0110 +当然没有 +那些白领阶级、生意人 我说过,他们是最可口的猎物 +你来这里干嘛? +喜欢吗? +你让我想起了杰米・盖茨 我在普林斯顿大一的时候认识了他 +- 迪兰酒店 +你见过这个女人吗? +其实... +我其实不清楚 +你在旧金山时是不人流的骗子 +是Stephanie 对吧? +- +恶人的号角是如此响亮 +等到他们做完后 +可能吧 +不對 +- 謝謝你,醫生 +謝謝 +发生什么事了? +我送他去那儿, 是因为他爸是个杂种 +一个客人Pedro送的礼物 +感谢你的关心,你是对的,我这样下去无法工作 +来,亲爱的. +猴拳 +我们能不能不要讲牛的事? +我不喜欢这样喊你,你叫什么名字? +小乖乖? +我們的所作所為 他強迫我做的事 +请原谅我实话实说,太太 每个家长都是这么跟我说的 +我想你也不知道自己正在做什么 +他们会利用一切的手段来诋毁你 +我都不知道他们的名字 你有没有杀我的儿子? +(客服中心) +谁会告诉你啊 +- 我觉得没问题. +我会想出办法的. +把枪放下,伊安 +你的父亲... +凯特琳, +难道你为什么在这里? +看来他还没有准备好我呢。 +什么T恤衫? +你不能这么做・ +好 我会尽量适应的 +你什么也不是 +是我 +挑戰是必須要回應的 +但是Nuada王子并不相信人类的这个承诺 +原地不动 听从我的命令 +知道吗? +我们走 +和谐掉这些照片和手机视频 +红小子,离窗户远点! +让她走吧 +快点去找啊 +但值得收藏 +让他拔出矛头来 +我还是留着这家伙吧 +就是她 +嘿 Liz +如果你們是來阻止王子 祝你們好運 +可能哪天大家还是觉得8音轨的好 +我们正在找巨魔市场的大门口,你有线索吗? +现在想说了吗? +我喜欢他 +多少钱换斯科菲尔德和布伦斯 +我要转移它 +会有些痛苦 {\cHFFFFFF}{\3cH111111}{\4cH111111}It kind of hurts. +最后死于自然因素 +你没开玩笑吧 +它的结构也包含着一个数学原理 +维特根斯坦几十年前发现的东西 +司考特,该死的你在这干吗? +对极了 +谁跟你说的 +没事 就是... +給我做個土豆 +- 快帶我去,帶我去! +有人吗? +- 在我口袋里 口袋里 +会在第31分局的台阶上结束 +他没有付我该死的房租! +我明白怎么回事了 +踢得好,鲍比! +很好,很好 +你觉得我应该去吗? +哦,当然。 +对啊 现在让我来测试一下你的道德基线 +至少要躺在床上好几个月 +我替你拿毛巾 +韩娜就没有未来可言 +他妈的, 威士忌。 +谁知道? +我学会了阅读。 +让它更清晰,更丰富 +说"我们"、"所有人" 比说"我"、"我自己"要容易得多 +与其让她们都冲出来 我们不如把她们关在里面 +除了花钱找医生之外? +我只是说 那是你一直想要的 +-2 +等一下 +我喜欢快跑 +苏尔! +很高兴见到你。 +在学校 有学习另一种语言吗? +- +不。 +真酷。 +你到底在想什么? +温度下降时也不能保护它们 +不知道. +- 什么? +- 什么? +说起来我真是讨厌的家伙啊 +再见,西蒙 +蛮帅的 +我也给你家发过钱 +知道 知道 +他给我发送了一个信息 +你真不是个东西! +因得到了特别的分配而可以 +一种能烧10分钟的导火钱 这是不可能的 +他们已经没有时间了 一个炸弹将要爆了 +- 是这里吗? +艾米! +你根本不听我说! +- 好的 +甜心,要是我有答案... +你们应该看得到了 +有件事我想要告诉你 +放轻松 +12周内处理掉 都没关系 +去参加一个生日宴会 +嗯... +但是,嘿! +我很高兴一件事 +好了 +天啊! +精神科醫院 +我習慣那樣喝 +愛波 +夏普 +不 我保证 真的没有 呃 第一项是"无" +- 具体... +- 可怜的Jesse +我... +老媽媽心裡很高興 +根本不起作用 达雷 +你认为他们会和我们打起来吗? +返回你的深山你可以带走你的女人 +还问我想不想到这儿来工作? +我姓Haines +真荒谬 +娜塔夏什么? +但我知道外遇这种事 +但我有任何不忠吗? +你是怎么偷渡进来的? +这一次你情况很好 +我想她兴奋吓到了 +需要一个房间,麻烦动作快 +哪个女同志呀 +老崔 +老崔是吧 +我刚离开中心 +要封闭的 +这是谁设计的 +然后再给你进一步指示 +以及通讯方法 +我就想得到更多的延音 +我让吉他 琴颈稍微弯曲 +连车看上去也像电影中那样 +你知道我有多爱Darry Dean Stanton +我也不打算这样做 可以吗? +我看得够多了 +我马上到 +那是诺贝尔奖牌 +可是你现在明白,我们能改变 +他怎么了? +- 什么? +水 +在基地里我冒了天大的险 +人类只要在这紧要关头 +我方一颗同步监听DSCS3卫星已失去联系 +你不能留在这里 +好了 +我们该杀了他! +混混、混混、 烦死了 +什么? +是的 +给我拿杯啤酒 好的 +你这是什么口气,就这么了不起吗 +是啊 +听着 伙计们到你们的岗位上去 +不管你信不信 我還沒什麼計劃 +你這身真帥氣 +一個愛女人的女人 很少見 對不對? +我得掛了 Don +嗯,很好,这样很好 +最后一次,不能让里克・斯托克得手 +住在里面的都是些离家出走的孩子 +丹,禁止警察种族歧视的协议要投票了 +我的天 你确实能创造奇迹 +Harvey! +有六成人支持6号提案 +对不起,我也很高兴见到你,哈维 +我喜欢 +斯科特・史密斯继承并延续了 哈维未竟的事业,殚精竭虑 1995年,他逝于艾滋并发症 +你哪里找到这家伙的? +让我们坚持到地图。 +是的,没错! +他有几处言辞激烈 教皇陛下 He used some temperate language holiness +甜心 Sweetheart. +美国总统 +他们以平衡预算取而代之 +有时人们只顾眼前 +我意思是... +- 鬼月? +- 来啊, 动啊 +进尾箱! +这里比较安全 +呀有好东西呀 +也就是警员3654 +还是要小心点 +我们能给你的只有衷心的祝愿,再没其它了! +年轻的陛下前途无限辉煌! +波斯有句谚语: +― 我到现在还不敢相信 +― 在,殿下! +我误会您了 +决不! +可你至少应该试着了解事实的真相 +让印度教徒在朝拜时缴税 +请快来保护我,我的哥哥,你的珠妲 +克里沙神啊 +那么,今天你去哪儿了? +- 你是哪个部门的? +哦,呃... +- 等等,他没有死! +我跑的真快啊! +我们没什么可谈的了 +我想你们给点建议 我不会再说第二遍 +你还好吗 +当我干掉他们的时候,乌龟 +太好了,这力量是我的了 +没有! +不! +我们不是想拦你 +- 我开吃? +要你好看 +好吧,我承認是卡住了 +哦∼原來是老單,很好 +看他是否能更進一步取得2千萬盧比 +C: +闭嘴,贾马尔! +走 +你不可以选择奖金 +你有30秒的时间 +贾马尔! +他是说在贫民窟的婊子里最漂亮 +你怎么知道? +你说啥 +我说了 让我看看你的牙 +-闯进来了 +这家店我打理的很好 +-你 卡尔 +现在你知道问了 +- 好吧,沒關係 +那我呢? +先在虛擬空間走走看吧? +那不可能是無人飛行器 +你竟然沒死 +- 能和您合影吗? +- 好的 +为和平干杯 +美国著名饼干品牌 主要形象是小玩偶 +事情发生在上周日晚上... +对 +不去爷爷家吗 +那我跟你说 你偷偷的打听一下 +是不是见男人了 +钥匙在老板那边 +看到没有? +这样也不对,那样也不对 +还是离乡! +反正日光总是带来浓雾 +如果有些想念遗忘在某个长假 +你会一直在我身边帮我? +那为什么你... +如果你再在我面前出现 +喂? +- 我只想让他们... +都能將汽車的靈魂解放出來 +應該是算他走運吧 +随便吃 +随便吃 +她的三个儿子中有个非常古怪 +你没看见出的事吗? +它开始 由湿热刺痛 +趴在地上,死! +你们得离开 +- "离开"的意思? +更有巴西风情 更吸引人 +你有一种魅力,波碧 摩尔 +好的,哗 +快,凯特! +我不懂,我听到脚步声就将它熄掉了 +我同意珍的问题,海莉叶 你怎么知道打火机的事? +媽的 +妳是要讓衣服看來復古 不是在攪茶 +-瑞絲微德老師,別擔心 +哦 不错 +- 你今天过得如何? +你可要把那保安系统装备好 +他跟你有亲戚关系? +- 你有证据吗? +- 是啊 没错 然后呢 +这对环境有益 +- +我不敢相信你们这么贸然决定 +那. +小子! +是你讓我看的 +把槍給我! +好,我們到了 +狼來了! +∮ 又像星星那樣的遠 +∮ 能不能帶著我一起去找尋星星? +你是不是觉得头朝下这么倒挂着能让你走的快点 +要么你试着摇摇尾巴 +到了 +所以我深思熟虑后建议 +我说的是真的 +-布瑞吉 小心 +不介意清理一下吧 +你多么喜欢花朵 +真的希望你能幸福 +不 不重要 他 已经结束了 +没事的 我一定会尽我所能帮你的 +那太好了 +想要我给你个简单的答案吗 +哪一天能向教練展現我的能力 +對我特別的期望 +當初我對你的評價錯了 +-是吧 +他一直覺得自已責任重大 +Ned. +- 能看下你的缝线吗? +不是,沒有 咽下有什麼不對勁... +快被她弄瘋了 +我今天可真是有口福啰! +不好意思 给大家添麻烦了 +你会康复的. +我只想快點完成然後離開這裡 聽到了嗎 +-在我們面前 +在发现尸体的第一时间... +为什么爱丽丝会和他扯上联系呢? +下一个,接上 +每次非洲杯,他们都激动得要命 +剧终 谢谢观赏 +大家先拿出张纸来 +He insisted... +现在再回到诗上 +至于结果如何,都与我们无关 +我才没说很烂 +你们懂两者的不同吗? +他们没有很糗 +- 敬死者! +我这里有她的手机号 随时可以给你 +你知道的 我一定要去处理这件事的 对吧? +- 没她我不会走的 那又怎样 +我是说 你不会也是她女儿吧 +南 Nan, +-我没看到! +-我 +{\fn方正粗倩简体\fs12\an8\1cHFFFF00\b0}小小梦想 远远不够 不 不 +- 化妆加按摩 +{\fn方正粗倩简体\fs12\an8\1cHFFFF00\b0}狂欢 +Troy 我的好兄弟 +. +你是怎么知道的 +就当为了Gabriella,行么? +# 我想要这一切,我想要这一切 +# 我们心心相印 +你这样的朋友 一切都变容易 +可能是为了问问情况 +何苦呢 也不能全怪我呀 +好呀 +一天成百亿上落 你几辈子都无忧了 +早安 +棒呀 +但又最好什么都帮我作主 +什么意思? +你好呀 小可爱 +- 那就挽回啊 +不要袭击再一次不要袭击 +别碰墙壁 +Pingo8 监制: +这次旅行没盼头了 +别太用力了 你会弄疼她的 嘿 妈妈 见到你太好了 +加速 加速 加速 加速! +桒ナ砒悅 耜ヘネヌ +・睇 淏゚葹 ヘハ・テ・ハマレ衂 バヨ・硼睨 聚 ユマ洄ヌハ衂 +听说最近找工作很容易 +什麼事啊 +去深圳都沒這麼麻煩 +听后面 +拍拖有益身心会好一点儿的 +在一艘从叛徒手里夺来的飞船上 +齐罗,这位议员对我的 分离主义盟军非常重要 +明白 +紧张的时候就说我嚣张 +- 因为就是他弄坏的 +大概是因为 我已经死了12年了吧 +他们射击所有的人,不管他动没动. +看上去就是那種沒腦子的人 +每次拉舌環的時候 +經常想 +我帮你染发 +为了路易做这些算什么 +所以我的未来 +我不回来你就别动 +绝无日货 既不收 也不售 您这儿坐 +母亲节快乐! +Marshall. +就像是我在逃跑 +等等 我待? +尾男 +玩 嗯... +甫 +- ? +и? +届* +猭笵? +上帝就在你双腿之间 +你知道不? +别傻了,兄弟,给我照片 +你在干嘛? +我正在尝是摇滚戏剧 +请上台来,彼得・布莱德先生 +我不能去,我有工作,我是个女演员 +是啊,没电了不就没事了 +请小心,因为... +嘿 丽兹? +你是从早餐宴会上过来的 对吗? +我知道你这么想 +- 嗯 +-彼德? +-还好吗? +-对 +我从这里可以看到你私处! +爱的滋味 +真的吗 是的 +吸气 手举向天 继续 +以免受伤 来吧 来吧 +透视图像正常 +德布斯 +英 我们会回来的 +我教得还可以吧 +- 该死 Mike +200码之外有条支路 +你怎么从来没有提到过他? +怎么随便让人跟这辆会说话的车交谈? +我已经重复检查很多次了 +从第一艘船进入北冰洋 已经过去了一个世纪 +这不是你说的吗? +Pasha? +爆炸的余波持续好几里 +这个男人还会和他兄弟一起拍录像... +好的 谢谢你 +獨自離開? +頂多就是那通電話 就沒了 對不對? +我想通了 但你沒有? +快走 跟上 +Al +- 有没有人想要一些咖啡? +教长欣赏你的工作 +Ed +Andrew 不要说了 +-恩 我知道 +- oooh! +那是可爱的大草原 That's lovely savannah. +- 露西? +交出武器! +可不可以跟你借... +她的外表 +我不想看到你 +Ricky bye bye +澀澀的 +OK +-No. +- 沒有 +如果我說我瘋狂地為你著迷 你一定不會覺得驚訝 +但我想说 能当你们的教练,我很荣幸 +说不出来 还是你不敢说? +- 我得做个决定 +我有个新的办法,叫约克上士法 +听着 如果今天我说了什么使你不高兴 我很抱歉 +- 不会说什么少林拳 +像我们这样的新婚夫妻 +能让全球海平面上升约7公尺 +她那儿插得下整个哈密瓜... +你好啊,小兵哥 +你想为了一罐豆豉鲮鱼 +我不知道我会怎么样 +就算你再也不想见我 +什么是对? +嗯,他跟人讲话都很亲近 +还是终止婚约? +我快受不了了 +要充气时只需打开阀门就行了 +- 谁是娜欧蜜? +自卑感 孩提时期的创伤 什么什么的 +我有一份艺术工作。 +我不知道。 +辛迪感谢。 +嗯? +两年后, 我是Iiving TuIsa。 +快去吧! +(娜,我永远 跟你在一起,RG) +不再有秘密 +- 非常好 +如果你愿意 +噢! +听到"哔"声后留下你的话吧 +这是私人场所 +实在有点怪 +肯定是无知论者 +为什么不? +放開肚子大吃了一頓 +你們這種人 +- +你有我 +穿法兰绒进餐? +关于麦克,说点什么呢 +天津四和阿尔法什么? +那个倒霉蛋儿 +-他做了... +或许外壳就是讯息本体 +我需要治安官Willis的验尸报告 +- 你们到底在说什么? +我履行了协议,今后不用再看见你了 +哦,好的。 +我相信我们的前辈 +。 +买巨多公理号 +他叫什麼來著? +We』ve got rivers down below +-E +别动,我们目前有状况 +* +* Slave to love * +* Screaming no, no, no, no * +我说后退 +-Claude? +- 为什么我必须走? +当我爸爸? +Van Damme先生 +嘿 伙计! +告诉他们 我们放一个人质 +别说我妈! +我只不过想做个好人 +真是你啊,佐佐木 +跟你爸说了吗? +算我求你了 +嗯 +让你久等了 +可以吧? +会不会是被同学欺负 +自上个月开始在中东增兵的美国 +不会再发生这种事儿了 +拿到了? +搞不好是小流氓在耍我们 +配备 他们magicaI bIack箱, +并不意味着没有黑天鹅。 +但似乎危险Iure他们 进入跑马圈地的一切 +等等,你見過超級犬吠嗎? +如何阻止20岁的人换频道 +给我回来 你这坏蛋 讨厌又下贱 +Penny! +是的 一只猫 一旦找到他... +- 你碰不到我们的! +你开始让我生气了喔,教授 +- ... +拿出别针,把这段对话别住,嘣! +嘿,伙计,放松,像这样 转头,拽,转头,拽 +我们明白你此刻的感受 +罗伊德 把门堵住! +我一生的所爱 我将为她做任何事情 +我一点都想不起来 +- 很明顯 你們都很性感 你知道嗎? +是我啊 Dale +上帝啊! +停下,戴爾! +硂ǎ ǎ硂ㄇ產ル +- 琌羘 +- び +硂琌и佰ガ玭 +但是这不代表他们 一定要搬过来住啊 +是有鬼吧 +- 好的 +圣诞快乐 +你来这地方干嘛? +把手放在车上,先生 +它的身体进化得善于散发热量 +Will he take the oath? +割去你的生殖器 your privy parts cut off, +欧若拉,托罗普 +她是谁? +你需要护照和身份证. +但不像今天这么暴躁 +停! +还剩什么了. +正在走向让世界毁灭的道路 +所以我们也该如此 And so should we. +her hair's falling out. +开枪啊 Connor! +这得看你和我之间关于Helen的怨恨有多深了 +但是这些海洋也揭开了藏宝 +我想我肚子里应该没有蛔虫 +我穿着皮衣,你却没穿外套 +莉拉呼叫佐伊德伯格 执行分散注意力计划阿尔法 +- 我认为我在工作中未受到赏识 +太棒了,我们做到了! +我希望你在去那里的时候顺带着拿点胶带 +我的膝盖也这么说 +你这算是什么半人马的国王啊? +如果我是這裡唯一的一個人 我怎麼可能會見到其他人? +他不知道 +-让我来 +-谢谢 +你认为呢? +蠢女孩 Stupid girl. +别让我再看见你... +你知道,政治只会造出他这样的白痴 +别做傻事,快进来, 我们报警就可以了 +那我还能干嘛? +他只待了几分钟 +那些混蛋将会指控我 +好了 +走那边 +睡觉吧 +-你也辛苦了 +你是谁 +然后她... +糟了 +没有 {\cHFFFFFF}{\3cH111111}{\4cH111111}No. +that's kind of the problem. 没有比人脑子发热去执行神圣任务 {\cHFFFFFF}{\3cH111111}{\4cH111111}There's nothing more dangerous than some +好极了,我就等你这句话 +他有工作给你 +他今早还打来问我有没有什么需要 +他替斯吉做事 +我知道我知道 +我才触摸到你 +需要点些什么吗 +弗兰克是我的老朋友 {\cHFFFFFF}{\3cH111111}{\4cH111111}Frank o'brien was my friend. +先抬脚? +? +太尴尬了 +是吗 那又怎样? +不过就现在而言 Leonard和我还是做朋友比较好 +午安 爱丽丝 雅典娜前辈 +但是 如果这真的是灯里前辈的失误 +我们会想念你们这些小毛球的 你们真是好听众 +我只是想问问 我们要的饮料好了没有 +里克,玩够了 +面包片要去掉,她不喜欢吃 +没问题,不怕 +这背带可调的? +听到了吗 +爸爸! +- 嘿 馬蒂! +那麼梅爾曼也沒得絕症啊! +傳話過去! +还没准备好要走吧 +Ken Anderson +现在发动引擎 +再见 +然后 +明白地说就是 +我和我的船 被困在这个烂岛上25年了 +我们告诉你的是高度机密的 +- 两小时前 +- 幸存者? +我说过我会帮你们找到他 但是不能带你们去见他 +Bollocks! +一旦另一方面的你 那個中,牆, +他們在那裡發現? +我們需要活著的這,關心 他們保持在那個國家中。 +繁姐 我想把食盒还给你 +你走吧 别再回来了 +过一种新的生活 +你会想开的 +How much more time will I have to wait +我妈说只要我开心就好 +你口口声声地说 +整件事都让你搞砸了 +我叫他做梦去了 +选用官方的汉蒙塔娜饭盒 +还有 汉娜蒙塔娜厕纸 +你上过马特. +一个愿意牺牲自我的人 +不可能 +我比较喜欢别的地方 +妈妈去世的时候 +就像看着时针移动 +- 我不知道! +我開了六槍 我打中了某種東西... +- 没有 +這裡肯定有目擊者的 +他們用翅膀帶走了她 +車準備好了 +看得出我心烦意乱 +问题就是啥都没说 +会突然变得粗鲁 +- +谢谢 +很久以前 +谁在那? +我听说有人在他们的假肢里藏毒 +但是你曾经做过的事情 也只有一件: +我相信你 +我们等得够久了 他就像阵风,谁知道他下次在哪出现 +但是海滨住满人 +印度洋就是引起世界上 +对 我们走 结果就会出来. +排泄物 +- 瑞沙... +我出去外面等着 +非常安静 +我不会游泳 +让瑞沙了解? +老子们一起等警察来 +Marwan,坏东西! +-老子状态正勇呢 +你个傻逼们战胜了Grogan +-他个婊子还是老样子啊 +在珍妮的老板家过复活节 喝了含羞草鸡尾酒 +- 哪里去了? +我可以不管上帝,不管上帝他妈妈 +现在能看的出来性别吗? +好像不是床的声音,是地狱传来的纵欲过度的声音 +我会收拾这个烂摊子 +that bear seemed pretty real. +是啊 {\cHFFFFFF}{\3cH111111}{\4cH111111}Yes. +i'm not. +一定要让我帮你 {\cHFFFFFF}{\3cH111111}{\4cH111111}You got to let me help. +{\2cH0080FF}你认为人就放在这里 死无理由? +{\2cH0080FF}你就一直待下来了? +{\2cH0080FF}船夫 你是何方神圣? +{\2cH0080FF} +... +- 我同意,至少侦查一下 +我们走 +- 没他我们到不了河边的 +你怎么知道他们还活着? +他是我徒弟 +真是太不可思议了 +Odneseme ho do m? +umt. +Co m醡 ob靦ovat, matko? +金、 木、 水、 火、 土 +不能让龙皇帝找到永生之泉 +还不能死 +自由! +死一样的沉寂. +最好不要冒险 Best not to take any chances. +看那边那个人 Look at that guy over there. +斯科特? +我向上帝发誓所有新闻媒体 Or i swear to god every press agency from "the new york times" +Now what's that bio trace m3 sampler? +And i want to know what happened out there. +Involved in the black material would argue for the future. +I mean +仙女座的创造者. +狗仔队吗? +我好像听到什么 +-16方位锁定 +不,我认为安朵美达是设计来 灭杀人类的武器 +我不懂放松,我应该放松的 +那个是仙后(星座) +像这样的伤一般来说肯定要大出血 +我军方线人那边给了我一点线索 +两个单位的全血和血浆 维他命K +表现大胆主动的人 +能作为神经网络 +就算我们的测试结果是正确的 无论我们 +在深海热液喷口附近 +如果他们要我的脑袋 就用不了多久了 +- 不,你不必 +卡佛太太今晨被发现倒毙在... +史丹博,别对着我耳朵大声嚷嚷好吗? +几时睡过觉? +这只是一座水坝,他要造成旱灾 他还会盖更多水坝 +284)\1cH01D1FE}这一次你也跑不掉的 +恭喜,你是对的 +真想好好问他更多的一些事情 +你就是这样对你的朋友吗? +谢了,接过来 +我的第一个官方政策 +这地方 +- 你在哪里? +假如没有古柯碱或共产党的话 +确实如此 +Powell你已经认识了 +"C" "M" "E" +有! +也难怪政府大力搞甚么副学士课程 +他说闻了就想回家 +给我! +呼吸 +超級士兵計劃被終止... +徙 湮仄 蓓 轻萄谏 ? +醚替? +(LAPTOP BLEEPS) +用于增强生化科技战斗力 for Bio +General, please! +"你花了45分钟" +辉煌与泥泞 +以及如何帮助路易斯 +我解脱般的叫了一声... +她娇媚的对我说 "菲利普 我想成为第一个迎接你... +但那点痛苦和我的梦想 相比又算得了什么呢 +你知道那女人吗? +你们都这么有幽默感的吗? +他有你房子的钥匙,是吗? +- 不,是我不对 +你这个没人要的 +想知道就出钱买 +汽车、旅游假期 网球场、游泳池 +我們都想過美好的生活 +實在有點不合時宜 +你究竟想怎樣? +我幹掉了要殺死一二的人 +快 +我们走 +从他们所采取的预防措施来看... +- 光 光 光! +我什么都不知道 还有别他妈再对我动手动脚的 +不能走 我们得待在这 +嘿 嘿 +嗨,妈妈,舅妈, 丽贝卡... +拜托 +我不知道,她说甚么 +- 像闹铃一样时刻提醒你 +凭什么下地狱的人是我! +这又是哪出戏? +可这就是人生 +或者是诗织心爱的唱片 +随随便便就加以指责伤害 +我知道 +又傻又蠢的我 +可悲? +不行,这本不可以丢 +好可怕 真的好可怕! +大螯怪 +对不起 +快 按这个按钮 +是啊 很好笑 +说实话 我真的不用去 +我不这么想 +是这个理论的创始人 +知道吗? +费歇尔 脱衣舞女都是小偷 +我等了你一整晚 +不过想跟你说一件事 +香港制造 +嗯 我认识她 +我能去拜访你吗? +围绕月亮 +不, 玩完了, 该睡觉了 +嗯 我得走了 +很好, 约她出去啊 +- 玛丽安才是音乐家 +我想要犯罪,想要投身翻腾的欲海。 +是水。 +他在策划什么事。 +-应该不是露西亚吧? +这就一戏说狗血苦情虐恋片) +他们在写一本有关此地的书 +还有我承受的这么多痛苦? +谢谢,达雅和丹尼尔! +需要的时候,我们就训练狗去杀人 当不再需要他们的时候,就把他们通通杀掉 +飞行器可能根本就爆炸了 +找你自己的魔镜, 要看的话! +- 要的就是这劲儿. +你见过法国人的"五金库"了? +嗯, 不... +你有毛病? +看她坐着地方 +...你完全可以成为医生,为什么要做护士呢? +"只有你可以..." +说的没错! +事实上,只要Neha还是单身,我就有机会 +你怎么敢碰我儿子,你这个人妖! +"什么时候"是什么意思? +是啊,伙计,我希望你没什么问题 +女孩哭泣" +-不是 +而证据却多了 {\cHFFFFFF}{\3cH111111}{\4cH111111}and more and more about proof. +他看起来比奥利维亚更糟 你那儿怎样 {\cHFFFFFF}{\3cH111111}{\4cH111111}He looks even worse than olivia. +以前的工作就到此为止了 {\cHFFFFFF}{\3cH111111}{\4cH111111}Well... +誰都知道 +没错 可你哪个都挨不上边 +现在是九月二十二日 7: +- 奇怪的是 这里的信号很好 +当你面对化疗的挑战时 +对啊 我和阿黛尔还有奥利芙以及冈特. +我曾... +不过你扮演得很好 +他人好 时间也多 做爱的时候也不会哭 +- 阿布纳西? +这就是我。 +- 等等 她到底有多胖? +- 我从没有碰过那些孩子 +- 进步教育 +- 不 不 这次一定要喝 +他在哪里 +他就会展示当年的杰作 +她说的对,是一只大灰鼠 +为什么说你是个绅士 +我真想能对她说声抱歉 +我... +今天忙得很 先做正事吧 +# 患得又患失 # +# 在旧观念的学校中 这样玩会很酷 # +让每人都知道,其实世上大部份问题 都能经由跳舞来解决 +他们是否具有足够才艺来击败 学校其他小朋友呢? +一座山的检查员? +噢! +我不会在单位调棒 +那这是什么? +投资算不算花钱? +他们的儿子米沙在两百哩外的小村落 莱恩米那养家糊口 +试试吧 孩子 +你是我的妈妈吗? +他发现他爸爸 医学混杂的补给。 +。 +哼! +不,我没有知道。 +结果还没来得及拍下她 就反被她先拍了 +你这家伙为何知道我的名字 +我们去尸魂界! +你想不想救你的家人? +那是什么 哇哇! +住手! +以前就是这副样子 +我正在海滩,我预感你也会来这儿 +- 完了 +爱你 +㎡? +狦峏厈み,劚娀璶 +暿Τ +僶び礹 +-好 +你一定是佛教徒 +我开得很快,太快了 +这是我自己做的,多谢了 +笨蛋! +而且她爱我 +打给凯莉 +-打开它 +虽然少了点乐趣 +萨姆 我想他们不愿停火 +可这跟他们所倡导的大屠杀 没任何区别 +-我们出发吧 +它更像是发了疯的马戏团来到了城里 +据我所了解: +在我毫无头绪地在这里等电话的时候, +然而我只收到了放在我桌上的一张未作解释的字条。 +你是? +让我带他们去吗,长官? +那么... +搂着卡麦尔。 +她的样子像要出走。 +所以我们才来这里。 +换,换。 +- 唯一没有答案的问题: +因为那些有同样问题的孩子 +20块·为什么不 $20. +看看艾利西斯我就知道事情到底有多糟了 +-=TLF字幕组=- 翻译: +他说那是装弹药的腔! +就像... +肯尼,特拉维斯 +老天啊,没事吧? +-那可真是恶心透了 +你们最好好好解释一下 +变成我人生中最难堪的时刻吗 +對不住,對不住啊 +嘿,喬恩,你放任他不管? +- 很想 +她是那種小小的黑妞乳頭... +這個能解壓? +- 不 你個混球,干你! +但用不了八小时 我们就会到阿姆斯特丹了 +- 好吧 好吧 +Gucci的更贵! +我打赌 我打赌你也已经开始想念雄鸡的威猛了 是吗 宝贝? +- 嘿 Colton 老兄 +- 这说来话长了 我... +不会吧 老兄 我刚在做春梦呢 +- 上个礼拜他还偷了你的车! +到海边了,怎么办? +- 玩一玩,哥们 +他们都是狠角色 +- 有点吧 +还记得你想环球旅行的理想吗? +快滚,快点! +- 抱歉,兄弟 +为什么? +我明白了 +我会报仇的 +等等! +他们很害怕 他们眼里含着泪 +挑战者号爆炸时 我在现场 +罗布 +but we can bend it on occasion. +让我想想 {\cHFFFFFF}{\3cH111111}{\4cH111111}i don't know. +他有着猎人所没有的东西 {\cHFFFFFF}{\3cH111111}{\4cH111111}he's everything a hunter isn't. +离她远点 {\cHFFFFFF}{\3cH111111}{\4cH111111}stay away from her! +所以 阻止他 {\cHFFFFFF}{\3cH111111}{\4cH111111}so stop it. +我很开心下一次喝啤酒的时候 +邊境... +給我喝點水,小妹妹 +放手 +別殺他 +填补这个空白... +你怎么那么想抓住昌邑 +没有手机,他说的全不合理 +我也很高兴见到你。 +在电影弗朗索瓦Dezanya 和托马斯对不起 +谈话。 +我做到了。 +或者感到疑惑 或者被她迷住 And he gets confused or attracted or... +这里周围的煤矿 可能都关了, +还有这,更多的旅行者失踪事件. +你在这里干什么? +这里很容易就迷路了. +我不同意 +要不要现在就过去参观? +哇,哇,哇。 +你想干什么? +你想吃点什么? +我看你,和你 显然爱做饭,好吗? +在舒洁 浴室里。 +你知道,让我们去了。 +胡佛? +好吧,我有 你知道 +我得插手了! +请求附近所有单位支援! +这次如果想把她泡到手, +你得仔细想想你在干嘛 +-只是... +等等 等等 你不是要改动我的电影结局吧 Hold on. +不见好转 反而越来越严重了 It sounds worse than it is. +- Fine. +太精彩了 上乘之作 Fantastic. +no. +-就是那个... +What do you mean? +- Please. +我 +-你说吧 +我们谈下布鲁斯 威利斯吧 +你和艾伦接吻了? +我们可以从中赚取10万元 +皮特希 把钱给我 +别再分心了 必须我的目标上集中精神 +你们在这里很安全 +去死吧你 +我... +哦是啊 +查理 +不 +就好像是个战场 不是吗 这是个机会 +赶紧的小子 +哦是的 +嗨,克里斯汀 +这里是哪里? +-我只是 +我现在一定在忙,请留言 +让你回来调查局可不是轻松事 +(游泳池) +- 信号 被中断 +但是 我希望你能重新考虑 +我们已经开始研究 +哦 我絕對不會這麼說 因為那麼說就是暗示 +好吧 我算認識納特偵探了 +我們存在 我們存在 +我不想发出警告 +而且他们还有个镇长 +看看墙上挂的这些先生女士吧 +- 我知道 +那里冷,多雾,我整天都要呆在饭店房间里 +不,明显是鲍伊,他的颧骨、下巴 +- 是的 +這輛車的車牌跟Frampton小姐的吻合 +從這玩意裡出來就跟出生似的 +那是為什麼 +我也是 +我要离婚 +- 所以 他不可能是认真的 +他的脸上都渗出汗珠了 +贝德福德山联邦监狱 +过半个小时我就会去接你! +Arif是对的, Rathod先生! +...装作愚蠢的普通人就可以逃脱法律的制裁. +没有人可以阻止我们. +{\fnSTZhongsong\fs19\bord3\2aHB4\3aHB4\3cH005BB7\be1} +他出现在夜晚 +- 什么? +请帮我拉一下电闸 +令人终生受益的表演课 +那么如果她回来了 我们会告诉她到哪里找你 +已经做完了 +那么我也要这个 是 +哪一个比较困难? +也不会被发现的人 +可是我们有提供你情报啊 +我煮了咖哩,要不要吃? +请指认 +对不起 +可是下一个超级病毒,却可能是实验室产品 +美国西半部的沙漠面积也会变大 +那世界无法无天,互相残杀,只求生存 +貌似伊丽莎白厌倦了他 出去鬼混然后把他轰走了 +克里斯・布里克的画展开幕了 给图片加说明,滚开 +嗨 Lawrence 这有个女士找你 +嘿 Alice +- 白痴 +那是Rachel Petkoff +车在哪? +-我不知道你在说啥 +你们到底是谁 Who the hell are you guys? +这家伙是个怪物 他不会变的 That guy was a monster. +你也是猎人吗 {\cHFFFFFF}{\3cH111111}{\4cH111111}Are you a hunter? +再见。 +我喜欢这儿。 +我紧张。 +我换岗未遂。 +因为要是我在诺尔—加莱大区干2年的话,我就可以享受残疾人待遇! +怎么没有家具? +调我去Porquerolles。 +当然不是。 +以前还要冷? +比我想像得复杂多了。 +1934年,我老妈搞过一个"北北"。 +夏天还好,大概0度或零下1度。 +照顾好你老妈。 +拉菲尔,别跑了,小心摔跟头。 +我不要。 +这是法布莱斯. +,:"@#$%^ +亲爱的,一切都好? +从今天开始, +好吧, 我不是这个意思, 我是指, 太它妈的炫了 +思考? +說得好,你放話時就只會這一兩句 +-俗語說,入境隨俗 +你沒事,你很好 你破皮了 +以聖父、聖子和聖靈之名 +我反正在这儿了, 蜘蛛人, 那妞是谁? +- 看, 看谁在那? +- 要啤酒么? +20万 +川川 听你的 +可能吗? +不可以小口小口的抿 +要是咱俩不好了 +后来由于经费不够 +上她们的当了吧 +你可不能辜负了主对你的信任 +熊看起来笨重 +许个愿吧 +來 喝一口 +Ahhh +- Shit +那些获得世界慈善大奖的人来的重要 +这可事关法杖。 +善神们在神域 注视着克莱恩。 +漂亮的胡子。 +她一直都跟吸血鬼在一起 +嗨 宝贝 +有很多人 +昨晚深夜克里斯提安 派出两艘遥控小艇 +洛克把她带走了 +正用枪瞄准你和他的头 +坠毁在哪里? +他們會被秘密地帶到731部隊 然後被關起來 +跟着火车走就可以了 +死缠烂打地要跟着去 没见过这么胆大的女孩子 +是啊 +野狼找到了安吉罗 +他同意 +还记得吗? +告诉我? +? +片名: +够公平的 +他妈的 +我只是需要吃东西而已 +我是说数到三再冲啊,你个笨蛋! +妈 我都翻遍了 没有 +你知道里卡多·罗佩兹这个人吗 +不是 +没有克制 没有永恒 +-电动扫叶机 好主意 +从什么时候起? +那剩下的三个人就危险了 +他们没死,很显然他们在做什么蠢事 +阿蜜乌"菇汤好喝吗 +就是将那个发射的吗 +别这么干 +我也不是 +爸 你在哪里? +我希望在日落时,能够到达那里 +我知道它在那里 +闭嘴! +对不起 +只想看看这个地方 在我把它卖掉之前,再看一眼 +即使預防後,也好不到哪去 +只是做少一點... +什麼東西? +我代表这戏院的前老板 +你爸怎么说? +身体健康 +很好的娱乐,亨利今晚把我累死了 +不行... +在这里 +是血气方刚的人 +嗯? +你算得上是最有天分的了 +卡米拉 +是啊,我也是 +别客气 +把你们的救生衣穿上 我们要入水了 +是的 我听说你一直在坐客机 +- 你要我留下来? +- 走吧,我请客 +她是个好律师 +就这么定了 +现在我明白了 +看到这摄像头没 +你们又打算弄乱犯罪现场吗? +- 记得超人狗吗? +- 没错 伙计 +博比・布莱迪,真想不到 +绝对的 +去你妈的,去你俩妈的 +兰博被杀当晚 你在哪? +"是个条子,是个条子,是个条子..." +好告诉我们你把 尤克・普罗斯蒂的头藏哪了 +噢,噢,客气点... +穦琌街㎡ +几星期前,事情发生了。 +嘿 伙计 别忘了我们还有约会 +该死的学校 该死的桌子 +看起来射击范围很近 +另一个老板 +这个电话是不是 可以举报近期的警察连环杀人事件? +绝杀! +她看个电视也他妈的能受伤? +所以,我有了这个: +干的好 +注意点,探长 你的薪水里有我纳的税 +老搭档? +解开拉链 拉上拉链 +没事时他总在擦鞋 +你什么也没弄到 +噢 告诉我那家伙叫Greg Brady +听着 我也不知道我自己是怎么想的 +- 好了 好戏开始了 +直尺,三角尺等 +听着! +...其实是作战能力与 某个未知因素的乘积 +- 你哪儿弄来的这些农民? +死刑 也就是暗杀 +我已经有向导了 +好吧 +防守! +我的老师 Jean Roqua +- 不 才不是呢 +我没事的 +你他妈的去哪里? +她自己发明了这个名字 +- 桑德尔珊瑚礁怎么样? +- 我不需要买牙刷 +-拜托. +- +还不行, 佛雷德,不能让人知道我们在这里. +现在好了. +如果你不需要画像,我就先走了 +世上除了你还有谁能完成这件事啊? +舅舅 +"某某人已经被叫 成为一位伟大的医生", +你没有什么。 +他在这里,在房间里, +我认为没有时间。 +跟我来,dammit﹗ +你不觉得看起来很不错吗? +好的,谢谢 +- 哦. +- 太好了. +- 他那个不行, 对不对? +- 嗯. +- 并声称是你儿子的人. +好吧 +你好 很高兴终于和你... +跟我来 +真是难以置信 兄弟 +记得一个扎马尾辫的女孩吐了我一身 +如果我没记错 你也得到不少好处 +关于时光穿梭的剧 让我想了很多 +就像计算机程序码或操作手册 +这些雕像说明老百姓的各种角色 +而且物体和影像真的有魔法 +就大肆破坏 +但显然是个庞然大物 +- Three Gorges`★`★`★` ★`★`★`★`纪录片之家jackydai倾情奉献★`★`★`★` +心情非常好 开始跳舞 +我从没想过我必须夺取别人的性命... +上帝! +别这样看着我,男孩! +怎么办? +她为什么那么做? +那女人从另一端跳下去了! +开什么玩笑, Janet! +Meghna,你的位置不在这儿 你排在 Brinal 后面 +知道了 +Shomu 说我应该在这里多接触、认识些人 +看看这个 +遣散费给你提高了 +我又开始赛车了 +我对你没兴趣 +没事的 +事实上 挺舒服的 +- 我们享受周末吧 +- 你不要说点什么吗 +That love's gonna kill me. +Hey! +玫瑰花瓣,性爱照片,也是你们的公务? +- 这些都是真的,这些假币查不出真假. +尤其是你驾驶的车必须要保证人命 +行销总监亚伊尔凯伦 相信这正是云雀的优势 +提供特种作战与反恐部队的完整训练 +好了,你想哭吗? +如果我们是真的游击队员 +1941年12月 纳里波卡森林营地 +图维亚跟我在那里长大的 +查雅,份量太少了 +感觉怎样 +我不会让这种事发生 +我正在想我要怎么办 +但这与我的命令相悖。 +认识的 又反更不喜欢... +换房了 换房了 +你这就要回去了吗,我们才刚到啊 +一个仙子! +-小心! +有点儿奇怪,你都不知道它是怎么运转的! +謝謝你 媽媽 +嚷嚷什麼 你這隻豬! +就是為了每次去參加DMC的演唱會 +我從DMC的音樂裡領悟到了夢想 +还不知道杰克 伊鲁 达克 +她是个火红头发的无耻荡妇! +谢谢 +因为你没有备用计划 +我帅到让你想亲我了 {\3cH202020}i'm downright kissable. +充当好人 {\3cH202020}with some bigwig on your tail? +那回家见 I'll see you at home? +她说她的男友住在城外 She said her boyfriend lived out of town. +好啊 走吧 +他们对这件事不太高兴 +你好吗 阿糖 +看起来他已经用自己的实力 控制了整个比赛的局面 +这时一个小服务员过来对他说 +十点了 熄灯! +把手放在头上 +我确保我安全后会把袋子给你 +- +那重要吗? +来给塞巴斯汀重重打击 小小弱点 小小突破 +-孩子 提高警觉 +# 诧 +┮ǎи琌 +晚安 孩子们 +只要一个错误 +-好的 +这也许不错 +- 是啊 已经是最大号的了 +Simon 我们能帮Katie清清口气吗 +我才去过纽约 +我不会再给你找女人 +- 就因为他是个法国人? +你吓坏我了 +- 哼 +Caesar 需要一副新的马蹄铁 右前足的 +米歇尔 告诉我 我们去哪 +我... +副警长 +你知道你听起来像谁吗? +一月上旬有14个电话打往罗马 +对不起,让我再试试 +你知道你听起来像谁吗? +你到底想干什么? +等等 +我们的人可以让你通过海关 +我根本不知道他在那里 直到我到了... +战术永远在变 +结果两个学生被送到医院 +小鸟找到巢了 +不过这里有份复印件 +冷静,慢点,等下 慢点, 我说了你慢点! +少找借口,快想办法 +快抬他走! +必须齐聚一堂 +中心,请回答 +送总统回饭店 +狮子 女性的侧脸 +但是当然 稍后警察就盯上他了 然后... +他没什么事吧? +什么? +把我像垃圾一样抛弃 +你我既然要同处一室过夜 +所以我们三个中只有一个 在这节课上表现良好 +啊哈! +同时,我很可悲的上了第一课, 将这个国家放在地图上 +-A +哦! +- 这个男的? +你听着 我们不接受"不"字的,知道么? +贝恩德。 +我只是想... +我跟她一起死 I'll die with her. +動手呀... +我現在才明白 I now realize why... +我们走 +你要去换妆 +怎么可能,我明明看到她的伤口 +早点休息吧 +Caleb 你每工作24小时就休48小时 +可她却完全排斥 +不 她根本不在乎 爸 我做的一切对她来说都没有意义 +我很乐意为如此一个美人做专业美发 +伊莲娜上 +早安,妈 ―吃点东西 +是的,我们为了工作挑的她们。 +我是阿德勒,托尼的助理。 +你怎么说就怎么招。 +教我们挥别过去 +吉欧 别扫兴了 +- 你得到乙上? +女人换发型就代表会有新恋情 +医生待会就到 +―糟 +晚上我会梦见失和的夫妻 +好晚了! +好 —再会 +那个有疤的坏人干嘛要抢它? +小公主,你爸爸呢? +- 快停车 +你们肯定会爱死它的 +不许你碰那本书 听懂了吗 +你从书中读出他们 从我这里拿走的 +讓世上所有的人都聞之喪膽 +快来人啊! +但是你刚说 +你带上你的... +你必须去 否则他不会相信我的 +请在我还能辨认调羹的用处之前 给我上道汤 +什么? +噢 没关系 我能理解 +不如你一起去怎样 +罗恩你愿意娶梅林达为你合法妻子吗 +-站住 王八蛋 +也没有什么摄魂怪 +她找你 +其实这背后都是你的私心在作怪,你还没发现吗 +- 材初 ㎝ゑ垛VSゑ硂㎝扒吹 +⊿岿 +ê瞷暗ぐ或? +- 27腹 +ぶ... +她很壮 +我施加压力 +沒有 +不過 真是可悲 +我想我的时间到了 +不会有下一次了 不会再发生了 +你发什么神经啊 别这样 +- +没什么 你的发型很好 +太乱了 我来把你们引出壳 +这都是些什么啊 +等... +跳出3机时的那个心灵 +请回应 +希望他走过就算了 +跳出飞机时的那个心灵 +你可以和我说 +前苏联的官员, +会治好这个吗? +那印第安人的解药就更加重要7 +你听明白没? +真可惜,穿在我的矫架下面 没人能看得到 +海夫! +我們租約都快保不住了 如果沒有了宿舍 +好吧,別誤會 我喜歡男生 +- 下一個 +土耳其人! +哦,没什么,我只是用这种方式 来记住别人的名字 +是啊,真是... +海夫,很抱歉 +你会说话! +我是龙女Liessa +不! +今天的生意怎么样? +我没有... +你不需要我吗 +我们来这儿精神支持Adam Moral 而且希望那个自以为是的私生子搞砸 +帮我个忙 按着它直到我们离开这里 +轻轻松松的把那没用的阿斗给检回来 +子龙这一战天下闻名 +我怎么知道 +你就算只剩一个人 +等任务完成之后 +军师即命主公之义弟关羽张飞 +我早知道你会来 +吃了够我们HI一辈子. +OK, 他担心的是你 +- 那是什么味道? +对不起。 +- 可菜单上有写 +拜托了,先生 +让我们开始 +和我们打了 +它是什么,他们做什么? +漢堡和薯條是不會在你看起來非常好丁字褲。 +工作的一部分,保健方案 +这个我知道 所以才让你告诉我你的方法啊 +真是个蠢家伙... +我的传说从12世纪就开始了 +怎么了? +为什么? +斯坦因博士到哪里去了? +规模之大让我连话都说不出来了... +什么嘛 全都是自找的烦恼吗 +不愧是Death Scythe持有的特殊能力 令人信服 +现在Death Scythe不在身边... +我们是死武专... +去问问看死神大人吧 +到最后BREW还是被蜘蛛恐怖夺走了 +你蠢啊! +大家都会选择不眨眼睛吧 +Kid! +尾之蛇(Tail Snake)居然停下来了! +那么... +喂喂 难得这么好的天气 +Black Star! +照着要害之一——心窝来了吗? +是! +但是降临于此地的... +如果像灭绝魔剑那样能吃的话 做那些料理也值了 +发现真相的Kid 一边说着对称什么的一边就喷血倒地了 +对我干了什么? +用不着担心 +和妈妈印象最深的回忆是什么? +这下 就只剩下你一人了 +这也难怪... +你这说法 真让人有点火大 +你的对手是本大爷我! +你逃不掉的... +可我喜欢... +妈妈说这很神奇 +噢,解开了,好吧,现在 请你替我拿着这把钥匙,拜托? +然后你要坐四点的火车 去巴尔的摩 +我们真正做的是偷有钱人和穷人 并且留着自己用 +凯特,甜心 +他几个月前丢了工作,洛林 +德克萨斯州 +你好? +现在,只要她能够学会分辨出哪个是油门哪个是刹车... +我保证,我会为他支付额外的餐饮费. +关于劫富的故事. +你知道在哪儿吗? +快. +我想让妈妈再和舅舅谈谈 但是她现在很伤心 爸爸 +他有过行为不检点的纪录 +不会的 不是我们害死莫兰的 +彼得! +我来接你 你受伤了吗? +在你把我的奖章还回来之前 我都会当你不存在 +你是说亚瑟・斯派德威克 +我说过,西蒙,你不能去 你的脚受伤了,会拖累我们 +哦,天哪,哦,天哪 杰瑞德,你没事吧? +这是... +我道歉 +总督杰梅卡发出通缉令要求立即逮捕塞琳娜 +味道还是处的好 +为什么 +2234 5678... +好想快点回到小岛 +珍妮! +- 怎么样? +97, 98, 99, 100, +没想到居然很麻烦 +不会进来的 +悠着点 仓仓 留着点以后吃 +柳暗花明 +我是索尼娅 +随着满意的哐当声 +由于不可忘记 Yeah +我们在这里休息喝水 +- 八年级? +- 不 没必要 +是羊,你能告诉我 这头羊跑来我家干什么吗? +对 +太便宜了 +这是给布鲁克林报仇,王八蛋! +- 我要你站在我这边,凯尔 +听好 +知道真有那回事嗎 一位女士失去了孩子 +是斯基 +耶! +咱们应该亲密团结啊! +- 明白 +而且還是我的 +* 能夠讓我大放光芒 +* 動起來 展露你的歡快 +就是我 这是我女儿 +好 +点火开关在这里。 +- 你叫什麼名字,親愛的? +低著頭,注意你的右邊 努力爭取,維持下去 +- 又懷孕了? +- 明天見 +你要让它深入你体内 +你知道那种用来关马的电围栏不? +容我离开下 +不愧是直樹,真了不起 +爸爸 +告訴你那是我跟直樹兩個人的秘密 +不過,到底是為什麼 +那你說說看 +如果說你當上了機長的話 那我就一定去當空姐 +我好希望入江你可以 找到自己的夢想 +抱歉,打擾了 +不要欺負我嘛 +直樹你千萬不可以輸給他了 +我到底... +因為這個世界上你是我最喜歡的人 +球跑到哪裏去了 +總有一天他會變成狼的 +爸爸幾個人在念高中的時候 +是呀... +调音师? +还有那么多人能救 +她不在这 +海洋生物学家托尼 马托将帮助我们揭开它们的秘密 +它将最终从大陆剥离出去形成一个巨大的岛屿 +在乡村最大的一家医院的高级顾问 +我也伤到了膝盖,昨天烟雾也很浓 +- 不用了 +是的,头儿 +吉宇! +嘿! +这些钥匙呢? +置他于死地 +但我们带回了太空飞行中 +雅典娜前辈? +300)\an9}如幸福歌谣 承载冰清玉洁之心 +我也结婚了 +带着骷髅往河边跑 +兵蚁 +- 你有更好的办法吗? +是的 但是我们没有刺客的图像资料 +去希思罗机场 +- 吉冈町上校 +为什么所有对你的指控 你都承认? +那这些沙子是什么意思 +片 名 : +我想還沒 +- 每句都要 +行 +我和这事的关系就这些 +我也希望如此,这是真的 +45万 +你也「感觉」不到,对吧? +你不需要,她就是我们的女儿 +女士们先生们 我们来 +他只是最近才那么做 +我知道了 布莱支 +- 非常明显啊 +不要担心,公民,剑水蚤从未 叮咬过比他多嚼不烂。 +昆图斯Maximilius, +你所剩无几的生命 +别这么做 +你在做一件很勇敢的事 +- 你没告诉她? +你从来没想过我可以做到 +能收藏他的兵器 感到自豪 +没什么. +。 +别过来 +听清楚,柳中尉,这样对你并不利 +没看到吉普车吗? +怎么回事? +- 发生什么事了? +跟你们说? +给我们该死的钥匙! +知道了上来吧 +真是烦人这帮小混混 +要是欺负恩奎的话 你做好死的准备 +-行了 +- 是啊,我也是 +我还有一件事要告诉你 +進浴室去 進去 快 +因為她本來就很嚇人 +你這狗娘養的 +我能讓你回來嗎 +美國陸軍: +- 肌肉抑制素核酸合成引物 +- 对 对的 +妈的 +没什么比得过水 干净的水 +- 你需要我留下来吗? +- 我们该反抗他们! +- 我呢? +但愿如此 +-这个? +贱人! +我们是一号病房 +救我! +要轮流来或一起来? +有多少女人? +不要! +嗨 +这是一个很好的信。 +由莎曼莎李与凯莉瑞丝对 珍克劳与黛安娜威克丝 +-好 +没有 我们想表现得自然点,所以... +格林跳网避开阻挡 +你一出现他就醒了,他很靠得住的 +你那时在那儿,被抓住的那个? +你想赌啥? +受害者的女儿? +可以看到他也一脸的不知所措 +由于阿波罗14号的成功 +你知道 工程师们要做点不一样的事 +噢 我来帮你一把 +- 好的 +什么啊? +这只是做我的工作。 +你居然忘记我最重要的午宴 +先别说我吧 来说点别的 +天啊 我太累了 +无法忍受他继续施舍花时间陪你 +事情不是你想的那样 +-是的 +如果你是昨晚跟我跳舞的那个女孩 +-我能行的 +我们合作吧 +故事都是从怎么开头的? +等一下,你还没告诉我关于我爸爸的事呢 +在我给你送这信的途中... +来吧,给我的钥匙。 +如果你去过... +是我赢吗? +你有体面的穿着... +寄人篱下 莫里斯 学会妥协吧 +我说是因为我的心 +他是一个伟大的作家。 +你在纳帕长大? +请她扶你上楼,然后把这里打扫一下。 +尝起来也是棕色的? +记者会在哪里? +夏Montelena 。 +- 兩個月 +好吧,好吧,我说好了 +? +- 我靠,我靠 +- 他是坏蛋 +那就好,我想出了个计划 +从今往后,我以后才不听你的训话 +如果你是个混蛋,那你的轮回可能是螳螂 +- 戴尔 +闻闻 吸一口 +我看到三个学生从后面回来... +另一个看上去还不错... +不是 这个只是朋友帮忙 +所有的收益 这件事都由她出面 +我們需要有個人在樓頂某處把風 +銀行那邊快要發現了 +是時候釋放出來了 +- 我没有 +我明白我们现在的处境了 我不知道 +应该就只有画师之眼了 +因為我們會在所有人面前比武 +這是你們日本人永遠 都不會明白的道理 +改天吧,好不好? +不送了 +叶师傅... +生死未卜 +但是你怎么样都要吃一点 +我是一个中国人 +被尘灰所覆盖的学校 +这些建筑几乎消失的无影无踪 +而在温和的沙漠气候中则要几十年 +专家通过研究斯芬克斯像 +一只由17个烙铁工人和38个油漆工,组成的队伍 +救命! +粘住了? +来吧 +-对 +有人在吗? +哈啰? +不知道你的叫声好不好听 +是不是... +然后他们还要给你看小女孩的照片 +应该教孩子质疑权威 +我个人对此很有意见 +而且我对此也有过很多质疑 +哈哈哈,小题大作了 什么也没发生 +权利 +人们会说: +对 +你没关对讲机,大家都听到了! +灵魂深处迷失了方向 +与明亮的极冠 +望远镜,已经成为我们前进宇宙探索的船舰了 +它的外观甚至不像一台望远镜 +海尔就在这里首先建造了一台1.5米口径的望远镜 +我砸了街上几户人家的窗户 +你拿去给德克 +先生们,她就是沃恩 +- Tommy开车撞进咱们厂里 +那你尽管去 去尽你他妈的职责 +什么? +新年快乐, wankers ! +老实说 汤姆 在这点上你的猜想和我的一样 +哦 很遗憾 要是你跟我约会的话 +他怎么没选择让你和警察说实话 +我能请你喝一杯吗? +不要说法兰肯斯坦 (大家都认识法兰肯斯坦 囧) +你能帮我叫辆救护车吗? +- 我醒了! +在开始战斗前我们无所事事 +不是我的错. +组织有段时间没整合好. +太受認知所左右 +and food and junk, and so on- 在思想、食品和垃圾的層面上 +保守意識形態的角色 +它是一個人永遠無法到達的過程 它是西西弗斯式的 +久美子 +宗介 哪有小女孩? +怎么能这么对你的亲生爸爸 +我们都这么叫 +而且我们都知道你没地方可去 +我要去准备工作了 +不如报警啦! +是你 让他溺水的 +我搞的? +是的 +哦 +周六起州警及FBI全面搜索... +但我们没法追踪通话 +新来的女孩 +很有趣 我要走了 因为我妹妹要结婚了 +意思就说我还得套个安全套... +你毁了我妹妹的婚礼 +- 没关系 +这就是你的计划? +- 我只是说,你和他拍了张照 +Tank,Tank! +你听起来像Liberace(同性恋名人)的设计师男朋友 +我从未参加过正式舞会 +我爱他 +- 我敢打赌她挺不错的 +- 而我信任了你 +我们每天一起去吃午饭 +Alexis的男朋友 +Ben 我路过你房间 没见到你 +天使什么时候会流血了? +她让我代她跟你问好 +和你的朋友好好玩 +-但我還是一樣 +-琌偿ネ笆 +ぃ琌碭琌次 +-┷硂偿ネ笆 +-不 +"照顾好身体" +-是我 博格 +{\fn幼圆\fs18\bord1\4aHC0\b1}是你! +We found Mr. +are a coward. +{\fnTahoma\fs10\bord1\4aHC0\b0} +- 腊肠? +-你真了解,小姐 +-大圆石 +-不是你 +-噢 甜美的酒 +你吃过了吗 我亲爱的吉娜薇 +哦 你确实看过 +- 是把点38 对吧? +还有不到五年的时间把人送上月球 +现在,我打赌你一定在想 +厄尼・戴维斯给阿奇豪德的观众留下了深刻的印象 +小伙子们,静一静,静一静 请注意,嗨! +操! +正如你能读到那么多页一样 +但是你知道 +并宣称军队已经处于高度戒备 +请待命 +那我们什么时候可以搭你的车 +谈到了在你们的时间线里 我处理了一个 +谢谢你们的支持! +我没有好好地保护你,这是我的错! +我们不可以伤害它,把它放生,好不好? +作为美国人 这是我们的责任来履行这一项义务. +如果她可以她可以,她就会在一个月前就确定结果. +我在想, 10 年前 +- 截至日已经到了 +我们只落后1,784张 +5个律师和Joe Allbaugh? +除非他们要求我们的意见 +同意 +Bush从Florida的计票程序里脱身了 +我们赢了! +当然了, 由你决定, 但是我觉得你做的很好 +加3票. +- 第二排 +看起来像是成功了 但 我看来 +他们两人第一次单独相处 +谢谢。 +根据Gabrielle的名字。 +不,实际上, 我对你说... +其实你不知道你有多幸运 You don't know how lucky you are. +8 +- 玛妮? +- 地下室 那就是你待的地方? +拷问你的灵魂 +从我的书架上拿的 +很快的 +- 你是跟阿德勒先生一块来的吗? +- 你在耍我 +救命啊 +我想说得是 +我决定无论发生什么都不会逃避 +相反他们还会让你走更多弯路 +可现在... +- 你懂了吗? +- 你在吃什么呢? +简直就是杀人魔 +- 意外死亡 +电影与一马吗? +露西的恶魔! +我来看看 你喜欢你的新垫。 +我被感染了 Infected me with it. +我们两人也一样 +- 是的 +那就3點10分見? +- 你去過他的拖車? +包括了各種背景的研究生... +要輸液管、血液化驗、電解液和理療 +你看到每个人善良的一面,雷 +- 今晚? +(从我这点上观察,能看到3个... +她新闻看太多了 +大家都爱吃冰激凌, 可也不能这么抢啊,老兄 +好吧 那这个呢 叫瓦尔特的灰鲸鱼 +600多次民事传讯你都不来 +惊动了警察 +我觉得你可以少花些时间练习 +- 不属于你管辖啊? +没有啊,她还处于镇定状态 +我们是一家人 +"我们逐渐发现当你脱离社会, +我们好好商量一下 +-我们还记得三年以前 +虽然金色头盔 用甲鱼做的 我建议 +莫尼亚 我看你康复了 +-不 +我也向你学会了一些东西 +得了 宝贝 我想喝点酒 +给你 看看? +-她抡的拳头! +- 有一个人用他就会拿到一角钱 +- 是个很重要的电话 +我不知道 你的短裤多少号 梅丽莎? +托马斯先生 +他们会拆散我们,把我安排到国王可以找到的地方 +那男的必须象事先安排的回诺森伯兰同Talbot结婚. 你会被送到法国,等你懂事才能回来 +向她学着点. +谢谢,但我得回乡下去了. +Henry国王同天主教断绝关系彻底地改变了英格兰 Mary嫁给了Stafford从此过上了远离宫廷的幸福生活 +那穿鞋子岂不是很傻? +不客气 +蕾切尔看上去没那么糟 +总是保不住自己的饭碗 又爱迟到 +你是说 现在不用? +不过 其实我是景观设计师 而且我也不是为你而来的 +送我到家的 +皮德罗 +你对一位老女士做了件坏事 +经常是这样的 +我知道 我知道 +出现了全新的鹦鹉种类 +数百万年前 +阿富汗商人引进稻田瓜喂养骆驼 +这就需要一场雷雨 +我们说话之时 Scylla可正从我们的指缝中溜走 +准备好了? +你说过借给我三个星期的 +是的 +我的孩子 你有忏悔之意吗 My child,do you have a confession? +哭有时 A time to weep, +- 诺曼? +我要你到外面去帮着擦车 +艾莉西亚前辈? +是啊 +我觉得还是不卖超市比较好. +而被他咬到的人,很快会变成僵尸 +不要打脸... +他又在警察局门口小便 +我的化妆跟你有什么关系? +什么? +好极了 真的 我们很好 +想办法救你自己吧 +他有很强的使命感 +这情势已失信於天下苍生 +是杀了你父亲的人 +下次节目再见 +姑娘 跟着我吧 +重点是漂亮的宝宝Rose +好点了 +我恨死你 +而我对那个一窍不通 +人数又涨了? +这个新娘和新郎的事情 +谢谢 +医生说这个不安全或什么的吗? +这样我就可以不再收到他的邮件了 +他是个坏男人 +他就像五年前的我 那时我的区码还是917 +有来就有去 对吗? +晚上9: +我很冷静,妈的! +我看看 +再见,宝贝. +他们只是好奇. +我来吧. +那个. +很好看呢 +可怜的乔治 你变得毫无主见了吗? +去和你的妹妹再谈一次! +Are you saying you want me to kill them? +-You are far too high +大家都这么说 +我老婆都在旁边,对不起 +没办法了 我去吧 +谢谢 +有大量的微生物 没有盐分 +就是说Christine代替了她母亲 +失陪一下 +好,这样也许比较好 +这不公平! +是绝对不能允许的 +不知道您察觉到没有 +-Dog? +我倒不希望你过份热衷于此 +那么 死到临头有什么感受? +大力拥抱! +- 我的老爹啊 唷 别告诉我爸啊! +- +你把他欺负至死了 +你太受欢迎了! +听着,翔 +杉原电机 +- 哦,伙计,有一大堆呢 +我最钦佩他 I admire him the most. +-欢迎你来罗马 +珍不需要那些有关 Jane does not need to be lectured +但是在这里可不行,对吧? +-是吗? +-为什么? +又跟他对上了 +他们开创了 +赛车世界是否改变并不重要 重要的是... +内燃机 +速度在这里反而退居二线 +那就是光速 +貌似这违反了健康常规吧? +光年是个长度单位 不是时间单位 +我的天啊 +混蛋 +他是谁? +我记得他们 +别担心,小弟 +谢谢 +直到现在我都清楚地记得那天的事 +直到今天晚些时候 +谢谢大家 +我们要走了,同学们,来吧 +你愿意告诉我 你是怎样顶住那台车了吗? +- 我换泳衣了,你还穿外套 +我很高興你終於來了 +我想要殺你 +我以前去的那個學校 有一個這樣的拱門 +为了让你免于给吸血鬼吹箫 我想到的只有这招了 +- 好吧 等我享受完了再见吧 +过来 躺下 我给你看点儿东西 +只吃原生 未经加工的 +我爱你 +信不信由你 你让我意识到 我也是群居动物 +但是这个... +有趣的夜晚 哈 Sook? +得到的一些东西将看到 与这一切? +当他们叫我们 凯特 +你必须非常小心, 因为它很容易切 +对我而言男人都是差劲的 +最近都没有来没事吧 +拥有爱 +我记得的! +所以要去寻找悲伤的原因 +爸爸变回以前那个温和的神父了 +这个女孩就这么冒冒失失的闯进我家 +等等,佐素黎 +一切期望的东西 +对不起,长官 +我要这确实记录起来! +- 到出口那边,走 +门开着! +帮助在越南的帝国主义战争 +- 欢迎来到营地! +手举起来! +他还叫我屁脸 +首先我起身 跟对方做眼神接触 +他们以后不敢再随便惹我们了 +乔跑哪去了? +别让恐惧或低体温症 +实际上我现在不想去. +在挪威 +找到 ... +为什么? +等一下 +另外一个在美国总统女儿的手上 +是吗? +放手! +当然了! +这跟 呣 一种特殊的感觉有关 +你通常很了解我 但这次你错了 +我却不清楚他具体去了什么地方 +我们会定期见面的 +- 就这么简单? +如果他同意了 不能让人知道你曾是医生... +开始了 +子弹一定是从那房子里出来的 +在这等着 +要我们去做爆后评估 +- 恩 +用手电筒,3点钟方向 +-没有 +同性恋 异性恋 只要有关性的方面 +爱奥纳 除了喂她吃东西 +我可没捣乱 +真是 你真是太好了 +有部分是我的错... +波霸健身房开门了 就是冲你来的 +我想要真诚点... +没错,晚安. +我怎麼可能走呢 +我只是打個比方而已啊 +你救了我 謝謝你湯川 +從事營業或者事務工作 +看看在带子上的商标 {\cHFFFFFF}{\3cH111111}{\4cH111111}Look at the label on the ribbon. +-- +- +- 等等 +110的"1"应该是697Hz和1209Hz +才会害怕同样拥有绝对音感的人 +希望我成为2年后建成的堂本音乐厅的馆长 +那都是由钢筋混凝土建造而成 都是钢门,没有窗户 +时间充裕 +- 说谎,阿道夫・希特勒死了 +有些话我忍了很久了 +到德国右翼的重要据点 +我方可能会失去三年来所占领的 +为什么? +- 他們去哪? +供給不足持續削弱我們的主力部隊 +布蘭特上校和副參謀伯格重傷 +{\fs16\bord2\shad2\pos(80,230)\1cH418BFC}1944年6月7日 +- 好 +请让他回电话 我等着 +违背曾作出诺言 汉斯 ... +元首违背了和平繁荣的承诺... +我们必须改道美佐那,加入第21装甲师 +- 这对我们有什么用? +是格德勒的意思,对吗? +- 戈培尔部长? +密谋除掉我 +上車 開車吧 +阿特爾•巴伯爾斯貝格電影有限公司製作 +對,引信 +-喂? +傳出去,有消息繼續通知我 +我是值日官布拉德 +我们正在等待命令 +#彷彿變得堅不可摧# +留下的這些 +那你请了谁? +Stavros +魅力无限! +是的 +真的 +嘿! +万事皆有善面在 +- +雨中的歡聲笑語 +為什麼要浪費一個美好的婚禮呢? +我的天啊! +- 索菲,这戒指太漂亮了 +- 是唐娜 +行吗? +- 我可能会后悔,但,行,我保证 +哎,唐娜,你一人保守秘密这么多年了 +忽然间我感觉良好 +昨晚,我知道了件美好的事 +看那个女孩 +随你 +- 是吗 +你就可以进去开始调查 +從沒見過他 +Please don't! +算了吧,奉勸你別去招惹他 +是的,你沒死 +-lulla 聽著搖籃歌,我們說晚安 +这些鱼有很长的绪 能够飞起来 +你父母怎样 +吃我一枪吧! +要记帐吗? +我很遗憾 +在这个美国城市里 +大约有三千到四千非法移民在我们的国家 +没有钱,我们算是个什么呢? +现在,向我保证... +期末考的压力很大,所以... +爱是短暂的婚姻 泰森与吉文斯最终的结局 +泰森几乎无法移动 道格拉斯可以随意打出一二连击的组合拳 +我喜欢听到人们谈起过去的我 +你逐渐习惯了独处 习惯了自言自语 +做点什么 +你是话题人物 +你害我陷得太深 +你今晚在这里的唯一目的是... +我也不乎你回家 +為什麼不給他插胸管 +那這件事上你站在伊茲這一邊 不理我的感受 +你说什么? +我不知你能帮我什么忙 +笵或暗穦耕 +礛τ贱角禨,常Τ﹚ǎ +Well... +What's more, if you read the book again in 10 years, it will change again, +I should go digital, but I can't really understand that stuff. +So, at least I would like to know, +- Then teach me. +Listening to your endless naval gazing, your moaning about Kenny, the father +你问问林肯他看到的到底是什么 +应该是完全没有问题的 +美國西南城市) +放松点 +就这些么? +八年前 , 当你在 开 车时... +-不行 +你是聰明人,快收手 +都準備好了嗎 +向右! +你是对的,的确想 +我们正接近"真相"了,弗兰克 +她在和谁见面吗? +别弄死了 +Get him! +我当时不想结婚 +那么对于这些扎克是怎么想的 +或许那里会有陆上电话 +我要打屁股了 我现在就打 +我掉了半条命才回到这里! +你肯定也经常... +因为迪斯尼乐园太烂了? +神应该是非常有人情味的 +是一种自然发生的现象 +会有一种感觉 +- 好吧, 我... +- 这就是事发地点. +你说, "任何担心我言论的人 +对不起. +破坏性的事业上, +站出来声明自己的观点. +好吧 嘿,我的钱包! +你要求持有异议的权利 +有兩件事完全不符 那就是 +是的,我知道,地獄種種 +這些都很傻 但你加上一個水的類比 +-不不不 +哦 宝贝 +亲爱的潘! +那么你今天是来商量上班的事? +我听不到了 什么? +你的脸怎么了? +当我跟其它人聊着,我怎么感觉你是最好的? +你没死 +也混个议员当当 +我们不需要这个 +我也可以帮你安排这些。 +- 96%. +- 这可是重点 +我想这个案子我们收不到调查费了 +- 我不知道是不是 +他是Omar Anoke将军 人见人爱的星际元帅 +为什么? +走上楼梯, 找到它。 +这是属于你的时刻。 +我才不冷静呢. +朋友对朋友, +我小的朋友给我看了。 +不,你需要贾雷特 采取这些。 +雲海 我不太會說話 +保重 別喝太醉 +沒辦法 不過別擔心 沒事的 不然怎樣? +你始終是好高騖遠 +因为水的盐份太高 没有鱼能生存 +爱你的 和被你深爱过的 +我希望看到所有的步骤 +帶同這個皇帝一起出發 +立刻赶到生死门,看看他们的情况如何 +拜托 第一天上班 都准备好了? +他昨晚在电台可是形象全毁 +有点... +好 我是说 我以为今晚 +或许我该在胸前绑个炸弹 你们才能注意到我 +不 +上帝呀 真荒谬! +这只是堵该死的墙 Malcolm +他有自己的小槍小炮... +不需要! +一边留给克拉克女士 一边给五角大楼代表团 +首相,他要你... +当然,我完全同意你的看法 +你知道他和华盛顿的一个书呆子有染吗? +我的身体成为一种武器 +不 暫停 你搞砸了 女士 我是警衛隊長 不要搞錯 +就他 +在購物中心一整天 受夠了他 +別亂跑 +好 +不知 +想不想一起来 +- 你是谁? +我们能够往前走,往反方向走 +不,我不是 +- 哦,我的天哪 +能讓人足足睡上十分鐘 +對不起 +- 信任 +為了收集欠商店信用卡上未還清的 +- 3美元 +我知道 行吗? +- 瑞贝卡・布鲁伍德 +好极了 +这比FTSE指数还猛,那也就是一星期20% +罗斯,我们快走... +我怎么知道? +你父亲一直都怪怪的 +保持这个姿势 +强尼说每个人都应该注意仪表 弗朗茨 +而且好得快 +今日听君歌一曲 +{\1cH00FFFF}我往別的地方看, 你就將我跟他們都錄下來吧 +好啦 好啦 +怎么回事 +еǐ +猌и蛤弧筁 厩琌刮挡 +還有唱片啊 蠟燭什麼的... +瓳 胊 硂琌╣跑! +笆! +ㄓ! +快点 该走了 都出来吧 +儿子 +加满油后 +我帮不了你 +等等,我能旁听吗? +{\3cH202020}Is it? +dean. +-能把那个放下吗 +-天呢 它们现在爬的到处都是 +-是蠕虫病毒码 +it is. +locate the main network core +身穿特殊外衣 +我已经在想他了 +谢谢你今天晚上的到来,达尔文 +这个秘密是任何成功家庭的核心力量: +为政府 +我去叫部计程车 +他有没有好一点? +- 果汁 +當然有打,妳沒聽到留言? +死玻璃 +我们最好打119 +为精彩人生添上一笔 +"去你的" +先生,什么事我都能搞不定 +我从来没见过那个贱人 +谢了 +注意! +我可不会介意 +你那时还是婴儿 但是 +好吧 抱歉 但我觉得有点不自在 +放在我车的后备箱里 +Running low at home. +- 杀光他们! +- 我没有拿 +而且我想要他们的那个小妞 +炒他鱿鱼 +才不是我的錯 +另加10個站他身后的混蛋,老兄 +我誰也不怕 +大概兩年前 +巴蒂是他的得力幫手 +這他媽好玩? +看看,我讓你做一件簡單的事 而你一樣把它搞砸了 +-有了 车子 +她很纯洁 +是的 +友谊和生意的界限一向是模糊的 +考虑到指控的严重性 检方反对保释 +那我去调查下Brian这人的品性 +我猜未经允许 检察院也不会让我们进 +计费工作小时 +早期月球对地球的引力 +滚 +世界真奇妙 "This world's so round." +同意向我们移交东北三省了 +一下子就让出去八个 +看见看不见的没关系 +谢谢主席 +还有豆子在哪里? +为什么? +"费基威" +生命都是神圣的 要是有人自杀 那是很可悲的 +我不了解我 +她唱得真好听 +- 都同意吧? +迈克 +爸爸! +但是让别人接受就没那么简单了,对吧? +对于你,我的孩子,只有好好生活 +這邊 +鑑證科說泰哥被推落樓之前 +不行! +你看你的樣子,像什麼? +你為什麼要說謊? +我就说我们应该唱 《妈妈说打昏你》 +我得走了,我必须去保贝琪出狱 +每年春天 这地方就像唇疱疹般发作 +我们还剩两天可以玩 对吧,茱蒂? +我是丹! +-你又准备了迷你腊肠! +有兔子吗? +有哦 +小滴 +你看 +嗯 +也去那边看看吧嗯 +一看到有人 +你长大了 +走昴 +东边太阳升起的地方 +绕到河流下游叫孩子们 +這是傑奇 That's Jacky. +- Sweetheart... +我要一切和原來一樣 For everything to stay the way it was. +如果想要完整版下載,評論區"可能"放出鏈接 +至少我不用整理行裝 對吧Becky? +- 我是說市裡的家! +这是我们的秘密我的朋友,秘密就是不能说 明白不? +你跟我来? +你刚才想掐死我,还记得吗? +我躲起来,看到了另一个自己 +你个臭 +我还有个儿子 +如果外面有萝丝的东西 +她当时在玩玩具 +诚然这是个悲剧,但... +特征又会是什么呢 +你在干什么 +或者为了记录 +我恐怕不认识 +我们找到了可能是 +不过 我还有另一个Friend +很快很快的开了一家主题吃鸡的专门店 +先把橙吃了吧 +坐下摆摆龙门阵 Sit down while I take a whiz. +和当时在排队时真实发生的事 +不准动! +- Michael 你八岁的时候... +就那儿的 +好呀. +见面礼无所谓. +那天不知怎么搞. +你算什么? +- 我以为你死了 +希望如此,我喜欢僵尸 +没有,我没抽烟 +今天的节目来宾是兰斯・克莱顿先生 +达成协议了吗? +闪登君明明都在努力着 +我不想通过电话告诉你 +谢谢 +- 不 +- 那是被诅咒的... +你怎么看 Hotch? +- 来一句 妈的 会! +缉毒署... +因為你是個瘋子 變態狗屎 +而且她的母亲非常好。 +我去上学时看到尤伦卡跟班主任在老大楼里面 +- 哦, 很有趣 +- 酷 +让你失望了。 +能帮你什么吗? +我们从房顶上进去 +谁知道答案 新生入学手册里有提到过 {\b0\shad1\fs14\fn微软雅黑\3cH202020}Who knows this? +God! +-Pop quiz. +huh? +I believe he's staring at me. +你为什么没进狐狸和猎犬之屋? +萨米 {\b0\shad1\fs14\fn微软雅黑\3cH202020}Sammy! +-Amen. +where are the tight ends? +it does this time. +有生之年不用再洗一只盘子 +总觉得轻松一点了 +这是什么? +这里不能有摄影机 +闭嘴! +フ硂Τ璶 +好了 最后一个部件 +我是个拥有工程学硕士的大爷们 +他名叫Monte +我们可以再来一遍 +谢谢 +我不是指专业余比赛 我说的是美国摇摆舞公开锦标赛 +别让我感到内疚 +很好 你跟她一起比不会赢的 你的舞技不够精湛 +你听到了 +他不认为我们会赢 +-不行 +是啊... +-怎么补救? +拉加 +但很不幸 +正品意大利皮革 手工制作 +- 不,不,不用了 +再也沒有蠢貨說它是垃圾古董表了 +錯 +為什麼? +院长 这两个词压根儿不存在 +我们不会放弃你 +只要你没事就好 +你不要只是嘴上说说 +跟着一些坏人混 +即时通讯资源定位 +那是什么 +草人兄啊 你别再打鼓了 +喜欢抓蝴蝶 抓了又放 +向曹操的主舰 前进 +只要你跪下我就可以不杀小乔 我们不会让你伤害她 +丞相 +你是个好农夫吗 +我只能说,我很遗憾,一个人失去了生命 +它们能看到你跳动的心脏 +我想那是只旱獭 +救命... +求你... +给我锁匙 +- 跟我说实话! +活动下胳膊 +让你缓缓神 +... +我们会变成百万富翁 +不会的 +和我一起长大的乡亲 +玛丽. +你知道咱们现在在哪儿吗 +我在戒毒 你也知道的 大麻会... +1982年 盗窃汽车 +反應太慢了! +這傢伙無所不能 (Houdini +去另一個凳子上 +跑! +...從父親傳給兒子 缽山之間。 +它... +是的,當然。 +你要学会喜欢马术 +太棒了 还说我是醉鬼 +我不跟你计较 你平静以后就下来 +什么 刚刚坐电梯的时候被困在里面了 +是第一个 +亨植 +我答应过你爸爸 +妈妈 丢下我跑了 +你别白费工夫了 +你这脾气怎么这么 +听着... +凯拉, 事情没有那么简单 她的能力太特殊了,非常的美 +- 他说那是个圣地 +- 早上好 +那些人都是好人 +你与芒森将军的死有关 +-不想 +睡得好吗 +我 +他是怎么愈合 +發燒而已,不高 +凱拉! +双吉他同时奏出合音 +我在考虑转学 +最勇敢的我 +嘿 罗利 你想听威尔的歌吗 +你是谁 +弄坏了吗 +你刚才不是都讲完了吗? +你说什么呢? +要是那样的话 我们会很没面子啊 参事官 +接待会的准备工作可是花了大半年的时间啊 +人事调动方面 +他就笑笑而已 +电视新闻上全是那个 干的漂亮 +好吧 +你给我闭嘴! +-=YTET +和比我又大又小的前男友 +这里是最适合产卵的地方 +好了 最后一次 +暂时? +如果你感到有强烈的荷尔蒙反应 就说明你戴的时间太长了 +快乐 +我想再发一封电报 谢谢 +不好意思 +奇怪,沒人這樣問過我 +不會那麼快,她負擔不起 +我也只知道这么多 +RB部队成功攻陷基地 +对了 祥子 +300)}不知不覺間 又在想你 +200)}摩托车和机器人合体而成的产物 这样解释比较好吧 +参加者请到这里来集合 +00: +看来是个错误 +你有什么想法呢? +她可能很擅长引诱 事业有成 不擅社交的男人 +对 就是他 很诡异 哈? +我知道 +我希望我不是提琴手 因为我小的时候 +她自己有钥匙。 +你对"恋童癖者"这个术语了解吗,乔治? +如果我早些知道, +我真的不记得了。 +锻练我们的臀部和腹肌 +有一杯不太满 +我们在干嘛! +船到桥头自然直 +(进入海顿田镇中) +-我想要狂欢 +拜托! +- +尽管如此 他们的位置并不固定 +- 我不想错过 +如果你们不介意... +看到了吗? +。 +莫非就在这些人中间... +这里不怎么样 +没有空气和水,什么都没 +你听好,你不会爱,别再爱我了 +但他们又回来了,过着与 中世纪的修道士同样的生活。 +请求被驳回 +- 什麽? +欧尔森 锁定目标 +收到 改变航线 +指挥部不愿暴露方位 +我之前从没开过 +现在可以放我下来了吧 +天网边界 北门 +认真听 +不是陌生人 +好吧,那我们怎么办? +升级? +快 快 快点! +呃 看在我的面子上 +如果发生了什么奇异事件 通常都是Helen在幕后操纵 +- 只要能找到我的太阳眼镜就好了 +他只是说"和我一起离开",他很固执 +我喜欢你闭嘴 +- 雅克,住手 +很难去说服他们,所以想成功更难 +Billie Jean is not my lover +You know it, you know it, you know it, you know +不能讓它自己跑出來 +(3月到6月 排演過程的片段) +然後舞台會出現光圈 他就走到舞台中央的光圈 +你的爸爸湿婆神从不听我的 +辫子就像刀刃, 大笨象快走开 +我现在又有什么? +Sidhu? +你整晚去哪了? +要怎样才能知道一个人爱上你了? +他却不见了,大家扑了个空 +你非常清楚地知道,试图 我将这个故事... +他不是我愛的人 +- 跟谁? +- 是吗? +祖伊很不错, 我们的性生活也很和谐 +皮特,'尝试'代表你有失败的打算 +巴里! +и临璶狹槽 +-- +莉莉丝 {\3cH202020}Lilith... +- 耶,有过一次 +快他妈离开这 +都是他妈的恶魔! +如果他们深刻了解骑士所代表的涵义 看上去他们真的了解.. +盖帝! +红翼 +三个 都在楼下 +最恐怖的就是战争了 其实还有死亡 +想不出你为何在这? +- 關于真菌的 +迪克! +- 我知道你喜欢这想法 +我们以为我们安排她在外太久了 她已经脱线了 +- 我们很镇定,对吗? +-两千万? +我只好在机场等一晚上 +10天,就是最后期限 +我不指望你能够解开所有的谜团,只求你试试看 +- 早安 +那些收据帐单的话,那我们就可以用来起诉他了 +寒山一带 校对: +除非有人需要我帮忙修复壁画 +- 不,你非常非常... +我不想第一天就被波莱特骂 +来吧! +好的 +- 好 +它离开我太久了 +- 真的? +真是個娘們! +真抱歉 +- 我是麗莎 +是的,他就在這兒 +- 你什么時候看到的,瑞奇? +冒險樂園 +呀——! +... +人 我相信人们会读的 +如果你想找 串烤肉(牛猪肉交叉串成的烤肉) +我们都嫁给了一个非常好的男人 +绝妙十四行诗 +比独活50年更开心 +他才思敏捷 +我们确实计划拜访很多人 +你知道吗? +我做了个恶梦 +该从睡梦中醒来 +这是最奇怪的一点 +原来那就是他的工具... +这是我一手造成的 预知未来会毁掉我们 +给我说! +我觉得这应该不仅仅是送货服务吧 +是我们自己 +那要怎么样? +我们再说一次,您的电视机没有任何问题 +罗夏日记 +我们的日子不多了 +我不知道你说什么 +"救救我们!" +一场核战争就会爆发 +在警员罢工结束之前 我们是来恢复社会秩序的 +啊,是啊,糟糕 +早就該知道你只需要一對動人的雙腿來激勵 +哦,我的天啊 +代表了過去兩千年裡人類夢想的頂峰 +你入獄的時候,我才能更好的行動 +请用你那慈爱的耳,聆听我们的祷告... +管它呢,我正好心情坏 +而我却不会变化 +这不可能,哦,上帝 这不可能 +- 交給誰了? +你可能刺破橫膈膜的 +Candy小妖 泉雋戈泓 小benben 默默漠漠 mmowen 校對: +洛杉矶在哪儿? +我这里有个技术性的难题 +不过那里太脏了 +- 不必了 +- 没人会偷你这些破玩意儿 +我知道我的神是谁! +- 瑪麗 +我們有個兒子,托馬斯 他現在上大學了 +- 這周圍還有其他人住... +- 那好,還記得你說過... +我覺得這是好事 起碼他回來了 身體也恢復了 +以此来骗取信任? +我们不能够误解的就是... +我们关于外星生物的的雕塑 +但依靠的是外来星球的 科学技术帮助完成的 +我们现在也游行 我们不再向卡尔・瓦伊诺挥手示意,他也不再向我们挥手 +末端20厘米? +除非他有什麼精神或道德缺陷 +-抬頭眼睛朝前看 +-是的 +可是给她做的那些人 +那个不适合...电话里讲 +谢谢老板 +你现在 +那就別讓他離開了 +忍辱负重的回报 +没有陈社长 +停手 +不行 绝对不行 +我告诉你没什么事 +很明显他的语速加快了 +老爹,你来这里干嘛? +他确实在那人肚皮上刻了 +- 我们来这找Georgie +梦到我回到Chino监狱 +- 怎么呢? +大家都镇定 没关系的 +你在时装表演上尖叫 +就是这里 这就是齐吉礼拜堂 +但是有五条路线 +旅途还顺利吧? +然后他说: +- 嗨 尼莫 +感觉就像 一切都很不真实 +- 妈妈 +- 我被炒鱿鱼了? +- 吉姆,见到你很高兴 +不知道你有没有找到人 陪你一起步入婚礼殿堂 +干嘛还要问为什么啊? +我要跟他谈谈 +是1000万英里 +从技术上来说,我觉得不用 +没,我没租了 那你买房子了? +告诉我你要什么 +你讓我受驚了 我都不知道因為啥 +15號在俄克拉荷馬市 +- 沒有 她挺沮喪的 +请仔细看看 这里有你想知道的答案 +我们运动得越慢 死得越快 +- 不 我什么都不记得了 +你叫谁"小崽子"? +对蒙特雷的安吉尔马西亚斯。 +嘿,伙计们。 +Breathless ? +我从没见过一个少棒捕手 +一边支配着地球 +好的 搞定了 +什么? +你的脸怎么了? +贏得了戰爭 +回答这个问题 我们必须先问自己 +-扂岆蹕畛佴ㄐ +好吧,听着,我有个计划,行了吧 +《费城永远阳光灿烂》 第五季 第6集 完 谢谢观赏 +- 是的 +- 九头蛇 +我正被拖向一个放置扣留物品的空地 +走进我们家 阻止我爸杀死任何人 +我想知道 你为什么不愿意回小岛 +- 不,你不能放手! +怎么样 +我认出它是因为我独一无二的参照小本子 +你把纸巾垫在鞋底来让你看起来更高 +那个男的,不得不放弃了 +好了 我们走吧 +不 +不 +管它呢,我正好心情坏 +- 是的 +不 我现在整天跟数字为伍 +-别这样,她不是故意的 +-Scott +Seconal. +I don't know where I saw that. +孩子,听我说 Hey, listen to me, kid. +怎么了? +放轻松好吗,我来搞定 +要把车厢和车头的连接处用铁棍分离开 +推,推啊! +她遇到了意外 +爸爸 你深爱着母亲 +怎麽把自己关起来呢? +别想他,想我抱着你 +what was it that killed the guy? +我们不能两次跨入同一条河流 {\cHFFFFFF}{\3cH111111}{\4cH111111}We can't just fall into the same rut. +but... +我是喜欢猜谜 +你好 Frederic女士 +你哪里弄来的? +我们把那个乡巴佬抓了个现行 +你和她过夜了吗? +但你可能都见过了 +没人在家 +噢,糖 现在怎么办? +片名: +你认为会是谁 +但是不能卖给你 +你在干什么? +哎,所以当年你离开我家 +掌控海洋,就等于掌控世界 +有人想穿鲨鱼皮鞋吗? +{\1cHFF8000}确认开火 +{\1cHFF8000} +{\1cHFF8000}能让它们拚死的地方 +濒临绝种的? +只做这一行 +另一个人说过什么 +你那么清楚他的为人 +大哥你要快点啊! +对不起... +- 那是你告诉我的 +那不再是我们的问题了 +没人敢动他 +我和这几个人有事商量 +出什么事了,亲爱的 +史卡森先生作证时我也在场 +不是的 国际商业信贷金控 是金控公司 +到时我要看一些书面文件 +他们会撤销订单 而国际商业信贷银行就会破产倒闭 +还是跟机器谈恋爱? +别跑! +下来! +你不能抓我的人 +他 他说你们又脏又吵 +你们一共几个人 +為什麽連你也這樣做 +片名: +問的很好 +在這兒,放下來! +幫我兄弟一下怎么樣? +你知道一个保安如果放松了 会有什么后果吗? +咖啡店? +厌倦了看着那些破旧垃圾了,是吗? +还记得我告诉过你 他们下个礼拜要转移展品吗? +他人怎么样? +博士 +叔叔戴夫留下来吗? +是啊,谁赢得了通行证。 +我明白了。 +当他说,他会见了克里斯克拉克? +也不管我们的残酷 面对 +本? +快! +在开阔的马路上,什么都有,除了我们自己 +喂,喂 +比如说摔倒在某个人的刀上五、六十次? +我看不懂,我读不了这图 +还有你别先就放弃了你的研究 +不 +這下輕鬆了 +-别再这么做了 +-好 +剧本就想是地图,但是地图... +或许你只是想让我仓皇失措,因为... +-好的 +要不我去找那個小賤人 她叫什麼來著 告訴她你多愛她 +這麼說 你和Yang? +... +那么这不是个威胁了? +他会不会强奸她? +欧文,你还好吗? +爱丽丝没有创造替代品的能力 +你在胡說什麼? +-去你的! +是郵輪上的酒保 你們這些人是怎麼搞的? +正中靶心! +漂亮 +哈利路亚,菲尔终于说了一句人话 +- 當然可以 +好,過來,轉身 +- 小伙子 +是琳達和我給你們的結婚禮物 +道格可能在醫院,可能受傷了 +我們在釀酒廠,那是山羊的聲音 +你手气不错,他就跟你的牌 +喂? +这系统叫做能力下降 +一定会找到的 +50)}抓紧这一切 +-- +我去看一下泳衣 +才不像呢 +50)}向着未知的未来 +非常优秀的示范 +早知道就涂她个一头一脸了 +今天是收录了这首曲子的专辑的发售日 +120)}这份思念正闪耀着光芒 +别... +我是来做个了结的 +真是千钧一发啊 +寄出方说出来怎么办啊 +补充水分是必须的哦 +我倒是蛮喜欢你的 +50)}身体中を 光の速さで 駆け巡った 確かな予感 +这么说来应该对能力方面也很熟悉吧 +那样的话... +这样太狡猾了 +为什么要去那种地方呢 +-我告诉过你别来看这种电影 +您的私人大厨报道 长官 +我的愿望就是命令 +事实上 这对他是恭维了 +但是文森特正是拿着这顶头盔 But Vincent was holding the helmet. +在没有你的时候 {\fs16\1cHFFB973\3cHFF0000}I'm not having you on. +我想说的是... +你说什么 +文森特努力保护自己 {\fs16\1cHFFB973\3cHFF0000}Vincent tried to defend himself +如何成为人中龙凤 +把他带过来 +谁都不希望看到你这样 尤其是路易莎 +完美 +你想看到它滑落下来吗? +这是我夫人 路易莎 +我需要你 +没有哪里 就这里 我散步 只要能散步就行 +我不知道啊 我只记得我们昨晚在加油站 +天鹅站是负责研究电磁学 +我们现在有了宝宝 +萨伊德不会说的 +- 还不晓得呢 +he lost. +-不要这样做! +我们不能停 +非常相似 +干得好, Jedediah +我们会把你弄到你朋友那去的 戴利先生 +-放了他 +我早上有个紧急会议 +现在取消所有发射计划 +- 直接一点,皇帝 +表演歌剧吗? +- 来啊.. +上面说一旦解开法老王墓穴中心的秘密 就可以找到密码 +你的漫画给别人看过吗 +只是脚起水泡,敷点药就好 +快起来! +怪了 +吉豆! +这真是太好笑了 +才能让我终于明白 +你們逃離了殭屍之地,穿過了整個國家 +但很快,他也顯示出了一個十分明顯的弱點 +提到殭屍的時候,塔拉哈西有一種變態的幽默感 +我看得出她明白我的感受 +呀! +哇 +是啊 我知道 但我现在想的是... +没得选择了。 +警报被触发了。 +我们自己的绿色贝雷帽 训练出来的这群垃圾 +- 有什么事么 +我们交火了 +我不懂,为什么我看见自己? +她事实上 是第23位受害者 +我只需要几分钟 +一定是镇外的 旧化学工厂 +直到我... +看起来像是废弃的磨坊 +好的。 +看著 +嘿 +他什么地方让你这么喜欢? +-我死定了 +好 +怎么了 +过后就没事了 +那么 也许我们晚点再跟你聊吧 +- 嗯 水就好了 +喂她吃 喂她吃啊! +你也该知道 你这样是不合法的 +Tembisa的居民为了把外星人 从他们的小镇上赶走 +喂... +我的手怎么了 医生 +他们哪去了? +开车! +你到这里,然后你拿着 本属于我的东西走了 +我不知道 +我们检查另一边 托马斯! +还看到过你们有外星人的武器 非常强大的武器 +他們非常不健康 看起來精神恍惚 +算了吧,沒用了,太晚了 +還看到過你們有外星人的武器 非常強大的武器 +Keep the gun on him, Thomas, there's weapons here! +好 伙计们! +真是个惊喜 老兄! +It's none of your business. +别停下 你这个胆小鬼! +哦 宝贝儿 为啥讨厌你 他们可清楚得很 +给我滚蛋 +好吧,周五见 +该宋了 +你妻子是干什么的? +- 祝一切顺利 +请别误会 +那效果没谁能比得过 +有个女儿 +你怀疑我是否坦诚 +这都只是你偏执的 +噢,乖宝贝倒垃圾啊 +性感和幽默感,你都占了,克莱尔 +再见 再见 +我要查查提华纳市这个号的机主 +抱歉 我得去把她放下 很高兴见到您 +你有没有替我想想? +你也知道这种事是骗不了的 +是,长官 +没想到我话还没说,他就拿起电话 +大不了我跟你合伙把他的货全吃下来 +用你的专业呀大哥 +我来介绍 +二十五号有六千万美金从南美过来 +俴徽ㄛ脹頗嫁庣悼斕 +斕赻撩鎗桲儂滄徹# +郅郅ㄛ郅郅跪弇 +从这分钟开始,请大家提起精神 +赶着去哪里啊? +你们在讨论什么 各位? +真好玩 +-好了 +「柳橙汁」 +本片纯属虚构 +他们说你不会来 +"期望" "现实" +你们给我都闭嘴 +又不是我写的这歌! +我还是没有完全想好. +我呢, 他都没提到我吗? +利亚? +我不需要告诉你, 同样的方式,你不告诉我。 +我知道。 +我们对那孩子了解什么? +我开始天天说实话 +我是說 你不能敷衍了事 +是的 我 呃 我開車扎進了一輛冰淇淋貨車 +但最终他会娶一个女人 他永远都不可能像你爱他那样去爱你 +将会对韩半岛的统一产生很大影响 +回忆起映着我的脸的你的双眸 +是谁弯下、举起、搬运、弄伤背的 +抓住他的手,好的 +然后她开了她的车子载我回家 +伊格尔,你还好吗? +第一个甚至连路都不认识, +别停下 ! +怎麽了 +就一心只想着看我的胸部吗? +中学 高中 社会职业组 +脑海中尽是快乐的回忆 +总是对我说东道西的 +這是告訴你做你該做的 把欠Jesse的錢還給他 +- 会成为政治错误的 +目标在射程中 +所有军事单位停止休假- +不是 我不是被丢弃的机器人 +-嗯,没什么 +很高兴见到你, 朱尔斯. +(俄语: +) +该死, 你到处看看. +做完了嗎? +但是記住一點,你們每一個人都是一個奇跡 +不含糖! +我也沒被誘惑,我找到了替代品——可可豆 +我需要给你打电话另约时间吗? +Donna +-当然 +抵达一个遥远的岛屿 +孩子 到这边来 +三个零,啊啊啊 +我不吃鱼 +什么问题啊? +- 谢谢 +宝贝 +回去还给你 +那种什么似的 +很多次 +少吃点 +这两天老这么神神秘秘的 +弗雷德裡克 +那麼,小姐,你打算開始解釋了嗎? +但她還活著 +你拿槍指著我們,你開槍我們就掛了 +因此,當這一夜的歷史被記錄時 +麦克米利安姆,很好的名字 +我贩卖私酒 +我和米奴小姐很值得怀疑吗? +只是开玩笑,我当然打扰你们了 +你不只是个德国兵 +我儿子今天出生,您能为他签个名吗? +先生们 +也许你并不想和她结婚 Maybe you just didn't want to marry her. +但要想恢復到正常的工作狀態 +你幹完了你的三年 +- 他们如果自己能解决的话就不会求助于我们了 +- 老鼠长什么样 +他在通外花园里 +普罗楚托,让我来为你介绍绝无仅有的 尊贵的 亚瑟. +- Ok +你让他回来了? +到時了! +不要去做不顧後果的事 +我也會答應你些事 做為回報 +你對自己的修理技術不自信? +Bella 嫁給我 +我配不上你 +- 他怎么了? +- 生日快乐 +我今晚就要和杰西卡去逛街 +维多利亚 +- 嘿,住手,住手,住手 +我早已把你看做家庭一员 +不,不,我不允许 +- 是的 +我希望不要搞得太官式, 畢竟我們彼此都是醫生,可是我沒辦法 +快走 +这种事多经历几次就好了 +好久不见了 +你可以变成他们中的一员 +是吗 你了解帕那索斯的意识 +我是说 想想瓦伦蒂娜 +现在, 他跟着我进来. +她就是你的母亲··· +? +- 哦 太荒唐了! +难道是因为他对你的出人头地有威胁? +- 肯定让你感觉无能为力了 +-他们来了吗 +学校的体育馆已经关门了 +-什么 +不仅如此 他在泰戈体育馆的第一场比赛 +还没呢 苏小姐 +住口 +我回头打给你 再见 +你们去哪? +"让我们追逐,让我看你的JJ" +我在Adam 和Steve里做表演呢 +Eddie,你现在要过来吗 +我们都为你自豪 +这场对战永远联系着猎人与猎物 +充——电 +你就不问问她怎么样 +迟点再说 好不 +识趣的办法 +鸣响十分大 +把那文件夹捡起来 +嗯哼 +你们大概喝了几杯 +好了,回家吧 +-不 +Any published work. +说你面颊红润 手脚勤快 +-doopsy. +- You know what it is, I believe. +-我们要去安博见见赛 +- Don't worry about it! +请媒体高抬贵手 +当然 我很久没接这样的案了 +他们以前跟你丈夫合议多久? +然后事情就发生了 +妈妈说她还帮忙整理房间 +Lewis夫人 法官准入了被隐匿的证据... +T成绩只有2360 +- 哦,得了吧 +你不了解我妹妹,她不可能这样的 +女士,求你了,谁也一样? +- Sheldon在吗? +你有什么做什么? +跑! +重新进入地球大气层 +你不了解他 +还有一点点 +是在乌漆麻黑的电梯里 +慢点 你许愿了没? +大多时候都预测过高 +你用的是高级的标准投篮动作 +这个也是 +或是闭合 或是开放 或是0 或是1 +Daniel? +他们的体内温度 +找到以前从未被科学发现过的 +是啊 +她被逮捕了 +-- +你不是体育老师吗 {\cHFFFFFF}{\3cH111111}{\4cH111111}Aren't you the p. +吵死了 这不是在按照计划行动吗 +放在散发艾尔露的地方 启动它 +作战失败 +而且我想在援军来之前解决这件事 +To sell. +没有,朋友比较便宜 +我知道你是他继母 +威廉,拿今天买的DVD给他看 +- Well, then maybe you shouldn't have told Jack. +- 噢,上帝... +我很抱歉 +我... +有更浓的东西喝吗? +我很好 谢谢 +體育課 因為他知道 +那就是深深羞恥感的表現 +是 +是什么老师? +你回家吧,我睁开眼睛面对着空屋... +楼下开店,楼上住人 +2514... +我们能做到 +他们想要钱... +持有, 他欠什么给你? +帕皮,我可以赚外快, 这将kucambuk的傻瓜! +这是一个两难选择。 +但是我们不是很不同,你和我 +{\r\fs16\1cHFF8080} +{\fs16\1cHFF8080}就听到个大卫・帕克? +{\fs16\1cHFF8080}真正的车手 {\fnSegoe Print\fs14\1cH00FF00}Mira, real driver,{\r\fs16\1cHFF8080} +You're right. +{\fs16\1cHFF8080}我被抓,我坐牢 {\fnSegoe Print\fs14\1cH00FF00}l go down, l do time. +{\fs16\1cHFF8080}我不知道别人怎么样 只要我看到后面警车在追 {\fnSegoe Print\fs14\1cH00FF00}l don't know about your other drivers, but when l see flashing lights in my mirror,{\r\fs16\1cHFF8080} +{\r\fs16\1cHFF8080} +{\r\fs16\1cHFF8080} +{\r\fs16\1cHFF8080} +{\fs16\1cHFF8080}我问你件事 {\fnSegoe Print\fs14\1cH00FF00}l gotta ask you something. +时间和地点? +太正点了,宝贝. +托雅? +我想我的手臂断了. +- trees and bees That's fantastic ∮ +我已经出意外了 +-怎么了,宝贝? +我不想成为共犯, 因为我没有偷窃。 +现在FBI插手了。 +坐牢? +就因为那手 你妈得做剖腹产才能把你弄出来 +就是一些需要你填的表格 之后就没事了 +谢谢 但是不用 +我们更喜欢那一件 +- 那正是我要说的 +- 加油! +珍妮! +坚持住 我抓到你了 我抓到你了 +收到 现在超过两分钟了 +警察 +我听说 得这事找你和Kenny +抱歉 真抱歉 +- 手机在哪? +冷靜一下,你現在可是我爸爸 +好,我要走了 +你知道,我會的,不過你似乎滿身酒氣啊... +尽可能少说话 +你看,我告诉过你 +要来看看吗? +嗯,我只是想告诉你,你看起来像我家的小狗 +额... +我只是为她着想 +美女们 谢谢你们的赏光 账已经结过了 +坐下 +你和她结婚了? +你搞错没有? +- Richard +那又关你什么事 +什么事? +让我给你几片药,宝贝。 +涉及肇事逃逸案件... +打给她家里了吗 有监护人吗 +还敢这么说! +让开点! +搞什么! +但你先让我喝那瓶杀虫剂 +去拿报纸的时候 记得看看结婚通告 +"经济大萧条" +吃松饼(muffin)吗? +你也年轻 +"A"修好了吗? +谁会想要? +没什么 +这表示我说的话全是狗屁 +永远冻结在时间中 +领导竞技队 +"A"打不出来 +处理这件案子的法官很快会到 +她对我撒谎 +你早挑明了就不用现在这么难做了 +一刀毙命 +你看看四周吧 +- 让开! +也不是最大的 +它只想维护自己的领地,别跑,否则它会冲过来 +拉近些,调清楚点 +你是部落首领和伟大的武士 +{\pos(96,255)}在这里就像一场梦 +{\pos(96,255)}纳美人不会放弃的 +- 启动中,30秒后完成 +{\pos(288,255)}流动漩涡在灵魂之树最强,对吗? +{\pos(288,255)} +一种全球网路 纳威人可以登录进去 +给我滚开! +∮ 于是我中有你 你中有我 ∮ +消失在灌木丛里 后面还追了只闪雷兽 +对! +晚安 +你今天连接了十六个小时 +这里发生了什么事 +这是萨黑鲁 缔结关系 +当场吃了它,比这玩意新鲜多了 +楚泰会带领作战部队 +再也不要回来 +- 埃图康,他是部落的酋长 +感受她 +-诺姆,你呢? +- 蔼砍ǎ +  +êи㏎快 叫ウ铬籖 +-1 陪ボ砏家寄瓁笆 +- 长官,我们必须在他们赶到桥前拦下他们 +飞天宇 日落峰林 +这将是许多马哈鱼旅途的终点 +- 谢谢 +我要是不编个故事 他绝不会相信我的鬼话的 +Rocking in the dance haII moving with you +-你们吧 +在它们每一个中都付有力量 +保重了 +(夏威夷语) +画中是我想要的生活 对么? +- 怎么说? +一条远古的路径通往某处 如果他们很幸运 +闪登君 闪登君 闪登君 +? +不! +我就像你 然后就有了孩子 +你快疯了 +我知道你会有的 +我该怎么办? +高潮来了! +是,我确定 +罗素先生再卖力表演也无法掩盖 +犯了什么事 +不 +吉米好吗 +我要进院子 +对不起嘛 拜托 妈的 +我知道我无法再让你相信我了 +我们把东西都装到直升机上去。 +她指的是虫子。 +事情会发展成疾病大爆发的机率有多高? +上一周 医生告诉了我们好消息 +Sky? +该死! +宾夕法尼亚州 费城 +你也会帮我堵一次 +我要把那个狗娘养的杀了 +Jack Secord +我从来没看到过他如此愤怒过 +他们不让我们进屋 只让待在大厅 +大家在等我呢 再见 +他们很压抑 +你有律师了 跟原来不同了 +我们想知道你能否告诉我们 +这些案子我们是可以定罪的 +我们已经占领了先机 {\3cH202020}We've got the jump on her. +我猜 你是想要我催眠你吧 +别管Mcteer的案子了 否则就等着 去州政府大楼做门卫 给游客敬礼吧 +现在就要到达底部了... +- 我... +- Jane 你可不可以离开 拜托你 +你应该知道 如果真是你干的... +- 表现出你的价值 否则就出局 +怎么了? +如果那是安慰的话 对我来说也太奇怪了 +- 她给我打药了 她给我打药了 +天哪 你还好吧? +- 不 别信他 +但那改变不了我们都知道的事实 +那你现在和他一起了? +那会对令你改变主意么? +很好 他会带我们找到Christine +普拉格什么的最渣了 +下一个 +我当然担心 +首饰呢? +学徒、门徒、赌徒... +* 黑帮老大们不高兴了 因为地位被挑衅 * +- 谢谢 White小姐 +嗯 他說大多數時間都在辦公室裡 不瞞你說 我就是想他這樣 +一切順利 +- 是吗? +Ben,你闻着真舒服. +您确定我一切都正常吗? +30过来接我吧, +还算不错,是吗? +等等. +我应该见过你的. +- 我昨晚头一次睡的那么香... +这面子一定要给 +结果全队每人发了三千块 +别动 警察 +行... +赶快把枪拿来 +哦对了 没体育这回事儿了 {\cHFFFFFF}{\3cH111111}{\4cH111111}That's right +Dean. +我们花了5年时间 {\cHFFFFFF}{\3cH111111}{\4cH111111}They've been moving it around. +大概吧 +是放弃人的身份才能得到的 +所以首先要等隆那边出现 +让开 已经没你的用处了 +给人感觉就像光速奔驰的火车 +他想到个好主意, 一个激进冒险的主意 +你爸爸下班现在该到家了 +别心急 +找人解除魔咒 +只要我搞定了拉布福老爹 +沼泽地里的萤火虫还有很多呢 +一旦我娶了夏洛特・拉布福小姐 +你是个王子吗 +你会发现你自己的需求 +让我 介绍一下我自己 +能抓住男人的法式甜甜圈 +不是吧? +塞维尔? +不想让我看到 +不过 他们心里在想什么 就没人知道了 +站住! +我已经找人杀占米 你只要负责给钱 +我做不成生意呀 警官 +南区现在情况如何? +当然了 我都找遍了 +告诉你 直到我们搞清楚 +-车一离站就一直看的 +还要有百万英尺的电线 +我也会戒的 但偶尔还会抽 +-我会用钱 +我去站上接你说的那趟10点的大巴了 +-今天后腿肉特价 +-看看你,气色真不错 +不,别打给他 我想要给他个惊喜 +眼睛闭上,眼睛闭上 +听着,我可能需要提早回家 打个电话给我 +我想坐飞机回去 +用手指寫? +拜託 +什么... +- 你知道我正看着什么吗? +等我说到重点时,这话就有趣了 +不用担心 +这对他没什么坏处 他挺精明的 +-我认识你家人 没见过他 +-我不认为我是 +-你能看见我? +-只有一件? +-哦 不知道 +-看啊 是苏珊小姐 +也许他把珠宝带走了 也许没有 +以色列地区是绝不会动用到一扇门的 你们在胡说些什么啊 +玛雅人有非常先进的历法和数学体系 +然后把铁棒卷好 和铜片一起放进去 +Oh. +I got... +What are you, a shrink? +Anthropology. +我告诉过你这是坏主意 +好,呃,卓克 可以放大一点吗? +噢,妈呀! +为这次任务带来的收获 比我们原来的要多! +- 洛杉矶电视台现场采访 +你在做什么? +大约有4分钟时间 我们什么都看不见 +哦,还有我,胖球 我饿死了 +噢耶! +有时候我就假扮成机器人 +他每星期给我五十分钱让我给他取信 +令她的教授印象深刻 +當你讀到這封信時 我已經在飛往新西蘭的班機上 +交一个知心朋友是我人生的三大目标之一 +印度有那么多的孩子饥肠辘辘 为什么还有那么多人浪费粮食? +可惜,他并没有享受多久 +那我就得去适应我仅有的陪伴 +我是說... +肯定是 +你是警察吗 你真的是吗 +我女儿对电脑也很在行 +每个人都那样叫 +为什么 我们正在抓捕罪犯 +我全程帮他. +我的失忆 +{\1cHFFE1C4}(货柜舱) +我怀疑自己在兜圈子 +美味出炉了 +万能的主啊 +- 是的 +是你把这些保护起来的? +盖洛? +你是从哪儿过来的,盖洛? +- 你他妈的干什么了? +我醒了一个多小时了,到现在仍然什么也不记不起来 +弄得像行李箱. +或者其他的 +时间在流逝 +- +-Ope +报警装置接触了 就在里面防火吧 +出去 +怎么了 +是的 他不见了 +查普斯先生 +我还在找 +好 完成了 +不 你答应过的 +所以 要我怎么帮你 +爷爷 我很确定他死了 +对呀 为什么他们头上有一片云? +又干 又油 又有头屑... +仇虎 +狗先生 我来告诉你 +每个人再罚三个月的俸禄... +你们敲敲门好不好? +既然菜你们都准备好了 那开饭啦 +我和狗哥一会 就由九大密探护送去跟他们见面 +站着... +I really am. +她很了不起 +和严重受伤的病人 +不是绝种了吗? +他在跟自己的脚打架,我们是不是该走了 +一只恐龙带走了我们的朋友 +我以为你会去的 {\cHFFFFFF}{\3cH111111}{\4cH111111}I thought you'd want to go. +對了 +〝看啊,我將活到永永遠遠〞 +投降吧,福爾摩斯 +其他的手段需要更多準備 +来的真是时候 雷斯垂德 +- 恭喜你 雷斯垂德 +打扰了 雷斯垂德警长让您 立刻跟我走一趟 +雷斯垂德 那棺材呢? +稍等片刻 小子们... +我哥迈克罗夫特 在奇切斯特附近有个小庄园 +你来得真及时 雷斯垂德 我快没笑话可讲了 +适当的时候 雷斯垂德 +我们将提供你所需的一切 +这正是我的专长 +谢谢 雷斯垂德 +不管怎么说 你应该会很高兴知道 雷斯垂德把角色诠释地很完美 +等我五分钟 我们就回家 +打扰了 雷斯垂德警长请你跟我们立刻走一趟 +作为一位医护者,你欣赏我的杰作吗? +夏洛克·福尔摩斯 这是来自美国的史坦迪许大使 +就是夏洛克·福尔摩斯 +你上了头版头条了 《通缉夏洛克·福尔摩斯》 +来的真是时候 雷斯垂德 +- 恭喜你 雷斯垂德 +我只希望早点抓住你 +打扰了 雷斯垂德警长让您 立刻跟我走一趟 +雷斯垂德 那棺材呢? +你来得真及时 雷斯垂德 我快没笑话可讲了 +适当的时候 雷斯垂德 +谢谢 雷斯垂德 +不管怎么说 你应该会很高兴知道 雷斯垂德把角色诠释地很完美 +凭我口袋里的东西 +打扰了 雷斯垂德警长请你跟我们立刻走一趟 +來的真是時候 雷斯垂德 +- 恭喜你 雷斯垂德 +打擾了 雷斯垂德警長讓您 立刻跟我走一趟 +他好像又復活了 先生 +福爾摩斯 你請自便 +雷斯垂德 那棺材呢? +H. +你來得真及時 雷斯垂德 我快沒笑話可講了 +適當的時候 雷斯垂德 +謝謝 雷斯垂德 +但這不是謀殺 福爾摩斯先生 +不管怎麼說 你應該會很高興知道 雷斯垂德把角色詮釋地很完美 +打擾了 雷斯垂德警長請你跟我們立刻走一趟 +我会在一周内搬过去的 +- 约翰华生 +- 记事本 +来的真是时候 雷斯垂德 +- 恭喜你 雷斯垂德 +这已经是板上钉钉了 不管你赞成与否 +打扰了 雷斯垂德警长让您 立刻跟我走一趟 +雷斯垂德 那棺材呢? +你来得真及时 雷斯垂德 我快没笑话可讲了 +适当的时候 雷斯垂德 +原来戴眼罩的是你 厉害... +跟我走吧 +侍女曾经是很善解人意的 +还将有三人死去... +谢谢 雷斯垂德 +不管怎么说 你应该会很高兴知道 雷斯垂德把角色诠释地很完美 +打扰了 雷斯垂德警长请你跟我们立刻走一趟 +我们能在阿拉斯加的极端环境中进行测试 +在哪儿下货? +姓呢 +说不定你家里有人 +过来 +个高的那个 +他从我家偷走的 +你可以走了 +我不能带上它 +这儿没有叫尼普赛的 +不要大惊小怪,小姑娘 +还要一块华夫饼干 +是给彼此留点余地 +谁啊 +为什么我们不能把话说清楚呢 +我根本不知道为何你会在那里 +-对 +(faraway=遥远=心不在焉) +我们有人能够做这? +那是"点穴术" +就像过去的岁月一样 +那么 我想现在应该是正式的晚上了 +可以帮吗? +扶他起来! +那只是意外 +就是那样 +我们不靠枪战斗 我们是以我们的心灵力量战斗 +莫罕穆得带我们去他家 +* 带我去我爱的地... +你知道我整个早上在哪儿吗? +您必须要尽快决定夫君人选 +而且,在我们开始工作的时候 我们希望身边服侍的都是自己人 +好像是柴火放在斯图尔特勋爵家里 +他是最慷慨体贴的 +摄政的会是约翰·康罗伊爵士吧 +皮尔夫人 +此外你的即時通訊上琪琪,喬麗斯還有娜嘉 都在,她們不停得在聯絡你 +- 那么你呢... +你沒像看起來的那么傻嘛,老兄 +- 我需要你,康納 +- 鸡爪 +我同意,老兄 +- 不! +真的? +不 +- 闭嘴! +我们可以开始了吗? +是那个她能整夜缠绵无可替代的男人... +正是从和我在一起的那晚开始的 你还记得那是你的第一次吗? +继续做你们的,我数到三 准备一,二,三 +哦,我的天啊 +杰德的热情有时候有点... +长官,那副耳环。 +看到我手中的许愿石吗? +我们要跟着吗,先生? +天知道还有谁住在上面 +我们得快点了 +瞧那鸟跑得多快 等等 你这只长过头的大母鸡 +对了! +巧克力,我闻到了巧克力 +- 等等! +他走丢了? +我爸爸把這些事情說的很簡單 +在盛怒之下 Eddie都没问问自己 一个最简单的问题... +找到了 就在那儿 +昨晚有人试图杀了你 +噢 天啊 我的鼻子 +这太完美了 +- 什麼? +是的 我 +但他们抓了格瑞尔 格瑞尔根本不懂古文 +你要是杀了他,我就唯你是问 +喊那个在他车里的 女孩的名字 +然后呢? +你绝对说不过我 +- +都塌了 额 +可是你看我把这里弄得啊 +但我不介意的 +- 呃... +卡尔,你太过分了 +听着,我那会儿只是顺从你 因为你太渴望有一位大王了 +没有 +因为... +让我们永远都像这样! +我不知道! +如果你愿意,我们可以 共享他,国王 +你真聪明,马克斯 +咋做... +礛碞聋常ぃ逞 +癸ノ遏 +и⊿ア北 +- 认得 +我从未想像过 你坐镇指挥的模样 +久到让我看清曾经的甜蜜女孩 如今变得遍体鳞伤 +你讨厌干酪 +你还留着那玩意儿? +你们俩现在是好朋友了吗? +我爱我的女人 +对不起 +在盐井一袋价值三十八万的盐 +当马生病时我们通常让马吃盐 +我计划成真了啊 早晨4点档都是我的 +喜欢像猴子一样做爱 +- ؟ +ﺍﺫﺎﻣ +ﻱﺮﺼﻨﻋ ﻕﻭﺬﺑ ﻞﺟﺭ ﺎﻧﺃ ﺔﻄﻗﺎﺳ ﺖﻧﺃ ﻭ +ﺍﺮﻜﺒﻣ ﺍﺪﻏ ﺓﺮﺋﺎﻃ ﺎﻨﻳﺪﻟ ﺐﻫﺬﻧ ﻥﺃ ﺎﻨﻴﻠﻋ +ﻰﺘﺣ ﺔﻤﻠﻛ ﻥﻭﺪﺑ ﺞﻣﺎﻧﺮﺒﻟﺍ ﻙﺮﺗ ﺪﻘﻟ +- 三号机准备 +- 还没 +- 你的花蕾令我兴奋,我要看它 +谢谢 +不 完全有必要 +Zoe最近不太信任权威人士的观点 +我们都应如此 +那么 警察在哪里? +可能太迟了 Sarah +我叫Daphne +我記得的最後一件事 是我剛準備用木頭釘住你的弟弟 +至少我爸是這麼說的 +這邊發生什麼事情了 +我自己來的 +(346毁坏) +但是我们错了,这些数字是一系列警报 +(419人死亡 2002年5月9日,上百名司機受傷) +你看這些沒有圈起來的數字 還沒有對應上任何東西 +破碎壳弹药领域里的领先者 +27号星期三,您派一个人来 +或许你说得对 +你是在偷约翰王子的东西 +我以为你是治安官的人 +我想那些醋栗塔开始让我反胃了 +两万本,第一版 +- 来点咖啡 +充满电了,安德鲁 +看到格特鲁德很开心吧? +- 安德鲁,在哪? +-别说这个了, 玛格利特. +如果你們晚上覺得冷的話 +嗯 +我心愛的女人就要被趕出這個國家 +正想朝你大喊 这时我看到了那座大屋子 +只是要符合法律,好吗? +来了解关于我的一切,所以说,你可能 应该开始学习了 +那让我很快乐,你明白吗? +安妮! +啊 下去了 +學友... +100)}迎えにきてよと ぽつり呟いたら +是的 +是有馬哲平吧 下一槍你可躲不開... +會嗎 +我很認真 +沒錯吧? +要外宿嗎 +厲害 +- 噢 来吧 +也就是说 如果我连在小便池和其他男人一起尿尿都不敢 +- Mason +不好意思 我能再来点咖啡么? +那是我见过最可爱的蛋蛋 +生意很红火 对吗? +它咬了她! +是啊好的 +然後刺穿你的心臟 +」 +老兄,我看起來像是給... +-现在带我们去更衣室 +今天 我将用这些奖牌褒奖他们 +我打算怎么办? +但我睡不着 因为... +- 我岁数大了受不了这些... +你不需要藉口 +你难道不明白吗? +- 我代替霍瑞斯发言... +重点是 你差点炸断她的手,老兄 +别告诉头 ok? +- 好 OK +熟悉地形的进去 +- +我殿后,走右边 +这可比登上月球 +是的 我们有当地警察撑腰 +关叔叔会来? +就是说打得连你妈都认不出你这混蛋 +我的钱在哪? +都被皇帝所掌握 +因为现在 美国公司和华尔街 +# 这家伙至少有过两次醉驾经历 # +为该公司提供信贷 +还记得Sully吗? +居然还有Dan的第二份已故农民保险 +生活在一辆卡车箱里 银行没收了他们拥有了22年的家 +-=YTET +加油 Joe! +其中一个这里的人抓着总线 用两手抓着 +上帝肯定有全盘计划 +但他的债主可等不了那么久 +我想说的是 他是流浪汉 睡在街上 +就这么了结了。 +﹣你们有共同点 ﹣但我确实不需要这样 +我不明白她怎么做到的... +多起性骚扰诉讼 (魔术师Chronos难逃性骚扰指控) +你这是在开玩笑 +我上路了. +婚车和教堂可以等一小会儿. +你知道你女儿嫁给了一个什么人,是吗? +去他妈的! +喂 +你觉得我们该用多少麻醉剂? +可我现在得逮捕你 +还忙着呢? +Samantha跟我两周见一次面 +没有证据显示她撒谎 +- 我们从大溪地坐船来的 +那样就不好玩了 +- 我们必须走了! +我晚点再和他们回报这相当重要 +当然,除了最後不要死在枪林弹雨中 +这不是真的、这不是真的 +听著,我认为你犯了一个大错 +老大! +你是她给我的 +威克辛斯,欢迎加入 我们上车吧 +- 我想应该不错 +那就谢了 +快点、快点 +你尽管开口 我的部门很荣幸有你加入 +回去找1號? +现在不行! +这台机器本就只是我的智慧 +不过 如果你清楚上哪儿找 +但是... +- 你们仨则是我的首选 +- 好残忍啊 +-你好 泰勒 +爸爸? +嘿 莫林 +我不知道,都是按计划来的 可连进行到D步的机会都没有 +- 你可是在游乐场工作,管理员! +- 我要上网买鞋! +起来 兄弟 我们得离开这儿 +不会跟这种人在一起 +高吗? +也许这才是症结所在 +他三十年就妥协了 {\3cH202020}He broked in 30. +但还记得西里尔和美多 迪乌斯在9世纪的传教吗? +第二次世界大战期间,斯大林被 迫做了一个引人注目的U形回转。 +菲利克斯,是... +只要有Clay在 我不确定我做的一切都是为了帮会的好 +我的后脑被击中 +- 有可能,我在那兒住過 +-米兰达 +嘿 你的晚饭在烤炉里热着 +你昨晚听到我们谈话了 是吗? +噢 我的天呀 怎么回事? +快 兰西 你的汽车钥匙 +捐款最多的人 將得到半打 我親自炮製的施拉德 +你错了 +你有没有先她看照片? +你的船还在吗 +这关乎生存 +我们一集不落 +一次钓鱼之行 +你听起来是个很聪明的小6号 +有种被爱的感觉 +- 你开车 +去吧 快到吃晚饭的点了 +好么 +我不想听到再有人提它 好吗 +格蕾丝毫无疑问是现存最棒的设计师 +-行 +因为我当时很年轻 +-真的 +但我很喜欢专栏和时尚大片 +我刚跟马里奥通了电话 +- +没牙的这家伙怎样了 口腔里的都差不多没了 {\cHFFFFFF}{\3cH111111}{\4cH111111}What's up with toothless? +他的脸很恐怖 {\cHFFFFFF}{\3cH111111}{\4cH111111}His face froze that way. +- 是什么? +这是我听过最蠢的一件事 +我需要你 +- 他掉进了壕沟 +你是他的医生,应该要看着他 +good 箱根酱 +喂 为什么你们也跟来了 +往前点 再往前点 +你现在怎么样 小甜心? +是买给谁的 对吗? +我在电视上看过 +我明天再来 +这很热 +你好 +是的 +你是哪一点不明白? +我錯了 +Sam Reide 记得我吗? +三号受害者 Anita Barnes +200)}小草莓 berry berry +真是 去还不成么 +就像... +- 还好,随便啦 +但又好像在结束时 +- 不是 +很好,你戒烟了 +为什么不呢? +哥们,你真有一手 +刚犯心脏病的人不建议... +这个 +- 是的 +因為我不想做這樣的事 +喂? +... 便便... +谢谢 我想我是明白了 +我在那儿呢 宝贝儿 +我向你保证这种延迟缴费的事儿再也不会有了 +我的一个警卫菲尔 发现我和凯特的监视录影带 +我不认为我可以... +- 发明DVD光碟之类的东西 +但在他们领地范围 我们必须徒步而行 +- 是的? +и常Τ琘贺瞶├,惩贝 + +我有另外的主意 给Stevens钱 +他们不造他的武器是错的 这家伙要复仇 +What? +我得需要点东西来记住你们这些讨厌鬼 {\cHFFFFFF}{\3cH111111}{\4cH111111}I'm gonna need something to remember your sorry asses by. +有人嗎? +好深奥啊,我只知道助人为快乐之本 +你下个月不用上班了 +你是不是贼子? +现在才后悔? +求求你,抱一抱 +各位 我真的太兴奋了 +我是个说谎的大烂人 抱歉让你一直忍受我 +我要带你去个地方 +yeah. +没有别的办法 {\cHFFFFFF}{\3cH111111}{\4cH111111}There is no other way. +别客气 {\cHFFFFFF}{\3cH111111}{\4cH111111}You're welcome. 不过 别客气 {\cHFFFFFF}{\3cH111111}{\4cH111111}But... +我想我还是站着 +我没想到是你 +嗯 美味雞肉 +好吧 我來嘗嘗雞肉 +-││ +Timbira还在倒水 试着把旗子升起来 +"Jerry这个人已经回天乏术了" +这样我们才能搞走她 +虽说我也不反感 甚到有点喜欢Jerry +刚才你这样想过吧 +那是啥玩意儿? +这根本说不通吧! +决没有这样的事! +我不能 我... +公司的历史,它是过去的表现 而目前的财政状况。 +我们不能打败一支军队的规模。 +- 很不错的。 +人们都想要那个东西 +我和他父亲亲如兄弟 +"多年前我坠入爱河" +一台最大型挖掘机 一台小型挖掘机 +-对 +和了不起的狐狸爸爸一起去觅食 +你真是一只了不起的狐狸 +你想说什么啊 +就用我的能力送你们一程吧 +亏你们能获救啊 +你唬到我了 +你中弹了 +我爱你 +或许我能帮忙 +去那边找找吧 +短信内容: +她要我们回家 +诺亚 把电话给我 +我们都是大地的子女 +当然很欢迎捐款 +威胁到这整个计划 +拉下! +我都搞不清了。 +它可不是我的狗那么简单的东西! +中东教会决定向远东发展。 +一点不错,一点不错! +她邀請我,我可能會過去一下 +坐下,凱爾跟艾許莉整理一下桌子 +對啊! +- 哈喽? +是吗? +你太他妈美了 +嘿 哥们 你干什么呢? +快点,找到出口了 +- 我们进去找东西把它拿出来 +对,看在罗兰的份上 我希望你是错的 +- 孩子们已经七岁了 他们有父亲的 +语音信箱 不! +- 他需要帮助 +-=结束=- 谢谢观看 +Jesse? +老天 +你们给我听着! +人称东龙岛施朗拿度 +好... +你说晨光队还请不请人? +你多了一份責任 +- 你要去哪里,妈咪? +我不知道 +- 你在... +你就像個公主 +我想讓病人看了舒服點 讓他們安心 +- +- 去死吧,你在撒谎 +- 是的,我还兼修导演 +它现在是一个为绅士们度身定做的教会。 +多危险? +谁开枪? +我说过我不希望你进监狱 +- 爸爸? +- 这是怎么回事? +- 不、不 +不知道 +要是我当时说 让他们受审呢? +你成功了 +大家别乱动 +你本来那么好心呢 还是在装呢 +-你这没礼貌的 你给我过来 +我见到你就觉得压抑 拜托让我好过点 +★我有一个问题 一直想问你 +你们帮我付医药费吗 你们付吗 +只有你一个人 +她让我怀念起他的 第一任妻子了 +中心重建后的第一个 +我猜我还是把你当宝宝 +你爸说他可以收你 +所以没人想找她 +如果有人看到她 或长相像她的人 +斕衄湍斕腔齟渝懂鎘ㄛ秷梤ˋ +扂褫眕跤斕艘珨欴陲昹鎘ˋ +碞硂贺解 +ぃΤ骋 +痙临Τぐ或ノ +我们去捡些柴木 +警察,警察 +给,别再磨蹭 +得有效益 +俺跟你说 +你不用管我了 +入口在哪儿? +don't it? +还来 把星星还来 +只需要保有这三枚 +快点出牌啊! +剪刀 石头 布 +就是老天要我赢的启示 +这位先生 有何效劳... +我提个建议 +你死定了 +你好 +為了一個男人? +好口巴 +为我军攻克扬州及南京 +南京分公司的事你就不用操心了 +再跟他说 为了确保他的人身安全 +拉贝担任 +尤蒂诗 +再多就没地方了 +乔迁贺礼 +是卡什纳 +爸妈,我们要去看橄榄球比赛 +现在经济不景气了 要靠低价保持竞争力 +如果大家都错的话,就没有经验可言 +我们中肯定有人会没事的 +我不想要牧师 那你就得不到赦免 +制片打电话来 说 "大伙都爱死食品雨了" +玩 好玩 好玩 玩 +这决定真不赖 嗯? +我用微波辐射高度作用于水分子 +- 发生什么事了吗? +这全是他的错,抓住他 +你们动作快啊 +可以將水 +你真以為說自己過敏就更有魅力了? +各位,他的可爱不减当年啊 +别担心 +你有沒有聽到? +教練昨天才跟我說 +妳在想什麼? +勇敢地过去找她 +丹妮刚从洛杉矶来... +我要搞死你 +我是小择圆 +"唵嘛呢叭咪吽" +我有反应 +"不需要爱" +我自已有太多的事要做 +才不是内! +你媽最近精神不好 沒錯 +- 算是吧 +她其实没那么糟啦 +他要先去救人? +不可以浪费 +兼职的 +- 明天见 +它们是其美貌的关键所在 +在1989年8月25日 该航天器接近海王星 +没有选择的人生就像没有前照灯在黑暗里行驶 +-是 +巴斯罗伊 格雷戈里? +求你了 +...没能阻止疾病的传播... +Stephanie 在银行上班 Josh 在干洗店工作. +为什么Scarlet没有变胖 为什么没有孩子? +佳主马 换衣服 +刚才是在说游戏的内容吧 +参加者出现 +赶快去通知附近的人 +Happy birthday to you... +130)}Oh 不管以后命运何去何从 Oh 運命が ここから どこへと 向かおうと +走啦! +年年有鱼啊! +欢迎! +他介绍我们买的那个神仙股 +他是那个吉他手 对不? +- 不是我们死就是他们亡 Hopper +- 没事 +下挖9英里 +我们能抓到他的,好的 +所以 我才必须要向你道歉 阿良良木君 +不就是什么室町时代的怪异吗 +你可真是个典型的傲娇啊 +你不觉得奇怪吗? +用小忍的刀的话 能够让你没有感受到痛楚的闲暇 +阿良良木君 在这方面你要好好地把握分寸哦 +200)}あの日のままで ずっと待ってる +再这么吸下去的话 连羽川都会消失的 +这样就好。 +嗯 +但这份活泼似乎非常适合用于战斗 +-- +嗬 是定价贩卖啊 +头发 +436)}伪物 +你几乎完全是个人类 +你也给我有点出息好吗 +这样啊 +可恶 +虽然看不见蛇切绳本身 +就是这张便条上的住址啊 +怎么了忍野 不要在那里含糊其辞啊 +怎么了喵? +200)}拜托你了 +200)}あなたが名前を呼ぶ +这是... +那么一定是上帝派你来的了 +这是我可以为约翰娜做的 最起码的事情了 +约翰娜受到英格兰学校 热情接待 +陛下需要休息 +结大地球上所有种族 甜跤苖腔赽鏍俴炴獰 +主啊,你竟如此无情吗? +发生在教皇身上,而我仍在城中时 +吼 N +那个5尺7英寸高红头发蓝眼睛的女孩叫什么? +可能除了变色龙 +我在喷泉顶 Shawn底座 Nick后面 +没错 +我们开车 我们 我们在开车 +- 继续说 +你真迷上她了 +难以置信他是我准未婚夫 +三 四 五 六 七 八 +没人看得见 +- 啥? +-他出老千 +我是凯莉・史黛卡 +-不 +... +去啊 +用那边的门 +怎么连爸爸都敢打 +和Im害怕做 任何损坏。 +... +好吧。 +Ethanッ环ぃ穦瞒秨硂 +Wendy Stroud﹚ +我? +誰在乎這些呢,老兄? +- 我是戀童癖! +沒人想見到你受傷 +I. +酋长给我的 +- 好吧,听好了,菜鸟 +去他的医生! +[Today's Tom Sawyer Mean, mean pride] +- 你在这儿 +-呃- +- 是我。 +換你,我也會同意的 我的蛋蛋誰都可以摸 +奧巴馬 當他忙于競選總統 +其實我也沒那么好 +克拉克! +好,我会照做的 只要你来了并且大笑,高声地大笑 +他认为我很滑稽! +每个人都有自己标价 +让我在你心里多留一会 +你们这些人没有我如何生活? +是我的所爱 +你好吗? +把她从漂亮的房子和可爱的老公 +离开我很容易,留我独守回忆 +我要找一份正常的工作 我会就在你身边的 +... +稳住稳住 呆在那儿 +DUNCAN. +KURT THOMAS在后面对KOBE犯规了 +现在又轮到我了 防守上纵观全局 +你可以会挠挠头 然后说 该死的 我们又给自己挖了个大坑 +古怪的事情... +桑雅貝克今早在地鐵意外喪命 +你卻保持緘默 +-妳不能這麼做 +偶爾啦 +都在同一家俱樂部打小白球 +照片 照片 +你应该让我知道我是否 +我什么也没听到。 +- 也该是时候我们在这里做点小买卖了 +哇,天啊! +我向上帝发誓,先生,我不撒谎的 +我需要更强硬的 更血性的人 +很好 +奥运选手才能在8分钟之内跑2英里 +你的通话记录里也没有那通电话 +- 我去看木匠了. +我又要打包东西. +你能和我一起去商店了? +现在吗? +做工多好啊. +我很早就想看这部电影了. +我看见一条龙, 一匹马和一位公主. +蚂蚁从墙上涌出来. +有什么用? +哈,找到你了 +如果這是因為我沒有清理我的帳篷 我道歉 +- 玩过头了 +- 带着爱的仁慈 +我等下在跟你算账,快去! +协助拍摄这些旗鱼的捕食活动 +-我想我明白。 +爱, 可以看到我们在做什么 +-迈克尔,下来! +不行 丽芙不会主动邀请她 她们有一个星期没讲过话了 +耶 我就是这个意思 +帮帮我们 高尔小姐不让我们玩 {\cHFFFFFF}{\3cH111111}{\4cH111111}Help us. +什么也不要告诉他们 +这边来 +-妈妈和汤米叔叔一直睡一起! +我只是看到你站在那里,然后想到了一个离开的方法 +在那种距离下的意图 不是要一击毙命 而是要威慑目标 +击中了 在肾脏部位 +大部分的钨钢碎片 击穿了凝胶 又轻易击穿了这块砖,然后继续飞行 +是么? +所以他多半和大使正在处理的 这场战争有所关联 +你们这些笨蛋 +是啊,希望你享受月夜的奔驰 +你没有 +大人 +不! +- 有我女儿的消息吗? +一个奴隶 +就表示我们的衰弱 +或是留下来侍奉他们 +不! +不 +还是用你父亲的名字吧 就叫他吉姆 +好吧,我真不愿向你透露这个事实 星际舰队是在太空里服役的 +- 肯定有某种办法... +你永远都是两个世界的孩子 +系统失效, 武器离线, 护盾有限 +他抓住我的船并且饶我一命 +我无法控制的愤怒 +是,舰长 +相位炮開火! +我有座位 在沒有窗戶的浴室里 +當我失去她的時候,我對自己發誓要報仇 +嘿,你疯了么? +- 的确是,长官 +超曲速传送的概念就像是 要用一个更小的子弹去击中另一个子弹 +我要求所有部门 在10分钟内进入战斗状态 +不! +... +引擎已达最高曲速,舰长 +- 舰长 有图像了 +- 1548 +我还是不知道你的名字 +你违反了星际舰队法律第17章第43条规则 +指挥官 +我也同意 你再想想别的办法 +包括你妈和你 +不,没有了 +这些病征不会持久 +祝好运 +你可以坐上逃生梭到我们舰艇上来 +史巴克,过来,让我看看你 +更与众不同? +不,我已被分配到企业号 +听着,长官,今天我们 看到的异常状况... +損毀艦艇上的船員 +而且還要在聯邦之外建立一個新的羅慕蘭星 +我是Christopher Pike 星艦企業號的艦長 +可以 +你们要到里面去 让它无法工作 +你的物种比我想象得要弱得多 +- 这是你活下来的唯一办法 +{\1cH4080FF}作为驻地球的大使, 我有责任去观察 +{\1cH4080FF}长官,我在该空域内没有收到 罗慕伦人的信号或其他任何信号 +{\1cH4080FF}我会引用规章, 但我知道你肯定会忽略它的 +- 哦 你太坏了 +我们要担心的是 如何成为最后四强 +又有一名队员将被淘汰 +我们已经成为了一个团队 一个部落 +是啊 是有些暧昧 +到处都查不到August Rush这个人 +不会有什么糟糕的后果的 +听着,我会弄到钱,好吗? +现在! +- 我在这 Dooley! +你们都缩小了 +哦 感谢天 有个真人了 你是个真人 对吧? +关闭第4个 +就我指的那个 +妈, 早前丹·斯密斯有打过电话么? +只是知道我想到了你, +特攻队最精锐干员贤俊和思宇 +不属于我的管辖范围 我不太清楚 +马上采取行动 +黑摩利亦已返回印度 +就是要你在升级试前做决定 +你真的介意娶个警察做老婆吗? +我真的不介意你的前妻和孩子 +没有 +我们约好了明天见面 你们两个负责支持我就可以了 +对阵41号 +是不需要 +我这人做事从来都是光明正大 +远古的力星依旧那么强大 +现在人人自危 +站一边! +我去 +她曾经是我的妻子 +什么东西 +但别担心 +我是个战争狂 +-终于来了 +我们站稳了 扎根了 就要去争取更多外界资源 +我想从这里开始竞选大业 +米兰人要独立 那只是梦想 +這也是合併後的好處 +你才刚回来 没有必要急着... +谁说杀死小孩子 引爆氢弹是正确行径? +我要你们大家和我一起去 +是的,但我仍信任她 +我叫丽莎 {\cHFFFFFF}{\3cH2F2F2F}{\4cH000000}Lisa. +here we go. +還是寫本書就說我不知道 +所以马克和盖亚 +从这到南部边境 +队长,我的文件 +当整个国家都陷入恐慌时 +ﺍﻻ ﻣﺮﻳﻜﻴﻴﻦ ﺍﻻ ﺻﻠﻴﻴﻦ ﻟﺬﻟﻚ +ﺗﻌﻠﻤﻴﻦ ؟ +ﻫﻞ اﻧﺖ ﺑﺨﻴﺮ ؟ +ﻳﺒﺪﻭ ﻣﺜﻞ اﻟﺤﻤﺎﻡ +ﻟﺬﻟﻚ اﻋﺪﺕ ﻣﻠﺊ ﺱﻻ ﺣﻚ +是这样我想你知道 这样有助于我们被他们接受 +等一下 等一下 +要知道优势 和弱点, +- +不 还没有 +看啊! +没有 长官 +现在 当前任情人离开她 +这个女人出了名的精明老练 +再见 +- 怎么? +看在老天的份上 +我是織給你的 +呃 非常抱歉 她沒反應了 +她確信你今天能成功 +創傷總會留下疤痕 +不是开玩笑吧? +我 +你不看电视吗,神父? +- 你好克里斯蒂娜 +我有一份在咖啡园收割的工作 +我不知道你发生什么事了 +但世界怎么不对了? +来看 "活宝三人组" 也是她的主意 ("活人三宝组" 为美国经典黑白喜剧片) +嗨! +就像我说的: +- 你在这儿做什么? +卻無力喚起 遠去的記憶 +我只是想向爸爸 顯示我有多麼熱愛棒球 +沒錯 他們家還有個傻兒子 +- 抱歉我來晚了 我... +我在問你呢 +你有沒有繃帶? +让我来吧 +不过没有时间了 +-1 call from this address. +昨晚上我跟斯蒂夫喝了酒 +但我现在不是来了吗? +晚餐后再吃吧 +却发觉你是非法居民. +笑一个! +可能是老爹也改变主意了 +-是我 关于"生日礼物"的消息我收到了 +没 没 +红酒? +我是Bathory伯爵夫人 +- 他回来了吗? +- 如果当初我违抗父亲,和她远走高飞呢 +感谢您,我的上帝 +可是,我那麼喜歡的理央 +說是過度的壓力造成的貧血 +我在此對你們表示誠摯的祝賀 +放过我吧 +以后就不能住那间公寓了 +这本来就该是我的报应 +说到底 就是信息太少了啊 +只会更加痛苦 +好的 +好 +只要闭上你的眼睛。 +- 不行! +袋子里有什么? +你最好系上安全带 +- 我? +用废品做的 是吗? +- 比那还要远 +我该和她在一起 也许我能帮忙 +让我猜: +我什至写作起来。 +等几天 +我喜欢清早干活 +- Mason +俗话说 旧习难改 +要跳啦! +你应该带点现金 +动用了他脚踝上的电子监控装置后 +是 +- 噢 听起来可是无聊透了 +他甚至都不知道我的存在 +我拍我老婆怎么了 +郑主任 狗丢了 +不要想别的 努力先做你自己的 +您好 抱歉 电池要没电了 等换完电池马上给您回电话 +我的身体也伤痕累累 +生命的引擎连锁结合 +他们也爱惜涓滴 +一份49国签署的协定使其成为人类共享的宝库 +它们蔑视地心吸力 +海水升高了二十毫米 +是最不稳定的一种 +它们入侵一切生命 +他们懂得水的价值 +想想我们买什么? +十年内它将会完全消失 {\fnSegoe Print\fs20\1cH00FFFF\3cHFF0000}it will have totally disappeared within 10 years. +我不知道 我很久没联系她了 +你说的对 +那我就不再浪费时间了 +哦他喜欢我这样照顾你 +也是啦 +说真的! +我会一直在你身边 +那个 怎么样了 依绪乃对闪登君的告白 +"那东西"跟着我们 +没人知道发生了什么 +- 是啊。 +这是captai? +一週工作幾天 +跟馬一起工作 +我想... +並不是因為她已經 在這裡創造奇蹟 , 但是 +上学那会. +不知道. +下周我再告诉你. +不过那也不是他的错. +- 你好Anne. +校对: +-什么啊 那女的可真荒唐 +还有怕你有负担感 车只是基本的修理了一下 +你因向我们法兰西国王路易十三的敌人 +我要通过美国有线新闻网 让全世界看看它们表现有多好 +- 这里要爆炸了 公爵 +如神应允,就会生生不息 +它不出击则无法明视 +大概只是小地震,派一个小队去看看吧 +你安全了! +- 老天 +来吧,该告诉我你们的知道的了 +- 好的,收到 +它不出击则无法明视 +在冰面上跑3000英里? +点燃主引擎 +我发誓 如果一半以上的离异夫妻 +学做的第一个甜品 +- 以前的最好的朋友 +哦 我喜欢你的裙子 +有吗? +我发誓 +否则只是在说空话 +弗立维教授 我们都认识五年了 +真感人 我养过一条叫弗兰西斯的鱼 +是龙须叶吗 很值钱的吧 +-year messing around. +我可是他... +唱唱反调 +不过我觉得去海格那儿肯定有好事 +一场大赌注扑克游戏? +我弟弟两个月后会当上正警长 会有所变化 +我的天 史上最烂的分手告白 +有这么个建筑师的故事 他设计了这个图书馆 +咔肉肉 720p版本调校: +很好, 我买了 +老兄 好大根老二 +好的 恩 我在想那次的谈话 +- 我还是接了吧,喂? +不 没关系 留下 +- 是的 先生 +但你也在这么想吧 +这个不是5795号 而是5794号 +怎么样? +刀? +对不起 +- 冷静点 +你还好吗? +知道情况了么? +这件事是机密 +南瓜怪 你惹错人了 +我和Clay, 我们本来不相信你会告密 +明白吗? +认为那个袭击起诉还没完 +就像你做的那样 +孩子们已经大到能记住这些了 +听着 想想别的可能性 +汤姆 看看这个 +再见 +要怎么做 +像你一直变来变去那样 +梦到些什么 +闭嘴 我加入 +知道就好 +"欢乐之光,只因有你" +- 你认识Henry Baxter么? +现在是年龄 +我是说真的 +你设的这个奖 而现在你欠她的 +288)\1cH00FFFF}為生活所迫 +288)\1cH00FFFF}世上的孩子都是善良的 +给他们证明狗是你的 他们就会给你了 +你现在还是已婚吗 +呃... +你对他一点都不了解 +我能插进来吗 +每次我一见到这些老人 +我手拿品达的作品,在科林斯湾沿岸漫步 +我能问你些事情吗? +我把你弄上去. +小心掉下来的东西. +一些突击部队将不得不攀登悬崖 +她叫我杰哥,我叫她什么好呢? +妈妈 有些事你还用问我吗... +有一个线索 +子弹寄去伦敦? +他会把我吊死的 +你真的不如外表看来那么简单 我不想问愚蠢的问题 +他试图照顾他妹妹的方式很感人 +以至于我们想, "让我们把他们带进那所学校 +有时候,当一两排人已经被枪杀, +有几次我看到了熟人 +- 我很抱歉 我不知尊姓大名 +小时候我曾在附近的索黑兹上学 +花了我一年 +晚安. +再来一杯 +瞄准他的左鼻孔 +别,亲爱的,她尽力了 +通关许可呢? +吕西安得带她转转 +把它拖回来,从边侧门把它拉进来, +我不想回家。 +我不想 离开纽约,因为现在卡罗尔。 +我奥乔亚。 +不出两周你就会跑回来 +没事的夫人,到了 +在狗的身上测试这种毒药胶囊 +但我觉得在最后的那段时间里 +我对另外两位候选人没有敌意 +你要我怎么做? +上帝,保佑这个人的眼睛 +288)}♪快樂是幸福的♪ +看这房子 +我? +你这坏透了的性变态 有病的王八蛋 +当它降落时,起落架的腿 折叠着(放不下来), +施韦因富特(的大胜)是 非常有利于德国战斗机的条件, +而这(种代替品)也能用, +您的最后一个假期,是在什么地方过的? +我应该先拍一张照片,然后就可以自己干了。 +{\fn微軟雅黑\bord1\shad0\1cHC8C8C8\b0}你不错. +我们赚到钱! +这是圣所! +我们不会挨饿的 +不要 比莉! +- 我不知道 你说"真的"什么意思? +就在这 瞧? +你刚才在睡觉吗? +你可以说:"你的衣服很漂亮" +- Marie +你知道吗,Jean, 你开始变得无趣了 +- 你在开玩笑吗? +你知道吗,我还从来 没有摸过那么美的乳房 +- +§ 初次翻译,不足之处,请多多指教 § § E +- 谢谢你,亲爱的 +-个顽强的女人 +我捡起来的女孩 , 都又被我扔了 +对我爸爸我真没话讲 +我们就你这么一个女儿 +订婚 你骗我 你不可能跟他订婚的 +你听说我家发生的事了吗? +我们对于你的决定都很高兴 法兰克 +若是有上帝的话... +好吧! +那条狗留下 +柯伦波太太当然能留下来 +西西欧阁下会谢谢你的 那对你及那孩子都好 +你告诉他结婚是不可能的 而且你不想再见到他 +你的运气很好 +是谁? +我昏了 +我们... +我告诉过她我会和你谈谈 +不,我是说... +我就是要在那儿下手 +...cluttered up Hollywood's biggest staircase. +Is just like a pretty tune +HARLOW: +他和琴吉・罗杰斯出演过一系列歌舞片后 +我进的第一家电影公司就是米高梅 +absolutely too good +你们住手 {\cH00FFFF}{\3cH000000}You stop +你带回去给妈妈和落海吃的 {\cH00FFFF}{\3cH000000}You bring back to the mother and fall what sea eat +你妈要是对你好的话 {\cH00FFFF}{\3cH000000}If your mama to you of good words +在汤河桥旁跟这群卖艺的碰上了 +两位都不在了吗? +我们还在沙滩一起玩 +谢谢 +大多数德国人宁愿相信 这意味着 (对犹太人的处置)不会超过那个 +你知道这附近任何人... +真的很简单 +一直都在我们的脑海中,我想... +- 对 我们今晚去杀了它! +(裕仁)天皇强烈地渴望和平, +这些战士用他们的飞机来对抗 现在正在攻击 他们祖国的巨大的美式(B +还没有,等一等 +就自个儿想办法供 +好呀 +刚才那间医院跟你比差远了 +学著点吧 +快点,阿芳 +快下来救人,快点 +他很好 他旅行去了 +抱歉我闯入 但我弄伤了自己 +对 我看得见 +沿着整个前线发动进攻 +-欢迎登船 德本汉小姐 +你晚餐吃得不痛快嘛 +还有您 比安奇先生[意大利语] +格林伍德在德语中正是格伦瓦尔特 +谢谢[法语] 皮埃尔 请通报公主殿下 +那也许您能替她回答 +到那时我才震惊地意识到 整个广岛都被炸了 +听他们说什么: "克劳德·法布尔 应该坚持他更熟悉的主题 +我们见到你很高兴 克劳德说起你好多年了 +亲爱的 +- 别傻了 我跟你说了不 来吗? +- 我想选举后再跟你谈 +我想知道你得知我想再婚会不会震惊 +揭穿了这件 {\cH00FFFF}{\3cH000000}lead to the case being cracked wide open +不会耽误太久吧? +这个... +我当然知道 +我也知道你心里在想什么 +| +放轻松 +两天 我想过为人母亲 +-从那里印出来 +它们最后在他面前展现为他能停留与栖身的完整的境界。 +{\fnSimHei\bord1\shad1\pos(200,288)}為什麼不多放點如意膠呢? +杰里 , 我不能让你再回去 +多少后天学的 ? +谢谢 +是不是都用的助甜剂 +我母亲现在也不知道原因 +我真不该带她来这 +抱歉 +一你们知道的 一他有提到我们吗? +看着,别把它当成香烟 +有命案 劫案和毒犯要应付 +-什么事 +是的 +那又怎样? +等我写给你看 +我告诉他们我在这儿有个朋友想向他们问好 +不要 来吧 +听见了吗? +Pablo Neruda离开了罗马车站 +不说一句话,他似乎在思考 +在芬芳的草地上,在海的旋律里 +Music by Leonid DESYATNIKOV +判五还是六年 +转正! +你会送掉老命 +却被带橡皮手套的人偷袭 +十八号公路,飞机零件场 +二 他的别墅三 +-不 不 不 +-一把密码钥匙 +-啊 是什么 +康那利就能控制全世界 +-快点 康那斯 再试试 +我怎样都不会掉下来 +在未得到成功时要严戒色欲 +听起来确是不妥,我会向你解释 +就是这样 +我不能理解 +但这次不同了 +您的意思是... +特别是变成人类 +一只红眼球的蝎子 +不要因为过度使用变身术 +万福寺 +我们为了让大家知道 这个"梦幻乐园"的魅力和趣味 +所以 +高高耸立的船尾 +都是依照地形 +谢谢你! +信徒集会要求政府改变道路计划 +经过一年的禁欲之後 +胜利一定会属於我们 +在那里, 狸猫! +没问题! +這是正當自衛 +我住在西普利斯大街201號 +也許他們會在床下找到他 +你喜不喜欢凤梨? +- 他请病假 +我已经30岁了 +不 不是这样的 +你们在 罗莉塔 托尔 +不 不 不 不 +这让我们倍受打击 +你可以捆包就走... +那是"incorporates"(合并的) +我怎样才能使你高兴 +你令整个小镇陷入了恐慌之中 +我没有家 +被追捕 +-我不认为 +没有什么要比那媒体好 埃迪 +-纽西 +不 要的! +The Bear Song ) +来呀! +劳埃德 你真贴心 +你的嘴又要喘气了 +贝丝宝贝 +她把派对搞糟了吗? +王八蛋 +听不见伙计 +我恋爱了 +我是认真的老实说 +妈的怎么回事? +冲进来对我的伙计 大喊大叫的? +[叹气] +你觉得如何? +你是个好朋友,我不会忘记的 +再见,冲浪俱乐部! +琦丽 +梅瑞,你又让我们难堪了 +卡号? +我们只能认为维克多 +滚出去! +那不是法兰克辛纳区吗? +反正她是個奇特的女子 +作為女人有責任去... +-看见你真好 +但放心 +芝加哥和华盛顿... +但不是現在 +查查当地的餐厅如何? +在你杀了那三个混蛋之后 +我不喜欢你的特别秀 +妓院经理脑袋中弹 +那是老早以前的事 +以前沒見過你 +不要碰 +别紧张,大人物 +好让汤玛斯的人离我远点 +已就序 +等着瞧,福兰卡 +她在祈祷 +该死的,快点过来! +克劳迪,克劳迪 +我正在生死间游荡 +我认为他很沮丧 +让你一辈子都会记得 +雷洛培 你今天很漂亮 +费兰迪 韦格... +-没有炸弹碎片 +-霍珍找赖杰克博士 +你需要什么 +这不是巴士站 +碞硂妓玂禯瞒 +-ぐ或ㄠ +糑糑иΤ跑篈み瞶 +天! +怎能令它不掉下来 +直觉 +I figured you did. +您是很怪异。 +I'm sure glad I came all the way out here to find them out. +再见了 年青人 祝你旅途愉快 +请不要误会 不是我需要钱 +你知道我不会这样的 +我很累了 +我不知道你想要什么 +- 谢谢 蓓尔 +闭嘴! +哦,天哪,邦斯德的合同! +我该去把这份东西打成定稿 +你缓下来,坐在这里什么事都不干 +这就是使用方法 边上这些折皱可以让它摆动 +...你所雇佣的人 +-3 +你看起来不很忙! +-闭嘴! +-- +她想到了! +嗨,头,我只想对你说抱歉 +算了,你想说什么就说什么 +给肥胖者做个大码的 给懒人或大脑麻痹者加个电池装置 +赫德萨克先生? +哦,头,这太下流了 +就这么多,巴恩斯先生? +她很忧伤 +-不管是哪里 +-每年? +你为何会这么说的呢? +还不包括所谓的水果茶在内 +不想宣誓时喷嚏声此起彼落 +... +发现在这辈子中 +远古时代的... +在我们相处了很久之后 +有时候简直像亡命之徒 +我也不知道 告诉你 +我带东西给你 你别这么客气 +不久 我就离开了这个地方 +你妈妈真是很关心你的教育 孩子 +你知道 你的记忆有时清楚得不得了 +这是我一生中最快乐的时刻 +然后... +什么 狗屎? +做你的丈夫吗? +我没事,福雷斯 +我... +与华里斯州长交锋 +我听过许多传奇故事 +撤退! +强火呼叫,我们要... +你怎么搞的? +买了大仓房 +搞什麼鬼? +跑! +我找到耶穌沒有? +丹中尉! +有人吃我的沙司吗? +我来给你画吧 +但我很高兴有个伴 +上帝可以作证 +有些同志... +别关我 +真不错 +此外,州立圖書館亦慷慨捐助 +{\1cHC08080\be1}被帶走時哭得像個小女生 +几星期 ? +别让我出来再看到这些 +重重的回扣 +你想的到的监狱我都待过 +或是别的原因 +一个大银行家 +没听过这么久的处罚 +刚好轮到我 +若你放弃这权利 +-你写好失物清单了吗? +没事,我要你出去走走 +你要问什么问题? +-不用拿任何东西 +你不需要告诉我整个故事 +牡丹 +please Winston +那就是我的混蛋玩意 {\fnConsolas\fs12\1cH00FFFF}That's my Bad Motherfucker +-华莱士的合伙人 +才开了五天就给哪个狗杂碎划花了 +体重二百一十磅的... +-他死了 +别挡路,好狗 +-雷登杜区 +当... +-你会死得很难看 +再说一遍 +没想到你会煮这种高级货 +跟索哈一起回家拿口大锅 +放下枪 快点 +好 我跟你一亿 +帮主陈惠敏嘛 +怎么只拍到背脊? +他这次去台湾是否要参加一个大赌局 +我出来行走江湖 +我们不是匪徒,我们是受害人呀 +好 各位观众 +他在法国以为我死了 +随便抽一张 +各位观众 请拍手 +小心我妹妹 +不就是你 你说怕野狗走进隧道嘛 +我叔叔在赌船亲眼看到他和赌魔决战 +赌场 +仇笑痴 该轮到你出马了 +至少她有机会在婚礼上甩了男人 +面条? +跟我来 +市长已召集紧急会议 +你没事吧? +是的,他们是我的父母 +当你被废弃物包围的时候, 你很难去享受你的工作 +男人有未来,女人有过去 +桑先生,你为何而来? +亚瑟在马来西亚干嘛? +我挣扎,叫他住手,但他不肯 +等他报告,你就反驳他的说法,显出他的无能 +- 我有没有想错! +-在上捕猎物课程 +没有人敢说不要啦 只要我说声要 +-真过瘾 +-不! +你是被扫地出门的 好极了,我们也是 +Martha, 如果你不想走, 这就是你的决定 +-我想知道, Mattie. +好像有人知道些什么 +可能是这的人 +放松, Morg. +谢谢 +真不好意思 对不起 幸会 戴夫叔叔 +对他来说 我现在站在他身边 +你怎知我没有把纸寄给政府 +你没事吧 +你又想幹嘛? +想做露水夫妻嘛,得算一算 +你怎么知道? +以及密西西比河各种腐朽的生命 +我仍存在 ... +他在城市溜达着,寻找他的妻于 +你他妈的没有其他干嘛 +我们想向你解释一下 +是的 每个星期 +是一场七,七场一 +我,真的? +{\fnSimHei\bord1\shad1\pos(200,288)}全部撤離 +-快點 +如果你认不出嫌犯就与本案无关 +我看看 +正阳 +正阳 +-对吧? +出来,出来呀 +神父,我在街上捡到一个皮夹 +去撞他们 +我一定是听错了吧 +! +这是世界上最好吃的东西, 谢谢再多一点,回家真好 +已经办好了 很好,运气好的话, 我们应该可以找到他们 +-有听说吗? +贝芙丽,你的头发是谁做的? +我们应转移到 +我扮作查理写了六页的信 +不是"唤" ,是"依" +有人可翻译吗? +但好像再没有空位画了 +我不太清楚 +没什么 +就用钥匙... +人为何如此愚昧? +杰克逊 +她的脸皮... +是的 +那么... +大伙们,他是巴洛 +他第一次对我微笑时 +娜迪雅 +服从命令,首长 +你真风趣 +...有点晕 +你好烫啊 +谢谢 +斯盖将军,或许... +在23年里,我从没... +她是他的女儿吗? +-- +等等... +...当他想起那栋房子时... +你也一样,你最好听话 +去跟孩子们玩 +你看见她的腰了吗? +车来了,我们就走 +艾琳娜 +同志... +我的夜校老师很好的 +-瑞尔瓦. +开始! +我讨厌想到有陌生人在我们房子 +现在做 +好。 +... +我的父母离婚了 当我十四岁。 +什么? +你們在爭論什麼? +他們上千年以前就存在 +走 +孩子们都在等你吃年夜饭呢 +永远也赢不了他 +你们为什么不出去玩,外面好热闹 +是啊 +你要怎么办? +最喜欢什么? +可你,却和他同谋 +哦,搭我的车去吧这样到得快 +那次意外事故把我的膝盖给撞伤了 +好,再见 +嗨,是我,是 +看它管不管用 +是不错,你才看出来 +在瑞士买了这个雪村球送给你 +嘿 哈瑞 听着 海伦仍然爱你 +所以基本上你是个大骗子 +这样将使你的先生和女儿受到羞辱 +从波斯湾撤出 并且永不再来 +不要再过来 +对,好久没见了 +真的? +你也要为国家 +达斯克太太 +我们快降落 +太感谢了! +如果他们发出信号 +更精密的机器人可以 帮助我们建立火星基地 +但很久以前,当水在这里流过的时候 +他们是很古老的人呢 +没电话 远离市区 +别挡道 +我到乡下去 赶不及回来 +找出坦尼娅的爆破计划并尽快离开 +我找这里 你到那边去 +他冤枉人的本事跟你不逞多让哩 +明天在公堂之上,常公子你记着... +但可惜 +你为什么不干脆到我这边来? +否则我就骂臭她祖宗十八代 +做鬼吓跑你的魂 +你是个坏孩子,史林 +Ooh! +我不能 +你必须回去 +来自鲁西荣[法国南部一地区]? +我会死的! +你知道什么? +好看的笑容! +你们的臣民也会死去 +但没有关系. +-对 +去揭发我自己吗 +你好像很喜欢我家的梨子酒 +来两杯咖啡 小姐 谢谢 +达纳塔先生周一就要现金 明白吗? +- 是钱的事儿? +笨蛋! +我不要这个,可以吗? +噢,郎夫人 +好吧他令我很感动 +现在先来个越橘松饼 +特蕾茜 你能让我用你的毯子真的是太好了! +- 还没发现谁的什么毛病 +- 说定了 +- 奇迹突然从天而降? +比亚西是大赌徒!" +不好意思 +就像这样 +-没事 +嗨 莎拉 你好 好久不见 +对 +你儿子很怕一个男人 +-海瑟 找你的电话 +你也该休息一下 他会没事的 +旧了, +去死吧 +我理解. +我情愿不去 +如果你不想让她说话,你 可以走了 +有什么证据吗? +'Kay. +我永远也到不了出口。 +Who's there? +dd And leave all our doubts and fears behind us +- [ 低泣着 ] +[ 哭声 ] +他快要死了,是不是? +我想要知道. 滚走,你这家伙! +- 我现在可是你的乘客. +听着,计划是这样的 +对呀,我记得所有东西. +- Skank已经死了. +ぃぃ. +и克泊帝. +- 糔! +你们两个人追着跑有什么用? +跟不是笨蛋的人一起工作 +我简直不敢相信会有到达三千六的战斗潜能 +部长,麻烦发表一下意见吧 +接招! +撑住 +妈的,我正赶急 +请快来医院 +小猪,小猪,你在哪? +别紧张... +不要再妄想了... +六月和七月之间少了百分之十 +嘿 上面那儿出什么事了? +-危险又怎么样? +-是... +帽子也戴不稳,还说要剪我的辫子? +大王 +-走吧 +. +干吗把我绑起来呀? +哎 米兰长什么样啊 +欧巴 +七十年代中期 +我是家属的料吗 我 +你可以来救我吗 +跟这张一模一样的 +你们还是先回去得了 +令我心神往 +已把武器卸下并送来这里 +我会查出是谁在和我们玩游戏 +- 我们拿钱到了外面后便会通知你。 +正好相反! +这是为查理的。 +不履行向人口局报道的义务... +排队很享受吧? +今天是历史的时刻 Today is history. +小子们 动作快点! +Herr Direktor! +这不是所谓的企业 It's not an enterprise of any kind. +Jakob and Chama Perlman! +-hating talk. +保罗 保罗·斯戴格 Paul. +约瑟夫·斯卡夫 Josef Scharf. +是14800马克吗? +我会找一个管家。 +你爱你的母亲吗? +贝多芬... +我曾经爱过他。 +-老鼠 +我认为这里将会有所改变 +谢谢 +是的,我不希望! +有时候我希望我是女同性恋... +嘿,Pheebs,你要来帮忙吗? +... +这是我的新皮靴, 我不需要工作,不需要父母, 因为我有新皮靴! +谢谢。 +是什么,上校? +不错 +我不是已经死了吗? +但还是可能需要一点帮助 +拿起他的腿 +-是谁 +可是没想到 +每次都接不到 +接着皇上就推慧妃到桌子上 +哎哟,我们胭脂楼这么多美女 +你可不可以再给朕听一次你的心跳声? +每几个月她都会排一个卵 Every few months she lays a single egg. +像摩天大楼一样高 +它保卫着自己的巢穴不让饥饿的捕食者侵犯 +身体两侧特殊的器官使它们和谐地生活在一起 +想呀 +-好极了 +那就加厚4厘米 +塞缪尔·杰克逊(配角帝) +又把剧本带给哈威·凯特尔 +我在电视节目上 +《落水狗》在美国并不受欢迎 +我今年在巴西 还有人跟我说 +后来 +虽然没有在电影中直接呈现 +我怎么不知道 +有何贵干? +我要摸黑上厕所 +你不知道是我 +有一晚,巫师在井中下毒 +聚集到街上一起说... +在那些早晨,你觉得, "这(种轰炸)再来个两星期" +因为在26个章节中 他们无法同时拍摄 +我在慕尼黑来来往往 +这滚动的过程太好了 +独立战争的恢复和人们的自由 +"我应该去的" +牙齿,特别是如果它们包含了 大量残存细节 +或一些其他宗教的圣人 +然后... +反潜艇装置有什么问题呢? +那是我什么事都不能做 +他回来的时候天已经黑了 +其他女孩子也一样说了 +起初很困难通过他们精确地 +一个从没有活在专政社会的人 +孩子们非常喜欢 +黑色的大窗帘 +母亲们和爱人们吻别这些孩子 +不要不一样的 +工业革命之前的污染 +护照办公室有一名代表 +但它强调照顾"寄生虫"其实是在浪费 +议会招募了一个犹太人警察部队 +他总是说"包包包" 可妈妈没有东西给她 +她说"妈咪 你为什么给我穿上那条裙子? +难道对你们一点意义也没有吗 +第二天在火车上吐的满地都是 +差一刻十二点 +就是你的机会 +是谁在电话上 +把嘴张开! +来吧,比辛! +- 西元69年 +让我们看看你教的有多好! +为什么只要一有集会 +我每年都会来这里啜饮爱的甘露 +我不认为这个故事里有多少真实成份 +它的功用就这样吗? +125号车 有辆车跟踪你 +我们之间没有秘密 +你还有事吗 史密斯 +那样我就能让他为那二十三件案子付出代价 +他们知道我们会去 哈里 +我们要执行法律 维护秩序 +我在找一个人 +而你独自一个人面对他们 +首先你要成为有名气的人 然后你和我会包围他们 +牠很幸运,来了一只母牛... +行进中的新德国海军的战舰 +缩水的捷克土地 无助地摆在他的面前 +又一次,关于一个德国少数民族 受到迫害的神话被用来 +你深信它是你爸爸寄来的 +你想让我跟他上去吗? +- 再见 +或許在這個不眠之夜 你們已經成為天使 +庫巴 我們走! +♪ 别把我圈进(栅栏)去 +被从因为那天在海上而逃过一劫 的美国航空母舰上起飞的飞机摧毁 +现在,J. +十一面。 +我并不真的需要游泳衣。 +- 你在开玩笑吧? +哦,他定了这本圣经 +今天晚上过后她可能就不在这里了 +你说 +那个可能是你丹尼尔姑夫 +今天你赢了 但不要呆太久 +然后小心拼接在正确的位置 +莱拉和我订婚很久了 +辱骂和轻视我们 +到了 是时候了 +我无法想象 英国还存在这样的事 +但有一股结婚的热潮 +他们将离开他们的防御工事 进入比利时 +真的沒有生氣 +如果是今晚的話 去什麼地方呢 +公寓很貴 在宿舍很舒適 +好了夠了 +在那家店裏的人 +可能吧 +我也去... +开车. +请收下, 作为今天的纪念,这个"streimel". +- 拉比雅各布... +瑞士人在攻击我们 +我又被令人心烦的怀疑给缠住了啊 +-我看你喝得死醉了 +你在干嘛 狗娘养的 +-下贱的垃圾 +Kitty可能会有很大的麻烦 +你想干什么,摘苹果? +你们将经历的是一条艰难的路 +西至兰开夏 +英镑 +它是木构建筑 每块木头 都完满吻合 没有一根钉子 +我想你不曾跟戈培尔打过保龄球 +那能让我们永远在一起 +麦尼尔太太 +对 甜心 什么 +我可以告诉你真相 拜托 神父 +告诉我一切 {\fnArial Black\fs14\bord1\shad2\3cH4E0122}Tell me about that. +-没什么 +革命失败了 +我告诉他我不知道 +我很爱你 +不可能 +可真有趣 +不成,上次借的我們還沒還呢 +你害我是不是? +這不差了一萬塊 +我是沒吃飯啊! +我怕你是不是 +阿嫂 +对不起,我要拿药箱出诊了 +全由他一个人赔 +做导游女 +合伙打条三斤重的金链送给你 +我不明白发生了什么 +1937年7月,(日本人)制造了一起看起来象是 中国人向日本人开火的事件(卢沟桥事变) +远远超越它的时代的程式化艺术 +这个 +看你干的好事! +他和我过去分享一个铺位 我在顶上 +你今晚跟我上床 +我徒步旅行整晚 我刚找到 +海瑟! +他们爱怎么想怎么想 +起先只是想骗双鞋 去当铺换钱,就满意了 +他居然还说别担心 老兄,三千块耶 +你疯了 +我在找做假钞的混球 +那不是太可惜了 +虎克 +恐怕我再喝就眩晕了 +我正想和你谈这件事 +正本驾照不在这儿 +局长,孟夫人被谋杀了! +- 萨拉 +将这些人赶走 +你是谁呀 曼德姆斯 神? +长官最近很暴躁 +Cornelius! +快 Hurry. +别缠着这孩子 +决定 +玛贝尔! +我知道我老得够当你父亲 +哈利,我是说,神呐! +试图保住我们15年的辛勤耕耘的成果是犯罪吗? +这也是一个,耶稣基督! +也许不止五回 +诊所? +你爸爸是个男人吗? +我想只有玛蒂尔德一个 +好了 +你确定你不会改变主意? +看看这个 看你能不能看见什么 +而我們的軍部 對它毫無興趣 +我們日內瓦電臺 將向諸位聽眾播送室內樂節目 +你每次都能赢的 +早 +啊? +我到时会有一个更大的房子 +头低一点,我得弄湿它 +是要紧事吗? +操我吧 +我自己的女儿也去搞了个野种回来 +那天你看到他時他是不是跟誰在一起 +要么是內務部的人 +-colored kids out there{\cHFFFFFF}{\2cH00111211F}{\4cH000000} +对 +我有很多 还有电动的 +虽然今天是你第一天来 但我觉得跟你在一起很自在 +我想跟他聊聊! +Darling... +-33 33 +我们可以互相帮助来理解它 We can help each other understand it. +推荐你接任这个工作 of recommending you for a job, +夏洛克 +是克里格医生 It's Dr. +你当然可以问 You can ask. +听着 我什么都不知道 Look, I don't know anything. +好吧 伊莱扎 好吧 +早上好 +那么我就可以证明他没有与他人共谋 and I can prove he's not part of a conspiracy, then... +真的吗 Yeah? +你的神已经原谅你了 +不 +那个侏儒叫你这么做的吧 {\cH62A8EB\fs13}The dwarf told you to do this? +谁来追随你呢 {\cH62A8EB\fs13}Who comes after you? +不 我不知道 鲍勃 +-I keep telling everyone, +That is fine. +不可能 我不可能杀了她 There's no way I could've killed her. +-不 不 +不打扰他们的自由 他们对幸福的追求 +虽然这种提问有点敏感 +How you like them apples? +宏伟而完好 Majestic and untouched. +- The one they call... +这个人感知不到第四维了 The human is no longer aware of the fourth dimension. +- No! +你是骗子! +怎么样? +我他妈就是神! +我只想说天涯何处无芳草 +好像我们能和平共处一样 +我不明白你怎么会 +如果我把两个三千万吨级的核弹放错地方 {\1cH00FFFFFF\3cH00000000\fs14\bord1\shad0\b1}If I misplaced a couple of 30 megaton nukes, +有一次我问她 {\1cH00FFFFFF\3cH00000000\fs14\bord1\shad0\b1}I asked her once +- Wanda? +我的左臂发麻 这正常吗 {\1cH00FFFFFF\3cH00000000\fs14\bord1\shad0\b1}My left arm is numb, is that normal? +我的父亲 {\1cH00FFFFFF\3cH00000000\fs14\bord1\shad0\b1}My father... +别谢我 Don't thank me. +也许下一次... +你挺有种的 孩子 你是哪区的? +-我这就去 +但是 +你知道的 +斯塔克先生说过你会这么说 +你当我是什么人啊 +复仇已经吞噬了你 +Rumlow是在三樓 +好吧,你都這麼大了 你有老婆孩子 +你確定嗎? +未来很黑暗 +米奇 +等到晚上... +我只是出门散心两天 +对,真的 +how did you get in here? +他认为是真正隐私的... +{\cH62A8EB}{\3c000000}{\4cH000000}$20. +我自己来 {\cH62A8EB}{\3c000000}{\4cH000000}I can do that myself. +it's the both of us. +the best tricks +我们派人去了费城 就因为他声称... +-mouse with you, broski. +我们去喝一杯? +What is he talking about? +- Good to see you all. +是的 Yes. +然后妈妈会变得很伤心 +{\fnNoto Sans S Chinese DemiLight\fs28\bord1\shad1\i1}该死 {\fnMicrosoft Sans Serif\fs16\bord1\shad1\1cH999900\i1}Shit. +- 什么? +my god. +You sure? +{\fnNoto Sans S Chinese DemiLight\fs28\bord1\shad1\i1}我会让那傻比喝个够 {\fnMicrosoft Sans Serif\fs16\bord1\shad1\1cH999900\i1}I'm gonna let that little idiot get nice and liquored up +我觉得那些艺术品感染力很强 +没用的 +- 嗯 +你是他的骄傲. +{\fnNoto Sans S Chinese Medium\fs26\bord1\shad1\i1}不过在宴会前 要是碰到真正的巴黎人就要小心了 {\fnMicrosoft Sans Serif\fs16\bord1\shad1\1cH999900\i1}but we'll have to be careful in front of real Parisians until the party. +{\fnNoto Sans S Chinese Medium\fs26\bord1\shad1\i1}先给妻子一根烟 {\fnMicrosoft Sans Serif\fs16\bord1\shad1\1cH999900\i1}a cigarette before lighting his own. +各位朋友和同事们. +你能在这小地方呆10天吗. +The neighbours will find it curious if I don't come to visit you on your first night. +- 等等. +如果军情五处说给你一个大任务. +三号囚室. +We had no choice! +{\pos(294.914,151.771)}时间轴 噃噃bobo +我理解 这很难 +布雷克先生 +等等 我想跟凯伦谈 +有50马克和一些零钱 +那这可刺激我了 +我是英雄 +他是魅蓝有限公司地方总负责人 The Blue Limit's man in charge on the ground, +极速前进 Amazing Races, +-okay. +联邦调查局的人涌进来 就这样 and the FBI swarms this place, and that's that. +零件还是明天才能到 +告诉我我妻子的死并不是意外 +你該為自己能夠感受這些情感而驕傲 +真是個令人遺憾的結局 對吧 +you're wasting time I don't have. +- 好姑娘 +今晚最重要的就是信任 +谢谢,我爸从纽约买回来的 +- 我发现一些... +-China dissidents, +帮我拿着 +"如果你看到这里还没中枪 +今天只是豆腐宴 +-j +{\fnNoto Sans S Chinese DemiLight\bord1\shad1\b0\i1}我得走了 {\fnMicrosoft Sans Serif\fs10\bord1\shad1\1cH999900\b0\i1}I gotta go. +dad. +-i would. +{\fnNoto Sans S Chinese Medium\bord1\shad1\an7}别人都是这么说的 {\fnMicrosoft Sans Serif\fs10\bord1\shad1\an7\1cH999900\b0}that's what people say +做什么 坐在一起玩電子游戲嗎 What? +一切开始的时候 The moment it all began. +Sorry, I... +- Yes! +好了, 剩下的组合... +Don't you worry, Eddie. +是的,他们很棒. +Beautiful, isn't she? +it was a palace of wonder and magic. +-Yeah, okay, here. +- Hello! +说的好像你能跳的更好一样, pip +现在我们的财产或支付账单。 +你好吗? +就是为了我 +-不 才不是 +bye, Gail. +In that case, sir, you'll be wanting our platinum card. +- 不是今晚. +For what? +Rosita, 这是... +and it's in that box. +哦 哦 {\fs40\cHFFFFFF}Oh! +恭请颐安 {\fs40\cHFFFFFF}Top of the morning to you. +- 当然 {\fs40\cHFFFFFF} +will you? +{\fs46\cH00A2FF}♪啦哩啪 啦哩啪 啪啦哩啦哩... +Once there was a way to get back homeward {\fs46\cH00A2FF}♪我会为你唱一首摇篮曲♪ +一边弹钢琴一边唱歌 是吧? +强尼 +哈 我知道 +是啊 而且相信我 +你们觉得怎么样? +伯乐 你去哪儿? +老大 快看 +我为你唱首摇篮曲 +行了 +肯定派很多人来打听 +昨天你们当中有人告诉了警察 Some of you spoke to the police... +我们也做到了 We did. +I am so sorry! +他们那么相信他们的工具 So much faith in their tools... +比奥斯维辛那次规模更大 on a much larger scale than what we saw at Auschwitz. +谢谢你让我进来 Thank you for letting me in. +莫拉·马克塔格特向调查委员会 revealed to an investigative committee... +我眼睛很不舒服 +就是这里曾是英国的地盘 +和你差不多的年纪 +慕尼黑马戏团 +我追踪他们中的一个 +有人来告诉这个世界 并让众人相信 +谢谢 +听着 这问提可能很蠢 但是 +我在从他们头里取出炸弹 看到没 +直到现在 +这只需要半天时间 +之前在地下室里不是 +一个英雄 +混蛋 笑一个不好吗 +这是什么地方 +我们不是伪君子 +- +我知道你在给他下慢性毒药 +-- +即使是我 我也会反对 +这是章程 我不相信他 +抓紧时间啊这里有很多受伤者 +消防栓的供水线路没问题吧 +这是真的美国人 美国人 +接下来就是要解决吃饭的问题 +徐上士请客 +不知道你在为谁说话 +再来 +见面后你直接向我汇报 +我们在现世死去 然后在往生复活 {\3cH000000\fs30}We close our eyes on this world and open them on the next. +这样深重的罪孽 我要如何赎罪 {\3cH000000\fs30}What atonement do I deserve? +- 看不到你来了 +东西还挺沉 +把我的孩子给我 diff --git a/benchmarks/haystacks/opensubtitles/zh-small.txt b/benchmarks/haystacks/opensubtitles/zh-small.txt new file mode 100644 index 0000000..5b86454 --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/zh-small.txt @@ -0,0 +1,28 @@ +魯哇克香貓咖啡 世界上最稀有的飲品 Kopi luwak. +the rarest beverage in the world. +嘗一小口 Take a whiff. +來 Go ahead. +寇爾先生 董事會已準備好聽你的提案 Uh, mr. +cole, the board is ready to hear your proposal. +等一下下 Hold on just a second. +來 繼續 Go ahead. +go on. +怎樣 Well? +真不錯 Really good. +真不錯 Really good. +寇爾先生? +Mr. +cole. +sir? +吉姆 你知道庸俗是什麼嗎 Do you know what a philistine is, jim? +先生 我叫理查德 Sir, it's richard. +沒錯 費爾 出動你的如簧巧舌吧 That's right, phil. +give them the spiel. +謝謝 主席先生 主管們 Thank you, mr. +chairman, fellow supervisors. +我們寇爾集團財務的管理不善 We at the cole group feel the decline of the winwood hospital... +直接造成了溫伍德醫院的衰敗 ...is a direct result of significant fiscal mismanagement. +請原諒 我們醫院... +I beg your pardon, this hospital... +日常開支近2倍 overhead costs are nearly double. +帽子不错 汤姆 夏洛克·福尔摩斯 diff --git a/benchmarks/haystacks/opensubtitles/zh-teeny.txt b/benchmarks/haystacks/opensubtitles/zh-teeny.txt new file mode 100644 index 0000000..ce6eed2 --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/zh-teeny.txt @@ -0,0 +1 @@ +汤姆 夏洛克·福尔摩斯 diff --git a/benchmarks/haystacks/opensubtitles/zh-tiny.txt b/benchmarks/haystacks/opensubtitles/zh-tiny.txt new file mode 100644 index 0000000..cb19de1 --- /dev/null +++ b/benchmarks/haystacks/opensubtitles/zh-tiny.txt @@ -0,0 +1,3 @@ +谁是早餐界的冠军? +你突然来信说最近要搬到这里 +帽子不错 汤姆 夏洛克·福尔摩斯 diff --git a/benchmarks/record/aarch64/2023-09-07.csv b/benchmarks/record/aarch64/2023-09-07.csv new file mode 100644 index 0000000..ac68199 --- /dev/null +++ b/benchmarks/record/aarch64/2023-09-07.csv @@ -0,0 +1,700 @@ +name,model,rebar_version,engine,engine_version,err,haystack_len,iters,total,median,mad,mean,stddev,min,max +build/empty,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,,412412,4.75s,7.21us,0.00ns,7.19us,755.00ns,5.21us,67.50us +build/empty,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,,424952,4.76s,7.04us,0.00ns,6.97us,882.00ns,5.21us,38.33us +build/empty,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,,412381,4.81s,7.17us,0.00ns,7.19us,781.00ns,5.29us,40.25us +build/empty,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,,409872,4.81s,7.21us,0.00ns,7.24us,773.00ns,5.29us,33.04us +build/empty,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,427009,4.80s,7.00us,0.00ns,6.94us,912.00ns,5.17us,38.58us +build/empty,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,410395,4.81s,7.17us,0.00ns,7.23us,775.00ns,5.33us,34.12us +build/empty,compile,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,,1000000,685.14ms,1.00ns,0.00ns,17.00ns,30.00ns,1.00ns,19.79us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,,340176,4.76s,8.88us,0.00ns,8.69us,774.00ns,6.42us,39.88us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,,328017,4.76s,9.12us,0.00ns,9.01us,875.00ns,6.79us,42.83us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,,332076,4.75s,8.92us,0.00ns,8.90us,894.00ns,6.67us,61.42us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,,352134,4.75s,8.42us,0.00ns,8.39us,779.00ns,6.42us,48.00us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,332729,4.76s,8.96us,0.00ns,8.88us,895.00ns,6.71us,40.67us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,335059,4.75s,8.88us,0.00ns,8.82us,869.00ns,6.54us,40.54us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,,1000000,5.02s,2.79us,0.00ns,2.79us,239.00ns,2.62us,33.88us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,,1000000,4.95s,2.79us,0.00ns,2.79us,242.00ns,2.62us,36.08us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,,1000000,806.34ms,42.00ns,0.00ns,37.00ns,20.00ns,1.00ns,9.33us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,,309724,4.76s,9.58us,0.00ns,9.55us,869.00ns,7.46us,42.54us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,,261285,4.69s,11.38us,0.00ns,11.33us,1.01us,8.67us,45.25us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,,263567,4.69s,11.21us,0.00ns,11.23us,1.01us,8.75us,42.92us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,,306724,4.76s,9.67us,0.00ns,9.64us,890.00ns,7.38us,40.71us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,258993,4.68s,11.50us,0.00ns,11.43us,1.02us,8.62us,66.58us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,255564,4.68s,11.71us,0.00ns,11.59us,1.14us,8.54us,45.08us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,,1000000,5.08s,2.83us,0.00ns,2.83us,238.00ns,2.67us,34.33us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,,1000000,5.02s,2.83us,0.00ns,2.83us,242.00ns,2.67us,34.12us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,,1000000,810.54ms,42.00ns,0.00ns,42.00ns,20.00ns,1.00ns,10.00us +build/many-short,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,,37396,4.55s,79.38us,0.00ns,79.66us,1.94us,75.62us,135.75us +build/many-short,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,,3286,4.55s,913.58us,0.00ns,912.53us,9.05us,873.88us,0.96ms +build/many-short,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,,3281,4.56s,914.88us,0.00ns,913.96us,8.95us,876.04us,0.96ms +build/many-short,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,,37572,4.56s,78.88us,0.00ns,79.29us,1.88us,75.04us,114.54us +build/many-short,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,3257,4.56s,916.58us,0.00ns,920.66us,14.65us,890.62us,1.07ms +build/many-short,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,3271,4.56s,916.08us,0.00ns,916.70us,7.55us,884.62us,0.96ms +build/many-short,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,,362211,4.76s,8.17us,0.00ns,8.19us,441.00ns,7.92us,38.67us +build/many-short,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,,365885,4.74s,8.08us,0.00ns,8.11us,410.00ns,7.88us,33.12us +build/many-short,compile,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,,1000000,4.06s,1.08us,0.00ns,1.07us,152.00ns,0.96us,30.58us +build/words5000,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,,835,4.56s,3.59ms,0.00ns,3.59ms,13.98us,3.57ms,3.79ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,,863,4.56s,3.48ms,0.00ns,3.48ms,14.28us,3.44ms,3.58ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,,851,4.56s,3.53ms,0.00ns,3.53ms,12.03us,3.50ms,3.59ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,,841,4.55s,3.57ms,0.00ns,3.57ms,12.30us,3.55ms,3.65ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,863,4.56s,3.48ms,0.00ns,3.48ms,13.42us,3.45ms,3.54ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,850,4.56s,3.53ms,21.00ns,3.53ms,12.34us,3.51ms,3.59ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,,644,4.56s,4.66ms,166.00ns,4.66ms,24.72us,4.61ms,4.74ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,,672,4.55s,4.47ms,62.00ns,4.47ms,25.85us,4.42ms,4.55ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,,10152,4.56s,226.50us,0.00ns,231.46us,11.29us,216.29us,332.04us +build/words15000,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,,292,4.56s,10.26ms,146.00ns,10.27ms,18.18us,10.23ms,10.35ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,,300,4.56s,10.01ms,4.06us,10.00ms,56.93us,9.92ms,10.35ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,,290,4.56s,10.36ms,42.00ns,10.36ms,20.49us,10.32ms,10.45ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,,292,4.56s,10.28ms,21.00ns,10.28ms,17.98us,10.25ms,10.35ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,300,4.56s,10.01ms,2.73us,10.00ms,54.28us,9.92ms,10.14ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,290,4.56s,10.36ms,21.00ns,10.36ms,21.04us,10.31ms,10.48ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,,297,4.56s,10.09ms,0.00ns,10.10ms,89.17us,9.96ms,10.27ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,,291,4.56s,10.34ms,0.00ns,10.31ms,94.86us,10.18ms,10.53ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,,2872,4.56s,763.58us,0.00ns,764.31us,8.22us,747.54us,845.42us +curated/sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2311,4.56s,1.29ms,0.00ns,1.30ms,6.52us,1.29ms,1.36ms +curated/sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2310,4.56s,1.29ms,0.00ns,1.30ms,6.69us,1.29ms,1.35ms +curated/sherlock-en,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,899232,3557,4.56s,841.25us,0.00ns,843.45us,5.38us,837.46us,899.79us +curated/sherlock-en,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,94989,4.63s,31.46us,0.00ns,31.53us,893.00ns,31.21us,62.13us +curated/sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2307,4.56s,1.30ms,0.00ns,1.30ms,10.19us,1.30ms,1.55ms +curated/sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2304,4.55s,1.30ms,0.00ns,1.30ms,24.59us,1.30ms,1.73ms +curated/sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,899232,2417,4.56s,1.24ms,0.00ns,1.24ms,6.92us,1.23ms,1.29ms +curated/sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,5608,4.56s,534.00us,0.00ns,534.94us,4.87us,527.79us,588.75us +curated/sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1324,4.55s,2.26ms,0.00ns,2.27ms,9.01us,2.26ms,2.36ms +curated/sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1323,4.56s,2.26ms,0.00ns,2.27ms,18.00us,2.26ms,2.56ms +curated/sherlock-ru,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,1570556,509,4.56s,5.89ms,0.00ns,5.89ms,14.81us,5.87ms,5.95ms +curated/sherlock-ru,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,1570556,54863,4.56s,54.46us,0.00ns,54.63us,1.24us,54.25us,92.79us +curated/sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1308,4.56s,2.29ms,0.00ns,2.29ms,8.53us,2.29ms,2.36ms +curated/sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1308,4.56s,2.29ms,0.00ns,2.29ms,8.01us,2.29ms,2.34ms +curated/sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,1570556,683,4.56s,4.39ms,0.00ns,4.40ms,12.43us,4.37ms,4.48ms +curated/sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,1570556,7077,4.56s,422.38us,0.00ns,423.86us,3.92us,421.79us,473.12us +curated/sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,813478,2571,4.56s,1.16ms,0.00ns,1.17ms,6.22us,1.16ms,1.21ms +curated/sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,813478,2571,4.56s,1.16ms,0.00ns,1.17ms,6.56us,1.16ms,1.22ms +curated/sherlock-zh,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,813478,2138,4.56s,1.40ms,0.00ns,1.40ms,11.12us,1.38ms,1.63ms +curated/sherlock-zh,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,813478,115559,4.63s,25.83us,0.00ns,25.91us,799.00ns,25.71us,56.58us +curated/alt-sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2300,4.56s,1.30ms,0.00ns,1.30ms,6.52us,1.30ms,1.37ms +curated/alt-sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2299,4.56s,1.30ms,0.00ns,1.30ms,7.67us,1.30ms,1.51ms +curated/alt-sherlock-en,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,899232,3045,4.56s,0.98ms,0.00ns,0.99ms,6.21us,0.98ms,1.07ms +curated/alt-sherlock-en,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,21202,4.56s,141.04us,0.00ns,141.45us,2.11us,140.83us,169.75us +curated/alt-sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2229,4.56s,1.34ms,0.00ns,1.35ms,6.41us,1.34ms,1.39ms +curated/alt-sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2229,4.56s,1.34ms,0.00ns,1.35ms,6.27us,1.34ms,1.40ms +curated/alt-sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,899232,1534,4.56s,1.96ms,0.00ns,1.96ms,9.79us,1.93ms,1.99ms +curated/alt-sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,2276,4.56s,1.32ms,0.00ns,1.32ms,10.44us,1.31ms,1.68ms +curated/alt-sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1320,4.56s,2.27ms,0.00ns,2.27ms,8.30us,2.27ms,2.33ms +curated/alt-sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1320,4.55s,2.27ms,0.00ns,2.27ms,8.34us,2.27ms,2.32ms +curated/alt-sherlock-ru,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,1570556,459,4.56s,6.53ms,0.00ns,6.54ms,13.08us,6.52ms,6.59ms +curated/alt-sherlock-ru,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,1570556,12046,4.56s,248.29us,0.00ns,249.00us,3.13us,247.46us,296.33us +curated/alt-sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1209,4.56s,2.48ms,0.00ns,2.48ms,7.73us,2.48ms,2.52ms +curated/alt-sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1209,4.56s,2.48ms,0.00ns,2.48ms,7.80us,2.46ms,2.53ms +curated/alt-sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,1570556,552,4.56s,5.44ms,83.00ns,5.44ms,13.12us,5.42ms,5.52ms +curated/alt-sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,1570556,2875,4.56s,1.04ms,0.00ns,1.04ms,5.99us,1.04ms,1.10ms +curated/alt-sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,813478,2562,4.56s,1.17ms,0.00ns,1.17ms,6.37us,1.17ms,1.21ms +curated/alt-sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,813478,2562,4.56s,1.17ms,0.00ns,1.17ms,6.36us,1.17ms,1.22ms +curated/alt-sherlock-zh,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,813478,1409,4.56s,2.13ms,0.00ns,2.13ms,9.14us,2.11ms,2.18ms +curated/alt-sherlock-zh,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,813478,23484,4.56s,127.29us,0.00ns,127.70us,2.08us,127.12us,173.25us +curated/dictionary-15,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,61436,9449,4.56s,316.38us,0.00ns,317.48us,3.48us,315.04us,353.12us +curated/dictionary-15,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,61436,31392,4.62s,95.25us,0.00ns,95.53us,1.73us,94.75us,132.58us +curated/dictionary-15,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,61436,9707,4.56s,308.17us,0.00ns,309.04us,3.41us,306.67us,353.08us +curated/dictionary-15,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,61436,31348,4.61s,95.21us,0.00ns,95.66us,2.08us,94.79us,130.79us +curated/dictionary-15,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,61436,7835,4.56s,381.79us,0.00ns,382.90us,3.91us,380.12us,445.04us +curated/dictionary-15,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,61436,561,4.56s,5.35ms,0.00ns,5.35ms,11.96us,5.34ms,5.43ms +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,100010,20913,4.56s,143.00us,0.00ns,143.40us,2.17us,142.79us,180.00us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,100010,20933,4.56s,142.83us,0.00ns,143.27us,2.24us,142.71us,180.83us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,100010,20936,4.56s,142.83us,0.00ns,143.25us,2.15us,142.71us,193.71us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,3628,4.56s,824.88us,0.00ns,826.99us,6.51us,820.17us,866.96us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,6845,4.56s,437.29us,0.00ns,438.27us,4.22us,434.71us,477.71us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,100010,20935,4.56s,142.83us,0.00ns,143.25us,2.17us,142.71us,178.83us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,100010,20912,4.55s,142.96us,0.00ns,143.41us,2.19us,142.79us,188.04us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,100010,20935,4.56s,142.83us,0.00ns,143.25us,2.14us,142.71us,180.46us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,100010,20933,4.56s,142.83us,0.00ns,143.27us,2.23us,142.67us,179.79us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,3533,4.56s,846.75us,0.00ns,849.17us,6.63us,842.75us,910.08us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,6954,4.56s,430.88us,0.00ns,431.39us,4.30us,426.58us,466.29us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,100010,20934,4.56s,142.83us,0.00ns,143.26us,2.17us,142.71us,173.71us +random/many/words100,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,100010,5622,4.56s,532.17us,0.00ns,533.63us,6.75us,525.25us,620.71us +random/many/words100,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,100010,5689,4.56s,525.79us,0.00ns,527.31us,6.69us,517.04us,646.92us +random/many/words100,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,100010,7386,4.56s,404.96us,0.00ns,406.13us,3.99us,403.25us,439.17us +random/many/words100,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,100010,2407,4.56s,1.24ms,0.00ns,1.25ms,7.97us,1.24ms,1.42ms +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,100010,6304,4.55s,474.92us,0.00ns,475.90us,5.06us,469.58us,552.00us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,100010,6470,4.56s,462.58us,0.00ns,463.70us,4.40us,459.00us,510.38us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,100010,6336,4.56s,472.83us,0.00ns,473.44us,4.57us,462.54us,525.50us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,3323,4.56s,901.62us,0.00ns,902.99us,6.33us,893.21us,947.96us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,6158,4.56s,505.46us,0.00ns,487.19us,25.60us,451.62us,542.12us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,100010,15237,4.68s,196.25us,0.00ns,196.85us,2.66us,195.00us,232.42us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,100010,6523,4.56s,458.88us,0.00ns,459.89us,4.12us,455.71us,494.92us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,100010,6160,4.56s,485.04us,0.00ns,487.00us,5.05us,481.96us,522.17us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,100010,6106,4.56s,490.17us,1.00ns,491.31us,4.79us,486.54us,530.92us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,3290,4.56s,910.25us,0.00ns,911.88us,7.41us,903.21us,1.08ms +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,6413,4.56s,466.92us,0.00ns,467.83us,4.42us,462.92us,521.58us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,100010,15204,4.68s,196.71us,0.00ns,197.28us,2.64us,195.29us,239.75us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,100010,4753,4.56s,629.46us,0.00ns,631.24us,7.02us,622.58us,735.21us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,100010,4720,4.56s,631.71us,0.00ns,635.66us,12.90us,619.58us,797.79us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,100010,146,4.55s,20.66ms,291.00ns,20.65ms,43.33us,20.53ms,20.75ms +random/many/words5000,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,100010,48,4.62s,63.55ms,104.00ns,63.55ms,25.66us,63.50ms,63.62ms +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,548622,4.88s,5.42us,0.00ns,5.42us,320.00ns,5.08us,31.42us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,546854,4.87s,5.54us,0.00ns,5.44us,399.00ns,4.96us,36.54us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,549741,4.88s,5.54us,0.00ns,5.41us,400.00ns,4.96us,35.62us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21682,4.55s,137.96us,0.00ns,138.31us,2.22us,135.92us,180.92us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,131223,4.63s,22.79us,0.00ns,22.81us,736.00ns,22.04us,52.08us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,164502,4.62s,18.17us,0.00ns,18.19us,636.00ns,17.83us,49.58us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,554809,4.88s,5.33us,0.00ns,5.36us,342.00ns,5.04us,67.08us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,534247,4.87s,5.58us,0.00ns,5.57us,356.00ns,5.00us,36.71us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,532730,4.88s,5.58us,0.00ns,5.58us,354.00ns,5.00us,36.50us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21702,4.55s,137.83us,0.00ns,138.18us,2.45us,136.04us,285.00us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,130962,4.63s,22.83us,0.00ns,22.86us,734.00ns,22.25us,53.04us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,165287,4.62s,18.08us,0.00ns,18.10us,616.00ns,17.75us,48.79us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,223395,4.69s,13.33us,0.00ns,13.38us,533.00ns,13.21us,43.92us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,223396,4.69s,13.33us,0.00ns,13.38us,540.00ns,13.21us,43.79us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,4.84s,2.54us,0.00ns,2.56us,224.00ns,2.42us,33.62us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,474981,4.89s,4.62us,0.00ns,6.27us,809.53us,4.38us,557.11ms +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,1000000,874.83ms,125.00ns,0.00ns,124.00ns,18.00ns,41.00ns,7.21us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,0.99s,125.00ns,0.00ns,122.00ns,45.00ns,1.00ns,23.96us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,928.84ms,125.00ns,0.00ns,122.00ns,41.00ns,1.00ns,16.92us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208867,4.69s,14.29us,0.00ns,14.31us,544.00ns,14.17us,44.88us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259447,4.69s,11.50us,0.00ns,11.51us,504.00ns,11.33us,64.46us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,212531,4.68s,14.21us,0.00ns,14.07us,1.00us,8.71us,44.67us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,1000000,874.28ms,125.00ns,0.00ns,122.00ns,39.00ns,1.00ns,16.29us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,932.27ms,125.00ns,0.00ns,122.00ns,41.00ns,1.00ns,23.88us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,933.49ms,125.00ns,0.00ns,122.00ns,47.00ns,1.00ns,23.46us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208860,4.68s,14.29us,0.00ns,14.31us,559.00ns,14.17us,47.88us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259449,4.69s,11.50us,0.00ns,11.51us,483.00ns,11.33us,52.04us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,212156,4.62s,14.21us,0.00ns,14.09us,1.22us,8.71us,47.33us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,347021,4.75s,8.58us,0.00ns,8.60us,412.00ns,8.46us,39.29us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,346992,4.76s,8.58us,0.00ns,8.60us,411.00ns,8.46us,39.92us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,938.63ms,125.00ns,0.00ns,119.00ns,49.00ns,1.00ns,23.83us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,466482,4.76s,4.75us,0.00ns,6.38us,843.75us,4.54us,574.84ms +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,523038,4.88s,5.67us,0.00ns,5.69us,341.00ns,5.46us,38.33us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,470055,4.86s,6.33us,0.00ns,6.33us,354.00ns,6.17us,37.50us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,467501,4.76s,6.33us,0.00ns,6.37us,385.00ns,6.17us,47.88us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21810,4.56s,137.12us,0.00ns,137.50us,2.12us,135.71us,180.00us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,130986,4.63s,22.79us,0.00ns,22.86us,722.00ns,22.33us,53.62us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,164388,4.62s,18.17us,0.00ns,18.20us,620.00ns,17.88us,51.38us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,529319,4.88s,5.62us,0.00ns,5.62us,339.00ns,5.42us,37.25us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,467763,4.82s,6.33us,0.00ns,6.36us,363.00ns,6.12us,37.54us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,469285,4.82s,6.33us,0.00ns,6.34us,358.00ns,6.12us,37.21us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,16313,4.55s,137.33us,0.00ns,183.85us,4.50ms,135.83us,572.61ms +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,131539,4.62s,22.75us,0.00ns,22.76us,735.00ns,22.08us,59.71us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,164719,4.63s,18.12us,0.00ns,18.16us,625.00ns,17.79us,59.79us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,223531,4.69s,13.33us,0.00ns,13.37us,532.00ns,13.21us,42.46us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,223511,4.63s,13.33us,0.00ns,13.37us,526.00ns,13.21us,48.00us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,4.89s,2.67us,0.00ns,2.68us,230.00ns,2.54us,33.50us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,305365,4.76s,9.67us,0.00ns,9.78us,577.00ns,9.21us,40.25us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,1000000,1.00s,208.00ns,0.00ns,216.00ns,64.00ns,125.00ns,24.62us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,1.11s,208.00ns,0.00ns,216.00ns,69.00ns,125.00ns,23.67us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,1.05s,208.00ns,0.00ns,216.00ns,61.00ns,125.00ns,24.96us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208850,4.69s,14.29us,0.00ns,14.31us,563.00ns,14.17us,53.67us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259651,4.68s,11.50us,0.00ns,11.51us,489.00ns,11.33us,46.00us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,210625,5.31s,14.21us,0.00ns,14.20us,46.52us,8.71us,21.34ms +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,1000000,1.16s,208.00ns,0.00ns,237.00ns,19.74us,125.00ns,19.74ms +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,1.11s,208.00ns,0.00ns,216.00ns,53.00ns,125.00ns,27.17us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,1.11s,208.00ns,0.00ns,216.00ns,69.00ns,125.00ns,24.96us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208857,4.69s,14.29us,0.00ns,14.31us,546.00ns,14.17us,45.12us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259511,4.68s,11.50us,0.00ns,11.51us,510.00ns,11.33us,61.38us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,212321,4.68s,14.21us,0.00ns,14.08us,1.00us,8.71us,53.50us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,347034,4.75s,8.58us,0.00ns,8.60us,422.00ns,8.46us,43.42us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,346994,4.75s,8.58us,0.00ns,8.60us,420.00ns,8.46us,35.29us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,1.18s,250.00ns,0.00ns,240.00ns,62.00ns,125.00ns,22.58us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,308655,4.76s,9.62us,0.00ns,9.67us,525.00ns,9.17us,40.00us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,516404,4.88s,5.75us,0.00ns,5.76us,337.00ns,5.54us,37.33us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,424904,4.81s,7.00us,0.00ns,7.01us,386.00ns,6.75us,40.12us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,409660,5.36s,7.00us,0.00ns,8.43us,866.59us,6.79us,554.39ms +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21668,4.56s,137.88us,0.00ns,138.40us,3.31us,135.46us,189.71us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,130161,4.62s,23.00us,0.00ns,23.00us,739.00ns,22.08us,56.33us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,164609,4.63s,18.12us,0.00ns,18.18us,636.00ns,17.83us,47.50us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,520215,4.87s,5.71us,0.00ns,5.72us,345.00ns,5.50us,35.75us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,426645,4.82s,6.96us,0.00ns,6.98us,381.00ns,6.71us,32.21us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,426825,4.82s,6.96us,0.00ns,6.98us,382.00ns,6.75us,37.54us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21647,4.55s,138.17us,0.00ns,138.53us,2.24us,136.33us,172.50us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,130623,4.63s,22.92us,0.00ns,22.92us,732.00ns,22.21us,56.71us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,164153,4.63s,18.21us,0.00ns,18.23us,631.00ns,17.88us,49.83us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,221598,4.68s,13.33us,0.00ns,13.49us,29.86us,13.21us,12.25ms +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,222764,4.69s,13.38us,0.00ns,13.42us,613.00ns,13.21us,49.00us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,5.00s,2.79us,0.00ns,2.80us,232.00ns,2.67us,27.62us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,202975,4.67s,14.62us,0.00ns,14.73us,691.00ns,13.88us,40.42us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,1000000,1.23s,292.00ns,0.00ns,299.00ns,83.00ns,208.00ns,31.83us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,1.29s,292.00ns,0.00ns,299.00ns,85.00ns,208.00ns,21.75us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,1.29s,292.00ns,0.00ns,299.00ns,73.00ns,208.00ns,24.96us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208858,4.68s,14.29us,0.00ns,14.31us,549.00ns,14.17us,50.29us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259149,4.69s,11.50us,0.00ns,11.53us,492.00ns,11.33us,45.21us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,212461,4.62s,14.21us,0.00ns,14.07us,0.99us,8.79us,49.50us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,1000000,1.30s,292.00ns,0.00ns,299.00ns,79.00ns,208.00ns,30.96us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,1.29s,292.00ns,0.00ns,299.00ns,74.00ns,208.00ns,26.96us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,1.30s,292.00ns,0.00ns,299.00ns,75.00ns,208.00ns,25.04us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208849,4.68s,14.29us,0.00ns,14.31us,563.00ns,14.17us,53.46us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259255,4.69s,11.50us,0.00ns,11.52us,489.00ns,11.33us,42.29us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,161699,4.61s,14.21us,0.00ns,18.50us,1.39ms,8.71us,557.11ms +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,347028,4.75s,8.58us,0.00ns,8.60us,414.00ns,8.46us,40.96us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,347001,4.75s,8.58us,0.00ns,8.60us,420.00ns,8.46us,39.29us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,1.42s,375.00ns,0.00ns,359.00ns,91.00ns,250.00ns,25.08us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,205830,4.68s,14.46us,0.00ns,14.53us,625.00ns,11.88us,48.75us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,168152,4.61s,17.75us,0.00ns,17.79us,637.00ns,17.25us,51.88us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,165751,4.63s,18.04us,0.00ns,18.05us,708.00ns,17.00us,48.75us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,164245,4.63s,18.21us,0.00ns,18.22us,705.00ns,17.17us,44.75us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21696,4.56s,137.88us,0.00ns,138.22us,2.16us,136.00us,173.62us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,130584,4.63s,22.88us,0.00ns,22.93us,739.00ns,22.29us,62.17us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,164512,4.63s,18.17us,0.00ns,18.19us,631.00ns,17.83us,51.58us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,127055,4.63s,17.71us,0.00ns,23.56us,1.57ms,16.92us,557.40ms +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,170552,4.62s,17.46us,0.00ns,17.54us,729.00ns,16.58us,67.92us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,170466,4.63s,17.46us,0.00ns,17.55us,750.00ns,16.58us,75.54us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21688,4.56s,137.88us,0.00ns,138.27us,2.27us,136.04us,172.50us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,130451,4.62s,22.92us,0.00ns,22.95us,732.00ns,22.33us,63.21us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,164244,4.65s,18.17us,0.00ns,18.22us,649.00ns,17.79us,49.83us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,223501,4.69s,13.33us,0.00ns,13.38us,540.00ns,13.21us,56.92us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,223802,4.69s,13.33us,0.00ns,13.36us,526.00ns,13.21us,43.17us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,5.13s,2.92us,0.00ns,2.92us,238.00ns,2.79us,34.04us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,152266,4.63s,19.54us,0.00ns,19.65us,807.00ns,18.58us,49.46us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,169768,4.60s,14.17us,0.00ns,17.62us,1.35ms,8.33us,553.12ms +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,212496,4.68s,14.21us,0.00ns,14.07us,1.00us,8.67us,51.08us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,212456,4.69s,14.21us,0.00ns,14.07us,1.00us,8.71us,47.58us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208830,4.69s,14.29us,0.00ns,14.32us,564.00ns,14.17us,45.38us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259245,4.69s,11.50us,0.00ns,11.52us,493.00ns,11.33us,45.62us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,212497,4.69s,14.21us,0.00ns,14.07us,1.00us,8.71us,47.58us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,212310,4.69s,14.21us,0.00ns,14.08us,903.00ns,8.25us,45.04us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,210525,4.68s,14.21us,0.00ns,14.20us,544.00ns,8.75us,43.75us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,210525,4.63s,14.21us,0.00ns,14.20us,541.00ns,9.00us,45.00us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208840,4.69s,14.29us,0.00ns,14.32us,562.00ns,14.17us,45.62us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,201037,4.65s,11.50us,0.00ns,14.87us,1.24ms,11.33us,553.93ms +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,212467,4.69s,14.21us,0.00ns,14.07us,1.02us,8.75us,55.79us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,347026,4.75s,8.58us,0.00ns,8.60us,419.00ns,8.46us,40.04us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,346799,4.76s,8.58us,0.00ns,8.60us,414.00ns,8.46us,35.21us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,1.60s,459.00ns,0.00ns,474.00ns,97.00ns,375.00ns,25.38us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,154290,4.62s,19.33us,0.00ns,19.40us,735.00ns,18.54us,53.79us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,168480,4.62s,17.71us,0.00ns,17.76us,627.00ns,17.21us,50.12us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,162460,4.63s,18.38us,0.00ns,18.42us,702.00ns,17.29us,51.38us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,161350,4.62s,18.50us,0.00ns,18.54us,678.00ns,17.54us,49.71us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21488,4.56s,139.21us,0.00ns,139.56us,2.17us,137.50us,173.21us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,131687,4.63s,22.67us,0.00ns,22.73us,739.00ns,21.88us,53.29us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,127135,4.59s,18.08us,0.00ns,23.55us,1.57ms,17.75us,557.26ms +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,170615,4.62s,17.50us,0.00ns,17.54us,621.00ns,16.83us,54.62us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,170460,4.62s,17.50us,0.00ns,17.55us,751.00ns,16.58us,48.17us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,165791,4.62s,18.00us,0.00ns,18.05us,735.00ns,16.79us,48.75us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21489,4.56s,139.21us,0.00ns,139.56us,2.19us,137.75us,181.04us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,131075,4.63s,22.83us,0.00ns,22.84us,738.00ns,22.00us,53.62us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,163874,4.62s,18.25us,0.00ns,18.26us,648.00ns,17.75us,48.12us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,223405,4.69s,13.33us,0.00ns,13.38us,536.00ns,13.21us,44.29us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,223458,4.69s,13.33us,0.00ns,13.38us,553.00ns,13.21us,44.79us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,971935,5.12s,3.04us,0.00ns,3.04us,243.00ns,2.92us,33.71us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,111184,5.00s,24.42us,0.00ns,29.74us,1.66ms,23.25us,554.38ms +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,213486,4.69s,14.21us,0.00ns,14.00us,1.10us,8.33us,44.92us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,213144,4.69s,14.21us,0.00ns,14.03us,1.11us,8.79us,45.04us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,212955,4.69s,14.21us,0.00ns,14.04us,1.10us,8.67us,66.50us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208857,4.69s,14.29us,0.00ns,14.31us,535.00ns,14.17us,50.75us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259616,4.69s,11.50us,0.00ns,11.51us,477.00ns,11.33us,36.96us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,213137,4.63s,14.21us,0.00ns,14.03us,1.11us,8.75us,44.67us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,212402,4.69s,14.21us,0.00ns,14.07us,935.00ns,8.33us,44.71us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,210442,4.69s,14.21us,0.00ns,14.21us,590.00ns,8.83us,75.67us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,210476,4.69s,14.21us,0.00ns,14.20us,547.00ns,9.04us,46.08us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,207078,4.68s,14.29us,0.00ns,14.44us,47.83us,14.17us,21.71ms +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,253828,4.73s,11.50us,0.00ns,11.77us,49.73us,11.33us,23.36ms +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,212683,4.69s,14.21us,0.00ns,14.06us,1.02us,8.58us,44.71us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,346966,4.75s,8.58us,0.00ns,8.60us,440.00ns,8.46us,63.50us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,346531,4.75s,8.58us,0.00ns,8.61us,428.00ns,8.46us,38.29us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,1.84s,583.00ns,0.00ns,591.00ns,106.00ns,500.00ns,25.54us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,123406,4.63s,24.17us,0.00ns,24.26us,846.00ns,23.25us,56.04us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,844546,5.02s,3.50us,0.00ns,3.50us,264.00ns,3.38us,33.92us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,843803,5.06s,3.50us,0.00ns,3.51us,258.00ns,3.38us,34.04us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,843779,5.01s,3.50us,0.00ns,3.51us,271.00ns,3.38us,62.42us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,59902,4.56s,49.96us,0.00ns,50.03us,1.15us,49.21us,80.96us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,114874,4.57s,19.75us,0.00ns,26.06us,1.63ms,19.58us,552.47ms +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,209042,4.63s,14.29us,0.00ns,14.30us,534.00ns,14.17us,48.25us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,843317,5.06s,3.50us,0.00ns,3.51us,259.00ns,3.38us,56.29us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,844266,5.01s,3.50us,0.00ns,3.51us,266.00ns,3.38us,36.50us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,843916,5.01s,3.50us,0.00ns,3.51us,265.00ns,3.38us,44.08us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,59910,4.56s,49.96us,0.00ns,50.03us,1.17us,49.21us,86.96us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,151247,4.63s,19.75us,0.00ns,19.79us,675.00ns,19.58us,53.46us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,209056,4.68s,14.29us,0.00ns,14.30us,537.00ns,14.17us,45.71us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,221341,4.68s,13.46us,0.00ns,13.51us,525.00ns,13.29us,44.21us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,221741,4.69s,13.46us,0.00ns,13.48us,520.00ns,13.29us,44.38us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,797284,5.01s,3.71us,0.00ns,3.71us,260.00ns,3.58us,36.58us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,260928,4.69s,11.42us,0.00ns,11.45us,530.00ns,11.12us,43.62us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,217161,4.69s,13.75us,0.00ns,13.76us,548.00ns,13.50us,44.96us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,223651,4.69s,13.38us,0.00ns,13.37us,572.00ns,13.12us,44.25us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,215949,4.69s,13.83us,0.00ns,13.84us,537.00ns,13.54us,46.88us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,37719,4.55s,79.17us,0.00ns,79.49us,1.67us,78.46us,114.38us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,90177,4.56s,33.08us,0.00ns,33.22us,941.00ns,32.75us,74.21us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,209012,4.63s,14.29us,0.00ns,14.30us,564.00ns,14.17us,45.21us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,217015,4.68s,13.75us,0.00ns,13.77us,543.00ns,13.54us,44.71us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,217639,4.69s,13.71us,0.00ns,13.73us,553.00ns,13.50us,44.50us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,221664,4.69s,13.46us,0.00ns,13.49us,540.00ns,13.25us,46.46us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,36914,4.55s,81.00us,0.00ns,81.22us,1.72us,79.83us,124.42us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,89428,4.56s,33.38us,0.00ns,33.50us,922.00ns,33.12us,62.88us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,209022,4.63s,14.29us,0.00ns,14.30us,551.00ns,14.17us,46.42us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,85218,4.56s,31.50us,0.00ns,35.15us,4.92us,30.12us,82.17us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,99100,4.63s,29.79us,0.00ns,30.22us,1.44us,28.58us,63.54us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,803522,5.06s,3.67us,0.00ns,3.68us,284.00ns,3.58us,34.88us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,121055,4.63s,24.67us,0.00ns,24.73us,797.00ns,24.17us,55.71us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,23590,4.56s,115.79us,0.00ns,127.12us,15.78us,86.42us,173.88us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,27101,4.56s,131.92us,0.00ns,110.64us,22.70us,85.92us,169.96us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,32116,4.56s,91.71us,0.00ns,93.36us,7.05us,88.75us,151.25us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1013,4.56s,2.96ms,0.00ns,2.96ms,9.71us,2.92ms,3.01ms +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,35177,4.56s,85.08us,0.00ns,85.23us,1.63us,83.04us,123.46us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,43642,4.56s,68.62us,0.00ns,68.69us,1.49us,66.17us,105.17us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,21759,4.56s,145.79us,0.00ns,137.82us,14.04us,86.25us,175.67us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,26684,4.55s,101.17us,0.00ns,112.38us,20.26us,86.04us,170.62us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,26231,4.55s,101.46us,0.00ns,114.32us,20.06us,86.08us,174.79us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1066,4.56s,2.81ms,20.00ns,2.82ms,65.10us,2.70ms,3.67ms +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,35983,4.54s,83.08us,0.00ns,83.32us,1.58us,81.42us,116.83us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,42957,4.56s,69.62us,0.00ns,69.78us,1.55us,65.38us,102.67us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,87208,4.62s,34.25us,0.00ns,34.35us,0.95us,34.12us,67.42us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,87212,4.56s,34.25us,0.00ns,34.35us,945.00ns,34.12us,65.54us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,159155,4.61s,18.83us,0.00ns,18.80us,1.68us,15.92us,66.75us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,245336,4.69s,12.17us,0.00ns,12.18us,505.00ns,12.04us,42.79us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,1000000,933.86ms,125.00ns,0.00ns,122.00ns,41.00ns,41.00ns,16.58us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,937.64ms,125.00ns,0.00ns,122.00ns,40.00ns,1.00ns,16.92us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,937.36ms,125.00ns,0.00ns,122.00ns,40.00ns,1.00ns,18.17us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208877,4.69s,14.29us,0.00ns,14.31us,545.00ns,14.17us,45.54us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,260593,4.69s,11.46us,0.00ns,11.46us,488.00ns,11.33us,42.21us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,210955,4.69s,14.25us,0.00ns,14.17us,880.00ns,9.00us,66.42us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,1000000,931.34ms,125.00ns,0.00ns,122.00ns,41.00ns,1.00ns,20.08us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,938.06ms,125.00ns,0.00ns,122.00ns,46.00ns,1.00ns,23.83us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,928.26ms,125.00ns,0.00ns,122.00ns,33.00ns,1.00ns,10.83us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208877,4.63s,14.29us,0.00ns,14.31us,558.00ns,14.17us,46.79us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,260580,4.69s,11.46us,0.00ns,11.46us,489.00ns,11.33us,44.33us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,210932,4.68s,14.25us,0.00ns,14.17us,890.00ns,9.04us,46.21us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,347055,4.76s,8.58us,0.00ns,8.59us,417.00ns,8.46us,39.25us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,347084,4.75s,8.58us,0.00ns,8.60us,428.00ns,8.46us,39.33us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,1000000,938.17ms,125.00ns,0.00ns,119.00ns,58.00ns,1.00ns,40.21us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,623645,4.95s,4.71us,0.00ns,4.76us,348.00ns,3.83us,37.46us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,16751,4.56s,177.96us,0.00ns,179.05us,3.86us,174.38us,232.08us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,19548,4.55s,153.04us,0.00ns,153.42us,2.24us,150.96us,191.29us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,28489,4.56s,102.92us,0.00ns,105.25us,5.18us,102.21us,153.25us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1014,4.56s,2.96ms,0.00ns,2.96ms,10.22us,2.90ms,3.01ms +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,35746,4.56s,83.79us,0.00ns,83.87us,1.68us,78.71us,116.92us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,43574,4.56s,68.75us,0.00ns,68.80us,1.48us,64.54us,98.58us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,16435,4.56s,182.75us,0.00ns,182.49us,2.73us,177.00us,222.29us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,27408,4.56s,108.08us,0.00ns,109.40us,2.90us,106.00us,151.88us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,27773,4.56s,107.08us,0.00ns,107.97us,2.65us,104.58us,162.96us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1015,4.56s,2.96ms,0.00ns,2.96ms,16.78us,2.89ms,3.15ms +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,35744,4.56s,83.79us,0.00ns,83.88us,1.63us,79.92us,120.42us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,43242,4.56s,69.17us,0.00ns,69.32us,1.46us,66.58us,104.79us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,87021,4.56s,34.25us,0.00ns,34.43us,1.15us,34.12us,65.50us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,87000,4.56s,34.25us,0.00ns,34.43us,1.18us,34.12us,67.25us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,159379,4.62s,18.75us,0.00ns,18.77us,1.29us,15.50us,78.21us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,175581,4.63s,17.00us,0.00ns,17.04us,645.00ns,16.04us,48.75us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,1000000,1.12s,208.00ns,0.00ns,216.00ns,62.00ns,125.00ns,25.12us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,1.11s,208.00ns,0.00ns,216.00ns,60.00ns,125.00ns,24.08us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,1.11s,208.00ns,0.00ns,216.00ns,54.00ns,125.00ns,24.88us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208835,4.69s,14.29us,0.00ns,14.32us,572.00ns,14.17us,50.62us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,260533,4.69s,11.46us,0.00ns,11.47us,495.00ns,11.33us,41.54us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,210905,4.69s,14.25us,0.00ns,14.18us,856.00ns,9.00us,43.17us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,1000000,1.11s,208.00ns,0.00ns,216.00ns,65.00ns,125.00ns,24.96us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,1.12s,208.00ns,0.00ns,216.00ns,71.00ns,125.00ns,24.46us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,1.12s,208.00ns,0.00ns,216.00ns,65.00ns,125.00ns,23.54us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208871,4.69s,14.29us,0.00ns,14.31us,561.00ns,14.17us,44.96us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,260530,4.68s,11.46us,0.00ns,11.47us,514.00ns,11.33us,51.83us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,210915,4.69s,14.25us,0.00ns,14.18us,852.00ns,9.00us,43.42us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,347033,4.75s,8.58us,0.00ns,8.60us,432.00ns,8.46us,38.29us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,346947,4.75s,8.58us,0.00ns,8.60us,416.00ns,8.46us,40.50us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,1000000,1.18s,250.00ns,0.00ns,240.00ns,61.00ns,125.00ns,18.67us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,307873,4.69s,9.62us,0.00ns,9.70us,500.00ns,7.96us,41.21us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,17611,4.56s,169.79us,0.00ns,170.30us,11.37us,143.38us,220.00us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,22645,4.56s,104.12us,0.00ns,132.43us,32.29us,102.88us,199.46us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,22595,4.56s,104.00us,0.00ns,132.72us,32.34us,102.96us,229.00us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1015,4.56s,2.96ms,0.00ns,2.96ms,17.56us,2.80ms,3.01ms +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,36118,4.56s,82.92us,0.00ns,83.01us,1.69us,79.21us,121.62us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,44428,4.56s,67.33us,0.00ns,67.47us,1.56us,64.58us,106.17us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,19038,4.56s,156.62us,0.00ns,157.53us,8.37us,145.17us,197.75us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,27190,4.56s,109.46us,0.00ns,110.28us,3.74us,104.54us,156.08us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,27320,4.56s,109.54us,0.00ns,109.76us,3.54us,104.58us,154.21us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1074,4.56s,2.78ms,42.00ns,2.80ms,49.55us,2.70ms,2.98ms +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,36148,4.56s,82.83us,0.00ns,82.94us,1.63us,80.29us,116.71us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,43924,4.56s,68.08us,0.00ns,68.25us,1.48us,66.00us,101.92us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,87015,4.56s,34.25us,0.00ns,34.43us,1.17us,34.12us,67.58us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,87020,4.56s,34.25us,0.00ns,34.43us,1.15us,34.12us,66.12us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,158852,4.61s,18.83us,0.00ns,18.84us,1.23us,15.83us,78.38us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,136828,4.62s,21.83us,0.00ns,21.88us,777.00ns,20.04us,52.38us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,1000000,1.30s,292.00ns,0.00ns,299.00ns,76.00ns,208.00ns,24.75us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,1.29s,292.00ns,0.00ns,299.00ns,74.00ns,208.00ns,19.17us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,1.24s,292.00ns,0.00ns,299.00ns,69.00ns,208.00ns,25.29us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208895,4.63s,14.29us,0.00ns,14.31us,549.00ns,14.17us,49.12us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,260525,4.69s,11.46us,0.00ns,11.47us,479.00ns,11.33us,41.42us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,210263,4.69s,14.25us,0.00ns,14.22us,790.00ns,9.17us,45.25us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,1000000,1.30s,292.00ns,0.00ns,299.00ns,79.00ns,208.00ns,25.33us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,1.28s,292.00ns,0.00ns,299.00ns,75.00ns,208.00ns,25.08us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,1.30s,292.00ns,0.00ns,299.00ns,75.00ns,208.00ns,24.12us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208853,4.69s,14.29us,0.00ns,14.32us,591.00ns,14.17us,47.38us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,260540,4.69s,11.46us,0.00ns,11.47us,487.00ns,11.33us,41.88us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,210317,4.68s,14.25us,0.00ns,14.22us,799.00ns,9.17us,43.71us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,347103,4.74s,8.58us,0.00ns,8.59us,421.00ns,8.46us,43.08us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,347115,4.75s,8.58us,0.00ns,8.59us,404.00ns,8.46us,41.04us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,1000000,1.42s,375.00ns,0.00ns,357.00ns,88.00ns,250.00ns,25.17us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,205699,4.69s,14.46us,0.00ns,14.54us,624.00ns,13.83us,45.46us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,48144,4.56s,62.13us,0.00ns,62.26us,1.38us,59.62us,93.33us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,43989,4.56s,67.83us,0.00ns,68.15us,1.58us,66.33us,101.92us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,43921,4.55s,67.96us,0.00ns,68.25us,1.55us,66.38us,104.71us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1038,4.56s,2.90ms,84.00ns,2.89ms,48.56us,2.73ms,2.99ms +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,35929,4.56s,83.25us,0.00ns,83.45us,1.60us,81.62us,123.17us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,44543,4.56s,67.25us,0.00ns,67.30us,1.53us,64.79us,105.83us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,47652,4.56s,62.63us,0.00ns,62.90us,1.44us,60.33us,100.25us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,43526,4.56s,68.33us,0.00ns,68.87us,1.78us,66.96us,101.54us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,43124,4.56s,69.33us,0.00ns,69.51us,1.47us,67.29us,97.92us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1020,4.55s,2.96ms,42.00ns,2.94ms,30.82us,2.75ms,3.00ms +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,35825,4.56s,83.42us,0.00ns,83.69us,1.65us,82.42us,122.42us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,44096,4.56s,67.50us,0.00ns,67.98us,1.69us,65.46us,97.42us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,87008,4.56s,34.25us,0.00ns,34.43us,1.18us,34.12us,67.42us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,87027,4.56s,34.25us,0.00ns,34.42us,1.15us,34.12us,65.92us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,158197,4.62s,18.96us,0.00ns,18.91us,1.32us,16.17us,66.58us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,111804,4.63s,26.67us,0.00ns,26.78us,857.00ns,24.00us,61.75us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,209459,4.69s,14.25us,0.00ns,14.27us,550.00ns,13.50us,44.96us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,210960,4.67s,14.25us,0.00ns,14.17us,859.00ns,9.00us,44.92us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,209089,4.69s,14.29us,0.00ns,14.30us,583.00ns,9.08us,74.12us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208878,4.69s,14.29us,0.00ns,14.31us,544.00ns,14.17us,45.54us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,260323,4.68s,11.46us,0.00ns,11.48us,515.00ns,11.33us,42.17us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,210928,4.69s,14.25us,0.00ns,14.17us,864.00ns,9.00us,45.46us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,209475,4.69s,14.25us,0.00ns,14.27us,546.00ns,13.62us,47.21us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,209627,4.63s,14.25us,0.00ns,14.26us,552.00ns,9.17us,44.83us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,209336,4.69s,14.25us,0.00ns,14.28us,869.00ns,9.12us,47.12us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208882,4.69s,14.29us,0.00ns,14.31us,544.00ns,14.17us,44.75us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,260328,4.69s,11.46us,0.00ns,11.48us,477.00ns,11.33us,36.71us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,210584,4.67s,14.25us,0.00ns,14.20us,871.00ns,8.96us,48.54us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,347068,4.76s,8.58us,0.00ns,8.59us,422.00ns,8.46us,40.75us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,347075,4.75s,8.58us,0.00ns,8.60us,426.00ns,8.46us,42.83us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,1000000,1.71s,459.00ns,0.00ns,474.00ns,89.00ns,375.00ns,25.17us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,154358,4.63s,19.29us,0.00ns,19.39us,737.00ns,18.50us,49.42us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,48898,4.56s,61.17us,0.00ns,61.30us,1.43us,58.62us,96.38us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,44655,4.56s,67.29us,0.00ns,67.13us,1.71us,64.79us,103.25us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,44608,4.56s,67.38us,0.00ns,67.20us,1.71us,64.79us,109.46us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1010,4.56s,2.97ms,0.00ns,2.97ms,10.40us,2.95ms,3.03ms +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,34897,4.56s,85.67us,0.00ns,85.91us,1.67us,84.58us,123.08us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,39736,4.82s,67.71us,0.00ns,82.15us,2.76ms,64.67us,550.17ms +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,48118,4.55s,62.00us,0.00ns,62.30us,1.82us,59.17us,96.08us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,44399,4.56s,67.33us,0.00ns,67.52us,1.53us,65.88us,106.75us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,44389,4.56s,67.29us,0.00ns,67.53us,1.55us,65.79us,101.38us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1003,4.55s,2.99ms,0.00ns,2.99ms,19.80us,2.95ms,3.19ms +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,36226,4.56s,82.54us,0.00ns,82.76us,1.64us,80.42us,116.62us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,44380,4.56s,67.12us,0.00ns,67.55us,1.60us,64.67us,99.96us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,87016,4.61s,34.25us,0.00ns,34.43us,1.17us,34.12us,65.00us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,87017,4.56s,34.25us,0.00ns,34.43us,1.17us,34.12us,69.08us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,158091,4.63s,19.25us,0.00ns,18.93us,2.18us,15.92us,71.75us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,93995,4.56s,31.54us,0.00ns,31.87us,55.07us,30.71us,16.78ms +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,198040,5.18s,14.25us,0.00ns,15.08us,88.31us,12.88us,27.53ms +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,211202,4.69s,14.25us,0.00ns,14.15us,919.00ns,9.00us,55.46us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,211170,4.63s,14.25us,0.00ns,14.16us,914.00ns,9.00us,49.67us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208843,4.68s,14.29us,0.00ns,14.32us,581.00ns,14.17us,48.04us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,260491,4.69s,11.46us,0.00ns,11.47us,492.00ns,11.33us,42.17us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,211231,4.69s,14.25us,0.00ns,14.15us,921.00ns,9.00us,45.33us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,209455,4.69s,14.25us,0.00ns,14.28us,544.00ns,13.17us,45.08us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,209612,4.69s,14.25us,0.00ns,14.26us,543.00ns,9.04us,44.96us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,209597,4.63s,14.25us,0.00ns,14.27us,543.00ns,9.21us,45.71us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208858,4.69s,14.29us,0.00ns,14.31us,565.00ns,14.17us,47.33us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,197389,4.66s,11.46us,0.00ns,15.15us,1.25ms,11.33us,554.53ms +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,210961,4.69s,14.25us,0.00ns,14.17us,0.98us,9.00us,48.29us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,347027,4.75s,8.58us,0.00ns,8.60us,439.00ns,8.46us,60.83us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,347033,4.75s,8.58us,0.00ns,8.60us,418.00ns,8.46us,41.96us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,1000000,1.88s,583.00ns,0.00ns,591.00ns,93.00ns,500.00ns,25.29us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,124296,4.63s,24.12us,0.00ns,24.09us,1.11us,19.75us,57.17us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,280908,4.69s,10.54us,0.00ns,10.63us,811.00ns,9.75us,42.50us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,291574,4.75s,9.79us,0.00ns,10.24us,1.30us,9.12us,41.50us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,284059,4.75s,10.50us,0.00ns,10.51us,1.24us,8.92us,45.75us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,9011,4.56s,332.04us,0.00ns,332.90us,7.60us,313.04us,372.50us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,140148,4.62s,21.12us,0.00ns,21.36us,60.01us,21.04us,22.45ms +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,175619,4.74s,16.00us,0.00ns,17.04us,99.69us,15.67us,31.76ms +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,280737,4.69s,10.46us,0.00ns,10.64us,0.98us,9.71us,51.58us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,251219,4.69s,10.50us,0.00ns,11.89us,2.44us,9.25us,65.58us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,261701,4.69s,10.58us,0.00ns,11.41us,1.98us,9.17us,46.33us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,9103,4.56s,329.08us,0.00ns,329.51us,5.76us,313.42us,369.08us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,141325,4.63s,21.12us,0.00ns,21.18us,698.00ns,21.04us,51.62us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,185992,4.69s,16.04us,0.00ns,16.08us,623.00ns,15.67us,48.83us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,109769,4.63s,27.21us,0.00ns,27.28us,846.00ns,27.00us,85.46us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,109769,4.63s,27.21us,0.00ns,27.28us,792.00ns,27.04us,57.75us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,747075,5.00s,3.92us,0.00ns,3.97us,468.00ns,3.79us,36.04us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,417946,4.81s,5.38us,0.00ns,7.13us,860.31us,5.25us,554.01ms +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,161931,4.62s,18.46us,0.00ns,18.48us,617.00ns,18.25us,54.92us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,158352,4.63s,18.88us,0.00ns,18.90us,661.00ns,18.58us,70.83us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,160077,4.62s,18.67us,0.00ns,18.69us,636.00ns,18.42us,52.58us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,2191,4.56s,1.37ms,0.00ns,1.37ms,39.00us,1.25ms,1.50ms +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2880,4.56s,1.04ms,0.00ns,1.04ms,6.02us,1.04ms,1.09ms +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3498,4.56s,855.04us,0.00ns,857.61us,5.68us,854.88us,897.42us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,166364,4.63s,17.96us,0.00ns,17.98us,616.00ns,17.79us,49.29us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,158829,4.63s,18.79us,0.00ns,18.84us,686.00ns,18.46us,48.88us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,155655,4.62s,18.96us,0.00ns,19.22us,776.00ns,18.71us,50.62us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1684,4.51s,1.38ms,1.00ns,1.78ms,13.77ms,1.26ms,564.89ms +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2879,4.52s,1.04ms,0.00ns,1.04ms,6.18us,1.04ms,1.09ms +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3497,4.55s,855.17us,0.00ns,857.86us,6.05us,854.96us,915.38us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,5647,4.56s,529.38us,0.00ns,531.24us,6.69us,528.58us,710.96us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,5650,4.55s,529.42us,0.00ns,530.94us,4.88us,528.67us,621.12us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,77505,4.56s,38.54us,0.00ns,38.66us,0.98us,38.38us,67.29us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,7011,4.56s,426.92us,0.00ns,427.85us,4.55us,423.21us,477.83us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,60980,4.56s,48.88us,0.00ns,49.15us,1.32us,48.29us,110.62us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,55311,4.56s,54.08us,0.00ns,54.19us,1.28us,53.38us,95.62us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,55325,4.56s,53.96us,0.00ns,54.18us,1.26us,53.46us,89.08us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1672,4.56s,1.78ms,0.00ns,1.80ms,515.99us,1.68ms,22.82ms +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2678,4.83s,1.05ms,0.00ns,1.12ms,802.19us,1.05ms,25.65ms +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3457,4.55s,865.33us,0.00ns,867.95us,5.57us,865.12us,934.79us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,60200,4.56s,48.54us,0.00ns,49.78us,2.21us,47.96us,82.58us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,56494,4.56s,50.71us,0.00ns,53.05us,3.67us,50.04us,112.00us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,57686,4.56s,51.38us,0.00ns,51.96us,1.90us,50.79us,92.50us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1688,4.55s,1.78ms,20.00ns,1.78ms,37.18us,1.68ms,2.14ms +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2840,4.56s,1.05ms,0.00ns,1.06ms,5.75us,1.05ms,1.10ms +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3456,4.56s,865.46us,0.00ns,868.02us,5.30us,865.25us,919.17us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,5409,4.56s,553.08us,0.00ns,554.62us,4.35us,551.92us,602.46us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,5410,4.56s,553.04us,0.00ns,554.57us,4.44us,551.92us,606.88us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,53559,4.61s,43.29us,0.00ns,55.96us,2.41ms,41.92us,555.46ms +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,5962,4.55s,502.00us,0.00ns,503.13us,4.83us,497.62us,546.17us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,3439,4.56s,869.67us,0.00ns,872.46us,6.49us,869.12us,1.03ms +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,3442,4.56s,869.29us,0.00ns,871.79us,5.59us,868.25us,914.92us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,3442,4.56s,869.12us,0.00ns,871.66us,5.48us,868.04us,919.17us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1188,4.56s,2.53ms,21.00ns,2.53ms,21.01us,2.46ms,2.61ms +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2712,4.56s,1.10ms,0.00ns,1.11ms,6.33us,1.10ms,1.20ms +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3441,4.56s,869.38us,0.00ns,871.97us,5.69us,868.38us,931.75us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,3438,4.56s,870.21us,0.00ns,872.77us,5.47us,869.38us,924.50us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,3440,4.56s,869.58us,0.00ns,872.19us,5.59us,868.58us,913.62us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,3417,4.51s,869.38us,0.00ns,878.11us,304.74us,868.25us,18.59ms +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1152,4.56s,2.52ms,42.00ns,2.61ms,1.14ms,2.47ms,26.06ms +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2714,4.55s,1.10ms,0.00ns,1.11ms,6.25us,1.10ms,1.17ms +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3441,4.56s,869.46us,0.00ns,871.92us,5.42us,868.42us,914.92us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,4750,4.56s,629.92us,0.00ns,631.58us,4.85us,628.04us,676.83us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,4750,4.56s,629.92us,0.00ns,631.60us,5.33us,628.17us,747.58us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,22493,4.56s,132.92us,0.00ns,133.32us,2.08us,132.71us,167.46us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,1635,4.55s,1.83ms,0.00ns,1.84ms,9.57us,1.82ms,1.89ms +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,63271,4.56s,47.08us,0.00ns,47.37us,1.35us,46.54us,85.08us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,60787,4.56s,49.12us,0.00ns,49.30us,1.22us,48.58us,80.17us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,56721,4.56s,52.75us,0.00ns,52.84us,1.23us,52.12us,82.96us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1029,4.52s,2.21ms,0.00ns,2.92ms,17.62ms,2.08ms,565.66ms +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2842,4.56s,1.05ms,0.00ns,1.06ms,5.79us,1.05ms,1.11ms +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3455,4.56s,865.83us,0.00ns,868.39us,5.29us,865.62us,910.54us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,63170,4.56s,47.33us,0.00ns,47.44us,1.13us,46.92us,80.92us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,53998,4.56s,55.38us,0.00ns,55.51us,1.26us,54.67us,88.62us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,60177,4.56s,49.33us,0.00ns,49.80us,1.45us,48.79us,79.71us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1358,4.56s,2.21ms,41.00ns,2.21ms,35.98us,2.10ms,2.34ms +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2842,4.56s,1.05ms,0.00ns,1.06ms,7.43us,1.05ms,1.23ms +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3454,4.56s,865.96us,0.00ns,868.55us,5.35us,865.75us,913.67us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,5425,4.56s,551.46us,0.00ns,553.01us,4.37us,550.12us,590.96us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,5395,4.56s,551.33us,0.00ns,556.11us,231.70us,549.92us,17.57ms +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,71028,4.56s,40.83us,0.00ns,42.19us,128.80us,40.54us,31.26ms +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,5442,4.56s,550.50us,0.00ns,551.23us,7.58us,540.29us,605.25us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,38656,4.56s,77.04us,0.00ns,77.56us,1.77us,76.29us,124.75us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,34805,4.56s,85.83us,0.00ns,86.14us,1.69us,85.33us,124.42us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,35710,4.56s,83.46us,0.00ns,83.96us,1.74us,82.92us,121.58us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1659,4.56s,1.81ms,0.00ns,1.81ms,24.86us,1.74ms,1.91ms +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2816,4.55s,1.06ms,0.00ns,1.07ms,5.78us,1.06ms,1.10ms +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3449,4.56s,867.25us,0.00ns,869.80us,5.47us,866.33us,928.21us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,38857,4.56s,76.92us,0.00ns,77.16us,1.57us,76.29us,111.17us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,34556,4.56s,86.50us,0.00ns,86.76us,1.73us,85.88us,120.29us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,28078,4.57s,80.96us,0.00ns,106.79us,3.32ms,75.96us,555.07ms +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1656,4.55s,1.81ms,0.00ns,1.81ms,23.91us,1.74ms,1.89ms +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2816,4.56s,1.06ms,0.00ns,1.07ms,5.67us,1.06ms,1.11ms +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3454,4.55s,867.08us,0.00ns,868.70us,4.62us,866.33us,920.62us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,5295,4.56s,564.96us,0.00ns,566.63us,4.51us,563.75us,643.33us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,5295,4.56s,564.96us,0.00ns,566.61us,4.48us,563.75us,630.33us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,48453,4.56s,61.67us,0.00ns,61.87us,1.34us,61.50us,94.83us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,3766,4.56s,794.25us,0.00ns,796.75us,11.44us,785.67us,930.96us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,444460,4.82s,6.67us,0.00ns,6.70us,344.00ns,6.58us,36.79us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,444508,4.82s,6.67us,0.00ns,6.70us,355.00ns,6.58us,37.58us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,440583,5.40s,6.67us,0.00ns,6.76us,34.11us,6.42us,22.54ms +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1292,4.55s,2.32ms,0.00ns,2.32ms,15.87us,2.28ms,2.38ms +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2755,4.56s,1.09ms,0.00ns,1.09ms,7.23us,1.08ms,1.28ms +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3517,4.56s,850.46us,0.00ns,853.14us,5.53us,850.04us,895.17us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,444492,4.82s,6.67us,0.00ns,6.70us,345.00ns,6.58us,33.50us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,444681,4.81s,6.67us,0.00ns,6.70us,345.00ns,6.58us,36.88us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,444536,4.81s,6.67us,0.00ns,6.70us,363.00ns,6.58us,37.38us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1294,4.56s,2.32ms,21.00ns,2.32ms,15.18us,2.28ms,2.40ms +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2756,4.56s,1.09ms,0.00ns,1.09ms,5.97us,1.08ms,1.12ms +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3517,4.56s,850.54us,0.00ns,853.12us,5.37us,850.29us,897.00us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,4777,4.55s,621.75us,0.00ns,628.05us,309.38us,619.33us,22.00ms +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,4666,4.53s,622.12us,0.00ns,642.93us,581.02us,619.25us,31.97ms +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,34107,4.56s,87.67us,0.00ns,87.91us,1.62us,87.46us,130.17us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,2793,4.56s,1.07ms,0.00ns,1.07ms,7.01us,1.06ms,1.13ms +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,242385,4.69s,12.29us,0.00ns,12.33us,527.00ns,12.21us,63.12us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,242338,4.68s,12.29us,0.00ns,12.33us,510.00ns,12.21us,42.29us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,242443,4.68s,12.29us,0.00ns,12.32us,501.00ns,12.21us,45.42us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,3514,4.55s,851.25us,0.00ns,853.70us,6.16us,850.08us,0.99ms +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2933,4.56s,1.02ms,0.00ns,1.02ms,6.01us,1.02ms,1.08ms +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3518,4.56s,850.25us,0.00ns,852.87us,5.75us,850.04us,917.00us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,242424,4.69s,12.29us,0.00ns,12.32us,493.00ns,12.21us,36.92us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,229914,5.20s,12.29us,0.00ns,14.92us,1.19ms,11.88us,571.37ms +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,242362,4.69s,12.29us,0.00ns,12.33us,510.00ns,12.21us,64.75us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,3515,4.56s,851.17us,0.00ns,853.66us,5.36us,849.92us,909.38us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2934,4.55s,1.02ms,0.00ns,1.02ms,5.88us,1.02ms,1.07ms +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3415,4.53s,853.50us,0.00ns,878.60us,42.23us,850.04us,1.12ms +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,5871,4.56s,509.42us,0.00ns,510.97us,4.31us,509.25us,547.71us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,5871,4.56s,509.42us,0.00ns,510.99us,4.35us,509.29us,550.62us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,81602,4.56s,36.58us,0.00ns,36.71us,1.18us,35.46us,67.71us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,23733,4.56s,126.00us,0.00ns,126.36us,2.08us,124.96us,163.33us +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,3365,4.56s,889.88us,0.00ns,891.69us,5.50us,888.08us,935.08us +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,3360,4.56s,890.62us,0.00ns,892.95us,5.30us,887.00us,939.62us +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,3361,4.56s,890.25us,0.00ns,892.76us,5.74us,886.62us,1.02ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,629,4.56s,4.77ms,0.00ns,4.77ms,10.98us,4.76ms,4.83ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,1410,4.55s,2.13ms,0.00ns,2.13ms,8.34us,2.12ms,2.18ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3359,4.56s,890.67us,0.00ns,893.29us,5.58us,887.71us,948.12us +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,3355,4.55s,891.92us,0.00ns,894.39us,5.31us,888.21us,0.96ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,3360,4.56s,890.29us,0.00ns,892.84us,5.60us,886.71us,0.95ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,3361,4.56s,890.25us,0.00ns,892.73us,5.48us,886.58us,933.42us +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,630,4.56s,4.76ms,63.00ns,4.77ms,11.45us,4.75ms,4.83ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,1418,4.56s,2.11ms,0.00ns,2.12ms,8.44us,2.11ms,2.17ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3357,4.56s,891.17us,0.00ns,893.81us,6.22us,888.17us,1.04ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,1399,4.56s,2.14ms,0.00ns,2.14ms,8.83us,2.13ms,2.20ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,1398,4.56s,2.14ms,21.00ns,2.15ms,9.08us,2.13ms,2.21ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,2693,4.55s,1.11ms,0.00ns,1.11ms,6.38us,1.11ms,1.17ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,259,4.56s,11.59ms,0.00ns,11.59ms,48.88us,11.47ms,11.74ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,3391,4.56s,882.50us,0.00ns,884.91us,5.60us,880.42us,922.25us +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,3394,4.56s,881.67us,0.00ns,884.07us,5.32us,879.17us,936.58us +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,3394,4.56s,881.67us,0.00ns,883.99us,5.71us,878.83us,0.99ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,820,4.56s,3.66ms,0.00ns,3.66ms,9.77us,3.65ms,3.72ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2028,4.56s,1.48ms,437.00ns,1.48ms,7.08us,1.47ms,1.52ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3394,4.56s,881.29us,0.00ns,883.88us,5.43us,879.46us,931.17us +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,3391,4.56s,882.38us,0.00ns,884.90us,5.45us,880.25us,943.00us +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,3395,4.56s,881.17us,0.00ns,883.75us,5.58us,878.62us,928.29us +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,3395,4.56s,881.21us,0.00ns,883.78us,6.42us,878.67us,1.04ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,820,4.56s,3.66ms,0.00ns,3.66ms,10.16us,3.65ms,3.72ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2031,4.56s,1.48ms,0.00ns,1.48ms,7.28us,1.47ms,1.52ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3393,4.56s,881.67us,0.00ns,884.15us,5.34us,879.62us,931.58us +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,2548,4.56s,1.18ms,0.00ns,1.18ms,6.78us,1.17ms,1.24ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,2549,4.56s,1.18ms,0.00ns,1.18ms,6.48us,1.17ms,1.21ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,8424,4.56s,355.12us,0.00ns,356.10us,3.71us,353.67us,392.83us +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,759,4.56s,3.96ms,0.00ns,3.96ms,26.74us,3.88ms,4.13ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,3387,4.56s,884.00us,0.00ns,885.85us,5.54us,882.12us,923.29us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,3385,4.56s,883.88us,0.00ns,886.36us,5.43us,880.92us,931.67us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,3384,4.56s,884.25us,0.00ns,886.63us,5.42us,881.29us,926.00us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,783,4.56s,3.83ms,0.00ns,3.83ms,11.02us,3.82ms,3.89ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,1915,4.56s,1.57ms,0.00ns,1.57ms,7.23us,1.56ms,1.63ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3384,4.56s,884.17us,0.00ns,886.64us,5.33us,881.75us,939.88us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,3381,4.56s,885.00us,0.00ns,887.51us,5.44us,883.00us,941.96us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,3384,4.56s,884.04us,0.00ns,886.52us,5.27us,881.25us,936.00us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,3385,4.56s,883.83us,0.00ns,886.42us,5.43us,881.00us,943.08us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,783,4.56s,3.83ms,0.00ns,3.83ms,10.14us,3.82ms,3.89ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,1918,4.56s,1.56ms,0.00ns,1.56ms,7.31us,1.56ms,1.61ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3384,4.56s,884.21us,0.00ns,886.72us,5.33us,881.92us,933.25us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,2265,4.55s,1.32ms,0.00ns,1.32ms,7.72us,1.31ms,1.52ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,2266,4.56s,1.32ms,1.00ns,1.32ms,7.27us,1.31ms,1.37ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,5932,4.56s,504.29us,0.00ns,505.71us,4.43us,502.54us,548.38us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,547,4.56s,5.49ms,0.00ns,5.49ms,30.90us,5.40ms,5.60ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,779,4.56s,3.85ms,0.00ns,3.85ms,10.41us,3.83ms,3.90ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,787,4.56s,3.81ms,0.00ns,3.82ms,9.86us,3.80ms,3.86ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,789,4.56s,3.80ms,0.00ns,3.80ms,9.80us,3.79ms,3.86ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,453,4.56s,6.63ms,0.00ns,6.63ms,12.76us,6.60ms,6.69ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,782,4.56s,3.84ms,0.00ns,3.84ms,11.09us,3.82ms,3.89ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,1910,4.62s,1.57ms,0.00ns,1.57ms,7.36us,1.56ms,1.62ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,781,4.56s,3.84ms,0.00ns,3.84ms,11.79us,3.82ms,3.90ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,770,4.56s,3.90ms,21.00ns,3.90ms,10.71us,3.88ms,3.95ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,771,4.56s,3.89ms,0.00ns,3.90ms,10.37us,3.88ms,3.95ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,454,4.56s,6.61ms,83.00ns,6.61ms,15.29us,6.59ms,6.80ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,788,4.56s,3.81ms,21.00ns,3.81ms,10.14us,3.79ms,3.85ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,1908,4.62s,1.57ms,21.00ns,1.57ms,7.18us,1.57ms,1.63ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,690,4.56s,4.35ms,21.00ns,4.35ms,11.12us,4.33ms,4.41ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,689,4.56s,4.36ms,0.00ns,4.36ms,10.86us,4.34ms,4.41ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,30,4.62s,101.91ms,3.15us,101.91ms,40.98us,101.82ms,102.00ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,3,6.18s,1.22s,0.00ns,1.22s,161.73us,1.22s,1.23s +teddy/teddy1-1pat-supercommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,3231,4.56s,926.00us,0.00ns,928.71us,5.68us,925.67us,0.99ms +teddy/teddy1-1pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,5267,4.56s,567.96us,0.00ns,569.54us,4.61us,566.54us,616.46us +teddy/teddy1-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,300562,4.76s,9.92us,0.00ns,9.93us,429.00ns,9.79us,40.83us +teddy/teddy1-2pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,4068,4.56s,735.71us,0.00ns,737.57us,5.31us,730.75us,781.38us +teddy/teddy1-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,150678,4.63s,19.83us,0.00ns,19.86us,647.00ns,19.71us,53.12us +teddy/teddy1-Npat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,791,4.56s,3.79ms,0.00ns,3.79ms,12.27us,3.77ms,3.85ms +teddy/teddy1-Npat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,36195,4.56s,82.58us,0.00ns,82.83us,1.56us,82.46us,118.96us +teddy/teddy2-1pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,12138,4.56s,246.50us,0.00ns,247.11us,3.31us,244.42us,283.12us +teddy/teddy2-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,123822,4.63s,24.12us,0.00ns,24.18us,735.00ns,24.00us,53.38us +teddy/teddy2-2pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,17593,4.56s,169.71us,0.00ns,170.49us,2.48us,168.92us,203.62us +teddy/teddy2-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,59767,4.56s,49.62us,0.00ns,50.15us,1.37us,48.17us,84.33us +teddy/teddy2-Npat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,5116,4.56s,585.75us,0.00ns,586.39us,4.80us,582.79us,623.46us +teddy/teddy2-Npat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,15328,4.56s,195.04us,0.00ns,195.67us,3.00us,193.12us,245.96us +teddy/teddy3-1pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,14340,4.56s,208.54us,0.00ns,209.16us,2.75us,207.46us,245.04us +teddy/teddy3-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,120444,4.63s,24.79us,0.00ns,24.85us,765.00ns,24.67us,84.17us +teddy/teddy3-2pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,9711,4.56s,310.29us,0.00ns,308.90us,6.02us,297.38us,345.21us +teddy/teddy3-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,61534,4.56s,48.25us,0.00ns,48.70us,1.32us,48.08us,79.12us +teddy/teddy3-Npat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,4419,4.56s,677.75us,0.00ns,678.91us,5.01us,674.12us,728.50us +teddy/teddy3-Npat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,15218,4.56s,196.21us,0.00ns,197.09us,3.16us,193.71us,244.58us +teddy/teddy4-1pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,29928,4.56s,99.79us,0.00ns,100.19us,1.87us,99.42us,138.08us +teddy/teddy4-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,123902,4.62s,24.12us,0.00ns,24.16us,744.00ns,24.00us,57.62us +teddy/teddy4-2pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,21226,4.56s,140.88us,0.00ns,141.29us,2.14us,140.54us,175.25us +teddy/teddy4-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,61358,4.56s,48.71us,0.00ns,48.84us,1.12us,48.54us,90.00us +teddy/teddy4-Npat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,5914,4.56s,505.88us,0.00ns,507.29us,4.21us,504.75us,557.38us +teddy/teddy4-Npat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,13251,4.56s,225.75us,0.00ns,226.35us,3.06us,222.79us,261.08us diff --git a/benchmarks/record/aarch64/2023-09-16.csv b/benchmarks/record/aarch64/2023-09-16.csv new file mode 100644 index 0000000..06de50d --- /dev/null +++ b/benchmarks/record/aarch64/2023-09-16.csv @@ -0,0 +1,992 @@ +name,model,rebar_version,engine,engine_version,err,haystack_len,iters,total,median,mad,mean,stddev,min,max +build/empty,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,,402659,4.75s,7.38us,0.00ns,7.37us,770.00ns,5.17us,38.21us +build/empty,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,,406964,4.75s,7.25us,0.00ns,7.29us,890.00ns,5.17us,38.12us +build/empty,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,,409037,4.82s,7.25us,0.00ns,7.25us,769.00ns,5.17us,41.58us +build/empty,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,,395434,4.75s,7.54us,0.00ns,7.50us,766.00ns,5.38us,36.17us +build/empty,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,416432,4.81s,7.12us,0.00ns,7.12us,796.00ns,5.21us,33.83us +build/empty,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,423466,4.82s,7.08us,0.00ns,7.00us,881.00ns,5.25us,38.50us +build/empty,compile,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,,1000000,690.54ms,1.00ns,0.00ns,17.00ns,20.00ns,1.00ns,4.88us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,,351919,4.76s,8.42us,0.00ns,8.40us,786.00ns,6.33us,39.42us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,,325140,4.75s,9.08us,0.00ns,9.09us,736.00ns,6.67us,38.79us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,,322154,4.76s,9.12us,0.00ns,9.18us,681.00ns,7.00us,39.88us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,,1000000,1.42s,250.00ns,0.00ns,256.00ns,75.00ns,125.00ns,32.17us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,,350616,4.75s,8.50us,0.00ns,8.43us,791.00ns,6.42us,40.92us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,333431,4.75s,8.88us,0.00ns,8.86us,876.00ns,6.75us,34.67us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,331717,4.75s,8.96us,0.00ns,8.91us,867.00ns,6.67us,41.54us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +build/onebyte,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,,1000000,5.02s,2.79us,0.00ns,2.79us,233.00ns,2.62us,33.88us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,,1000000,5.01s,2.79us,0.00ns,2.80us,234.00ns,2.62us,33.50us +build/onebyte,compile,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,,1000000,814.52ms,42.00ns,0.00ns,37.00ns,25.00ns,1.00ns,16.50us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,,304925,4.75s,9.67us,0.00ns,9.70us,1.00us,7.42us,40.75us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,,260929,4.69s,11.38us,0.00ns,11.34us,1.01us,8.50us,42.71us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,,265422,4.68s,11.12us,0.00ns,11.15us,1.08us,8.33us,42.75us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,,1000000,1.59s,333.00ns,0.00ns,317.00ns,86.00ns,208.00ns,30.92us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,,307521,4.76s,9.62us,0.00ns,9.62us,920.00ns,7.42us,43.17us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,257560,4.69s,11.58us,0.00ns,11.50us,0.99us,8.75us,43.25us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,257161,4.68s,11.58us,0.00ns,11.51us,0.95us,8.83us,43.46us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +build/twobytes,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,,1000000,5.07s,2.83us,0.00ns,2.83us,241.00ns,2.67us,35.79us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,,1000000,5.08s,2.83us,0.00ns,2.83us,242.00ns,2.67us,35.25us +build/twobytes,compile,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,,1000000,806.67ms,42.00ns,0.00ns,43.00ns,34.00ns,1.00ns,23.50us +build/many-short,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,,37431,4.55s,79.21us,0.00ns,79.59us,1.87us,75.54us,122.75us +build/many-short,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,,3271,4.56s,913.67us,0.00ns,915.87us,10.70us,884.83us,0.97ms +build/many-short,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,,3280,4.56s,912.21us,0.00ns,913.30us,11.29us,877.21us,0.98ms +build/many-short,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,,533906,4.88s,4.83us,0.00ns,4.83us,309.00ns,4.67us,35.12us +build/many-short,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,,37449,4.56s,79.25us,0.00ns,79.55us,2.00us,74.04us,114.79us +build/many-short,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,3275,4.56s,915.00us,0.00ns,915.52us,7.23us,886.88us,0.96ms +build/many-short,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,3276,4.56s,915.38us,0.00ns,915.39us,7.66us,877.67us,0.96ms +build/many-short,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +build/many-short,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,,362879,4.75s,8.12us,0.00ns,8.18us,434.00ns,7.96us,38.88us +build/many-short,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,,366070,4.75s,8.08us,0.00ns,8.10us,410.00ns,7.88us,39.67us +build/many-short,compile,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,,1000000,4.05s,1.08us,0.00ns,1.07us,142.00ns,0.96us,26.54us +build/words5000,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,,837,4.56s,3.58ms,0.00ns,3.59ms,14.30us,3.56ms,3.80ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,,862,4.55s,3.48ms,20.00ns,3.48ms,13.98us,3.45ms,3.55ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,,855,4.56s,3.51ms,0.00ns,3.51ms,11.94us,3.48ms,3.56ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,,835,4.56s,3.59ms,0.00ns,3.59ms,11.54us,3.57ms,3.65ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,862,4.56s,3.48ms,21.00ns,3.48ms,13.83us,3.45ms,3.54ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,855,4.56s,3.51ms,0.00ns,3.51ms,11.27us,3.49ms,3.56ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,,644,4.56s,4.66ms,42.00ns,4.65ms,24.59us,4.61ms,4.77ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,,672,4.56s,4.46ms,41.00ns,4.46ms,23.38us,4.42ms,4.53ms +build/words5000,compile,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,,10110,4.56s,227.75us,0.00ns,232.84us,11.32us,217.67us,345.54us +build/words15000,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,,291,4.56s,10.31ms,0.00ns,10.32ms,20.46us,10.27ms,10.40ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,,298,4.55s,10.04ms,188.00ns,10.05ms,142.30us,9.93ms,11.63ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,,288,4.56s,10.41ms,0.00ns,10.41ms,21.60us,10.37ms,10.48ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,,292,4.56s,10.26ms,42.00ns,10.27ms,18.40us,10.23ms,10.33ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,300,4.56s,10.01ms,166.00ns,10.00ms,51.64us,9.91ms,10.16ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,290,4.56s,10.35ms,42.00ns,10.36ms,19.28us,10.32ms,10.44ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,,296,4.56s,10.13ms,34.96us,10.12ms,91.22us,9.99ms,10.29ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,,290,4.56s,10.35ms,333.00ns,10.32ms,171.23us,10.17ms,11.43ms +build/words15000,compile,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,,2881,4.55s,761.42us,0.00ns,762.32us,9.33us,747.96us,831.58us +curated/sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2311,4.56s,1.29ms,0.00ns,1.30ms,6.47us,1.29ms,1.34ms +curated/sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,31176,4.56s,95.92us,0.00ns,96.19us,1.72us,95.75us,136.04us +curated/sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2311,4.56s,1.29ms,0.00ns,1.30ms,6.80us,1.29ms,1.36ms +curated/sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +curated/sherlock-en,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,899232,3557,4.56s,841.25us,0.00ns,843.60us,5.35us,839.12us,884.38us +curated/sherlock-en,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,95053,4.63s,31.42us,0.00ns,31.51us,894.00ns,31.17us,70.04us +curated/sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2307,4.56s,1.30ms,0.00ns,1.30ms,6.83us,1.30ms,1.38ms +curated/sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,29974,4.56s,99.71us,0.00ns,100.04us,1.82us,99.21us,144.54us +curated/sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2307,4.56s,1.30ms,0.00ns,1.30ms,6.71us,1.30ms,1.35ms +curated/sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +curated/sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,899232,2416,4.56s,1.24ms,20.00ns,1.24ms,7.19us,1.23ms,1.30ms +curated/sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,5610,4.56s,533.83us,0.00ns,534.77us,4.93us,527.58us,592.21us +curated/sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1324,4.56s,2.26ms,0.00ns,2.27ms,8.19us,2.26ms,2.32ms +curated/sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,1570556,17946,4.56s,166.62us,0.00ns,167.12us,2.40us,166.42us,200.54us +curated/sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1324,4.56s,2.26ms,0.00ns,2.27ms,8.36us,2.26ms,2.31ms +curated/sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +curated/sherlock-ru,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,1570556,509,4.56s,5.89ms,0.00ns,5.90ms,13.71us,5.87ms,5.97ms +curated/sherlock-ru,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,1570556,54673,4.56s,54.62us,0.00ns,54.82us,1.25us,54.38us,90.17us +curated/sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1308,4.56s,2.29ms,0.00ns,2.29ms,8.76us,2.29ms,2.35ms +curated/sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,1570556,14055,4.56s,212.75us,0.00ns,213.40us,2.86us,212.25us,271.08us +curated/sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1308,4.56s,2.29ms,0.00ns,2.29ms,8.40us,2.29ms,2.35ms +curated/sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +curated/sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,1570556,682,4.56s,4.40ms,21.00ns,4.40ms,12.85us,4.37ms,4.46ms +curated/sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,1570556,7074,4.56s,422.62us,0.00ns,424.04us,3.87us,421.96us,460.08us +curated/sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,813478,2571,4.56s,1.16ms,0.00ns,1.17ms,6.30us,1.16ms,1.21ms +curated/sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,813478,37119,4.56s,80.54us,0.00ns,80.77us,1.57us,80.42us,113.79us +curated/sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,813478,2571,4.56s,1.16ms,0.00ns,1.17ms,6.38us,1.16ms,1.21ms +curated/sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +curated/sherlock-zh,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,813478,2138,4.56s,1.40ms,0.00ns,1.40ms,9.64us,1.38ms,1.46ms +curated/sherlock-zh,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,813478,115591,4.63s,25.83us,0.00ns,25.90us,786.00ns,25.71us,87.96us +curated/alt-sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2299,4.56s,1.30ms,0.00ns,1.31ms,6.72us,1.30ms,1.37ms +curated/alt-sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,28886,4.56s,103.50us,0.00ns,103.82us,1.83us,103.21us,138.54us +curated/alt-sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2299,4.56s,1.30ms,0.00ns,1.31ms,6.89us,1.30ms,1.38ms +curated/alt-sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +curated/alt-sherlock-en,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,899232,3050,4.56s,0.98ms,0.00ns,0.98ms,6.19us,0.98ms,1.04ms +curated/alt-sherlock-en,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,21158,4.56s,141.29us,0.00ns,141.75us,2.23us,140.83us,179.83us +curated/alt-sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2229,4.56s,1.34ms,0.00ns,1.35ms,6.75us,1.34ms,1.42ms +curated/alt-sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,11451,4.56s,261.17us,0.00ns,261.95us,3.06us,259.38us,300.75us +curated/alt-sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2228,4.56s,1.34ms,0.00ns,1.35ms,6.72us,1.34ms,1.39ms +curated/alt-sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +curated/alt-sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,899232,1534,4.56s,1.96ms,0.00ns,1.96ms,9.99us,1.93ms,2.01ms +curated/alt-sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,2277,4.56s,1.32ms,0.00ns,1.32ms,6.90us,1.31ms,1.37ms +curated/alt-sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1320,4.56s,2.27ms,0.00ns,2.27ms,8.24us,2.27ms,2.33ms +curated/alt-sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,1570556,10488,4.56s,285.12us,0.00ns,286.01us,3.27us,284.62us,327.04us +curated/alt-sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1320,4.55s,2.27ms,0.00ns,2.27ms,8.63us,2.27ms,2.34ms +curated/alt-sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +curated/alt-sherlock-ru,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,1570556,460,4.56s,6.53ms,0.00ns,6.53ms,13.21us,6.51ms,6.61ms +curated/alt-sherlock-ru,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,1570556,12084,4.56s,247.46us,0.00ns,248.23us,2.96us,247.21us,287.96us +curated/alt-sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1210,4.56s,2.48ms,0.00ns,2.48ms,9.35us,2.46ms,2.54ms +curated/alt-sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,1570556,3478,4.56s,860.25us,0.00ns,862.68us,5.46us,858.96us,904.83us +curated/alt-sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1209,4.56s,2.48ms,0.00ns,2.48ms,11.11us,2.46ms,2.66ms +curated/alt-sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +curated/alt-sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,1570556,551,4.56s,5.44ms,0.00ns,5.45ms,12.90us,5.43ms,5.51ms +curated/alt-sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,1570556,2875,4.56s,1.04ms,0.00ns,1.04ms,5.64us,1.04ms,1.08ms +curated/alt-sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,813478,2562,4.56s,1.17ms,0.00ns,1.17ms,6.32us,1.17ms,1.21ms +curated/alt-sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,813478,34898,4.56s,85.67us,0.00ns,85.92us,1.66us,85.50us,125.71us +curated/alt-sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,813478,2562,4.56s,1.17ms,0.00ns,1.17ms,6.37us,1.17ms,1.22ms +curated/alt-sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +curated/alt-sherlock-zh,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,813478,1409,4.56s,2.13ms,0.00ns,2.13ms,10.44us,2.11ms,2.31ms +curated/alt-sherlock-zh,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,813478,23394,4.56s,127.79us,0.00ns,128.19us,2.04us,127.58us,163.25us +curated/dictionary-15,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,61436,9285,4.56s,322.17us,0.00ns,323.07us,3.49us,320.79us,360.42us +curated/dictionary-15,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,61436,31415,4.62s,95.17us,0.00ns,95.45us,1.75us,94.75us,137.38us +curated/dictionary-15,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,61436,9752,4.56s,306.62us,0.00ns,307.61us,3.40us,305.33us,353.92us +curated/dictionary-15,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,61436,31394,4.62s,95.21us,0.00ns,95.52us,1.74us,94.83us,133.38us +curated/dictionary-15,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,61436,7822,4.56s,382.46us,0.00ns,383.50us,3.95us,380.83us,443.62us +curated/dictionary-15,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,61436,562,4.56s,5.34ms,42.00ns,5.35ms,11.48us,5.33ms,5.40ms +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,100010,20913,4.56s,143.00us,0.00ns,143.40us,2.15us,142.79us,176.38us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,100010,20934,4.56s,142.83us,0.00ns,143.26us,2.18us,142.67us,176.75us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,100010,20936,4.56s,142.83us,0.00ns,143.25us,2.20us,142.71us,189.12us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,3660,4.56s,817.71us,0.00ns,819.69us,6.27us,812.96us,864.79us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,6782,4.56s,453.42us,0.00ns,442.34us,20.27us,408.29us,497.62us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,100010,20934,4.56s,142.83us,0.00ns,143.26us,2.25us,142.67us,177.96us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,100010,20911,4.56s,143.00us,0.00ns,143.42us,2.23us,142.79us,208.29us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,100010,20935,4.56s,142.83us,0.00ns,143.25us,2.16us,142.71us,180.79us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,100010,20933,4.56s,142.83us,0.00ns,143.27us,2.18us,142.71us,176.75us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,3550,4.56s,843.00us,0.00ns,845.06us,6.40us,839.12us,886.88us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,7139,4.56s,429.58us,0.00ns,420.19us,14.52us,400.12us,465.96us +random/many/words100,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,100010,20934,4.56s,142.83us,0.00ns,143.26us,2.24us,142.67us,203.71us +random/many/words100,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,100010,5637,4.56s,531.17us,0.00ns,532.16us,6.72us,522.92us,614.25us +random/many/words100,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,100010,5668,4.56s,528.21us,0.00ns,529.30us,6.59us,519.62us,619.38us +random/many/words100,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,100010,7386,4.56s,405.04us,0.00ns,406.17us,3.86us,403.46us,440.04us +random/many/words100,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,100010,2407,4.56s,1.24ms,0.00ns,1.25ms,7.14us,1.24ms,1.34ms +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,100010,5669,4.56s,528.21us,0.00ns,529.16us,4.72us,523.79us,572.58us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,100010,6373,4.56s,469.88us,0.00ns,470.71us,4.64us,465.46us,507.04us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,100010,6453,4.56s,463.75us,0.00ns,464.88us,4.83us,459.92us,510.21us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,3214,4.56s,931.29us,0.00ns,933.44us,7.48us,923.58us,0.99ms +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,6510,4.56s,459.54us,0.00ns,460.85us,4.62us,456.04us,510.50us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,100010,15187,4.68s,196.92us,0.00ns,197.50us,2.77us,195.67us,244.21us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,100010,6497,4.56s,460.96us,0.00ns,461.74us,4.72us,456.67us,506.46us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,100010,5898,4.56s,510.00us,0.00ns,508.64us,10.48us,477.67us,559.62us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,100010,5989,4.56s,500.08us,0.00ns,500.92us,5.29us,484.00us,555.67us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,3299,4.56s,907.75us,0.00ns,909.55us,7.15us,900.33us,0.97ms +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,6407,4.56s,467.62us,0.00ns,468.23us,4.47us,462.42us,523.25us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,100010,15170,4.68s,196.83us,0.00ns,197.72us,3.44us,195.33us,266.29us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,100010,4745,4.56s,630.92us,0.00ns,632.21us,6.69us,623.71us,730.25us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,100010,4757,4.56s,629.75us,0.00ns,630.69us,6.29us,622.04us,737.21us +random/many/words5000,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,100010,146,4.56s,20.65ms,1.19us,20.65ms,40.22us,20.52ms,20.76ms +random/many/words5000,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,100010,48,4.62s,63.55ms,1.71us,63.55ms,36.96us,63.50ms,63.73ms +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,552451,4.94s,5.38us,0.00ns,5.38us,329.00ns,5.00us,38.62us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,546342,4.88s,5.58us,0.00ns,5.44us,406.00ns,5.00us,36.50us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,547249,4.88s,5.54us,0.00ns,5.43us,396.00ns,4.96us,36.04us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21704,4.55s,137.79us,0.00ns,138.17us,2.23us,135.96us,180.38us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,131807,4.63s,22.67us,0.00ns,22.71us,742.00ns,22.00us,64.00us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,165203,4.63s,18.08us,0.00ns,18.11us,628.00ns,17.79us,49.04us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,706800,5.00s,4.17us,0.00ns,4.20us,311.00ns,4.00us,33.75us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,552859,4.88s,5.38us,0.00ns,5.38us,332.00ns,5.00us,41.04us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,534322,4.87s,5.58us,0.00ns,5.57us,347.00ns,5.00us,35.29us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,534770,4.87s,5.58us,0.00ns,5.56us,361.00ns,5.00us,36.62us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21706,4.56s,137.79us,0.00ns,138.16us,2.21us,136.08us,172.33us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,131058,4.62s,22.79us,0.00ns,22.84us,740.00ns,21.96us,53.54us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,164283,4.62s,18.17us,0.00ns,18.21us,641.00ns,17.88us,42.92us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,223369,4.68s,13.33us,0.00ns,13.38us,523.00ns,13.21us,44.12us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,223709,4.68s,13.33us,0.00ns,13.36us,531.00ns,13.21us,53.00us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,4.84s,2.54us,0.00ns,2.56us,230.00ns,2.42us,35.62us +random/memchr/onebyte-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,605147,4.87s,4.67us,0.00ns,4.91us,466.00ns,4.50us,35.79us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,1000000,930.38ms,125.00ns,0.00ns,122.00ns,54.00ns,1.00ns,23.67us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,0.99s,125.00ns,0.00ns,122.00ns,40.00ns,1.00ns,23.12us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,935.12ms,125.00ns,0.00ns,122.00ns,40.00ns,1.00ns,23.67us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208848,4.69s,14.29us,0.00ns,14.31us,556.00ns,14.17us,51.04us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259285,4.74s,11.50us,0.00ns,11.52us,516.00ns,11.33us,42.29us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,212480,4.69s,14.21us,0.00ns,14.07us,1.00us,8.71us,39.42us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,1.48s,375.00ns,0.00ns,382.00ns,84.00ns,291.00ns,25.17us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,1000000,1.00s,125.00ns,0.00ns,122.00ns,48.00ns,1.00ns,20.17us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,928.57ms,125.00ns,0.00ns,122.00ns,44.00ns,1.00ns,23.79us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,933.79ms,125.00ns,0.00ns,122.00ns,38.00ns,1.00ns,17.54us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208866,4.68s,14.29us,0.00ns,14.31us,563.00ns,14.17us,57.92us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259482,4.69s,11.50us,0.00ns,11.51us,491.00ns,11.33us,52.88us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,212429,4.69s,14.21us,0.00ns,14.07us,1.00us,8.67us,48.42us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,346973,4.75s,8.58us,0.00ns,8.60us,442.00ns,8.46us,40.33us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,347004,4.75s,8.58us,0.00ns,8.60us,429.00ns,8.46us,46.04us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,934.48ms,125.00ns,0.00ns,119.00ns,43.00ns,1.00ns,24.08us +random/memchr/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,623275,4.94s,4.71us,0.00ns,4.76us,343.00ns,3.83us,36.25us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,524761,4.88s,5.67us,0.00ns,5.67us,341.00ns,5.46us,36.46us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,471791,4.88s,6.29us,0.00ns,6.31us,356.00ns,6.08us,39.83us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,467187,4.88s,6.38us,0.00ns,6.37us,361.00ns,6.12us,41.58us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21823,4.56s,137.04us,0.00ns,137.42us,2.18us,135.29us,183.75us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,131699,4.63s,22.67us,0.00ns,22.73us,762.00ns,21.96us,61.29us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,164661,4.63s,18.12us,0.00ns,18.17us,644.00ns,17.83us,52.21us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,708538,5.00s,4.17us,0.00ns,4.18us,488.00ns,4.00us,37.08us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,527921,4.88s,5.62us,0.00ns,5.63us,334.00ns,5.42us,36.83us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,467495,4.88s,6.33us,0.00ns,6.37us,364.00ns,6.17us,34.42us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,465814,4.88s,6.38us,0.00ns,6.39us,376.00ns,6.12us,38.29us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21867,4.56s,136.79us,0.00ns,137.14us,2.20us,133.12us,178.88us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,131673,4.63s,22.71us,0.00ns,22.74us,757.00ns,21.92us,53.17us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,163806,4.63s,18.25us,0.00ns,18.27us,649.00ns,17.88us,53.71us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,223260,4.69s,13.38us,0.00ns,13.39us,542.00ns,13.21us,66.88us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,223629,4.69s,13.33us,0.00ns,13.37us,524.00ns,13.21us,38.38us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,4.96s,2.67us,0.00ns,2.68us,225.00ns,2.54us,33.54us +random/memchr/twobytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,304820,4.75s,9.67us,0.00ns,9.79us,588.00ns,9.21us,43.38us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,1000000,1.06s,208.00ns,0.00ns,216.00ns,64.00ns,125.00ns,28.42us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,1.17s,208.00ns,0.00ns,216.00ns,55.00ns,125.00ns,23.29us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,1.11s,208.00ns,0.00ns,216.00ns,68.00ns,125.00ns,23.58us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208854,4.68s,14.29us,0.00ns,14.31us,555.00ns,14.17us,49.79us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259236,4.69s,11.50us,0.00ns,11.52us,512.00ns,11.33us,49.75us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,212485,4.68s,14.21us,0.00ns,14.07us,1.00us,8.75us,48.38us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,1.47s,375.00ns,0.00ns,375.00ns,82.00ns,250.00ns,24.96us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,1000000,1.18s,208.00ns,0.00ns,216.00ns,66.00ns,125.00ns,24.25us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,1.17s,208.00ns,0.00ns,216.00ns,66.00ns,125.00ns,32.46us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,1.18s,208.00ns,0.00ns,216.00ns,58.00ns,125.00ns,18.96us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208832,4.69s,14.29us,0.00ns,14.32us,565.00ns,14.17us,44.92us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259343,4.69s,11.50us,0.00ns,11.52us,499.00ns,11.33us,44.96us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,212472,4.69s,14.21us,0.00ns,14.07us,1.00us,8.67us,47.79us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,347001,4.75s,8.58us,0.00ns,8.60us,416.00ns,8.46us,40.83us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,346987,4.75s,8.58us,0.00ns,8.60us,425.00ns,8.46us,43.17us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,1.23s,250.00ns,0.00ns,240.00ns,60.00ns,125.00ns,32.21us +random/memchr/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,308702,4.76s,9.62us,0.00ns,9.67us,504.00ns,9.17us,50.75us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,489360,4.88s,6.08us,0.00ns,6.08us,359.00ns,5.67us,36.88us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,422474,4.81s,7.04us,0.00ns,7.05us,407.00ns,6.79us,39.42us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,419665,4.82s,7.08us,0.00ns,7.10us,393.00ns,6.83us,38.50us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21477,4.56s,139.25us,0.00ns,139.64us,2.15us,137.75us,178.42us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,130976,4.62s,22.83us,0.00ns,22.86us,759.00ns,22.00us,58.79us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,165520,4.62s,18.04us,0.00ns,18.08us,624.00ns,17.67us,43.17us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,703315,5.00s,4.21us,0.00ns,4.22us,292.00ns,4.00us,29.46us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,520447,4.88s,5.71us,0.00ns,5.71us,342.00ns,5.54us,64.96us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,425779,4.82s,7.00us,0.00ns,7.00us,386.00ns,6.75us,37.62us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,422260,4.82s,7.04us,0.00ns,7.06us,379.00ns,6.79us,36.96us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21691,4.56s,137.88us,0.00ns,138.26us,2.14us,136.25us,181.75us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,130322,4.62s,22.96us,0.00ns,22.97us,718.00ns,22.21us,55.33us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,164433,4.63s,18.17us,0.00ns,18.20us,619.00ns,17.79us,48.67us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,223414,4.68s,13.33us,0.00ns,13.38us,530.00ns,13.21us,45.58us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,223577,4.63s,13.33us,0.00ns,13.37us,544.00ns,13.21us,44.25us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,5.08s,2.79us,0.00ns,2.81us,237.00ns,2.67us,33.62us +random/memchr/threebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,201748,4.62s,14.71us,0.00ns,14.82us,705.00ns,14.08us,49.17us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,1000000,1.35s,292.00ns,0.00ns,299.00ns,70.00ns,208.00ns,24.79us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,1.29s,292.00ns,0.00ns,299.00ns,82.00ns,208.00ns,25.21us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,1.30s,292.00ns,0.00ns,299.00ns,73.00ns,208.00ns,25.21us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208838,4.69s,14.29us,0.00ns,14.31us,561.00ns,14.17us,56.38us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,258701,4.69s,11.54us,0.00ns,11.55us,518.00ns,11.33us,42.42us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,212336,4.69s,14.21us,0.00ns,14.08us,0.98us,8.75us,45.25us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,1.47s,375.00ns,0.00ns,382.00ns,77.00ns,291.00ns,25.17us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,1000000,1.36s,292.00ns,0.00ns,300.00ns,81.00ns,208.00ns,25.25us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,1.35s,292.00ns,0.00ns,299.00ns,85.00ns,208.00ns,29.88us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,1.36s,292.00ns,0.00ns,299.00ns,95.00ns,208.00ns,50.71us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208857,4.68s,14.29us,0.00ns,14.31us,558.00ns,14.17us,57.58us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259391,4.68s,11.50us,0.00ns,11.52us,501.00ns,11.33us,52.92us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,212356,4.68s,14.21us,0.00ns,14.08us,0.98us,8.75us,45.00us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,347051,4.75s,8.58us,0.00ns,8.60us,416.00ns,8.46us,39.67us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,346993,4.75s,8.58us,0.00ns,8.60us,440.00ns,8.46us,41.58us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,1.47s,375.00ns,0.00ns,357.00ns,85.00ns,250.00ns,31.46us +random/memchr/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,205765,4.69s,14.46us,0.00ns,14.53us,627.00ns,13.88us,49.96us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,169490,4.63s,17.62us,0.00ns,17.65us,628.00ns,17.00us,50.88us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,423452,4.81s,6.96us,0.00ns,7.03us,439.00ns,6.62us,32.46us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,432921,4.80s,6.92us,0.00ns,6.88us,438.00ns,6.42us,38.58us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21712,4.55s,137.79us,0.00ns,138.13us,2.15us,135.83us,173.75us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,131360,4.62s,22.79us,0.00ns,22.79us,736.00ns,21.96us,56.00us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,164523,4.62s,18.17us,0.00ns,18.18us,626.00ns,17.88us,48.92us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,704195,5.01s,4.21us,0.00ns,4.21us,298.00ns,4.04us,35.17us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,169325,4.63s,17.62us,0.00ns,17.67us,647.00ns,17.21us,77.29us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,165297,4.63s,18.04us,0.00ns,18.10us,709.00ns,16.92us,50.50us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,169872,4.63s,17.54us,0.00ns,17.61us,737.00ns,16.58us,48.62us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21645,4.55s,138.00us,0.00ns,138.55us,2.33us,136.38us,175.17us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,130576,4.63s,22.88us,0.00ns,22.93us,744.00ns,22.00us,54.71us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,164102,4.62s,18.21us,0.00ns,18.23us,646.00ns,17.88us,55.00us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,223413,4.69s,13.33us,0.00ns,13.38us,534.00ns,13.21us,41.46us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,223331,4.69s,13.38us,0.00ns,13.38us,534.00ns,13.21us,40.42us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,5.19s,2.92us,0.00ns,2.92us,244.00ns,2.79us,33.71us +random/memchr/fourbytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,152299,4.63s,19.54us,0.00ns,19.65us,834.00ns,18.67us,56.54us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,211519,4.69s,14.21us,0.00ns,14.13us,778.00ns,8.46us,46.38us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,1.47s,375.00ns,0.00ns,381.00ns,87.00ns,291.00ns,25.46us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,1.47s,375.00ns,0.00ns,381.00ns,86.00ns,291.00ns,31.83us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208836,4.69s,14.29us,0.00ns,14.32us,551.00ns,14.17us,47.58us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259064,4.69s,11.50us,0.00ns,11.53us,491.00ns,11.33us,43.25us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,212451,4.69s,14.21us,0.00ns,14.07us,1.00us,8.71us,70.33us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,1.47s,375.00ns,0.00ns,382.00ns,83.00ns,291.00ns,24.67us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,211896,4.69s,14.21us,0.00ns,14.11us,835.00ns,8.46us,44.79us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,210495,4.63s,14.21us,0.00ns,14.20us,555.00ns,8.83us,45.92us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,210506,4.68s,14.21us,0.00ns,14.20us,565.00ns,9.00us,47.71us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208853,4.63s,14.29us,0.00ns,14.31us,551.00ns,14.17us,45.25us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259234,4.69s,11.50us,0.00ns,11.52us,515.00ns,11.33us,49.42us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,212488,4.69s,14.21us,0.00ns,14.07us,1.00us,8.71us,50.25us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,347008,4.76s,8.58us,0.00ns,8.60us,424.00ns,8.46us,45.38us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,346980,4.75s,8.58us,0.00ns,8.60us,436.00ns,8.46us,39.38us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,1.65s,459.00ns,0.00ns,474.00ns,91.00ns,375.00ns,25.38us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,154521,4.63s,19.29us,0.00ns,19.37us,774.00ns,15.83us,50.79us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,169316,4.63s,17.62us,0.00ns,17.67us,620.00ns,17.04us,47.46us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,356119,4.75s,8.21us,0.00ns,8.37us,912.00ns,7.08us,44.50us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,425723,4.82s,6.96us,0.00ns,7.00us,452.00ns,6.54us,43.17us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21492,4.56s,139.17us,0.00ns,139.54us,2.18us,137.79us,179.75us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,130843,4.63s,22.83us,0.00ns,22.88us,759.00ns,22.17us,58.88us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,164947,4.62s,18.08us,0.00ns,18.14us,670.00ns,17.71us,49.83us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,684728,5.00s,4.33us,0.00ns,4.33us,299.00ns,4.17us,36.25us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,169762,4.62s,17.58us,0.00ns,17.62us,623.00ns,16.96us,52.79us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,165433,4.63s,18.04us,0.00ns,18.09us,716.00ns,16.75us,48.38us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,165587,4.63s,18.04us,0.00ns,18.07us,723.00ns,16.75us,47.92us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,21494,4.56s,139.17us,0.00ns,139.53us,2.09us,137.62us,173.71us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,130313,4.63s,22.88us,0.00ns,22.97us,782.00ns,22.17us,57.58us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,164840,4.61s,18.12us,0.00ns,18.15us,619.00ns,17.79us,48.75us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,184822,4.80s,13.38us,0.00ns,16.56us,1.30ms,13.21us,557.92ms +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,223545,4.71s,13.33us,0.00ns,13.37us,521.00ns,13.21us,43.83us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,971684,5.19s,3.04us,0.00ns,3.04us,243.00ns,2.92us,36.08us +random/memchr/fivebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,122437,4.62s,24.33us,0.00ns,24.45us,911.00ns,23.29us,52.04us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,212216,4.68s,14.21us,0.00ns,14.09us,889.00ns,8.25us,42.96us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,1.35s,375.00ns,0.00ns,381.00ns,89.00ns,291.00ns,25.83us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,1.48s,375.00ns,0.00ns,381.00ns,83.00ns,291.00ns,25.25us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208854,4.69s,14.29us,0.00ns,14.31us,547.00ns,14.17us,50.50us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259257,4.69s,11.50us,0.00ns,11.52us,495.00ns,11.33us,43.50us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,213170,4.68s,14.21us,0.00ns,14.03us,1.11us,8.71us,45.79us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,1.47s,375.00ns,0.00ns,375.00ns,105.00ns,250.00ns,50.75us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,212855,4.68s,14.21us,0.00ns,14.04us,1.06us,8.33us,43.88us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,208445,4.69s,14.21us,0.00ns,14.34us,57.34us,8.75us,26.06ms +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,208376,4.67s,14.21us,0.00ns,14.35us,19.22us,8.75us,6.96ms +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,208850,4.69s,14.29us,0.00ns,14.31us,553.00ns,14.17us,46.29us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,259575,4.69s,11.50us,0.00ns,11.51us,495.00ns,11.33us,47.25us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,212919,4.69s,14.21us,0.00ns,14.04us,1.12us,8.71us,40.96us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,347011,4.75s,8.58us,0.00ns,8.60us,420.00ns,8.46us,47.75us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,347007,4.75s,8.58us,0.00ns,8.60us,417.00ns,8.46us,34.71us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,1000000,1.89s,583.00ns,0.00ns,591.00ns,104.00ns,500.00ns,25.96us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,123461,4.63s,24.17us,0.00ns,24.25us,869.00ns,23.25us,55.75us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,844619,5.07s,3.50us,0.00ns,3.50us,257.00ns,3.38us,33.42us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,843653,5.06s,3.50us,0.00ns,3.51us,258.00ns,3.38us,34.83us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,635001,4.92s,3.50us,0.00ns,3.80us,70.02us,3.38us,48.32ms +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,59784,4.56s,50.04us,0.00ns,50.13us,1.19us,49.29us,98.38us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,150839,4.63s,19.79us,0.00ns,19.84us,678.00ns,19.67us,72.58us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,209001,4.69s,14.29us,0.00ns,14.30us,554.00ns,14.17us,48.62us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,2.72s,1.00us,0.00ns,1.00us,142.00ns,875.00ns,32.00us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,844888,5.00s,3.50us,0.00ns,3.50us,260.00ns,3.38us,37.12us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,843870,5.07s,3.50us,0.00ns,3.51us,268.00ns,3.38us,36.50us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,844114,5.07s,3.50us,0.00ns,3.51us,260.00ns,3.38us,40.92us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,59907,4.56s,49.96us,0.00ns,50.03us,1.21us,49.21us,80.62us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,151247,4.63s,19.75us,0.00ns,19.79us,674.00ns,19.58us,55.08us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,207181,4.64s,14.29us,0.00ns,14.43us,41.35us,14.17us,18.00ms +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,219570,4.71s,13.42us,0.00ns,13.61us,19.96us,13.25us,7.76ms +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,221434,4.68s,13.46us,0.00ns,13.50us,532.00ns,13.29us,49.17us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,822094,5.06s,3.58us,0.00ns,3.60us,264.00ns,3.46us,28.79us +random/misc/ten-one-prefix,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,263936,4.68s,11.25us,0.00ns,11.32us,511.00ns,11.04us,41.88us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10001,223751,4.68s,13.33us,0.00ns,13.36us,540.00ns,13.12us,45.08us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,223904,4.69s,13.33us,0.00ns,13.35us,532.00ns,13.17us,46.25us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,224627,4.69s,13.29us,0.00ns,13.31us,562.00ns,13.08us,60.08us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,39488,4.56s,75.67us,0.00ns,75.92us,1.56us,75.04us,115.42us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,80608,4.56s,37.08us,0.00ns,37.17us,0.96us,36.79us,67.21us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,207385,4.63s,14.29us,0.00ns,14.42us,38.66us,14.17us,17.48ms +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,3.37s,1.04us,0.00ns,1.20us,57.02us,916.00ns,39.06ms +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10001,223541,4.66s,13.38us,0.00ns,13.37us,512.00ns,13.12us,48.88us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,223249,4.69s,13.38us,0.00ns,13.39us,562.00ns,13.17us,45.17us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,217963,4.68s,13.29us,0.00ns,13.71us,1.67us,13.12us,45.00us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,39582,4.55s,75.58us,0.00ns,75.74us,1.58us,74.88us,113.25us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,80229,4.56s,37.21us,0.00ns,37.34us,1.02us,36.88us,70.50us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,209021,4.63s,14.29us,0.00ns,14.30us,546.00ns,14.17us,44.33us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10001,87821,4.56s,31.33us,0.00ns,34.11us,4.71us,30.04us,70.71us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10001,96276,4.62s,30.88us,0.00ns,31.11us,1.08us,30.00us,61.79us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10001,791138,5.00s,3.75us,0.00ns,3.74us,277.00ns,3.62us,34.54us +random/misc/ten-diff-prefix,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10001,146680,4.62s,14.83us,0.00ns,20.40us,1.47ms,13.46us,560.33ms +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,21537,4.55s,145.58us,0.00ns,139.24us,12.74us,86.17us,187.42us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,27349,4.56s,109.62us,0.00ns,109.64us,22.18us,86.08us,158.62us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,26562,4.56s,131.75us,0.00ns,112.89us,22.33us,85.58us,158.04us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1018,4.56s,2.96ms,0.00ns,2.95ms,23.24us,2.85ms,3.02ms +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,34591,4.56s,86.54us,0.00ns,86.68us,1.73us,82.79us,126.25us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,44428,4.56s,67.21us,0.00ns,67.47us,1.46us,65.08us,100.54us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,34317,4.56s,92.04us,0.00ns,87.37us,12.98us,53.42us,131.04us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,21674,4.56s,145.75us,0.00ns,138.37us,14.05us,86.92us,173.79us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,26817,4.56s,101.17us,0.00ns,111.82us,18.98us,86.21us,175.54us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,26311,4.56s,101.17us,0.00ns,113.97us,152.42us,86.25us,24.62ms +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,975,4.54s,2.95ms,0.00ns,3.08ms,1.96ms,2.86ms,51.22ms +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,34718,4.56s,86.12us,0.00ns,86.36us,1.57us,84.96us,132.96us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,42834,4.56s,69.75us,0.00ns,69.99us,1.51us,67.21us,107.92us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,87018,4.56s,34.25us,0.00ns,34.43us,1.17us,34.12us,65.96us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,87045,4.62s,34.25us,0.00ns,34.42us,1.13us,34.12us,68.21us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,159998,4.62s,18.75us,0.00ns,18.70us,2.14us,15.58us,74.29us +same/onebyte-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,245301,4.69s,12.17us,0.00ns,12.18us,518.00ns,12.04us,43.92us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,1000000,933.50ms,125.00ns,0.00ns,122.00ns,43.00ns,1.00ns,17.83us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,931.42ms,125.00ns,0.00ns,122.00ns,52.00ns,1.00ns,23.54us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,880.47ms,125.00ns,0.00ns,126.00ns,43.00ns,41.00ns,17.17us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208896,4.69s,14.29us,0.00ns,14.31us,543.00ns,14.17us,45.17us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,260454,4.69s,11.46us,0.00ns,11.47us,491.00ns,11.33us,56.12us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,197066,5.13s,14.25us,0.00ns,17.13us,1.26ms,9.00us,557.18ms +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,1.54s,375.00ns,0.00ns,449.00ns,31.18us,291.00ns,24.81ms +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,1000000,935.89ms,125.00ns,0.00ns,122.00ns,48.00ns,1.00ns,24.54us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,935.33ms,125.00ns,0.00ns,122.00ns,41.00ns,1.00ns,15.46us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,935.57ms,125.00ns,0.00ns,122.00ns,39.00ns,1.00ns,23.38us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208846,4.69s,14.29us,0.00ns,14.32us,556.00ns,14.17us,44.88us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,260551,4.69s,11.46us,0.00ns,11.47us,503.00ns,11.33us,42.17us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,210950,4.63s,14.25us,0.00ns,14.17us,878.00ns,9.00us,44.75us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,347099,4.75s,8.58us,0.00ns,8.59us,408.00ns,8.46us,39.33us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,347086,4.75s,8.58us,0.00ns,8.60us,426.00ns,8.46us,39.67us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,1000000,929.90ms,125.00ns,0.00ns,122.00ns,42.00ns,1.00ns,17.17us +same/onebyte-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,622983,4.93s,4.71us,0.00ns,4.77us,332.00ns,3.88us,37.71us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,17779,4.55s,171.58us,0.00ns,168.70us,9.70us,156.21us,206.58us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,28198,4.56s,105.25us,0.00ns,106.34us,2.47us,104.62us,140.46us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,22801,4.64s,108.50us,0.00ns,134.78us,3.69ms,103.46us,557.52ms +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1029,4.54s,2.92ms,0.00ns,2.92ms,15.26us,2.86ms,2.98ms +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,34565,4.56s,86.50us,0.00ns,86.74us,1.60us,80.79us,120.46us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,44303,4.55s,67.46us,0.00ns,67.66us,1.45us,65.00us,98.42us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,33693,4.56s,94.58us,0.00ns,88.99us,12.94us,53.42us,135.96us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,18148,4.56s,164.79us,0.00ns,165.26us,2.84us,161.58us,202.71us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,26723,4.56s,111.08us,0.00ns,112.21us,2.71us,109.21us,147.00us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,26770,4.56s,110.50us,0.00ns,112.01us,5.07us,106.25us,173.42us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1046,4.56s,2.87ms,0.00ns,2.87ms,26.70us,2.77ms,2.94ms +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,34947,4.56s,85.50us,0.00ns,85.79us,1.62us,84.67us,123.96us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,42958,4.56s,69.50us,0.00ns,69.78us,1.64us,66.62us,106.62us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,81338,5.16s,34.29us,0.00ns,36.84us,147.68us,34.12us,24.45ms +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,87210,4.56s,34.25us,0.00ns,34.35us,914.00ns,34.12us,69.38us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,156183,4.63s,19.25us,0.00ns,19.16us,1.99us,16.08us,78.04us +same/twobytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,175717,4.63s,16.96us,0.00ns,17.02us,651.00ns,16.00us,54.75us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,1000000,1.12s,208.00ns,0.00ns,216.00ns,70.00ns,125.00ns,24.79us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,1.12s,208.00ns,0.00ns,216.00ns,60.00ns,125.00ns,24.00us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,1.12s,208.00ns,0.00ns,216.00ns,69.00ns,125.00ns,30.12us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208829,4.69s,14.29us,0.00ns,14.32us,577.00ns,14.17us,44.75us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,260298,4.69s,11.46us,0.00ns,11.48us,482.00ns,11.33us,42.54us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,210931,4.69s,14.25us,0.00ns,14.17us,862.00ns,9.00us,44.92us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,1.48s,375.00ns,0.00ns,372.00ns,92.00ns,250.00ns,25.21us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,1000000,1.17s,208.00ns,0.00ns,216.00ns,60.00ns,125.00ns,24.25us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,1.11s,208.00ns,0.00ns,216.00ns,62.00ns,125.00ns,24.08us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,1.12s,208.00ns,0.00ns,216.00ns,60.00ns,125.00ns,25.08us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208874,4.69s,14.29us,0.00ns,14.31us,557.00ns,14.17us,45.04us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,199514,4.62s,11.46us,0.00ns,14.99us,1.25ms,11.33us,557.75ms +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,210898,4.69s,14.25us,0.00ns,14.18us,863.00ns,8.96us,49.38us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,347084,4.75s,8.58us,0.00ns,8.59us,405.00ns,8.46us,40.96us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,347051,4.75s,8.58us,0.00ns,8.60us,423.00ns,8.46us,38.42us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,1000000,1.18s,250.00ns,0.00ns,240.00ns,77.00ns,125.00ns,29.92us +same/twobytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,308582,4.75s,9.62us,0.00ns,9.67us,504.00ns,9.17us,44.50us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,16341,4.56s,182.83us,0.00ns,183.54us,3.25us,177.29us,220.33us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,19116,4.56s,175.88us,0.00ns,156.89us,31.65us,103.00us,206.75us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,18318,4.56s,163.75us,0.00ns,163.73us,4.46us,140.29us,196.54us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1029,4.56s,2.91ms,0.00ns,2.92ms,17.02us,2.85ms,2.98ms +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,34453,4.56s,86.79us,0.00ns,87.02us,1.57us,82.08us,121.12us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,34376,4.56s,67.58us,0.00ns,87.22us,3.00ms,64.29us,556.18ms +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,33807,4.56s,93.71us,0.00ns,88.69us,12.60us,53.58us,135.04us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,19188,4.56s,155.17us,0.00ns,156.30us,7.35us,140.50us,207.25us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,26132,4.56s,114.00us,0.00ns,114.75us,3.46us,108.33us,151.92us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,21351,4.56s,141.29us,0.00ns,140.45us,31.50us,103.96us,207.33us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1055,4.56s,2.84ms,0.00ns,2.84ms,48.09us,2.72ms,2.99ms +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,35081,4.56s,85.21us,0.00ns,85.46us,1.60us,84.12us,120.75us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,42768,4.56s,69.92us,0.00ns,70.09us,1.47us,67.71us,106.83us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,86999,4.56s,34.25us,0.00ns,34.43us,1.22us,34.12us,75.88us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,87000,4.56s,34.25us,0.00ns,34.43us,1.18us,34.12us,60.21us +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,154071,4.61s,19.58us,0.00ns,19.42us,47.18us,15.62us,18.48ms +same/threebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,131501,4.65s,21.67us,0.00ns,22.76us,122.16us,19.96us,27.25ms +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,1000000,1.29s,292.00ns,0.00ns,299.00ns,71.00ns,208.00ns,24.42us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,1.29s,292.00ns,0.00ns,299.00ns,86.00ns,208.00ns,31.29us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,1.29s,292.00ns,0.00ns,299.00ns,74.00ns,208.00ns,24.96us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208859,4.69s,14.29us,0.00ns,14.31us,555.00ns,14.17us,47.21us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,255931,4.69s,11.75us,0.00ns,11.67us,526.00ns,11.33us,42.67us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,210341,4.69s,14.25us,0.00ns,14.21us,796.00ns,9.12us,46.58us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,1.42s,375.00ns,0.00ns,372.00ns,85.00ns,250.00ns,24.88us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,1000000,1.30s,292.00ns,0.00ns,299.00ns,80.00ns,208.00ns,24.92us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,1.30s,292.00ns,0.00ns,299.00ns,81.00ns,208.00ns,24.21us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,1.29s,292.00ns,0.00ns,299.00ns,83.00ns,208.00ns,25.00us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208845,4.69s,14.29us,0.00ns,14.31us,567.00ns,14.17us,45.25us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,253401,4.69s,11.75us,0.00ns,11.79us,491.00ns,11.67us,44.88us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,210318,4.68s,14.25us,0.00ns,14.21us,799.00ns,9.12us,46.00us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,347082,4.75s,8.58us,0.00ns,8.60us,420.00ns,8.46us,39.96us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,260835,4.70s,8.58us,0.00ns,11.46us,1.10ms,8.46us,557.90ms +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,1000000,1.41s,375.00ns,0.00ns,360.00ns,90.00ns,250.00ns,25.08us +same/threebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,205920,4.68s,14.46us,0.00ns,14.52us,613.00ns,13.83us,47.67us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,48562,4.56s,61.42us,0.00ns,61.72us,1.48us,60.21us,95.42us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,23326,4.56s,123.29us,0.00ns,128.56us,14.11us,122.21us,196.92us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,22890,4.56s,123.50us,0.00ns,131.01us,15.52us,122.71us,199.42us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1019,4.56s,2.95ms,0.00ns,2.95ms,13.75us,2.90ms,3.01ms +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,34731,4.56s,86.08us,0.00ns,86.32us,1.62us,85.00us,118.38us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,44701,4.56s,66.92us,0.00ns,67.06us,1.42us,64.92us,103.12us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,32806,4.56s,97.08us,0.00ns,91.39us,13.42us,53.38us,127.46us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,47339,4.56s,63.25us,0.00ns,63.32us,1.42us,61.04us,105.25us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,31587,4.54s,71.21us,0.00ns,94.92us,3.14ms,67.46us,556.60ms +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,42285,4.56s,70.67us,0.00ns,70.90us,1.49us,68.83us,110.00us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1015,4.56s,2.96ms,0.00ns,2.96ms,14.88us,2.88ms,3.02ms +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,35000,4.54s,85.50us,0.00ns,85.66us,1.96us,82.08us,129.46us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,43076,4.55s,69.42us,0.00ns,69.59us,1.45us,67.38us,100.92us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,87019,4.56s,34.25us,0.00ns,34.43us,1.16us,34.12us,65.33us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,87020,4.56s,34.25us,0.00ns,34.43us,1.15us,34.12us,65.21us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,153493,4.63s,19.50us,0.00ns,19.49us,1.34us,16.71us,68.33us +same/fourbytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,111901,4.63s,26.67us,0.00ns,26.76us,873.00ns,24.00us,77.88us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,209460,4.69s,14.25us,0.00ns,14.27us,555.00ns,12.67us,45.50us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,1.48s,375.00ns,0.00ns,378.00ns,87.00ns,291.00ns,32.04us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,1.43s,375.00ns,0.00ns,378.00ns,93.00ns,291.00ns,33.21us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,195145,5.05s,14.29us,0.00ns,15.33us,128.97us,14.17us,42.26ms +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,259917,4.69s,11.46us,0.00ns,11.49us,491.00ns,11.33us,44.17us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,210911,4.68s,14.25us,0.00ns,14.18us,861.00ns,9.00us,51.50us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,1.48s,375.00ns,0.00ns,375.00ns,86.00ns,250.00ns,24.62us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,209455,4.69s,14.25us,0.00ns,14.28us,558.00ns,13.29us,66.21us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,209623,4.63s,14.25us,0.00ns,14.26us,550.00ns,9.17us,39.21us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,209597,4.68s,14.25us,0.00ns,14.26us,567.00ns,9.00us,47.17us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208861,4.68s,14.29us,0.00ns,14.31us,559.00ns,14.17us,47.38us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,252883,4.68s,11.75us,0.00ns,11.81us,790.00ns,11.67us,55.92us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,210960,4.69s,14.25us,0.00ns,14.17us,864.00ns,9.00us,45.79us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,343872,4.76s,8.58us,0.00ns,8.68us,43.36us,8.46us,25.43ms +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,338376,4.74s,8.58us,0.00ns,8.82us,52.20us,8.46us,27.97ms +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,1000000,1.66s,459.00ns,0.00ns,474.00ns,99.00ns,375.00ns,25.21us +same/fourbytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,154756,4.63s,19.29us,0.00ns,19.34us,806.00ns,15.79us,58.92us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,46941,4.56s,64.17us,0.00ns,63.86us,1.74us,60.79us,91.29us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,21786,4.56s,128.46us,0.00ns,137.65us,19.04us,122.92us,196.75us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,19339,4.56s,156.17us,0.00ns,155.08us,7.34us,135.33us,196.96us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1009,4.56s,2.97ms,0.00ns,2.97ms,14.70us,2.93ms,3.04ms +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,35052,4.56s,85.29us,0.00ns,85.53us,1.58us,82.29us,117.96us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,44915,4.56s,66.46us,0.00ns,66.74us,1.49us,64.96us,110.17us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,36073,4.56s,101.21us,0.00ns,83.11us,22.25us,54.00us,125.29us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,47048,4.54s,63.08us,0.00ns,63.71us,80.20us,59.04us,16.14ms +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,40990,4.54s,70.75us,0.00ns,73.12us,203.64us,67.12us,36.16ms +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,42324,4.56s,70.67us,0.00ns,70.83us,1.49us,68.46us,102.04us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1010,4.56s,2.97ms,0.00ns,2.97ms,9.86us,2.94ms,3.04ms +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,34956,4.56s,85.50us,0.00ns,85.77us,1.67us,84.54us,129.12us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,43222,4.56s,69.12us,0.00ns,69.36us,1.48us,66.88us,101.96us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,87011,4.56s,34.25us,0.00ns,34.43us,1.17us,34.12us,64.46us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,87214,4.56s,34.25us,0.00ns,34.35us,926.00ns,34.12us,73.00us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,153962,4.62s,19.71us,0.00ns,19.43us,1.95us,16.29us,73.79us +same/fivebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,94671,4.62s,31.54us,0.00ns,31.64us,0.97us,30.62us,66.04us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,209445,4.68s,14.25us,0.00ns,14.28us,548.00ns,13.50us,47.29us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,1.47s,375.00ns,0.00ns,378.00ns,82.00ns,291.00ns,25.12us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,2.02s,375.00ns,0.00ns,378.00ns,85.00ns,291.00ns,25.12us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208860,4.68s,14.29us,0.00ns,14.31us,558.00ns,14.17us,48.25us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,260276,4.69s,11.46us,0.00ns,11.48us,480.00ns,11.33us,41.29us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,211189,4.63s,14.25us,0.00ns,14.16us,916.00ns,9.00us,45.46us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,1.47s,375.00ns,0.00ns,383.00ns,97.00ns,291.00ns,31.88us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,209460,4.69s,14.25us,0.00ns,14.27us,531.00ns,13.00us,46.33us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,209578,4.63s,14.25us,0.00ns,14.27us,549.00ns,9.21us,43.50us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,209613,4.69s,14.25us,0.00ns,14.26us,538.00ns,9.21us,44.17us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,208859,4.63s,14.29us,0.00ns,14.31us,547.00ns,14.17us,47.46us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,253383,4.68s,11.75us,0.00ns,11.79us,479.00ns,11.67us,42.12us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,211191,4.63s,14.25us,0.00ns,14.16us,915.00ns,9.00us,44.71us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,265088,4.65s,8.58us,0.00ns,11.27us,1.08ms,8.46us,554.67ms +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,347063,4.77s,8.58us,0.00ns,8.60us,415.00ns,8.46us,43.38us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,1000000,1.90s,583.00ns,0.00ns,591.00ns,102.00ns,500.00ns,25.42us +same/fivebytes-nomatch,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,123561,4.63s,24.12us,0.00ns,24.23us,861.00ns,19.79us,62.33us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,10000,276568,4.75s,10.58us,0.00ns,10.80us,1.06us,10.29us,41.42us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,230171,4.68s,12.83us,0.00ns,12.98us,1.33us,8.96us,47.50us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,283838,4.69s,9.79us,0.00ns,10.52us,1.73us,9.50us,45.58us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,9094,4.55s,329.50us,0.00ns,329.85us,5.75us,311.96us,389.67us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,141082,4.63s,21.12us,0.00ns,21.22us,746.00ns,21.04us,52.79us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,187261,4.69s,15.88us,0.00ns,15.97us,646.00ns,15.62us,49.42us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,399859,4.75s,7.38us,0.00ns,7.45us,623.00ns,7.25us,40.79us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,10000,196732,4.65s,10.54us,0.00ns,15.20us,1.25ms,9.71us,552.37ms +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,254957,4.68s,10.42us,0.00ns,11.72us,2.36us,8.92us,43.79us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,264519,4.74s,10.50us,0.00ns,11.29us,2.15us,9.17us,44.08us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,9060,4.56s,330.54us,0.00ns,331.10us,6.29us,313.38us,376.08us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,141340,4.63s,21.12us,0.00ns,21.18us,680.00ns,21.04us,52.54us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,185993,4.68s,16.04us,0.00ns,16.08us,660.00ns,15.75us,49.17us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,10000,109766,4.62s,27.21us,0.00ns,27.28us,797.00ns,27.04us,58.04us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,10000,109774,4.62s,27.21us,0.00ns,27.28us,780.00ns,27.04us,58.46us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,10000,743187,5.00s,3.92us,0.00ns,3.98us,528.00ns,3.79us,34.04us +same/samebytes-match,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,10000,552220,4.88s,5.38us,0.00ns,5.38us,317.00ns,5.25us,30.46us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,122086,4.60s,18.25us,0.00ns,24.53us,1.65ms,18.08us,576.50ms +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,161594,4.63s,18.46us,0.00ns,18.52us,624.00ns,18.29us,56.25us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,161999,4.63s,18.42us,0.00ns,18.47us,626.00ns,18.25us,68.88us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,2190,4.55s,1.37ms,21.00ns,1.37ms,39.73us,1.25ms,1.52ms +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2888,4.56s,1.04ms,20.00ns,1.04ms,11.38us,1.03ms,1.18ms +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3499,4.56s,855.04us,0.00ns,857.53us,5.36us,854.88us,914.25us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,47670,4.56s,62.71us,0.00ns,62.89us,1.34us,62.54us,95.75us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,164190,4.63s,18.17us,0.00ns,18.22us,617.00ns,17.96us,49.12us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,153917,4.62s,19.38us,0.00ns,19.44us,707.00ns,19.08us,52.58us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,158897,4.63s,18.79us,0.00ns,18.83us,644.00ns,18.54us,48.33us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,2168,4.54s,1.37ms,0.00ns,1.38ms,580.60us,1.25ms,28.34ms +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2826,4.54s,1.04ms,0.00ns,1.06ms,796.81us,1.03ms,42.83ms +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3498,4.55s,855.33us,0.00ns,857.80us,5.53us,855.12us,908.38us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,5650,4.56s,529.42us,0.00ns,530.97us,4.42us,528.62us,578.17us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,5651,4.56s,529.29us,0.00ns,530.90us,4.39us,528.62us,570.88us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,77702,4.56s,38.46us,0.00ns,38.56us,0.98us,38.29us,69.12us +sherlock/name-alt1,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,6942,4.56s,430.96us,1.00ns,432.10us,4.42us,427.92us,478.62us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,51174,4.56s,58.25us,0.00ns,58.57us,1.40us,57.67us,100.21us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,47193,4.56s,63.33us,0.00ns,63.52us,1.36us,62.88us,93.17us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,46222,4.56s,64.71us,0.00ns,64.86us,1.37us,64.17us,102.00us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1685,4.56s,1.78ms,0.00ns,1.78ms,34.20us,1.68ms,1.93ms +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2841,4.56s,1.05ms,0.00ns,1.06ms,6.37us,1.05ms,1.23ms +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3458,4.56s,865.04us,0.00ns,867.60us,5.36us,864.46us,912.21us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,41221,4.56s,72.50us,0.00ns,72.73us,1.48us,72.33us,105.83us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,59664,4.56s,48.96us,0.00ns,50.23us,3.17us,48.17us,88.58us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,58919,4.56s,50.58us,0.00ns,50.87us,1.24us,49.96us,84.50us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,58374,4.56s,51.67us,0.00ns,51.34us,88.45us,48.96us,21.29ms +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1647,4.56s,1.78ms,0.00ns,1.82ms,666.68us,1.68ms,20.48ms +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2835,4.55s,1.05ms,0.00ns,1.06ms,13.19us,1.05ms,1.23ms +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3457,4.56s,865.25us,0.00ns,867.85us,5.96us,864.67us,945.29us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,5408,4.56s,553.04us,0.00ns,554.73us,4.51us,552.04us,613.04us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,5406,4.56s,553.33us,0.00ns,554.99us,4.55us,552.08us,602.38us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,68943,4.56s,43.33us,0.00ns,43.46us,1.06us,43.17us,73.50us +sherlock/name-alt2,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,5914,4.56s,505.79us,0.00ns,507.27us,4.95us,502.12us,554.50us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,3439,4.56s,869.71us,0.00ns,872.44us,6.13us,869.21us,0.97ms +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,35608,4.56s,83.96us,0.00ns,84.20us,1.59us,83.75us,123.58us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,35512,4.56s,84.17us,0.00ns,84.43us,1.60us,84.00us,122.17us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,886,4.56s,2.55ms,21.00ns,3.39ms,18.85ms,2.50ms,560.79ms +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2713,4.55s,1.10ms,0.00ns,1.11ms,5.85us,1.10ms,1.15ms +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3442,4.56s,869.29us,0.00ns,871.76us,5.58us,868.17us,928.29us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,37980,4.56s,78.71us,0.00ns,78.94us,1.58us,78.42us,119.75us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,3438,4.56s,870.21us,0.00ns,872.68us,5.49us,869.17us,915.46us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,3441,4.56s,869.33us,0.00ns,871.89us,5.47us,868.38us,914.50us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,3441,4.56s,869.38us,0.00ns,871.82us,5.47us,868.38us,919.33us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1181,4.56s,2.54ms,0.00ns,2.54ms,21.60us,2.49ms,2.61ms +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2714,4.56s,1.10ms,0.00ns,1.11ms,6.10us,1.10ms,1.16ms +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3441,4.56s,869.46us,0.00ns,872.02us,5.40us,868.42us,925.29us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,4713,5.06s,629.50us,0.00ns,636.59us,308.66us,628.08us,21.51ms +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,4750,4.54s,630.17us,0.00ns,631.60us,6.21us,628.38us,796.96us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,22484,4.56s,132.96us,0.00ns,133.38us,2.10us,132.79us,169.79us +sherlock/name-alt3,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,1636,4.56s,1.83ms,21.00ns,1.83ms,9.06us,1.82ms,1.89ms +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,52646,4.56s,56.75us,0.00ns,56.94us,1.30us,56.21us,90.54us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,53227,4.56s,56.08us,0.00ns,56.31us,1.30us,55.58us,90.67us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,51056,4.56s,58.54us,0.00ns,58.71us,1.33us,56.08us,104.79us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1354,4.56s,2.22ms,41.00ns,2.22ms,36.62us,2.12ms,2.34ms +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2842,4.54s,1.05ms,0.00ns,1.06ms,5.81us,1.05ms,1.10ms +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3454,4.55s,865.83us,0.00ns,868.51us,5.53us,865.62us,914.62us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,48624,4.56s,61.46us,0.00ns,61.65us,1.48us,61.25us,141.62us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,49049,4.59s,44.33us,0.00ns,61.11us,2.61ms,43.04us,575.23ms +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,58610,4.56s,52.46us,0.00ns,51.14us,2.22us,48.38us,99.38us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,57692,4.55s,50.25us,0.00ns,51.95us,3.18us,48.62us,92.54us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1365,4.56s,2.20ms,0.00ns,2.20ms,35.80us,2.08ms,2.34ms +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2843,4.56s,1.05ms,0.00ns,1.06ms,5.87us,1.05ms,1.10ms +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3455,4.56s,865.88us,0.00ns,868.41us,5.77us,865.17us,0.99ms +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,5424,4.56s,551.42us,0.00ns,553.10us,6.54us,550.21us,717.29us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,5425,4.56s,551.50us,0.00ns,553.01us,4.29us,549.92us,610.00us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,72155,4.56s,41.04us,0.00ns,41.52us,1.14us,40.62us,69.17us +sherlock/name-alt4,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,5441,4.56s,548.92us,0.00ns,551.37us,7.45us,542.38us,592.96us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,30772,4.60s,80.17us,0.00ns,98.71us,3.17ms,77.38us,555.68ms +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,38590,4.57s,77.33us,0.00ns,77.69us,1.81us,77.08us,111.88us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,33585,4.55s,89.04us,0.00ns,89.28us,1.65us,88.33us,122.71us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1655,4.56s,1.81ms,0.00ns,1.81ms,24.45us,1.74ms,1.91ms +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2812,4.56s,1.06ms,0.00ns,1.07ms,11.65us,1.06ms,1.27ms +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3450,4.56s,867.00us,0.00ns,869.58us,5.61us,866.21us,935.29us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,39881,4.56s,74.96us,0.00ns,75.17us,1.50us,74.79us,113.00us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,36868,4.56s,81.08us,0.00ns,81.32us,1.59us,80.58us,119.46us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,34184,4.56s,87.75us,0.00ns,87.71us,1.62us,85.88us,140.79us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,35680,4.56s,83.75us,0.00ns,84.03us,1.67us,83.12us,122.12us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1666,4.56s,1.80ms,83.00ns,1.80ms,34.18us,1.73ms,2.05ms +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2111,4.54s,1.06ms,0.00ns,1.42ms,12.04ms,1.06ms,551.40ms +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3450,4.56s,867.21us,0.00ns,869.70us,5.35us,866.50us,914.12us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,5293,4.56s,565.04us,0.00ns,566.78us,4.64us,563.92us,623.83us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,5295,4.56s,565.00us,0.00ns,566.62us,4.42us,563.79us,602.17us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,48186,4.56s,62.04us,0.00ns,62.21us,1.30us,61.83us,94.58us +sherlock/name-alt5,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,3762,4.55s,796.17us,0.00ns,797.57us,6.12us,789.25us,841.96us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,444521,4.82s,6.67us,0.00ns,6.70us,345.00ns,6.58us,39.75us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,444509,4.81s,6.67us,0.00ns,6.70us,353.00ns,6.58us,37.25us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,444464,4.82s,6.67us,0.00ns,6.70us,386.00ns,6.58us,63.21us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1292,4.55s,2.32ms,21.00ns,2.32ms,16.17us,2.27ms,2.39ms +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2081,4.52s,1.09ms,0.00ns,1.44ms,12.26ms,1.08ms,557.99ms +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3517,4.55s,850.33us,0.00ns,852.95us,5.71us,850.00us,901.58us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,44178,4.56s,67.67us,0.00ns,67.86us,1.41us,67.54us,107.71us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,444482,4.82s,6.67us,0.00ns,6.70us,360.00ns,6.58us,38.38us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,444660,4.81s,6.67us,0.00ns,6.70us,347.00ns,6.58us,37.46us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,444667,4.82s,6.67us,0.00ns,6.70us,346.00ns,6.58us,37.29us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1294,4.56s,2.32ms,83.00ns,2.32ms,15.59us,2.28ms,2.40ms +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2756,4.56s,1.09ms,0.00ns,1.09ms,6.13us,1.08ms,1.13ms +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3516,4.56s,850.71us,0.00ns,853.29us,5.46us,850.25us,896.46us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,4813,4.56s,621.67us,0.00ns,623.37us,4.69us,619.17us,659.29us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,4622,5.03s,621.88us,0.00ns,749.22us,8.19ms,619.25us,556.93ms +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,34074,4.56s,87.67us,0.00ns,87.99us,1.98us,87.50us,137.62us +sherlock/name-alt6,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,2792,4.56s,1.07ms,0.00ns,1.07ms,7.07us,1.06ms,1.14ms +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,242389,4.69s,12.29us,0.00ns,12.33us,521.00ns,12.21us,42.38us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,242422,4.68s,12.29us,0.00ns,12.32us,502.00ns,12.21us,44.71us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,242401,4.69s,12.29us,0.00ns,12.33us,513.00ns,12.21us,42.29us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,3420,4.55s,874.75us,0.00ns,877.19us,5.29us,873.88us,914.46us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2933,4.56s,1.02ms,0.00ns,1.02ms,5.95us,1.02ms,1.08ms +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3518,4.56s,850.29us,0.00ns,852.88us,5.33us,850.04us,901.92us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,51135,4.55s,58.46us,0.00ns,58.62us,1.29us,58.29us,97.00us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,240160,4.69s,12.29us,0.00ns,12.44us,26.10us,11.92us,7.65ms +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,227962,4.77s,12.29us,0.00ns,13.11us,99.14us,11.88us,34.90ms +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,242429,4.68s,12.29us,0.00ns,12.32us,497.00ns,12.21us,43.12us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,3515,4.55s,851.12us,0.00ns,853.51us,5.48us,849.62us,905.12us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2933,4.56s,1.02ms,0.00ns,1.02ms,6.01us,1.02ms,1.08ms +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3518,4.56s,850.29us,0.00ns,852.83us,5.34us,850.04us,896.96us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,5871,4.55s,509.42us,0.00ns,510.99us,4.31us,509.29us,545.83us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,5872,4.56s,509.42us,0.00ns,510.91us,4.27us,509.29us,554.54us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,81646,4.56s,36.62us,0.00ns,36.69us,941.00ns,36.46us,69.38us +sherlock/name-alt7,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,23820,4.56s,125.50us,0.00ns,125.90us,2.12us,124.38us,164.21us +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,3354,4.56s,891.96us,0.00ns,894.47us,5.29us,888.50us,0.95ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,6952,4.51s,322.79us,0.00ns,431.47us,6.70ms,321.21us,557.71ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,9290,4.56s,321.88us,0.00ns,322.89us,3.55us,321.46us,360.83us +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,629,4.56s,4.77ms,0.00ns,4.77ms,12.19us,4.75ms,4.83ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,1410,4.56s,2.13ms,0.00ns,2.13ms,8.85us,2.12ms,2.21ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3358,4.56s,891.17us,0.00ns,893.60us,5.34us,888.08us,932.12us +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,9707,4.56s,308.08us,0.00ns,309.04us,3.35us,307.62us,348.92us +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,3354,4.56s,891.96us,0.00ns,894.41us,5.26us,889.29us,934.62us +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,3360,4.56s,890.33us,0.00ns,893.05us,5.82us,886.67us,0.97ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,3361,4.56s,890.25us,0.00ns,892.71us,5.56us,886.62us,0.96ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,630,4.56s,4.77ms,21.00ns,4.77ms,11.37us,4.75ms,4.82ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,1402,4.56s,2.11ms,0.00ns,2.14ms,663.49us,2.11ms,26.95ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3257,4.54s,891.00us,0.00ns,921.23us,710.30us,887.33us,32.71ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,1398,4.56s,2.15ms,0.00ns,2.15ms,8.41us,2.13ms,2.19ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,1399,4.56s,2.14ms,0.00ns,2.15ms,9.10us,2.13ms,2.20ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,2690,4.56s,1.11ms,0.00ns,1.12ms,6.77us,1.11ms,1.17ms +sherlock/name-nocase1,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,259,4.56s,11.59ms,0.00ns,11.59ms,43.97us,11.47ms,11.72ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,3391,4.56s,882.42us,0.00ns,884.90us,5.49us,881.00us,940.46us +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,31816,4.56s,94.00us,0.00ns,94.25us,1.75us,93.67us,127.37us +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,30811,4.56s,97.04us,0.00ns,97.32us,1.76us,96.71us,132.46us +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,820,4.55s,3.66ms,83.00ns,3.66ms,13.76us,3.65ms,3.95ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2014,4.56s,1.49ms,0.00ns,1.49ms,6.83us,1.49ms,1.54ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,2564,4.53s,881.65us,20.00ns,1.17ms,10.91ms,879.46us,551.89ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,35739,4.56s,83.67us,0.00ns,83.89us,1.54us,83.38us,131.71us +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,3392,4.56s,882.17us,0.00ns,884.58us,5.15us,880.00us,925.08us +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,3395,4.56s,881.29us,0.00ns,883.80us,5.43us,878.75us,927.71us +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,3390,4.56s,881.25us,0.00ns,885.03us,11.15us,878.62us,1.04ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,820,4.56s,3.66ms,0.00ns,3.66ms,9.79us,3.65ms,3.72ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2015,4.55s,1.49ms,0.00ns,1.49ms,7.02us,1.48ms,1.56ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3394,4.56s,881.54us,0.00ns,884.09us,5.41us,879.50us,929.00us +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,2549,4.56s,1.18ms,0.00ns,1.18ms,6.55us,1.17ms,1.22ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,2549,4.56s,1.18ms,0.00ns,1.18ms,6.65us,1.17ms,1.23ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,8129,4.55s,364.88us,0.00ns,369.01us,284.93us,353.67us,26.05ms +sherlock/name-nocase2,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,726,4.57s,3.96ms,63.00ns,4.13ms,1.99ms,3.89ms,32.40ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,3382,4.56s,884.67us,0.00ns,887.15us,5.41us,883.58us,948.50us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,11579,4.56s,258.29us,0.00ns,259.05us,3.10us,256.29us,294.58us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,11235,4.56s,266.08us,0.00ns,266.98us,3.12us,265.58us,302.12us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,783,4.56s,3.83ms,0.00ns,3.84ms,10.16us,3.82ms,3.88ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,1917,4.56s,1.56ms,0.00ns,1.57ms,7.39us,1.56ms,1.61ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,3383,4.56s,884.58us,0.00ns,886.97us,5.34us,882.04us,928.62us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,12078,4.56s,247.58us,0.00ns,248.34us,2.94us,246.12us,283.67us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,3380,4.55s,885.38us,0.00ns,887.73us,5.25us,882.88us,936.08us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,3385,4.55s,883.83us,0.00ns,886.30us,5.28us,880.83us,933.00us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,2605,4.59s,884.04us,0.00ns,1.16ms,10.98ms,881.50us,557.86ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,783,4.55s,3.83ms,0.00ns,3.83ms,9.80us,3.82ms,3.90ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,1918,4.55s,1.56ms,20.00ns,1.56ms,6.89us,1.56ms,1.60ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,3381,4.56s,884.29us,0.00ns,887.31us,9.13us,882.00us,1.05ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,2265,4.56s,1.32ms,0.00ns,1.32ms,6.89us,1.31ms,1.37ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,2266,4.55s,1.32ms,0.00ns,1.32ms,6.85us,1.31ms,1.38ms +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,5748,4.56s,520.50us,0.00ns,521.88us,4.46us,518.62us,612.88us +sherlock/name-nocase3,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,547,4.56s,5.48ms,0.00ns,5.49ms,31.28us,5.41ms,5.60ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/standard,1.0.5,,594915,776,4.56s,3.87ms,21.00ns,3.87ms,10.32us,3.85ms,3.92ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,787,4.56s,3.81ms,0.00ns,3.82ms,9.72us,3.80ms,3.86ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,777,4.56s,3.82ms,0.00ns,3.86ms,1.00ms,3.81ms,31.61ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,438,4.57s,6.63ms,62.00ns,6.85ms,2.35ms,6.60ms,43.78ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,783,4.56s,3.83ms,0.00ns,3.84ms,13.88us,3.82ms,4.09ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,1912,4.67s,1.57ms,0.00ns,1.57ms,8.01us,1.56ms,1.68ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/standard,1.0.5,,594915,780,4.55s,3.84ms,0.00ns,3.85ms,34.73us,3.82ms,4.13ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,770,4.55s,3.89ms,0.00ns,3.90ms,10.73us,3.88ms,3.96ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,772,4.56s,3.88ms,20.00ns,3.89ms,62.08us,3.87ms,4.97ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,454,4.55s,6.61ms,21.00ns,6.61ms,13.25us,6.59ms,6.67ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,788,4.56s,3.81ms,21.00ns,3.81ms,10.15us,3.79ms,3.86ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,1909,4.62s,1.57ms,0.00ns,1.57ms,7.81us,1.56ms,1.71ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-first,1.0.0,,594915,690,4.56s,4.35ms,0.00ns,4.35ms,11.66us,4.33ms,4.42ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),daachorse/bytewise/leftmost-longest,1.0.0,,594915,518,4.54s,4.36ms,21.00ns,5.80ms,25.00ms,4.34ms,570.18ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,594915,30,4.61s,101.88ms,855.00ns,101.89ms,51.22us,101.80ms,102.00ms +sherlock/words5000,count,0.0.1 (rev f4d84cfc42),naive/rust/std,0.1.0,,594915,3,6.18s,1.22s,0.00ns,1.22s,1.22ms,1.22s,1.22s +teddy/teddy1-1pat-supercommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,887,4.55s,3.38ms,0.00ns,3.38ms,9.30us,3.37ms,3.44ms +teddy/teddy1-1pat-supercommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,1653,4.56s,1.82ms,0.00ns,1.82ms,11.49us,1.79ms,1.86ms +teddy/teddy1-1pat-supercommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy1-1pat-supercommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,3231,4.56s,925.75us,0.00ns,928.56us,5.67us,925.46us,0.98ms +teddy/teddy1-1pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1494,4.56s,2.01ms,0.00ns,2.01ms,8.15us,2.00ms,2.06ms +teddy/teddy1-1pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,3126,4.56s,0.96ms,0.00ns,0.96ms,11.27us,935.71us,1.03ms +teddy/teddy1-1pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy1-1pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,5265,4.56s,568.17us,0.00ns,569.82us,5.19us,565.50us,679.79us +teddy/teddy1-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2328,4.56s,1.29ms,0.00ns,1.29ms,6.66us,1.28ms,1.34ms +teddy/teddy1-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,71144,4.63s,32.12us,0.00ns,42.12us,2.10ms,32.00us,558.43ms +teddy/teddy1-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy1-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,300490,4.76s,9.92us,0.00ns,9.93us,413.00ns,9.79us,42.67us +teddy/teddy1-2pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1260,4.56s,2.38ms,21.00ns,2.38ms,8.17us,2.37ms,2.43ms +teddy/teddy1-2pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,2267,4.56s,1.33ms,0.00ns,1.32ms,11.83us,1.30ms,1.37ms +teddy/teddy1-2pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy1-2pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,4056,4.56s,738.46us,0.00ns,739.62us,5.90us,729.88us,782.38us +teddy/teddy1-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2327,4.56s,1.29ms,0.00ns,1.29ms,6.72us,1.28ms,1.34ms +teddy/teddy1-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,93074,4.56s,32.08us,0.00ns,32.18us,877.00ns,31.96us,63.08us +teddy/teddy1-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy1-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,150677,4.62s,19.83us,0.00ns,19.86us,649.00ns,19.71us,52.96us +teddy/teddy1-8pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,446,4.55s,6.73ms,0.00ns,6.74ms,13.75us,6.71ms,6.80ms +teddy/teddy1-8pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,646,4.56s,4.65ms,21.00ns,4.65ms,11.09us,4.63ms,4.70ms +teddy/teddy1-8pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy1-8pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,786,4.56s,3.79ms,21.00ns,3.82ms,758.24us,3.77ms,25.05ms +teddy/teddy1-8pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2263,4.56s,1.29ms,0.00ns,1.33ms,719.57us,1.29ms,25.69ms +teddy/teddy1-8pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,80612,4.56s,37.08us,0.00ns,37.17us,0.95us,36.92us,65.79us +teddy/teddy1-8pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy1-8pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,36196,4.56s,82.58us,0.00ns,82.83us,1.57us,82.46us,154.17us +teddy/teddy1-16pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,314,4.56s,9.58ms,63.00ns,9.58ms,15.24us,9.55ms,9.65ms +teddy/teddy1-16pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,259,4.56s,11.61ms,0.00ns,11.62ms,17.02us,11.58ms,11.68ms +teddy/teddy1-16pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy1-16pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,426,4.56s,7.04ms,0.00ns,7.04ms,18.61us,7.01ms,7.12ms +teddy/teddy1-16pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2259,4.56s,1.32ms,0.00ns,1.33ms,6.75us,1.32ms,1.38ms +teddy/teddy1-16pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,2654,4.56s,1.13ms,0.00ns,1.13ms,6.21us,1.13ms,1.17ms +teddy/teddy1-16pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy1-16pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,16390,4.56s,182.46us,0.00ns,182.99us,2.39us,182.25us,216.71us +teddy/teddy1-32pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,296,4.56s,10.14ms,20.00ns,10.15ms,16.09us,10.11ms,10.21ms +teddy/teddy1-32pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,159,4.54s,14.12ms,0.00ns,18.93ms,46.25ms,14.01ms,594.69ms +teddy/teddy1-32pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy1-32pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,340,4.56s,8.82ms,21.00ns,8.82ms,31.23us,8.76ms,9.06ms +teddy/teddy1-32pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2210,4.56s,1.35ms,0.00ns,1.36ms,6.65us,1.35ms,1.41ms +teddy/teddy1-32pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,1115,4.56s,2.69ms,0.00ns,2.69ms,9.38us,2.68ms,2.75ms +teddy/teddy1-32pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy1-32pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,8094,4.55s,369.58us,0.00ns,370.60us,3.43us,369.25us,408.92us +teddy/teddy1-48pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,285,4.56s,10.56ms,0.00ns,10.56ms,16.73us,10.53ms,10.61ms +teddy/teddy1-48pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,173,4.56s,17.37ms,0.00ns,17.37ms,53.33us,17.28ms,17.52ms +teddy/teddy1-48pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy1-48pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,291,4.55s,10.34ms,0.00ns,10.34ms,29.21us,10.27ms,10.41ms +teddy/teddy1-48pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1876,4.56s,1.60ms,0.00ns,1.60ms,11.39us,1.59ms,1.64ms +teddy/teddy1-48pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,659,4.56s,4.55ms,0.00ns,4.56ms,10.73us,4.54ms,4.60ms +teddy/teddy1-48pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy1-48pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,3436,4.90s,800.71us,1.00ns,0.97ms,9.61ms,782.21us,563.50ms +teddy/teddy1-64pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,284,4.55s,10.59ms,21.00ns,10.59ms,17.22us,10.55ms,10.64ms +teddy/teddy1-64pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,164,4.55s,18.29ms,125.00ns,18.29ms,17.76us,18.26ms,18.40ms +teddy/teddy1-64pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy1-64pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,283,4.56s,10.60ms,0.00ns,10.61ms,25.61us,10.54ms,10.68ms +teddy/teddy1-64pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2210,4.56s,1.35ms,0.00ns,1.36ms,7.12us,1.35ms,1.41ms +teddy/teddy1-64pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,563,4.56s,5.33ms,0.00ns,5.33ms,12.23us,5.32ms,5.39ms +teddy/teddy1-64pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy1-64pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,4354,4.56s,686.88us,0.00ns,688.97us,5.36us,686.58us,781.46us +teddy/teddy2-1pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1913,4.56s,1.57ms,0.00ns,1.57ms,7.71us,1.56ms,1.65ms +teddy/teddy2-1pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,7285,4.56s,410.58us,0.00ns,411.79us,3.78us,409.00us,451.46us +teddy/teddy2-1pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy2-1pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,11801,4.56s,253.00us,0.00ns,254.19us,3.41us,251.75us,301.54us +teddy/teddy2-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2308,4.56s,1.29ms,0.00ns,1.30ms,513.66us,1.28ms,25.97ms +teddy/teddy2-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,57852,5.08s,48.25us,0.00ns,51.80us,175.96us,48.08us,27.65ms +teddy/teddy2-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy2-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,123248,4.62s,24.17us,0.00ns,24.29us,765.00ns,24.04us,57.88us +teddy/teddy2-2pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2033,4.56s,1.47ms,0.00ns,1.48ms,7.46us,1.46ms,1.51ms +teddy/teddy2-2pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,9249,4.56s,323.29us,0.00ns,324.31us,3.41us,322.96us,365.67us +teddy/teddy2-2pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy2-2pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,17288,4.56s,174.04us,0.00ns,173.48us,2.94us,169.12us,208.08us +teddy/teddy2-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2328,4.55s,1.29ms,0.00ns,1.29ms,6.48us,1.28ms,1.34ms +teddy/teddy2-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,61960,4.56s,48.25us,0.00ns,48.37us,1.14us,48.08us,86.21us +teddy/teddy2-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy2-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,60104,4.56s,49.62us,0.00ns,49.86us,1.20us,49.50us,91.54us +teddy/teddy2-8pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1633,4.56s,1.83ms,0.00ns,1.84ms,9.52us,1.83ms,2.04ms +teddy/teddy2-8pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,2900,4.56s,1.03ms,0.00ns,1.03ms,6.01us,1.03ms,1.08ms +teddy/teddy2-8pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy2-8pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,3832,4.54s,584.29us,0.00ns,782.87us,9.01ms,582.83us,556.39ms +teddy/teddy2-8pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2326,4.56s,1.29ms,0.00ns,1.29ms,7.25us,1.29ms,1.36ms +teddy/teddy2-8pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,61761,4.56s,48.38us,0.00ns,48.53us,1.20us,48.25us,83.38us +teddy/teddy2-8pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy2-8pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,14894,4.56s,200.71us,0.00ns,201.38us,3.16us,198.58us,236.92us +teddy/teddy2-16pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,962,4.56s,3.12ms,0.00ns,3.12ms,10.52us,3.11ms,3.18ms +teddy/teddy2-16pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,980,4.56s,3.06ms,21.00ns,3.06ms,10.19us,3.05ms,3.11ms +teddy/teddy2-16pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy2-16pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2325,4.56s,1.29ms,0.00ns,1.29ms,7.20us,1.29ms,1.38ms +teddy/teddy2-16pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,35850,4.56s,83.38us,0.00ns,83.63us,1.68us,83.12us,114.04us +teddy/teddy2-16pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy2-32pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,795,4.56s,3.77ms,0.00ns,3.78ms,11.31us,3.76ms,3.83ms +teddy/teddy2-32pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,584,4.56s,5.14ms,0.00ns,5.14ms,12.59us,5.13ms,5.21ms +teddy/teddy2-32pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy2-32pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2304,4.55s,1.29ms,0.00ns,1.30ms,502.06us,1.29ms,25.39ms +teddy/teddy2-32pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,2420,4.53s,1.21ms,0.00ns,1.24ms,530.22us,1.20ms,22.70ms +teddy/teddy2-32pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy2-48pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,714,4.56s,4.20ms,0.00ns,4.20ms,10.81us,4.18ms,4.25ms +teddy/teddy2-48pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,425,4.56s,7.06ms,0.00ns,7.06ms,13.48us,7.04ms,7.13ms +teddy/teddy2-48pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy2-48pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2322,4.56s,1.29ms,0.00ns,1.29ms,6.92us,1.29ms,1.40ms +teddy/teddy2-48pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,1110,4.56s,2.70ms,0.00ns,2.70ms,9.20us,2.69ms,2.75ms +teddy/teddy2-48pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy2-64pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,635,4.56s,4.73ms,0.00ns,4.73ms,11.48us,4.71ms,4.79ms +teddy/teddy2-64pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,291,4.56s,10.32ms,0.00ns,10.32ms,16.35us,10.30ms,10.38ms +teddy/teddy2-64pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy2-64pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2321,4.56s,1.29ms,0.00ns,1.29ms,6.42us,1.29ms,1.33ms +teddy/teddy2-64pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,673,4.56s,4.46ms,0.00ns,4.46ms,11.24us,4.44ms,4.51ms +teddy/teddy2-64pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy3-1pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2138,4.56s,1.40ms,20.00ns,1.40ms,6.66us,1.40ms,1.45ms +teddy/teddy3-1pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,10009,4.54s,222.50us,0.00ns,299.68us,5.58ms,219.50us,555.93ms +teddy/teddy3-1pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy3-1pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,15565,4.55s,190.50us,0.00ns,192.69us,6.28us,188.46us,237.17us +teddy/teddy3-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2327,4.56s,1.29ms,0.00ns,1.29ms,6.39us,1.28ms,1.33ms +teddy/teddy3-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,43690,4.56s,68.42us,0.00ns,68.62us,1.51us,68.25us,99.50us +teddy/teddy3-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy3-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,120435,4.63s,24.79us,0.00ns,24.86us,749.00ns,24.67us,55.54us +teddy/teddy3-2pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1923,4.56s,1.56ms,0.00ns,1.56ms,7.36us,1.55ms,1.62ms +teddy/teddy3-2pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,6719,4.56s,445.38us,0.00ns,446.46us,4.01us,443.67us,478.33us +teddy/teddy3-2pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy3-2pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,10004,4.56s,299.00us,0.00ns,299.85us,3.53us,296.88us,346.38us +teddy/teddy3-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2327,4.56s,1.29ms,0.00ns,1.29ms,6.67us,1.28ms,1.34ms +teddy/teddy3-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,43632,4.56s,68.42us,0.00ns,68.71us,1.66us,68.25us,100.75us +teddy/teddy3-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy3-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,52919,4.79s,49.62us,0.00ns,60.90us,2.42ms,48.21us,556.91ms +teddy/teddy3-8pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1801,4.55s,1.66ms,0.00ns,1.67ms,29.02us,1.66ms,2.06ms +teddy/teddy3-8pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,4188,4.56s,714.62us,0.00ns,716.44us,5.14us,712.38us,765.29us +teddy/teddy3-8pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy3-8pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,4417,4.55s,678.00us,0.00ns,679.22us,5.67us,674.54us,724.79us +teddy/teddy3-8pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2326,4.56s,1.29ms,20.00ns,1.29ms,6.93us,1.29ms,1.34ms +teddy/teddy3-8pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,43675,4.56s,68.46us,0.00ns,68.64us,1.42us,68.29us,106.21us +teddy/teddy3-8pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy3-16pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1544,4.56s,1.94ms,0.00ns,1.94ms,9.99us,1.94ms,2.14ms +teddy/teddy3-16pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,2000,4.56s,1.50ms,20.00ns,1.50ms,7.57us,1.48ms,1.56ms +teddy/teddy3-16pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy3-16pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2325,4.56s,1.29ms,0.00ns,1.29ms,6.44us,1.29ms,1.33ms +teddy/teddy3-16pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,31079,4.56s,96.17us,0.00ns,96.48us,1.79us,95.92us,130.38us +teddy/teddy3-16pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy3-32pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1359,4.51s,2.19ms,0.00ns,2.21ms,725.16us,2.18ms,28.93ms +teddy/teddy3-32pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,1058,5.00s,2.65ms,20.00ns,2.84ms,1.78ms,2.64ms,38.09ms +teddy/teddy3-32pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy3-32pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2324,4.56s,1.29ms,0.00ns,1.29ms,6.66us,1.29ms,1.35ms +teddy/teddy3-32pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,22123,4.56s,135.12us,0.00ns,135.56us,2.06us,134.75us,169.96us +teddy/teddy3-32pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy3-48pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1280,4.56s,2.34ms,0.00ns,2.35ms,8.87us,2.34ms,2.40ms +teddy/teddy3-48pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,717,4.56s,4.19ms,0.00ns,4.19ms,10.62us,4.17ms,4.24ms +teddy/teddy3-48pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy3-48pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2322,4.56s,1.29ms,0.00ns,1.29ms,6.55us,1.29ms,1.34ms +teddy/teddy3-48pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,5852,4.55s,510.79us,0.00ns,512.63us,7.06us,507.67us,596.96us +teddy/teddy3-48pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy3-64pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1214,4.55s,2.47ms,0.00ns,2.47ms,8.41us,2.46ms,2.52ms +teddy/teddy3-64pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,438,4.56s,6.93ms,0.00ns,6.86ms,102.64us,6.72ms,7.22ms +teddy/teddy3-64pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy3-64pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2322,4.56s,1.29ms,0.00ns,1.29ms,6.57us,1.29ms,1.34ms +teddy/teddy3-64pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,1568,4.54s,1.44ms,0.00ns,1.91ms,14.13ms,1.43ms,558.21ms +teddy/teddy3-64pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy4-1pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2262,4.55s,1.32ms,0.00ns,1.33ms,7.15us,1.32ms,1.41ms +teddy/teddy4-1pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,24110,4.56s,124.04us,0.00ns,124.39us,2.00us,123.79us,172.58us +teddy/teddy4-1pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy4-1pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,30405,4.56s,96.29us,0.00ns,98.62us,3.74us,94.96us,133.33us +teddy/teddy4-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2327,4.55s,1.29ms,0.00ns,1.29ms,6.49us,1.28ms,1.35ms +teddy/teddy4-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,33841,4.55s,88.38us,0.00ns,88.60us,1.62us,88.21us,119.12us +teddy/teddy4-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy4-1pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,120515,4.62s,24.79us,0.00ns,24.84us,729.00ns,24.67us,50.58us +teddy/teddy4-2pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2219,4.56s,1.35ms,0.00ns,1.35ms,6.78us,1.35ms,1.41ms +teddy/teddy4-2pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,18436,4.56s,162.21us,0.00ns,162.69us,2.35us,161.96us,210.38us +teddy/teddy4-2pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy4-2pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,21169,4.56s,141.25us,0.00ns,141.68us,2.23us,140.88us,179.17us +teddy/teddy4-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2306,4.56s,1.29ms,0.00ns,1.30ms,551.04us,1.28ms,27.75ms +teddy/teddy4-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,32963,4.57s,88.33us,0.00ns,90.96us,166.31us,88.21us,23.52ms +teddy/teddy4-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy4-2pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,61363,4.55s,48.71us,0.00ns,48.84us,1.11us,48.54us,79.17us +teddy/teddy4-8pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2041,4.56s,1.47ms,0.00ns,1.47ms,7.51us,1.46ms,1.53ms +teddy/teddy4-8pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,7983,4.56s,374.62us,0.00ns,375.80us,3.75us,374.17us,411.17us +teddy/teddy4-8pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy4-8pat-common,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,5910,4.56s,506.12us,0.00ns,507.60us,4.45us,504.75us,570.04us +teddy/teddy4-8pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2323,4.56s,1.29ms,0.00ns,1.29ms,6.65us,1.29ms,1.34ms +teddy/teddy4-8pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,33247,4.56s,89.92us,0.00ns,90.19us,1.68us,89.79us,131.88us +teddy/teddy4-8pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy4-8pat-uncommon,count,0.0.1 (rev f4d84cfc42),naive/rust/memchr/memmem,0.1.0,,899232,12897,4.56s,231.96us,0.00ns,232.57us,3.08us,229.17us,267.88us +teddy/teddy4-16pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1914,4.56s,1.57ms,20.00ns,1.57ms,9.09us,1.55ms,1.62ms +teddy/teddy4-16pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,4107,4.56s,728.71us,0.00ns,730.54us,5.17us,725.92us,771.21us +teddy/teddy4-16pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy4-16pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1740,4.55s,1.29ms,0.00ns,1.72ms,13.45ms,1.29ms,559.79ms +teddy/teddy4-16pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,33468,4.55s,89.33us,0.00ns,89.59us,1.66us,89.17us,125.92us +teddy/teddy4-16pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy4-32pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1778,4.56s,1.69ms,20.00ns,1.69ms,8.54us,1.68ms,1.74ms +teddy/teddy4-32pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,2483,4.56s,1.21ms,0.00ns,1.21ms,6.38us,1.20ms,1.26ms +teddy/teddy4-32pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy4-32pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2324,4.56s,1.29ms,0.00ns,1.29ms,6.67us,1.29ms,1.35ms +teddy/teddy4-32pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,27503,4.56s,108.71us,0.00ns,109.04us,1.84us,108.54us,144.46us +teddy/teddy4-32pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy4-48pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1700,4.56s,1.76ms,0.00ns,1.77ms,7.42us,1.76ms,1.81ms +teddy/teddy4-48pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,1559,4.56s,1.92ms,0.00ns,1.92ms,7.67us,1.91ms,1.98ms +teddy/teddy4-48pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy4-48pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2322,4.56s,1.29ms,0.00ns,1.29ms,6.46us,1.29ms,1.34ms +teddy/teddy4-48pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,18397,4.56s,162.54us,0.00ns,163.03us,2.33us,162.25us,196.42us +teddy/teddy4-48pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy4-64pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1349,4.66s,1.84ms,0.00ns,2.30ms,15.27ms,1.82ms,562.43ms +teddy/teddy4-64pat-common,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,1066,4.51s,2.81ms,0.00ns,2.82ms,8.23us,2.80ms,2.86ms +teddy/teddy4-64pat-common,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +teddy/teddy4-64pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2321,4.56s,1.29ms,0.00ns,1.29ms,6.50us,1.29ms,1.35ms +teddy/teddy4-64pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,11497,4.56s,260.12us,0.00ns,260.90us,2.96us,259.62us,305.96us +teddy/teddy4-64pat-uncommon,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/packed/leftmost-first,1.0.5,"failed to run command for 'rust/old-aho-corasick/packed/leftmost-first', last line of stderr is: Error: could not build packed searcher",,0,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns,0.00ns +curated/sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,899232,84138,4.56s,35.54us,0.00ns,35.61us,0.97us,35.04us,68.79us +curated/sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,899232,85035,4.56s,35.12us,0.00ns,35.23us,919.00ns,34.88us,65.88us +curated/sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,899232,28330,4.56s,105.54us,0.00ns,105.85us,1.78us,105.21us,135.38us +curated/sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,899232,2307,4.55s,1.30ms,0.00ns,1.30ms,6.41us,1.30ms,1.34ms +curated/sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,1570556,49518,4.56s,60.38us,0.00ns,60.54us,1.30us,59.96us,91.25us +curated/sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,1570556,49548,4.56s,60.33us,0.00ns,60.49us,1.32us,59.71us,90.46us +curated/sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,1570556,9194,4.56s,324.92us,0.00ns,326.26us,6.83us,324.17us,444.67us +curated/sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,1570556,9253,4.56s,323.33us,0.00ns,324.19us,3.34us,322.62us,358.00us +curated/sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,813478,114006,4.63s,26.21us,0.00ns,26.27us,887.00ns,26.00us,131.38us +curated/sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,813478,114059,4.63s,26.21us,0.00ns,26.25us,799.00ns,26.04us,74.50us +curated/alt-sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,899232,27330,4.56s,109.29us,0.00ns,109.72us,1.94us,109.08us,146.54us +curated/alt-sherlock-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,899232,2300,4.56s,1.30ms,0.00ns,1.30ms,6.73us,1.30ms,1.37ms +curated/alt-sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,899232,10696,4.56s,279.62us,0.00ns,280.44us,3.17us,278.08us,316.21us +curated/alt-sherlock-casei-en,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,899232,2229,4.56s,1.34ms,0.00ns,1.35ms,6.83us,1.34ms,1.40ms +curated/alt-sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,1570556,10249,4.56s,291.79us,0.00ns,292.68us,3.24us,291.50us,325.79us +curated/alt-sherlock-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,1570556,1320,4.56s,2.27ms,0.00ns,2.27ms,8.48us,2.27ms,2.32ms +curated/alt-sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,1570556,3161,4.56s,946.92us,0.00ns,949.19us,6.28us,943.96us,0.99ms +curated/alt-sherlock-casei-ru,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,1570556,1210,4.56s,2.48ms,0.00ns,2.48ms,8.42us,2.47ms,2.53ms +curated/alt-sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,813478,34282,4.56s,87.21us,0.00ns,87.46us,1.69us,87.04us,129.96us +curated/alt-sherlock-zh,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,813478,2561,4.55s,1.17ms,0.00ns,1.17ms,5.92us,1.17ms,1.21ms +curated/dictionary-15,count,0.0.1 (rev f4d84cfc42),rust/aho-corasick/default/leftmost-first,1.0.5,,61436,9664,4.56s,309.62us,0.00ns,310.42us,3.47us,307.75us,345.42us +curated/dictionary-15,count,0.0.1 (rev f4d84cfc42),rust/old-aho-corasick/default/leftmost-first,1.0.5,,61436,8840,4.56s,338.42us,0.00ns,339.33us,3.41us,335.88us,379.50us diff --git a/benchmarks/record/x86_64/2023-09-07.csv b/benchmarks/record/x86_64/2023-09-07.csv new file mode 100644 index 0000000..e7cbe11 --- /dev/null +++ b/benchmarks/record/x86_64/2023-09-07.csv @@ -0,0 +1,842 @@ +name,model,rebar_version,engine,engine_version,err,haystack_len,iters,total,median,mad,mean,stddev,min,max +build/empty,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,,482339,4.68s,6.16us,0.00ns,6.17us,179.00ns,6.03us,71.97us +build/empty,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,,482013,4.73s,6.17us,0.00ns,6.17us,73.00ns,6.07us,16.53us +build/empty,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,,482317,4.78s,6.16us,0.00ns,6.17us,180.00ns,6.06us,70.75us +build/empty,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,,481750,4.73s,6.17us,0.00ns,6.18us,71.00ns,6.07us,11.34us +build/empty,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,478230,4.73s,6.21us,0.00ns,6.22us,76.00ns,6.11us,14.41us +build/empty,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,480029,4.78s,6.17us,0.00ns,6.19us,221.00ns,6.09us,97.28us +build/empty,compile,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,,1000000,533.35ms,11.00ns,0.00ns,11.00ns,4.00ns,9.00ns,2.03us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,,411798,4.67s,7.20us,0.00ns,7.20us,95.00ns,6.95us,13.87us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,,390670,4.73s,7.58us,0.00ns,7.59us,90.00ns,7.33us,13.00us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,,390804,4.73s,7.58us,0.00ns,7.59us,73.00ns,7.37us,13.16us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,,1000000,832.23ms,130.00ns,0.00ns,133.00ns,26.00ns,124.00ns,22.45us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,,415282,4.73s,7.13us,0.00ns,7.14us,71.00ns,6.97us,12.46us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,390773,4.68s,7.58us,0.00ns,7.59us,194.00ns,7.37us,71.43us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,390924,4.67s,7.58us,0.00ns,7.59us,78.00ns,7.33us,13.35us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,,1000000,893.21ms,132.00ns,0.00ns,134.00ns,13.00ns,126.00ns,2.94us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,,1000000,3.90s,1.84us,0.00ns,1.85us,82.00ns,1.81us,66.21us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,,1000000,3.79s,1.84us,0.00ns,1.85us,79.00ns,1.82us,67.25us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,,1000000,586.12ms,36.00ns,0.00ns,36.00ns,10.00ns,33.00ns,4.91us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,,359166,4.73s,8.24us,0.00ns,8.25us,113.00ns,8.02us,28.35us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,,321264,4.67s,9.22us,0.00ns,9.23us,96.00ns,9.02us,21.54us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,,320280,4.74s,9.23us,0.00ns,9.26us,235.00ns,9.00us,73.00us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,,1000000,1.23s,242.00ns,0.00ns,245.00ns,22.00ns,215.00ns,5.36us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,,357244,4.73s,8.29us,0.00ns,8.30us,214.00ns,8.02us,72.90us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,320442,4.68s,9.24us,0.00ns,9.26us,227.00ns,9.07us,74.19us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,320863,4.68s,9.24us,0.00ns,9.25us,99.00ns,9.04us,22.69us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,,1000000,1.13s,249.00ns,0.00ns,250.00ns,18.00ns,221.00ns,2.61us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,,1000000,3.84s,1.89us,0.00ns,1.90us,101.00ns,1.85us,65.30us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,,1000000,3.90s,1.88us,0.00ns,1.89us,103.00ns,1.85us,65.86us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,,1000000,632.48ms,52.00ns,0.00ns,53.00ns,8.00ns,49.00ns,2.87us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,,50061,4.57s,59.32us,0.00ns,59.40us,545.00ns,58.05us,77.45us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,,4556,4.51s,656.38us,1.00ns,657.20us,2.08us,654.88us,674.37us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,,4512,4.51s,663.04us,0.00ns,663.70us,2.15us,661.55us,681.26us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,,569626,4.83s,4.37us,0.00ns,4.39us,167.00ns,4.07us,68.45us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,,49984,4.57s,59.61us,0.00ns,59.69us,538.00ns,58.31us,78.59us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,4557,4.51s,656.16us,0.00ns,657.07us,2.57us,654.92us,721.42us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,4509,4.51s,663.32us,0.00ns,664.13us,2.51us,661.89us,730.79us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,,593368,4.83s,4.61us,0.00ns,4.65us,245.00ns,4.03us,16.30us +build/many-short,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,,412660,4.73s,7.20us,0.00ns,7.21us,207.00ns,6.79us,71.11us +build/many-short,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,,423197,4.73s,7.02us,0.00ns,7.03us,113.00ns,6.68us,19.57us +build/many-short,compile,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,,1000000,4.74s,1.90us,0.00ns,1.91us,57.00ns,1.83us,12.20us +build/words5000,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,,936,4.56s,3.18ms,16.00ns,3.18ms,12.15us,3.15ms,3.24ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,,1029,4.56s,2.93ms,0.00ns,2.91ms,56.35us,2.80ms,3.07ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,,967,4.56s,3.08ms,0.00ns,3.08ms,18.78us,3.04ms,3.18ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,,933,4.56s,3.19ms,0.00ns,3.19ms,15.92us,3.16ms,3.26ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,1033,4.56s,2.89ms,0.00ns,2.90ms,58.14us,2.80ms,3.01ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,971,4.56s,3.06ms,0.00ns,3.07ms,13.73us,3.04ms,3.15ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,,648,4.56s,4.63ms,120.00ns,4.63ms,28.17us,4.58ms,4.75ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,,670,4.56s,4.48ms,38.00ns,4.48ms,39.88us,4.41ms,4.78ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,,3057,4.56s,857.02us,0.00ns,856.26us,7.85us,838.15us,885.30us +build/words15000,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,,320,4.61s,9.32ms,231.00ns,9.33ms,38.02us,9.27ms,9.64ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,,332,4.56s,9.00ms,60.00ns,9.00ms,28.03us,8.89ms,9.07ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,,322,4.56s,9.27ms,94.00ns,9.27ms,38.34us,9.21ms,9.54ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,,323,4.56s,9.24ms,0.00ns,9.25ms,19.39us,9.20ms,9.33ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,336,4.56s,8.91ms,615.00ns,8.90ms,44.90us,8.81ms,9.06ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,323,4.56s,9.26ms,0.00ns,9.26ms,18.44us,9.21ms,9.36ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,,273,4.56s,11.25ms,0.00ns,11.02ms,412.86us,10.27ms,11.44ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,,287,4.56s,10.48ms,0.00ns,10.48ms,46.96us,10.39ms,10.64ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,,1255,4.56s,2.01ms,0.00ns,2.02ms,15.39us,2.00ms,2.07ms +curated/sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2867,4.51s,1.04ms,0.00ns,1.05ms,5.41us,1.04ms,1.11ms +curated/sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,51414,4.57s,57.74us,0.00ns,58.31us,1.99us,57.24us,83.70us +curated/sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2874,4.51s,1.04ms,0.00ns,1.04ms,3.46us,1.04ms,1.11ms +curated/sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,51849,4.57s,57.45us,0.00ns,57.82us,785.00ns,57.21us,128.35us +curated/sherlock-en,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,899232,5172,4.51s,578.47us,2.00ns,580.03us,4.39us,571.75us,635.25us +curated/sherlock-en,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,112576,4.57s,27.12us,0.00ns,26.61us,946.00ns,24.41us,91.07us +curated/sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2870,4.51s,1.04ms,0.00ns,1.05ms,2.25us,1.04ms,1.08ms +curated/sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,47136,4.57s,61.44us,0.00ns,63.61us,4.31us,60.62us,91.93us +curated/sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2873,4.51s,1.04ms,0.00ns,1.04ms,3.69us,1.04ms,1.10ms +curated/sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,49019,4.57s,60.97us,0.00ns,61.16us,684.00ns,60.45us,124.79us +curated/sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,899232,3131,4.51s,948.97us,0.00ns,0.96ms,20.46us,918.94us,1.05ms +curated/sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,6767,4.51s,443.20us,0.00ns,443.32us,2.26us,435.30us,455.84us +curated/sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1647,4.51s,1.82ms,0.00ns,1.82ms,4.35us,1.82ms,1.88ms +curated/sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,1570556,28264,4.57s,111.36us,0.00ns,106.10us,7.52us,97.91us,124.10us +curated/sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1646,4.51s,1.82ms,1.00ns,1.82ms,3.79us,1.82ms,1.88ms +curated/sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,1570556,29549,4.57s,98.96us,0.00ns,101.49us,5.92us,97.96us,172.27us +curated/sherlock-ru,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,1570556,648,4.51s,4.64ms,23.00ns,4.63ms,25.72us,4.58ms,4.78ms +curated/sherlock-ru,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,1570556,69022,4.57s,43.51us,0.00ns,43.42us,710.00ns,40.62us,107.43us +curated/sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1636,4.51s,1.84ms,0.00ns,1.83ms,4.57us,1.83ms,1.90ms +curated/sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,1570556,20964,4.51s,144.31us,0.00ns,143.07us,6.66us,130.20us,176.06us +curated/sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1636,4.51s,1.83ms,0.00ns,1.83ms,7.95us,1.83ms,1.90ms +curated/sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,1570556,21776,4.57s,132.61us,1.00ns,137.73us,7.37us,130.17us,176.84us +curated/sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,1570556,891,4.51s,3.37ms,0.00ns,3.37ms,18.45us,3.30ms,3.42ms +curated/sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,1570556,9282,4.51s,321.89us,0.00ns,323.17us,6.27us,309.48us,386.88us +curated/sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,813478,3193,4.51s,939.08us,0.00ns,939.74us,2.81us,938.84us,1.00ms +curated/sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,813478,67158,4.57s,44.57us,0.00ns,44.64us,527.00ns,44.28us,114.57us +curated/sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,813478,3192,4.51s,939.05us,0.00ns,940.10us,2.41us,938.73us,0.99ms +curated/sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,813478,58770,4.57s,53.80us,0.00ns,51.01us,4.47us,44.28us,122.68us +curated/sherlock-zh,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,813478,2586,4.51s,1.16ms,1.00ns,1.16ms,8.15us,1.12ms,1.22ms +curated/sherlock-zh,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,813478,128406,4.62s,23.24us,0.00ns,23.33us,347.00ns,22.50us,27.68us +curated/alt-sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2862,4.51s,1.05ms,0.00ns,1.05ms,2.71us,1.05ms,1.09ms +curated/alt-sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,47945,4.57s,62.36us,0.00ns,62.54us,495.00ns,61.68us,73.99us +curated/alt-sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2867,4.51s,1.05ms,0.00ns,1.05ms,3.52us,1.04ms,1.11ms +curated/alt-sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,48126,4.57s,62.14us,0.00ns,62.30us,535.00ns,61.66us,86.53us +curated/alt-sherlock-en,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,899232,4245,4.51s,698.47us,0.00ns,706.69us,14.62us,686.95us,764.82us +curated/alt-sherlock-en,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,26158,4.57s,115.52us,0.00ns,114.66us,2.19us,110.15us,126.01us +curated/alt-sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2808,4.51s,1.07ms,0.00ns,1.07ms,2.69us,1.07ms,1.11ms +curated/alt-sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,17415,4.51s,170.99us,0.00ns,172.24us,4.79us,164.49us,213.79us +curated/alt-sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2814,4.51s,1.07ms,0.00ns,1.07ms,4.37us,1.06ms,1.13ms +curated/alt-sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,17690,4.51s,168.83us,0.00ns,169.56us,3.89us,163.27us,235.77us +curated/alt-sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,899232,1817,4.51s,1.65ms,0.00ns,1.65ms,22.93us,1.59ms,1.73ms +curated/alt-sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,2706,4.51s,1.11ms,0.00ns,1.11ms,5.86us,1.10ms,1.17ms +curated/alt-sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1637,4.51s,1.83ms,0.00ns,1.83ms,12.43us,1.82ms,1.89ms +curated/alt-sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,1570556,13403,4.51s,227.28us,0.00ns,223.80us,6.84us,214.43us,265.61us +curated/alt-sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1641,4.51s,1.83ms,0.00ns,1.83ms,4.98us,1.82ms,1.89ms +curated/alt-sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,1570556,13669,4.51s,216.71us,0.00ns,219.45us,6.21us,213.79us,267.26us +curated/alt-sherlock-ru,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,1570556,580,4.51s,5.18ms,4.00ns,5.17ms,25.18us,5.13ms,5.25ms +curated/alt-sherlock-ru,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,1570556,15386,4.51s,194.87us,0.00ns,194.95us,1.84us,188.61us,259.89us +curated/alt-sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1536,4.51s,1.95ms,12.00ns,1.95ms,5.75us,1.95ms,2.02ms +curated/alt-sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,1570556,3664,4.51s,816.20us,1.00ns,818.91us,10.44us,799.38us,871.00us +curated/alt-sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1538,4.51s,1.95ms,5.00ns,1.95ms,7.69us,1.94ms,2.02ms +curated/alt-sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,1570556,3650,4.51s,821.16us,1.00ns,822.08us,9.60us,799.36us,859.01us +curated/alt-sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,1570556,717,4.51s,4.19ms,0.00ns,4.19ms,21.64us,4.12ms,4.27ms +curated/alt-sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,1570556,3237,4.51s,918.90us,0.00ns,926.75us,24.17us,882.68us,1.00ms +curated/alt-sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,813478,3182,4.51s,941.95us,0.00ns,942.91us,4.66us,941.06us,1.02ms +curated/alt-sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,813478,60942,4.57s,49.13us,0.00ns,49.19us,286.00ns,48.93us,58.64us +curated/alt-sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,813478,3183,4.51s,941.89us,0.00ns,942.53us,3.49us,940.56us,1.01ms +curated/alt-sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,813478,50943,4.57s,61.65us,0.00ns,58.85us,5.52us,49.00us,75.45us +curated/alt-sherlock-zh,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,813478,1737,4.51s,1.73ms,0.00ns,1.73ms,12.45us,1.69ms,1.82ms +curated/alt-sherlock-zh,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,813478,31129,4.57s,95.72us,0.00ns,96.34us,1.55us,93.94us,115.95us +curated/dictionary-15,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,61436,9467,4.56s,317.40us,0.00ns,316.89us,5.89us,297.70us,391.65us +curated/dictionary-15,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,61436,36577,4.56s,81.94us,0.00ns,81.99us,498.00ns,81.40us,111.84us +curated/dictionary-15,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,61436,9273,4.56s,324.31us,0.00ns,323.51us,5.88us,306.25us,397.17us +curated/dictionary-15,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,61436,36404,4.56s,82.18us,0.00ns,82.38us,1.45us,81.88us,147.75us +curated/dictionary-15,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,61436,9991,4.56s,300.29us,0.00ns,300.25us,2.21us,295.25us,383.31us +curated/dictionary-15,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,61436,760,4.56s,3.97ms,190.00ns,3.95ms,68.81us,3.83ms,4.08ms +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,100010,25773,4.57s,116.08us,0.00ns,116.37us,2.49us,115.64us,178.99us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,100010,25676,4.57s,115.93us,0.00ns,116.81us,4.05us,115.65us,148.73us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,100010,25668,4.57s,116.06us,0.00ns,116.85us,3.87us,115.64us,145.64us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,5065,4.51s,592.22us,0.00ns,592.30us,5.44us,580.73us,645.09us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,8197,4.51s,365.32us,0.00ns,365.99us,8.92us,343.88us,421.52us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,100010,25801,4.57s,116.05us,0.00ns,116.24us,0.97us,115.73us,179.29us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,100010,25660,4.57s,116.17us,0.00ns,116.88us,1.50us,115.57us,216.44us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,100010,25759,4.57s,115.92us,0.00ns,116.43us,2.89us,115.64us,180.69us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,100010,25721,4.57s,116.14us,0.00ns,116.60us,3.02us,115.74us,178.87us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,5176,4.51s,577.92us,1.00ns,579.65us,6.61us,565.65us,624.12us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,8389,4.51s,357.02us,0.00ns,357.61us,9.13us,335.58us,412.02us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,100010,25728,4.51s,116.37us,0.00ns,116.57us,1.70us,116.07us,181.82us +random/many/words100,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,100010,8625,4.51s,348.00us,0.00ns,347.81us,12.51us,309.52us,493.52us +random/many/words100,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,100010,8598,4.51s,348.89us,1.00ns,348.92us,11.70us,315.43us,473.23us +random/many/words100,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,100010,10210,4.51s,296.25us,1.00ns,293.81us,6.39us,281.92us,329.60us +random/many/words100,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,100010,2541,4.51s,1.16ms,0.00ns,1.18ms,52.65us,1.10ms,1.34ms +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,100010,6877,4.56s,437.66us,0.00ns,436.27us,10.22us,409.69us,470.59us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,100010,6910,4.56s,434.92us,2.00ns,434.18us,12.49us,402.65us,521.06us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,100010,6942,4.56s,432.74us,3.00ns,432.17us,12.99us,396.94us,490.63us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,4204,4.56s,713.24us,1.00ns,713.66us,4.65us,698.07us,775.14us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,6996,4.56s,429.60us,0.00ns,428.84us,11.31us,401.49us,470.08us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,100010,18709,4.61s,160.12us,0.00ns,160.32us,1.16us,159.56us,225.15us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,100010,7007,4.56s,424.78us,0.00ns,428.16us,11.10us,407.13us,497.11us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,100010,7214,4.56s,416.63us,2.00ns,415.84us,11.66us,385.57us,450.50us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,100010,7200,4.56s,417.51us,2.00ns,416.66us,11.87us,385.69us,455.30us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,4246,4.56s,701.85us,8.00ns,706.60us,13.51us,683.59us,738.35us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,6919,4.56s,435.26us,0.00ns,433.62us,11.04us,407.48us,524.64us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,100010,18697,4.61s,159.91us,0.00ns,160.42us,1.78us,159.37us,197.82us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,100010,7595,4.56s,392.99us,0.00ns,394.95us,9.94us,373.76us,513.44us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,100010,7574,4.56s,394.03us,3.00ns,396.04us,10.15us,376.14us,564.21us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,100010,204,4.56s,14.56ms,305.00ns,14.72ms,348.48us,14.39ms,15.41ms +random/many/words5000,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,100010,51,4.56s,58.04ms,0.00ns,58.96ms,2.01ms,56.30ms,61.91ms +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,771370,4.84s,3.79us,0.00ns,3.86us,188.00ns,3.67us,67.40us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,765588,4.94s,3.84us,0.00ns,3.89us,174.00ns,3.73us,67.45us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,762818,4.95s,3.84us,0.00ns,3.90us,166.00ns,3.73us,67.71us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31055,4.57s,96.50us,0.00ns,96.56us,593.00ns,96.17us,119.44us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,185611,4.62s,16.09us,0.00ns,16.13us,399.00ns,15.25us,24.29us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,211404,4.62s,14.11us,0.00ns,14.15us,238.00ns,13.72us,19.47us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,581279,4.79s,5.05us,0.00ns,5.13us,155.00ns,5.01us,8.96us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,769689,4.89s,3.77us,0.00ns,3.86us,216.00ns,3.65us,67.22us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,763002,4.85s,3.82us,0.00ns,3.90us,144.00ns,3.70us,9.14us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,762442,4.94s,3.82us,0.00ns,3.90us,191.00ns,3.71us,67.79us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31227,4.57s,95.92us,0.00ns,96.04us,828.00ns,95.59us,118.94us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,181070,4.62s,16.48us,0.00ns,16.54us,388.00ns,15.82us,21.99us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,257388,4.67s,11.51us,0.00ns,11.62us,401.00ns,11.19us,18.11us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,581057,4.79s,5.05us,0.00ns,5.13us,152.00ns,5.01us,12.04us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,328493,4.68s,9.01us,0.00ns,9.10us,256.00ns,8.39us,14.95us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,328549,4.68s,9.01us,0.00ns,9.10us,318.00ns,8.44us,72.63us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,3.66s,1.60us,0.00ns,1.60us,73.00ns,1.57us,65.02us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,720838,4.89s,4.12us,0.00ns,4.13us,213.00ns,2.74us,69.53us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,1000000,577.87ms,74.00ns,0.00ns,74.00ns,10.00ns,67.00ns,3.91us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,647.94ms,73.00ns,0.00ns,74.00ns,9.00ns,69.00ns,4.43us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,631.78ms,73.00ns,0.00ns,74.00ns,9.00ns,69.00ns,3.93us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103725,4.57s,28.85us,0.00ns,28.89us,247.00ns,28.84us,37.51us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,247493,4.62s,12.01us,0.00ns,12.09us,318.00ns,11.54us,16.96us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,258838,4.62s,11.55us,0.00ns,11.56us,105.00ns,11.53us,15.11us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,829.19ms,183.00ns,0.00ns,183.00ns,14.00ns,177.00ns,8.02us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,1000000,631.81ms,73.00ns,0.00ns,74.00ns,9.00ns,69.00ns,4.01us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,632.66ms,73.00ns,0.00ns,74.00ns,8.00ns,68.00ns,2.28us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,632.94ms,73.00ns,0.00ns,74.00ns,10.00ns,67.00ns,4.83us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103451,4.57s,28.85us,0.00ns,28.97us,836.00ns,28.83us,93.42us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,240852,4.62s,12.41us,0.00ns,12.43us,135.00ns,11.55us,18.21us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,258012,4.68s,11.55us,0.00ns,11.60us,380.00ns,11.53us,75.15us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,833.98ms,183.00ns,0.00ns,183.00ns,17.00ns,176.00ns,10.94us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,515565,4.74s,5.78us,0.00ns,5.79us,62.00ns,5.77us,13.44us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,515208,4.74s,5.78us,0.00ns,5.79us,174.00ns,5.77us,70.72us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,577.74ms,70.00ns,0.00ns,70.00ns,9.00ns,66.00ns,2.98us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,1000000,4.99s,2.90us,0.00ns,2.90us,513.00ns,1.94us,68.11us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,812626,4.90s,3.63us,0.00ns,3.66us,128.00ns,3.36us,29.73us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,719885,4.96s,4.10us,0.00ns,4.13us,176.00ns,3.88us,69.66us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,724266,4.89s,4.09us,0.00ns,4.11us,172.00ns,3.88us,68.78us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31317,4.52s,95.70us,0.00ns,95.76us,569.00ns,95.37us,118.07us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,184526,4.62s,16.20us,0.00ns,16.22us,294.00ns,15.53us,21.48us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,234704,4.62s,12.70us,0.00ns,12.75us,486.00ns,11.63us,77.07us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,564860,4.85s,5.21us,0.00ns,5.28us,148.00ns,5.16us,14.81us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,831302,4.94s,3.54us,0.00ns,3.58us,131.00ns,3.33us,9.69us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,725426,4.89s,4.05us,0.00ns,4.10us,151.00ns,3.81us,9.39us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,725264,4.89s,4.06us,0.00ns,4.10us,195.00ns,3.84us,69.15us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31493,4.57s,95.08us,0.00ns,95.22us,898.00ns,94.72us,160.84us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,181062,4.62s,16.48us,0.00ns,16.53us,361.00ns,15.87us,23.00us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,255217,4.67s,11.54us,0.00ns,11.72us,579.00ns,11.21us,76.66us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,580586,4.84s,5.07us,0.00ns,5.14us,203.00ns,5.03us,69.78us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,331033,4.69s,8.97us,0.00ns,9.03us,227.00ns,8.49us,14.11us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,330304,4.68s,8.98us,0.00ns,9.05us,303.00ns,8.41us,72.72us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,3.64s,1.67us,0.00ns,1.67us,100.00ns,1.64us,64.99us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,426595,4.74s,7.00us,0.00ns,7.00us,161.00ns,5.66us,12.37us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,1000000,688.47ms,108.00ns,0.00ns,108.00ns,10.00ns,105.00ns,2.75us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,678.72ms,108.00ns,0.00ns,108.00ns,11.00ns,105.00ns,3.48us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,678.78ms,107.00ns,0.00ns,108.00ns,10.00ns,105.00ns,2.46us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103761,4.57s,28.85us,0.00ns,28.88us,225.00ns,28.84us,36.39us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,247880,4.62s,11.99us,0.00ns,12.07us,342.00ns,11.57us,17.65us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,258670,4.62s,11.55us,0.00ns,11.57us,128.00ns,11.53us,18.39us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,829.47ms,185.00ns,0.00ns,185.00ns,13.00ns,178.00ns,5.72us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,1000000,679.19ms,107.00ns,0.00ns,108.00ns,11.00ns,105.00ns,4.00us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,683.23ms,108.00ns,0.00ns,108.00ns,11.00ns,105.00ns,3.96us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,678.70ms,107.00ns,0.00ns,108.00ns,14.00ns,105.00ns,10.53us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103732,4.57s,28.85us,0.00ns,28.89us,235.00ns,28.84us,36.73us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,241215,4.62s,12.40us,0.00ns,12.41us,105.00ns,11.55us,18.17us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,258569,4.68s,11.55us,0.00ns,11.57us,278.00ns,11.53us,75.28us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,829.04ms,185.00ns,0.00ns,186.00ns,15.00ns,178.00ns,2.55us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,515186,4.73s,5.78us,0.00ns,5.79us,81.00ns,5.77us,13.57us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,515272,4.78s,5.78us,0.00ns,5.79us,169.00ns,5.77us,69.20us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,678.66ms,128.00ns,0.00ns,128.00ns,11.00ns,121.00ns,2.51us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,514011,4.78s,5.80us,0.00ns,5.81us,905.00ns,3.89us,11.45us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,766129,4.89s,3.87us,0.00ns,3.88us,168.00ns,3.64us,69.49us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,664084,4.84s,4.47us,0.00ns,4.49us,103.00ns,4.18us,12.21us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,657582,4.84s,4.51us,0.00ns,4.52us,175.00ns,4.21us,68.20us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,30894,4.57s,96.51us,0.00ns,97.07us,2.94us,96.14us,126.30us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,184910,4.62s,16.17us,0.00ns,16.19us,365.00ns,15.51us,79.72us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,235954,4.62s,12.62us,0.00ns,12.68us,397.00ns,11.73us,19.91us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,581277,4.78s,5.05us,0.00ns,5.13us,208.00ns,5.00us,68.78us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,761514,4.94s,3.87us,0.00ns,3.91us,184.00ns,3.61us,67.02us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,663376,4.85s,4.47us,0.00ns,4.49us,174.00ns,4.18us,68.67us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,655596,4.80s,4.52us,0.00ns,4.54us,121.00ns,4.22us,11.11us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31211,4.51s,95.94us,0.00ns,96.09us,663.00ns,95.56us,116.72us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,182849,4.57s,16.34us,0.00ns,16.38us,280.00ns,15.80us,22.91us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,251593,4.68s,11.66us,0.00ns,11.89us,569.00ns,11.20us,76.40us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,566470,4.80s,5.18us,0.00ns,5.26us,209.00ns,5.13us,68.47us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,331023,4.67s,8.97us,0.00ns,9.03us,290.00ns,8.51us,72.29us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,329807,4.67s,8.99us,0.00ns,9.06us,311.00ns,8.43us,73.32us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,3.65s,1.71us,0.00ns,1.71us,98.00ns,1.68us,65.66us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,302527,4.68s,9.89us,0.00ns,9.89us,210.00ns,8.18us,24.28us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,1000000,787.43ms,150.00ns,0.00ns,151.00ns,13.00ns,147.00ns,5.34us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,782.65ms,150.00ns,0.00ns,151.00ns,12.00ns,147.00ns,4.53us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,778.89ms,150.00ns,0.00ns,150.00ns,12.00ns,147.00ns,2.36us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103710,4.57s,28.85us,0.00ns,28.89us,466.00ns,28.83us,92.18us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,247416,4.62s,11.99us,0.00ns,12.09us,376.00ns,11.64us,16.96us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,258881,4.62s,11.55us,0.00ns,11.56us,111.00ns,11.53us,16.06us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,832.50ms,183.00ns,0.00ns,183.00ns,13.00ns,177.00ns,4.37us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,1000000,783.07ms,150.00ns,0.00ns,151.00ns,14.00ns,147.00ns,6.31us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,783.00ms,150.00ns,0.00ns,151.00ns,13.00ns,147.00ns,5.20us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,778.51ms,150.00ns,0.00ns,151.00ns,13.00ns,147.00ns,5.03us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103783,4.57s,28.85us,0.00ns,28.88us,217.00ns,28.84us,50.33us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,239845,4.62s,12.41us,0.00ns,12.48us,255.00ns,11.81us,78.13us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,258818,4.67s,11.55us,0.00ns,11.56us,244.00ns,11.53us,76.11us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,883.18ms,183.00ns,0.00ns,183.00ns,13.00ns,177.00ns,6.20us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,515366,4.78s,5.78us,0.00ns,5.79us,66.00ns,5.77us,10.14us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,515597,4.78s,5.78us,0.00ns,5.79us,62.00ns,5.77us,11.07us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,829.00ms,192.00ns,0.00ns,192.00ns,71.00ns,181.00ns,70.03us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,330151,4.67s,8.68us,0.00ns,9.05us,1.46us,5.83us,74.35us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,242494,4.68s,12.28us,0.00ns,12.33us,353.00ns,11.89us,76.98us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,471291,4.78s,6.35us,0.00ns,6.33us,264.00ns,5.93us,11.50us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,470867,4.78s,6.36us,0.00ns,6.34us,305.00ns,5.93us,71.00us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31284,4.51s,95.62us,0.00ns,95.86us,1.45us,95.29us,121.86us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,187543,4.62s,15.96us,0.00ns,15.96us,330.00ns,15.09us,78.81us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,232364,4.62s,12.81us,0.00ns,12.88us,460.00ns,11.80us,77.06us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,564177,4.85s,5.21us,0.00ns,5.29us,150.00ns,5.17us,10.31us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,234256,4.62s,12.72us,0.00ns,12.77us,381.00ns,12.01us,76.86us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,469775,4.73s,6.36us,0.00ns,6.35us,267.00ns,5.94us,11.77us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,468074,4.68s,6.39us,0.00ns,6.38us,264.00ns,5.96us,12.68us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31527,4.57s,95.04us,0.00ns,95.12us,553.00ns,94.68us,115.48us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,180688,4.62s,16.54us,0.00ns,16.57us,246.00ns,15.96us,22.53us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,252690,4.67s,11.67us,0.00ns,11.83us,527.00ns,11.26us,77.11us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,578479,4.84s,5.07us,0.00ns,5.15us,153.00ns,5.03us,12.44us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,330989,4.67s,8.97us,0.00ns,9.03us,224.00ns,8.35us,14.29us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,329598,4.67s,8.99us,0.00ns,9.07us,307.00ns,8.43us,73.56us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,3.80s,1.79us,0.00ns,1.79us,37.00ns,1.75us,8.17us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,234222,4.62s,12.77us,0.00ns,12.78us,331.00ns,11.08us,77.98us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,258893,4.67s,11.55us,0.00ns,11.56us,235.00ns,11.53us,74.53us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,933.28ms,230.00ns,0.00ns,230.00ns,17.00ns,223.00ns,10.30us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,883.03ms,194.00ns,0.00ns,194.00ns,13.00ns,188.00ns,2.36us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103720,4.57s,28.85us,0.00ns,28.89us,413.00ns,28.83us,91.69us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,248070,4.62s,11.99us,0.00ns,12.06us,352.00ns,11.55us,75.75us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,258781,4.62s,11.55us,0.00ns,11.56us,122.00ns,11.53us,18.92us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,892.19ms,188.00ns,0.00ns,188.00ns,12.00ns,182.00ns,7.45us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,258868,4.67s,11.55us,0.00ns,11.56us,236.00ns,11.53us,74.63us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,879.07ms,190.00ns,0.00ns,191.00ns,14.00ns,182.00ns,4.32us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,883.58ms,190.00ns,0.00ns,190.00ns,16.00ns,185.00ns,9.69us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103767,4.57s,28.85us,0.00ns,28.88us,219.00ns,28.84us,36.38us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,240842,4.68s,12.40us,0.00ns,12.43us,314.00ns,11.55us,98.22us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,258541,4.67s,11.55us,0.00ns,11.57us,181.00ns,11.53us,17.86us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,842.20ms,185.00ns,0.00ns,185.00ns,12.00ns,179.00ns,2.19us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,515167,4.79s,5.78us,0.00ns,5.79us,172.00ns,5.77us,71.47us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,515345,4.78s,5.78us,0.00ns,5.79us,171.00ns,5.77us,70.85us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,0.98s,247.00ns,0.00ns,248.00ns,19.00ns,236.00ns,8.73us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,252578,4.62s,11.60us,0.00ns,11.84us,1.45us,7.77us,28.89us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,260866,4.62s,11.44us,0.00ns,11.47us,312.00ns,11.05us,76.72us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,469164,4.73s,6.38us,0.00ns,6.36us,296.00ns,5.95us,70.08us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,470177,4.73s,6.36us,0.00ns,6.35us,258.00ns,5.93us,17.29us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31186,4.57s,96.06us,0.00ns,96.16us,864.00ns,95.72us,158.85us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,183060,4.62s,16.33us,0.00ns,16.35us,259.00ns,15.49us,22.71us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,226270,4.62s,13.15us,0.00ns,13.22us,482.00ns,12.25us,77.60us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,580551,4.73s,5.06us,0.00ns,5.14us,248.00ns,5.01us,105.45us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,249388,4.67s,11.91us,0.00ns,12.00us,442.00ns,11.29us,77.13us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,469315,4.73s,6.37us,0.00ns,6.36us,257.00ns,5.96us,11.05us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,472367,4.78s,6.34us,0.00ns,6.32us,310.00ns,5.92us,72.19us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31347,4.57s,95.54us,0.00ns,95.67us,653.00ns,95.20us,115.66us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,181891,4.62s,16.43us,0.00ns,16.46us,461.00ns,15.73us,122.60us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,255542,4.62s,11.54us,0.00ns,11.70us,559.00ns,11.20us,77.99us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,563975,4.79s,5.22us,0.00ns,5.29us,144.00ns,5.17us,9.19us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,330746,4.62s,8.98us,0.00ns,9.04us,229.00ns,8.52us,20.41us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,329740,4.68s,8.99us,0.00ns,9.07us,244.00ns,8.35us,20.03us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,3.75s,1.83us,0.00ns,1.83us,36.00ns,1.79us,15.63us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,191193,4.62s,15.66us,0.00ns,15.66us,251.00ns,13.46us,24.42us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,257983,4.67s,11.55us,0.00ns,11.60us,329.00ns,11.53us,16.47us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,833.59ms,166.00ns,0.00ns,166.00ns,12.00ns,163.00ns,2.39us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,833.09ms,166.00ns,0.00ns,166.00ns,13.00ns,163.00ns,3.49us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103732,4.57s,28.85us,0.00ns,28.89us,418.00ns,28.83us,92.29us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,247699,4.67s,11.99us,0.00ns,12.08us,410.00ns,11.55us,74.67us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,258638,4.67s,11.55us,0.00ns,11.57us,250.00ns,11.53us,74.91us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,780.75ms,160.00ns,0.00ns,160.00ns,13.00ns,156.00ns,7.18us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,258754,4.68s,11.55us,0.00ns,11.56us,248.00ns,11.52us,75.38us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,778.40ms,166.00ns,0.00ns,167.00ns,69.00ns,163.00ns,67.45us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,836.47ms,166.00ns,0.00ns,166.00ns,12.00ns,163.00ns,2.56us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103737,4.57s,28.85us,0.00ns,28.89us,224.00ns,28.84us,38.14us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,241005,4.62s,12.40us,0.00ns,12.42us,261.00ns,11.55us,75.70us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,258691,4.67s,11.55us,0.00ns,11.56us,124.00ns,11.53us,15.90us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,782.81ms,163.00ns,0.00ns,163.00ns,9.00ns,160.00ns,2.08us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,515132,4.78s,5.78us,0.00ns,5.79us,197.00ns,5.77us,98.28us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,514961,4.78s,5.78us,0.00ns,5.80us,175.00ns,5.77us,69.76us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,1.08s,304.00ns,0.00ns,305.00ns,20.00ns,290.00ns,11.98us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,194548,4.62s,14.50us,0.00ns,15.39us,2.17us,9.73us,24.93us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,1000000,3.79s,1.81us,0.00ns,1.83us,115.00ns,1.76us,65.23us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,4.19s,2.17us,0.00ns,2.17us,43.00ns,2.06us,7.42us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,4.16s,2.16us,0.00ns,2.16us,39.00ns,2.10us,6.99us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,94006,4.57s,31.84us,0.00ns,31.88us,438.00ns,31.57us,96.05us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,208225,4.62s,14.29us,0.00ns,14.38us,353.00ns,13.52us,20.17us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,258885,4.62s,11.55us,0.00ns,11.56us,236.00ns,11.53us,74.17us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,1.58s,548.00ns,0.00ns,549.00ns,21.00ns,539.00ns,4.93us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,1000000,3.79s,1.74us,0.00ns,1.75us,64.00ns,1.70us,6.64us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,3.94s,1.88us,0.00ns,1.90us,78.00ns,1.83us,10.46us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,3.84s,1.88us,0.00ns,1.91us,164.00ns,1.83us,113.83us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,94035,4.57s,31.82us,0.00ns,31.87us,477.00ns,31.58us,94.98us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,201038,4.62s,14.89us,0.00ns,14.89us,189.00ns,14.28us,18.66us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,258591,4.67s,11.55us,0.00ns,11.57us,131.00ns,11.52us,17.13us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,1.58s,557.00ns,0.00ns,558.00ns,15.00ns,551.00ns,3.84us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,312658,4.67s,9.55us,0.00ns,9.56us,233.00ns,8.47us,18.43us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,313273,4.67s,9.53us,0.00ns,9.54us,275.00ns,8.38us,73.07us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,3.75s,1.69us,0.00ns,1.70us,99.00ns,1.60us,65.98us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,198520,4.62s,13.95us,0.00ns,15.08us,3.64us,8.61us,28.20us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,140240,4.62s,21.30us,0.00ns,21.36us,546.00ns,20.57us,85.31us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,142824,4.57s,20.92us,0.00ns,20.97us,286.00ns,20.38us,26.33us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,142735,4.62s,20.90us,0.00ns,20.98us,497.00ns,20.33us,27.25us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,55795,4.57s,53.33us,0.00ns,53.73us,1.78us,51.95us,68.07us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,106274,4.57s,27.71us,0.00ns,28.20us,1.66us,26.01us,90.85us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,258702,4.68s,11.55us,0.00ns,11.57us,251.00ns,11.52us,75.64us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,1.63s,574.00ns,0.00ns,575.00ns,22.00ns,566.00ns,2.63us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,139556,4.62s,21.40us,0.00ns,21.47us,496.00ns,20.55us,28.05us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,118425,4.57s,25.22us,0.00ns,25.30us,411.00ns,24.31us,32.21us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,120590,4.57s,24.75us,0.00ns,24.84us,582.00ns,24.00us,88.55us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,55615,4.57s,53.85us,0.00ns,53.91us,1.23us,51.56us,116.99us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,100102,4.57s,29.44us,0.00ns,29.94us,2.02us,26.68us,95.52us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,258730,4.62s,11.55us,0.00ns,11.56us,122.00ns,11.53us,16.15us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,1.63s,574.00ns,0.00ns,575.00ns,18.00ns,566.00ns,4.39us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,139311,4.62s,21.43us,0.00ns,21.50us,613.00ns,20.28us,85.36us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,138976,4.57s,21.47us,0.00ns,21.55us,657.00ns,20.18us,85.12us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,3.89s,1.91us,0.00ns,1.92us,99.00ns,1.82us,65.75us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,93634,4.57s,31.20us,0.00ns,32.01us,2.54us,26.21us,47.26us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,31053,4.57s,95.13us,0.00ns,96.57us,3.51us,95.07us,114.55us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,31097,4.51s,95.31us,0.00ns,96.44us,2.63us,95.27us,107.20us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,31124,4.57s,95.10us,0.00ns,96.35us,2.75us,95.06us,110.62us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1395,4.51s,2.15ms,0.00ns,2.15ms,22.02us,1.89ms,2.21ms +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,41986,4.57s,71.17us,0.00ns,71.42us,3.71us,63.45us,112.48us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,62723,4.57s,47.77us,0.00ns,47.80us,1.00us,46.00us,70.19us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,21302,4.51s,140.38us,0.00ns,140.80us,1.86us,140.00us,154.55us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,30124,4.51s,95.20us,0.00ns,99.55us,5.44us,95.06us,122.42us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,30504,4.57s,95.48us,0.00ns,98.32us,3.84us,95.07us,109.59us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,30368,4.57s,95.55us,0.00ns,98.75us,3.87us,95.25us,117.97us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1447,4.51s,2.15ms,0.00ns,2.07ms,106.80us,1.87ms,2.19ms +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,44875,4.57s,67.30us,0.00ns,66.82us,2.39us,61.53us,113.04us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,61950,4.57s,47.74us,0.00ns,48.39us,2.15us,45.75us,72.07us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,21291,4.51s,140.39us,0.00ns,140.87us,1.90us,139.98us,155.41us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,89302,4.57s,33.54us,0.00ns,33.56us,417.00ns,32.23us,96.14us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,89234,4.57s,33.54us,0.00ns,33.59us,460.00ns,32.20us,98.18us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,69573,4.57s,43.04us,0.00ns,43.09us,469.00ns,43.01us,106.08us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,309580,4.68s,9.64us,0.00ns,9.66us,212.00ns,9.61us,101.28us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,1000000,631.92ms,75.00ns,0.00ns,75.00ns,8.00ns,70.00ns,3.18us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,632.39ms,73.00ns,0.00ns,74.00ns,11.00ns,68.00ns,7.88us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,628.36ms,73.00ns,0.00ns,74.00ns,11.00ns,67.00ns,6.19us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103737,4.57s,28.85us,0.00ns,28.89us,243.00ns,28.83us,36.73us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,246506,4.62s,12.03us,0.00ns,12.14us,399.00ns,11.55us,19.44us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,258811,4.67s,11.55us,0.00ns,11.56us,122.00ns,11.53us,17.11us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,830.44ms,183.00ns,0.00ns,183.00ns,12.00ns,177.00ns,2.29us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,1000000,631.75ms,73.00ns,0.00ns,74.00ns,12.00ns,68.00ns,7.75us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,629.38ms,73.00ns,0.00ns,73.00ns,15.00ns,68.00ns,10.91us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,640.71ms,73.00ns,0.00ns,74.00ns,9.00ns,68.00ns,2.41us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,97783,4.57s,31.68us,0.00ns,30.65us,1.30us,28.84us,94.08us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,240392,4.62s,12.44us,0.00ns,12.45us,120.00ns,11.55us,17.69us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,258707,4.68s,11.55us,0.00ns,11.56us,122.00ns,11.52us,17.50us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,829.95ms,183.00ns,0.00ns,183.00ns,14.00ns,178.00ns,6.60us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,515293,4.73s,5.78us,0.00ns,5.79us,77.00ns,5.77us,10.47us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,515335,4.73s,5.78us,0.00ns,5.79us,75.00ns,5.77us,13.43us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,1000000,577.38ms,70.00ns,0.00ns,70.00ns,12.00ns,66.00ns,7.91us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,1000000,5.05s,2.90us,0.00ns,2.96us,456.00ns,1.94us,67.57us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,34975,4.57s,85.18us,0.00ns,85.74us,3.32us,79.89us,148.70us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,32591,4.57s,90.81us,0.00ns,92.01us,3.97us,87.44us,107.10us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,32755,4.57s,90.42us,0.00ns,91.56us,3.73us,87.45us,164.89us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1401,4.51s,2.15ms,0.00ns,2.14ms,27.29us,1.87ms,2.19ms +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,42141,4.57s,71.17us,0.00ns,71.16us,2.55us,62.71us,155.62us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,62711,4.57s,47.79us,0.00ns,47.81us,0.98us,46.09us,69.89us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,21940,4.51s,136.30us,0.00ns,136.71us,1.71us,135.91us,151.03us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,35213,4.57s,83.84us,0.00ns,85.16us,3.88us,79.12us,98.27us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,31899,4.57s,91.42us,0.00ns,94.01us,5.55us,87.49us,108.91us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,32191,4.57s,91.07us,0.00ns,93.16us,5.11us,87.39us,155.37us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1424,4.51s,2.15ms,5.00ns,2.11ms,86.54us,1.86ms,2.19ms +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,44546,4.57s,67.30us,0.00ns,67.31us,3.09us,61.68us,133.99us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,61574,4.57s,47.83us,0.00ns,48.69us,2.47us,45.74us,69.78us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,21931,4.51s,136.29us,0.00ns,136.76us,2.08us,135.92us,198.81us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,89296,4.57s,33.54us,0.00ns,33.57us,425.00ns,32.19us,95.90us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,89230,4.57s,33.54us,0.00ns,33.59us,268.00ns,32.23us,43.33us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,69086,4.57s,43.34us,0.00ns,43.39us,253.00ns,43.31us,47.83us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,238776,4.62s,12.52us,0.00ns,12.53us,269.00ns,11.55us,76.06us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,1000000,678.48ms,107.00ns,0.00ns,108.00ns,10.00ns,104.00ns,2.72us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,682.81ms,107.00ns,0.00ns,108.00ns,12.00ns,104.00ns,5.83us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,679.09ms,107.00ns,0.00ns,108.00ns,10.00ns,104.00ns,2.67us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103735,4.57s,28.84us,0.00ns,28.89us,414.00ns,28.83us,92.52us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,246990,4.67s,12.03us,0.00ns,12.12us,384.00ns,11.55us,75.25us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,258766,4.62s,11.55us,0.00ns,11.56us,249.00ns,11.52us,74.97us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,831.62ms,183.00ns,0.00ns,183.00ns,16.00ns,177.00ns,9.88us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,1000000,680.22ms,107.00ns,0.00ns,108.00ns,12.00ns,105.00ns,6.31us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,678.71ms,107.00ns,0.00ns,108.00ns,10.00ns,104.00ns,2.46us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,678.82ms,107.00ns,0.00ns,108.00ns,13.00ns,104.00ns,6.25us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103683,4.57s,28.85us,0.00ns,28.90us,271.00ns,28.83us,36.83us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,240452,4.62s,12.44us,0.00ns,12.45us,107.00ns,11.55us,16.60us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,258746,4.67s,11.55us,0.00ns,11.56us,126.00ns,11.53us,21.20us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,829.11ms,183.00ns,0.00ns,183.00ns,15.00ns,177.00ns,6.11us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,515547,4.73s,5.78us,0.00ns,5.79us,167.00ns,5.77us,70.72us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,515261,4.73s,5.78us,0.00ns,5.79us,80.00ns,5.77us,11.06us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,1000000,732.02ms,128.00ns,0.00ns,128.00ns,17.00ns,121.00ns,12.18us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,518472,4.73s,5.78us,0.00ns,5.75us,0.95us,3.89us,14.64us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,32606,4.57s,91.57us,1.00ns,91.97us,3.94us,86.33us,117.38us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,30234,4.51s,98.31us,0.00ns,99.19us,3.37us,94.44us,112.47us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,30405,4.57s,97.60us,0.00ns,98.63us,3.33us,93.92us,112.69us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1400,4.51s,2.15ms,0.00ns,2.14ms,30.19us,1.88ms,2.19ms +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,42203,4.57s,71.17us,0.00ns,71.05us,2.66us,63.26us,104.81us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,62809,4.57s,47.74us,0.00ns,47.73us,905.00ns,45.92us,69.91us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,21275,4.51s,140.41us,0.00ns,140.98us,2.06us,139.91us,155.47us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,32482,4.57s,90.79us,1.00ns,92.33us,4.77us,85.71us,106.77us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,30244,4.57s,97.56us,1.00ns,99.16us,4.22us,93.85us,166.05us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,29723,4.51s,99.06us,0.00ns,100.90us,4.48us,94.72us,114.58us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1452,4.51s,2.14ms,7.00ns,2.07ms,111.25us,1.87ms,2.23ms +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,44923,4.57s,66.12us,0.00ns,66.75us,2.91us,61.54us,134.79us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,60354,4.57s,48.05us,0.00ns,49.67us,3.21us,45.79us,114.23us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,21915,4.51s,136.29us,0.00ns,136.86us,2.15us,135.92us,201.11us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,89240,4.57s,33.54us,0.00ns,33.59us,266.00ns,32.50us,42.58us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,89262,4.57s,33.54us,0.00ns,33.58us,456.00ns,32.20us,98.23us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,69331,4.57s,43.19us,0.00ns,43.24us,252.00ns,43.15us,50.25us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,194032,4.62s,15.40us,0.00ns,15.43us,357.00ns,14.40us,79.34us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,1000000,792.37ms,150.00ns,0.00ns,150.00ns,11.00ns,147.00ns,2.30us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,879.12ms,171.00ns,0.00ns,171.00ns,68.00ns,158.00ns,67.03us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,787.21ms,150.00ns,0.00ns,150.00ns,13.00ns,147.00ns,5.36us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103734,4.57s,28.85us,0.00ns,28.89us,254.00ns,28.83us,36.66us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,247453,4.62s,11.99us,0.00ns,12.09us,427.00ns,11.55us,74.97us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,258791,4.67s,11.55us,0.00ns,11.56us,122.00ns,11.53us,19.73us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,929.29ms,184.00ns,0.00ns,184.00ns,18.00ns,177.00ns,13.06us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,1000000,782.73ms,150.00ns,0.00ns,150.00ns,12.00ns,147.00ns,2.25us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,783.66ms,150.00ns,0.00ns,150.00ns,15.00ns,147.00ns,8.51us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,783.64ms,150.00ns,0.00ns,151.00ns,18.00ns,147.00ns,12.74us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103763,4.57s,28.84us,0.00ns,28.88us,413.00ns,28.83us,94.64us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,241049,4.67s,12.40us,0.00ns,12.42us,268.00ns,11.78us,76.06us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,258724,4.67s,11.55us,0.00ns,11.56us,175.00ns,11.52us,15.42us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,835.68ms,183.00ns,0.00ns,183.00ns,17.00ns,177.00ns,10.99us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,515174,4.78s,5.78us,0.00ns,5.79us,177.00ns,5.77us,72.13us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,514918,4.79s,5.78us,0.00ns,5.80us,83.00ns,5.77us,14.10us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,1000000,883.61ms,192.00ns,0.00ns,192.00ns,14.00ns,181.00ns,5.91us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,323212,4.67s,8.73us,0.00ns,9.25us,1.29us,5.83us,74.00us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,73765,4.57s,40.55us,0.00ns,40.64us,505.00ns,39.95us,51.80us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,17609,4.51s,171.27us,0.00ns,170.33us,7.50us,159.56us,237.29us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,17655,4.51s,170.62us,0.00ns,169.89us,7.07us,160.36us,194.57us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1398,4.51s,2.15ms,5.00ns,2.15ms,22.63us,1.87ms,2.19ms +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,42116,4.57s,71.17us,0.00ns,71.20us,2.65us,63.14us,141.62us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,62633,4.57s,47.71us,0.00ns,47.86us,1.74us,46.02us,71.90us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,21937,4.51s,136.29us,0.00ns,136.73us,1.70us,135.89us,150.63us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,73261,4.57s,40.59us,0.00ns,40.92us,1.38us,39.93us,54.21us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,17787,4.51s,164.94us,0.00ns,168.63us,7.20us,159.49us,191.37us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,17730,4.51s,169.88us,1.00ns,169.18us,7.25us,159.57us,192.17us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1422,4.51s,2.15ms,0.00ns,2.11ms,85.36us,1.86ms,2.19ms +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,44611,4.57s,67.31us,0.00ns,67.22us,3.22us,61.55us,118.61us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,60452,4.57s,47.95us,0.00ns,49.59us,3.17us,45.73us,69.28us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,21163,4.51s,140.44us,0.00ns,141.73us,2.24us,139.81us,244.76us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,89282,4.57s,33.54us,0.00ns,33.57us,431.00ns,32.19us,95.94us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,89262,4.57s,33.54us,0.00ns,33.58us,249.00ns,32.17us,42.43us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,69204,4.57s,43.27us,0.00ns,43.32us,487.00ns,43.23us,106.89us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,163444,4.62s,18.28us,0.00ns,18.32us,417.00ns,16.02us,83.99us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,258714,4.67s,11.55us,0.00ns,11.57us,285.00ns,11.52us,74.64us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,828.40ms,189.00ns,0.00ns,189.00ns,12.00ns,184.00ns,2.19us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,828.82ms,189.00ns,0.00ns,189.00ns,13.00ns,183.00ns,2.75us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103782,4.57s,28.85us,0.00ns,28.88us,219.00ns,28.83us,37.57us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,247589,4.67s,11.99us,0.00ns,12.09us,404.00ns,11.55us,75.08us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,258856,4.67s,11.55us,0.00ns,11.56us,243.00ns,11.52us,74.80us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,828.57ms,183.00ns,0.00ns,183.00ns,69.00ns,177.00ns,67.26us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,258857,4.67s,11.55us,0.00ns,11.56us,242.00ns,11.52us,74.80us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,882.35ms,189.00ns,0.00ns,189.00ns,12.00ns,183.00ns,2.55us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,881.33ms,189.00ns,0.00ns,189.00ns,14.00ns,183.00ns,4.19us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103733,4.57s,28.84us,0.00ns,28.89us,423.00ns,28.83us,92.19us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,241018,4.62s,12.40us,0.00ns,12.42us,135.00ns,11.55us,18.24us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,258647,4.67s,11.55us,0.00ns,11.57us,279.00ns,11.52us,74.42us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,883.07ms,183.00ns,0.00ns,183.00ns,13.00ns,177.00ns,5.02us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,515313,4.78s,5.78us,0.00ns,5.79us,172.00ns,5.77us,70.49us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,515192,4.73s,5.78us,0.00ns,5.79us,173.00ns,5.77us,69.28us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,1000000,0.98s,247.00ns,0.00ns,247.00ns,14.00ns,236.00ns,2.38us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,248355,4.67s,11.59us,0.00ns,12.04us,1.69us,7.77us,78.02us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,73661,4.57s,40.57us,0.00ns,40.69us,612.00ns,39.93us,53.08us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,17628,4.51s,170.98us,1.00ns,170.15us,7.41us,159.45us,195.81us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,17671,4.51s,170.22us,0.00ns,169.73us,7.38us,159.86us,238.76us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1398,4.51s,2.15ms,0.00ns,2.15ms,22.62us,1.88ms,2.20ms +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,42138,4.57s,71.17us,0.00ns,71.16us,2.82us,63.45us,157.53us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,62755,4.57s,47.77us,0.00ns,47.77us,0.97us,46.09us,111.20us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,21947,4.51s,136.26us,0.00ns,136.66us,1.90us,135.92us,198.67us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,73619,4.57s,40.59us,0.00ns,40.72us,700.00ns,39.91us,103.90us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,17768,4.51s,165.69us,1.00ns,168.81us,7.19us,159.64us,232.08us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,17661,4.51s,168.62us,0.00ns,169.83us,7.70us,159.64us,193.52us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1421,4.51s,2.15ms,0.00ns,2.11ms,77.41us,1.88ms,2.21ms +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,44762,4.57s,67.30us,0.00ns,66.99us,2.51us,61.69us,113.97us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,61727,4.57s,47.78us,0.00ns,48.57us,2.40us,45.78us,69.82us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,21298,4.51s,140.40us,0.00ns,140.83us,1.93us,139.99us,204.72us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,89290,4.57s,33.54us,0.00ns,33.57us,227.00ns,32.18us,41.61us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,89248,4.57s,33.54us,0.00ns,33.58us,266.00ns,32.17us,42.82us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,69170,4.57s,43.31us,0.00ns,43.34us,452.00ns,43.27us,107.11us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,141373,4.57s,21.16us,0.00ns,21.19us,398.00ns,20.14us,83.91us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,258004,4.67s,11.55us,0.00ns,11.60us,398.00ns,11.52us,74.33us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,844.91ms,167.00ns,0.00ns,167.00ns,69.00ns,164.00ns,68.26us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,881.08ms,167.00ns,0.00ns,168.00ns,14.00ns,163.00ns,4.45us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103743,4.57s,28.85us,0.00ns,28.89us,244.00ns,28.83us,37.62us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,247593,4.68s,11.99us,0.00ns,12.09us,425.00ns,11.54us,78.32us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,258758,4.67s,11.55us,0.00ns,11.56us,246.00ns,11.52us,74.50us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,778.25ms,164.00ns,0.00ns,164.00ns,9.00ns,161.00ns,2.64us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,258924,4.67s,11.55us,0.00ns,11.56us,105.00ns,11.53us,18.78us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,883.21ms,167.00ns,0.00ns,167.00ns,11.00ns,164.00ns,2.34us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,832.69ms,167.00ns,0.00ns,168.00ns,14.00ns,164.00ns,7.65us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103810,4.57s,28.84us,0.00ns,28.87us,392.00ns,28.83us,91.94us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,241154,4.68s,12.40us,0.00ns,12.41us,263.00ns,11.55us,74.93us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,258645,4.68s,11.55us,0.00ns,11.57us,269.00ns,11.52us,74.64us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,883.15ms,161.00ns,0.00ns,161.00ns,16.00ns,158.00ns,10.43us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,515220,4.73s,5.78us,0.00ns,5.79us,80.00ns,5.77us,11.66us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,515202,4.78s,5.78us,0.00ns,5.79us,92.00ns,5.77us,13.01us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,1000000,1.08s,303.00ns,0.00ns,304.00ns,17.00ns,292.00ns,5.44us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,192494,4.63s,14.59us,0.00ns,15.55us,1.95us,9.73us,24.90us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,269827,4.67s,10.71us,0.00ns,11.09us,581.00ns,10.55us,21.00us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,270332,4.68s,10.69us,0.00ns,11.06us,599.00ns,10.51us,74.42us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,270259,4.62s,10.68us,0.00ns,11.06us,605.00ns,10.51us,75.32us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,12209,4.51s,245.32us,0.00ns,245.70us,2.09us,225.76us,308.16us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,156535,4.57s,19.27us,0.00ns,19.13us,560.00ns,17.69us,27.44us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,282446,4.69s,10.62us,0.00ns,10.59us,317.00ns,10.03us,75.16us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,180458,4.62s,16.49us,0.00ns,16.59us,382.00ns,16.30us,80.70us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,268902,4.67s,10.70us,0.00ns,11.13us,624.00ns,10.53us,74.92us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,269315,4.68s,10.69us,0.00ns,11.11us,617.00ns,10.51us,74.32us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,268288,4.68s,10.72us,0.00ns,11.15us,631.00ns,10.55us,73.91us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,12194,4.51s,245.71us,0.00ns,245.99us,2.54us,217.75us,291.97us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,168958,4.62s,17.33us,0.00ns,17.72us,1.12us,16.52us,83.64us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,277361,4.67s,10.79us,0.00ns,10.78us,238.00ns,10.06us,18.78us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,179757,4.62s,16.52us,0.00ns,16.65us,420.00ns,16.33us,79.88us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,146200,4.62s,20.46us,0.00ns,20.48us,212.00ns,20.35us,26.30us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,146254,4.63s,20.45us,0.00ns,20.47us,327.00ns,20.33us,83.43us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,608431,4.84s,4.89us,0.00ns,4.90us,75.00ns,4.78us,11.51us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,745575,4.89s,3.62us,0.00ns,3.99us,933.00ns,3.60us,11.25us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,286040,4.67s,10.42us,0.00ns,10.46us,262.00ns,10.13us,75.85us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,281583,4.62s,10.55us,0.00ns,10.62us,324.00ns,10.33us,128.85us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,282393,4.67s,10.67us,0.00ns,10.59us,274.00ns,10.12us,18.22us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1717,4.51s,1.73ms,0.00ns,1.75ms,19.29us,1.73ms,1.86ms +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,4109,4.51s,729.96us,0.00ns,730.13us,5.36us,722.74us,813.20us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4352,4.51s,688.37us,0.00ns,689.37us,2.69us,688.26us,735.46us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,84660,4.57s,35.22us,0.00ns,35.40us,377.00ns,35.00us,43.16us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,301381,4.68s,9.88us,0.00ns,9.92us,176.00ns,9.75us,17.26us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,281801,4.62s,10.71us,0.00ns,10.61us,423.00ns,9.98us,104.88us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,286631,4.68s,10.57us,0.00ns,10.44us,325.00ns,9.94us,15.93us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1726,4.51s,1.73ms,0.00ns,1.74ms,11.32us,1.73ms,1.79ms +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,4015,4.51s,745.76us,0.00ns,747.26us,4.97us,745.00us,792.56us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4353,4.51s,688.32us,0.00ns,689.30us,2.34us,688.20us,739.72us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,84596,4.57s,35.23us,0.00ns,35.43us,568.00ns,35.01us,99.10us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,8306,4.51s,359.26us,0.00ns,361.18us,3.49us,356.61us,411.05us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,8329,4.51s,358.18us,0.00ns,360.18us,3.51us,356.43us,397.83us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,98894,4.57s,30.78us,0.00ns,30.30us,879.00ns,28.97us,59.91us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,5376,4.51s,558.96us,1.00ns,558.02us,11.10us,513.35us,618.59us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,121631,4.57s,24.44us,0.00ns,24.63us,622.00ns,23.75us,31.66us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,104460,4.57s,28.60us,0.00ns,28.68us,686.00ns,27.73us,92.81us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,104094,4.57s,28.69us,0.00ns,28.79us,684.00ns,27.91us,94.03us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1691,4.51s,1.77ms,0.00ns,1.77ms,12.65us,1.77ms,1.82ms +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,3972,4.51s,756.86us,2.00ns,755.28us,11.50us,727.38us,843.33us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4324,4.51s,693.06us,0.00ns,693.79us,2.70us,692.85us,759.31us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,68053,4.57s,42.48us,0.00ns,44.05us,2.38us,41.59us,56.91us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,122591,4.57s,24.26us,0.00ns,24.44us,659.00ns,23.32us,32.75us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,107694,4.57s,27.70us,0.00ns,27.82us,714.00ns,26.76us,92.47us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,106761,4.57s,27.92us,0.00ns,28.07us,716.00ns,27.12us,92.57us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1686,4.51s,1.78ms,0.00ns,1.78ms,11.93us,1.77ms,1.86ms +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,3946,4.51s,759.27us,1.00ns,760.32us,4.56us,757.80us,831.77us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4309,4.51s,693.26us,0.00ns,696.19us,6.75us,692.79us,793.52us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,67401,4.57s,43.10us,0.00ns,44.47us,2.54us,41.73us,112.14us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,7960,4.51s,373.49us,0.00ns,376.89us,5.44us,371.48us,420.49us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,7944,4.51s,373.62us,0.00ns,377.66us,5.86us,371.71us,413.34us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,78010,4.57s,38.46us,0.00ns,38.42us,502.00ns,37.59us,101.42us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,4793,4.51s,625.73us,0.00ns,625.96us,11.57us,579.40us,705.24us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,4312,4.51s,694.83us,0.00ns,695.77us,2.78us,694.42us,742.11us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,55208,4.57s,55.50us,0.00ns,54.30us,3.13us,49.40us,123.99us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,57156,4.57s,52.98us,0.00ns,52.45us,2.39us,49.20us,173.08us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1641,4.51s,1.83ms,0.00ns,1.83ms,6.32us,1.82ms,1.88ms +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,3756,4.51s,795.45us,0.00ns,798.77us,10.96us,783.90us,916.46us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4310,4.51s,695.31us,0.00ns,696.15us,3.06us,695.05us,763.74us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,65670,4.57s,45.53us,0.00ns,45.65us,657.00ns,44.89us,109.05us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,4315,4.51s,694.68us,0.00ns,695.26us,2.78us,694.21us,757.26us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,59913,4.57s,49.92us,0.00ns,50.04us,621.00ns,49.03us,70.82us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,55500,4.57s,55.30us,0.00ns,54.02us,3.10us,49.17us,70.44us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1626,4.51s,1.84ms,4.00ns,1.85ms,13.84us,1.84ms,1.89ms +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,3684,4.51s,813.85us,0.00ns,814.50us,4.60us,807.83us,859.75us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4306,4.51s,695.47us,0.00ns,696.71us,5.53us,694.87us,758.44us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,65563,4.57s,45.52us,0.00ns,45.72us,721.00ns,44.94us,116.76us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,6727,4.51s,440.44us,0.00ns,445.96us,9.41us,433.86us,516.06us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,6764,4.51s,437.08us,6.00ns,443.53us,9.17us,433.35us,501.35us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,26694,4.57s,114.03us,0.00ns,112.35us,3.86us,104.30us,177.96us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,1284,4.51s,2.34ms,36.00ns,2.34ms,30.15us,2.24ms,2.46ms +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,117044,4.57s,25.46us,0.00ns,25.60us,753.00ns,24.53us,91.52us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,104418,4.57s,28.61us,0.00ns,28.69us,683.00ns,27.77us,92.86us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,104346,4.57s,28.62us,0.00ns,28.72us,669.00ns,27.86us,93.77us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1622,4.51s,1.84ms,2.00ns,1.85ms,15.13us,1.84ms,1.93ms +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,4037,4.51s,741.49us,0.00ns,743.11us,10.46us,726.67us,830.41us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4322,4.51s,693.50us,0.00ns,694.19us,2.76us,693.21us,759.25us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,81172,4.57s,37.68us,0.00ns,36.92us,2.29us,33.67us,104.49us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,132173,4.62s,22.59us,0.00ns,22.66us,708.00ns,21.36us,85.94us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,113833,4.57s,26.09us,0.00ns,26.32us,699.00ns,25.29us,32.94us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,117658,4.57s,25.33us,0.00ns,25.46us,563.00ns,24.63us,33.30us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1636,4.51s,1.83ms,1.00ns,1.83ms,7.05us,1.83ms,1.90ms +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,3940,4.51s,758.89us,0.00ns,761.58us,7.87us,757.55us,848.68us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4320,4.51s,693.57us,0.00ns,694.51us,2.47us,693.10us,746.73us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,80850,4.57s,37.73us,0.00ns,37.07us,2.23us,33.69us,103.34us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,7965,4.51s,373.25us,0.00ns,376.62us,5.44us,370.68us,427.99us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,7988,4.51s,372.16us,4.00ns,375.54us,5.08us,370.14us,446.77us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,92545,4.57s,32.10us,0.00ns,32.38us,829.00ns,31.37us,38.84us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,4140,4.51s,723.89us,1.00ns,724.77us,12.38us,594.74us,758.48us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,75722,4.57s,39.42us,0.00ns,39.59us,904.00ns,38.66us,105.13us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,64684,4.57s,46.11us,0.00ns,46.35us,0.96us,45.16us,72.07us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,62511,4.57s,47.97us,0.00ns,47.96us,742.00ns,46.14us,58.71us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1685,4.51s,1.78ms,0.00ns,1.78ms,9.89us,1.78ms,1.87ms +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,4001,4.51s,749.83us,0.00ns,749.86us,4.84us,734.63us,793.18us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4295,4.51s,694.20us,0.00ns,698.53us,6.51us,693.84us,796.50us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,68384,4.57s,43.48us,0.00ns,43.84us,1.10us,43.03us,59.77us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,77480,4.57s,38.49us,0.00ns,38.69us,848.00ns,37.66us,49.86us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,66188,4.57s,45.06us,0.00ns,45.29us,1.01us,44.31us,110.56us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,65549,4.57s,45.61us,0.00ns,45.73us,1.08us,43.93us,111.51us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1678,4.51s,1.79ms,1.00ns,1.79ms,5.55us,1.78ms,1.85ms +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,3906,4.51s,766.42us,2.00ns,768.11us,5.56us,764.51us,814.64us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4300,4.51s,694.34us,0.00ns,697.79us,6.90us,693.70us,815.04us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,67329,4.57s,43.97us,0.00ns,44.52us,1.92us,43.37us,112.03us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,7781,4.51s,382.92us,0.00ns,385.54us,4.95us,381.34us,441.17us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,7784,4.51s,382.85us,1.00ns,385.41us,4.87us,381.32us,447.23us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,63661,4.57s,47.17us,0.00ns,47.09us,372.00ns,46.23us,54.14us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,3019,4.51s,0.99ms,0.00ns,0.99ms,15.19us,941.18us,1.06ms +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,669320,4.78s,4.49us,0.00ns,4.45us,96.00ns,4.23us,11.67us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,673424,4.89s,4.39us,0.00ns,4.42us,94.00ns,4.23us,10.73us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,679312,4.90s,4.38us,0.00ns,4.38us,64.00ns,4.23us,22.94us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1688,4.51s,1.78ms,0.00ns,1.78ms,4.02us,1.77ms,1.82ms +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,3808,4.51s,786.17us,2.00ns,787.93us,7.97us,777.58us,869.67us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4363,4.51s,686.79us,0.00ns,687.58us,2.28us,686.37us,733.67us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,77416,4.57s,35.94us,0.00ns,38.71us,3.08us,35.51us,49.85us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,673594,4.84s,4.39us,0.00ns,4.42us,95.00ns,4.24us,11.37us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,649812,4.84s,4.58us,0.00ns,4.59us,79.00ns,4.43us,13.75us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,680621,4.83s,4.37us,0.00ns,4.38us,149.00ns,4.23us,67.79us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1662,4.51s,1.81ms,0.00ns,1.81ms,14.04us,1.78ms,1.86ms +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,3732,4.51s,803.30us,0.00ns,803.85us,3.15us,798.61us,848.45us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4365,4.51s,686.77us,0.00ns,687.37us,3.17us,686.26us,735.04us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,80330,4.57s,35.64us,0.00ns,37.31us,2.77us,35.30us,59.24us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,6882,4.51s,430.77us,0.00ns,435.91us,8.54us,425.82us,468.27us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,6888,4.51s,429.64us,1.00ns,435.51us,8.89us,425.39us,478.40us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,43616,4.57s,68.38us,0.00ns,68.75us,904.00ns,63.32us,132.17us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,2242,4.51s,1.33ms,4.00ns,1.34ms,20.87us,1.31ms,1.41ms +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,498161,4.78s,6.36us,0.00ns,5.99us,540.00ns,5.16us,69.64us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,522872,4.78s,5.23us,0.00ns,5.70us,629.00ns,5.16us,140.26us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,551176,4.78s,5.22us,0.00ns,5.41us,419.00ns,5.16us,13.27us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1747,4.51s,1.72ms,0.00ns,1.72ms,2.96us,1.72ms,1.75ms +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,4186,4.51s,713.24us,1.00ns,716.74us,7.99us,711.75us,785.92us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4366,4.51s,686.60us,1.00ns,687.23us,2.65us,686.40us,752.24us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,85367,4.57s,36.15us,0.00ns,35.11us,1.97us,31.52us,44.92us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,512158,4.78s,6.08us,0.00ns,5.82us,589.00ns,5.16us,70.22us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,533314,4.78s,5.28us,0.00ns,5.59us,539.00ns,5.20us,69.75us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,549789,4.79s,5.36us,0.00ns,5.42us,270.00ns,5.26us,13.15us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1747,4.51s,1.72ms,0.00ns,1.72ms,6.45us,1.72ms,1.78ms +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,4060,4.51s,737.22us,0.00ns,739.03us,3.89us,736.45us,787.02us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4365,4.51s,686.28us,0.00ns,687.36us,4.87us,686.05us,751.39us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,87615,4.57s,35.85us,0.00ns,34.21us,2.16us,31.57us,45.20us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,8728,4.51s,343.10us,0.00ns,343.72us,5.31us,343.07us,457.43us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,8670,4.51s,343.81us,0.00ns,346.02us,4.68us,343.20us,466.44us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,104673,4.57s,28.55us,0.00ns,28.63us,702.00ns,25.09us,92.99us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,19866,4.51s,150.84us,0.00ns,150.98us,1.42us,147.73us,222.86us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,4247,4.51s,705.76us,0.00ns,706.45us,2.67us,705.23us,761.44us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,13725,4.51s,217.96us,0.00ns,218.56us,3.86us,212.92us,281.75us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,13635,4.51s,219.48us,0.00ns,219.99us,3.84us,213.40us,254.96us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,927,4.51s,3.26ms,0.00ns,3.24ms,45.42us,3.14ms,3.38ms +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,1544,4.51s,1.95ms,12.00ns,1.94ms,34.53us,1.88ms,2.02ms +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4232,4.51s,708.24us,0.00ns,708.97us,2.60us,707.48us,773.17us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,14035,4.51s,213.12us,0.00ns,213.72us,3.49us,209.66us,250.15us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,4246,4.51s,706.10us,0.00ns,706.56us,2.31us,705.56us,769.83us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,13705,4.51s,218.36us,0.00ns,218.87us,3.45us,213.87us,256.20us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,13810,4.51s,216.68us,0.00ns,217.21us,3.56us,212.49us,281.39us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,954,4.51s,3.13ms,125.00ns,3.15ms,42.44us,3.09ms,3.29ms +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,1527,4.51s,1.96ms,0.00ns,1.97ms,20.70us,1.93ms,2.06ms +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4236,4.51s,707.73us,0.00ns,708.18us,1.97us,706.64us,752.24us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,14041,4.51s,212.86us,0.00ns,213.63us,3.68us,209.15us,279.18us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,1663,4.51s,1.81ms,0.00ns,1.80ms,29.33us,1.74ms,1.96ms +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,1671,4.51s,1.81ms,0.00ns,1.80ms,30.33us,1.74ms,1.90ms +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,3145,4.51s,0.95ms,0.00ns,0.95ms,5.31us,937.17us,0.98ms +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,222,4.51s,13.52ms,292.00ns,13.52ms,51.51us,13.38ms,13.66ms +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,4275,4.51s,700.93us,0.00ns,701.76us,2.28us,700.47us,748.06us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,47254,4.57s,63.29us,1.00ns,63.45us,2.52us,59.16us,128.03us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,46073,4.57s,64.48us,0.00ns,65.08us,2.43us,61.36us,143.07us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1251,4.51s,2.40ms,0.00ns,2.40ms,13.04us,2.37ms,2.47ms +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2431,4.51s,1.23ms,0.00ns,1.23ms,22.59us,1.20ms,1.33ms +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4261,4.51s,702.80us,0.00ns,704.14us,3.63us,702.27us,768.04us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,55313,4.57s,53.86us,0.00ns,54.20us,1.26us,52.68us,72.32us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,4273,4.51s,701.08us,0.00ns,702.06us,2.87us,700.62us,766.43us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,46714,4.57s,64.26us,0.00ns,64.19us,2.44us,59.23us,80.98us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,45936,4.57s,64.85us,0.00ns,65.27us,2.48us,61.20us,134.02us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1260,4.51s,2.38ms,13.00ns,2.38ms,18.32us,2.35ms,2.46ms +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2405,4.51s,1.24ms,0.00ns,1.25ms,12.33us,1.22ms,1.34ms +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4265,4.51s,702.32us,0.00ns,703.51us,3.49us,701.59us,767.78us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,55169,4.57s,54.06us,0.00ns,54.34us,1.28us,52.89us,70.62us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,3098,4.51s,0.97ms,3.00ns,0.97ms,14.48us,929.30us,1.03ms +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,3097,4.51s,0.97ms,0.00ns,0.97ms,15.80us,914.93us,1.03ms +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,10111,4.51s,294.14us,0.00ns,296.69us,6.40us,284.95us,365.72us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,632,4.51s,4.74ms,110.00ns,4.75ms,52.85us,4.63ms,4.93ms +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,4269,4.51s,701.84us,0.00ns,702.80us,3.30us,701.44us,767.10us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,13757,4.51s,217.84us,0.00ns,218.05us,2.09us,214.39us,249.95us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,13461,4.51s,222.54us,0.00ns,222.85us,2.20us,219.22us,321.76us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1180,4.51s,2.55ms,47.00ns,2.54ms,25.25us,2.49ms,2.63ms +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2260,4.51s,1.33ms,0.00ns,1.33ms,23.69us,1.28ms,1.41ms +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4257,4.51s,704.15us,0.00ns,704.81us,3.10us,703.68us,753.38us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,14197,4.51s,210.97us,0.00ns,211.29us,2.55us,206.99us,276.70us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,4265,4.51s,702.24us,0.00ns,703.44us,3.00us,701.76us,742.35us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,13781,4.51s,217.38us,0.00ns,217.66us,2.95us,212.95us,252.71us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,13612,4.51s,220.12us,0.00ns,220.37us,2.15us,217.13us,288.14us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1199,4.51s,2.50ms,0.00ns,2.50ms,19.93us,2.47ms,2.58ms +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2239,4.51s,1.34ms,0.00ns,1.34ms,8.41us,1.32ms,1.41ms +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4261,4.51s,703.52us,0.00ns,704.18us,2.22us,702.91us,744.96us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,13784,4.51s,217.41us,0.00ns,217.62us,2.18us,213.99us,285.25us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,2738,4.51s,1.10ms,7.00ns,1.10ms,16.78us,1.05ms,1.15ms +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,2742,4.51s,1.10ms,12.00ns,1.09ms,17.63us,1.04ms,1.17ms +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,7126,4.51s,420.29us,0.00ns,420.97us,5.31us,409.66us,480.02us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,462,4.51s,6.50ms,26.00ns,6.50ms,37.22us,6.40ms,6.64ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,813,4.56s,3.69ms,0.00ns,3.69ms,34.78us,3.61ms,3.83ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,799,4.56s,3.75ms,0.00ns,3.76ms,51.47us,3.66ms,3.91ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,803,4.56s,3.73ms,0.00ns,3.74ms,53.16us,3.65ms,3.87ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,566,4.56s,5.30ms,172.00ns,5.31ms,30.72us,5.24ms,5.42ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,805,4.56s,3.72ms,0.00ns,3.73ms,45.81us,3.63ms,3.89ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,2383,4.62s,1.26ms,0.00ns,1.26ms,4.47us,1.25ms,1.32ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,814,4.56s,3.69ms,40.00ns,3.69ms,34.16us,3.59ms,3.79ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,821,4.56s,3.65ms,0.00ns,3.66ms,25.19us,3.59ms,3.78ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,821,4.56s,3.65ms,0.00ns,3.66ms,26.78us,3.58ms,3.76ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,565,4.56s,5.31ms,0.00ns,5.31ms,45.60us,5.20ms,5.52ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,782,4.56s,3.84ms,15.00ns,3.84ms,32.35us,3.75ms,3.94ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,2385,4.61s,1.26ms,0.00ns,1.26ms,9.18us,1.25ms,1.31ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,877,4.56s,3.42ms,0.00ns,3.42ms,14.76us,3.37ms,3.51ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,877,4.56s,3.42ms,0.00ns,3.42ms,14.65us,3.37ms,3.50ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,41,4.61s,74.65ms,0.00ns,74.65ms,193.69us,74.21ms,74.95ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,3,6.77s,1.34s,0.00ns,1.35s,1.15ms,1.34s,1.35s +teddy/teddy1-1pat-supercommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,1360,4.51s,2.20ms,2.00ns,2.21ms,34.00us,2.19ms,2.36ms +teddy/teddy1-1pat-supercommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,1359,4.51s,2.20ms,0.00ns,2.21ms,28.19us,2.19ms,2.37ms +teddy/teddy1-1pat-supercommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,4866,4.51s,616.37us,0.00ns,616.57us,1.75us,612.81us,629.73us +teddy/teddy1-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,3148,4.51s,0.95ms,2.00ns,0.95ms,12.64us,929.54us,1.02ms +teddy/teddy1-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,3166,4.51s,946.31us,8.00ns,947.70us,14.93us,926.92us,1.02ms +teddy/teddy1-1pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,10273,4.51s,286.36us,0.00ns,292.00us,7.90us,283.13us,309.75us +teddy/teddy1-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,178014,4.62s,15.79us,0.00ns,16.82us,2.17us,15.06us,35.23us +teddy/teddy1-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,187595,4.62s,15.80us,0.00ns,15.96us,841.00ns,15.13us,29.37us +teddy/teddy1-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,461229,4.73s,6.51us,0.00ns,6.47us,120.00ns,6.31us,17.53us +teddy/teddy1-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,2780,4.51s,1.07ms,14.00ns,1.08ms,17.45us,1.06ms,1.14ms +teddy/teddy1-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,2679,4.51s,1.12ms,0.00ns,1.12ms,16.93us,1.09ms,1.21ms +teddy/teddy1-2pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,7290,4.51s,418.42us,3.00ns,411.51us,10.49us,395.70us,435.64us +teddy/teddy1-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,167595,4.62s,16.03us,0.00ns,17.87us,2.72us,15.11us,27.22us +teddy/teddy1-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,176093,4.62s,16.19us,0.00ns,17.00us,2.07us,15.07us,78.87us +teddy/teddy1-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,219616,4.67s,13.61us,0.00ns,13.62us,283.00ns,13.20us,77.86us +teddy/teddy1-Npat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,695,4.51s,4.32ms,0.00ns,4.32ms,33.34us,4.31ms,4.60ms +teddy/teddy1-Npat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,674,4.51s,4.43ms,17.00ns,4.45ms,62.36us,4.43ms,4.79ms +teddy/teddy1-Npat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,1426,4.51s,2.13ms,7.00ns,2.10ms,53.95us,2.00ms,2.16ms +teddy/teddy1-Npat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,132715,4.63s,25.12us,0.00ns,22.57us,2.79us,19.07us,90.15us +teddy/teddy1-Npat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,140280,4.62s,19.65us,0.00ns,21.35us,2.57us,19.05us,91.65us +teddy/teddy1-Npat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,44503,4.57s,66.91us,0.00ns,67.38us,1.15us,65.77us,132.86us +teddy/teddy2-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,6148,4.51s,486.17us,0.00ns,487.99us,8.37us,470.10us,551.54us +teddy/teddy2-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,6144,4.51s,485.82us,0.00ns,488.26us,8.79us,469.09us,512.23us +teddy/teddy2-1pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,13957,4.51s,214.43us,0.00ns,214.90us,2.88us,209.74us,230.37us +teddy/teddy2-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,102991,4.57s,30.56us,0.00ns,29.10us,2.79us,24.21us,94.21us +teddy/teddy2-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,109137,4.57s,29.80us,0.00ns,27.46us,2.82us,24.26us,36.46us +teddy/teddy2-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,136326,4.63s,21.59us,0.00ns,21.97us,821.00ns,18.46us,46.24us +teddy/teddy2-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,10509,4.51s,284.68us,0.00ns,285.45us,7.06us,274.29us,327.81us +teddy/teddy2-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,10525,4.51s,284.34us,0.00ns,285.02us,7.48us,273.84us,363.42us +teddy/teddy2-2pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,21314,4.57s,140.48us,0.00ns,140.72us,1.99us,137.08us,205.51us +teddy/teddy2-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,121637,4.57s,24.52us,0.00ns,24.63us,512.00ns,24.23us,88.18us +teddy/teddy2-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,104137,4.57s,29.89us,0.00ns,28.78us,2.37us,24.18us,39.41us +teddy/teddy2-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,67613,4.57s,45.30us,0.00ns,44.34us,1.53us,38.24us,107.59us +teddy/teddy2-Npat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,3528,4.51s,847.31us,4.00ns,850.46us,17.57us,819.92us,932.76us +teddy/teddy2-Npat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,3536,4.51s,845.84us,8.00ns,848.61us,17.09us,815.55us,896.65us +teddy/teddy2-Npat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,5905,4.51s,505.43us,0.00ns,508.04us,8.29us,494.57us,587.89us +teddy/teddy2-Npat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,122575,4.57s,24.41us,0.00ns,24.44us,172.00ns,24.32us,30.25us +teddy/teddy2-Npat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,122331,4.57s,24.46us,0.00ns,24.49us,186.00ns,24.31us,30.40us +teddy/teddy2-Npat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,17082,4.51s,175.10us,0.00ns,175.59us,2.26us,156.46us,254.82us +teddy/teddy3-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,13517,4.51s,221.67us,0.00ns,221.92us,4.89us,213.99us,260.31us +teddy/teddy3-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,13680,4.51s,218.94us,0.00ns,219.28us,4.82us,213.26us,286.93us +teddy/teddy3-1pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,17187,4.51s,173.89us,0.00ns,174.52us,3.29us,169.45us,209.75us +teddy/teddy3-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,81175,4.57s,35.50us,0.00ns,36.92us,3.03us,35.41us,99.79us +teddy/teddy3-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,84087,4.56s,35.49us,0.00ns,35.65us,453.00ns,35.41us,47.55us +teddy/teddy3-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,135620,4.57s,22.06us,0.00ns,22.09us,497.00ns,18.55us,86.24us +teddy/teddy3-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,7197,4.51s,415.14us,0.00ns,416.83us,4.65us,409.26us,444.70us +teddy/teddy3-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,7154,4.51s,418.46us,1.00ns,419.31us,5.07us,409.07us,481.19us +teddy/teddy3-2pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,11204,4.51s,267.09us,0.00ns,267.73us,4.79us,258.74us,307.23us +teddy/teddy3-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,84174,4.57s,35.49us,0.00ns,35.61us,502.00ns,35.40us,99.52us +teddy/teddy3-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,77888,4.57s,35.80us,0.00ns,38.48us,4.38us,35.61us,55.26us +teddy/teddy3-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,69298,4.57s,43.03us,0.00ns,43.26us,886.00ns,38.45us,105.14us +teddy/teddy3-Npat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,4511,4.51s,660.66us,0.00ns,665.04us,9.94us,646.78us,730.52us +teddy/teddy3-Npat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,4518,4.51s,659.55us,3.00ns,664.02us,9.37us,648.31us,728.73us +teddy/teddy3-Npat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,5212,4.51s,574.92us,1.00ns,575.63us,5.75us,561.10us,619.06us +teddy/teddy3-Npat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,70358,4.57s,46.11us,0.00ns,42.60us,5.00us,35.46us,57.98us +teddy/teddy3-Npat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,76256,4.57s,36.06us,0.00ns,39.31us,3.78us,35.45us,108.80us +teddy/teddy3-Npat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,17025,4.56s,173.43us,0.00ns,176.17us,4.85us,166.31us,234.62us +teddy/teddy4-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,34817,4.57s,84.98us,0.00ns,86.13us,3.16us,83.88us,112.80us +teddy/teddy4-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,35038,4.56s,85.01us,0.00ns,85.58us,1.78us,83.99us,151.98us +teddy/teddy4-1pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,38485,4.57s,77.70us,0.00ns,77.92us,1.09us,75.81us,103.66us +teddy/teddy4-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,62391,4.57s,48.00us,0.00ns,48.05us,589.00ns,47.61us,122.52us +teddy/teddy4-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,54012,4.57s,59.27us,0.00ns,55.51us,5.47us,47.77us,130.32us +teddy/teddy4-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,134427,4.62s,22.21us,0.00ns,22.28us,763.00ns,18.62us,27.22us +teddy/teddy4-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,25599,4.56s,115.35us,0.00ns,117.16us,3.63us,113.80us,184.05us +teddy/teddy4-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,25514,4.57s,116.08us,0.00ns,117.55us,3.77us,114.24us,179.97us +teddy/teddy4-2pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,27172,4.56s,110.02us,0.00ns,110.37us,1.76us,107.54us,174.83us +teddy/teddy4-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,50332,4.57s,59.54us,0.00ns,59.56us,340.00ns,58.53us,86.42us +teddy/teddy4-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,50319,4.57s,59.62us,0.00ns,59.59us,585.00ns,58.57us,122.33us +teddy/teddy4-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,65877,4.57s,46.00us,0.00ns,45.50us,1.36us,38.40us,54.48us +teddy/teddy4-Npat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,9068,4.51s,330.15us,0.00ns,330.81us,5.35us,323.73us,399.04us +teddy/teddy4-Npat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,9056,4.51s,329.55us,0.00ns,331.25us,5.36us,324.20us,377.12us +teddy/teddy4-Npat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,7179,4.51s,416.10us,0.00ns,417.87us,7.38us,409.09us,493.49us +teddy/teddy4-Npat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,60189,4.57s,49.60us,0.00ns,49.81us,612.00ns,49.27us,113.08us +teddy/teddy4-Npat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,49382,4.57s,60.63us,0.00ns,60.71us,351.00ns,60.32us,68.15us +teddy/teddy4-Npat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,16637,4.56s,180.42us,0.00ns,180.29us,1.54us,177.75us,251.38us diff --git a/benchmarks/record/x86_64/2023-09-16.csv b/benchmarks/record/x86_64/2023-09-16.csv new file mode 100644 index 0000000..b9c24ac --- /dev/null +++ b/benchmarks/record/x86_64/2023-09-16.csv @@ -0,0 +1,992 @@ +name,model,rebar_version,engine,engine_version,err,haystack_len,iters,total,median,mad,mean,stddev,min,max +build/empty,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,,460114,4.78s,6.46us,0.00ns,6.47us,184.00ns,6.33us,70.25us +build/empty,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,,459362,4.73s,6.47us,0.00ns,6.48us,189.00ns,6.32us,71.88us +build/empty,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,,461098,4.78s,6.45us,0.00ns,6.46us,186.00ns,6.32us,71.77us +build/empty,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,,478252,4.73s,6.21us,0.00ns,6.22us,177.00ns,6.10us,69.77us +build/empty,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,478147,4.78s,6.22us,0.00ns,6.22us,173.00ns,6.09us,69.80us +build/empty,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,475047,4.73s,6.24us,0.00ns,6.27us,138.00ns,6.10us,72.52us +build/empty,compile,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,,1000000,478.89ms,11.00ns,0.00ns,11.00ns,3.00ns,9.00ns,2.06us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,,395717,4.72s,7.47us,0.00ns,7.49us,107.00ns,7.27us,16.30us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,,372053,4.72s,7.94us,0.00ns,7.98us,216.00ns,7.71us,72.39us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,,373795,4.67s,7.92us,0.00ns,7.94us,105.00ns,7.74us,13.64us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,,1000000,1.23s,288.00ns,0.00ns,293.00ns,24.00ns,266.00ns,4.12us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,,402771,4.72s,7.32us,0.00ns,7.33us,94.00ns,7.06us,15.00us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,384856,4.67s,7.70us,0.00ns,7.71us,82.00ns,7.48us,16.00us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,384680,4.72s,7.70us,0.00ns,7.71us,242.00ns,7.52us,80.31us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,,1000000,878.73ms,127.00ns,0.00ns,130.00ns,16.00ns,121.00ns,7.47us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,,1000000,3.79s,1.83us,0.00ns,1.84us,101.00ns,1.80us,65.36us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,,1000000,3.84s,1.85us,0.00ns,1.86us,46.00ns,1.82us,15.64us +build/onebyte,compile,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,,1000000,577.56ms,35.00ns,0.00ns,37.00ns,13.00ns,32.00ns,10.17us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,,341301,4.67s,8.67us,0.00ns,8.69us,126.00ns,8.35us,23.69us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,,308766,4.67s,9.59us,0.00ns,9.61us,122.00ns,9.33us,18.00us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,,307949,4.67s,9.62us,0.00ns,9.64us,122.00ns,9.34us,23.22us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,,1000000,1.48s,392.00ns,0.00ns,396.00ns,27.00ns,354.00ns,6.63us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,,352508,4.72s,8.40us,0.00ns,8.41us,111.00ns,8.12us,16.74us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,316492,4.67s,9.37us,0.00ns,9.38us,231.00ns,9.15us,72.98us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,315554,4.67s,9.39us,0.00ns,9.41us,121.00ns,9.15us,21.33us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,,1000000,1.13s,245.00ns,0.00ns,247.00ns,21.00ns,217.00ns,3.77us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,,1000000,4.04s,1.99us,0.00ns,1.99us,104.00ns,1.84us,66.21us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,,1000000,3.99s,1.91us,0.00ns,1.93us,43.00ns,1.89us,14.26us +build/twobytes,compile,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,,1000000,627.73ms,51.00ns,0.00ns,52.00ns,9.00ns,48.00ns,2.65us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,,44065,4.56s,67.43us,0.00ns,67.53us,831.00ns,65.40us,84.57us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,,4465,4.51s,670.52us,0.00ns,671.08us,2.05us,666.22us,684.59us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,,4449,4.51s,672.49us,0.00ns,673.18us,2.36us,669.34us,696.64us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,,567460,4.78s,4.26us,0.00ns,4.30us,142.00ns,4.03us,12.64us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,,42728,4.56s,69.79us,0.00ns,69.89us,559.00ns,68.59us,84.18us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,4486,4.51s,667.32us,1.00ns,668.07us,2.52us,661.68us,689.62us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,4438,4.51s,674.14us,2.00ns,674.73us,2.06us,667.79us,686.35us +build/many-short,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,,567918,4.83s,4.59us,0.00ns,4.63us,201.00ns,3.91us,9.24us +build/many-short,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,,416299,4.67s,7.14us,0.00ns,7.15us,130.00ns,6.79us,18.86us +build/many-short,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,,422863,4.72s,7.02us,0.00ns,7.04us,122.00ns,6.62us,19.41us +build/many-short,compile,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,,1000000,4.64s,1.83us,0.00ns,1.84us,62.00ns,1.77us,12.30us +build/words5000,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,,932,4.56s,3.19ms,26.00ns,3.19ms,11.96us,3.17ms,3.25ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,,1034,4.56s,2.90ms,21.63us,2.89ms,56.56us,2.81ms,2.98ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,,964,4.56s,3.09ms,9.00ns,3.09ms,13.99us,3.02ms,3.16ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,,931,4.56s,3.20ms,0.00ns,3.20ms,12.70us,3.16ms,3.32ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,1032,4.56s,2.91ms,15.92us,2.90ms,59.18us,2.80ms,3.02ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,967,4.56s,3.07ms,0.00ns,3.08ms,16.37us,3.05ms,3.19ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,,642,4.56s,4.67ms,30.00ns,4.67ms,48.20us,4.61ms,5.05ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,,666,4.56s,4.51ms,1.00ns,4.51ms,22.61us,4.44ms,4.59ms +build/words5000,compile,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,,3117,4.56s,840.79us,0.00ns,841.53us,4.45us,833.92us,864.63us +build/words15000,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,,319,4.56s,9.37ms,0.00ns,9.37ms,36.38us,9.28ms,9.56ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,,335,4.56s,8.92ms,0.00ns,8.92ms,38.64us,8.83ms,8.99ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,,324,4.56s,9.21ms,38.00ns,9.22ms,38.04us,9.15ms,9.36ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,,322,4.56s,9.26ms,3.00ns,9.26ms,31.32us,9.21ms,9.47ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,,332,4.56s,9.01ms,361.00ns,8.99ms,46.64us,8.89ms,9.18ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,,322,4.56s,9.28ms,77.00ns,9.28ms,20.33us,9.23ms,9.33ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,,288,4.56s,10.42ms,316.00ns,10.43ms,45.40us,10.33ms,10.60ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,,267,4.56s,11.41ms,0.00ns,11.25ms,337.46us,10.54ms,11.58ms +build/words15000,compile,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,,1262,4.56s,2.01ms,2.00ns,2.00ms,14.92us,1.97ms,2.04ms +curated/sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2867,4.51s,1.05ms,0.00ns,1.05ms,2.15us,1.05ms,1.09ms +curated/sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,45911,4.56s,63.19us,0.00ns,65.31us,4.49us,61.66us,90.84us +curated/sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2867,4.51s,1.05ms,0.00ns,1.05ms,2.46us,1.05ms,1.09ms +curated/sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,45096,4.56s,66.45us,0.00ns,66.49us,645.00ns,65.74us,91.84us +curated/sherlock-en,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,899232,5131,4.51s,585.93us,0.00ns,584.71us,3.62us,578.09us,633.88us +curated/sherlock-en,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,120726,4.57s,24.86us,0.00ns,24.81us,317.00ns,22.67us,47.18us +curated/sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2865,4.51s,1.05ms,0.00ns,1.05ms,3.18us,1.05ms,1.11ms +curated/sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,45725,4.56s,66.41us,0.00ns,65.58us,1.30us,63.90us,84.03us +curated/sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2864,4.51s,1.05ms,1.00ns,1.05ms,4.35us,1.05ms,1.13ms +curated/sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,43121,4.56s,69.43us,0.00ns,69.54us,1.20us,68.78us,84.17us +curated/sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,899232,2869,4.51s,1.05ms,0.00ns,1.05ms,13.36us,1.00ms,1.09ms +curated/sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,6616,4.51s,453.54us,1.00ns,453.44us,2.28us,446.18us,470.89us +curated/sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1640,4.51s,1.83ms,16.00ns,1.83ms,11.44us,1.82ms,1.88ms +curated/sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,1570556,27168,4.56s,110.98us,0.00ns,110.39us,1.98us,106.42us,126.98us +curated/sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1643,4.51s,1.83ms,0.00ns,1.83ms,7.16us,1.82ms,1.89ms +curated/sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,1570556,25924,4.56s,114.25us,0.00ns,115.69us,2.92us,112.62us,144.02us +curated/sherlock-ru,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,1570556,596,4.51s,5.04ms,30.00ns,5.03ms,21.49us,4.96ms,5.08ms +curated/sherlock-ru,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,1570556,68331,4.56s,43.86us,0.00ns,43.86us,1.13us,41.66us,55.09us +curated/sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1631,4.51s,1.84ms,0.00ns,1.84ms,3.15us,1.84ms,1.88ms +curated/sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,1570556,20809,4.51s,143.69us,0.00ns,144.14us,2.53us,137.60us,168.87us +curated/sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1632,4.51s,1.84ms,1.00ns,1.84ms,5.08us,1.84ms,1.89ms +curated/sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,1570556,21118,4.51s,141.51us,0.00ns,142.03us,3.12us,138.22us,175.23us +curated/sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,1570556,842,4.51s,3.55ms,174.00ns,3.57ms,39.67us,3.47ms,3.67ms +curated/sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,1570556,9000,4.51s,328.62us,2.00ns,333.32us,11.32us,310.20us,367.58us +curated/sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,813478,3186,4.51s,939.27us,0.00ns,941.64us,5.71us,939.02us,0.99ms +curated/sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,813478,58799,4.56s,50.71us,0.00ns,50.99us,868.00ns,50.49us,59.30us +curated/sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,813478,3190,4.51s,939.23us,0.00ns,940.67us,3.50us,939.03us,0.99ms +curated/sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,813478,57176,4.56s,52.35us,0.00ns,52.44us,362.00ns,52.08us,62.17us +curated/sherlock-zh,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,813478,2303,4.51s,1.30ms,0.00ns,1.30ms,12.68us,1.24ms,1.38ms +curated/sherlock-zh,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,813478,153493,4.57s,19.54us,0.00ns,19.51us,324.00ns,18.66us,23.83us +curated/alt-sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2803,4.51s,1.07ms,0.00ns,1.07ms,2.06us,1.07ms,1.12ms +curated/alt-sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,44488,4.56s,65.61us,0.00ns,67.40us,3.20us,64.80us,134.76us +curated/alt-sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2854,4.51s,1.05ms,1.00ns,1.05ms,3.13us,1.05ms,1.10ms +curated/alt-sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,42509,4.56s,70.30us,0.00ns,70.54us,1.19us,69.80us,87.02us +curated/alt-sherlock-en,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,899232,4102,4.51s,734.96us,2.00ns,731.33us,10.63us,712.37us,782.07us +curated/alt-sherlock-en,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,26716,4.56s,112.52us,1.00ns,112.26us,1.01us,110.82us,148.07us +curated/alt-sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2786,4.51s,1.08ms,16.00ns,1.08ms,3.16us,1.07ms,1.12ms +curated/alt-sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,16876,4.51s,177.12us,0.00ns,177.74us,3.14us,173.87us,207.95us +curated/alt-sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,899232,2783,4.51s,1.08ms,0.00ns,1.08ms,3.88us,1.07ms,1.14ms +curated/alt-sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,17731,4.51s,167.70us,0.00ns,169.17us,4.91us,161.76us,207.24us +curated/alt-sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,899232,1574,4.51s,1.90ms,96.00ns,1.91ms,60.11us,1.79ms,2.06ms +curated/alt-sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,2765,4.51s,1.09ms,0.00ns,1.09ms,7.17us,1.07ms,1.15ms +curated/alt-sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1631,4.51s,1.83ms,0.00ns,1.84ms,15.84us,1.83ms,1.94ms +curated/alt-sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,1570556,13931,4.51s,215.04us,0.00ns,215.32us,1.71us,212.04us,233.21us +curated/alt-sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1639,4.51s,1.83ms,0.00ns,1.83ms,4.95us,1.83ms,1.90ms +curated/alt-sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,1570556,13162,4.51s,229.62us,0.00ns,227.89us,4.61us,221.84us,266.69us +curated/alt-sherlock-ru,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,1570556,531,4.51s,5.66ms,0.00ns,5.66ms,33.39us,5.50ms,5.74ms +curated/alt-sherlock-ru,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,1570556,15505,4.51s,192.31us,0.00ns,193.45us,4.24us,184.22us,214.64us +curated/alt-sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1504,4.51s,1.99ms,0.00ns,2.00ms,6.39us,1.99ms,2.06ms +curated/alt-sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,1570556,3898,4.51s,768.09us,1.00ns,769.71us,6.24us,759.30us,837.50us +curated/alt-sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,1570556,1501,4.51s,2.00ms,0.00ns,2.00ms,10.63us,1.99ms,2.05ms +curated/alt-sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,1570556,3707,4.51s,807.99us,0.00ns,809.27us,8.11us,795.42us,879.58us +curated/alt-sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,1570556,649,4.51s,4.63ms,0.00ns,4.63ms,45.64us,4.51ms,4.72ms +curated/alt-sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,1570556,3268,4.51s,912.64us,5.00ns,918.14us,27.31us,873.64us,1.00ms +curated/alt-sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,813478,3169,4.51s,942.34us,0.00ns,946.84us,8.43us,941.83us,1.03ms +curated/alt-sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,813478,54801,4.56s,54.45us,0.00ns,54.71us,763.00ns,53.83us,61.64us +curated/alt-sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,813478,3176,4.51s,943.42us,0.00ns,944.65us,2.34us,942.95us,0.99ms +curated/alt-sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,813478,52842,4.56s,56.64us,0.00ns,56.74us,651.00ns,56.30us,125.37us +curated/alt-sherlock-zh,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,813478,1567,4.51s,1.92ms,0.00ns,1.92ms,16.66us,1.82ms,1.98ms +curated/alt-sherlock-zh,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,813478,30700,4.56s,97.65us,0.00ns,97.69us,1.51us,94.23us,108.24us +curated/dictionary-15,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,61436,9660,4.56s,310.97us,0.00ns,310.54us,7.73us,291.01us,383.26us +curated/dictionary-15,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,61436,34427,4.56s,87.06us,0.00ns,87.11us,1.04us,85.95us,114.19us +curated/dictionary-15,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,61436,9748,4.56s,308.62us,1.00ns,307.75us,8.03us,289.72us,331.88us +curated/dictionary-15,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,61436,34343,4.56s,87.14us,0.00ns,87.32us,1.30us,86.65us,150.64us +curated/dictionary-15,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,61436,9665,4.56s,309.40us,0.00ns,310.36us,3.58us,303.45us,380.88us +curated/dictionary-15,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,61436,778,4.56s,3.87ms,101.00ns,3.86ms,22.82us,3.82ms,3.94ms +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,100010,25786,4.51s,115.83us,0.00ns,116.31us,2.56us,115.64us,147.74us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,100010,25836,4.56s,115.93us,0.00ns,116.08us,696.00ns,115.66us,140.12us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,100010,25833,4.56s,115.92us,0.00ns,116.10us,1.13us,115.63us,181.06us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,4983,4.51s,600.71us,0.00ns,602.12us,6.60us,591.40us,665.71us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,8514,4.51s,354.07us,1.00ns,352.35us,10.05us,327.31us,403.14us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,100010,25630,4.56s,116.42us,0.00ns,117.02us,3.08us,116.09us,148.20us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,100010,25726,4.56s,116.11us,0.00ns,116.58us,2.85us,115.71us,180.99us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,100010,25701,4.56s,115.88us,0.00ns,116.70us,3.73us,115.63us,146.14us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,100010,25699,4.51s,115.95us,0.00ns,116.70us,3.43us,115.66us,146.75us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,5060,4.51s,592.57us,1.00ns,592.87us,2.79us,582.74us,628.51us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,8536,4.51s,353.85us,1.00ns,351.43us,10.60us,325.25us,420.93us +random/many/words100,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,100010,25751,4.52s,116.34us,0.00ns,116.47us,0.97us,115.65us,143.77us +random/many/words100,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,100010,7813,4.51s,387.78us,0.00ns,383.98us,18.20us,331.55us,512.47us +random/many/words100,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,100010,7776,4.51s,388.90us,1.00ns,385.82us,19.20us,326.07us,517.17us +random/many/words100,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,100010,11025,4.51s,272.22us,0.00ns,272.08us,2.57us,267.09us,283.76us +random/many/words100,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,100010,2445,4.51s,1.23ms,0.00ns,1.23ms,28.45us,1.14ms,1.34ms +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,100010,6136,4.56s,489.31us,4.00ns,488.91us,14.27us,453.12us,561.07us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,100010,7453,4.57s,400.53us,0.00ns,402.54us,8.71us,385.39us,440.58us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,100010,7434,4.56s,401.16us,3.00ns,403.55us,9.72us,382.21us,474.23us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,4208,4.56s,712.79us,1.00ns,712.96us,4.35us,696.75us,760.19us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,6977,4.56s,431.11us,0.00ns,429.96us,10.62us,398.79us,503.38us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,100010,18560,4.61s,160.88us,0.00ns,161.61us,3.83us,160.26us,225.84us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,100010,6363,4.56s,470.60us,0.00ns,471.46us,18.20us,429.49us,545.44us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,100010,7023,4.56s,428.37us,0.00ns,427.14us,10.72us,398.62us,459.78us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,100010,7340,4.56s,406.05us,2.00ns,408.72us,9.34us,390.53us,446.27us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,100010,4210,4.56s,712.55us,1.00ns,712.72us,3.54us,701.48us,755.79us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,100010,7174,4.56s,419.00us,2.00ns,418.19us,11.32us,393.89us,458.89us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,100010,18601,4.61s,160.97us,0.00ns,161.25us,1.54us,160.54us,199.40us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,100010,6459,4.56s,466.29us,0.00ns,464.44us,18.14us,408.27us,650.63us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,100010,6395,4.56s,470.27us,0.00ns,469.14us,18.19us,414.04us,607.39us +random/many/words5000,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,100010,211,4.56s,14.38ms,0.00ns,14.24ms,360.14us,13.67ms,15.14ms +random/many/words5000,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,100010,50,4.61s,60.60ms,5.37us,60.72ms,844.41us,59.39ms,62.85ms +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,613709,4.83s,4.80us,0.00ns,4.86us,130.00ns,4.73us,10.13us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,606087,4.78s,4.85us,0.00ns,4.92us,156.00ns,4.78us,12.01us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,603073,4.78s,4.86us,0.00ns,4.94us,218.00ns,4.77us,69.58us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,30987,4.51s,96.58us,0.00ns,96.78us,720.00ns,96.29us,118.67us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,173772,4.62s,17.14us,0.00ns,17.23us,394.00ns,16.74us,80.95us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,189310,4.62s,15.62us,0.00ns,15.82us,601.00ns,15.51us,21.79us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,908083,4.99s,3.23us,0.00ns,3.27us,188.00ns,3.19us,67.25us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,618949,4.78s,4.73us,0.00ns,4.81us,170.00ns,4.63us,13.02us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,609700,4.83s,4.81us,0.00ns,4.89us,164.00ns,4.71us,13.54us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,616027,4.83s,4.77us,0.00ns,4.84us,155.00ns,4.69us,9.84us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31004,4.56s,96.60us,0.00ns,96.73us,568.00ns,96.27us,116.88us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,172670,4.62s,17.26us,0.00ns,17.34us,286.00ns,16.83us,24.53us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,188632,4.62s,15.70us,0.00ns,15.87us,387.00ns,15.57us,23.55us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,576332,4.73s,5.06us,0.00ns,5.17us,174.00ns,5.00us,13.32us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,298420,4.67s,10.03us,0.00ns,10.02us,314.00ns,9.21us,73.47us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,298541,4.62s,10.03us,0.00ns,10.02us,247.00ns,9.26us,26.44us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,3.65s,1.61us,0.00ns,1.61us,39.00ns,1.58us,8.83us +random/memchr/onebyte-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,967304,4.94s,2.98us,0.00ns,3.07us,333.00ns,2.50us,67.65us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,1000000,577.71ms,71.00ns,0.00ns,71.00ns,8.00ns,65.00ns,3.26us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,627.35ms,84.00ns,0.00ns,84.00ns,9.00ns,79.00ns,2.94us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,577.80ms,71.00ns,0.00ns,72.00ns,10.00ns,66.00ns,3.60us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103724,4.57s,28.85us,0.00ns,28.89us,425.00ns,28.84us,92.20us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,244973,4.62s,12.20us,0.00ns,12.22us,145.00ns,12.01us,17.67us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,258367,4.62s,11.55us,0.00ns,11.58us,238.00ns,11.53us,16.05us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,778.61ms,156.00ns,0.00ns,157.00ns,12.00ns,153.00ns,2.33us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,1000000,577.40ms,71.00ns,0.00ns,71.00ns,8.00ns,65.00ns,2.28us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,628.00ms,84.00ns,0.00ns,84.00ns,11.00ns,80.00ns,6.80us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,577.70ms,71.00ns,0.00ns,72.00ns,67.00ns,66.00ns,66.89us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103676,4.57s,28.85us,0.00ns,28.90us,433.00ns,28.83us,92.67us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,246145,4.67s,12.19us,0.00ns,12.16us,261.00ns,12.00us,75.35us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,258843,4.67s,11.55us,0.00ns,11.56us,206.00ns,11.53us,74.71us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,828.93ms,183.00ns,0.00ns,183.00ns,13.00ns,177.00ns,4.86us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,514714,4.73s,5.78us,0.00ns,5.80us,203.00ns,5.77us,70.18us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,514713,4.78s,5.78us,0.00ns,5.80us,123.00ns,5.77us,9.72us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,628.13ms,70.00ns,0.00ns,70.00ns,9.00ns,66.00ns,2.42us +random/memchr/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,1000000,4.94s,2.89us,0.00ns,2.89us,119.00ns,1.94us,66.45us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,481181,4.73s,6.09us,0.00ns,6.20us,208.00ns,5.99us,15.20us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,454690,4.78s,6.41us,0.00ns,6.56us,307.00ns,6.30us,69.66us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,457499,4.73s,6.37us,0.00ns,6.53us,249.00ns,6.25us,10.90us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31241,4.56s,95.77us,0.00ns,95.99us,934.00ns,95.53us,161.07us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,172840,4.62s,17.25us,0.00ns,17.32us,248.00ns,16.84us,22.31us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,190931,4.62s,15.59us,0.00ns,15.68us,336.00ns,15.47us,79.29us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,894549,4.94s,3.26us,0.00ns,3.32us,161.00ns,3.21us,8.21us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,478495,4.78s,6.07us,0.00ns,6.24us,304.00ns,5.97us,69.88us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,454384,4.78s,6.37us,0.00ns,6.57us,374.00ns,6.22us,70.25us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,453939,4.78s,6.36us,0.00ns,6.57us,348.00ns,6.21us,14.69us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31283,4.56s,95.73us,0.00ns,95.87us,545.00ns,95.39us,116.38us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,171362,4.62s,17.40us,0.00ns,17.48us,260.00ns,16.98us,22.63us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,190536,4.62s,15.55us,0.00ns,15.71us,252.00ns,15.44us,24.52us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,561117,4.73s,5.23us,0.00ns,5.31us,164.00ns,5.17us,16.64us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,301531,4.67s,9.85us,0.00ns,9.92us,268.00ns,9.24us,17.27us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,301643,4.67s,9.82us,0.00ns,9.91us,366.00ns,9.25us,16.24us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,3.69s,1.65us,0.00ns,1.66us,52.00ns,1.63us,7.23us +random/memchr/twobytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,484261,4.73s,6.10us,0.00ns,6.16us,371.00ns,5.40us,20.89us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,1000000,678.74ms,108.00ns,0.00ns,108.00ns,10.00ns,105.00ns,2.23us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,678.40ms,108.00ns,0.00ns,108.00ns,11.00ns,105.00ns,5.75us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,678.87ms,108.00ns,0.00ns,108.00ns,15.00ns,105.00ns,11.30us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103707,4.57s,28.85us,0.00ns,28.90us,320.00ns,28.84us,37.32us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,244918,4.67s,12.20us,0.00ns,12.22us,144.00ns,12.01us,16.88us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,258651,4.67s,11.55us,0.00ns,11.57us,271.00ns,11.53us,74.94us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,778.39ms,157.00ns,0.00ns,158.00ns,13.00ns,154.00ns,2.40us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,1000000,728.49ms,108.00ns,0.00ns,108.00ns,17.00ns,104.00ns,13.55us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,678.79ms,106.00ns,0.00ns,107.00ns,10.00ns,104.00ns,2.69us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,778.23ms,106.00ns,0.00ns,107.00ns,12.00ns,103.00ns,5.84us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103706,4.57s,28.85us,0.00ns,28.90us,425.00ns,28.84us,92.61us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,245882,4.67s,12.19us,0.00ns,12.17us,142.00ns,12.00us,16.54us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,258728,4.67s,11.55us,0.00ns,11.56us,250.00ns,11.53us,74.80us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,828.34ms,184.00ns,0.00ns,185.00ns,13.00ns,179.00ns,2.41us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,513817,4.78s,5.78us,0.00ns,5.81us,166.00ns,5.77us,12.84us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,514791,4.73s,5.78us,0.00ns,5.80us,188.00ns,5.77us,69.40us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,728.61ms,128.00ns,0.00ns,128.00ns,12.00ns,120.00ns,5.06us +random/memchr/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,516539,4.79s,5.77us,0.00ns,5.78us,70.00ns,4.80us,12.19us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,461631,4.73s,6.35us,0.00ns,6.47us,286.00ns,6.22us,69.46us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,437163,4.73s,6.68us,0.00ns,6.83us,263.00ns,6.55us,13.46us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,440668,4.78s,6.62us,0.00ns,6.78us,321.00ns,6.48us,69.99us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31002,4.56s,96.61us,0.00ns,96.73us,595.00ns,96.33us,117.88us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,172515,4.62s,17.27us,0.00ns,17.36us,389.00ns,16.81us,82.88us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,190934,4.62s,15.58us,0.00ns,15.68us,232.00ns,15.46us,22.11us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,898462,4.99s,3.26us,0.00ns,3.31us,156.00ns,3.20us,9.30us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,444842,4.78s,6.54us,0.00ns,6.71us,317.00ns,6.37us,70.55us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,434333,4.68s,6.70us,0.00ns,6.87us,330.00ns,6.49us,12.21us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,429216,4.73s,6.80us,0.00ns,6.96us,401.00ns,6.54us,70.24us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,30970,4.56s,96.62us,0.00ns,96.84us,1.01us,96.28us,161.31us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,172449,4.62s,17.27us,0.00ns,17.36us,312.00ns,16.81us,39.92us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,188168,4.62s,15.76us,0.00ns,15.91us,366.00ns,15.64us,80.35us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,563008,4.78s,5.20us,0.00ns,5.30us,169.00ns,5.14us,12.18us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,301935,4.67s,9.83us,0.00ns,9.90us,263.00ns,9.26us,14.48us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,302936,4.67s,9.81us,0.00ns,9.87us,256.00ns,9.14us,17.60us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,3.74s,1.70us,0.00ns,1.71us,45.00ns,1.68us,7.35us +random/memchr/threebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,335280,4.67s,8.80us,0.00ns,8.92us,425.00ns,7.56us,17.53us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,1000000,778.61ms,150.00ns,0.00ns,151.00ns,13.00ns,146.00ns,4.25us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,728.68ms,149.00ns,0.00ns,150.00ns,14.00ns,146.00ns,4.65us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,779.05ms,163.00ns,0.00ns,163.00ns,13.00ns,156.00ns,3.98us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103772,4.57s,28.85us,0.00ns,28.88us,425.00ns,28.83us,92.92us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,244860,4.67s,12.20us,0.00ns,12.22us,205.00ns,12.00us,16.78us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,258578,4.62s,11.55us,0.00ns,11.57us,204.00ns,11.53us,19.27us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,778.73ms,156.00ns,0.00ns,157.00ns,12.00ns,153.00ns,3.06us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,1000000,778.94ms,149.00ns,0.00ns,149.00ns,13.00ns,146.00ns,5.85us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,779.08ms,148.00ns,0.00ns,149.00ns,10.00ns,146.00ns,2.60us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,778.82ms,149.00ns,0.00ns,149.00ns,14.00ns,146.00ns,8.83us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103680,4.57s,28.85us,0.00ns,28.90us,289.00ns,28.84us,36.76us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,246207,4.62s,12.18us,0.00ns,12.15us,151.00ns,12.00us,16.60us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,258720,4.67s,11.55us,0.00ns,11.56us,249.00ns,11.53us,74.89us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,828.82ms,183.00ns,0.00ns,183.00ns,12.00ns,177.00ns,2.44us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,513645,4.73s,5.78us,0.00ns,5.81us,176.00ns,5.77us,11.99us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,513256,4.78s,5.78us,0.00ns,5.82us,191.00ns,5.77us,12.18us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,879.18ms,192.00ns,0.00ns,192.00ns,20.00ns,179.00ns,14.08us +random/memchr/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,344846,4.67s,8.66us,0.00ns,8.67us,111.00ns,7.68us,14.91us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,190622,4.62s,15.58us,0.00ns,15.71us,456.00ns,15.48us,79.86us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,410229,4.73s,7.21us,0.00ns,7.28us,230.00ns,6.98us,11.81us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,402859,4.73s,7.34us,0.00ns,7.41us,292.00ns,7.08us,72.15us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31263,4.56s,95.74us,0.00ns,95.93us,698.00ns,95.45us,118.41us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,171568,4.62s,17.37us,0.00ns,17.45us,383.00ns,16.97us,81.95us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,188514,4.62s,15.69us,0.00ns,15.88us,623.00ns,15.55us,78.75us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,896931,4.94s,3.27us,0.00ns,3.31us,190.00ns,3.21us,67.01us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,189361,4.62s,15.67us,0.00ns,15.81us,360.00ns,15.51us,80.82us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,399499,4.68s,7.48us,0.00ns,7.48us,280.00ns,7.09us,15.49us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,399806,4.73s,7.48us,0.00ns,7.47us,320.00ns,7.08us,70.69us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31274,4.56s,95.71us,0.00ns,95.89us,934.00ns,95.41us,162.19us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,171639,4.62s,17.36us,0.00ns,17.45us,395.00ns,16.87us,82.52us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,190328,4.62s,15.56us,0.00ns,15.73us,340.00ns,15.44us,21.62us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,573820,4.78s,5.09us,0.00ns,5.20us,222.00ns,5.03us,69.46us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,301517,4.67s,9.84us,0.00ns,9.92us,258.00ns,9.26us,14.92us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,299599,4.67s,9.91us,0.00ns,9.98us,350.00ns,9.33us,73.78us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,3.79s,1.79us,0.00ns,1.79us,100.00ns,1.76us,65.31us +random/memchr/fourbytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,249046,4.67s,11.98us,0.00ns,12.01us,383.00ns,10.53us,77.28us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,254861,4.62s,11.77us,0.00ns,11.74us,269.00ns,11.53us,108.47us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,828.50ms,165.00ns,0.00ns,166.00ns,13.00ns,162.00ns,6.71us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,778.86ms,162.00ns,0.00ns,162.00ns,13.00ns,159.00ns,2.74us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103703,4.57s,28.85us,0.00ns,28.90us,263.00ns,28.84us,39.56us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,245162,4.62s,12.20us,0.00ns,12.21us,132.00ns,11.73us,16.54us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,258697,4.67s,11.55us,0.00ns,11.56us,129.00ns,11.53us,18.64us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,778.84ms,157.00ns,0.00ns,158.00ns,69.00ns,154.00ns,67.96us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,258611,4.62s,11.55us,0.00ns,11.57us,253.00ns,11.53us,78.47us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,879.19ms,194.00ns,0.00ns,194.00ns,9.00ns,187.00ns,2.19us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,828.38ms,190.00ns,0.00ns,190.00ns,14.00ns,183.00ns,5.58us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103701,4.57s,28.85us,0.00ns,28.90us,475.00ns,28.83us,92.99us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,246089,4.62s,12.19us,0.00ns,12.16us,148.00ns,11.57us,17.05us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,258800,4.67s,11.55us,0.00ns,11.56us,247.00ns,11.53us,76.13us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,828.88ms,184.00ns,0.00ns,185.00ns,13.00ns,177.00ns,4.32us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,514516,4.78s,5.78us,0.00ns,5.80us,134.00ns,5.77us,13.86us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,514779,4.78s,5.78us,0.00ns,5.80us,195.00ns,5.77us,70.00us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,0.98s,246.00ns,0.00ns,246.00ns,68.00ns,234.00ns,66.21us +random/memchr/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,258599,4.62s,11.54us,0.00ns,11.57us,309.00ns,10.56us,75.33us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,191528,4.62s,15.54us,0.00ns,15.63us,338.00ns,15.47us,79.40us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,406732,4.73s,7.27us,0.00ns,7.34us,284.00ns,7.02us,71.04us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,408798,4.73s,7.43us,0.00ns,7.31us,285.00ns,6.99us,71.57us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31102,4.56s,96.25us,0.00ns,96.43us,928.00ns,95.82us,160.93us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,173605,4.62s,17.16us,0.00ns,17.25us,389.00ns,16.71us,81.21us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,191535,4.62s,15.53us,0.00ns,15.62us,232.00ns,15.44us,20.82us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,902664,4.99s,3.24us,0.00ns,3.29us,192.00ns,3.20us,67.02us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,186195,4.62s,15.94us,0.00ns,16.08us,256.00ns,15.79us,21.05us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,399322,4.73s,7.50us,0.00ns,7.48us,268.00ns,7.10us,13.06us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,393027,4.73s,7.60us,0.00ns,7.60us,267.00ns,7.16us,19.86us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,31093,4.56s,96.24us,0.00ns,96.45us,803.00ns,95.83us,119.29us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,172778,4.62s,17.24us,0.00ns,17.33us,375.00ns,16.85us,83.97us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,187471,4.62s,15.92us,0.00ns,15.97us,303.00ns,15.62us,24.67us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,574375,4.83s,5.11us,0.00ns,5.19us,218.00ns,5.02us,68.42us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,300663,4.67s,9.88us,0.00ns,9.94us,276.00ns,9.31us,16.71us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,302175,4.67s,9.83us,0.00ns,9.89us,327.00ns,9.16us,74.16us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,3.79s,1.83us,0.00ns,1.83us,48.00ns,1.80us,23.90us +random/memchr/fivebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,196606,4.62s,15.17us,0.00ns,15.23us,456.00ns,13.34us,82.56us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,258602,4.62s,11.55us,0.00ns,11.57us,252.00ns,11.53us,76.18us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,848.27ms,161.00ns,0.00ns,162.00ns,13.00ns,158.00ns,4.38us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,779.06ms,161.00ns,0.00ns,162.00ns,13.00ns,158.00ns,4.11us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103722,4.57s,28.85us,0.00ns,28.89us,259.00ns,28.84us,39.70us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,240504,4.67s,12.44us,0.00ns,12.44us,104.00ns,12.24us,20.68us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,258710,4.67s,11.55us,0.00ns,11.56us,128.00ns,11.53us,15.74us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,778.86ms,155.00ns,0.00ns,156.00ns,12.00ns,152.00ns,2.28us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,258708,4.62s,11.55us,0.00ns,11.56us,129.00ns,11.53us,18.64us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,828.58ms,166.00ns,0.00ns,166.00ns,12.00ns,162.00ns,3.38us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,835.77ms,166.00ns,0.00ns,167.00ns,15.00ns,163.00ns,5.04us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,103728,4.57s,28.85us,0.00ns,28.89us,253.00ns,28.84us,37.07us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,245903,4.68s,12.19us,0.00ns,12.17us,262.00ns,11.94us,75.35us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,258740,4.63s,11.55us,0.00ns,11.56us,218.00ns,11.53us,74.67us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,780.44ms,160.00ns,0.00ns,160.00ns,12.00ns,157.00ns,2.84us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,513903,4.78s,5.78us,0.00ns,5.81us,163.00ns,5.77us,10.77us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,513498,4.73s,5.78us,0.00ns,5.81us,187.00ns,5.77us,12.40us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,1.13s,304.00ns,0.00ns,305.00ns,17.00ns,290.00ns,6.13us +random/memchr/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,206021,4.62s,14.45us,0.00ns,14.53us,351.00ns,13.42us,110.84us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,1000000,3.69s,1.72us,0.00ns,1.73us,110.00ns,1.69us,67.39us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,3.79s,1.79us,0.00ns,1.81us,80.00ns,1.73us,11.96us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,4.44s,2.49us,0.00ns,2.50us,48.00ns,2.48us,11.39us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,94186,4.57s,31.77us,0.00ns,31.82us,461.00ns,31.54us,95.84us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,209034,4.62s,14.30us,0.00ns,14.32us,327.00ns,13.68us,78.78us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,253991,4.67s,11.77us,0.00ns,11.78us,109.00ns,11.75us,19.47us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,1.73s,638.00ns,0.00ns,640.00ns,38.00ns,618.00ns,28.84us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,1000000,3.89s,1.80us,0.00ns,1.83us,97.00ns,1.76us,65.76us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,1000000,3.89s,1.94us,0.00ns,1.94us,188.00ns,1.81us,176.50us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,1000000,3.94s,1.91us,0.00ns,1.91us,81.00ns,1.80us,10.38us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,94317,4.57s,31.73us,0.00ns,31.77us,444.00ns,31.51us,97.21us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,208505,4.62s,14.34us,0.00ns,14.36us,218.00ns,13.72us,18.54us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,258737,4.67s,11.55us,0.00ns,11.56us,121.00ns,11.53us,15.65us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,1.78s,662.00ns,0.00ns,663.00ns,18.00ns,637.00ns,4.56us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,276290,4.62s,10.81us,0.00ns,10.83us,275.00ns,9.92us,76.72us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,276123,4.67s,10.82us,0.00ns,10.83us,278.00ns,9.91us,75.37us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,3.59s,1.67us,0.00ns,1.66us,31.00ns,1.59us,6.89us +random/misc/ten-one-prefix,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,203363,4.62s,13.70us,0.00ns,14.72us,3.30us,8.70us,86.48us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10001,129718,4.57s,23.02us,0.00ns,23.10us,616.00ns,22.04us,87.47us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10001,116065,4.57s,25.73us,0.00ns,25.81us,603.00ns,24.71us,31.99us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10001,115508,4.57s,25.91us,0.00ns,25.94us,468.00ns,25.02us,89.90us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,54655,4.56s,54.34us,0.00ns,54.86us,1.88us,51.89us,71.90us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,108697,4.57s,27.35us,0.00ns,27.57us,1.27us,25.94us,42.35us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10001,258709,4.62s,11.55us,0.00ns,11.57us,126.00ns,11.53us,19.33us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,1.78s,655.00ns,0.00ns,656.00ns,24.00ns,639.00ns,3.91us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10001,138173,4.62s,21.60us,0.00ns,21.68us,559.00ns,20.89us,88.19us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10001,118588,4.57s,25.24us,0.00ns,25.27us,370.00ns,24.16us,31.59us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10001,119218,4.57s,25.09us,0.00ns,25.13us,481.00ns,24.16us,90.06us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10001,53889,4.56s,55.41us,0.00ns,55.63us,1.47us,52.72us,71.17us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10001,110408,4.57s,27.05us,0.00ns,27.14us,854.00ns,25.79us,91.94us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10001,258764,4.67s,11.55us,0.00ns,11.56us,119.00ns,11.53us,15.35us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10001,1000000,1.83s,682.00ns,0.00ns,682.00ns,17.00ns,651.00ns,4.69us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10001,116711,4.57s,25.56us,0.00ns,25.67us,758.00ns,23.84us,45.69us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10001,115120,4.57s,25.90us,0.00ns,26.03us,769.00ns,24.38us,54.66us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10001,1000000,3.74s,1.81us,0.00ns,1.81us,99.00ns,1.74us,65.09us +random/misc/ten-diff-prefix,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10001,89053,4.56s,33.17us,0.00ns,33.66us,2.66us,28.92us,98.69us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,23261,4.51s,127.12us,0.00ns,128.94us,3.86us,127.09us,154.33us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,23070,4.51s,128.69us,0.00ns,130.00us,3.10us,128.66us,145.76us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,23093,4.51s,128.69us,0.00ns,129.88us,2.93us,128.65us,145.54us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1395,4.51s,2.15ms,0.00ns,2.15ms,6.75us,2.09ms,2.22ms +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,26526,4.51s,108.03us,0.00ns,113.06us,6.15us,107.69us,146.17us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,24935,4.51s,119.42us,0.00ns,120.28us,3.63us,115.68us,162.37us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,35252,4.56s,84.32us,0.00ns,85.07us,2.60us,83.62us,148.98us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,23177,4.51s,128.81us,0.00ns,129.41us,2.01us,127.06us,140.93us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,23354,4.51s,126.78us,0.00ns,128.42us,3.58us,126.75us,143.42us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,23338,4.51s,127.11us,0.00ns,128.51us,3.27us,127.07us,145.88us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1394,4.51s,2.15ms,4.00ns,2.15ms,7.40us,2.10ms,2.21ms +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,27355,4.56s,108.33us,0.00ns,109.64us,4.28us,107.82us,173.81us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,24673,4.51s,118.71us,0.00ns,121.56us,5.19us,115.57us,156.29us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,21764,4.51s,135.83us,0.00ns,137.81us,3.89us,135.55us,154.63us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,89115,4.57s,33.54us,0.00ns,33.63us,661.00ns,32.54us,50.16us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,87610,4.57s,34.20us,0.00ns,34.21us,202.00ns,33.17us,42.79us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,69095,4.56s,43.26us,0.00ns,43.38us,357.00ns,43.22us,47.66us +same/onebyte-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,309635,4.67s,9.64us,0.00ns,9.66us,181.00ns,9.61us,15.42us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,1000000,627.93ms,71.00ns,0.00ns,71.00ns,8.00ns,65.00ns,2.18us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,627.82ms,71.00ns,0.00ns,72.00ns,8.00ns,66.00ns,3.35us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,678.07ms,71.00ns,0.00ns,72.00ns,10.00ns,66.00ns,4.31us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,102225,4.57s,29.41us,0.00ns,29.32us,430.00ns,28.83us,120.53us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,244311,4.62s,12.22us,0.00ns,12.25us,314.00ns,11.55us,76.50us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,258742,4.67s,11.55us,0.00ns,11.56us,130.00ns,11.52us,16.96us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,778.81ms,159.00ns,0.00ns,160.00ns,9.00ns,156.00ns,2.37us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,1000000,627.88ms,71.00ns,0.00ns,72.00ns,9.00ns,65.00ns,4.25us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,577.59ms,71.00ns,0.00ns,71.00ns,8.00ns,66.00ns,2.70us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,627.83ms,73.00ns,0.00ns,73.00ns,7.00ns,66.00ns,3.54us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103681,4.57s,28.85us,0.00ns,28.90us,297.00ns,28.83us,37.70us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,245354,4.62s,12.21us,0.00ns,12.20us,138.00ns,12.01us,16.37us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,258838,4.67s,11.55us,0.00ns,11.56us,114.00ns,11.52us,18.91us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,829.19ms,183.00ns,0.00ns,183.00ns,13.00ns,177.00ns,4.80us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,515064,4.78s,5.78us,0.00ns,5.80us,106.00ns,5.77us,10.82us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,514693,4.78s,5.78us,0.00ns,5.80us,108.00ns,5.77us,11.68us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,1000000,627.93ms,71.00ns,0.00ns,71.00ns,7.00ns,67.00ns,2.48us +same/onebyte-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,1000000,4.89s,2.89us,0.00ns,2.90us,122.00ns,1.94us,66.72us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,18102,4.51s,163.00us,0.00ns,165.69us,6.21us,160.78us,187.48us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,17409,4.51s,168.34us,0.00ns,172.28us,7.46us,164.15us,231.28us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,17431,4.51s,167.29us,0.00ns,172.07us,7.48us,164.56us,199.26us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1394,4.51s,2.15ms,2.00ns,2.15ms,8.16us,2.14ms,2.25ms +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,26692,4.51s,108.01us,0.00ns,112.36us,6.06us,107.70us,180.68us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,25028,4.51s,119.38us,0.00ns,119.84us,3.48us,115.64us,144.48us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,35088,4.56s,84.45us,0.00ns,85.47us,2.93us,83.75us,108.77us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,17409,4.51s,168.20us,0.00ns,172.30us,7.57us,164.17us,196.99us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,16858,4.51s,173.91us,1.00ns,177.92us,10.45us,166.86us,207.97us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,16954,4.51s,170.85us,1.00ns,176.92us,10.13us,166.78us,246.42us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1394,4.51s,2.15ms,9.00ns,2.15ms,6.75us,2.11ms,2.21ms +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,26827,4.56s,110.34us,0.00ns,111.79us,3.82us,109.78us,134.64us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,23994,4.51s,122.47us,0.00ns,125.00us,5.06us,119.46us,186.28us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,21217,4.51s,139.49us,0.00ns,141.36us,3.80us,139.21us,158.24us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,89210,4.57s,33.54us,0.00ns,33.60us,531.00ns,32.62us,96.57us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,89237,4.57s,33.54us,0.00ns,33.59us,295.00ns,33.21us,51.18us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,69314,4.56s,43.11us,0.00ns,43.25us,345.00ns,43.07us,47.47us +same/twobytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,238610,4.62s,12.52us,0.00ns,12.54us,173.00ns,12.44us,18.28us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,1000000,679.19ms,108.00ns,0.00ns,108.00ns,13.00ns,105.00ns,7.85us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,678.75ms,108.00ns,0.00ns,108.00ns,10.00ns,105.00ns,2.15us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,678.32ms,107.00ns,0.00ns,108.00ns,10.00ns,104.00ns,2.64us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103737,4.57s,28.84us,0.00ns,28.89us,430.00ns,28.83us,93.65us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,244636,4.67s,12.22us,0.00ns,12.23us,256.00ns,12.01us,75.21us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,254012,4.62s,11.77us,0.00ns,11.78us,93.00ns,11.75us,17.82us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,778.33ms,156.00ns,0.00ns,157.00ns,12.00ns,153.00ns,2.36us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,1000000,677.70ms,106.00ns,0.00ns,107.00ns,11.00ns,103.00ns,2.57us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,678.15ms,106.00ns,0.00ns,106.00ns,11.00ns,103.00ns,5.46us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,678.56ms,106.00ns,0.00ns,106.00ns,10.00ns,103.00ns,2.55us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103737,4.57s,28.84us,0.00ns,28.89us,421.00ns,28.83us,92.97us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,245515,4.62s,12.21us,0.00ns,12.19us,264.00ns,12.00us,75.70us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,258630,4.67s,11.55us,0.00ns,11.57us,128.00ns,11.53us,19.05us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,828.47ms,183.00ns,0.00ns,183.00ns,13.00ns,177.00ns,4.50us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,514047,4.78s,5.78us,0.00ns,5.81us,225.00ns,5.77us,68.90us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,513973,4.73s,5.78us,0.00ns,5.81us,226.00ns,5.77us,69.48us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,1000000,728.65ms,127.00ns,0.00ns,128.00ns,11.00ns,120.00ns,2.49us +same/twobytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,516367,4.78s,5.77us,0.00ns,5.78us,75.00ns,4.80us,15.49us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,17629,4.51s,167.57us,0.00ns,170.13us,5.64us,166.03us,192.29us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,16907,4.51s,173.32us,0.00ns,177.41us,7.57us,172.00us,208.57us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,16845,4.51s,174.25us,0.00ns,178.06us,7.18us,172.33us,252.61us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1396,4.51s,2.15ms,1.00ns,2.15ms,6.23us,2.09ms,2.21ms +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,26640,4.56s,107.98us,0.00ns,112.58us,6.42us,107.70us,189.19us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,24993,4.51s,119.25us,0.00ns,120.00us,4.47us,115.63us,159.68us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,35300,4.56s,84.00us,0.00ns,84.95us,2.95us,83.50us,107.20us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,17327,4.51s,167.38us,0.00ns,173.11us,8.41us,164.86us,194.87us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,16385,4.51s,184.40us,0.00ns,183.06us,10.68us,171.29us,209.50us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,16223,4.51s,185.83us,0.00ns,184.89us,10.97us,173.40us,213.72us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1394,4.51s,2.15ms,3.00ns,2.15ms,7.25us,2.10ms,2.22ms +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,27165,4.56s,108.27us,0.00ns,110.40us,4.67us,107.79us,178.51us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,24567,4.56s,118.73us,0.00ns,122.08us,5.65us,115.68us,188.09us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,21853,4.51s,135.71us,0.00ns,137.25us,3.60us,135.39us,202.60us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,89213,4.57s,33.54us,0.00ns,33.60us,513.00ns,32.52us,96.84us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,89034,4.57s,33.54us,0.00ns,33.66us,901.00ns,32.55us,97.82us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,68929,4.56s,43.36us,0.00ns,43.49us,541.00ns,43.32us,106.85us +same/threebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,194125,4.62s,15.40us,0.00ns,15.42us,311.00ns,14.76us,79.06us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,1000000,778.63ms,150.00ns,0.00ns,151.00ns,12.00ns,146.00ns,2.59us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,778.56ms,150.00ns,0.00ns,150.00ns,11.00ns,146.00ns,2.86us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,778.29ms,150.00ns,0.00ns,150.00ns,14.00ns,146.00ns,8.34us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103756,4.57s,28.84us,0.00ns,28.88us,415.00ns,28.83us,92.54us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,245286,4.62s,12.20us,0.00ns,12.20us,246.00ns,11.66us,76.64us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,258824,4.67s,11.55us,0.00ns,11.56us,258.00ns,11.52us,74.82us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,778.40ms,156.00ns,0.00ns,156.00ns,12.00ns,153.00ns,4.33us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,1000000,878.53ms,148.00ns,0.00ns,149.00ns,13.00ns,145.00ns,2.50us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,778.93ms,148.00ns,0.00ns,149.00ns,12.00ns,145.00ns,2.20us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,778.96ms,148.00ns,0.00ns,149.00ns,12.00ns,145.00ns,2.77us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103689,4.57s,28.85us,0.00ns,28.90us,260.00ns,28.83us,48.37us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,246442,4.67s,12.18us,0.00ns,12.14us,252.00ns,12.00us,75.48us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,258968,4.62s,11.55us,0.00ns,11.55us,97.00ns,11.53us,15.28us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,828.85ms,183.00ns,0.00ns,183.00ns,15.00ns,177.00ns,8.21us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,515030,4.78s,5.78us,0.00ns,5.80us,190.00ns,5.77us,69.90us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,513247,4.73s,5.78us,0.00ns,5.82us,192.00ns,5.77us,12.76us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,1000000,829.07ms,192.00ns,0.00ns,192.00ns,21.00ns,178.00ns,10.42us +same/threebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,344965,4.67s,8.66us,0.00ns,8.67us,103.00ns,7.67us,15.46us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,24894,4.56s,119.62us,0.00ns,120.48us,2.76us,119.44us,153.01us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,15220,4.51s,193.87us,0.00ns,197.08us,6.08us,189.64us,212.07us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,15177,4.51s,197.51us,0.00ns,197.64us,6.14us,189.89us,267.43us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1394,4.51s,2.15ms,1.00ns,2.15ms,5.88us,2.14ms,2.22ms +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,26557,4.51s,108.02us,0.00ns,112.93us,6.76us,107.70us,172.70us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,24233,4.51s,122.97us,0.00ns,123.77us,3.99us,119.47us,159.62us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,35275,4.56s,84.35us,0.00ns,85.02us,2.47us,83.74us,107.34us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,23875,4.51s,121.60us,0.00ns,125.62us,5.92us,119.95us,189.79us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,14864,4.51s,203.79us,1.00ns,201.80us,7.57us,192.02us,276.36us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,14530,4.51s,206.33us,1.00ns,206.44us,7.67us,193.86us,277.03us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1395,4.51s,2.15ms,0.00ns,2.15ms,8.25us,2.09ms,2.19ms +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,26779,4.51s,110.24us,0.00ns,111.99us,4.32us,109.75us,177.74us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,23633,4.51s,124.57us,0.00ns,126.91us,5.36us,119.52us,164.25us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,21213,4.51s,139.48us,0.00ns,141.39us,3.89us,139.23us,211.71us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,89203,4.57s,33.54us,0.00ns,33.60us,426.00ns,32.53us,49.98us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,89196,4.57s,33.54us,0.00ns,33.60us,552.00ns,32.52us,96.30us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,69180,4.56s,43.25us,0.00ns,43.33us,296.00ns,43.22us,48.06us +same/fourbytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,163584,4.62s,18.28us,0.00ns,18.31us,333.00ns,17.32us,81.59us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,258820,4.62s,11.55us,0.00ns,11.56us,113.00ns,11.53us,16.37us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,778.42ms,162.00ns,0.00ns,162.00ns,16.00ns,158.00ns,10.35us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,778.84ms,162.00ns,0.00ns,162.00ns,14.00ns,158.00ns,6.90us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103738,4.57s,28.85us,0.00ns,28.89us,249.00ns,28.83us,37.22us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,244777,4.62s,12.21us,0.00ns,12.23us,267.00ns,11.57us,76.26us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,258845,4.67s,11.55us,0.00ns,11.56us,245.00ns,11.52us,75.47us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,778.85ms,156.00ns,0.00ns,157.00ns,71.00ns,153.00ns,69.79us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,258756,4.67s,11.55us,0.00ns,11.56us,122.00ns,11.52us,16.09us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,878.51ms,189.00ns,0.00ns,189.00ns,14.00ns,183.00ns,5.09us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,0.98s,189.00ns,0.00ns,189.00ns,13.00ns,183.00ns,2.77us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103736,4.57s,28.85us,0.00ns,28.89us,246.00ns,28.83us,36.83us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,243982,4.67s,12.23us,0.00ns,12.27us,325.00ns,12.00us,113.85us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,258933,4.67s,11.55us,0.00ns,11.56us,241.00ns,11.52us,74.91us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,827.92ms,183.00ns,0.00ns,184.00ns,26.00ns,177.00ns,22.77us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,514807,4.77s,5.78us,0.00ns,5.80us,121.00ns,5.77us,12.76us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,513921,4.78s,5.78us,0.00ns,5.81us,232.00ns,5.77us,70.43us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,1000000,0.98s,246.00ns,0.00ns,246.00ns,14.00ns,234.00ns,2.30us +same/fourbytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,258738,4.62s,11.54us,0.00ns,11.56us,191.00ns,10.55us,17.13us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,24417,4.56s,122.03us,0.00ns,122.83us,2.97us,121.82us,153.00us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,15192,4.51s,195.07us,2.00ns,197.44us,6.08us,190.03us,210.48us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,14846,4.51s,197.41us,1.00ns,202.04us,6.43us,191.66us,317.34us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1395,4.51s,2.15ms,0.00ns,2.15ms,5.83us,2.11ms,2.22ms +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,26623,4.51s,108.02us,0.00ns,112.65us,6.00us,107.71us,144.85us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,24913,4.51s,119.40us,0.00ns,120.39us,4.21us,115.59us,183.43us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,35382,4.56s,84.01us,0.00ns,84.76us,2.74us,83.48us,149.16us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,24071,4.56s,121.12us,0.00ns,124.60us,5.76us,119.58us,184.55us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,14864,4.51s,203.83us,0.00ns,201.80us,7.43us,192.30us,270.97us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,14475,4.51s,208.25us,0.00ns,207.22us,7.78us,194.08us,271.22us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,1394,4.51s,2.15ms,1.00ns,2.15ms,6.71us,2.09ms,2.22ms +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,26841,4.56s,110.32us,0.00ns,111.73us,3.90us,109.77us,176.64us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,24004,4.51s,122.50us,0.00ns,124.95us,5.07us,119.45us,164.14us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,21285,4.51s,139.46us,0.00ns,140.91us,3.46us,139.20us,154.79us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,89064,4.57s,33.54us,0.00ns,33.65us,507.00ns,32.51us,98.05us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,89169,4.57s,33.54us,0.00ns,33.61us,583.00ns,32.18us,51.17us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,68926,4.56s,43.31us,0.00ns,43.49us,581.00ns,43.27us,107.16us +same/fivebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,141353,4.62s,21.17us,0.00ns,21.19us,357.00ns,20.15us,84.13us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,258448,4.62s,11.55us,0.00ns,11.58us,315.00ns,11.52us,74.84us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,778.81ms,161.00ns,0.00ns,162.00ns,12.00ns,158.00ns,2.29us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,778.87ms,161.00ns,0.00ns,162.00ns,14.00ns,158.00ns,5.06us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103750,4.57s,28.85us,0.00ns,28.88us,237.00ns,28.83us,36.82us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,244912,4.62s,12.20us,0.00ns,12.22us,280.00ns,11.57us,74.83us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,258780,4.62s,11.55us,0.00ns,11.56us,123.00ns,11.52us,17.00us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,779.34ms,156.00ns,0.00ns,157.00ns,12.00ns,153.00ns,2.44us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,257779,4.62s,11.55us,0.00ns,11.60us,305.00ns,11.53us,18.48us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,1000000,779.64ms,167.00ns,0.00ns,167.00ns,14.00ns,163.00ns,3.92us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,1000000,828.54ms,167.00ns,0.00ns,167.00ns,13.00ns,164.00ns,2.71us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,103785,4.56s,28.85us,0.00ns,28.88us,224.00ns,28.83us,37.37us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,246128,4.62s,12.19us,0.00ns,12.16us,266.00ns,12.00us,77.82us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,258777,4.68s,11.55us,0.00ns,11.56us,249.00ns,11.52us,75.31us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,1000000,796.90ms,161.00ns,0.00ns,161.00ns,11.00ns,158.00ns,2.42us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,514941,4.78s,5.78us,0.00ns,5.80us,192.00ns,5.77us,69.52us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,513741,4.68s,5.78us,0.00ns,5.81us,175.00ns,5.77us,12.68us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,1000000,1.13s,303.00ns,0.00ns,304.00ns,18.00ns,289.00ns,6.90us +same/fivebytes-nomatch,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,207243,4.62s,14.43us,0.00ns,14.45us,155.00ns,13.42us,22.12us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,10000,212889,4.62s,13.72us,0.00ns,14.06us,552.00ns,13.65us,22.23us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,10000,208836,4.62s,14.10us,0.00ns,14.33us,610.00ns,13.83us,78.75us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,10000,213947,4.63s,13.70us,0.00ns,13.99us,537.00ns,13.64us,19.11us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,12177,4.52s,245.88us,0.00ns,246.33us,1.73us,244.94us,310.25us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,129809,4.57s,22.64us,0.00ns,23.08us,620.00ns,22.36us,30.43us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,10000,132896,4.56s,22.26us,0.00ns,22.54us,561.00ns,22.05us,30.82us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,10000,254898,4.67s,11.51us,0.00ns,11.74us,515.00ns,11.34us,74.76us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,10000,210997,4.62s,13.71us,0.00ns,14.19us,659.00ns,13.65us,78.19us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,10000,205829,4.62s,14.17us,0.00ns,14.54us,662.00ns,13.84us,77.79us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,10000,210207,4.62s,13.72us,0.00ns,14.24us,685.00ns,13.65us,77.86us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,10000,12176,4.51s,245.94us,0.00ns,246.36us,1.73us,240.69us,310.90us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,10000,129751,4.57s,22.71us,0.00ns,23.09us,654.00ns,22.38us,30.75us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,10000,129528,4.57s,22.79us,0.00ns,23.13us,748.00ns,22.40us,35.81us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,10000,179109,4.57s,16.38us,0.00ns,16.72us,491.00ns,16.21us,23.52us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,10000,131273,4.57s,20.48us,0.00ns,22.82us,2.84us,20.38us,92.27us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,10000,130457,4.57s,20.48us,0.00ns,22.96us,2.85us,20.37us,34.24us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,10000,598414,4.73s,4.98us,0.00ns,4.98us,160.00ns,4.83us,68.67us +same/samebytes-match,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,10000,819154,4.84s,3.62us,0.00ns,3.63us,115.00ns,3.60us,12.52us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,245679,4.62s,12.39us,0.00ns,12.18us,523.00ns,11.31us,76.03us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,247939,4.62s,11.98us,0.00ns,12.07us,370.00ns,11.64us,76.31us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,249531,4.62s,11.89us,0.00ns,11.99us,303.00ns,11.65us,17.72us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1725,4.51s,1.74ms,0.00ns,1.74ms,4.65us,1.73ms,1.80ms +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,4116,4.51s,725.87us,0.00ns,728.97us,8.37us,725.02us,783.27us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4336,4.51s,688.79us,0.00ns,691.87us,8.45us,688.70us,754.07us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,75906,4.57s,39.41us,0.00ns,39.49us,281.00ns,39.25us,45.96us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,246181,4.63s,12.30us,0.00ns,12.15us,482.00ns,11.44us,78.21us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,249353,4.68s,11.86us,0.00ns,12.00us,438.00ns,11.46us,76.09us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,251809,4.68s,11.75us,0.00ns,11.88us,328.00ns,11.50us,28.07us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1724,4.51s,1.74ms,1.00ns,1.74ms,5.56us,1.73ms,1.80ms +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,4127,4.51s,725.85us,0.00ns,726.99us,3.11us,725.01us,790.71us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4350,4.51s,688.90us,0.00ns,689.76us,2.29us,688.81us,731.04us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,69701,4.57s,43.01us,0.00ns,43.01us,1.31us,40.43us,111.95us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,8327,4.51s,357.57us,0.00ns,360.26us,4.08us,356.93us,424.82us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,8292,4.51s,361.47us,1.00ns,361.76us,4.43us,357.05us,424.79us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,82352,4.57s,36.02us,0.00ns,36.39us,1.02us,35.11us,101.00us +sherlock/name-alt1,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,5564,4.51s,538.34us,0.00ns,539.22us,5.03us,509.72us,598.86us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,103525,4.57s,28.77us,0.00ns,28.95us,772.00ns,28.04us,94.19us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,96601,4.57s,30.80us,0.00ns,31.02us,744.00ns,30.28us,40.42us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,95754,4.56s,31.09us,0.00ns,31.29us,853.00ns,30.45us,96.69us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1690,4.51s,1.77ms,0.00ns,1.78ms,5.80us,1.77ms,1.83ms +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,4044,4.51s,741.39us,1.00ns,741.91us,3.10us,739.59us,804.33us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4305,4.51s,694.98us,0.00ns,696.88us,6.36us,694.72us,745.07us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,66562,4.56s,44.82us,0.00ns,45.04us,0.97us,44.20us,109.72us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,102345,4.56s,29.06us,0.00ns,29.27us,828.00ns,28.32us,93.07us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,92773,4.56s,32.09us,0.00ns,32.30us,838.00ns,31.25us,96.19us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,92672,4.56s,32.15us,0.00ns,32.34us,804.00ns,31.34us,62.68us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1690,4.51s,1.77ms,1.00ns,1.78ms,3.93us,1.77ms,1.84ms +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,4032,4.51s,742.30us,0.00ns,744.19us,7.11us,739.80us,806.81us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4308,4.51s,695.54us,0.00ns,696.41us,2.47us,694.71us,743.80us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,63387,4.56s,47.08us,0.00ns,47.29us,1.11us,46.42us,110.04us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,7843,4.51s,377.62us,0.00ns,382.49us,6.54us,375.55us,418.01us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,7833,4.51s,380.58us,0.00ns,382.99us,6.55us,375.76us,453.78us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,95569,4.57s,31.39us,0.00ns,31.36us,471.00ns,30.71us,95.80us +sherlock/name-alt2,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,4837,4.51s,619.25us,0.00ns,620.21us,5.42us,588.87us,649.27us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,4290,4.51s,697.97us,1.00ns,699.28us,5.07us,697.60us,748.28us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,51631,4.56s,57.81us,0.00ns,58.07us,1.52us,55.69us,123.83us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,52033,4.56s,57.35us,0.00ns,57.62us,1.51us,55.43us,71.77us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1629,4.51s,1.84ms,0.00ns,1.84ms,9.63us,1.83ms,1.90ms +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,3771,4.51s,794.20us,0.00ns,795.56us,4.77us,788.58us,843.78us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4293,4.51s,697.71us,0.00ns,698.86us,3.67us,697.53us,762.54us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,61871,4.56s,48.14us,0.00ns,48.45us,1.23us,46.85us,61.71us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,4280,4.51s,698.73us,0.00ns,700.95us,7.56us,697.73us,765.51us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,52524,4.56s,56.92us,0.00ns,57.09us,1.52us,55.09us,124.40us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,52798,4.56s,56.42us,0.00ns,56.78us,1.49us,55.01us,123.50us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1624,4.51s,1.84ms,3.00ns,1.85ms,14.83us,1.83ms,1.93ms +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,3769,4.51s,795.23us,0.00ns,796.07us,3.91us,787.63us,861.06us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4276,4.51s,698.53us,1.00ns,701.65us,9.00us,697.50us,755.41us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,59835,4.56s,49.89us,0.00ns,50.10us,1.06us,49.41us,113.92us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,6483,4.51s,465.24us,0.00ns,462.78us,6.70us,447.91us,498.41us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,6457,4.51s,467.47us,0.00ns,464.58us,7.62us,449.16us,538.07us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,27625,4.56s,111.58us,0.00ns,108.56us,4.54us,102.18us,178.78us +sherlock/name-alt3,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,1296,4.51s,2.31ms,32.00ns,2.32ms,25.89us,2.06ms,2.42ms +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,104853,4.56s,28.32us,0.00ns,28.58us,857.00ns,27.31us,92.12us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,96708,4.57s,30.79us,0.00ns,30.99us,698.00ns,30.17us,40.07us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,96320,4.57s,30.90us,0.00ns,31.11us,786.00ns,30.12us,95.35us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1620,4.51s,1.85ms,0.00ns,1.85ms,14.61us,1.84ms,1.92ms +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,4050,4.51s,739.69us,0.00ns,740.80us,3.12us,737.90us,805.17us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4308,4.51s,695.41us,0.00ns,696.48us,2.62us,695.17us,746.90us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,88769,4.57s,33.21us,0.00ns,33.76us,1.80us,31.58us,60.78us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,101934,4.57s,29.31us,0.00ns,29.40us,826.00ns,28.12us,42.43us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,95360,4.57s,31.25us,0.00ns,31.43us,760.00ns,30.37us,40.76us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,95585,4.57s,31.15us,0.00ns,31.35us,749.00ns,30.37us,39.76us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1624,4.51s,1.85ms,0.00ns,1.85ms,3.39us,1.84ms,1.90ms +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,4048,4.51s,740.26us,0.00ns,741.25us,2.51us,738.88us,779.57us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4305,4.51s,696.06us,0.00ns,696.93us,2.80us,695.14us,739.99us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,82611,4.56s,34.88us,0.00ns,36.28us,2.29us,33.79us,64.07us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,7910,4.51s,380.18us,0.00ns,379.28us,2.86us,374.13us,415.76us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,7912,4.51s,380.16us,0.00ns,379.15us,3.08us,374.15us,407.69us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,92100,4.57s,32.56us,0.00ns,32.54us,468.00ns,31.98us,96.51us +sherlock/name-alt4,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,4174,4.51s,718.37us,1.00ns,718.74us,11.66us,598.88us,783.23us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,55620,4.56s,53.65us,0.00ns,53.90us,1.05us,52.83us,69.65us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,52499,4.56s,56.90us,0.00ns,57.11us,1.08us,55.73us,81.76us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,52859,4.56s,56.59us,0.00ns,56.72us,1.29us,54.92us,161.72us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1669,4.51s,1.79ms,0.00ns,1.80ms,16.35us,1.78ms,1.85ms +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,4001,4.51s,748.68us,0.00ns,749.81us,4.49us,745.66us,814.45us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4302,4.51s,696.12us,1.00ns,697.34us,3.25us,695.94us,746.32us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,65241,4.56s,45.73us,0.00ns,45.95us,1.15us,45.05us,111.38us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,54421,4.56s,54.82us,0.00ns,55.09us,1.15us,53.75us,120.46us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,52138,4.56s,57.25us,0.00ns,57.50us,1.18us,55.66us,84.62us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,52175,4.56s,57.26us,0.00ns,57.46us,1.26us,55.61us,122.91us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1662,4.51s,1.79ms,9.00ns,1.81ms,16.71us,1.78ms,1.87ms +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,3994,4.51s,749.61us,0.00ns,751.17us,5.94us,747.04us,800.40us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4301,4.51s,696.81us,0.00ns,697.50us,2.17us,696.10us,739.47us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,62004,4.56s,48.20us,0.00ns,48.35us,0.97us,47.70us,112.19us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,7568,4.51s,399.48us,1.00ns,396.42us,6.12us,387.11us,462.54us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,7580,4.51s,398.64us,0.00ns,395.77us,5.75us,386.91us,463.16us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,62636,4.56s,48.43us,0.00ns,47.86us,1.52us,44.87us,112.61us +sherlock/name-alt5,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,3040,4.51s,0.99ms,18.00ns,0.99ms,14.27us,916.80us,1.04ms +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,675768,4.83s,4.36us,0.00ns,4.41us,89.00ns,4.22us,12.95us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,681436,4.88s,4.36us,0.00ns,4.37us,154.00ns,4.22us,67.96us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,681618,4.88s,4.37us,0.00ns,4.37us,154.00ns,4.23us,67.69us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1680,4.51s,1.78ms,6.00ns,1.79ms,13.73us,1.77ms,1.87ms +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,3831,4.51s,781.29us,0.00ns,783.07us,5.91us,775.53us,847.51us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4337,4.51s,686.78us,0.00ns,691.75us,7.74us,686.46us,788.01us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,72941,4.56s,40.91us,0.00ns,41.09us,1.18us,39.86us,105.11us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,673661,4.83s,4.44us,0.00ns,4.42us,159.00ns,4.23us,67.95us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,680828,4.78s,4.37us,0.00ns,4.38us,146.00ns,4.24us,68.79us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,678107,4.89s,4.38us,0.00ns,4.39us,151.00ns,4.24us,68.37us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1681,4.51s,1.78ms,0.00ns,1.78ms,10.53us,1.77ms,1.83ms +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,3832,4.51s,782.32us,1.00ns,783.03us,3.21us,776.48us,849.90us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4365,4.51s,686.41us,0.00ns,687.26us,3.06us,686.20us,749.64us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,75036,4.56s,39.64us,0.00ns,39.95us,811.00ns,39.38us,58.15us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,6580,4.51s,455.51us,1.00ns,455.94us,8.00us,439.97us,524.94us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,6701,4.51s,445.31us,0.00ns,447.70us,6.67us,438.53us,521.20us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,43086,4.56s,69.43us,0.00ns,69.59us,864.00ns,63.17us,95.67us +sherlock/name-alt6,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,2233,4.51s,1.35ms,0.00ns,1.34ms,17.84us,1.29ms,1.43ms +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,504404,4.78s,6.37us,0.00ns,5.92us,498.00ns,5.31us,17.40us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,549882,4.78s,5.20us,0.00ns,5.42us,393.00ns,5.16us,11.59us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,571917,4.83s,5.19us,0.00ns,5.22us,207.00ns,5.15us,69.11us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1745,4.51s,1.72ms,0.00ns,1.72ms,6.39us,1.72ms,1.76ms +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,4135,4.51s,726.71us,0.00ns,725.60us,4.76us,716.51us,791.59us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4365,4.51s,686.37us,0.00ns,687.35us,3.29us,686.11us,734.00us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,80346,4.56s,37.39us,0.00ns,37.30us,514.00ns,36.62us,100.59us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,569115,4.78s,5.20us,0.00ns,5.24us,95.00ns,5.16us,16.80us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,560385,4.83s,5.22us,0.00ns,5.32us,329.00ns,5.16us,68.90us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,506041,4.73s,6.07us,0.00ns,5.90us,530.00ns,5.26us,90.72us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1744,4.51s,1.72ms,11.00ns,1.72ms,7.37us,1.72ms,1.79ms +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,4143,4.51s,726.12us,0.00ns,724.18us,6.54us,716.26us,771.91us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4363,4.51s,686.41us,0.00ns,687.62us,4.03us,686.11us,736.59us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,79161,4.56s,37.82us,0.00ns,37.86us,340.00ns,37.40us,47.40us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,8714,4.51s,343.57us,0.00ns,344.28us,2.56us,343.11us,457.47us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,8722,4.51s,343.10us,0.00ns,343.96us,4.03us,343.06us,469.69us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,106029,4.57s,28.21us,0.00ns,28.26us,410.00ns,25.13us,91.76us +sherlock/name-alt7,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,19846,4.51s,150.89us,0.00ns,151.14us,1.44us,148.50us,218.10us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,4196,4.51s,713.64us,1.00ns,714.98us,3.16us,713.27us,786.46us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,11730,4.51s,255.31us,0.00ns,255.72us,2.09us,252.08us,321.51us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,11678,4.51s,256.58us,1.00ns,256.88us,2.22us,252.73us,323.46us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,906,4.51s,3.32ms,12.00ns,3.31ms,44.00us,3.16ms,3.40ms +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,1570,4.51s,1.90ms,25.00ns,1.91ms,38.26us,1.86ms,2.06ms +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4193,4.51s,715.60us,0.00ns,715.47us,2.48us,713.32us,759.77us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,12639,4.51s,236.70us,0.00ns,237.33us,1.92us,234.77us,267.38us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,4191,4.51s,714.82us,0.00ns,715.88us,2.78us,714.37us,779.54us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,13289,4.51s,226.33us,0.00ns,225.73us,4.82us,216.64us,307.75us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,13591,4.51s,220.22us,0.00ns,220.70us,3.80us,215.28us,291.24us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,913,4.51s,3.29ms,0.00ns,3.29ms,37.53us,3.16ms,3.38ms +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,1570,4.51s,1.92ms,6.00ns,1.91ms,25.67us,1.86ms,2.05ms +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4189,4.51s,716.04us,0.00ns,716.27us,3.10us,713.73us,779.92us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,14384,4.51s,207.50us,0.00ns,208.54us,3.71us,204.74us,273.12us +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,1429,4.51s,2.11ms,0.00ns,2.10ms,31.27us,1.86ms,2.17ms +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,1427,4.51s,2.11ms,0.00ns,2.10ms,31.06us,1.86ms,2.23ms +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,3156,4.51s,0.96ms,2.00ns,0.95ms,19.25us,900.23us,0.98ms +sherlock/name-nocase1,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,218,4.51s,13.86ms,129.00ns,13.79ms,167.34us,13.47ms,14.15ms +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,4237,4.51s,707.17us,0.00ns,708.07us,2.22us,706.55us,760.12us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,44486,4.56s,67.29us,0.00ns,67.40us,1.82us,65.00us,132.65us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,43203,4.56s,69.45us,0.00ns,69.40us,1.60us,67.40us,93.33us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1233,4.51s,2.43ms,0.00ns,2.43ms,17.91us,2.38ms,2.51ms +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2427,4.51s,1.23ms,0.00ns,1.24ms,18.57us,1.21ms,1.32ms +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4239,4.51s,707.31us,0.00ns,707.71us,1.83us,706.40us,745.99us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,58632,4.56s,51.40us,0.00ns,51.13us,1.55us,48.13us,67.20us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,4236,4.51s,706.99us,0.00ns,708.25us,2.89us,706.10us,772.41us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,44610,4.56s,66.89us,0.00ns,67.22us,2.13us,64.10us,85.09us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,44239,4.56s,67.48us,0.00ns,67.78us,1.99us,64.91us,133.39us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1237,4.51s,2.42ms,0.00ns,2.43ms,17.71us,2.38ms,2.50ms +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2426,4.51s,1.25ms,51.00ns,1.24ms,17.19us,1.21ms,1.30ms +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4233,4.51s,708.32us,0.00ns,708.70us,2.50us,706.71us,753.97us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,52759,4.56s,56.92us,0.00ns,56.83us,2.18us,52.55us,72.50us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,2685,4.51s,1.12ms,0.00ns,1.12ms,38.64us,1.04ms,1.22ms +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,2690,4.51s,1.12ms,33.00ns,1.12ms,40.36us,1.04ms,1.23ms +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,10137,4.51s,293.62us,0.00ns,295.93us,6.28us,284.89us,372.50us +sherlock/name-nocase2,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,629,4.51s,4.77ms,0.00ns,4.78ms,39.76us,4.66ms,4.98ms +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,4229,4.51s,708.40us,0.00ns,709.46us,2.02us,708.13us,750.56us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,11546,4.51s,259.57us,0.00ns,259.81us,1.91us,256.55us,324.53us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,12595,4.51s,237.87us,0.00ns,238.16us,1.72us,235.73us,302.53us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1172,4.51s,2.56ms,33.00ns,2.56ms,21.25us,2.50ms,2.64ms +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2253,4.51s,1.33ms,0.00ns,1.33ms,19.39us,1.30ms,1.43ms +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,4227,4.51s,709.24us,0.00ns,709.76us,2.08us,708.17us,755.26us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,594915,12235,4.51s,244.66us,0.00ns,245.18us,1.87us,242.07us,258.76us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,4145,4.51s,723.12us,0.00ns,723.79us,1.77us,722.83us,769.63us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,13128,4.51s,228.46us,1.00ns,228.50us,2.41us,223.72us,327.92us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,13058,4.51s,229.46us,0.00ns,229.72us,1.93us,226.70us,298.42us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,1179,4.51s,2.54ms,0.00ns,2.55ms,24.14us,2.49ms,2.68ms +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,2250,4.51s,1.33ms,44.00ns,1.33ms,19.19us,1.30ms,1.43ms +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,4222,4.51s,710.24us,3.00ns,710.66us,2.33us,708.57us,750.22us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,594915,13805,4.51s,217.16us,0.00ns,217.28us,1.60us,213.76us,242.56us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,2385,4.51s,1.26ms,0.00ns,1.26ms,48.98us,1.18ms,1.36ms +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,2399,4.51s,1.24ms,0.00ns,1.25ms,48.13us,1.18ms,1.40ms +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,7360,4.51s,407.61us,0.00ns,407.63us,3.35us,397.75us,487.28us +sherlock/name-nocase3,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,459,4.56s,6.55ms,0.00ns,6.55ms,55.98us,6.42ms,6.79ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/standard,1.0.5,,594915,797,4.56s,3.77ms,0.00ns,3.77ms,24.63us,3.71ms,3.86ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,594915,813,4.56s,3.69ms,0.00ns,3.69ms,27.48us,3.61ms,3.79ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-longest,1.0.5,,594915,814,4.56s,3.69ms,211.00ns,3.69ms,27.57us,3.61ms,3.79ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,551,4.56s,5.45ms,0.00ns,5.45ms,25.55us,5.38ms,5.62ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,796,4.56s,3.79ms,133.00ns,3.77ms,60.03us,3.64ms,3.95ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,594915,2342,4.61s,1.28ms,0.00ns,1.28ms,3.26us,1.28ms,1.33ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/standard,1.0.5,,594915,806,4.56s,3.72ms,54.00ns,3.72ms,47.96us,3.64ms,3.86ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,594915,789,4.56s,3.80ms,0.00ns,3.80ms,29.91us,3.73ms,3.90ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-longest,1.0.5,,594915,804,4.56s,3.73ms,5.00ns,3.73ms,31.42us,3.65ms,3.83ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-noncontiguous/leftmost-first,1.0.5,,594915,554,4.56s,5.43ms,16.00ns,5.42ms,39.48us,5.28ms,5.51ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/nfa-contiguous/leftmost-first,1.0.5,,594915,804,4.56s,3.73ms,87.00ns,3.73ms,55.60us,3.62ms,3.93ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/dfa/leftmost-first,1.0.5,,594915,2355,4.61s,1.27ms,0.00ns,1.27ms,6.88us,1.27ms,1.44ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-first,1.0.0,,594915,853,4.56s,3.52ms,0.00ns,3.52ms,30.24us,3.43ms,3.67ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),daachorse/bytewise/leftmost-longest,1.0.0,,594915,852,4.56s,3.52ms,164.00ns,3.52ms,24.70us,3.45ms,3.61ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,594915,41,4.61s,73.40ms,0.00ns,73.45ms,169.16us,73.08ms,73.80ms +sherlock/words5000,count,0.0.1 (rev 8c6edf6843),naive/rust/std,0.1.0,,594915,3,6.77s,1.34s,0.00ns,1.34s,4.76ms,1.33s,1.34s +teddy/teddy1-1pat-supercommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,913,4.51s,3.28ms,0.00ns,3.29ms,59.50us,3.20ms,3.50ms +teddy/teddy1-1pat-supercommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,2116,4.51s,1.41ms,0.00ns,1.42ms,30.34us,1.40ms,1.71ms +teddy/teddy1-1pat-supercommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,1381,4.51s,2.15ms,0.00ns,2.17ms,50.11us,2.13ms,2.32ms +teddy/teddy1-1pat-supercommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,4717,4.51s,647.17us,0.00ns,635.99us,18.50us,612.00us,715.76us +teddy/teddy1-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1708,4.51s,1.75ms,9.00ns,1.76ms,17.85us,1.75ms,1.84ms +teddy/teddy1-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,4263,4.51s,693.39us,0.00ns,703.79us,23.98us,677.80us,825.94us +teddy/teddy1-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,3166,4.51s,937.47us,2.00ns,947.74us,19.87us,925.49us,1.01ms +teddy/teddy1-1pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,10328,4.51s,290.15us,0.00ns,290.45us,1.00us,288.62us,301.18us +teddy/teddy1-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2888,4.51s,1.04ms,1.00ns,1.04ms,4.32us,1.04ms,1.09ms +teddy/teddy1-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,215880,4.62s,13.86us,0.00ns,13.86us,240.00ns,12.98us,38.61us +teddy/teddy1-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,158455,4.62s,20.95us,0.00ns,18.90us,2.65us,15.11us,27.90us +teddy/teddy1-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,353985,4.72s,8.44us,0.00ns,8.44us,226.00ns,8.09us,16.52us +teddy/teddy1-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1554,4.51s,1.92ms,1.00ns,1.93ms,22.69us,1.90ms,2.01ms +teddy/teddy1-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,3778,4.51s,783.21us,1.00ns,794.20us,28.60us,772.52us,928.16us +teddy/teddy1-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,2763,4.51s,1.07ms,0.00ns,1.09ms,23.16us,1.06ms,1.15ms +teddy/teddy1-2pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,7374,4.51s,406.38us,0.00ns,406.84us,1.45us,404.19us,421.98us +teddy/teddy1-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2886,4.51s,1.04ms,0.00ns,1.04ms,3.64us,1.04ms,1.11ms +teddy/teddy1-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,185700,4.62s,17.44us,0.00ns,16.12us,1.82us,12.98us,81.15us +teddy/teddy1-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,169626,4.62s,15.61us,0.00ns,17.65us,2.62us,15.06us,84.13us +teddy/teddy1-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,227239,4.62s,13.09us,0.00ns,13.17us,389.00ns,12.65us,38.56us +teddy/teddy1-8pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,506,4.51s,5.91ms,86.00ns,5.94ms,75.77us,5.86ms,6.26ms +teddy/teddy1-8pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,1104,4.51s,2.70ms,1.00ns,2.72ms,54.28us,2.69ms,3.33ms +teddy/teddy1-8pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,666,4.51s,4.43ms,114.00ns,4.51ms,120.04us,4.42ms,4.81ms +teddy/teddy1-8pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,1450,4.51s,2.06ms,2.00ns,2.07ms,28.27us,2.02ms,2.19ms +teddy/teddy1-8pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2873,4.51s,1.04ms,0.00ns,1.04ms,8.09us,1.04ms,1.09ms +teddy/teddy1-8pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,164207,4.62s,17.18us,0.00ns,18.23us,1.80us,15.74us,83.19us +teddy/teddy1-8pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,142131,4.57s,19.59us,0.00ns,21.07us,2.46us,19.13us,43.46us +teddy/teddy1-8pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,53722,4.56s,55.48us,0.00ns,55.81us,934.00ns,55.00us,123.05us +teddy/teddy1-16pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,340,4.56s,8.77ms,605.00ns,8.85ms,138.31us,8.72ms,9.42ms +teddy/teddy1-16pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,406,4.51s,7.38ms,38.00ns,7.39ms,52.25us,7.33ms,7.66ms +teddy/teddy1-16pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,296,4.51s,10.06ms,660.00ns,10.14ms,183.48us,9.96ms,10.61ms +teddy/teddy1-16pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,711,4.51s,4.26ms,0.00ns,4.22ms,80.46us,4.07ms,4.30ms +teddy/teddy1-16pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2816,4.51s,1.06ms,1.00ns,1.07ms,5.86us,1.06ms,1.13ms +teddy/teddy1-16pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,2826,4.51s,1.06ms,31.00ns,1.06ms,23.74us,1.03ms,1.12ms +teddy/teddy1-16pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,3069,4.51s,0.97ms,0.00ns,0.98ms,16.66us,0.96ms,1.04ms +teddy/teddy1-16pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,23842,4.51s,125.82us,0.00ns,125.80us,2.09us,122.35us,258.32us +teddy/teddy1-32pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,309,4.56s,9.66ms,0.00ns,9.74ms,144.25us,9.61ms,10.38ms +teddy/teddy1-32pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,322,4.51s,9.33ms,46.00ns,9.34ms,31.69us,9.29ms,9.67ms +teddy/teddy1-32pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,242,4.56s,12.36ms,3.32us,12.44ms,158.38us,12.26ms,12.99ms +teddy/teddy1-32pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,548,4.51s,5.53ms,2.00ns,5.48ms,88.09us,5.32ms,5.58ms +teddy/teddy1-32pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2759,4.51s,1.09ms,0.00ns,1.09ms,2.83us,1.09ms,1.13ms +teddy/teddy1-32pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,1158,4.51s,2.59ms,2.00ns,2.59ms,7.40us,2.57ms,2.62ms +teddy/teddy1-32pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,1375,4.51s,2.18ms,0.00ns,2.18ms,15.28us,2.16ms,2.27ms +teddy/teddy1-32pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,11598,4.51s,258.03us,0.00ns,258.63us,2.87us,253.94us,277.56us +teddy/teddy1-48pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,303,4.56s,9.85ms,0.00ns,9.93ms,155.30us,9.80ms,10.72ms +teddy/teddy1-48pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,310,4.51s,9.64ms,20.00ns,9.69ms,112.48us,9.61ms,10.30ms +teddy/teddy1-48pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,229,4.56s,13.13ms,0.00ns,13.15ms,72.90us,13.03ms,13.54ms +teddy/teddy1-48pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,458,4.51s,6.63ms,12.00ns,6.56ms,108.82us,6.39ms,6.72ms +teddy/teddy1-48pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2280,4.51s,1.31ms,2.00ns,1.32ms,14.50us,1.30ms,1.39ms +teddy/teddy1-48pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,812,4.51s,3.69ms,19.00ns,3.70ms,17.92us,3.66ms,3.79ms +teddy/teddy1-48pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,1049,4.51s,2.86ms,0.00ns,2.86ms,25.16us,2.81ms,2.94ms +teddy/teddy1-48pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,5285,4.51s,567.14us,0.00ns,567.71us,5.50us,557.48us,592.44us +teddy/teddy1-64pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,301,4.56s,9.91ms,0.00ns,10.00ms,166.84us,9.84ms,10.75ms +teddy/teddy1-64pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,298,4.56s,10.07ms,105.00ns,10.08ms,181.23us,9.86ms,10.81ms +teddy/teddy1-64pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,230,4.56s,13.05ms,102.00ns,13.09ms,104.50us,12.98ms,13.70ms +teddy/teddy1-64pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,442,4.51s,6.88ms,731.00ns,6.79ms,123.80us,6.62ms,6.97ms +teddy/teddy1-64pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2751,4.51s,1.09ms,0.00ns,1.09ms,10.98us,1.08ms,1.18ms +teddy/teddy1-64pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,775,4.51s,3.87ms,0.00ns,3.88ms,7.82us,3.86ms,3.92ms +teddy/teddy1-64pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,981,4.51s,3.05ms,0.00ns,3.06ms,19.01us,3.03ms,3.13ms +teddy/teddy1-64pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,6118,4.51s,489.82us,0.00ns,490.36us,3.79us,480.58us,562.38us +teddy/teddy2-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2285,4.51s,1.31ms,0.00ns,1.31ms,7.17us,1.31ms,1.37ms +teddy/teddy2-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,8087,4.51s,369.32us,0.00ns,370.94us,6.74us,364.98us,466.19us +teddy/teddy2-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,6114,4.51s,489.17us,0.00ns,490.72us,9.41us,468.91us,522.01us +teddy/teddy2-1pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,13936,4.51s,213.30us,2.00ns,215.25us,6.25us,205.62us,286.80us +teddy/teddy2-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2888,4.51s,1.04ms,0.00ns,1.04ms,3.82us,1.04ms,1.09ms +teddy/teddy2-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,95936,4.57s,31.67us,0.00ns,31.24us,1.85us,24.37us,121.28us +teddy/teddy2-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,123190,4.57s,24.28us,0.00ns,24.32us,382.00ns,24.17us,89.53us +teddy/teddy2-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,135441,4.57s,22.09us,0.00ns,22.12us,272.00ns,18.64us,26.73us +teddy/teddy2-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2512,4.51s,1.19ms,12.00ns,1.19ms,9.58us,1.19ms,1.29ms +teddy/teddy2-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,13503,4.51s,219.89us,0.00ns,222.15us,6.12us,217.96us,271.51us +teddy/teddy2-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,10357,4.51s,288.97us,0.00ns,289.64us,7.63us,275.98us,354.41us +teddy/teddy2-2pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,21921,4.51s,135.43us,0.00ns,136.82us,3.44us,130.96us,203.46us +teddy/teddy2-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2890,4.51s,1.04ms,0.00ns,1.04ms,2.73us,1.04ms,1.08ms +teddy/teddy2-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,121097,4.57s,24.50us,0.00ns,24.74us,1.74us,23.85us,88.61us +teddy/teddy2-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,121266,4.57s,24.67us,0.00ns,24.70us,356.00ns,24.24us,29.23us +teddy/teddy2-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,65617,4.56s,46.11us,0.00ns,45.67us,1.16us,39.22us,143.75us +teddy/teddy2-8pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1966,4.51s,1.52ms,3.00ns,1.53ms,17.52us,1.51ms,1.62ms +teddy/teddy2-8pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,4511,4.51s,672.36us,0.00ns,665.13us,15.83us,635.16us,736.68us +teddy/teddy2-8pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,3527,4.51s,850.75us,0.00ns,850.65us,17.62us,815.62us,895.75us +teddy/teddy2-8pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,6139,4.51s,483.40us,0.00ns,488.68us,12.44us,464.13us,570.93us +teddy/teddy2-8pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2879,4.51s,1.04ms,0.00ns,1.04ms,11.27us,1.04ms,1.09ms +teddy/teddy2-8pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,124348,4.57s,24.04us,0.00ns,24.09us,393.00ns,23.99us,88.15us +teddy/teddy2-8pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,122107,4.57s,24.47us,0.00ns,24.54us,460.00ns,24.33us,91.11us +teddy/teddy2-8pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,16891,4.52s,177.03us,0.00ns,177.58us,1.45us,159.30us,186.92us +teddy/teddy2-16pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1099,4.51s,2.71ms,0.00ns,2.73ms,42.91us,2.67ms,2.88ms +teddy/teddy2-16pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,1176,4.51s,2.55ms,0.00ns,2.55ms,14.65us,2.49ms,2.62ms +teddy/teddy2-16pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,991,4.51s,3.02ms,0.00ns,3.03ms,37.33us,2.98ms,3.15ms +teddy/teddy2-16pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2876,4.51s,1.04ms,0.00ns,1.04ms,11.58us,1.04ms,1.10ms +teddy/teddy2-16pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,55666,4.56s,53.01us,0.00ns,53.86us,2.18us,50.74us,76.05us +teddy/teddy2-16pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,63949,4.56s,46.67us,0.00ns,46.88us,1.05us,45.90us,111.03us +teddy/teddy2-32pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,907,4.51s,3.29ms,0.00ns,3.31ms,56.13us,3.24ms,3.51ms +teddy/teddy2-32pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,648,4.51s,4.63ms,80.00ns,4.63ms,28.57us,4.56ms,4.69ms +teddy/teddy2-32pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,567,4.51s,5.28ms,0.00ns,5.29ms,43.31us,5.23ms,5.51ms +teddy/teddy2-32pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2885,4.51s,1.04ms,0.00ns,1.04ms,4.85us,1.04ms,1.15ms +teddy/teddy2-32pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,2547,4.51s,1.18ms,0.00ns,1.18ms,8.91us,1.16ms,1.21ms +teddy/teddy2-32pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,2855,4.51s,1.05ms,0.00ns,1.05ms,14.90us,1.03ms,1.15ms +teddy/teddy2-48pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,806,4.51s,3.70ms,117.00ns,3.72ms,63.44us,3.64ms,3.92ms +teddy/teddy2-48pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,564,4.51s,5.33ms,98.00ns,5.33ms,28.37us,5.21ms,5.40ms +teddy/teddy2-48pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,517,4.51s,5.81ms,0.00ns,5.81ms,33.87us,5.75ms,5.92ms +teddy/teddy2-48pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2883,4.51s,1.04ms,0.00ns,1.04ms,2.84us,1.04ms,1.09ms +teddy/teddy2-48pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,3384,4.51s,890.12us,4.00ns,886.58us,11.79us,861.85us,0.96ms +teddy/teddy2-48pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,3462,4.51s,862.69us,148.00ns,866.64us,13.06us,849.13us,942.08us +teddy/teddy2-64pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,726,4.51s,4.12ms,158.00ns,4.14ms,67.58us,4.01ms,4.38ms +teddy/teddy2-64pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,417,4.51s,7.19ms,0.00ns,7.19ms,26.10us,7.14ms,7.37ms +teddy/teddy2-64pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,390,4.51s,7.71ms,30.00ns,7.71ms,29.70us,7.63ms,7.82ms +teddy/teddy2-64pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2882,4.51s,1.04ms,0.00ns,1.04ms,3.40us,1.04ms,1.11ms +teddy/teddy2-64pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,2476,4.51s,1.21ms,1.00ns,1.21ms,5.04us,1.20ms,1.27ms +teddy/teddy2-64pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,2645,4.51s,1.14ms,0.00ns,1.13ms,10.95us,1.11ms,1.20ms +teddy/teddy3-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2600,4.51s,1.15ms,0.00ns,1.15ms,11.00us,1.15ms,1.21ms +teddy/teddy3-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,16709,4.52s,179.18us,0.00ns,179.51us,4.23us,174.49us,245.22us +teddy/teddy3-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,11730,4.52s,253.79us,0.00ns,255.74us,4.99us,251.29us,324.84us +teddy/teddy3-1pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,18324,4.52s,162.74us,1.00ns,163.69us,3.77us,158.70us,197.18us +teddy/teddy3-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2888,4.51s,1.04ms,0.00ns,1.04ms,3.61us,1.04ms,1.10ms +teddy/teddy3-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,83385,4.57s,35.94us,0.00ns,35.94us,479.00ns,35.45us,101.47us +teddy/teddy3-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,83879,4.57s,35.72us,0.00ns,35.73us,290.00ns,35.42us,45.46us +teddy/teddy3-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,133185,4.57s,22.83us,0.00ns,22.49us,729.00ns,18.71us,84.56us +teddy/teddy3-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2395,4.51s,1.25ms,0.00ns,1.25ms,6.79us,1.25ms,1.29ms +teddy/teddy3-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,8765,4.51s,341.39us,0.00ns,342.25us,4.13us,336.35us,407.00us +teddy/teddy3-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,7143,4.51s,417.45us,0.00ns,419.98us,5.64us,412.77us,461.28us +teddy/teddy3-2pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,11943,4.52s,249.84us,0.00ns,251.18us,4.35us,244.98us,288.42us +teddy/teddy3-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2888,4.51s,1.04ms,0.00ns,1.04ms,3.49us,1.04ms,1.10ms +teddy/teddy3-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,83288,4.57s,36.00us,0.00ns,35.99us,274.00ns,35.47us,42.58us +teddy/teddy3-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,70073,4.57s,44.06us,0.00ns,42.77us,3.67us,35.41us,70.32us +teddy/teddy3-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,66293,4.57s,46.09us,0.00ns,45.22us,1.43us,38.71us,54.61us +teddy/teddy3-8pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2190,4.51s,1.37ms,0.00ns,1.37ms,9.22us,1.36ms,1.43ms +teddy/teddy3-8pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,5455,4.51s,545.03us,0.00ns,550.01us,10.04us,536.87us,600.82us +teddy/teddy3-8pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,4583,4.51s,650.07us,0.00ns,654.61us,9.63us,640.56us,695.81us +teddy/teddy3-8pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,5362,4.51s,558.27us,1.00ns,559.52us,6.20us,549.08us,603.50us +teddy/teddy3-8pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2885,4.51s,1.04ms,0.00ns,1.04ms,5.73us,1.04ms,1.09ms +teddy/teddy3-8pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,83090,4.57s,35.98us,0.00ns,36.07us,544.00ns,35.54us,102.04us +teddy/teddy3-8pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,68931,4.57s,47.06us,0.00ns,43.48us,5.40us,35.48us,110.18us +teddy/teddy3-16pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1843,4.51s,1.62ms,0.00ns,1.63ms,15.02us,1.62ms,1.74ms +teddy/teddy3-16pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,2569,4.51s,1.17ms,0.00ns,1.17ms,12.45us,1.15ms,1.21ms +teddy/teddy3-16pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,2321,4.51s,1.29ms,0.00ns,1.29ms,22.69us,1.26ms,1.38ms +teddy/teddy3-16pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2879,4.51s,1.04ms,0.00ns,1.04ms,9.22us,1.04ms,1.10ms +teddy/teddy3-16pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,52717,4.57s,56.46us,0.00ns,56.87us,2.04us,53.35us,71.92us +teddy/teddy3-16pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,67009,4.57s,44.56us,0.00ns,44.73us,839.00ns,43.87us,113.13us +teddy/teddy3-32pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1621,4.51s,1.84ms,0.00ns,1.85ms,19.47us,1.83ms,1.91ms +teddy/teddy3-32pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,1253,4.51s,2.39ms,0.00ns,2.39ms,11.66us,2.37ms,2.44ms +teddy/teddy3-32pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,1179,4.51s,2.55ms,0.00ns,2.54ms,29.58us,2.49ms,2.63ms +teddy/teddy3-32pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2885,4.51s,1.04ms,0.00ns,1.04ms,4.08us,1.04ms,1.11ms +teddy/teddy3-32pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,30459,4.57s,97.39us,0.00ns,98.46us,3.16us,94.55us,124.92us +teddy/teddy3-32pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,35273,4.57s,84.57us,0.00ns,85.01us,1.83us,83.53us,119.87us +teddy/teddy3-48pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1514,4.51s,1.97ms,7.00ns,1.98ms,24.61us,1.96ms,2.06ms +teddy/teddy3-48pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,1025,4.51s,2.93ms,0.00ns,2.93ms,8.53us,2.91ms,3.00ms +teddy/teddy3-48pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,960,4.51s,3.13ms,2.00ns,3.13ms,25.42us,3.07ms,3.20ms +teddy/teddy3-48pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2883,4.51s,1.04ms,0.00ns,1.04ms,3.62us,1.04ms,1.09ms +teddy/teddy3-48pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,25978,4.52s,114.49us,0.00ns,115.45us,2.80us,111.38us,183.04us +teddy/teddy3-48pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,28181,4.57s,108.74us,0.00ns,106.42us,7.81us,95.12us,185.94us +teddy/teddy3-64pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1423,4.51s,2.09ms,0.00ns,2.11ms,28.99us,2.08ms,2.24ms +teddy/teddy3-64pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,735,4.51s,4.08ms,0.00ns,4.08ms,11.99us,4.06ms,4.17ms +teddy/teddy3-64pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,708,4.51s,4.24ms,24.00ns,4.24ms,16.12us,4.21ms,4.36ms +teddy/teddy3-64pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2870,4.51s,1.04ms,1.00ns,1.05ms,11.32us,1.04ms,1.09ms +teddy/teddy3-64pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,7722,4.51s,388.75us,0.00ns,388.51us,2.77us,382.78us,455.07us +teddy/teddy3-64pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,8693,4.51s,345.04us,0.00ns,345.09us,6.04us,337.56us,391.33us +teddy/teddy4-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2814,4.51s,1.07ms,0.00ns,1.07ms,3.44us,1.06ms,1.13ms +teddy/teddy4-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,35696,4.57s,82.68us,0.00ns,84.01us,2.94us,81.29us,149.43us +teddy/teddy4-1pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,33757,4.57s,88.31us,0.00ns,88.83us,1.69us,87.07us,109.39us +teddy/teddy4-1pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,49427,4.57s,60.50us,0.00ns,60.65us,946.00ns,59.17us,86.61us +teddy/teddy4-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2889,4.51s,1.04ms,0.00ns,1.04ms,4.15us,1.04ms,1.10ms +teddy/teddy4-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,51228,4.57s,59.17us,0.00ns,58.53us,1.41us,55.51us,73.29us +teddy/teddy4-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,50108,4.57s,61.76us,0.00ns,59.83us,2.50us,56.61us,69.12us +teddy/teddy4-1pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,133568,4.57s,21.97us,0.00ns,22.43us,694.00ns,19.07us,47.29us +teddy/teddy4-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2770,4.51s,1.08ms,0.00ns,1.08ms,3.36us,1.08ms,1.13ms +teddy/teddy4-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,27828,4.57s,107.09us,0.00ns,107.78us,2.54us,104.03us,138.38us +teddy/teddy4-2pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,25953,4.52s,114.95us,0.00ns,115.56us,2.37us,112.73us,140.68us +teddy/teddy4-2pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,31376,4.56s,95.23us,0.00ns,95.58us,1.45us,93.53us,167.21us +teddy/teddy4-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2888,4.51s,1.04ms,0.00ns,1.04ms,6.08us,1.04ms,1.10ms +teddy/teddy4-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,49789,4.56s,62.73us,0.00ns,60.22us,3.32us,55.37us,123.87us +teddy/teddy4-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,50532,4.56s,57.58us,0.00ns,59.33us,2.36us,56.60us,129.06us +teddy/teddy4-2pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,66447,4.57s,44.47us,0.00ns,45.11us,1.24us,38.76us,109.93us +teddy/teddy4-8pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2538,4.51s,1.18ms,6.00ns,1.18ms,5.11us,1.18ms,1.25ms +teddy/teddy4-8pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,10588,4.52s,282.99us,0.00ns,283.32us,2.21us,279.32us,305.47us +teddy/teddy4-8pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,9071,4.51s,328.95us,0.00ns,330.69us,4.30us,323.45us,355.72us +teddy/teddy4-8pat-common,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,7399,4.51s,404.98us,0.00ns,405.48us,3.48us,396.96us,442.42us +teddy/teddy4-8pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2883,4.51s,1.04ms,0.00ns,1.04ms,4.88us,1.04ms,1.11ms +teddy/teddy4-8pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,50151,4.56s,61.68us,0.00ns,59.78us,3.10us,56.31us,68.12us +teddy/teddy4-8pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,49850,4.56s,58.75us,0.00ns,60.15us,2.47us,58.08us,123.72us +teddy/teddy4-8pat-uncommon,count,0.0.1 (rev 8c6edf6843),naive/rust/memchr/memmem,0.1.0,,899232,17027,4.51s,175.74us,0.00ns,176.16us,2.55us,172.78us,245.26us +teddy/teddy4-16pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2353,4.51s,1.27ms,0.00ns,1.27ms,7.44us,1.27ms,1.34ms +teddy/teddy4-16pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,5091,4.51s,587.77us,0.00ns,589.27us,6.39us,577.77us,657.13us +teddy/teddy4-16pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,4659,4.51s,642.51us,0.00ns,643.96us,13.32us,624.25us,725.24us +teddy/teddy4-16pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2886,4.51s,1.04ms,0.00ns,1.04ms,4.99us,1.04ms,1.09ms +teddy/teddy4-16pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,49773,4.56s,62.46us,0.00ns,60.24us,3.08us,56.02us,74.19us +teddy/teddy4-16pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,48188,4.56s,58.29us,0.00ns,62.22us,5.06us,57.70us,128.99us +teddy/teddy4-32pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2164,4.51s,1.38ms,1.00ns,1.39ms,9.48us,1.38ms,1.45ms +teddy/teddy4-32pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,2917,4.51s,1.03ms,0.00ns,1.03ms,6.91us,1.01ms,1.09ms +teddy/teddy4-32pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,2845,4.51s,1.05ms,0.00ns,1.05ms,13.15us,1.03ms,1.12ms +teddy/teddy4-32pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2870,4.51s,1.04ms,16.00ns,1.05ms,9.56us,1.04ms,1.16ms +teddy/teddy4-32pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,42467,4.56s,70.26us,0.00ns,70.60us,1.51us,67.18us,136.28us +teddy/teddy4-32pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,40905,4.56s,76.09us,0.00ns,73.30us,5.19us,64.88us,114.25us +teddy/teddy4-48pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2047,4.51s,1.46ms,0.00ns,1.47ms,11.25us,1.46ms,1.52ms +teddy/teddy4-48pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,2215,4.51s,1.35ms,0.00ns,1.35ms,9.39us,1.33ms,1.38ms +teddy/teddy4-48pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,2165,4.51s,1.38ms,0.00ns,1.39ms,12.81us,1.36ms,1.47ms +teddy/teddy4-48pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2873,4.51s,1.04ms,0.00ns,1.04ms,9.75us,1.04ms,1.12ms +teddy/teddy4-48pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,28246,4.56s,105.70us,0.00ns,106.18us,1.98us,104.37us,136.57us +teddy/teddy4-48pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,28949,4.56s,103.09us,0.00ns,103.60us,1.48us,102.50us,121.89us +teddy/teddy4-64pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,1963,4.51s,1.52ms,0.00ns,1.53ms,11.91us,1.52ms,1.60ms +teddy/teddy4-64pat-common,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,1652,4.51s,1.82ms,3.00ns,1.82ms,11.93us,1.79ms,1.85ms +teddy/teddy4-64pat-common,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,1675,4.51s,1.79ms,0.00ns,1.79ms,15.95us,1.76ms,1.87ms +teddy/teddy4-64pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/dfa/leftmost-first,1.0.5,,899232,2879,4.51s,1.04ms,0.00ns,1.04ms,3.65us,1.04ms,1.11ms +teddy/teddy4-64pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/packed/leftmost-first,1.0.5,,899232,26526,4.56s,112.14us,0.00ns,113.07us,2.73us,109.67us,140.56us +teddy/teddy4-64pat-uncommon,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/packed/leftmost-first,1.0.5,,899232,27313,4.56s,109.09us,0.00ns,109.81us,2.01us,107.88us,143.25us +curated/sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,899232,101116,4.56s,29.46us,0.00ns,29.63us,828.00ns,28.00us,42.69us +curated/sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,899232,95503,4.57s,31.20us,0.00ns,31.38us,1.04us,28.98us,96.09us +curated/sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,899232,41364,4.56s,71.92us,0.00ns,72.49us,2.19us,70.90us,136.29us +curated/sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,899232,40850,4.56s,73.31us,0.00ns,73.41us,874.00ns,72.24us,142.88us +curated/sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,1570556,60415,4.57s,49.49us,0.00ns,49.62us,473.00ns,47.92us,56.87us +curated/sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,1570556,58852,4.57s,50.80us,0.00ns,50.94us,801.00ns,48.09us,117.43us +curated/sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,1570556,13196,4.51s,226.60us,1.00ns,227.32us,3.53us,223.32us,293.52us +curated/sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,1570556,13021,4.51s,229.81us,0.00ns,230.37us,3.44us,225.04us,267.93us +curated/sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,813478,159103,4.62s,18.66us,0.00ns,18.82us,443.00ns,18.46us,83.04us +curated/sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,813478,146743,4.62s,20.41us,0.00ns,20.41us,244.00ns,19.14us,46.70us +curated/alt-sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,899232,40192,4.56s,74.56us,0.00ns,74.60us,643.00ns,73.30us,97.32us +curated/alt-sherlock-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,899232,39673,4.56s,75.52us,0.00ns,75.58us,1.04us,74.47us,142.71us +curated/alt-sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,899232,15081,4.51s,198.12us,0.00ns,198.90us,4.34us,194.48us,234.21us +curated/alt-sherlock-casei-en,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,899232,15956,4.51s,188.03us,0.00ns,187.99us,4.51us,179.03us,253.20us +curated/alt-sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,1570556,13115,4.51s,228.19us,0.00ns,228.71us,3.75us,223.60us,261.44us +curated/alt-sherlock-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,1570556,12624,4.51s,235.44us,0.00ns,237.61us,5.02us,231.49us,308.59us +curated/alt-sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,1570556,3449,4.51s,868.79us,0.00ns,869.99us,7.53us,856.30us,936.01us +curated/alt-sherlock-casei-ru,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,1570556,3387,4.51s,883.76us,0.00ns,885.74us,13.41us,862.83us,944.65us +curated/alt-sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,813478,49942,4.56s,60.61us,0.00ns,60.03us,1.44us,57.47us,125.54us +curated/alt-sherlock-zh,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,813478,51467,4.56s,58.16us,0.00ns,58.25us,667.00ns,57.71us,126.10us +curated/dictionary-15,count,0.0.1 (rev 8c6edf6843),rust/aho-corasick/default/leftmost-first,1.0.5,,61436,9482,4.56s,317.35us,2.00ns,316.36us,6.12us,295.45us,387.97us +curated/dictionary-15,count,0.0.1 (rev 8c6edf6843),rust/old-aho-corasick/default/leftmost-first,1.0.5,,61436,9889,4.56s,302.09us,0.00ns,303.37us,8.48us,286.54us,386.97us diff --git a/benchmarks/regexes/dictionary/english/length-10.txt b/benchmarks/regexes/dictionary/english/length-10.txt new file mode 100644 index 0000000..9f02a94 --- /dev/null +++ b/benchmarks/regexes/dictionary/english/length-10.txt @@ -0,0 +1,43029 @@ +aardvark's +abandoning +abandonment +abandonment's +abasement's +abashment's +abatement's +abattoir's +abbreviate +abbreviated +abbreviates +abbreviating +abbreviation +abbreviation's +abbreviations +abdicating +abdication +abdication's +abdications +abductee's +abduction's +abductions +abductor's +Aberdeen's +Abernathy's +aberration +aberrational +aberration's +aberrations +abeyance's +abhorrence +abhorrence's +abhorrently +abidance's +abjection's +abjectness +abjectness's +abjuration +abjuration's +abjurations +abjuratory +ablation's +ablative's +ablution's +abnegating +abnegation +abnegation's +abnormalities +abnormality +abnormality's +abnormally +abolishing +abolitionism +abolitionism's +abolitionist +abolitionist's +abolitionists +abolition's +abominable +abominably +abominated +abominates +abominating +abomination +abomination's +abominations +aboriginal +aboriginal's +aboriginals +Aborigine's +Aborigines +aborigine's +aborigines +abortionist +abortionist's +abortionists +abortion's +abortively +aboveboard +abracadabra +abracadabra's +abrasion's +abrasively +abrasiveness +abrasiveness's +abrasive's +abridgment +abridgment's +abridgments +abrogating +abrogation +abrogation's +abrogations +abrogator's +abrogators +abruptness +abruptness's +abscessing +abscissa's +abscission +abscission's +absconder's +absconders +absconding +absenteeism +absenteeism's +absentee's +absentminded +absentmindedly +absentmindedness +absentmindedness's +absinthe's +absolutely +absoluteness +absoluteness's +absolute's +absolutest +absolution +absolution's +absolutism +absolutism's +absolutist +absolutist's +absolutists +absorbance +absorbency +absorbency's +absorbent's +absorbents +absorbingly +absorption +absorption's +absorptive +abstainer's +abstainers +abstaining +abstemious +abstemiously +abstemiousness +abstemiousness's +abstention +abstention's +abstentions +abstinence +abstinence's +abstracted +abstractedly +abstractedness +abstractedness's +abstracting +abstraction +abstraction's +abstractions +abstractly +abstractness +abstractnesses +abstractness's +abstract's +abstrusely +abstruseness +abstruseness's +absurdist's +absurdists +absurdities +absurdity's +absurdness +absurdness's +abundance's +abundances +abundantly +abusiveness +abusiveness's +abutment's +Abyssinian +Abyssinian's +Abyssinia's +academia's +academical +academically +academician +academician's +academicians +academic's +acanthuses +acanthus's +Acapulco's +accelerate +accelerated +accelerates +accelerating +acceleration +acceleration's +accelerations +accelerator +accelerator's +accelerators +accentuate +accentuated +accentuates +accentuating +accentuation +accentuation's +Accenture's +acceptability +acceptability's +acceptable +acceptableness +acceptableness's +acceptably +acceptance +acceptance's +acceptances +acceptation +acceptation's +acceptations +accessibility +accessibility's +accessible +accessibly +accessioned +accessioning +accession's +accessions +accessories +accessorize +accessorized +accessorizes +accessorizing +accessory's +accidental +accidentally +accidental's +accidentals +accident's +acclaiming +acclamation +acclamation's +acclimated +acclimates +acclimating +acclimation +acclimation's +acclimatization +acclimatization's +acclimatize +acclimatized +acclimatizes +acclimatizing +acclivities +acclivity's +accolade's +accommodate +accommodated +accommodates +accommodating +accommodatingly +accommodation +accommodation's +accommodations +accompanied +accompanies +accompaniment +accompaniment's +accompaniments +accompanist +accompanist's +accompanists +accompanying +accomplice +accomplice's +accomplices +accomplish +accomplished +accomplishes +accomplishing +accomplishment +accomplishment's +accomplishments +accordance +accordance's +accordingly +accordionist +accordionist's +accordionists +accordion's +accordions +accountability +accountability's +accountable +accountancy +accountancy's +accountant +accountant's +accountants +accounting +accounting's +accoutered +accoutering +accouterments +accouterments's +accreditation +accreditation's +accredited +accrediting +accretion's +accretions +acculturate +acculturated +acculturates +acculturating +acculturation +acculturation's +accumulate +accumulated +accumulates +accumulating +accumulation +accumulation's +accumulations +accumulative +accumulator +accumulator's +accumulators +accuracy's +accurately +accurateness +accurateness's +accursedness +accursedness's +accusation +accusation's +accusations +accusative +accusative's +accusatives +accusatory +accusingly +accustomed +accustoming +acerbating +acerbically +acerbity's +acetaminophen +acetaminophen's +acetylene's +Achernar's +achievable +achievement +achievement's +achievements +achiever's +Achilles's +achromatic +acidifying +acidosis's +acknowledge +acknowledged +acknowledges +acknowledging +acknowledgment +acknowledgment's +acknowledgments +Aconcagua's +acoustical +acoustically +acoustics's +acquaintance +acquaintance's +acquaintances +acquaintanceship +acquaintanceship's +acquainted +acquainting +acquiesced +acquiescence +acquiescence's +acquiescent +acquiescently +acquiesces +acquiescing +acquirable +acquirement +acquirement's +acquisition +acquisition's +acquisitions +acquisitive +acquisitively +acquisitiveness +acquisitiveness's +acquittal's +acquittals +acquitting +acridity's +acridness's +acrimonious +acrimoniously +acrimoniousness +acrimoniousness's +acrimony's +acrobatically +acrobatics +acrobatics's +acrophobia +acrophobia's +acropolises +acropolis's +acrostic's +acrylamide +actinium's +actionable +activating +activation +activation's +activator's +activators +activeness +activeness's +activism's +activist's +activities +activity's +actualities +actuality's +actualization +actualization's +actualized +actualizes +actualizing +actuation's +actuator's +acupressure +acupressure's +acupuncture +acupuncture's +acupuncturist +acupuncturist's +acupuncturists +acuteness's +acyclovir's +adaptability +adaptability's +adaptation +adaptation's +adaptations +addendum's +Adderley's +addiction's +addictions +additional +additionally +addition's +additive's +addressable +addressee's +addressees +addressing +Adelaide's +Adenauer's +adenocarcinoma +adeptness's +adequacy's +adequately +adequateness +adequateness's +adherence's +adherent's +adhesion's +adhesiveness +adhesiveness's +adhesive's +Adirondack +Adirondack's +Adirondacks +Adirondacks's +adjacency's +adjacently +adjectival +adjectivally +adjective's +adjectives +adjourning +adjournment +adjournment's +adjournments +adjudicate +adjudicated +adjudicates +adjudicating +adjudication +adjudication's +adjudications +adjudicative +adjudicator +adjudicator's +adjudicators +adjudicatory +adjuration +adjuration's +adjurations +adjustable +adjuster's +adjustment +adjustment's +adjustments +adjutant's +administer +administered +administering +administers +administrate +administrated +administrates +administrating +administration +administration's +administrations +administrative +administratively +administrator +administrator's +administrators +admiralty's +admiration +admiration's +admiringly +admissibility +admissibility's +admissible +admissibly +admission's +admissions +admittance +admittance's +admittedly +admixture's +admixtures +admonished +admonishes +admonishing +admonishment +admonishment's +admonishments +admonition +admonition's +admonitions +admonitory +adolescence +adolescence's +adolescences +adolescent +adolescent's +adolescents +adoption's +adorableness +adorableness's +adoration's +adornment's +adornments +adrenaline +adrenaline's +Adrenalin's +Adrenalins +adrenalin's +adrenergic +Adriatic's +Adrienne's +adroitness +adroitness's +adsorbent's +adsorbents +adsorption +adsorption's +adsorptions +adulation's +adulator's +adulterant +adulterant's +adulterants +adulterate +adulterated +adulterates +adulterating +adulteration +adulteration's +adulterer's +adulterers +adulteress +adulteresses +adulteress's +adulteries +adulterous +adultery's +adulthood's +adumbrated +adumbrates +adumbrating +adumbration +adumbration's +advancement +advancement's +advancements +advantaged +advantageous +advantageously +advantage's +advantages +advantaging +Adventist's +Adventists +adventitious +adventitiously +adventured +adventurer +adventurer's +adventurers +adventure's +adventures +adventuresome +adventuress +adventuresses +adventuress's +adventuring +adventurism +adventurist +adventurists +adventurous +adventurously +adventurousness +adventurousness's +adverbially +adverbial's +adverbials +adversarial +adversaries +adversary's +adverseness +adverseness's +adversities +adversity's +advertised +advertisement +advertisement's +advertisements +advertiser +advertiser's +advertisers +advertises +advertising +advertising's +advertorial +advertorial's +advertorials +advisability +advisability's +advisement +advisement's +advisories +advisory's +advocacy's +advocate's +advocating +aeration's +aerialist's +aerialists +aerobatics +aerobatics's +aerobically +aerobics's +aerodrome's +aerodromes +aerodynamic +aerodynamically +aerodynamics +aerodynamics's +Aeroflot's +aeronautic +aeronautical +aeronautics +aeronautics's +aerospace's +Aeschylus's +Aesculapius +Aesculapius's +aesthete's +aesthetically +aestheticism +aestheticism's +aesthetics +aesthetics's +affability +affability's +affectation +affectation's +affectations +affectedly +affectingly +affectionate +affectionately +affection's +affections +affiancing +affidavit's +affidavits +affiliated +affiliate's +affiliates +affiliating +affiliation +affiliation's +affiliations +affinities +affinity's +affirmation +affirmation's +affirmations +affirmative +affirmatively +affirmative's +affirmatives +afflatus's +afflicting +affliction +affliction's +afflictions +affluence's +affluently +affordability +affordable +affordably +afforestation +afforestation's +afforested +afforesting +affronting +Afghanistan +Afghanistan's +aficionado +aficionado's +aficionados +aforementioned +aforethought +Afrikaans's +Afrikaner's +Afrikaners +Afrocentric +Afrocentrism +Afrocentrism's +afterbirth +afterbirth's +afterbirths +afterburner +afterburner's +afterburners +aftercare's +aftereffect +aftereffect's +aftereffects +afterglow's +afterglows +afterimage +afterimage's +afterimages +afterlife's +afterlives +aftermarket +aftermarket's +aftermarkets +aftermath's +aftermaths +afternoon's +afternoons +aftershave +aftershave's +aftershaves +aftershock +aftershock's +aftershocks +aftertaste +aftertaste's +aftertastes +afterthought +afterthought's +afterthoughts +afterwards +afterword's +afterwords +Agamemnon's +agelessness +agelessness's +ageratum's +agglomerate +agglomerated +agglomerate's +agglomerates +agglomerating +agglomeration +agglomeration's +agglomerations +agglutinate +agglutinated +agglutinates +agglutinating +agglutination +agglutination's +agglutinations +aggrandize +aggrandized +aggrandizement +aggrandizement's +aggrandizes +aggrandizing +aggravated +aggravates +aggravating +aggravatingly +aggravation +aggravation's +aggravations +aggregated +aggregate's +aggregates +aggregating +aggregation +aggregation's +aggregations +aggregator +aggregator's +aggregators +aggression +aggression's +aggressive +aggressively +aggressiveness +aggressiveness's +aggressor's +aggressors +aggrieving +agitation's +agitations +agitator's +agitprop's +agnosticism +agnosticism's +agnostic's +agonizingly +agoraphobia +agoraphobia's +agoraphobic +agoraphobic's +agoraphobics +agrarianism +agrarianism's +agrarian's +agreeableness +agreeableness's +agreement's +agreements +agribusiness +agribusinesses +agribusiness's +Agricola's +agricultural +agriculturalist +agriculturalist's +agriculturalists +agriculturally +agriculture +agriculture's +agriculturist +agriculturist's +agriculturists +Agrippina's +agronomist +agronomist's +agronomists +agronomy's +Aguascalientes +Aguinaldo's +Ahmadabad's +Ahmadinejad +Ahmadinejad's +aigrette's +aimlessness +aimlessness's +airbrushed +airbrushes +airbrushing +airbrush's +aircraftman +aircraftmen +aircraft's +airdropped +airdropping +Airedale's +airfield's +airfreight +airfreight's +airiness's +airlessness +airlessness's +airletters +airlifting +airliner's +airmailing +airplane's +airsickness +airsickness's +airspace's +airstrike's +airstrikes +airstrip's +airwaves's +airworthiness +airworthiness's +Akhmatova's +Alabaman's +Alabamian's +Alabamians +alabaster's +alacrity's +Alamogordo +Alamogordo's +alarmingly +alarmist's +albacore's +Albanian's +albatrosses +albatross's +Albigensian +Albigensian's +albinism's +albuminous +Albuquerque +Albuquerque's +Alcatraz's +Alcestis's +alchemist's +alchemists +Alcibiades +Alcibiades's +Alcindor's +alcoholically +alcoholic's +alcoholics +alcoholism +alcoholism's +Aldebaran's +Alderamin's +alderman's +alderwoman +alderwoman's +alderwomen +alehouse's +Aleichem's +Alejandra's +Alejandro's +Alembert's +alertness's +Aleutian's +Alexander's +Alexanders +Alexandra's +Alexandria +Alexandrian +Alexandria's +algebraically +Algerian's +Algonquian +Algonquian's +Algonquians +Algonquin's +Algonquins +algorithmic +algorithm's +algorithms +Alhambra's +alienating +alienation +alienation's +alienist's +Alighieri's +alignment's +alignments +alimentary +alimenting +Alistair's +aliveness's +alkalinity +alkalinity's +alkalizing +alkaloid's +Allahabad's +allegation +allegation's +allegations +Alleghenies +Alleghenies's +Allegheny's +allegiance +allegiance's +allegiances +allegorical +allegorically +allegories +allegorist +allegorist's +allegorists +allegory's +allegretto +allegretto's +allegrettos +alleluia's +Allentown's +allergenic +allergen's +allergically +allergist's +allergists +alleviated +alleviates +alleviating +alleviation +alleviation's +alleyway's +Allhallows +Allhallows's +alliance's +alligator's +alligators +alliterate +alliterated +alliterates +alliterating +alliteration +alliteration's +alliterations +alliterative +alliteratively +allocating +allocation +allocation's +allocations +allotment's +allotments +allowance's +allowances +allspice's +Allstate's +allurement +allurement's +allurements +alluringly +allusion's +allusively +allusiveness +allusiveness's +alluvial's +alluvium's +Almighty's +Almoravid's +almshouse's +almshouses +alongshore +aloofness's +alphabetic +alphabetical +alphabetically +alphabetization +alphabetization's +alphabetizations +alphabetize +alphabetized +alphabetizer +alphabetizer's +alphabetizers +alphabetizes +alphabetizing +alphabet's +alphanumeric +alphanumerical +alphanumerically +Alphecca's +Alpheratz's +Alphonse's +Alphonso's +Alsatian's +Altamira's +altarpiece +altarpiece's +altarpieces +alteration +alteration's +alterations +altercation +altercation's +altercations +alternated +alternately +alternate's +alternates +alternating +alternation +alternation's +alternations +alternative +alternatively +alternative's +alternatives +alternator +alternator's +alternators +altimeter's +altimeters +Altiplano's +altitude's +altogether +altruism's +altruistic +altruistically +altruist's +aluminum's +Alvarado's +Alzheimer's +amalgamate +amalgamated +amalgamates +amalgamating +amalgamation +amalgamation's +amalgamations +amanuenses +amanuensis +amanuensis's +amaranth's +amaretto's +Amarillo's +amaryllises +amaryllis's +Amaterasu's +amateurish +amateurishly +amateurishness +amateurishness's +amateurism +amateurism's +amazement's +ambassador +ambassadorial +ambassador's +ambassadors +ambassadorship +ambassadorship's +ambassadorships +ambassadress +ambassadresses +ambassadress's +ambergris's +ambiance's +ambidexterity +ambidexterity's +ambidextrous +ambidextrously +ambiguities +ambiguity's +ambiguously +ambition's +ambitiously +ambitiousness +ambitiousness's +ambivalence +ambivalence's +ambivalent +ambivalently +ambrosia's +ambulanceman +ambulancemen +ambulance's +ambulances +ambulancewoman +ambulancewomen +ambulating +ambulation +ambulation's +ambulations +ambulatories +ambulatory +ambulatory's +ambuscaded +ambuscade's +ambuscades +ambuscading +ameliorate +ameliorated +ameliorates +ameliorating +amelioration +amelioration's +ameliorative +amenability +amenability's +amendment's +amendments +Amenhotep's +Amerasian's +amercement +amercement's +amercements +Americana's +Americanism +Americanism's +Americanisms +Americanization +Americanization's +Americanizations +Americanize +Americanized +Americanizes +Americanizing +American's +americium's +Amerindian +Amerindian's +Amerindians +amethyst's +amiability +amiability's +amicability +amicability's +ammunition +ammunition's +amnesiac's +amnestying +amniocenteses +amniocentesis +amniocentesis's +amontillado +amontillado's +amontillados +amorality's +amorousness +amorousness's +amorphously +amorphousness +amorphousness's +amortizable +amortization +amortization's +amortizations +amortizing +amoxicillin +amperage's +ampersand's +ampersands +amphetamine +amphetamine's +amphetamines +amphibian's +amphibians +amphibious +amphibiously +amphitheater +amphitheater's +amphitheaters +ampicillin +amplification +amplification's +amplifications +amplifier's +amplifiers +amplifying +amplitude's +amplitudes +amputating +amputation +amputation's +amputations +Amritsar's +Amsterdam's +Amundsen's +amusement's +amusements +Anabaptist +Anabaptist's +anabolism's +anachronism +anachronism's +anachronisms +anachronistic +anachronistically +anaconda's +Anacreon's +anaerobe's +anaerobically +Analects's +analgesia's +analgesic's +analgesics +analogical +analogically +analogized +analogizes +analogizing +analogously +analogousness +analogousness's +analogue's +analysand's +analysands +analysis's +analytical +analytically +analyzable +analyzer's +anapestic's +anapestics +anarchically +anarchism's +anarchistic +anarchist's +anarchists +Anastasia's +anathema's +anathematize +anathematized +anathematizes +anathematizing +Anatolian's +Anatolia's +anatomical +anatomically +anatomist's +anatomists +anatomized +anatomizes +anatomizing +Anaxagoras +Anaxagoras's +ancestor's +ancestrally +ancestress +ancestresses +ancestress's +ancestries +ancestry's +Anchorage's +anchorage's +anchorages +anchorite's +anchorites +anchorman's +anchorpeople +anchorperson +anchorperson's +anchorpersons +anchorwoman +anchorwoman's +anchorwomen +ancientest +ancientness +ancientness's +ancillaries +ancillary's +Andalusian +Andalusian's +Andalusia's +Andersen's +Anderson's +Andorran's +Andretti's +Andrianampoinimerina +Andrianampoinimerina's +androgenic +androgen's +androgynous +androgyny's +Andromache +Andromache's +Andromeda's +Andropov's +anecdotally +anecdote's +anemically +anemometer +anemometer's +anemometers +anesthesia +anesthesia's +anesthesiologist +anesthesiologist's +anesthesiologists +anesthesiology +anesthesiology's +anesthetic +anesthetic's +anesthetics +anesthetist +anesthetist's +anesthetists +anesthetization +anesthetization's +anesthetizations +anesthetize +anesthetized +anesthetizes +anesthetizing +aneurysm's +angelfishes +angelfish's +angelically +Angelica's +angelica's +Angelico's +Angelina's +Angeline's +Angelique's +Angelita's +angioplasties +angioplasty +angioplasty's +angiosperm +angiosperm's +angiosperms +angleworm's +angleworms +Anglicanism +Anglicanism's +Anglicanisms +Anglican's +Anglicism's +Anglicisms +anglicisms +Anglicization +anglicized +anglicizes +anglicizing +Anglophile +anglophile +Anglophile's +anglophiles +Anglophobe +anglophone +anglophones +Angstrom's +angstrom's +Anguilla's +anguishing +angularities +angularity +angularity's +angulation +Aniakchak's +animadversion +animadversion's +animadversions +animadvert +animadverted +animadverting +animadverts +animalcule +animalcule's +animalcules +animatedly +animation's +animations +animator's +animosities +animosity's +anisette's +anklebone's +anklebones +Annabelle's +annalist's +Annapolis's +Annapurna's +annexation +annexation's +annexations +annihilate +annihilated +annihilates +annihilating +annihilation +annihilation's +annihilator +annihilator's +annihilators +anniversaries +anniversary +anniversary's +Annmarie's +annotating +annotation +annotation's +annotations +annotative +annotator's +annotators +announcement +announcement's +announcements +announcer's +announcers +announcing +annoyance's +annoyances +annoyingly +annualized +annuitant's +annuitants +annulment's +annulments +Annunciation +annunciation +Annunciation's +Annunciations +annunciation's +annunciations +anointment +anointment's +anomalously +anonymity's +anonymously +anopheles's +anorectic's +anorectics +anorexia's +anorexic's +answerable +answerphone +answerphones +antagonism +antagonism's +antagonisms +antagonist +antagonistic +antagonistically +antagonist's +antagonists +antagonize +antagonized +antagonizes +antagonizing +Antananarivo +Antananarivo's +Antarctica +Antarctica's +Antarctic's +anteater's +antebellum +antecedence +antecedence's +antecedent +antecedent's +antecedents +antechamber +antechamber's +antechambers +antedating +antediluvian +antelope's +anteroom's +anthologies +anthologist +anthologist's +anthologists +anthologize +anthologized +anthologizes +anthologizing +anthology's +anthracite +anthracite's +Anthropocene +anthropocentric +anthropoid +anthropoid's +anthropoids +anthropological +anthropologically +anthropologist +anthropologist's +anthropologists +anthropology +anthropology's +anthropomorphic +anthropomorphically +anthropomorphism +anthropomorphism's +anthropomorphize +anthropomorphous +antiabortion +antiabortionist +antiabortionist's +antiabortionists +antiaircraft +antibacterial +antibacterial's +antibacterials +antibiotic +antibiotic's +antibiotics +antibodies +antibody's +anticancer +Antichrist +Antichrist's +Antichrists +anticipate +anticipated +anticipates +anticipating +anticipation +anticipation's +anticipations +anticipatory +anticlerical +anticlimactic +anticlimactically +anticlimax +anticlimaxes +anticlimax's +anticline's +anticlines +anticlockwise +anticoagulant +anticoagulant's +anticoagulants +anticommunism +anticommunism's +anticommunist +anticommunist's +anticommunists +anticyclone +anticyclone's +anticyclones +anticyclonic +antidemocratic +antidepressant +antidepressant's +antidepressants +antidote's +Antietam's +antifascist +antifascist's +antifascists +antifreeze +antifreeze's +antigenicity +antigenicity's +Antigone's +antiheroes +antihero's +antihistamine +antihistamine's +antihistamines +antiknock's +Antilles's +antilogarithm +antilogarithm's +antilogarithms +antimacassar +antimacassar's +antimacassars +antimalarial +antimatter +antimatter's +antimicrobial +antimissile +antimony's +antineutrino +antineutrino's +antineutrinos +antineutron +antineutron's +antineutrons +antinuclear +antioxidant +antioxidant's +antioxidants +antiparticle +antiparticle's +antiparticles +antipasto's +antipastos +antipathetic +antipathies +antipathy's +antipersonnel +antiperspirant +antiperspirant's +antiperspirants +antiphonal +antiphonally +antiphonal's +antiphonals +antiphon's +antipodals +antipodean +antipodean's +antipodeans +antipodes's +antipollution +antipoverty +antiproton +antiproton's +antiprotons +antiquarian +antiquarianism +antiquarianism's +antiquarian's +antiquarians +antiquaries +antiquary's +antiquated +antiquates +antiquating +antiquities +antiquity's +antirrhinum +antirrhinums +antiscience +antisemitic +antisemitism +antisemitism's +antisepsis +antisepsis's +antiseptic +antiseptically +antiseptic's +antiseptics +antiserum's +antiserums +antislavery +antisocial +antisocially +antispasmodic +antispasmodic's +antispasmodics +antisubmarine +antitheses +antithesis +antithesis's +antithetic +antithetical +antithetically +antitoxin's +antitoxins +antivenin's +antivenins +antiviral's +antivirals +antivivisectionist +antivivisectionist's +antivivisectionists +Antofagasta +Antofagasta's +Antoinette +Antoinette's +Antoninus's +Antonius's +antonymous +anxiousness +anxiousness's +anything's +Apalachicola +Apalachicola's +apartheid's +apartment's +apartments +apathetically +Apatosaurus +Apennines's +aperitif's +aperture's +aphelion's +aphorism's +aphoristic +aphoristically +aphrodisiac +aphrodisiac's +aphrodisiacs +Aphrodite's +apiarist's +Apocalypse +apocalypse +Apocalypse's +apocalypse's +apocalypses +apocalyptic +apocryphal +apocryphally +Apocrypha's +apocrypha's +apolitical +apolitically +Apollinaire +Apollinaire's +Apollonian +Apollonian's +apologetic +apologetically +apologia's +apologist's +apologists +apologized +apologizes +apologizing +apoplectic +apoplexies +apoplexy's +apostasies +apostasy's +apostate's +apostatize +apostatized +apostatizes +apostatizing +apostleship +apostleship's +apostrophe +apostrophe's +apostrophes +apothecaries +apothecary +apothecary's +apothegm's +apotheoses +apotheosis +apotheosis's +Appalachia +Appalachian +Appalachian's +Appalachians +Appalachians's +Appalachia's +appallingly +Appaloosa's +Appaloosas +appaloosa's +appaloosas +apparatchik +apparatchiks +apparatuses +apparatus's +appareling +apparently +apparition +apparition's +apparitions +appealingly +appearance +appearance's +appearances +appeasement +appeasement's +appeasements +appeaser's +appellant's +appellants +appellation +appellation's +appellations +appendage's +appendages +appendectomies +appendectomy +appendectomy's +appendices +appendicitis +appendicitis's +appendixes +appendix's +appertained +appertaining +appertains +appetite's +appetizer's +appetizers +appetizing +appetizingly +applauder's +applauders +applauding +applause's +applejack's +applesauce +applesauce's +Appleseed's +Appleton's +appliance's +appliances +applicability +applicability's +applicable +applicably +applicant's +applicants +application +application's +applications +applicator +applicator's +applicators +appliqueing +applique's +appliquéing +appliqué's +appointee's +appointees +appointing +appointive +appointment +appointment's +appointments +Appomattox +Appomattox's +apportioned +apportioning +apportionment +apportionment's +apportions +appositely +appositeness +appositeness's +apposition +apposition's +appositive +appositive's +appositives +appraisal's +appraisals +appraiser's +appraisers +appraising +appreciable +appreciably +appreciate +appreciated +appreciates +appreciating +appreciation +appreciation's +appreciations +appreciative +appreciatively +appreciator +appreciator's +appreciators +appreciatory +apprehended +apprehending +apprehends +apprehension +apprehension's +apprehensions +apprehensive +apprehensively +apprehensiveness +apprehensiveness's +apprentice +apprenticed +apprentice's +apprentices +apprenticeship +apprenticeship's +apprenticeships +apprenticing +approachable +approached +approaches +approaching +approach's +approbation +approbation's +approbations +appropriate +appropriated +appropriately +appropriateness +appropriateness's +appropriates +appropriating +appropriation +appropriation's +appropriations +appropriator +appropriator's +appropriators +approval's +approvingly +approximate +approximated +approximately +approximates +approximating +approximation +approximation's +approximations +appurtenance +appurtenance's +appurtenances +appurtenant +aptitude's +Apuleius's +aquaculture +aquaculture's +Aquafresh's +aqualung's +aquamarine +aquamarine's +aquamarines +aquanaut's +aquaplaned +aquaplane's +aquaplanes +aquaplaning +aquarium's +Aquariuses +Aquarius's +aquatically +aquatics's +aqueduct's +Aquitaine's +arabesque's +arabesques +arability's +arachnid's +arachnophobia +Araguaya's +Araucanian +Araucanian's +Arawakan's +arbitraged +arbitrager +arbitrager's +arbitragers +arbitrage's +arbitrages +arbitrageur +arbitrageur's +arbitrageurs +arbitraging +arbitrament +arbitrament's +arbitraments +arbitrarily +arbitrariness +arbitrariness's +arbitrated +arbitrates +arbitrating +arbitration +arbitration's +arbitrator +arbitrator's +arbitrators +Arbitron's +arboretum's +arboretums +arborvitae +arborvitae's +arborvitaes +Arcadian's +archaeological +archaeologically +archaeologist +archaeologist's +archaeologists +archaeology +archaeology's +archaically +archaism's +archaist's +archangel's +archangels +archbishop +archbishopric +archbishopric's +archbishoprics +archbishop's +archbishops +archdeacon +archdeacon's +archdeacons +archdiocesan +archdiocese +archdiocese's +archdioceses +archduchess +archduchesses +archduchess's +archduke's +archenemies +archenemy's +archetypal +archetype's +archetypes +archfiend's +archfiends +Archibald's +archiepiscopal +Archimedes +Archimedes's +archipelago +archipelago's +archipelagos +architectonic +architectonics +architectonics's +architect's +architects +architectural +architecturally +architecture +architecture's +architectures +architrave +architrave's +architraves +archivist's +archivists +archness's +Arcturus's +arduousness +arduousness's +Arequipa's +Argentina's +Argentinean +Argentine's +Argentinian +Argentinian's +Argentinians +Argonaut's +argumentation +argumentation's +argumentative +argumentatively +argumentativeness +argumentativeness's +argument's +Arianism's +Aristarchus +Aristarchus's +Aristides's +aristocracies +aristocracy +aristocracy's +aristocrat +aristocratic +aristocratically +aristocrat's +aristocrats +Aristophanes +Aristophanes's +Aristotelian +Aristotelian's +Aristotle's +arithmetic +arithmetical +arithmetically +arithmetician +arithmetician's +arithmeticians +arithmetic's +Arizonan's +Arizonian's +Arizonians +Arkansan's +Arkansas's +Arkhangelsk +Arkhangelsk's +Arkwright's +Arlington's +armadillo's +armadillos +Armageddon +Armageddon's +Armageddons +Armagnac's +armament's +armature's +armchair's +Armenian's +Arminius's +armistice's +armistices +Armstrong's +aromatherapist +aromatherapist's +aromatherapists +aromatherapy +aromatherapy's +aromatically +aromatic's +arpeggio's +arraigning +arraignment +arraignment's +arraignments +arrangement +arrangement's +arrangements +arranger's +Arrhenius's +arrhythmia +arrhythmia's +arrhythmic +arrhythmical +arrogance's +arrogantly +arrogating +arrogation +arrogation's +arrowhead's +arrowheads +arrowroot's +arsonist's +Artaxerxes +Artaxerxes's +arteriole's +arterioles +arteriosclerosis +arteriosclerosis's +artfulness +artfulness's +arthritic's +arthritics +arthritis's +arthropod's +arthropods +arthroscope +arthroscope's +arthroscopes +arthroscopic +arthroscopy +Arthurian's +artichoke's +artichokes +articulacy +articulate +articulated +articulately +articulateness +articulateness's +articulates +articulating +articulation +articulation's +articulations +artifact's +artificer's +artificers +artifice's +artificial +artificiality +artificiality's +artificially +artilleryman +artilleryman's +artillerymen +artillery's +artiness's +artistically +artistry's +artlessness +artlessness's +asbestos's +ascendance +ascendance's +ascendancy +ascendancy's +ascendant's +ascendants +Ascension's +ascension's +ascensions +ascertainable +ascertained +ascertaining +ascertainment +ascertainment's +ascertains +ascetically +asceticism +asceticism's +ascribable +ascription +ascription's +aseptically +asexuality +asexuality's +Ashcroft's +Ashikaga's +Ashkenazim +Ashkenazim's +Ashkhabad's +Ashmolean's +Ashurbanipal +Ashurbanipal's +asininities +asininity's +asparagus's +aspartame's +Asperger's +asperities +asperity's +aspersion's +aspersions +asphalting +asphodel's +asphyxia's +asphyxiate +asphyxiated +asphyxiates +asphyxiating +asphyxiation +asphyxiation's +asphyxiations +Aspidiske's +aspidistra +aspidistra's +aspidistras +aspirant's +aspirate's +aspirating +aspiration +aspiration's +aspirations +aspirator's +aspirators +assailable +assailant's +assailants +Assamese's +assassinate +assassinated +assassinates +assassinating +assassination +assassination's +assassinations +assassin's +assaulting +assemblage +assemblage's +assemblages +assembler's +assemblers +assemblies +assembling +assemblyman +assemblyman's +assemblymen +assembly's +assemblywoman +assemblywoman's +assemblywomen +assertion's +assertions +assertively +assertiveness +assertiveness's +assessment +assessment's +assessments +assessor's +asseverate +asseverated +asseverates +asseverating +asseveration +asseveration's +assiduity's +assiduously +assiduousness +assiduousness's +assignable +assignation +assignation's +assignations +assignee's +assigner's +assignment +assignment's +assignments +assignor's +assimilate +assimilated +assimilates +assimilating +assimilation +assimilation's +assistance +assistance's +assistant's +assistants +associated +associate's +associates +associating +association +association's +associations +associative +assonance's +assonant's +assortment +assortment's +assortments +assumption +assumption's +assumptions +assumptive +assurance's +assurances +Assyrian's +astatine's +asterisked +asterisking +asterisk's +asteroid's +asthmatically +asthmatic's +asthmatics +astigmatic +astigmatism +astigmatism's +astigmatisms +astonished +astonishes +astonishing +astonishingly +astonishment +astonishment's +astounding +astoundingly +Astrakhan's +astrakhan's +astringency +astringency's +astringent +astringently +astringent's +astringents +astrolabe's +astrolabes +astrologer +astrologer's +astrologers +astrological +astrologically +astrologist +astrologist's +astrologists +astrology's +astronautic +astronautical +astronautics +astronautics's +astronaut's +astronauts +astronomer +astronomer's +astronomers +astronomic +astronomical +astronomically +astronomy's +astrophysical +astrophysicist +astrophysicist's +astrophysicists +astrophysics +astrophysics's +AstroTurf's +Asturias's +astuteness +astuteness's +Asunción's +Asuncion's +asymmetric +asymmetrical +asymmetrically +asymmetries +asymmetry's +asymptomatic +asymptotic +asymptotically +asynchronous +asynchronously +Atahualpa's +Atalanta's +Athabasca's +Athabaskan +Athabaskan's +Athabaskans +Athanasius +Athenian's +atherosclerosis +atherosclerosis's +atherosclerotic +athletically +athleticism +athletics's +Atkinson's +Atlantic's +Atlantis's +atmosphere +atmosphere's +atmospheres +atmospheric +atmospherically +atmospherics +atmospherics's +atomically +atomizer's +atonality's +atonement's +atrioventricular +atrociously +atrociousness +atrociousness's +atrocities +atrocity's +atrophying +atropine's +attachable +attachment +attachment's +attachments +attacker's +attainability +attainability's +attainable +attainder's +attainment +attainment's +attainments +attempting +attendance +attendance's +attendances +attendant's +attendants +attendee's +attention's +attentions +attentively +attentiveness +attentiveness's +attenuated +attenuates +attenuating +attenuation +attenuation's +attestation +attestation's +attestations +attitude's +attitudinal +attitudinize +attitudinized +attitudinizes +attitudinizing +attorney's +attractable +attractant +attractant's +attractants +attracting +attraction +attraction's +attractions +attractive +attractively +attractiveness +attractiveness's +attributable +attributed +attribute's +attributes +attributing +attribution +attribution's +attributions +attributive +attributively +attributive's +attributives +attrition's +atypically +aubergines +Auckland's +auctioneer +auctioneer's +auctioneers +auctioning +audaciously +audaciousness +audaciousness's +audacity's +audibility +audibility's +audience's +audiological +audiologist +audiologist's +audiologists +audiology's +audiometer +audiometer's +audiometers +audiophile +audiophile's +audiophiles +audiotape's +audiotapes +audiovisual +audiovisuals +audiovisuals's +auditioned +auditioning +audition's +auditorium +auditorium's +auditoriums +augmentation +augmentation's +augmentations +augmentative +augmenter's +augmenters +augmenting +Augsburg's +Augustan's +Augustine's +Augustinian +Augustinian's +Augustinians +augustness +augustness's +Augustus's +Aurangzeb's +Aurelius's +Aureomycin +Aureomycin's +Auschwitz's +auscultate +auscultated +auscultates +auscultating +auscultation +auscultation's +auscultations +auspicious +auspiciously +auspiciousness +auspiciousness's +austerities +austerity's +Austerlitz +Austerlitz's +Australasia +Australasian +Australasia's +Australian +Australian's +Australians +Australia's +Australoid +Australoid's +Australopithecus +Australopithecus's +Austrian's +Austronesian +Austronesian's +authentically +authenticate +authenticated +authenticates +authenticating +authentication +authentication's +authentications +authenticity +authenticity's +authoresses +authoress's +authoritarian +authoritarianism +authoritarianism's +authoritarian's +authoritarians +authoritative +authoritatively +authoritativeness +authoritativeness's +authorities +authority's +authorization +authorization's +authorizations +authorized +authorizes +authorizing +authorship +authorship's +autobahn's +autobiographer +autobiographer's +autobiographers +autobiographic +autobiographical +autobiographically +autobiographies +autobiography +autobiography's +autoclave's +autoclaves +autocracies +autocracy's +autocratic +autocratically +autocrat's +autodidact +autodidact's +autodidacts +autographed +autographing +autograph's +autographs +autoimmune +autoimmunity +autoimmunity's +automaker's +automakers +automatically +automatic's +automatics +automating +automation +automation's +automatism +automatism's +automatize +automatized +automatizes +automatizing +automaton's +automatons +automobile +automobiled +automobile's +automobiles +automobiling +automotive +autonomous +autonomously +autonomy's +autopilot's +autopilots +autopsying +autosuggestion +autoworker +autoworker's +autoworkers +auxiliaries +auxiliary's +availability +availability's +avalanche's +avalanches +avaricious +avariciously +Aventine's +Averroes's +aversion's +aviation's +aviatrices +aviatrixes +aviatrix's +Avicenna's +avionics's +avitaminosis +avitaminosis's +avocational +avocation's +avocations +Avogadro's +avoidance's +avoirdupois +avoirdupois's +avuncularly +awakening's +awakenings +awareness's +awesomeness +awesomeness's +awfulness's +awkwardest +awkwardness +awkwardness's +axiomatically +axletree's +ayatollah's +ayatollahs +Ayrshire's +Ayurveda's +Azerbaijan +Azerbaijani +Azerbaijani's +Azerbaijanis +Azerbaijan's +Baathist's +babushka's +babyhood's +Babylonian +Babylonian's +Babylonians +Babylonia's +babysitter +babysitter's +babysitters +babysitting +babysitting's +baccalaureate +baccalaureate's +baccalaureates +baccarat's +Bacchanalia +bacchanalia +bacchanalian +bacchanalian's +bacchanalians +Bacchanalia's +bacchanalia's +bacchanal's +bacchanals +bachelorhood +bachelorhood's +bachelor's +bacillus's +backache's +backbenches +backbiter's +backbiters +backbiting +backbitten +backboard's +backboards +backbone's +backbreaking +backcloths +backcombed +backcombing +backdating +backdrop's +backfield's +backfields +backfire's +backfiring +backgammon +backgammon's +background +backgrounder +backgrounder's +backgrounders +background's +backgrounds +backhanded +backhandedly +backhander +backhander's +backhanders +backhanding +backhand's +backlashes +backlash's +backlogged +backlogging +backpacked +backpacker +backpacker's +backpackers +backpacking +backpacking's +backpack's +backpedaled +backpedaling +backpedals +backrest's +backscratching +backscratching's +backseat's +backside's +backslapper +backslapper's +backslappers +backslapping +backslapping's +backslashes +backslash's +backslider +backslider's +backsliders +backslides +backsliding +backspaced +backspace's +backspaces +backspacing +backspin's +backstabber +backstabber's +backstabbers +backstabbing +backstage's +backstairs +backstopped +backstopping +backstop's +backstories +backstreet +backstreets +backstretch +backstretches +backstretch's +backstroke +backstroked +backstroke's +backstrokes +backstroking +backtalk's +backtracked +backtracking +backtracks +backwardly +backwardness +backwardness's +backwash's +backwater's +backwaters +backwoodsman +backwoodsman's +backwoodsmen +backwoods's +backyard's +bacteria's +bactericidal +bactericide +bactericide's +bactericides +bacteriologic +bacteriological +bacteriologist +bacteriologist's +bacteriologists +bacteriology +bacteriology's +bacterium's +badinage's +Badlands's +badlands's +badminton's +badmouthed +badmouthing +Baedeker's +bafflement +bafflement's +bagatelle's +bagatelles +bagginess's +bagpiper's +baguette's +Bahamanian +Bahamian's +Baha'ullah +Baha'ullah's +bailiwick's +bailiwicks +bailsman's +Bakelite's +Bakersfield +Bakersfield's +bakeshop's +baksheesh's +balaclava's +balaclavas +balalaika's +balalaikas +Balanchine +Balanchine's +balderdash +balderdash's +baldness's +Balearic's +balefulness +balefulness's +Balinese's +Balkhash's +balladeer's +balladeers +balladry's +ballasting +ballcock's +ballerina's +ballerinas +ballgame's +ballistics +ballistics's +ballooning +balloonist +balloonist's +balloonists +ballpark's +ballplayer +ballplayer's +ballplayers +ballpoint's +ballpoints +ballroom's +ballyhooed +ballyhooing +ballyhoo's +balminess's +Balthazar's +Baltimore's +Baluchistan +Baluchistan's +baluster's +balustrade +balustrade's +balustrades +bamboozled +bamboozles +bamboozling +banalities +banality's +Bancroft's +bandanna's +banditry's +bandleader +bandleaders +bandmaster +bandmaster's +bandmasters +bandoleer's +bandoleers +bandsman's +bandstand's +bandstands +bandwagon's +bandwagons +bandwidths +Bangalore's +Bangladesh +Bangladeshi +Bangladeshi's +Bangladeshis +Bangladesh's +banishment +banishment's +banister's +Banjarmasin +Banjarmasin's +banjoist's +bankbook's +bankcard's +banknote's +bankrolled +bankrolling +bankroll's +bankruptcies +bankruptcy +bankruptcy's +bankrupted +bankrupting +bankrupt's +Banneker's +Bannister's +banqueter's +banqueters +banqueting +banquette's +banquettes +bantamweight +bantamweight's +bantamweights +banteringly +baptisteries +baptistery +baptistery's +Baptiste's +baptizer's +Barabbas's +Barbadian's +Barbadians +Barbados's +Barbarella +Barbarella's +barbarianism +barbarianism's +barbarianisms +barbarian's +barbarians +barbarically +barbarism's +barbarisms +barbarities +barbarity's +barbarized +barbarizes +barbarizing +Barbarossa +Barbarossa's +barbarously +barbecue's +barbecuing +barberries +barberry's +barbershop +barbershop's +barbershops +barbiturate +barbiturate's +barbiturates +barbwire's +barcarole's +barcaroles +Barcelona's +Barclays's +barebacked +barefacedly +barefooted +barehanded +bareheaded +barelegged +bareness's +bargainer's +bargainers +bargaining +bargeman's +barhopping +baritone's +barkeeper's +barkeepers +Barnabas's +barnacle's +barnstormed +barnstormer +barnstormer's +barnstormers +barnstorming +barnstorms +barnyard's +barometer's +barometers +barometric +barometrically +baronage's +baronesses +baroness's +baronetcies +baronetcy's +Barquisimeto +Barquisimeto's +barracking +barracuda's +barracudas +Barranquilla +Barranquilla's +barrenness +barrenness's +barrette's +barricaded +barricade's +barricades +barricading +barrister's +barristers +Barrymore's +bartender's +bartenders +barterer's +Bartholdi's +Bartholomew +Bartholomew's +Bartlett's +Baryshnikov +Baryshnikov's +baseball's +baseboard's +baseboards +baseline's +basement's +baseness's +bashfulness +bashfulness's +basilica's +basilisk's +basinful's +basketball +basketball's +basketballs +basketry's +basketwork +basketwork's +Basseterre +Basseterre's +bassinet's +bassoonist +bassoonist's +bassoonists +basswood's +bastardization +bastardization's +bastardizations +bastardize +bastardized +bastardizes +bastardizing +bastardy's +Bastille's +Basutoland +Basutoland's +bathhouse's +bathhouses +bathrobe's +bathroom's +Bathsheba's +bathyscaphe +bathyscaphe's +bathyscaphes +bathysphere +bathysphere's +bathyspheres +battalion's +battalions +batterer's +batterings +battleaxe's +battleaxes +battledore +battledore's +battledores +battledress +battlefield +battlefield's +battlefields +battlefront +battlefront's +battlefronts +battleground +battleground's +battlegrounds +battlement +battlement's +battlements +battleship +battleship's +battleships +Baudelaire +Baudelaire's +Baudouin's +Baudrillard +Baudrillard's +Bavarian's +bawdiness's +bayberries +bayberry's +Bayesian's +bayoneting +Bayreuth's +Baywatch's +bazillions +beachcomber +beachcomber's +beachcombers +beachfront +beachhead's +beachheads +beachwear's +beanfeasts +beanpole's +beansprout +beansprouts +beanstalk's +beanstalks +Beardmore's +Beardsley's +bearishness +bearishness's +Bearnaise's +bearskin's +beastliest +beastliness +beastliness's +beatifically +beatification +beatification's +beatifications +beatifying +beatitude's +beatitudes +Beatlemania +Beatlemania's +Beatrice's +Beaufort's +Beaujolais +Beaujolais's +Beaumarchais +Beaumarchais's +Beaumont's +Beauregard +Beauregard's +beauteously +beautician +beautician's +beauticians +beautification +beautification's +beautified +beautifier +beautifier's +beautifiers +beautifies +beautifully +beautifying +Beauvoir's +beclouding +becomingly +Becquerel's +becquerels +bedazzlement +bedazzlement's +bedazzling +bedchamber +bedchambers +bedclothes +bedclothes's +bedeviling +bedevilment +bedevilment's +bedfellow's +bedfellows +bedizening +bedraggled +bedraggles +bedraggling +bedsitters +bedspread's +bedspreads +bedstead's +beebread's +beechnut's +Beefaroni's +beefburger +beefburger's +beefburgers +beefcake's +beefiness's +beefsteak's +beefsteaks +beekeeper's +beekeepers +beekeeping +beekeeping's +Beelzebub's +Beerbohm's +Beethoven's +befittingly +beforehand +befriended +befriending +befuddlement +befuddlement's +befuddling +beginner's +beginning's +beginnings +begrudging +begrudgingly +beguilement +beguilement's +beguiler's +beguilingly +behavioral +behaviorally +behaviorism +behaviorism's +behaviorist +behaviorist's +behaviorists +behavior's +behemoth's +behindhand +beholder's +Beiderbecke +Beiderbecke's +bejeweling +belaboring +Belarusian +beleaguered +beleaguering +beleaguers +Belgrade's +believable +believably +believer's +belittlement +belittlement's +belittling +belladonna +belladonna's +Bellatrix's +belletrist +belletristic +belletrist's +belletrists +bellicosity +bellicosity's +belligerence +belligerence's +belligerency +belligerency's +belligerent +belligerently +belligerent's +belligerents +bellwether +bellwether's +bellwethers +bellyached +bellyache's +bellyaches +bellyaching +bellybutton +bellybutton's +bellybuttons +bellyful's +Belmopan's +belonging's +belongings +Belorussian +Belorussian's +Belorussians +Belshazzar +Belshazzar's +bemusement +bemusement's +Benacerraf +Benacerraf's +Benchley's +benchmark's +benchmarks +Benedictine +benedictine +Benedictine's +Benedictines +benediction +benediction's +benedictions +benedictory +Benedict's +benefaction +benefaction's +benefactions +benefactor +benefactor's +benefactors +benefactress +benefactresses +benefactress's +beneficence +beneficence's +beneficent +beneficently +benefice's +beneficial +beneficially +beneficiaries +beneficiary +beneficiary's +benefiting +Benetton's +benevolence +benevolence's +benevolences +benevolent +benevolently +Benghazi's +benightedly +benignity's +Beninese's +Benjamin's +bentwood's +Benzedrine +Benzedrine's +bequeathed +bequeathing +bereavement +bereavement's +bereavements +Berenice's +Bergerac's +beriberi's +Berkeley's +berkelium's +Berkshire's +Berkshires +Berkshires's +Berliner's +Bermudan's +Bermudian's +Bermudians +Bernadette +Bernadette's +Bernadine's +Bernanke's +Bernardo's +Bernbach's +Bernhardt's +Bernoulli's +Bernstein's +Bertelsmann +Bertelsmann's +Bertillon's +Bertrand's +beryllium's +Berzelius's +beseecher's +beseechers +beseeching +beseechingly +besieger's +besmearing +besmirched +besmirches +besmirching +bespangled +bespangles +bespangling +bespattered +bespattering +bespatters +bespeaking +bespectacled +Bessemer's +bestiality +bestiality's +bestiaries +bestiary's +bestirring +bestowal's +bestrewing +bestridden +bestriding +bestseller +bestseller's +bestsellers +bestselling +Betelgeuse +Betelgeuse's +Bethesda's +bethinking +Bethlehem's +betokening +betrayal's +betrayer's +betrothal's +betrothals +betrothed's +betrothing +betterment +betterment's +beverage's +Beverley's +bewhiskered +bewildered +bewildering +bewilderingly +bewilderment +bewilderment's +bewitching +bewitchingly +bewitchment +bewitchment's +Bhutanese's +Bialystok's +biannually +biathlon's +bibliographer +bibliographer's +bibliographers +bibliographic +bibliographical +bibliographically +bibliographies +bibliography +bibliography's +bibliophile +bibliophile's +bibliophiles +bicameralism +bicameralism's +bicarbonate +bicarbonate's +bicarbonates +bicentenaries +bicentenary +bicentenary's +bicentennial +bicentennial's +bicentennials +bickerer's +bicuspid's +bicycler's +bicyclist's +bicyclists +bidirectional +bidirectionally +biennially +biennial's +biennium's +bifocals's +bifurcated +bifurcates +bifurcating +bifurcation +bifurcation's +bifurcations +bigamist's +bighearted +bigheartedness +bigheartedness's +bigmouth's +bilabial's +bilaterally +bilberries +bilingualism +bilingualism's +bilingually +bilingual's +bilinguals +biliousness +biliousness's +billboard's +billboards +billfold's +billiards's +billingsgate +billingsgate's +Billings's +billionaire +billionaire's +billionaires +billionth's +billionths +bimetallic +bimetallic's +bimetallics +bimetallism +bimetallism's +bimonthlies +bimonthly's +bindweed's +binnacle's +binocular's +binoculars +binomial's +biochemical +biochemically +biochemical's +biochemicals +biochemist +biochemistry +biochemistry's +biochemist's +biochemists +biodegradability +biodegradability's +biodegradable +biodegrade +biodegraded +biodegrades +biodegrading +biodiversity +biodiversity's +bioethics's +biofeedback +biofeedback's +biographer +biographer's +biographers +biographic +biographical +biographically +biographies +biography's +biological +biologically +biologist's +biologists +biomedical +bionically +biophysical +biophysicist +biophysicist's +biophysicists +biophysics +biophysics's +bioreactor +bioreactors +biorhythm's +biorhythms +biosensors +biosphere's +biospheres +biosynthesis +biotechnological +biotechnology +biotechnology's +bipartisan +bipartisanship +bipartisanship's +bipolarity +bipolarity's +birdbath's +birdbrained +birdbrain's +birdbrains +birdhouse's +birdhouses +birdlime's +birdseed's +Birdseye's +birdwatcher +birdwatcher's +birdwatchers +Birkenstock +Birkenstock's +Birmingham +Birmingham's +birthday's +birthmark's +birthmarks +birthplace +birthplace's +birthplaces +birthrate's +birthrates +birthright +birthright's +birthrights +birthstone +birthstone's +birthstones +Biscayne's +bisection's +bisections +bisector's +bisexuality +bisexuality's +bisexually +bisexual's +bishopric's +bishoprics +Bismarck's +Bisquick's +bitchiness +bitchiness's +bitterness +bitterness's +bittersweet +bittersweet's +bittersweets +BitTorrent +BitTorrent's +bituminous +bivouacked +bivouacking +biweeklies +biweekly's +Bjerknes's +blabbering +blabbermouth +blabbermouth's +blabbermouths +blackamoor +blackamoor's +blackamoors +blackballed +blackballing +blackball's +blackballs +Blackbeard +Blackbeard's +blackberries +BlackBerry +blackberry +blackberrying +BlackBerry's +blackberry's +blackbird's +blackbirds +blackboard +blackboard's +blackboards +Blackburn's +blackcurrant +blackcurrants +blackening +Blackfeet's +Blackfoot's +blackguard +blackguard's +blackguards +blackhead's +blackheads +blacking's +blackjacked +blackjacking +blackjack's +blackjacks +blacklisted +blacklisting +blacklist's +blacklists +blackmailed +blackmailer +blackmailer's +blackmailers +blackmailing +blackmail's +blackmails +blackness's +blackout's +Blackpool's +Blackshirt +Blackshirt's +blacksmith +blacksmith's +blacksmiths +blacksnake +blacksnake's +blacksnakes +Blackstone +Blackstone's +blackthorn +blackthorn's +blackthorns +blacktopped +blacktopping +blacktop's +Blackwell's +blamelessly +blamelessness +blamelessness's +blameworthiness +blameworthiness's +blameworthy +Blanchard's +blancmange +blancmange's +blancmanges +blandished +blandishes +blandishing +blandishment +blandishment's +blandishments +blandness's +Blankenship +Blankenship's +blanketing +blankness's +Blantyre's +blarneying +blasphemed +blasphemer +blasphemer's +blasphemers +blasphemes +blasphemies +blaspheming +blasphemous +blasphemously +blasphemy's +blastoff's +blatancies +blatancy's +blathering +Blavatsky's +bleacher's +bleakness's +bleariness +bleariness's +bleeding's +blemishing +Blenheim's +blessedness +blessedness's +blessing's +blindfolded +blindfolding +blindfold's +blindfolds +blindingly +blindness's +blindsided +blindsides +blindsiding +blinkering +blissfully +blissfulness +blissfulness's +blistering +blisteringly +blitheness +blitheness's +blithering +blithesome +blitzkrieg +blitzkrieg's +blitzkriegs +blizzard's +blockader's +blockaders +blockade's +blockading +blockage's +Blockbuster +blockbuster +Blockbuster's +blockbuster's +blockbusters +blockbusting +blockbusting's +blockhead's +blockheads +blockhouse +blockhouse's +blockhouses +Bloemfontein +Bloemfontein's +blondness's +bloodbath's +bloodbaths +bloodcurdling +bloodhound +bloodhound's +bloodhounds +bloodiness +bloodiness's +bloodlessly +bloodlessness +bloodlessness's +bloodletting +bloodletting's +bloodline's +bloodlines +bloodmobile +bloodmobile's +bloodmobiles +bloodshed's +bloodstain +bloodstained +bloodstain's +bloodstains +bloodstock +bloodstock's +bloodstream +bloodstream's +bloodstreams +bloodsucker +bloodsucker's +bloodsuckers +bloodsucking +bloodthirstier +bloodthirstiest +bloodthirstily +bloodthirstiness +bloodthirstiness's +bloodthirsty +Bloomfield +Bloomfield's +Bloomingdale +Bloomingdale's +Bloomsbury +Bloomsbury's +blossoming +blotchiest +blowhard's +blowpipe's +blowtorches +blowtorch's +blubbering +bludgeoned +bludgeoning +bludgeon's +Bluebeard's +bluebell's +blueberries +blueberry's +bluebird's +bluebonnet +bluebonnet's +bluebonnets +bluebottle +bluebottle's +bluebottles +bluefishes +bluefish's +bluegill's +bluegrass's +bluejacket +bluejacket's +bluejackets +bluejeans's +blueness's +bluenose's +bluepoint's +bluepoints +blueprinted +blueprinting +blueprint's +blueprints +bluestocking +bluestocking's +bluestockings +Bluetooth's +bluffness's +blunderbuss +blunderbusses +blunderbuss's +blunderer's +blunderers +blundering +bluntness's +blurriness +blurriness's +blusterer's +blusterers +blustering +blusterous +boardinghouse +boardinghouse's +boardinghouses +boarding's +boardroom's +boardrooms +boardwalk's +boardwalks +boastfully +boastfulness +boastfulness's +boathouse's +boathouses +boatswain's +boatswains +bobbysoxer +bobbysoxer's +bobbysoxers +bobolink's +bobsledded +bobsledder +bobsledder's +bobsledders +bobsledding +bobsleigh's +bobsleighs +bobwhite's +Boccaccio's +Bodhidharma +Bodhidharma's +Bodhisattva +Bodhisattva's +bodybuilder +bodybuilder's +bodybuilders +bodybuilding +bodybuilding's +bodyguard's +bodyguards +bodysuit's +bodywork's +Boeotian's +Boethius's +bogeyman's +bohemianism +bohemianism's +Bohemian's +bohemian's +boilermaker +boilermaker's +boilermakers +boilerplate +boilerplate's +boisterous +boisterously +boisterousness +boisterousness's +Bojangles's +boldface's +boldness's +Bolivian's +bollocking +bollockings +Bollywood's +Bolsheviki +Bolshevik's +Bolsheviks +Bolshevism +Bolshevism's +Bolshevist +Bolshevist's +bolstering +Boltzmann's +bombardier +bombardier's +bombardiers +bombarding +bombardment +bombardment's +bombardments +bombastically +bombshell's +bombshells +Bonaparte's +Bonaventure +Bonaventure's +bondholder +bondholder's +bondholders +bondsman's +bondwoman's +boneheaded +bonehead's +boneshaker +boneshakers +Bonhoeffer +Bonhoeffer's +bonhomie's +Boniface's +boniness's +Bonneville +Bonneville's +boogeyman's +boogieman's +bookbinder +bookbinderies +bookbinder's +bookbinders +bookbindery +bookbindery's +bookbinding +bookbinding's +bookcase's +bookkeeper +bookkeeper's +bookkeepers +bookkeeping +bookkeeping's +bookmaker's +bookmakers +bookmaking +bookmaking's +bookmarked +bookmarking +bookmark's +bookmobile +bookmobile's +bookmobiles +bookplate's +bookplates +bookseller +bookseller's +booksellers +bookshelf's +bookshelves +bookshop's +bookstalls +bookstore's +bookstores +bookworm's +boomeranged +boomeranging +boomerang's +boomerangs +boondocks's +boondoggle +boondoggled +boondoggler +boondoggler's +boondogglers +boondoggle's +boondoggles +boondoggling +boorishness +boorishnesses +boorishness's +bootblack's +bootblacks +bootlegged +bootlegger +bootlegger's +bootleggers +bootlegging +bootlegging's +bootstrapped +bootstrapping +bootstrap's +bootstraps +Bordeaux's +bordello's +borderland +borderland's +borderlands +borderline +borderline's +borderlines +Borobudur's +borrower's +borrowing's +borrowings +Bosporus's +bossiness's +Bostonian's +botanically +botanist's +botheration +bothersome +Botswana's +Botticelli +Botticelli's +bottleneck +bottleneck's +bottlenecks +bottomless +botulism's +bouffant's +bougainvillea +bougainvillea's +bougainvilleas +bouillabaisse +bouillabaisse's +bouillabaisses +bouillon's +boulevard's +boulevards +bounciness +bounciness's +boundaries +boundary's +boundlessly +boundlessness +boundlessness's +bounteously +bounteousness +bounteousness's +bountifully +bountifulness +bountifulness's +Bourbaki's +bourgeoisie +bourgeoisie's +bourgeois's +Bournemouth +Bournemouth's +boustrophedon +boutique's +boutonniere +boutonniere's +boutonnieres +boutonnière +boutonnière's +boutonnières +bouzouki's +Bowditch's +bowdlerization +bowdlerization's +bowdlerizations +bowdlerize +bowdlerized +bowdlerizes +bowdlerizing +bowsprit's +bowstring's +bowstrings +boycotting +boyfriend's +boyfriends +boyishness +boyishness's +boysenberries +boysenberry +boysenberry's +bracelet's +bracketing +brackishness +brackishness's +Bradbury's +Braddock's +Bradford's +Bradshaw's +Bradstreet +Bradstreet's +bradycardia +braggadocio +braggadocio's +braggadocios +braggart's +Brahmagupta +Brahmagupta's +Brahmanism +Brahmanism's +Brahmanisms +Brahmaputra +Brahmaputra's +braiding's +brainchild +brainchildren +brainchildren's +brainchild's +braininess +braininess's +brainlessly +brainpower +brainstorm +brainstormed +brainstorming +brainstorming's +brainstorm's +brainstorms +brainteaser +brainteaser's +brainteasers +brainwashed +brainwashes +brainwashing +brainwashing's +brainwaves +brakeman's +Brampton's +branchlike +Brandeis's +Brandenburg +Brandenburg's +brandished +brandishes +brandishing +brashness's +Brasilia's +brasserie's +brasseries +brassiere's +brassieres +brassiness +brassiness's +Bratislava +Bratislava's +Brattain's +bratwurst's +bratwursts +braveness's +brawniness +brawniness's +brazenness +brazenness's +Brazilian's +Brazilians +Brazzaville +Brazzaville's +breadbasket +breadbasket's +breadbaskets +breadboard +breadboard's +breadboards +breadboxes +breadbox's +breadcrumb +breadcrumb's +breadcrumbs +breadfruit +breadfruit's +breadfruits +breadline's +breadlines +breadwinner +breadwinner's +breadwinners +breakable's +breakables +breakage's +breakaway's +breakaways +breakdown's +breakdowns +breakfasted +breakfasting +breakfast's +breakfasts +breakfront +breakfront's +breakfronts +breakout's +breakpoints +Breakspear +Breakspear's +breakthrough +breakthrough's +breakthroughs +breakwater +breakwater's +breakwaters +breastbone +breastbone's +breastbones +breastfeed +breastfeeding +breastfeeds +breastplate +breastplate's +breastplates +breaststroke +breaststroke's +breaststrokes +breastwork +breastwork's +breastworks +breathable +breathalyze +breathalyzed +Breathalyzer +breathalyzer +breathalyzers +breathalyzes +breathalyzing +breather's +breathiest +breathing's +breathless +breathlessly +breathlessness +breathlessness's +breathtaking +breathtakingly +Breckenridge +Breckenridge's +breeding's +breezeway's +breezeways +breeziness +breeziness's +brevetting +breviaries +breviary's +Brewster's +Brezhnev's +brickbat's +bricklayer +bricklayer's +bricklayers +bricklaying +bricklaying's +brickwork's +brickyards +Bridalveil +Bridalveil's +bridegroom +bridegroom's +bridegrooms +bridesmaid +bridesmaid's +bridesmaids +bridgeable +bridgehead +bridgehead's +bridgeheads +Bridgeport +Bridgeport's +Bridgetown +Bridgetown's +Bridgette's +Bridgett's +bridgework +bridgework's +Bridgman's +bridleways +briefcase's +briefcases +briefing's +briefness's +brigadier's +brigadiers +Brigadoon's +brigandage +brigandage's +brigantine +brigantine's +brigantines +brightened +brightener +brightener's +brighteners +brightening +brightness +brightness's +Brighton's +Brigitte's +brilliance +brilliance's +brilliancy +brilliancy's +brilliantine +brilliantine's +brilliantly +brilliant's +brilliants +brimstone's +brininess's +Brinkley's +brinkmanship +brinkmanship's +briquette's +briquettes +Brisbane's +briskness's +bristliest +Britannia's +Britannica +Britannica's +Britannic's +britches's +Briticism's +Briticisms +Britisher's +Britishers +Brittanies +Brittany's +brittleness +brittleness's +Brittney's +broadband's +broadcaster +broadcaster's +broadcasters +broadcasting +broadcasting's +broadcast's +broadcasts +broadcloth +broadcloth's +broadening +broadloom's +broadminded +broadness's +broadsheet +broadsheet's +broadsheets +broadsided +broadside's +broadsides +broadsiding +broadsword +broadsword's +broadswords +Broadway's +Brobdingnag +Brobdingnagian +Brobdingnagian's +Brobdingnag's +broccoli's +brochette's +brochettes +brochure's +brokenhearted +brokenheartedly +brokenness +brokenness's +brokerage's +brokerages +bronchitic +bronchitis +bronchitis's +bronchus's +broncobuster +broncobuster's +broncobusters +brontosaur +brontosaur's +brontosaurs +Brontosaurus +brontosaurus +brontosauruses +brontosaurus's +broodiness +broodingly +brooding's +broodmare's +broodmares +brooklet's +Brooklyn's +broomstick +broomstick's +broomsticks +brotherhood +brotherhood's +brotherhoods +brotherliness +brotherliness's +brougham's +brouhaha's +browbeaten +browbeating +brownfield +Brownian's +Browning's +brownness's +brownout's +Brownshirt +Brownshirt's +brownstone +brownstone's +brownstones +Brownsville +Brownsville's +Bruckner's +bruising's +Bruneian's +Brunelleschi +Brunelleschi's +brunette's +Brunhilde's +Brunswick's +brushoff's +brushstroke +brushstrokes +brushwood's +brushwork's +brusqueness +brusqueness's +Brussels's +brutalities +brutality's +brutalization +brutalization's +brutalized +brutalizes +brutalizing +brutishness +brutishness's +Brzezinski +Brzezinski's +bubblegum's +buccaneered +buccaneering +buccaneer's +buccaneers +Buchanan's +Bucharest's +Buchenwald +Buchenwald's +Buchwald's +buckaroo's +buckboard's +buckboards +bucketful's +bucketfuls +Buckingham +Buckingham's +buckshot's +buckskin's +bucktoothed +bucktooth's +buckwheat's +buckyball's +buckyballs +bucolically +Budapest's +Buddhism's +Buddhist's +budgerigar +budgerigar's +budgerigars +Budweiser's +buffaloing +buffetings +buffoonery +buffoonery's +buffoonish +Bugzilla's +building's +Bujumbura's +Bukharin's +Bulawayo's +Bulfinch's +Bulganin's +Bulgarian's +Bulgarians +Bulgaria's +bulimarexia +bulimarexia's +bulkhead's +bulkiness's +bulldogged +bulldogging +bulldozer's +bulldozers +bulldozing +bulletined +bulletining +bulletin's +bulletproof +bulletproofed +bulletproofing +bulletproofs +bullfighter +bullfighter's +bullfighters +bullfighting +bullfighting's +bullfight's +bullfights +bullfinches +bullfinch's +bullfrog's +bullheaded +bullheadedly +bullheadedness +bullheadedness's +bullhead's +bullhorn's +bullishness +bullishness's +bullring's +bullshit's +bullshitted +bullshitter +bullshitter's +bullshitters +bullshitting +Bullwinkle +Bullwinkle's +Bultmann's +bumblebee's +bumblebees +bumpiness's +bumptiously +bumptiousness +bumptiousness's +Bundesbank +Bundesbank's +Bundestag's +bungalow's +bunghole's +bunkhouse's +bunkhouses +buoyancy's +Burberry's +burdensome +bureaucracies +bureaucracy +bureaucracy's +bureaucrat +bureaucratic +bureaucratically +bureaucratization +bureaucratization's +bureaucratize +bureaucratized +bureaucratizes +bureaucratizing +bureaucrat's +bureaucrats +burgeoning +burglaries +burglarize +burglarized +burglarizes +burglarizing +burglarproof +burglary's +burgomaster +burgomaster's +burgomasters +Burgoyne's +Burgundian +Burgundian's +Burgundies +burgundies +Burgundy's +burgundy's +burlesqued +burlesque's +burlesques +burlesquing +burliness's +Burlington +Burlington's +burnable's +burnisher's +burnishers +burnishing +burnoose's +Burnside's +Burroughs's +burrower's +bursitis's +Burundian's +Burundians +bushiness's +bushmaster +bushmaster's +bushmasters +Bushnell's +bushwhacked +bushwhacker +bushwhacker's +bushwhackers +bushwhacking +bushwhacks +businesses +businesslike +businessman +businessman's +businessmen +businessperson +businessperson's +businesspersons +business's +businesswoman +businesswoman's +businesswomen +busybodies +busybody's +busyness's +busywork's +butcheries +butchering +butchery's +butterball +butterball's +butterballs +buttercream +buttercup's +buttercups +butterfat's +butterfingered +Butterfingers +butterfingers +Butterfingers's +butterfingers's +butterflied +butterflies +butterflying +butterfly's +butteriest +buttermilk +buttermilk's +butternut's +butternuts +butterscotch +butterscotch's +buttonhole +buttonholed +buttonhole's +buttonholes +buttonholing +buttonwood +buttonwood's +buttonwoods +buttressed +buttresses +buttressing +buttress's +Buxtehude's +buzzkill's +buzzword's +byproduct's +byproducts +bystander's +bystanders +Byzantine's +Byzantines +Byzantium's +caballero's +caballeros +cabdriver's +cabdrivers +Cabernet's +cabinetmaker +cabinetmaker's +cabinetmakers +cabinetmaking +cabinetmaking's +cabinetry's +cabinetwork +cabinetwork's +cablecasting +cablecast's +cablecasts +cablegram's +cablegrams +cabochon's +caboodle's +cabriolet's +cabriolets +cabstand's +cachepot's +cacophonies +cacophonous +cacophony's +cadaverous +caddishness +caddishness's +Cadillac's +caduceus's +Caerphilly +Caerphilly's +cafeteria's +cafeterias +cafetieres +caffeinated +caffeine's +caginess's +Caiaphas's +cajolement +cajolement's +cajolery's +cakewalk's +calabashes +calabash's +calaboose's +calabooses +calamari's +calamine's +calamities +calamitous +calamitously +calamity's +calcareous +calciferous +calcification +calcification's +calcifying +calcimined +calcimine's +calcimines +calcimining +calculable +calculated +calculatedly +calculates +calculating +calculatingly +calculation +calculation's +calculations +calculative +calculator +calculator's +calculators +calculus's +Calcutta's +Calderon's +Caldwell's +Caledonia's +calendared +calendaring +calendar's +calender's +calfskin's +calibrated +calibrates +calibrating +calibration +calibration's +calibrations +calibrator +calibrator's +calibrators +California +Californian +Californian's +Californians +California's +californium +californium's +Caligula's +calipering +caliphate's +caliphates +calisthenic +calisthenics +calisthenics's +Callaghan's +Callahan's +callback's +calligrapher +calligrapher's +calligraphers +calligraphic +calligraphist +calligraphist's +calligraphists +calligraphy +calligraphy's +Calliope's +calliope's +Callisto's +callosities +callosity's +callousing +callousness +callousness's +callowness +callowness's +calmness's +Caloocan's +calumniate +calumniated +calumniates +calumniating +calumniation +calumniation's +calumniator +calumniator's +calumniators +calumnious +Calvinism's +Calvinisms +Calvinistic +Calvinist's +Calvinists +camaraderie +camaraderie's +Cambodian's +Cambodians +Cambodia's +Cambrian's +Cambridge's +camcorder's +camcorders +camellia's +Camelopardalis +Camelopardalis's +Camembert's +Camemberts +cameraman's +camerawoman +camerawoman's +camerawomen +camerawork +Cameroonian +Cameroonian's +Cameroonians +Cameroon's +camiknickers +camisole's +camouflage +camouflaged +camouflager +camouflager's +camouflagers +camouflage's +camouflages +camouflaging +campaigned +campaigner +campaigner's +campaigners +campaigning +campaign's +Campanella +Campanella's +campanile's +campaniles +campanologist +campanologist's +campanologists +campanology +campanology's +Campbell's +campfire's +campground +campground's +campgrounds +Campinas's +campsite's +camshaft's +Canaanite's +Canaanites +Canadianism +Canadian's +Canaletto's +canalization +canalization's +canalizing +Canaries's +Canaveral's +Canberra's +canceler's +cancellation +cancellation's +cancellations +candelabra +candelabra's +candelabras +candelabrum +candelabrum's +candidacies +candidacy's +candidate's +candidates +candidature +candidature's +candidatures +candidness +candidness's +candlelight +candlelight's +candlepower +candlepower's +candlestick +candlestick's +candlesticks +candlewick +candlewick's +candlewicks +candyfloss +canebrake's +canebrakes +canister's +cannabises +cannabis's +cannelloni +cannelloni's +cannibalism +cannibalism's +cannibalistic +cannibalization +cannibalization's +cannibalize +cannibalized +cannibalizes +cannibalizing +cannibal's +canniness's +cannonaded +cannonade's +cannonades +cannonading +cannonball +cannonball's +cannonballs +canoeist's +canonically +canonization +canonization's +canonizations +canonizing +canoodling +Cantabrigian +Cantabrigian's +cantaloupe +cantaloupe's +cantaloupes +cantankerous +cantankerously +cantankerousness +cantankerousness's +Canterbury +Canterbury's +canticle's +cantilever +cantilevered +cantilevering +cantilever's +cantilevers +Cantonese's +cantonment +cantonment's +cantonments +Cantrell's +canvasback +canvasback's +canvasbacks +canvasser's +canvassers +canvassing +capabilities +capability +capability's +Capablanca +Capablanca's +capaciously +capaciousness +capaciousness's +capacitance +capacitance's +capacities +capacitor's +capacitors +capacity's +caparisoned +caparisoning +caparison's +caparisons +capeskin's +Capetian's +Capetown's +capillaries +capillarity +capillarity's +capillary's +Capistrano +Capistrano's +capitalism +capitalism's +capitalist +capitalistic +capitalistically +capitalist's +capitalists +capitalization +capitalization's +capitalize +capitalized +capitalizes +capitalizing +capitation +capitation's +capitations +Capitoline +Capitoline's +capitulate +capitulated +capitulates +capitulating +capitulation +capitulation's +capitulations +cappuccino +cappuccino's +cappuccinos +capricious +capriciously +capriciousness +capriciousness's +Capricorn's +Capricorns +capsicum's +capstone's +capsulized +capsulizes +capsulizing +captaincies +captaincy's +captaining +captioning +captiously +captiousness +captiousness's +captivated +captivates +captivating +captivation +captivation's +captivator +captivator's +captivators +captivities +captivity's +Capuchin's +Caracalla's +caramelize +caramelized +caramelizes +caramelizing +carapace's +Caravaggio +Caravaggio's +caravansaries +caravansary +caravansary's +carbohydrate +carbohydrate's +carbohydrates +Carboloy's +carbonaceous +carbonated +carbonate's +carbonates +carbonating +carbonation +carbonation's +Carboniferous +carboniferous +Carboniferous's +carbonized +carbonizes +carbonizing +Carborundum +carborundum +Carborundum's +carborundum's +carbuncle's +carbuncles +carbuncular +carburetor +carburetor's +carburetors +carcinogen +carcinogenic +carcinogenicity +carcinogenicity's +carcinogenic's +carcinogenics +carcinogen's +carcinogens +carcinoma's +carcinomas +cardamom's +cardboard's +Cardenas's +cardholder +cardholders +cardigan's +cardinally +cardinal's +cardiogram +cardiogram's +cardiograms +cardiograph +cardiograph's +cardiographs +cardiologist +cardiologist's +cardiologists +cardiology +cardiology's +cardiomyopathy +cardiopulmonary +cardiovascular +cardsharper +cardsharper's +cardsharpers +cardsharp's +cardsharps +careerist's +careerists +carefuller +carefullest +carefulness +carefulness's +caregiver's +caregivers +carelessly +carelessness +carelessness's +caretaker's +caretakers +Caribbean's +Caribbeans +caricature +caricatured +caricature's +caricatures +caricaturing +caricaturist +caricaturist's +caricaturists +carillon's +carjacker's +carjackers +carjacking +carjacking's +carjackings +Carlsbad's +Carmella's +Carmichael +Carmichael's +carnality's +Carnation's +carnation's +carnations +Carnegie's +carnelian's +carnelians +carnival's +carnivore's +carnivores +carnivorous +carnivorously +carnivorousness +carnivorousness's +Carolina's +Caroline's +Carolingian +Carolingian's +Carolinian +Carolinian's +carotene's +carousal's +carousel's +carouser's +Carpathian +Carpathian's +Carpathians +Carpathians's +carpentered +carpentering +Carpenter's +carpenter's +carpenters +carpentry's +carpetbagged +carpetbagger +carpetbagger's +carpetbaggers +carpetbagging +carpetbag's +carpetbags +carpeting's +carpooling +Carranza's +carriage's +carriageway +carriageways +Carrillo's +carryall's +carryover's +carryovers +carsickness +carsickness's +Cartesian's +Carthage's +Carthaginian +Carthaginian's +Carthaginians +carthorse's +carthorses +cartilage's +cartilages +cartilaginous +cartload's +cartographer +cartographer's +cartographers +cartographic +cartography +cartography's +cartooning +cartoonist +cartoonist's +cartoonists +cartridge's +cartridges +cartwheeled +cartwheeling +cartwheel's +cartwheels +Cartwright +Cartwright's +caryatid's +Casablanca +Casablanca's +Casandra's +Casanova's +Cascades's +caseharden +casehardened +casehardening +casehardens +caseload's +casement's +caseworker +caseworker's +caseworkers +casework's +cashback's +cashbook's +cashiering +cashmere's +Cassandra's +Cassandras +casseroled +casserole's +casseroles +casseroling +cassette's +Cassiopeia +Cassiopeia's +cassowaries +cassowary's +Castaneda's +castanet's +castaway's +castellated +castigated +castigates +castigating +castigation +castigation's +castigator +castigator's +castigators +Castillo's +Castlereagh +Castlereagh's +castrating +castration +castration's +castrations +Castries's +casualness +casualness's +casualties +casualty's +casuistry's +cataclysmal +cataclysmic +cataclysm's +cataclysms +catacomb's +catafalque +catafalque's +catafalques +catalepsy's +cataleptic +cataleptic's +cataleptics +Catalina's +cataloger's +catalogers +cataloging +Catalonia's +catalysis's +catalyst's +catalytic's +catalyzing +catamaran's +catamarans +catapulted +catapulting +catapult's +cataract's +catastrophe +catastrophe's +catastrophes +catastrophic +catastrophically +catatonia's +catatonic's +catatonics +catcalling +catchall's +catchment's +catchments +catchpenny +catchphrase +catchphrase's +catchphrases +catchword's +catchwords +catechism's +catechisms +catechist's +catechists +catechized +catechizes +catechizing +categorical +categorically +categories +categorization +categorization's +categorizations +categorize +categorized +categorizes +categorizing +category's +catercorner +Caterpillar +caterpillar +Caterpillar's +caterpillar's +caterpillars +caterwauled +caterwauling +caterwaul's +caterwauls +catharsis's +cathartic's +cathartics +cathedral's +cathedrals +Catherine's +catheterize +catheterized +catheterizes +catheterizing +catheter's +Cathleen's +Catholicism +Catholicism's +Catholicisms +catholicity +catholicity's +Catholic's +Catiline's +catnapping +Catskill's +Catskills's +cattiness's +cattleman's +Catullus's +Caucasian's +Caucasians +Caucasus's +cauldron's +cauliflower +cauliflower's +cauliflowers +causalities +causality's +causation's +causerie's +causeway's +caustically +causticity +causticity's +cauterization +cauterization's +cauterized +cauterizes +cauterizing +cautionary +cautioning +cautiously +cautiousness +cautiousness's +cavalcade's +cavalcades +cavalierly +cavalier's +cavalryman +cavalryman's +cavalrymen +Cavendish's +cavernously +cavitation +ceasefire's +ceasefires +ceaselessly +ceaselessness +ceaselessness's +Ceausescu's +celandine's +celebrant's +celebrants +celebrated +celebrates +celebrating +celebration +celebration's +celebrations +celebrator +celebrator's +celebrators +celebratory +celebrities +celebrity's +celerity's +celestially +celibacy's +celibate's +cellmate's +cellophane +cellophane's +cellphone's +cellphones +cellular's +cellulite's +cellulitis +celluloid's +cellulose's +cementer's +cementum's +cemeteries +cemetery's +cenobite's +cenotaph's +Cenozoic's +censorious +censoriously +censoriousness +censoriousness's +censorship +censorship's +censurable +censurer's +Centaurus's +centenarian +centenarian's +centenarians +centenaries +centenary's +centennial +centennially +centennial's +centennials +centerboard +centerboard's +centerboards +centerfold +centerfold's +centerfolds +centerpiece +centerpiece's +centerpieces +Centigrade +centigrade +centigram's +centigrams +centiliter +centiliter's +centiliters +centimeter +centimeter's +centimeters +centipede's +centipedes +centralism +centralist +centrality +centrality's +centralization +centralization's +centralize +centralized +centralizer +centralizer's +centralizers +centralizes +centralizing +centrifugal +centrifugally +centrifuge +centrifuged +centrifuge's +centrifuges +centrifuging +centripetal +centripetally +centrism's +centrist's +centurion's +centurions +ceramicist +ceramicist's +ceramicists +ceramics's +ceramist's +Cerberus's +cerebellar +cerebellum +cerebellum's +cerebellums +cerebrated +cerebrates +cerebrating +cerebration +cerebration's +cerebrovascular +cerebrum's +cerement's +ceremonial +ceremonially +ceremonial's +ceremonials +ceremonies +ceremonious +ceremoniously +ceremoniousness +ceremoniousness's +ceremony's +Cerenkov's +certainties +certainty's +certifiable +certifiably +certificate +certificated +certificate's +certificates +certificating +certification +certification's +certifications +certifying +certitude's +certitudes +cerulean's +Cervantes's +Cesarean's +cesarean's +cessation's +cessations +cesspool's +cetacean's +Chadwick's +chaffinches +chaffinch's +chagrining +chainsawed +chainsawing +chainsaw's +chairlift's +chairlifts +chairman's +chairmanship +chairmanship's +chairmanships +chairperson +chairperson's +chairpersons +chairwoman +chairwoman's +chairwomen +Chaitanya's +chalcedony +chalcedony's +Chaldean's +chalkboard +chalkboard's +chalkboards +chalkiness +chalkiness's +challenged +Challenger +challenger +Challenger's +challenger's +challengers +challenge's +challenges +challenging +Chamberlain +chamberlain +Chamberlain's +chamberlain's +chamberlains +chambermaid +chambermaid's +chambermaids +Chambers's +chambray's +chameleon's +chameleons +chamomile's +chamomiles +champagne's +champagnes +championed +championing +champion's +championship +championship's +championships +Champlain's +Champollion +Champollion's +chancelleries +chancellery +chancellery's +chancellor +chancellor's +chancellors +chancellorship +chancellorship's +Chancellorsville +Chancellorsville's +chanceries +chancery's +chanciness +chanciness's +chandelier +chandelier's +chandeliers +Chandigarh +Chandigarh's +Chandler's +chandler's +Chandragupta +Chandragupta's +Chandrasekhar +Chandrasekhar's +Changchun's +changeability +changeability's +changeable +changeableness +changeableness's +changeably +changeless +changelessly +changeling +changeling's +changelings +changeover +changeover's +changeovers +Changsha's +channeling +channelization +channelization's +channelize +channelized +channelizes +channelizing +chanteuse's +chanteuses +chanticleer +chanticleer's +chanticleers +Chantilly's +chaotically +chaparral's +chaparrals +chapbook's +chaperonage +chaperonage's +chaperoned +chaperoning +chaperon's +chaplaincies +chaplaincy +chaplaincy's +chaplain's +Chaplinesque +Chappaquiddick +Chappaquiddick's +Chapultepec +Chapultepec's +charabanc's +charabancs +characterful +characteristic +characteristically +characteristic's +characteristics +characterization +characterization's +characterizations +characterize +characterized +characterizes +characterizing +characterless +character's +characters +Charbray's +charbroiled +charbroiling +charbroils +charcoal's +Chardonnay +chardonnay +Chardonnay's +chardonnay's +chardonnays +chargeable +chariness's +charioteer +charioteer's +charioteers +charisma's +charismatic +charismatic's +charismatics +charitable +charitableness +charitableness's +charitably +charladies +charlatanism +charlatanism's +charlatanry +charlatanry's +charlatan's +charlatans +Charlemagne +Charlemagne's +Charlene's +Charleston +Charleston's +Charlestons +Charlotte's +Charlottetown +Charlottetown's +Charmaine's +charmingly +Charolais's +charterer's +charterers +chartering +Chartism's +Chartres's +chartreuse +chartreuse's +charwoman's +Charybdis's +chasteness +chasteness's +chastening +chastisement +chastisement's +chastisements +chastiser's +chastisers +chastising +chastity's +chasuble's +Chateaubriand +Chateaubriand's +chatelaine +chatelaine's +chatelaines +chatroom's +Chattahoochee +Chattahoochee's +Chattanooga +Chattanooga's +chatterbox +chatterboxes +chatterbox's +chatterer's +chatterers +chattering +Chatterley +Chatterley's +Chatterton +Chatterton's +chattiness +chattiness's +chauffeured +chauffeuring +chauffeur's +chauffeurs +Chauncey's +Chautauqua +Chautauqua's +chauvinism +chauvinism's +chauvinist +chauvinistic +chauvinistically +chauvinist's +chauvinists +Chayefsky's +cheapening +cheapness's +cheapskate +cheapskate's +cheapskates +Chechnya's +checkbook's +checkbooks +checkerboard +checkerboard's +checkerboards +checkering +checkers's +checklist's +checklists +checkmated +checkmate's +checkmates +checkmating +checkoff's +checkout's +checkpoint +checkpoint's +checkpoints +checkroom's +checkrooms +cheekbone's +cheekbones +cheekiness +cheekiness's +cheerfuller +cheerfullest +cheerfully +cheerfulness +cheerfulness's +cheeriness +cheeriness's +Cheerios's +cheerleader +cheerleader's +cheerleaders +cheerlessly +cheerlessness +cheerlessness's +cheeseboard +cheeseboards +cheeseburger +cheeseburger's +cheeseburgers +cheesecake +cheesecake's +cheesecakes +cheesecloth +cheesecloth's +cheeseparing +cheeseparing's +cheesiness +cheesiness's +Chekhovian +Chelyabinsk +Chelyabinsk's +chemically +chemical's +chemistry's +chemotherapeutic +chemotherapy +chemotherapy's +chemurgy's +chenille's +cherishing +Chernenko's +Chernobyl's +Chernomyrdin +Chernomyrdin's +Cherokee's +Chesapeake +Chesapeake's +Cheshire's +chessboard +chessboard's +chessboards +chessman's +Chesterfield +chesterfield +Chesterfield's +chesterfield's +chesterfields +Chesterton +Chesterton's +chestful's +chestnut's +Chevalier's +chevalier's +chevaliers +Chevrolet's +chewiness's +Cheyenne's +chiaroscuro +chiaroscuro's +Chicagoan's +chicaneries +chicanery's +chickadee's +chickadees +Chickasaw's +Chickasaws +chickenfeed +chickenfeed's +chickenhearted +chickening +chickenpox +chickenpox's +chickenshit +chickenshits +chickpea's +chickweed's +Chiclets's +chicness's +chiefdom's +chieftain's +chieftains +chieftainship +chieftainship's +chieftainships +chiffonier +chiffonier's +chiffoniers +Chihuahua's +Chihuahuas +chihuahua's +chihuahuas +chilblain's +chilblains +childbearing +childbearing's +childbirth +childbirth's +childbirths +childcare's +childhood's +childhoods +childishly +childishness +childishness's +childlessness +childlessness's +childminder +childminders +childminding +childproof +childproofed +childproofing +childproofs +children's +chilliness +chilliness's +chillingly +chillness's +Chimborazo +Chimborazo's +chimerical +chimpanzee +chimpanzee's +chimpanzees +Chinatown's +chinaware's +chinchilla +chinchilla's +chinchillas +chinstrap's +chinstraps +chintziest +Chipewyan's +chipmunk's +chipolatas +Chippendale +Chippendale's +Chippewa's +Chiquita's +chirography +chirography's +chiropodist +chiropodist's +chiropodists +chiropody's +chiropractic +chiropractic's +chiropractics +chiropractor +chiropractor's +chiropractors +chirpiness +chirruping +chiseler's +Chisholm's +Chisinau's +chitchat's +chitchatted +chitchatting +Chittagong +Chittagong's +chitterlings +chitterlings's +chivalrous +chivalrously +chivalrousness +chivalrousness's +chivalry's +chlamydiae +chlamydia's +chlamydias +chlordane's +chloride's +chlorinate +chlorinated +chlorinates +chlorinating +chlorination +chlorination's +chlorine's +chlorofluorocarbon +chlorofluorocarbon's +chlorofluorocarbons +chloroform +chloroformed +chloroforming +chloroform's +chloroforms +chlorophyll +chlorophyll's +chloroplast +chloroplast's +chloroplasts +chockablock +chocoholic +chocoholic's +chocoholics +chocolate's +chocolates +choirboy's +choirmaster +choirmaster's +choirmasters +chokecherries +chokecherry +chokecherry's +cholecystectomy +cholecystitis +cholesterol +cholesterol's +Chongqing's +choosiness +choosiness's +chophouse's +chophouses +choppering +choppiness +choppiness's +chopstick's +chopsticks +chordate's +choreograph +choreographed +choreographer +choreographer's +choreographers +choreographic +choreographically +choreographing +choreographs +choreography +choreography's +chorister's +choristers +chortler's +Chretien's +Christchurch +Christchurch's +Christendom +Christendom's +Christendoms +christened +christening +christening's +christenings +Christensen +Christensen's +Christianities +Christianity +Christianity's +Christianize +Christian's +Christians +Christie's +Christina's +Christine's +Christlike +Christmases +Christmas's +Christmastide +Christmastide's +Christmastides +Christmastime +Christmastime's +Christmastimes +christology +Christoper +Christoper's +Christopher +Christopher's +chromatically +chromatin's +chromatography +chromium's +chromosomal +chromosome +chromosome's +chromosomes +chronically +chronicled +chronicler +chronicler's +chroniclers +Chronicles +chronicle's +chronicles +chronicling +chronograph +chronograph's +chronographs +chronological +chronologically +chronologies +chronologist +chronologist's +chronologists +chronology +chronology's +chronometer +chronometer's +chronometers +chrysalises +chrysalis's +chrysanthemum +chrysanthemum's +chrysanthemums +Chrysler's +Chrysostom +Chrysostom's +Chrystal's +châtelaine +châtelaine's +châtelaines +chubbiness +chubbiness's +chuckhole's +chuckholes +chumminess +chumminess's +chundering +chunkiness +chunkiness's +chuntering +churchgoer +churchgoer's +churchgoers +churchgoing +churchgoing's +Churchill's +churchman's +churchwarden +churchwarden's +churchwardens +churchwoman +churchwomen +churchyard +churchyard's +churchyards +churlishly +churlishness +churlishness's +Churriguera +Churriguera's +chutzpah's +ciabatta's +cicatrices +cicatrix's +cicerone's +cigarette's +cigarettes +cigarillo's +cigarillos +cilantro's +cinchona's +Cincinnati +Cincinnati's +cincture's +Cinderella +Cinderella's +Cinderellas +CinemaScope +CinemaScope's +cinematographer +cinematographer's +cinematographers +cinematographic +cinematography +cinematography's +Cinerama's +cinnabar's +cinnamon's +circuiting +circuitous +circuitously +circuitousness +circuitousness's +circuitry's +circuity's +circularity +circularity's +circularize +circularized +circularizes +circularizing +circularly +circular's +circulated +circulates +circulating +circulation +circulation's +circulations +circulatory +circumcise +circumcised +circumcises +circumcising +circumcision +circumcision's +circumcisions +circumference +circumference's +circumferences +circumferential +circumflex +circumflexes +circumflex's +circumlocution +circumlocution's +circumlocutions +circumlocutory +circumnavigate +circumnavigated +circumnavigates +circumnavigating +circumnavigation +circumnavigation's +circumnavigations +circumpolar +circumscribe +circumscribed +circumscribes +circumscribing +circumscription +circumscription's +circumscriptions +circumspect +circumspection +circumspection's +circumspectly +circumstance +circumstanced +circumstance's +circumstances +circumstancing +circumstantial +circumstantially +circumvent +circumvented +circumventing +circumvention +circumvention's +circumvents +cirrhosis's +cirrhotic's +cirrhotics +citation's +Citibank's +Citigroup's +citizenry's +citizenship +citizenship's +citronella +citronella's +civilian's +civilities +civility's +civilization +civilization's +civilizations +civilizing +cladding's +Claiborne's +claimant's +clairvoyance +clairvoyance's +clairvoyant +clairvoyant's +clairvoyants +clambake's +clamberer's +clamberers +clambering +clamminess +clamminess's +clampdown's +clampdowns +clandestine +clandestinely +clangorous +clangorously +clannishness +clannishness's +clansman's +clanswoman +clanswomen +clapboarded +clapboarding +clapboard's +clapboards +Clapeyron's +clapperboard +clapperboards +clapping's +claptrap's +Clarence's +Clarendon's +clarification +clarification's +clarifications +clarifying +clarinetist +clarinetist's +clarinetists +clarinet's +clarioning +Clarissa's +classically +classical's +classicism +classicism's +classicist +classicist's +classicists +classifiable +classification +classification's +classifications +classified +classified's +classifieds +classifier +classifier's +classifiers +classifies +classifying +classiness +classiness's +classlessness +classmate's +classmates +classroom's +classrooms +classwork's +clattering +Claudette's +Claudine's +Claudius's +Clausewitz +Clausewitz's +Clausius's +claustrophobia +claustrophobia's +claustrophobic +clavichord +clavichord's +clavichords +clavicle's +cleaning's +cleanliest +cleanliness +cleanliness's +cleanness's +cleanser's +clearance's +clearances +Clearasil's +clearheaded +clearinghouse +clearinghouse's +clearinghouses +clearing's +clearness's +cleavage's +clematises +clematis's +Clemenceau +Clemenceau's +clemency's +Clementine +clementine +Clementine's +clementines +Clements's +Cleopatra's +clerestories +clerestory +clerestory's +clergyman's +clergywoman +clergywoman's +clergywomen +clericalism +clericalism's +clerically +clerkship's +Cleveland's +cleverness +cleverness's +clientele's +clienteles +clientèle's +clientèles +cliffhanger +cliffhanger's +cliffhangers +cliffhanging +Clifford's +climacteric +climacteric's +climatically +climatologist +climatologist's +climatologists +climatology +climatology's +climbing's +clincher's +clinically +clinician's +clinicians +cliometric +cliometrician +cliometrician's +cliometricians +cliometrics +cliometrics's +clipboard's +clipboards +clipping's +cliquishly +cliquishness +cliquishness's +clitorides +clitorises +clitoris's +cloakroom's +cloakrooms +clobbering +clockwork's +clockworks +clodhopper +clodhopper's +clodhoppers +cloisonne's +cloisonné's +cloistered +cloistering +cloister's +closefisted +closemouthed +closeness's +closeout's +clotheshorse +clotheshorse's +clotheshorses +clothesline +clothesline's +clotheslines +clothespin +clothespin's +clothespins +clothier's +clothing's +cloudburst +cloudburst's +cloudbursts +cloudiness +cloudiness's +Clouseau's +cloverleaf +cloverleaf's +cloverleafs +cloverleaves +clownishly +clownishness +clownishness's +clubfooted +clubfoot's +clubhouse's +clubhouses +clumsiness +clumsiness's +clustering +cluttering +Clydesdale +Clydesdale's +Clytemnestra +Clytemnestra's +cnidarian's +cnidarians +coachloads +coachman's +coadjutor's +coadjutors +coagulant's +coagulants +coagulated +coagulates +coagulating +coagulation +coagulation's +coagulator +coagulator's +coagulators +coalescence +coalescence's +coalescent +coalescing +coalface's +coalfields +coalitionist +coalitionist's +coalitionists +coalition's +coalitions +coarseness +coarseness's +coarsening +coastguard +coastguards +coastline's +coastlines +coattail's +coauthored +coauthoring +coauthor's +cobblestone +cobblestone's +cobblestones +cobwebbier +cobwebbiest +Cochabamba +Cochabamba's +cochineal's +cockamamie +cockatiel's +cockatiels +cockatoo's +cockatrice +cockatrice's +cockatrices +cockchafer +cockchafers +cockcrow's +cockerel's +cockfighting +cockfighting's +cockfight's +cockfights +cockiness's +cockleshell +cockleshell's +cockleshells +cockroaches +cockroach's +cockscomb's +cockscombs +cocksucker +cocksucker's +cocksuckers +cocktail's +codependency +codependency's +codependent +codependent's +codependents +codification +codification's +codifications +codifier's +codpiece's +codswallop +coeducation +coeducational +coeducation's +coefficient +coefficient's +coefficients +coelenterate +coelenterate's +coelenterates +coercion's +coexistence +coexistence's +coexistent +coexisting +coextensive +coffeecake +coffeecake's +coffeecakes +coffeehouse +coffeehouse's +coffeehouses +coffeemaker +coffeemaker's +coffeemakers +coffeepot's +coffeepots +cofferdam's +cofferdams +cogitating +cogitation +cogitation's +cogitations +cogitative +cogitator's +cogitators +cognitional +cognition's +cognitively +cognizable +cognizance +cognizance's +cognomen's +cognoscente +cognoscente's +cognoscenti +cogwheel's +cohabitant +cohabitant's +cohabitants +cohabitation +cohabitation's +cohabiting +coherence's +coherency's +coherently +cohesion's +cohesively +cohesiveness +cohesiveness's +coiffure's +coiffuring +Coimbatore +Coimbatore's +coincidence +coincidence's +coincidences +coincident +coincidental +coincidentally +coinciding +coinsurance +coinsurance's +Cointreau's +colander's +coldblooded +coldness's +Coleridge's +coleslaw's +coliseum's +collaborate +collaborated +collaborates +collaborating +collaboration +collaborationist +collaboration's +collaborations +collaborative +collaboratively +collaborator +collaborator's +collaborators +collapse's +collapsible +collapsing +collarbone +collarbone's +collarbones +collarless +collateral +collateralize +collaterally +collateral's +collation's +collations +collator's +colleague's +colleagues +collectedly +collectible +collectible's +collectibles +collecting +collection +collection's +collections +collective +collectively +collective's +collectives +collectivism +collectivism's +collectivist +collectivist's +collectivists +collectivization +collectivization's +collectivize +collectivized +collectivizes +collectivizing +collector's +collectors +collegiality +collegiality's +collegian's +collegians +collegiate +collieries +colliery's +collision's +collisions +collocated +collocate's +collocates +collocating +collocation +collocation's +collocations +colloquial +colloquialism +colloquialism's +colloquialisms +colloquially +colloquies +colloquium +colloquium's +colloquiums +colloquy's +collusion's +Colombian's +Colombians +Colombia's +colonelcy's +colonialism +colonialism's +colonialist +colonialist's +colonialists +colonially +colonial's +colonist's +colonization +colonization's +colonizer's +colonizers +colonizing +colonnaded +colonnade's +colonnades +colonoscopies +colonoscopy +colonoscopy's +colophon's +Coloradan's +Coloradans +Coloradoan +Colorado's +colorant's +coloration +coloration's +coloratura +coloratura's +coloraturas +colorblind +colorblindness +colorblindness's +colorfastness +colorfastness's +colorfully +colorfulness +colorfulness's +coloring's +colorization +colorization's +colorizing +colorlessly +colorlessness +colorlessness's +colossally +Colosseum's +colossus's +colostomies +colostomy's +colostrum's +Coltrane's +Columbia's +Columbine's +columbine's +columbines +Columbus's +columnist's +columnists +Comanche's +combatant's +combatants +combativeness +combativeness's +combination +combination's +combinations +combiner's +combings's +combustibility +combustibility's +combustible +combustible's +combustibles +combusting +combustion +combustion's +combustive +comeback's +comedian's +comedienne +comedienne's +comediennes +comedown's +comeliness +comeliness's +comestible +comestible's +comestibles +comeuppance +comeuppance's +comeuppances +comfortable +comfortableness +comfortableness's +comfortably +comforter's +comforters +comforting +comfortingly +comfortless +comicality +comicality's +Comintern's +commandant +commandant's +commandants +commandeer +commandeered +commandeering +commandeers +commander's +commanders +commanding +Commandment +commandment +commandment's +commandments +commando's +commemorate +commemorated +commemorates +commemorating +commemoration +commemoration's +commemorations +commemorative +commemorator +commemorator's +commemorators +commencement +commencement's +commencements +commencing +commendable +commendably +commendation +commendation's +commendations +commendatory +commending +commensurable +commensurate +commensurately +commentaries +commentary +commentary's +commentate +commentated +commentates +commentating +commentator +commentator's +commentators +commenting +commerce's +commercial +commercialism +commercialism's +commercialization +commercialization's +commercialize +commercialized +commercializes +commercializing +commercially +commercial's +commercials +commingled +commingles +commingling +commiserate +commiserated +commiserates +commiserating +commiseration +commiseration's +commiserations +commiserative +commissariat +commissariat's +commissariats +commissaries +commissar's +commissars +commissary +commissary's +commission +commissionaire +commissionaires +commissioned +commissioner +commissioner's +commissioners +commissioning +commission's +commissions +commitment +commitment's +commitments +committal's +committals +committeeman +committeeman's +committeemen +committee's +committees +committeewoman +committeewoman's +committeewomen +committers +committing +commodification +commodious +commodiously +commodities +commodity's +commodore's +commodores +commonalities +commonality +commonalty +commonalty's +commoner's +commonness +commonness's +commonplace +commonplace's +commonplaces +commonsense +commonweal +commonweal's +Commonwealth +commonwealth +commonwealth's +commonwealths +commotion's +commotions +communally +communicability +communicability's +communicable +communicably +communicant +communicant's +communicants +communicate +communicated +communicates +communicating +communication +communication's +communications +communicative +communicator +communicator's +communicators +Communion's +Communions +communion's +communions +communique +communique's +communiques +communism's +communistic +Communist's +Communists +communist's +communists +communities +community's +commutable +commutation +commutation's +commutations +commutative +commutator +commutator's +commutators +commuter's +compactest +compacting +compaction +compactness +compactness's +compactor's +compactors +companionable +companionably +companion's +companions +companionship +companionship's +companionway +companionway's +companionways +comparability +comparability's +comparable +comparably +comparative +comparatively +comparative's +comparatives +comparison +comparison's +comparisons +compartment +compartmental +compartmentalization +compartmentalization's +compartmentalize +compartmentalized +compartmentalizes +compartmentalizing +compartment's +compartments +compassing +compassion +compassionate +compassionately +compassion's +compatibility +compatibility's +compatible +compatible's +compatibles +compatibly +compatriot +compatriot's +compatriots +compelling +compellingly +compendious +compendium +compendium's +compendiums +compensate +compensated +compensates +compensating +compensation +compensation's +compensations +compensatory +competence +competence's +competences +competencies +competency +competency's +competently +competition +competition's +competitions +competitive +competitively +competitiveness +competitiveness's +competitor +competitor's +competitors +compilation +compilation's +compilations +compiler's +complacence +complacence's +complacency +complacency's +complacent +complacently +complainant +complainant's +complainants +complained +complainer +complainer's +complainers +complaining +complaint's +complaints +complaisance +complaisance's +complaisant +complaisantly +complected +complement +complementary +complemented +complementing +complement's +complements +completely +completeness +completeness's +completest +completing +completion +completion's +completions +complexion +complexional +complexioned +complexion's +complexions +complexities +complexity +complexity's +compliance +compliance's +compliantly +complicate +complicated +complicatedly +complicates +complicating +complication +complication's +complications +complicity +complicity's +compliment +complimentary +complimented +complimenting +compliment's +compliments +component's +components +comporting +comportment +comportment's +composedly +composer's +composited +compositely +composite's +composites +compositing +composition +composition's +compositions +compositor +compositor's +compositors +composting +composure's +compoundable +compounded +compounding +compound's +comprehend +comprehended +comprehending +comprehends +comprehensibility +comprehensibility's +comprehensible +comprehensibly +comprehension +comprehension's +comprehensions +comprehensive +comprehensively +comprehensiveness +comprehensiveness's +comprehensive's +comprehensives +compressed +compresses +compressible +compressing +compression +compression's +compressor +compressor's +compressors +compress's +comprising +compromise +compromised +compromise's +compromises +compromising +comptroller +comptroller's +comptrollers +compulsion +compulsion's +compulsions +compulsive +compulsively +compulsiveness +compulsiveness's +compulsories +compulsorily +compulsory +compulsory's +compunction +compunction's +compunctions +CompuServe +CompuServe's +computation +computational +computationally +computation's +computations +computerate +computerization +computerization's +computerize +computerized +computerizes +computerizing +computer's +computing's +comradeship +comradeship's +concatenate +concatenated +concatenates +concatenating +concatenation +concatenation's +concatenations +concaveness +concaveness's +concavities +concavity's +concealable +concealer's +concealers +concealing +concealment +concealment's +conceitedly +conceitedness +conceitedness's +conceivable +conceivably +conceiving +concentrate +concentrated +concentrate's +concentrates +concentrating +concentration +concentration's +concentrations +concentric +concentrically +Concepción +Concepción's +Concepcion +Concepcion's +conception +conceptional +conception's +conceptions +conceptual +conceptualization +conceptualization's +conceptualizations +conceptualize +conceptualized +conceptualizes +conceptualizing +conceptually +concernedly +concerning +concertedly +concertgoer +concertgoers +concertina +concertinaed +concertinaing +concertina's +concertinas +concerting +concertize +concertized +concertizes +concertizing +concertmaster +concertmaster's +concertmasters +concerto's +concession +concessionaire +concessionaire's +concessionaires +concessional +concessionary +concession's +concessions +Concetta's +concierge's +concierges +conciliate +conciliated +conciliates +conciliating +conciliation +conciliation's +conciliator +conciliator's +conciliators +conciliatory +conciseness +conciseness's +concision's +conclave's +concluding +conclusion +conclusion's +conclusions +conclusive +conclusively +conclusiveness +conclusiveness's +concocting +concoction +concoction's +concoctions +concomitant +concomitantly +concomitant's +concomitants +concordance +concordance's +concordances +concordant +concordat's +concordats +Concorde's +concourse's +concourses +concretely +concreteness +concreteness's +concrete's +concreting +concretion +concretion's +concretions +concubinage +concubinage's +concubine's +concubines +concupiscence +concupiscence's +concupiscent +concurrence +concurrence's +concurrences +concurrency +concurrent +concurrently +concurring +concussing +concussion +concussion's +concussions +concussive +condemnation +condemnation's +condemnations +condemnatory +condemner's +condemners +condemning +condensate +condensate's +condensates +condensation +condensation's +condensations +condenser's +condensers +condensing +condescend +condescended +condescending +condescendingly +condescends +condescension +condescension's +Condillac's +condiment's +condiments +conditional +conditionality +conditionally +conditional's +conditionals +conditioned +conditioner +conditioner's +conditioners +conditioning +conditioning's +condition's +conditions +condolence +condolence's +condolences +condominium +condominium's +condominiums +Condorcet's +conductance +conductance's +conductibility +conductibility's +conductible +conducting +conduction +conduction's +conductive +conductivity +conductivity's +conductor's +conductors +conductress +conductresses +conductress's +Conestoga's +confabbing +confabulate +confabulated +confabulates +confabulating +confabulation +confabulation's +confabulations +confection +confectioner +confectioneries +confectioner's +confectioners +confectionery +confectionery's +confection's +confections +confederacies +Confederacy +confederacy +Confederacy's +confederacy's +Confederate +confederate +confederated +Confederate's +Confederates +confederate's +confederates +confederating +confederation +confederation's +confederations +conferee's +conference +conference's +conferences +conferencing +conferment +conferment's +conferments +conferrable +conferral's +conferrer's +conferrers +conferring +confessedly +confessing +confession +confessional +confessional's +confessionals +confession's +confessions +confessor's +confessors +confetti's +confidante +confidante's +confidantes +confidant's +confidants +confidence +confidence's +confidences +confidential +confidentiality +confidentiality's +confidentially +confidently +confider's +confidingly +configurable +configuration +configuration's +configurations +configured +configures +configuring +confinement +confinement's +confinements +confirmation +confirmation's +confirmations +confirmatory +confirming +confiscate +confiscated +confiscates +confiscating +confiscation +confiscation's +confiscations +confiscator +confiscator's +confiscators +confiscatory +conflagration +conflagration's +conflagrations +conflating +conflation +conflation's +conflations +conflicted +conflicting +conflict's +confluence +confluence's +confluences +conformable +conformance +conformance's +conformation +conformation's +conformations +conformer's +conformers +conforming +conformism +conformism's +conformist +conformist's +conformists +conformity +conformity's +confounded +confounding +confraternities +confraternity +confraternity's +confrere's +confrontation +confrontational +confrontation's +confrontations +confronted +confronting +confrère's +Confucianism +Confucianism's +Confucianisms +Confucian's +Confucians +Confucius's +confusedly +confusingly +confusion's +confusions +confutation +confutation's +congealing +congealment +congealment's +congeniality +congeniality's +congenially +congenital +congenitally +congeries's +congesting +congestion +congestion's +congestive +conglomerate +conglomerated +conglomerate's +conglomerates +conglomerating +conglomeration +conglomeration's +conglomerations +Congolese's +congrats's +congratulate +congratulated +congratulates +congratulating +congratulation +congratulation's +congratulations +congratulatory +congregant +congregant's +congregants +congregate +congregated +congregates +congregating +congregation +Congregational +congregational +congregationalism +congregationalism's +Congregationalist +congregationalist +Congregationalist's +Congregationalists +congregationalist's +congregationalists +congregation's +congregations +Congresses +congresses +Congressional +congressional +congressman +congressman's +congressmen +congresspeople +congressperson +congressperson's +congresspersons +Congress's +congress's +congresswoman +congresswoman's +congresswomen +Congreve's +congruence +congruence's +congruently +congruities +congruity's +coniferous +conjectural +conjecture +conjectured +conjecture's +conjectures +conjecturing +conjoiner's +conjoiners +conjoining +conjointly +conjugally +conjugated +conjugates +conjugating +conjugation +conjugation's +conjugations +conjunction +conjunction's +conjunctions +conjunctiva +conjunctiva's +conjunctivas +conjunctive +conjunctive's +conjunctives +conjunctivitis +conjunctivitis's +conjunct's +conjuncture +conjuncture's +conjunctures +conjuration +conjuration's +conjurations +conjurer's +connectable +Connecticut +Connecticut's +connecting +connection +connection's +connections +connective +connective's +connectives +connectivity +connectivity's +connector's +connectors +Connemara's +conniption +conniption's +conniptions +connivance +connivance's +conniver's +connoisseur +connoisseur's +connoisseurs +Connolly's +connotation +connotation's +connotations +connotative +conquerable +conquering +conqueror's +conquerors +conquest's +conquistador +conquistador's +conquistadors +consanguineous +consanguinity +consanguinity's +conscience +conscienceless +conscience's +consciences +conscientious +conscientiously +conscientiousness +conscientiousness's +consciously +consciousness +consciousnesses +consciousness's +conscripted +conscripting +conscription +conscription's +conscript's +conscripts +consecrate +consecrated +consecrates +consecrating +consecration +consecration's +consecrations +consecutive +consecutively +consensual +consensuses +consensus's +consenting +consequence +consequence's +consequences +consequent +consequential +consequentially +consequently +conservancies +conservancy +conservancy's +conservation +conservationism +conservationism's +conservationist +conservationist's +conservationists +conservation's +conservatism +conservatism's +Conservative +conservative +conservatively +conservative's +conservatives +conservatoire +conservatoires +conservator +conservatories +conservator's +conservators +conservatory +conservatory's +conserve's +conserving +considerable +considerably +considerate +considerately +considerateness +considerateness's +consideration +consideration's +considerations +considered +considering +consignee's +consignees +consigning +consignment +consignment's +consignments +consignor's +consignors +consistence +consistence's +consistences +consistencies +consistency +consistency's +consistent +consistently +consisting +consistories +consistory +consistory's +consolable +consolation +consolation's +consolations +consolatory +consolidate +consolidated +consolidates +consolidating +consolidation +consolidation's +consolidations +consolidator +consolidator's +consolidators +consolingly +consomme's +consommé's +consonance +consonance's +consonances +consonantly +consonant's +consonants +consorting +consortium +consortium's +conspectus +conspectuses +conspectus's +conspicuous +conspicuously +conspicuousness +conspicuousness's +conspiracies +conspiracy +conspiracy's +conspirator +conspiratorial +conspiratorially +conspirator's +conspirators +conspiring +Constable's +constable's +constables +constabularies +constabulary +constabulary's +Constance's +constancy's +Constantine +Constantine's +Constantinople +Constantinople's +constantly +constant's +constellation +constellation's +constellations +consternation +consternation's +constipate +constipated +constipates +constipating +constipation +constipation's +constituencies +constituency +constituency's +constituent +constituent's +constituents +constitute +constituted +constitutes +constituting +Constitution +constitution +constitutional +constitutionalism +constitutionality +constitutionality's +constitutionally +constitutional's +constitutionals +constitution's +constitutions +constitutive +constrained +constraining +constrains +constraint +constraint's +constraints +constricted +constricting +constriction +constriction's +constrictions +constrictive +constrictor +constrictor's +constrictors +constricts +construable +constructed +constructing +construction +constructional +constructionist +constructionist's +constructionists +construction's +constructions +constructive +constructively +constructiveness +constructiveness's +constructor +constructor's +constructors +construct's +constructs +construing +consubstantiation +consubstantiation's +Consuelo's +consulate's +consulates +consulship +consulship's +consultancies +consultancy +consultancy's +consultant +consultant's +consultants +consultation +consultation's +consultations +consultative +consulting +consumable +consumable's +consumables +consumerism +consumerism's +consumerist +consumerist's +consumerists +consumer's +consummate +consummated +consummately +consummates +consummating +consummation +consummation's +consummations +consumption +consumption's +consumptive +consumptive's +consumptives +contactable +contacting +contagion's +contagions +contagious +contagiously +contagiousness +contagiousness's +containable +containerization +containerization's +containerize +containerized +containerizes +containerizing +container's +containers +containing +containment +containment's +contaminant +contaminant's +contaminants +contaminate +contaminated +contaminates +contaminating +contamination +contamination's +contaminator +contaminator's +contaminators +contemning +contemplate +contemplated +contemplates +contemplating +contemplation +contemplation's +contemplative +contemplatively +contemplative's +contemplatives +contemporaneity +contemporaneity's +contemporaneous +contemporaneously +contemporaries +contemporary +contemporary's +contemptible +contemptibly +contempt's +contemptuous +contemptuously +contemptuousness +contemptuousness's +contender's +contenders +contending +contentedly +contentedness +contentedness's +contenting +contention +contention's +contentions +contentious +contentiously +contentiousness +contentiousness's +contentment +contentment's +conterminous +conterminously +contestable +contestant +contestant's +contestants +contesting +contextual +contextualization +contextualize +contextualized +contextualizes +contextualizing +contextually +contiguity +contiguity's +contiguous +contiguously +continence +continence's +Continental +continental +Continental's +continental's +continentals +Continent's +continent's +continents +contingencies +contingency +contingency's +contingent +contingently +contingent's +contingents +continually +continuance +continuance's +continuances +continuation +continuation's +continuations +continuing +continuities +continuity +continuity's +continuous +continuously +continuum's +contorting +contortion +contortionist +contortionist's +contortionists +contortion's +contortions +contouring +contraband +contraband's +contrabassoon +contrabassoons +contraception +contraception's +contraceptive +contraceptive's +contraceptives +contracted +contractible +contractile +contractility +contracting +contraction +contraction's +contractions +contractor +contractor's +contractors +contract's +contractual +contractually +contradict +contradicted +contradicting +contradiction +contradiction's +contradictions +contradictory +contradicts +contradistinction +contradistinction's +contradistinctions +contraflow +contraflows +contrail's +contraindicate +contraindicated +contraindicates +contraindicating +contraindication +contraindication's +contraindications +contralto's +contraltos +contraption +contraption's +contraptions +contrapuntal +contrapuntally +contrarian +contrarianism +contrarian's +contrarians +contraries +contrariety +contrariety's +contrarily +contrariness +contrariness's +contrariwise +contrary's +contrasted +contrasting +contrast's +contravene +contravened +contravenes +contravening +contravention +contravention's +contraventions +Contreras's +contretemps +contretemps's +contribute +contributed +contributes +contributing +contribution +contribution's +contributions +contributor +contributor's +contributors +contributory +contritely +contriteness +contriteness's +contrition +contrition's +contrivance +contrivance's +contrivances +contriver's +contrivers +contriving +controllable +controlled +controller +controller's +controllers +controlling +controversial +controversially +controversies +controversy +controversy's +controvert +controverted +controvertible +controverting +controverts +contumacious +contumaciously +contumacy's +contumelies +contumelious +contumely's +contusion's +contusions +conundrum's +conundrums +conurbation +conurbation's +conurbations +convalesce +convalesced +convalescence +convalescence's +convalescences +convalescent +convalescent's +convalescents +convalesces +convalescing +convection +convectional +convection's +convective +convectors +convener's +convenience +convenience's +conveniences +convenient +conveniently +conventicle +conventicle's +conventicles +convention +conventional +conventionality +conventionality's +conventionalize +conventionalized +conventionalizes +conventionalizing +conventionally +conventioneer +conventioneers +convention's +conventions +convergence +convergence's +convergences +convergent +converging +conversant +conversation +conversational +conversationalist +conversationalist's +conversationalists +conversationally +conversation's +conversations +conversely +converse's +conversing +conversion +conversion's +conversions +converter's +converters +convertibility +convertibility's +convertible +convertible's +convertibles +converting +convexity's +conveyable +conveyance +conveyance's +conveyances +conveyancing +conveyor's +convicting +conviction +conviction's +convictions +convincing +convincingly +conviviality +conviviality's +convivially +convocation +convocation's +convocations +convoluted +convolution +convolution's +convolutions +convulsing +convulsion +convulsion's +convulsions +convulsive +convulsively +cookbook's +cookhouses +cookware's +Coolidge's +coolness's +coonskin's +cooperage's +cooperated +cooperates +cooperating +cooperation +cooperation's +cooperative +cooperatively +cooperativeness +cooperativeness's +cooperative's +cooperatives +cooperator +cooperator's +cooperators +Cooperstown +Cooperstown's +coordinate +coordinated +coordinately +coordinate's +coordinates +coordinating +coordination +coordination's +coordinator +coordinator's +coordinators +Copacabana +Copacabana's +Copeland's +Copenhagen +Copenhagen's +Copernican +Copernican's +Copernicus +Copernicus's +copiousness +copiousness's +Copperfield +Copperfield's +copperhead +copperhead's +copperheads +copperplate +copperplate's +Coppertone +Coppertone's +copulating +copulation +copulation's +copulative +copulative's +copulatives +copybook's +copycatted +copycatting +copyrighted +copyrighting +copyright's +copyrights +copywriter +copywriter's +copywriters +coquetries +coquetry's +coquette's +coquetting +coquettish +coquettishly +Cordelia's +cordiality +cordiality's +cordillera +Cordilleras +cordillera's +cordilleras +Cordilleras's +cordovan's +corduroy's +corduroys's +coreligionist +coreligionists +corespondent +corespondent's +corespondents +coriander's +Corinthian +Corinthian's +Corinthians +Corinthians's +Coriolanus +Coriolanus's +Coriolis's +corkscrewed +corkscrewing +corkscrew's +corkscrews +Corleone's +cormorant's +cormorants +cornball's +cornbread's +corncrakes +Corneille's +Cornelia's +Cornelius's +cornerstone +cornerstone's +cornerstones +cornfields +cornflakes +cornflakes's +cornflower +cornflower's +cornflowers +corniness's +cornmeal's +cornrowing +cornstalk's +cornstalks +cornstarch +cornstarch's +cornucopia +cornucopia's +cornucopias +Cornwallis +Cornwallis's +Cornwall's +corollaries +corollary's +Coronado's +coronaries +coronary's +coronation +coronation's +coronations +corporal's +corporately +corporation +corporation's +corporations +corporatism +corporeality +corporeality's +corporeally +corpsman's +corpulence +corpulence's +corpuscle's +corpuscles +corpuscular +corralling +correctable +correctest +correcting +correction +correctional +correction's +corrections +corrective +corrective's +correctives +correctness +correctness's +Correggio's +correlated +correlate's +correlates +correlating +correlation +correlation's +correlations +correlative +correlative's +correlatives +correspond +corresponded +correspondence +correspondence's +correspondences +correspondent +correspondent's +correspondents +corresponding +correspondingly +corresponds +corridor's +corroborate +corroborated +corroborates +corroborating +corroboration +corroboration's +corroborations +corroborative +corroborator +corroborator's +corroborators +corroboratory +corrosion's +corrosively +corrosive's +corrosives +corrugated +corrugates +corrugating +corrugation +corrugation's +corrugations +corruptest +corruptibility +corruptibility's +corruptible +corrupting +corruption +corruption's +corruptions +corruptness +corruptness's +Corsican's +cortisone's +Cortland's +corundum's +coruscated +coruscates +coruscating +coruscation +coruscation's +Corvallis's +Corvette's +corvette's +cosignatories +cosignatory +cosignatory's +cosigner's +cosmetically +cosmetician +cosmetician's +cosmeticians +cosmetic's +cosmetologist +cosmetologist's +cosmetologists +cosmetology +cosmetology's +cosmically +cosmogonies +cosmogonist +cosmogonist's +cosmogonists +cosmogony's +cosmological +cosmologies +cosmologist +cosmologist's +cosmologists +cosmology's +cosmonaut's +cosmonauts +cosmopolitan +cosmopolitanism +cosmopolitanism's +cosmopolitan's +cosmopolitans +cosponsored +cosponsoring +cosponsor's +cosponsors +cossetting +costarring +Costello's +costliness +costliness's +costumer's +costumiers +cotangent's +cotangents +coterminous +cotillion's +cotillions +Cotopaxi's +Cotswold's +cottager's +cottonmouth +cottonmouth's +cottonmouths +cottonseed +cottonseed's +cottonseeds +cottontail +cottontail's +cottontails +cottonwood +cottonwood's +cottonwoods +cotyledon's +cotyledons +couchettes +councilman +councilman's +councilmen +councilor's +councilors +councilperson +councilperson's +councilpersons +councilwoman +councilwoman's +councilwomen +counseling +counselings +counselor's +counselors +countdown's +countdowns +countenance +countenanced +countenance's +countenances +countenancing +counteract +counteracted +counteracting +counteraction +counteraction's +counteractions +counteractive +counteracts +counterargument +counterarguments +counterattack +counterattacked +counterattacking +counterattack's +counterattacks +counterbalance +counterbalanced +counterbalance's +counterbalances +counterbalancing +counterblast +counterblasts +counterclaim +counterclaimed +counterclaiming +counterclaim's +counterclaims +counterclockwise +counterculture +counterculture's +countercultures +counterespionage +counterespionage's +counterexample +counterexamples +counterfactual +counterfeit +counterfeited +counterfeiter +counterfeiter's +counterfeiters +counterfeiting +counterfeit's +counterfeits +counterfoil +counterfoil's +counterfoils +countering +counterinsurgencies +counterinsurgency +counterinsurgency's +counterintelligence +counterintelligence's +counterman +countermand +countermanded +countermanding +countermand's +countermands +counterman's +countermeasure +countermeasure's +countermeasures +countermelodies +countermelody +countermen +countermove +countermoves +counteroffensive +counteroffensive's +counteroffensives +counteroffer +counteroffer's +counteroffers +counterpane +counterpane's +counterpanes +counterpart +counterpart's +counterparts +counterpetition +counterpoint +counterpointed +counterpointing +counterpoint's +counterpoints +counterpoise +counterpoised +counterpoise's +counterpoises +counterpoising +counterproductive +counterrevolution +counterrevolutionaries +counterrevolutionary +counterrevolutionary's +counterrevolution's +counterrevolutions +countersign +countersignature +countersignature's +countersignatures +countersigned +countersigning +countersign's +countersigns +countersink +countersinking +countersink's +countersinks +counterspies +counterspy +counterspy's +counterstroke +counterstroke's +counterstrokes +countersunk +countertenor +countertenor's +countertenors +countervail +countervailed +countervailing +countervails +counterweight +counterweight's +counterweights +countesses +countess's +countrified +countryman +countryman's +countrymen +countryside +countryside's +countrysides +countrywide +countrywoman +countrywoman's +countrywomen +countywide +Couperin's +coupling's +courageous +courageously +courageousness +courageousness's +courgettes +couriering +coursebook +coursebooks +coursework +courteously +courteousness +courteousness's +courtesan's +courtesans +courtesies +courtesy's +courthouse +courthouse's +courthouses +courtier's +courtliest +courtliness +courtliness's +Courtney's +courtroom's +courtrooms +courtship's +courtships +courtyard's +courtyards +couscous's +Cousteau's +couturier's +couturiers +covenanted +covenanting +covenant's +Coventries +Coventry's +coverage's +coverall's +covering's +coverlet's +covertness +covertness's +covetously +covetousness +covetousness's +cowardice's +cowardliness +cowardliness's +cowcatcher +cowcatcher's +cowcatchers +coworker's +cowpuncher +cowpuncher's +cowpunchers +coxswain's +cozenage's +coziness's +crabbiness +crabbiness's +crabgrass's +crackdown's +crackdowns +crackerjack +crackerjack's +crackerjacks +crackhead's +crackheads +crackling's +cracklings +crackpot's +craftiness +craftiness's +craftsman's +craftsmanship +craftsmanship's +craftspeople +craftswoman +craftswoman's +craftswomen +cragginess +cragginess's +cramping's +cranberries +cranberry's +crankcase's +crankcases +crankiness +crankiness's +crankshaft +crankshaft's +crankshafts +crapshooter +crapshooter's +crapshooters +crassness's +cravenness +cravenness's +Crawford's +crawlspace +crawlspace's +crawlspaces +crayfishes +crayfish's +craziness's +creakiness +creakiness's +creameries +creamery's +creaminess +creaminess's +creationism +creationism's +creationisms +creationist +creationist's +creationists +Creation's +creation's +creatively +creativeness +creativeness's +creative's +creativity +creativity's +creature's +credence's +credential +credentialed +credentialing +credential's +credentials +credenza's +credibility +credibility's +creditable +creditably +creditor's +creditworthiness +creditworthy +credulity's +credulously +credulousness +credulousness's +creepiness +creepiness's +Creighton's +cremains's +cremation's +cremations +crematoria +crematories +crematorium +crematorium's +crematoriums +crematory's +crenelated +crenelates +crenelating +crenelation +crenelation's +crenelations +creosote's +creosoting +crepuscular +crescendo's +crescendos +crescent's +Cressida's +crestfallen +Cretaceous +cretaceous +Cretaceous's +cretinism's +cretonne's +crevasse's +crewelwork +crewelwork's +cribbage's +Crichton's +cricketer's +cricketers +cricketing +criminality +criminality's +criminalize +criminalized +criminalizes +criminalizing +criminally +criminal's +criminologist +criminologist's +criminologists +criminology +criminology's +crimsoning +crinkliest +crinoline's +crinolines +crippler's +crippleware +cripplingly +crispbread +crispbreads +crispiness +crispiness's +crispness's +crisscross +crisscrossed +crisscrosses +crisscrossing +crisscross's +Cristina's +criterion's +criticality +critically +criticism's +criticisms +criticized +criticizer +criticizer's +criticizers +criticizes +criticizing +critique's +critiquing +Croatian's +crocheter's +crocheters +crocheting +crocheting's +crockery's +Crockett's +crocodile's +crocodiles +croissant's +croissants +Cromwellian +Cromwellian's +Cromwell's +Cronkite's +cronyism's +crookedest +crookedness +crookedness's +crookneck's +crooknecks +cropland's +croquette's +croquettes +crossbar's +crossbeam's +crossbeams +crossbones +crossbones's +crossbowman +crossbowman's +crossbowmen +crossbow's +crossbreed +crossbreeding +crossbreed's +crossbreeds +crosscheck +crosschecked +crosschecking +crosscheck's +crosschecks +crosscurrent +crosscurrent's +crosscurrents +crosscut's +crosscutting +crossfire's +crossfires +crosshatch +crosshatched +crosshatches +crosshatching +crossing's +crossness's +crossover's +crossovers +crosspatch +crosspatches +crosspatch's +crosspiece +crosspiece's +crosspieces +crossroad's +crossroads +crossroads's +crosswalk's +crosswalks +crosswind's +crosswinds +crossword's +crosswords +crotchet's +croupier's +crowdfunded +crowdfunding +crowdfunds +crowfoot's +crucible's +crucifixes +Crucifixion +crucifixion +Crucifixion's +Crucifixions +crucifixion's +crucifixions +crucifix's +cruciform's +cruciforms +crucifying +crudeness's +crudites's +crudités's +cruelness's +Cruikshank +Cruikshank's +crumbliest +crumbliness +crumbliness's +crumminess +crumminess's +crunchiest +crunchiness +crunchiness's +crusader's +Crusades's +crushingly +crustacean +crustacean's +crustaceans +crustiness +crustiness's +cryogenics +cryogenics's +cryosurgery +cryosurgery's +cryptically +cryptogram +cryptogram's +cryptograms +cryptographer +cryptographer's +cryptographers +cryptography +cryptography's +Cryptozoic +Cryptozoic's +crystalline +crystallization +crystallization's +crystallize +crystallized +crystallizes +crystallizing +crystallographic +crystallography +Ctesiphon's +cubbyhole's +cubbyholes +Cuchulain's +cuckolding +cuckoldry's +cucumber's +cudgelings +Cuisinart's +Culbertson +Culbertson's +culminated +culminates +culminating +culmination +culmination's +culminations +culpability +culpability's +cultivable +cultivar's +cultivatable +cultivated +cultivates +cultivating +cultivation +cultivation's +cultivator +cultivator's +cultivators +culturally +Cumberland +Cumberland's +cumbersome +cumbersomeness +cumbersomeness's +cummerbund +cummerbund's +cummerbunds +Cummings's +cumulative +cumulatively +cumulonimbi +cumulonimbus +cumulonimbus's +cuneiform's +cunnilingus +cunnilingus's +cunningest +Cunningham +Cunningham's +cupboard's +cupidity's +curability +curability's +curative's +curatorial +curbstone's +curbstones +curettage's +curiosities +curiosity's +curiousness +curiousness's +Curitiba's +curlicue's +curlicuing +curliness's +curmudgeon +curmudgeonly +curmudgeon's +curmudgeons +currencies +currency's +curricular +curriculum +curriculum's +currycombed +currycombing +currycomb's +currycombs +cursoriness +cursoriness's +curtailing +curtailment +curtailment's +curtailments +curtaining +curtness's +curvaceous +curvaceousness +curvaceousness's +curvature's +curvatures +cushioning +cuspidor's +cussedness +custodian's +custodians +custodianship +custodianship's +customarily +customer's +customhouse +customhouse's +customhouses +customization +customization's +customized +customizes +customizing +cuteness's +cutthroat's +cutthroats +cuttlefish +cuttlefishes +cuttlefish's +cyberbullies +cyberbully +cyberbully's +cybercafes +cybercafés +cybernetic +cybernetics +cybernetics's +cyberpunk's +cyberpunks +cyberspace +cyberspace's +cyberspaces +Cyclades's +cyclamen's +cyclically +cyclometer +cyclometer's +cyclometers +cyclopedia +cyclopedia's +cyclopedias +Cyclopes's +cyclotron's +cyclotrons +cylinder's +cylindrical +cymbalist's +cymbalists +Cymbeline's +cynicism's +cynosure's +Cyrillic's +cytologist +cytologist's +cytologists +cytology's +cytoplasmic +cytoplasm's +cytosine's +Czechoslovak +Czechoslovakia +Czechoslovakian +Czechoslovakian's +Czechoslovakians +Czechoslovakia's +dachshund's +dachshunds +dactylic's +Daedalus's +daffiness's +daffodil's +daftness's +daguerreotype +daguerreotyped +daguerreotype's +daguerreotypes +daguerreotyping +Daguerre's +dailiness's +daintiness +daintiness's +daiquiri's +dairying's +dairymaid's +dairymaids +dairyman's +dairywoman +dairywoman's +dairywomen +dalliance's +dalliances +Dalmatian's +Dalmatians +dalmatian's +dalmatians +Dalmatia's +damageable +Damascus's +damnation's +Damocles's +dampener's +dampness's +damselflies +damselfly's +dandelion's +dandelions +dandifying +dandruff's +Dangerfield +Dangerfield's +dangerously +Danielle's +dankness's +danseuse's +Danubian's +Dardanelles +Dardanelles's +daredevilry +daredevilry's +daredevil's +daredevils +d'Arezzo's +Darjeeling +Darjeeling's +darkener's +darkness's +darkroom's +dartboard's +dartboards +Dartmoor's +Dartmouth's +Darwinian's +Darwinism's +Darwinisms +dashboard's +dashboards +dastardliness +dastardliness's +database's +Datamation +dateline's +datelining +Daugherty's +daughterly +daughter's +dauntingly +dauntlessly +dauntlessness +dauntlessness's +Davenport's +davenport's +davenports +Davidson's +daybreak's +daydreamed +daydreamer +daydreamer's +daydreamers +daydreaming +daydream's +daylight's +daylights's +dazzlingly +débridement +débutante's +débutantes +décolletage +décolletage's +décolletages +deaconesses +deaconess's +deactivate +deactivated +deactivates +deactivating +deactivation +deactivation's +deadbeat's +deadbolt's +deadheaded +deadheading +Deadhead's +deadline's +deadliness +deadliness's +deadlocked +deadlocking +deadlock's +deadpanned +deadpanning +deadwood's +deafeningly +deafness's +dealership +dealership's +dealerships +deanship's +dearness's +deathbed's +deathblow's +deathblows +deathlessly +deathtrap's +deathtraps +deathwatch +deathwatches +deathwatch's +debarkation +debarkation's +debarment's +debasement +debasement's +debasements +debating's +debauchee's +debauchees +debaucheries +debauchery +debauchery's +debauching +debenture's +debentures +debilitate +debilitated +debilitates +debilitating +debilitation +debilitation's +debilities +debility's +debonairly +debonairness +debonairness's +debouching +Debouillet +Debouillet's +debridement +debriefing +debriefing's +debriefings +debutante's +debutantes +decadence's +decadency's +decadently +decadent's +decaffeinate +decaffeinated +decaffeinates +decaffeinating +Decalogue's +decampment +decampment's +decanter's +decapitate +decapitated +decapitates +decapitating +decapitation +decapitation's +decapitations +decapitator +decapitator's +decapitators +decathlete +decathletes +decathlon's +decathlons +deceased's +decedent's +deceitfully +deceitfulness +deceitfulness's +deceiver's +deceivingly +decelerate +decelerated +decelerates +decelerating +deceleration +deceleration's +decelerator +decelerator's +decelerators +December's +decennial's +decennials +decentralization +decentralization's +decentralize +decentralized +decentralizes +decentralizing +deception's +deceptions +deceptively +deceptiveness +deceptiveness's +deciliter's +deciliters +decimalization +decimating +decimation +decimation's +decimeter's +decimeters +decipherable +deciphered +deciphering +decision's +decisively +decisiveness +decisiveness's +deckchairs +deckhand's +declaimer's +declaimers +declaiming +declamation +declamation's +declamations +declamatory +declarable +declaration +declaration's +declarations +declarative +declaratory +declarer's +declassification +declassification's +declassified +declassifies +declassify +declassifying +declension +declension's +declensions +declination +declination's +decliner's +declivities +declivity's +decolletage +decolletage's +decolletages +decolonization +decolonization's +decolonize +decolonized +decolonizes +decolonizing +decommission +decommissioned +decommissioning +decommissions +decomposed +decomposes +decomposing +decomposition +decomposition's +decompress +decompressed +decompresses +decompressing +decompression +decompression's +decongestant +decongestant's +decongestants +deconstruct +deconstructed +deconstructing +deconstruction +deconstructionism +deconstructionist +deconstructionists +deconstruction's +deconstructions +deconstructs +decontaminate +decontaminated +decontaminates +decontaminating +decontamination +decontamination's +decontrolled +decontrolling +decontrols +decorating +decorating's +decoration +decoration's +decorations +decorative +decoratively +decorator's +decorators +decorously +decorousness +decorousness's +decoupaged +decoupage's +decoupages +decoupaging +decoupling +decrease's +decreasing +decreasingly +decremented +decrements +decrepitude +decrepitude's +decrescendo +decrescendo's +decrescendos +decriminalization +decriminalization's +decriminalize +decriminalized +decriminalizes +decriminalizing +decryption +Dedekind's +dedicating +dedication +dedication's +dedications +dedicator's +dedicators +dedicatory +deductible +deductible's +deductibles +deduction's +deductions +deductively +deepness's +deerskin's +deerstalker +deerstalkers +deescalate +deescalated +deescalates +deescalating +deescalation +deescalation's +defacement +defacement's +defalcated +defalcates +defalcating +defalcation +defalcation's +defalcations +defamation +defamation's +defamatory +defaulter's +defaulters +defaulting +defeater's +defeatism's +defeatist's +defeatists +defecating +defecation +defecation's +defection's +defections +defectively +defectiveness +defectiveness's +defective's +defectives +defector's +defendant's +defendants +defender's +defenestration +defenestrations +defenseless +defenselessly +defenselessness +defenselessness's +defensible +defensibly +defensively +defensiveness +defensiveness's +defensive's +deference's +deferential +deferentially +deferment's +deferments +deferral's +defiance's +defibrillation +defibrillator +defibrillators +deficiencies +deficiency +deficiency's +defilement +defilement's +definitely +definiteness +definiteness's +definition +definition's +definitions +definitive +definitively +deflationary +deflation's +deflecting +deflection +deflection's +deflections +deflective +deflector's +deflectors +deflowered +deflowering +defogger's +defoliant's +defoliants +defoliated +defoliates +defoliating +defoliation +defoliation's +defoliator +defoliator's +defoliators +deforestation +deforestation's +deforested +deforesting +deformation +deformation's +deformations +deformities +deformity's +defrauder's +defrauders +defrauding +defrayal's +defrocking +defroster's +defrosters +defrosting +deftness's +degeneracy +degeneracy's +degenerate +degenerated +degenerate's +degenerates +degenerating +degeneration +degeneration's +degenerative +DeGeneres's +degradable +degradation +degradation's +dehumanization +dehumanization's +dehumanize +dehumanized +dehumanizes +dehumanizing +dehumidified +dehumidifier +dehumidifier's +dehumidifiers +dehumidifies +dehumidify +dehumidifying +dehydrated +dehydrates +dehydrating +dehydration +dehydration's +dehydrator +dehydrator's +dehydrators +dehydrogenase +dehydrogenate +dehydrogenated +dehydrogenates +dehydrogenating +deification +deification's +dejectedly +dejection's +Delacroix's +Delacruz's +Delawarean +Delawarean's +Delawareans +Delaware's +delectable +delectably +delectation +delectation's +delegate's +delegating +delegation +delegation's +delegations +deleterious +deletion's +deleverage +deleveraged +deleverages +deleveraging +delftware's +deliberate +deliberated +deliberately +deliberateness +deliberateness's +deliberates +deliberating +deliberation +deliberation's +deliberations +deliberative +delicacies +delicacy's +delicately +delicateness +delicateness's +delicatessen +delicatessen's +delicatessens +deliciously +deliciousness +deliciousness's +Delicious's +delightedly +delightful +delightfully +delighting +deliminator +delimitation +delimitation's +delimiters +delimiting +delineated +delineates +delineating +delineation +delineation's +delineations +delinquencies +delinquency +delinquency's +delinquent +delinquently +delinquent's +delinquents +deliquesce +deliquesced +deliquescent +deliquesces +deliquescing +deliriously +deliriousness +deliriousness's +delirium's +deliverable +deliverance +deliverance's +deliverer's +deliverers +deliveries +delivering +deliveryman +deliveryman's +deliverymen +delivery's +Delmarva's +Delmonico's +delphinium +delphinium's +delphiniums +Delphinus's +delusional +delusion's +delusively +demagnetization +demagnetization's +demagnetize +demagnetized +demagnetizes +demagnetizing +demagogically +demagoguery +demagoguery's +demagogue's +demagogues +demagogy's +demarcated +demarcates +demarcating +demarcation +demarcation's +demarcations +Demavend's +demeanor's +dementedly +dementia's +Demetrius's +demigoddess +demigoddesses +demigoddess's +demijohn's +demilitarization +demilitarization's +demilitarize +demilitarized +demilitarizes +demilitarizing +demimondaine +demimondaine's +demimondaines +demimonde's +demitasse's +demitasses +demobilization +demobilization's +demobilize +demobilized +demobilizes +demobilizing +democracies +democracy's +Democratic +democratic +democratically +democratization +democratization's +democratize +democratized +democratizes +democratizing +Democrat's +democrat's +Democritus +Democritus's +demodulate +demodulated +demodulates +demodulating +demodulation +demodulation's +demographer +demographer's +demographers +demographic +demographically +demographic's +demographics +demographics's +demography +demography's +demolished +demolishes +demolishing +demolition +demolition's +demolitions +demonetization +demonetization's +demonetize +demonetized +demonetizes +demonetizing +demoniacal +demoniacally +demonically +demonizing +demonologies +demonology +demonology's +demonstrability +demonstrable +demonstrably +demonstrate +demonstrated +demonstrates +demonstrating +demonstration +demonstration's +demonstrations +demonstrative +demonstratively +demonstrativeness +demonstrativeness's +demonstrative's +demonstratives +demonstrator +demonstrator's +demonstrators +demoralization +demoralization's +demoralize +demoralized +demoralizes +demoralizing +Demosthenes +Demosthenes's +demotion's +demotivate +demotivated +demotivates +demotivating +demulcent's +demulcents +demureness +demureness's +demurral's +demurrer's +demystification +demystification's +demystified +demystifies +demystifying +denationalization +denationalize +denationalized +denationalizes +denationalizing +denaturation +denaturing +dendrite's +Denebola's +deniability +denigrated +denigrates +denigrating +denigration +denigration's +denitrification +denominate +denominated +denominates +denominating +denomination +denominational +denomination's +denominations +denominator +denominator's +denominators +denotation +denotation's +denotations +denotative +denouement +denouement's +denouements +denouncement +denouncement's +denouncements +denouncing +denseness's +dentifrice +dentifrice's +dentifrices +dentistry's +dentition's +denuclearize +denuclearized +denuclearizes +denuclearizing +denudation +denudation's +denunciation +denunciation's +denunciations +deodorant's +deodorants +deodorization +deodorization's +deodorized +deodorizer +deodorizer's +deodorizers +deodorizes +deodorizing +departed's +department +departmental +departmentalization +departmentalization's +departmentalize +departmentalized +departmentalizes +departmentalizing +departmentally +department's +departments +departure's +departures +dependability +dependability's +dependable +dependably +dependence +dependence's +dependencies +dependency +dependency's +dependently +dependent's +dependents +depersonalize +depersonalized +depersonalizes +depersonalizing +depiction's +depictions +depilatories +depilatory +depilatory's +depletion's +deplorable +deplorably +deployment +deployment's +deployments +depolarization +depolarization's +depolarize +depolarized +depolarizes +depolarizing +depoliticize +depoliticized +depoliticizes +depoliticizing +deponent's +depopulate +depopulated +depopulates +depopulating +depopulation +depopulation's +deportation +deportation's +deportations +deportee's +deportment +deportment's +depositing +deposition +deposition's +depositions +depositories +depositor's +depositors +depository +depository's +depravities +depravity's +deprecated +deprecates +deprecating +deprecatingly +deprecation +deprecation's +deprecatory +depreciate +depreciated +depreciates +depreciating +depreciation +depreciation's +depredation +depredation's +depredations +depressant +depressant's +depressants +depressing +depressingly +depression +depression's +depressions +depressive +depressive's +depressives +depressor's +depressors +depressurization +depressurize +depressurized +depressurizes +depressurizing +deprivation +deprivation's +deprivations +deprogrammed +deprogramming +deprograms +deputation +deputation's +deputations +deputizing +derailleur +derailleur's +derailleurs +derailment +derailment's +derailments +derangement +derangement's +deregulate +deregulated +deregulates +deregulating +deregulation +deregulation's +dereliction +dereliction's +derelict's +derision's +derisively +derisiveness +derisiveness's +derivation +derivation's +derivations +derivative +derivative's +derivatives +dermatitis +dermatitis's +dermatological +dermatologist +dermatologist's +dermatologists +dermatology +dermatology's +derogating +derogation +derogation's +derogatorily +derogatory +derriere's +derringer's +derringers +derrière's +desalinate +desalinated +desalinates +desalinating +desalination +desalination's +desalinization +desalinization's +desalinize +desalinized +desalinizes +desalinizing +descanting +Descartes's +descendant +descendant's +descendants +descending +describable +describer's +describers +describing +description +description's +descriptions +descriptive +descriptively +descriptiveness +descriptiveness's +descriptor +descriptors +Desdemona's +desecrated +desecrates +desecrating +desecration +desecration's +desegregate +desegregated +desegregates +desegregating +desegregation +desegregation's +deselected +deselecting +deselection +desensitization +desensitization's +desensitize +desensitized +desensitizes +desensitizing +deserter's +desertification +desertion's +desertions +deservedly +desiccant's +desiccants +desiccated +desiccates +desiccating +desiccation +desiccation's +desiccator +desiccator's +desiccators +desiderata +desideratum +desideratum's +designated +designates +designating +designation +designation's +designations +designer's +designing's +desirability +desirability's +desirableness +desirableness's +deskilling +desolately +desolateness +desolateness's +desolating +desolation +desolation's +despairing +despairingly +desperadoes +desperado's +desperately +desperateness +desperateness's +desperation +desperation's +despicable +despicably +despoiler's +despoilers +despoiling +despoilment +despoilment's +despoliation +despoliation's +despondence +despondence's +despondency +despondency's +despondent +despondently +despotically +despotism's +dessertspoon +dessertspoonful +dessertspoonfuls +dessertspoons +destabilization +destabilization's +destabilize +destabilized +destabilizes +destabilizing +d'Estaing's +destination +destination's +destinations +destitution +destitution's +destroyer's +destroyers +destroying +destructed +destructibility +destructibility's +destructible +destructing +destruction +destruction's +destructive +destructively +destructiveness +destructiveness's +destruct's +desuetude's +desultorily +detachable +detachment +detachment's +detachments +detainee's +detainment +detainment's +detectable +detection's +detective's +detectives +detector's +detention's +detentions +detergent's +detergents +deteriorate +deteriorated +deteriorates +deteriorating +deterioration +deterioration's +determent's +determinable +determinant +determinant's +determinants +determinate +determination +determination's +determinations +determined +determinedly +determiner +determiner's +determiners +determines +determining +determinism +determinism's +deterministic +deterrence +deterrence's +deterrent's +deterrents +detestable +detestably +detestation +detestation's +dethronement +dethronement's +dethroning +detonating +detonation +detonation's +detonations +detonator's +detonators +detoxification +detoxification's +detoxified +detoxifies +detoxifying +detracting +detraction +detraction's +detractor's +detractors +detrimental +detrimentally +detriment's +detriments +detritus's +deuterium's +Deuteronomy +Deuteronomy's +devaluation +devaluation's +devaluations +Devanagari +Devanagari's +devastated +devastates +devastating +devastatingly +devastation +devastation's +devastator +devastator's +devastators +developer's +developers +developing +development +developmental +developmentally +development's +developments +deviance's +deviancy's +deviation's +deviations +devilishly +devilishness +devilishness's +devilment's +deviltries +deviltry's +deviousness +deviousness's +devitalize +devitalized +devitalizes +devitalizing +devolution +devolution's +Devonian's +devotional +devotional's +devotionals +devotion's +devoutness +devoutness's +dewberries +dewberry's +dewiness's +Dexedrine's +dexterity's +dexterously +dexterousness +dexterousness's +dextrose's +Dhaulagiri +Dhaulagiri's +diabetes's +diabetic's +diabolical +diabolically +diacritical +diacritic's +diacritics +diaeresis's +Diaghilev's +diagnosing +diagnosis's +diagnostic +diagnostically +diagnostician +diagnostician's +diagnosticians +diagnostics +diagnostics's +diagonally +diagonal's +diagrammatic +diagrammatically +diagrammed +diagramming +dialectical +dialectic's +dialectics +dialectics's +dialogue's +dialysis's +diameter's +diametrical +diametrically +diamondback +diamondback's +diamondbacks +diapason's +diaphanous +diaphragmatic +diaphragm's +diaphragms +diarrhea's +Diaspora's +diaspora's +diastase's +diastole's +diathermy's +diatribe's +DiCaprio's +dichotomies +dichotomous +dichotomy's +Dickensian +Dickerson's +Dickinson's +dickybirds +dicotyledon +dicotyledonous +dicotyledon's +dicotyledons +Dictaphone +Dictaphone's +Dictaphones +dictation's +dictations +dictatorial +dictatorially +dictator's +dictatorship +dictatorship's +dictatorships +dictionaries +dictionary +dictionary's +didactically +diddlysquat +didgeridoo +didgeridoos +Didrikson's +Diefenbaker +Diefenbaker's +dielectric +dielectric's +dielectrics +dieresis's +dietetics's +dietitian's +dietitians +Dietrich's +difference +difference's +differences +differential +differential's +differentials +differentiate +differentiated +differentiates +differentiating +differentiation +differentiation's +differently +difficulties +difficultly +difficulty +difficulty's +diffidence +diffidence's +diffidently +diffracted +diffracting +diffraction +diffraction's +diffuseness +diffuseness's +diffusion's +diffusivity +digerati's +digestibility +digestibility's +digestible +digestion's +digestions +digestives +diggings's +digitalis's +digitization +digitizing +dignifying +dignitaries +dignitary's +digressing +digression +digression's +digressions +digressive +Dijkstra's +dilapidated +dilapidation +dilapidation's +dilatation +dilatation's +dilation's +dilettante +dilettante's +dilettantes +dilettantish +dilettantism +dilettantism's +diligence's +diligently +Dillinger's +dillydallied +dillydallies +dillydally +dillydallying +dilution's +DiMaggio's +dimensional +dimensionless +dimension's +dimensions +diminished +diminishes +diminishing +diminuendo +diminuendo's +diminuendos +diminution +diminution's +diminutions +diminutive +diminutive's +diminutives +dinginess's +dinnertime +dinnertime's +dinnerware +dinnerware's +dinosaur's +diocesan's +Diocletian +Diocletian's +Diogenes's +Dionysian's +Dionysus's +Diophantine +Diophantine's +diphtheria +diphtheria's +diphthong's +diphthongs +diplomacy's +diplomatic +diplomatically +diplomatist +diplomatist's +diplomatists +diplomat's +dipsomania +dipsomaniac +dipsomaniac's +dipsomaniacs +dipsomania's +dipstick's +directional +directionless +direction's +directions +directive's +directives +directness +directness's +directorate +directorate's +directorates +directorial +directories +director's +directorship +directorship's +directorships +directory's +Dirichlet's +dirigible's +dirigibles +dirtiness's +disabilities +disability +disability's +disablement +disablement's +disabusing +disadvantage +disadvantaged +disadvantageous +disadvantageously +disadvantage's +disadvantages +disadvantaging +disaffected +disaffecting +disaffection +disaffection's +disaffects +disaffiliate +disaffiliated +disaffiliates +disaffiliating +disaffiliation +disaffiliation's +disafforest +disafforested +disafforesting +disafforests +disagreeable +disagreeableness +disagreeableness's +disagreeably +disagreeing +disagreement +disagreement's +disagreements +disallowed +disallowing +disambiguate +disambiguation +disappearance +disappearance's +disappearances +disappeared +disappearing +disappears +disappoint +disappointed +disappointing +disappointingly +disappointment +disappointment's +disappointments +disappoints +disapprobation +disapprobation's +disapproval +disapproval's +disapprove +disapproved +disapproves +disapproving +disapprovingly +disarmament +disarmament's +disarmingly +disarrange +disarranged +disarrangement +disarrangement's +disarranges +disarranging +disarrayed +disarraying +disarray's +disassemble +disassembled +disassembles +disassembling +disassembly +disassociate +disassociated +disassociates +disassociating +disassociation +disassociation's +disaster's +disastrous +disastrously +disavowal's +disavowals +disavowing +disbanding +disbandment +disbandment's +disbarment +disbarment's +disbarring +disbelief's +disbelieve +disbelieved +disbeliever +disbeliever's +disbelievers +disbelieves +disbelieving +disbelievingly +disbursal's +disbursement +disbursement's +disbursements +disbursing +discarding +discernible +discernibly +discerning +discerningly +discernment +discernment's +discharged +discharge's +discharges +discharging +disciple's +discipleship +discipleship's +disciplinarian +disciplinarian's +disciplinarians +disciplinary +discipline +disciplined +discipline's +disciplines +disciplining +disclaimed +disclaimer +disclaimer's +disclaimers +disclaiming +disclosing +disclosure +disclosure's +disclosures +discographies +discography +discography's +discoloration +discoloration's +discolorations +discolored +discoloring +discombobulate +discombobulated +discombobulates +discombobulating +discombobulation +discombobulation's +discomfited +discomfiting +discomfits +discomfiture +discomfiture's +discomfort +discomforted +discomforting +discomfort's +discomforts +discommode +discommoded +discommodes +discommoding +discompose +discomposed +discomposes +discomposing +discomposure +discomposure's +disconcert +disconcerted +disconcerting +disconcertingly +disconcerts +disconnect +disconnected +disconnectedly +disconnectedness +disconnectedness's +disconnecting +disconnection +disconnection's +disconnections +disconnects +disconsolate +disconsolately +discontent +discontented +discontentedly +discontenting +discontentment +discontentment's +discontent's +discontents +discontinuance +discontinuance's +discontinuances +discontinuation +discontinuation's +discontinuations +discontinue +discontinued +discontinues +discontinuing +discontinuities +discontinuity +discontinuity's +discontinuous +discontinuously +discordance +discordance's +discordant +discordantly +discording +discotheque +discotheque's +discotheques +discounted +discountenance +discountenanced +discountenances +discountenancing +discounter +discounter's +discounters +discounting +discount's +discourage +discouraged +discouragement +discouragement's +discouragements +discourages +discouraging +discouragingly +discoursed +discourse's +discourses +discoursing +discourteous +discourteously +discourtesies +discourtesy +discourtesy's +discovered +discoverer +discoverer's +discoverers +discoveries +discovering +discovery's +discreditable +discreditably +discredited +discrediting +discredit's +discredits +discreeter +discreetest +discreetly +discreetness +discreetness's +discrepancies +discrepancy +discrepancy's +discrepant +discretely +discreteness +discreteness's +discretion +discretionary +discretion's +discriminant +discriminate +discriminated +discriminates +discriminating +discrimination +discrimination's +discriminator +discriminator's +discriminators +discriminatory +discursive +discursively +discursiveness +discursiveness's +discussant +discussant's +discussants +discussing +discussion +discussion's +discussions +disdainful +disdainfully +disdaining +disembarkation +disembarkation's +disembarked +disembarking +disembarks +disembodied +disembodies +disembodiment +disembodiment's +disembodying +disembowel +disemboweled +disemboweling +disembowelment +disembowelment's +disembowels +disenchant +disenchanted +disenchanting +disenchantment +disenchantment's +disenchants +disencumber +disencumbered +disencumbering +disencumbers +disenfranchise +disenfranchised +disenfranchisement +disenfranchisement's +disenfranchises +disenfranchising +disengaged +disengagement +disengagement's +disengagements +disengages +disengaging +disentangle +disentangled +disentanglement +disentanglement's +disentangles +disentangling +disequilibrium +disequilibrium's +disestablish +disestablished +disestablishes +disestablishing +disestablishment +disestablishment's +disesteemed +disesteeming +disesteem's +disesteems +disfavored +disfavoring +disfavor's +disfigured +disfigurement +disfigurement's +disfigurements +disfigures +disfiguring +disfranchise +disfranchised +disfranchisement +disfranchisement's +disfranchises +disfranchising +disgorgement +disgorgement's +disgorging +disgraceful +disgracefully +disgracefulness +disgracefulness's +disgrace's +disgracing +disgruntle +disgruntled +disgruntlement +disgruntlement's +disgruntles +disgruntling +disguise's +disguising +disgustedly +disgusting +disgustingly +dishabille +dishabille's +disharmonious +disharmony +disharmony's +dishcloth's +dishcloths +dishearten +disheartened +disheartening +dishearteningly +disheartens +disheveled +disheveling +dishevelment +dishevelment's +dishonestly +dishonesty +dishonesty's +dishonorable +dishonorably +dishonored +dishonoring +dishonor's +dishtowel's +dishtowels +dishware's +dishwasher +dishwasher's +dishwashers +dishwater's +disillusion +disillusioned +disillusioning +disillusionment +disillusionment's +disillusion's +disillusions +disincentive +disincentives +disinclination +disinclination's +disincline +disinclined +disinclines +disinclining +disinfectant +disinfectant's +disinfectants +disinfected +disinfecting +disinfection +disinfection's +disinfects +disinflation +disinflation's +disinformation +disinformation's +disingenuous +disingenuously +disinherit +disinheritance +disinheritance's +disinherited +disinheriting +disinherits +disintegrate +disintegrated +disintegrates +disintegrating +disintegration +disintegration's +disinterest +disinterested +disinterestedly +disinterestedness +disinterestedness's +disinterest's +disinterests +disinterment +disinterment's +disinterred +disinterring +disinvestment +disinvestment's +disjointed +disjointedly +disjointedness +disjointedness's +disjointing +disjunctive +disjuncture +diskette's +dislocated +dislocates +dislocating +dislocation +dislocation's +dislocations +dislodging +disloyally +disloyalty +disloyalty's +dismantled +dismantlement +dismantlement's +dismantles +dismantling +dismembered +dismembering +dismemberment +dismemberment's +dismembers +dismissal's +dismissals +dismissing +dismissive +dismissively +dismounted +dismounting +dismount's +Disneyland +Disneyland's +disobedience +disobedience's +disobedient +disobediently +disobeying +disobliged +disobliges +disobliging +disordered +disordering +disorderliness +disorderliness's +disorderly +disorder's +disorganization +disorganization's +disorganize +disorganized +disorganizes +disorganizing +disorientate +disorientated +disorientates +disorientating +disorientation +disorientation's +disoriented +disorienting +disorients +disparaged +disparagement +disparagement's +disparages +disparaging +disparagingly +disparately +disparities +disparity's +dispassion +dispassionate +dispassionately +dispassion's +dispatched +dispatcher +dispatcher's +dispatchers +dispatches +dispatching +dispatch's +dispelling +dispensable +dispensaries +dispensary +dispensary's +dispensation +dispensation's +dispensations +dispenser's +dispensers +dispensing +dispersal's +dispersing +dispersion +dispersion's +dispirited +dispiriting +displacement +displacement's +displacements +displacing +displayable +displaying +displeased +displeases +displeasing +displeasure +displeasure's +disporting +disposable +disposable's +disposables +disposal's +disposer's +disposition +disposition's +dispositions +dispossess +dispossessed +dispossesses +dispossessing +dispossession +dispossession's +dispraised +dispraise's +dispraises +dispraising +disproof's +disproportion +disproportional +disproportionate +disproportionately +disproportion's +disproportions +disprovable +disproving +disputable +disputably +disputant's +disputants +disputation +disputation's +disputations +disputatious +disputatiously +disputer's +disqualification +disqualification's +disqualifications +disqualified +disqualifies +disqualify +disqualifying +disquieted +disquieting +disquiet's +disquietude +disquietude's +disquisition +disquisition's +disquisitions +Disraeli's +disregarded +disregardful +disregarding +disregard's +disregards +disrepair's +disreputable +disreputably +disrepute's +disrespect +disrespected +disrespectful +disrespectfully +disrespecting +disrespect's +disrespects +disrupting +disruption +disruption's +disruptions +disruptive +disruptively +dissatisfaction +dissatisfaction's +dissatisfied +dissatisfies +dissatisfy +dissatisfying +dissecting +dissection +dissection's +dissections +dissector's +dissectors +dissemblance +dissemblance's +dissembled +dissembler +dissembler's +dissemblers +dissembles +dissembling +disseminate +disseminated +disseminates +disseminating +dissemination +dissemination's +dissension +dissension's +dissensions +dissenter's +dissenters +dissenting +dissertation +dissertation's +dissertations +disservice +disservice's +disservices +dissevered +dissevering +dissidence +dissidence's +dissident's +dissidents +dissimilar +dissimilarities +dissimilarity +dissimilarity's +dissimilitude +dissimilitude's +dissimilitudes +dissimulate +dissimulated +dissimulates +dissimulating +dissimulation +dissimulation's +dissimulator +dissimulator's +dissimulators +dissipated +dissipates +dissipating +dissipation +dissipation's +dissociate +dissociated +dissociates +dissociating +dissociation +dissociation's +dissoluble +dissolutely +dissoluteness +dissoluteness's +dissolution +dissolution's +dissolving +dissonance +dissonance's +dissonances +dissuading +dissuasion +dissuasion's +dissuasive +distance's +distancing +distasteful +distastefully +distastefulness +distastefulness's +distaste's +distemper's +distending +distension +distension's +distensions +distention +distention's +distentions +distillate +distillate's +distillates +distillation +distillation's +distillations +distilleries +distiller's +distillers +distillery +distillery's +distilling +distincter +distinctest +distinction +distinction's +distinctions +distinctive +distinctively +distinctiveness +distinctiveness's +distinctly +distinctness +distinctness's +distinguish +distinguishable +distinguished +distinguishes +distinguishing +distorting +distortion +distortion's +distortions +distracted +distractedly +distracting +distraction +distraction's +distractions +distraught +distressed +distresses +distressful +distressing +distressingly +distress's +distribute +distributed +distributes +distributing +distribution +distributional +distribution's +distributions +distributive +distributively +distributor +distributor's +distributors +distributorship +distributorships +district's +distrusted +distrustful +distrustfully +distrusting +distrust's +disturbance +disturbance's +disturbances +disturber's +disturbers +disturbing +disturbingly +disunion's +disuniting +disunity's +disyllabic +ditherer's +ditransitive +diuretic's +divergence +divergence's +divergences +diverseness +diverseness's +diversification +diversification's +diversified +diversifies +diversifying +diversionary +diversion's +diversions +diversities +diversity's +diverticulitis +diverticulitis's +divestiture +divestiture's +divestitures +divestment +divestment's +dividend's +divination +divination's +divinities +divinity's +divisibility +divisibility's +divisional +division's +divisively +divisiveness +divisiveness's +divorcee's +divorcement +divorcement's +divorcements +divorcée's +Dixiecrat's +Dixieland's +Dixielands +dixieland's +dizziness's +djellaba's +Djibouti's +Dnepropetrovsk +Dnepropetrovsk's +Dniester's +Doberman's +doberman's +docility's +dockworker +dockworker's +dockworkers +dockyard's +doctorate's +doctorates +Doctorow's +doctrinaire +doctrinaire's +doctrinaires +doctrine's +docudrama's +docudramas +documentaries +documentary +documentary's +documentation +documentation's +documentations +documented +documenting +document's +dogcatcher +dogcatcher's +dogcatchers +dogfight's +doggedness +doggedness's +doggerel's +doghouse's +doglegging +dogmatically +dogmatism's +dogmatist's +dogmatists +dogsbodies +dogtrotted +dogtrotting +doldrums's +dolefulness +dolefulness's +dollhouse's +dollhouses +dolomite's +dolorously +doltishness +doltishness's +Domesday's +domestically +domesticate +domesticated +domesticates +domesticating +domestication +domestication's +domesticity +domesticity's +domestic's +domicile's +domiciliary +domiciling +dominance's +dominantly +dominant's +dominating +domination +domination's +dominatrices +dominatrix +dominatrix's +domineered +domineering +domineeringly +Dominguez's +Dominican's +Dominicans +Dominica's +Dominick's +dominion's +Dominique's +Domitian's +Donaldson's +Donatello's +donation's +Donizetti's +donnybrook +donnybrook's +donnybrooks +doodlebug's +doodlebugs +doohickey's +doohickeys +Doolittle's +doomsayer's +doomsayers +doomsday's +Doonesbury +Doonesbury's +doorbell's +doorkeeper +doorkeeper's +doorkeepers +doorknob's +doorknocker +doorknockers +doorplate's +doorplates +doorstepped +doorstepping +doorstep's +doorstop's +dooryard's +dopiness's +doppelganger +doppelgangers +doppelgänger +doppelgängers +dormancy's +dormitories +dormitory's +dormouse's +Dorothea's +Dortmund's +dosimeter's +dosimeters +dosshouses +Dostoevsky +Dostoevsky's +Doubleday's +doubleheader +doubleheader's +doubleheaders +doublespeak +doublespeak's +doubloon's +doubtfully +doubtfulness +doubtfulness's +doubtingly +doubtlessly +doughnut's +doughtiest +Douglass's +dourness's +dovecote's +dovetailed +dovetailing +dovetail's +dowdiness's +downbeat's +downdraft's +downdrafts +downfallen +downfall's +downgraded +downgrade's +downgrades +downgrading +downhearted +downheartedly +downheartedness +downheartedness's +downhill's +downloadable +downloaded +downloading +download's +downmarket +downplayed +downplaying +downpour's +downshifted +downshifting +downshifts +downside's +downsizing +downsizing's +downspout's +downspouts +downstairs +downstairs's +downstate's +downstream +downswing's +downswings +downtime's +downtown's +downtrend's +downtrends +downtrodden +downturn's +doxologies +doxology's +drabness's +Draconian's +draftiness +draftiness's +drafting's +draftsman's +draftsmanship +draftsmanship's +draftswoman +draftswoman's +draftswomen +dragonflies +dragonfly's +dragooning +dérailleur +dérailleur's +dérailleurs +drainage's +drainboard +drainboard's +drainboards +drainpipe's +drainpipes +Dramamine's +Dramamines +dramatically +dramatics's +dramatist's +dramatists +dramatization +dramatization's +dramatizations +dramatized +dramatizes +dramatizing +Drambuie's +drastically +draughtboard +draughtboards +Dravidian's +drawback's +drawbridge +drawbridge's +drawbridges +drawstring +drawstring's +drawstrings +dreadfully +dreadfulness +dreadfulness's +dreadlocks +dreadlocks's +dreadnought +dreadnought's +dreadnoughts +dreamboat's +dreamboats +dreaminess +dreaminess's +dreamland's +dreamworld +dreamworld's +dreamworlds +dreariness +dreariness's +dressage's +dressiness +dressiness's +dressing's +dressmaker +dressmaker's +dressmakers +dressmaking +dressmaking's +dribbler's +driftwood's +drillmaster +drillmaster's +drillmasters +dripping's +driveler's +driveshaft +driveshaft's +driveshafts +driveway's +drolleries +drollery's +drollness's +dromedaries +dromedary's +droopiness +droopiness's +dropkick's +droppings's +drowning's +drowsiness +drowsiness's +drubbing's +drudgery's +druggist's +drugstore's +drugstores +druidism's +drumbeat's +drumstick's +drumsticks +drunkard's +drunkenness +drunkenness's +druthers's +Dschubba's +Düsseldorf +Düsseldorf's +dubiousness +dubiousness's +Dubrovnik's +duckbill's +duckboards +duckling's +duckpins's +duckweed's +ductility's +Duisburg's +dulcimer's +dullness's +dumbbell's +dumbfounded +dumbfounding +dumbfounds +Dumbledore +Dumbledore's +dumbness's +dumbstruck +dumbwaiter +dumbwaiter's +dumbwaiters +dumpiness's +dumpling's +Dumpster's +dumpster's +dunderhead +dunderhead's +dunderheads +dungaree's +dunghill's +duodecimal +duodenum's +duplicated +duplicate's +duplicates +duplicating +duplication +duplication's +duplicator +duplicator's +duplicators +duplicitous +duplicity's +durability +durability's +Duracell's +duration's +Durkheim's +Durocher's +Dushanbe's +duskiness's +Dusseldorf +Dusseldorf's +Dustbuster +Dustbuster's +dustiness's +dustsheets +Dutchman's +Dutchmen's +Dutchwoman +dutifulness +dutifulness's +Duvalier's +dwarfism's +dwelling's +dyestuff's +dynamically +dynamics's +dynamism's +dynamiter's +dynamiters +dynamite's +dynamiting +dysentery's +dysfunction +dysfunctional +dysfunction's +dysfunctions +dyslectic's +dyslectics +dyslexia's +dyslexic's +dyspepsia's +dyspeptic's +dyspeptics +dysprosium +dysprosium's +Dzerzhinsky +Dzerzhinsky's +Dzungaria's +eagerness's +earliness's +earmarking +Earnestine +Earnestine's +earnestness +earnestness's +Earnhardt's +earnings's +earphone's +earsplitting +earthbound +earthenware +earthenware's +earthiness +earthiness's +earthliest +earthling's +earthlings +earthquake +earthquake's +earthquakes +earthshaking +earthwards +earthwork's +earthworks +earthworm's +earthworms +easement's +easiness's +easterlies +easterly's +easterner's +easterners +easternmost +Eastwood's +eavesdropped +eavesdropper +eavesdropper's +eavesdroppers +eavesdropping +eavesdrops +Ebeneezer's +ebullience +ebullience's +ebulliently +ebullition +ebullition's +eccentrically +eccentricities +eccentricity +eccentricity's +eccentric's +eccentrics +Ecclesiastes +Ecclesiastes's +ecclesiastic +ecclesiastical +ecclesiastically +ecclesiastic's +ecclesiastics +echinoderm +echinoderm's +echinoderms +echolocation +echolocation's +eclectically +eclecticism +eclecticism's +eclectic's +ecliptic's +ECMAScript +ECMAScript's +ecological +ecologically +ecologist's +ecologists +econometric +economical +economically +economics's +economist's +economists +economized +economizer +economizer's +economizers +economizes +economizing +ecosystem's +ecosystems +ecotourism +ecotourism's +ecotourist +ecotourist's +ecotourists +ecstatically +Ecuadoran's +Ecuadorans +Ecuadorean +Ecuadorian +Ecuadorian's +Ecuadorians +ecumenical +ecumenically +ecumenicism +ecumenicism's +ecumenism's +Eddington's +edelweiss's +edginess's +edibility's +edibleness +edibleness's +edification +edification's +Edinburgh's +editorialize +editorialized +editorializes +editorializing +editorially +editorial's +editorials +editorship +editorship's +Edmonton's +educability +educability's +educational +educationalist +educationalists +educationally +educationist +educationists +education's +educations +educator's +edutainment +edutainment's +Edwardian's +eeriness's +effacement +effacement's +effectively +effectiveness +effectiveness's +effectually +effectuate +effectuated +effectuates +effectuating +effeminacy +effeminacy's +effeminate +effeminately +effervesce +effervesced +effervescence +effervescence's +effervescent +effervescently +effervesces +effervescing +effeteness +effeteness's +efficacious +efficaciously +efficacy's +efficiencies +efficiency +efficiency's +efficiently +efflorescence +efflorescence's +efflorescent +effluence's +effluent's +effluvium's +effortless +effortlessly +effortlessness +effortlessness's +effrontery +effrontery's +effulgence +effulgence's +effusion's +effusively +effusiveness +effusiveness's +egalitarian +egalitarianism +egalitarianism's +egalitarian's +egalitarians +eggbeater's +eggbeaters +eggplant's +eggshell's +eglantine's +eglantines +egocentric +egocentrically +egocentricity +egocentricity's +egocentric's +egocentrics +egoistical +egoistically +egomaniac's +egomaniacs +egomania's +egotistical +egotistically +egregiously +egregiousness +egregiousness's +Egyptian's +Egyptology +Egyptology's +Ehrenberg's +Eichmann's +eiderdown's +eiderdowns +eigenvalue +eigenvalues +eighteen's +eighteenth +eighteenth's +eighteenths +eightieth's +eightieths +einsteinium +einsteinium's +Einstein's +Eisenhower +Eisenhower's +Eisenstein +Eisenstein's +eisteddfod +eisteddfods +ejaculated +ejaculates +ejaculating +ejaculation +ejaculation's +ejaculations +ejaculatory +ejection's +elaborated +elaborately +elaborateness +elaborateness's +elaborates +elaborating +elaboration +elaboration's +elaborations +elastically +elasticated +elasticity +elasticity's +elasticize +elasticized +elasticizes +elasticizing +Elastoplast +Elastoplast's +elbowroom's +elderberries +elderberry +elderberry's +eldercare's +electioneer +electioneered +electioneering +electioneers +election's +elective's +electorally +electorate +electorate's +electorates +electrical +electrically +electrician +electrician's +electricians +electricity +electricity's +electrification +electrification's +electrified +electrifier +electrifier's +electrifiers +electrifies +electrifying +electrocardiogram +electrocardiogram's +electrocardiograms +electrocardiograph +electrocardiograph's +electrocardiographs +electrocardiography +electrocardiography's +electrocute +electrocuted +electrocutes +electrocuting +electrocution +electrocution's +electrocutions +electrode's +electrodes +electrodynamics +electroencephalogram +electroencephalogram's +electroencephalograms +electroencephalograph +electroencephalographic +electroencephalograph's +electroencephalographs +electroencephalography +electroencephalography's +electrologist +electrologist's +electrologists +electrolysis +electrolysis's +electrolyte +electrolyte's +electrolytes +electrolytic +electromagnet +electromagnetic +electromagnetically +electromagnetism +electromagnetism's +electromagnet's +electromagnets +electromotive +electronic +electronica +electronically +electronica's +electronics +electronics's +electron's +electroplate +electroplated +electroplates +electroplating +electroscope +electroscope's +electroscopes +electroscopic +electroshock +electroshock's +electrostatic +electrostatics +electrostatics's +electrotype +electrotype's +electrotypes +eleemosynary +elegance's +elementally +elementary +elephantiasis +elephantiasis's +elephantine +elephant's +elevation's +elevations +elevator's +eleventh's +elicitation +elicitation's +eligibility +eligibility's +eliminated +eliminates +eliminating +elimination +elimination's +eliminations +eliminator +eliminators +Elisabeth's +Elizabethan +Elizabethan's +Elizabethans +Elizabeth's +Ellesmere's +Ellington's +ellipsis's +ellipsoidal +ellipsoid's +ellipsoids +elliptical +elliptically +elocutionary +elocutionist +elocutionist's +elocutionists +elocution's +elongating +elongation +elongation's +elongations +elopement's +elopements +eloquence's +eloquently +Elsinore's +elucidated +elucidates +elucidating +elucidation +elucidation's +elucidations +elusiveness +elusiveness's +emaciating +emaciation +emaciation's +emanation's +emanations +emancipate +emancipated +emancipates +emancipating +emancipation +emancipation's +emancipator +emancipator's +emancipators +emasculate +emasculated +emasculates +emasculating +emasculation +emasculation's +embalmer's +embankment +embankment's +embankments +embargoing +embarkation +embarkation's +embarkations +embarrassed +embarrasses +embarrassing +embarrassingly +embarrassment +embarrassment's +embarrassments +embellished +embellishes +embellishing +embellishment +embellishment's +embellishments +embezzlement +embezzlement's +embezzler's +embezzlers +embezzling +embittered +embittering +embitterment +embitterment's +emblazoned +emblazoning +emblazonment +emblazonment's +emblematic +emblematically +embodiment +embodiment's +emboldened +emboldening +embolism's +embolization +embosser's +embouchure +embouchure's +embowering +embraceable +embrasure's +embrasures +embrocation +embrocation's +embrocations +embroidered +embroiderer +embroiderer's +embroiderers +embroideries +embroidering +embroiders +embroidery +embroidery's +embroiling +embroilment +embroilment's +embryological +embryologist +embryologist's +embryologists +embryology +embryology's +emendation +emendation's +emendations +emergence's +emergencies +emergency's +emigrant's +emigrating +emigration +emigration's +emigrations +eminence's +emissaries +emissary's +emission's +Emmanuel's +emollient's +emollients +emolument's +emoluments +emoticon's +emotionalism +emotionalism's +emotionalize +emotionalized +emotionalizes +emotionalizing +emotionally +emotionless +empathetic +empathized +empathizes +empathizing +emphasis's +emphasized +emphasizes +emphasizing +emphatically +emphysema's +empirically +empiricism +empiricism's +empiricist +empiricist's +empiricists +emplacement +emplacement's +emplacements +employable +employee's +employer's +employment +employment's +employments +emporium's +empowering +empowerment +empowerment's +emptiness's +empyrean's +emulation's +emulations +emulator's +emulsification +emulsification's +emulsified +emulsifier +emulsifier's +emulsifiers +emulsifies +emulsifying +emulsion's +enactment's +enactments +enameler's +enamelings +enamelware +enamelware's +encampment +encampment's +encampments +encapsulate +encapsulated +encapsulates +encapsulating +encapsulation +encapsulation's +encapsulations +encasement +encasement's +encephalitic +encephalitis +encephalitis's +enchaining +enchanter's +enchanters +enchanting +enchantingly +enchantment +enchantment's +enchantments +enchantress +enchantresses +enchantress's +enchilada's +enchiladas +enciphered +enciphering +encirclement +encirclement's +encircling +enclosure's +enclosures +encomium's +encompassed +encompasses +encompassing +encountered +encountering +encounter's +encounters +encouraged +encouragement +encouragement's +encouragements +encourages +encouraging +encouragingly +encroached +encroaches +encroaching +encroachment +encroachment's +encroachments +encrustation +encrustation's +encrustations +encrusting +encrypting +encryption +encumbered +encumbering +encumbrance +encumbrance's +encumbrances +encyclical +encyclical's +encyclicals +encyclopedia +encyclopedia's +encyclopedias +encyclopedic +encystment +encystment's +endangered +endangering +endangerment +endangerment's +endearingly +endearment +endearment's +endearments +endeavored +endeavoring +endeavor's +endemically +endlessness +endlessness's +endocarditis +endocrine's +endocrines +endocrinologist +endocrinologist's +endocrinologists +endocrinology +endocrinology's +endogenous +endogenously +endometrial +endometriosis +endometrium +endorphin's +endorphins +endorsement +endorsement's +endorsements +endorser's +endoscope's +endoscopes +endoscopic +endoscopy's +endothelial +endothermic +endowment's +endowments +endpoint's +endurance's +Endymion's +energetically +energizer's +energizers +energizing +enervating +enervation +enervation's +enfeeblement +enfeeblement's +enfeebling +enfilade's +enfilading +enforceable +enforcement +enforcement's +enforcer's +enfranchise +enfranchised +enfranchisement +enfranchisement's +enfranchises +enfranchising +engagement +engagement's +engagements +engagingly +engendered +engendering +engineered +engineering +engineering's +engineer's +Englishman +Englishman's +Englishmen +Englishmen's +Englishwoman +Englishwoman's +Englishwomen +Englishwomen's +engorgement +engorgement's +engraver's +engraving's +engravings +engrossing +engrossment +engrossment's +engulfment +engulfment's +enhancement +enhancement's +enhancements +enigmatically +Eniwetok's +enjambment +enjambment's +enjambments +enjoyment's +enjoyments +enlargeable +enlargement +enlargement's +enlargements +enlarger's +enlightened +enlightening +enlightenment +enlightenment's +enlightens +enlistee's +enlistment +enlistment's +enlistments +enlivening +enlivenment +enlivenment's +enmeshment +enmeshment's +ennoblement +ennoblement's +enormities +enormity's +enormously +enormousness +enormousness's +enquiringly +enraptured +enraptures +enrapturing +enrichment +enrichment's +enrollment +enrollment's +enrollments +ensconcing +ensemble's +enshrinement +enshrinement's +enshrining +enshrouded +enshrouding +ensilage's +enslavement +enslavement's +ensnarement +ensnarement's +entailment +entailment's +entanglement +entanglement's +entanglements +entangling +enteritis's +Enterprise +enterprise +Enterprise's +enterprise's +enterprises +enterprising +enterprisingly +entertained +entertainer +entertainer's +entertainers +entertaining +entertainingly +entertaining's +entertainment +entertainment's +entertainments +entertains +enthralled +enthralling +enthrallment +enthrallment's +enthronement +enthronement's +enthronements +enthroning +enthusiasm +enthusiasm's +enthusiasms +enthusiast +enthusiastic +enthusiastically +enthusiast's +enthusiasts +enticement +enticement's +enticements +enticingly +entirety's +entitlement +entitlement's +entitlements +entombment +entombment's +entomological +entomologist +entomologist's +entomologists +entomology +entomology's +entourage's +entourages +entrails's +entrancement +entrancement's +entrance's +entrancing +entrancingly +entrapment +entrapment's +entrapping +entreaties +entreating +entreatingly +entreaty's +entrenched +entrenches +entrenching +entrenchment +entrenchment's +entrenchments +entrepreneur +entrepreneurial +entrepreneur's +entrepreneurs +entrepreneurship +entrusting +entryphone +entryphones +entryway's +enumerable +enumerated +enumerates +enumerating +enumeration +enumeration's +enumerations +enumerator +enumerator's +enumerators +enunciated +enunciates +enunciating +enunciation +enunciation's +enuresis's +enveloper's +envelopers +envelope's +enveloping +envelopment +envelopment's +envenoming +enviousness +enviousness's +environment +environmental +environmentalism +environmentalism's +environmentalist +environmentalist's +environmentalists +environmentally +environment's +environments +environs's +envisaging +envisioned +envisioning +eosinophil +eosinophilic +eosinophils +ephedrine's +ephemerally +ephemera's +Ephesian's +epicenter's +epicenters +Epictetus's +Epicurean's +epicurean's +epicureans +Epicurus's +epidemically +epidemic's +epidemiological +epidemiologist +epidemiologist's +epidemiologists +epidemiology +epidemiology's +epidermises +epidermis's +epiglottis +epiglottises +epiglottis's +epigrammatic +epigraph's +epigraphy's +epilepsy's +epileptic's +epileptics +epilogue's +Epimethius +Epimethius's +epinephrine +epinephrine's +Epiphanies +epiphanies +Epiphany's +epiphany's +episcopacy +episcopacy's +Episcopalian +Episcopalian's +Episcopalians +episcopate +episcopate's +episodically +epistemological +epistemology +epistolary +epithelial +epithelium +epithelium's +epitomized +epitomizes +epitomizing +equability +equability's +equality's +equalization +equalization's +equalizer's +equalizers +equalizing +equanimity +equanimity's +equation's +equatorial +equestrian +equestrianism +equestrianism's +equestrian's +equestrians +equestrienne +equestrienne's +equestriennes +equidistant +equidistantly +equilateral +equilateral's +equilaterals +equilibrium +equilibrium's +equinoctial +equipage's +equipment's +equipoise's +equitation +equitation's +equivalence +equivalence's +equivalences +equivalencies +equivalency +equivalency's +equivalent +equivalently +equivalent's +equivalents +equivocally +equivocalness +equivocalness's +equivocate +equivocated +equivocates +equivocating +equivocation +equivocation's +equivocations +equivocator +equivocator's +equivocators +Equuleus's +eradicable +eradicated +eradicates +eradicating +eradication +eradication's +eradicator +eradicator's +eradicators +Eratosthenes +Eratosthenes's +erection's +erectness's +ergonomically +ergonomics +ergonomics's +ergosterol +ergosterol's +Erickson's +Eridanus's +Eritrean's +Erlenmeyer +Erlenmeyer's +Ernestine's +erotically +eroticism's +erratically +erroneously +eructation +eructation's +eructations +erudition's +eruption's +erysipelas +erysipelas's +erythrocyte +erythrocyte's +erythrocytes +erythromycin +escalating +escalation +escalation's +escalations +escalator's +escalators +escalloped +escalloping +escallop's +escapade's +escapement +escapement's +escapements +escapism's +escapist's +escapologist +escapologists +escapology +escargot's +escarole's +escarpment +escarpment's +escarpments +eschatological +eschatology +Escherichia +Escherichia's +escritoire +escritoire's +escritoires +escutcheon +escutcheon's +escutcheons +Esmeralda's +esophageal +esophagus's +esoterically +espadrille +espadrille's +espadrilles +espaliered +espaliering +espalier's +especially +Esperanto's +Esperanza's +Espinoza's +espionage's +esplanade's +esplanades +espousal's +espresso's +essayist's +essentially +essential's +essentials +Essequibo's +established +establishes +establishing +Establishment +establishment +establishment's +establishments +Esterhazy's +Esterházy's +estimate's +estimating +estimation +estimation's +estimations +estimator's +estimators +Estonian's +estrangement +estrangement's +estrangements +estranging +estrogen's +eternalness +eternalness's +eternities +eternity's +Ethelred's +ethereally +Ethernet's +Ethiopian's +Ethiopians +Ethiopia's +ethnically +ethnicity's +ethnocentric +ethnocentrism +ethnocentrism's +ethnographer +ethnographers +ethnographic +ethnographically +ethnography +ethnological +ethnologically +ethnologist +ethnologist's +ethnologists +ethnology's +ethological +ethologist +ethologist's +ethologists +ethology's +ethylene's +etiological +etiologies +etiology's +etiquette's +Etruscan's +etymological +etymologically +etymologies +etymologist +etymologist's +etymologists +etymology's +eucalyptus +eucalyptuses +eucalyptus's +Eucharistic +Eucharist's +Eucharists +eugenically +eugenicist +eugenicist's +eugenicists +eugenics's +eukaryotes +eulogistic +eulogist's +eulogizer's +eulogizers +eulogizing +Eumenides's +euphemism's +euphemisms +euphemistic +euphemistically +euphonious +euphoniously +euphoria's +euphorically +Euphrates's +Eurasian's +Euripides's +Eurodollar +Eurodollar's +Eurodollars +European's +europium's +Eurydice's +Eustachian +Eustachian's +euthanasia +euthanasia's +euthanized +euthanizes +euthanizing +euthenics's +evacuating +evacuation +evacuation's +evacuations +evaluating +evaluation +evaluation's +evaluations +evaluative +evaluators +evanescence +evanescence's +evanescent +Evangelical +evangelical +evangelicalism +evangelicalism's +evangelically +evangelical's +evangelicals +Evangelina +Evangelina's +Evangeline +Evangeline's +evangelism +evangelism's +Evangelist +evangelist +evangelistic +Evangelist's +evangelist's +evangelists +evangelize +evangelized +evangelizes +evangelizing +Evansville +Evansville's +evaporated +evaporates +evaporating +evaporation +evaporation's +evaporator +evaporator's +evaporators +evasiveness +evasiveness's +evenhanded +evenhandedly +evenness's +evensong's +eventfully +eventfulness +eventfulness's +eventide's +eventualities +eventuality +eventuality's +eventually +eventuated +eventuates +eventuating +Everette's +Everglades +everglade's +everglades +Everglades's +evergreen's +evergreens +everlasting +everlastingly +everlasting's +everlastings +EverReady's +everybody's +everyone's +everyplace +everything +everything's +everywhere +eviction's +evidence's +evidencing +evildoer's +evildoing's +evilness's +eviscerate +eviscerated +eviscerates +eviscerating +evisceration +evisceration's +evocation's +evocations +evocatively +evolutionary +evolutionist +evolutionist's +evolutionists +evolution's +exacerbate +exacerbated +exacerbates +exacerbating +exacerbation +exacerbation's +exactingly +exaction's +exactitude +exactitude's +exactness's +exaggerate +exaggerated +exaggeratedly +exaggerates +exaggerating +exaggeration +exaggeration's +exaggerations +exaggerator +exaggerator's +exaggerators +exaltation +exaltation's +examination +examination's +examinations +examiner's +exasperate +exasperated +exasperatedly +exasperates +exasperating +exasperatingly +exasperation +exasperation's +Excalibur's +excavating +excavation +excavation's +excavations +excavator's +excavators +Excedrin's +exceedingly +excellence +excellence's +Excellencies +excellencies +Excellency +excellency +Excellency's +excellency's +excellently +excelsior's +exceptionable +exceptional +exceptionalism +exceptionally +exception's +exceptions +excerpting +excessively +exchangeable +exchange's +exchanging +exchequer's +exchequers +excision's +excitability +excitability's +excitation +excitation's +excitement +excitement's +excitements +excitingly +exclaiming +exclamation +exclamation's +exclamations +exclamatory +exclusionary +exclusion's +exclusions +exclusively +exclusiveness +exclusiveness's +exclusive's +exclusives +exclusivity +exclusivity's +excommunicate +excommunicated +excommunicates +excommunicating +excommunication +excommunication's +excommunications +excoriated +excoriates +excoriating +excoriation +excoriation's +excoriations +excremental +excrement's +excrescence +excrescence's +excrescences +excrescent +excretion's +excretions +excruciating +excruciatingly +exculpated +exculpates +exculpating +exculpation +exculpation's +exculpatory +excursionist +excursionist's +excursionists +excursion's +excursions +excursively +excursiveness +excursiveness's +execrating +execration +execration's +executable +executioner +executioner's +executioners +execution's +executions +executive's +executives +executor's +executrices +executrix's +exegesis's +exegetical +exemplar's +exemplification +exemplification's +exemplifications +exemplified +exemplifies +exemplifying +exemption's +exemptions +exerciser's +exercisers +exercise's +exercising +Exercycle's +exertion's +exfoliated +exfoliates +exfoliating +exfoliation +exhalation +exhalation's +exhalations +exhaustible +exhausting +exhaustion +exhaustion's +exhaustive +exhaustively +exhaustiveness +exhaustiveness's +exhibiting +exhibition +exhibitionism +exhibitionism's +exhibitionist +exhibitionist's +exhibitionists +exhibition's +exhibitions +exhibitor's +exhibitors +exhilarate +exhilarated +exhilarates +exhilarating +exhilaration +exhilaration's +exhortation +exhortation's +exhortations +exhumation +exhumation's +exhumations +exigence's +exigencies +exigency's +exiguity's +existence's +existences +existential +existentialism +existentialism's +existentialist +existentialist's +existentialists +existentially +exobiology +exobiology's +exonerated +exonerates +exonerating +exoneration +exoneration's +exoplanet's +exoplanets +exorbitance +exorbitance's +exorbitant +exorbitantly +exorcising +exorcism's +exorcist's +exoskeleton +exoskeleton's +exoskeletons +exosphere's +exospheres +exothermic +exotically +exoticism's +expandable +expansible +expansionary +expansionism +expansionism's +expansionist +expansionist's +expansionists +expansion's +expansions +expansively +expansiveness +expansiveness's +expatiated +expatiates +expatiating +expatiation +expatiation's +expatriate +expatriated +expatriate's +expatriates +expatriating +expatriation +expatriation's +expectancy +expectancy's +expectantly +expectation +expectation's +expectations +expectorant +expectorant's +expectorants +expectorate +expectorated +expectorates +expectorating +expectoration +expectoration's +expedience +expedience's +expediences +expediencies +expediency +expediency's +expediently +expedient's +expedients +expediter's +expediters +expediting +expedition +expeditionary +expedition's +expeditions +expeditious +expeditiously +expeditiousness +expeditiousness's +expendable +expendable's +expendables +expenditure +expenditure's +expenditures +expensively +expensiveness +expensiveness's +experience +experienced +experience's +experiences +experiencing +experiential +experiment +experimental +experimentally +experimentation +experimentation's +experimented +experimenter +experimenter's +experimenters +experimenting +experiment's +experiments +expertise's +expertness +expertness's +expiation's +expiration +expiration's +explainable +explaining +explanation +explanation's +explanations +explanatory +expletive's +expletives +explicable +explicated +explicates +explicating +explication +explication's +explications +explicitly +explicitness +explicitness's +exploitable +exploitation +exploitation's +exploitative +exploiter's +exploiters +exploiting +exploration +exploration's +explorations +exploratory +explorer's +explosion's +explosions +explosively +explosiveness +explosiveness's +explosive's +explosives +exponential +exponentially +exponentiation +exponent's +exportable +exportation +exportation's +exporter's +exposition +exposition's +expositions +expositor's +expositors +expository +expostulate +expostulated +expostulates +expostulating +expostulation +expostulation's +expostulations +exposure's +expounder's +expounders +expounding +expressible +expressing +expression +expressionism +expressionism's +expressionist +expressionistic +expressionist's +expressionists +expressionless +expressionlessly +expression's +expressions +expressive +expressively +expressiveness +expressiveness's +expressway +expressway's +expressways +expropriate +expropriated +expropriates +expropriating +expropriation +expropriation's +expropriations +expropriator +expropriator's +expropriators +expulsion's +expulsions +expurgated +expurgates +expurgating +expurgation +expurgation's +expurgations +exquisitely +exquisiteness +exquisiteness's +extemporaneous +extemporaneously +extemporaneousness +extemporaneousness's +extemporization +extemporization's +extemporize +extemporized +extemporizes +extemporizing +extendable +extender's +extensible +extensional +extension's +extensions +extensively +extensiveness +extensiveness's +extenuated +extenuates +extenuating +extenuation +extenuation's +exterior's +exterminate +exterminated +exterminates +exterminating +extermination +extermination's +exterminations +exterminator +exterminator's +exterminators +externalization +externalization's +externalizations +externalize +externalized +externalizes +externalizing +externally +external's +extincting +extinction +extinction's +extinctions +extinguish +extinguishable +extinguished +extinguisher +extinguisher's +extinguishers +extinguishes +extinguishing +extirpated +extirpates +extirpating +extirpation +extirpation's +extortionate +extortionately +extortioner +extortioner's +extortioners +extortionist +extortionist's +extortionists +extortion's +extracellular +extracting +extraction +extraction's +extractions +extractive +extractor's +extractors +extracurricular +extraditable +extradited +extradites +extraditing +extradition +extradition's +extraditions +extrajudicial +extralegal +extramarital +extramural +extraneous +extraneously +extraordinaire +extraordinarily +extraordinary +extrapolate +extrapolated +extrapolates +extrapolating +extrapolation +extrapolation's +extrapolations +extrasensory +extraterrestrial +extraterrestrial's +extraterrestrials +extraterritorial +extraterritoriality +extraterritoriality's +extravagance +extravagance's +extravagances +extravagant +extravagantly +extravaganza +extravaganza's +extravaganzas +extravehicular +extremeness +extremeness's +extremism's +extremist's +extremists +extremities +extremity's +extricable +extricated +extricates +extricating +extrication +extrication's +extrinsically +extroversion +extroversion's +extroverted +extrovert's +extroverts +extrusion's +extrusions +exuberance +exuberance's +exuberantly +exudation's +exultantly +exultation +exultation's +exurbanite +exurbanite's +exurbanites +eyeballing +eyedropper +eyedropper's +eyedroppers +eyeglasses +eyeglass's +eyeliner's +eyeopener's +eyeopeners +eyeopening +eyepiece's +eyesight's +eyestrain's +eyetooth's +eyewitness +eyewitnesses +eyewitness's +fabricated +fabricates +fabricating +fabrication +fabrication's +fabrications +fabricator +fabricator's +fabricators +fabulously +Facebook's +facecloth's +facecloths +facepalmed +facepalming +facetiously +facetiousness +facetiousness's +facilitate +facilitated +facilitates +facilitating +facilitation +facilitation's +facilitator +facilitator's +facilitators +facilities +facility's +facsimiled +facsimileing +facsimile's +facsimiles +factionalism +factionalism's +factitious +factorial's +factorials +factorization +factorized +factorizes +factorizing +factotum's +faddishness +Fahrenheit +Fahrenheit's +fainthearted +faintness's +Fairbanks's +fairground +fairground's +fairgrounds +fairness's +fairyland's +fairylands +Faisalabad +Faisalabad's +faithfully +faithfulness +faithfulness's +faithful's +faithlessly +faithlessness +faithlessness's +falconer's +falconry's +Falkland's +Falklands's +fallacious +fallaciously +fallibility +fallibility's +fallibleness +fallibleness's +Fallopian's +falsehood's +falsehoods +falseness's +falsetto's +falsifiable +falsification +falsification's +falsifications +falsifier's +falsifiers +falsifying +Falstaff's +falteringly +falterings +familiarity +familiarity's +familiarization +familiarization's +familiarize +familiarized +familiarizes +familiarizing +familiarly +familiar's +fanatically +fanaticism +fanaticism's +fancifully +fancifulness +fancifulness's +fanciness's +fancywork's +fandango's +fanlight's +fantasia's +fantasists +fantasized +fantasizes +fantasizing +fantastical +fantastically +fantasying +faradizing +farcically +farewell's +farinaceous +farmhand's +farmhouse's +farmhouses +farmland's +farmstead's +farmsteads +farmyard's +Farragut's +Farrakhan's +farsighted +farsightedness +farsightedness's +farthermost +farthing's +fascicle's +fascinated +fascinates +fascinating +fascinatingly +fascination +fascination's +fascinations +fashionable +fashionably +fashioner's +fashioners +fashioning +fashionista +fashionista's +fashionistas +Fassbinder +Fassbinder's +fastback's +fastball's +fastener's +fastening's +fastenings +fastidious +fastidiously +fastidiousness +fastidiousness's +fastnesses +fastness's +fatalism's +fatalistic +fatalistically +fatalist's +fatalities +fatality's +fatefulness +fatefulness's +fatherhood +fatherhood's +fatherland +fatherland's +fatherlands +fatherless +fathomable +fathomless +fatigues's +fattiness's +fatuousness +fatuousness's +Faulknerian +Faulknerian's +Faulkner's +faultfinder +faultfinder's +faultfinders +faultfinding +faultfinding's +faultiness +faultiness's +faultlessly +faultlessness +faultlessness's +Fauntleroy +Fauntleroy's +Faustian's +Faustino's +favorite's +favoritism +favoritism's +fearfulness +fearfulness's +fearlessly +fearlessness +fearlessness's +feasibility +feasibility's +featherbedding +featherbedding's +featherbrained +featherier +featheriest +feathering +featherless +featherweight +featherweight's +featherweights +featureless +Februaries +February's +fecklessly +fecklessness +fecundated +fecundates +fecundating +fecundation +fecundation's +fecundity's +federalism +federalism's +Federalist +federalist +Federalist's +federalist's +federalists +federalization +federalization's +federalize +federalized +federalizes +federalizing +federating +federation +federation's +federations +Federico's +feebleness +feebleness's +feedback's +feldspar's +felicitate +felicitated +felicitates +felicitating +felicitation +felicitation's +felicitations +felicities +felicitous +felicitously +Felicity's +felicity's +fellatio's +fellowman's +fellowship +fellowship's +fellowships +femaleness +femaleness's +femininely +feminine's +femininity +femininity's +feminism's +feminist's +feminizing +fenestration +fenestration's +Ferdinand's +Ferguson's +Ferlinghetti +Ferlinghetti's +fermentation +fermentation's +fermenting +Fernandez's +Fernando's +ferociously +ferociousness +ferociousness's +ferocity's +ferromagnetic +ferryboat's +ferryboats +ferryman's +fertility's +fertilization +fertilization's +fertilized +fertilizer +fertilizer's +fertilizers +fertilizes +fertilizing +fervency's +festival's +festiveness +festiveness's +festivities +festivity's +festooning +fetchingly +fetidness's +fetishism's +fetishistic +fetishist's +fetishists +fettuccine +fettuccine's +feudalism's +feudalistic +feverishly +feverishness +feverishness's +fiberboard +fiberboard's +fiberfill's +Fiberglas's +fiberglass +fiberglass's +Fibonacci's +fibrillate +fibrillated +fibrillates +fibrillating +fibrillation +fibrillation's +fibrosis's +fickleness +fickleness's +fictionalization +fictionalization's +fictionalizations +fictionalize +fictionalized +fictionalizes +fictionalizing +fictionally +fictitious +fictitiously +fiddlesticks +fidelity's +fiduciaries +fiduciary's +Fielding's +fieldworker +fieldworker's +fieldworkers +fieldwork's +fiendishly +fierceness +fierceness's +fieriness's +fifteenth's +fifteenths +fiftieth's +fighting's +Figueroa's +figuration +figuration's +figurative +figuratively +figurehead +figurehead's +figureheads +figurine's +filamentous +filament's +filibuster +filibustered +filibusterer +filibusterer's +filibusterers +filibustering +filibuster's +filibusters +filigreeing +filigree's +Filipino's +Fillmore's +filminess's +filmmaker's +filmmakers +filmstrip's +filmstrips +filterable +filterer's +filthiness +filthiness's +filtrate's +filtrating +filtration +filtration's +finagler's +finalist's +finality's +finalization +finalization's +finalizing +financially +financier's +financiers +financing's +findings's +fineness's +fingerboard +fingerboard's +fingerboards +fingering's +fingerings +fingerling +fingerling's +fingerlings +fingermark +fingermarks +fingernail +fingernail's +fingernails +fingerprint +fingerprinted +fingerprinting +fingerprint's +fingerprints +fingertip's +fingertips +finickiest +finickiness +finickiness's +finisher's +Finnbogadottir +Finnbogadottir's +Finnegan's +fireball's +firebombed +firebombing +firebombings +firebomb's +firebrand's +firebrands +firebreak's +firebreaks +firebrick's +firebricks +firecracker +firecracker's +firecrackers +firedamp's +firefighter +firefighter's +firefighters +firefighting +firefighting's +firefight's +firefights +fireguards +firehouse's +firehouses +firelighter +firelighters +firelight's +fireplace's +fireplaces +fireplug's +firepower's +fireproofed +fireproofing +fireproofs +firescreen +firescreens +fireside's +Firestone's +firestorm's +firestorms +firetrap's +firetruck's +firetrucks +firewall's +firewater's +firewood's +firework's +firmament's +firmaments +firmness's +firmware's +firstborn's +firstborns +fishbowl's +fishcake's +fisherman's +fishhook's +fishiness's +fishmonger +fishmonger's +fishmongers +fishpond's +fishtailed +fishtailing +fishwife's +fissionable +fistfight's +fistfights +fisticuffs +fisticuffs's +fistulous's +fitfulness +fitfulness's +Fitzgerald +Fitzgerald's +Fitzpatrick +Fitzpatrick's +fixation's +fixative's +flabbergast +flabbergasted +flabbergasting +flabbergasts +flabbiness +flabbiness's +flaccidity +flaccidity's +flagellant +flagellants +flagellate +flagellated +flagellates +flagellating +flagellation +flagellation's +flagellum's +flagpole's +flagrance's +flagrancy's +flagrantly +flagship's +flagstaff's +flagstaffs +flagstone's +flagstones +flakiness's +flamboyance +flamboyance's +flamboyancy +flamboyancy's +flamboyant +flamboyantly +flamenco's +flameproof +flameproofed +flameproofing +flameproofs +flamethrower +flamethrower's +flamethrowers +flamingo's +flammability +flammability's +flammable's +flammables +Flanagan's +Flanders's +flannelette +flannelette's +flanneling +flapjack's +flashback's +flashbacks +flashbulb's +flashbulbs +flashcard's +flashcards +flashcube's +flashcubes +flashgun's +flashiness +flashiness's +flashing's +flashlight +flashlight's +flashlights +flatboat's +flatfishes +flatfish's +flatfooted +flatfoot's +flatiron's +flatland's +flatness's +flattening +flatterer's +flatterers +flattering +flatteringly +flattery's +flatulence +flatulence's +flatware's +flatworm's +Flaubert's +flauntingly +flavoring's +flavorings +flavorless +flavorsome +flawlessly +flawlessness +flawlessness's +fledgling's +fledglings +fleeciness +fleeciness's +fleetingly +fleetingly's +fleetingness +fleetingness's +fleetness's +Fleischer's +fleshliest +fleshpot's +Fletcher's +flexibility +flexibility's +flextime's +flibbertigibbet +flibbertigibbet's +flibbertigibbets +flickering +flightiest +flightiness +flightiness's +flightless +flimflammed +flimflamming +flimflam's +flimsiness +flimsiness's +flintlock's +flintlocks +Flintstones +Flintstones's +flippancy's +flippantly +flirtation +flirtation's +flirtations +flirtatious +flirtatiously +flirtatiousness +flirtatiousness's +flocking's +flogging's +floodgate's +floodgates +floodlight +floodlighted +floodlighting +floodlight's +floodlights +floodplain +floodplain's +floodplains +floodwater +floodwater's +floodwaters +floorboard +floorboard's +floorboards +flooring's +floorwalker +floorwalker's +floorwalkers +flophouse's +flophouses +floppiness +floppiness's +Florence's +Florentine +Florentine's +florescence +florescence's +florescent +Floridan's +Floridian's +Floridians +floridness +floridness's +Florsheim's +flotation's +flotations +flotilla's +floundered +floundering +flounder's +flourished +flourishes +flourishing +flourish's +flowchart's +flowcharts +flowerbed's +flowerbeds +floweriest +floweriness +floweriness's +flowerings +flowerless +flowerpot's +flowerpots +fluctuated +fluctuates +fluctuating +fluctuation +fluctuation's +fluctuations +fluffiness +fluffiness's +fluidity's +flummoxing +fluoresced +fluorescence +fluorescence's +fluorescent +fluoresces +fluorescing +fluoridate +fluoridated +fluoridates +fluoridating +fluoridation +fluoridation's +fluoride's +fluorine's +fluorite's +fluorocarbon +fluorocarbon's +fluorocarbons +fluoroscope +fluoroscope's +fluoroscopes +fluoroscopic +flustering +fluttering +flycatcher +flycatcher's +flycatchers +flypaper's +flyspecked +flyspecking +flyspeck's +flyswatter +flyswatter's +flyswatters +flyweight's +flyweights +flywheel's +foaminess's +fogginess's +folklore's +folklorist +folklorist's +folklorists +folksiness +folksiness's +folksinger +folksinger's +folksingers +folksinging +folksinging's +folktale's +follicle's +follower's +following's +followings +Fomalhaut's +fomentation +fomentation's +fondness's +fontanel's +foodstuff's +foodstuffs +foolhardier +foolhardiest +foolhardily +foolhardiness +foolhardiness's +foolishness +foolishness's +foolscap's +Foosball's +footballer +footballer's +footballers +footballing +football's +footbridge +footbridge's +footbridges +footfall's +foothill's +foothold's +footlights +footlights's +footling's +footlocker +footlocker's +footlockers +footnote's +footnoting +footpath's +footplates +footprint's +footprints +footrace's +footrest's +footslogging +footstep's +footstool's +footstools +footwear's +footwork's +foppishness +foppishness's +forbearance +forbearance's +forbearing +forbidding +forbiddingly +forbiddings +forcefully +forcefulness +forcefulness's +forearming +forebear's +foreboding +foreboding's +forebodings +forecaster +forecaster's +forecasters +forecasting +forecastle +forecastle's +forecastles +forecast's +foreclosed +forecloses +foreclosing +foreclosure +foreclosure's +foreclosures +forecourt's +forecourts +foredoomed +foredooming +forefather +forefather's +forefathers +forefinger +forefinger's +forefingers +forefoot's +forefront's +forefronts +foreground +foregrounded +foregrounding +foreground's +foregrounds +forehand's +forehead's +foreigner's +foreigners +foreignness +foreignness's +foreknowing +foreknowledge +foreknowledge's +forelimb's +forelock's +foremast's +forename's +forenoon's +forensically +forensic's +forensics's +foreordain +foreordained +foreordaining +foreordains +forepart's +foreperson +foreperson's +forepersons +foreplay's +forequarter +forequarter's +forequarters +forerunner +forerunner's +forerunners +foresail's +foreseeable +foreseeing +foreseer's +foreshadow +foreshadowed +foreshadowing +foreshadows +foreshores +foreshorten +foreshortened +foreshortening +foreshortens +foresighted +foresightedness +foresightedness's +foresight's +foreskin's +forestalled +forestalling +forestalls +forestation +forestation's +Forester's +forester's +forestland +forestland's +forestry's +foretasted +foretaste's +foretastes +foretasting +foretelling +forethought +forethought's +forevermore +forewarned +forewarning +forewoman's +foreword's +forfeiting +forfeiture +forfeiture's +forfeitures +forgathered +forgathering +forgathers +forgetfully +forgetfulness +forgetfulness's +forgettable +forgetting +forgivable +forgiveness +forgiveness's +forgiver's +forklift's +formaldehyde +formaldehyde's +formalism's +formalist's +formalists +formalities +formality's +formalization +formalization's +formalized +formalizes +formalizing +formation's +formations +formatting +formatting's +formfitting +formidable +formidably +formlessly +formlessness +formlessness's +Formosan's +formulated +formulates +formulating +formulation +formulation's +formulations +formulator +formulator's +formulators +fornicated +fornicates +fornicating +fornication +fornication's +fornicator +fornicator's +fornicators +forswearing +forsythia's +forsythias +Fortaleza's +forthcoming +forthcoming's +forthright +forthrightly +forthrightness +forthrightness's +fortieth's +fortification +fortification's +fortifications +fortifier's +fortifiers +fortifying +fortissimo +fortitude's +fortnightly +fortnight's +fortnights +fortresses +fortress's +fortuitous +fortuitously +fortuitousness +fortuitousness's +fortuity's +fortunately +fortuneteller +fortuneteller's +fortunetellers +fortunetelling +fortunetelling's +forwarder's +forwarders +forwardest +forwarding +forwardness +forwardness's +fossilization +fossilization's +fossilized +fossilizes +fossilizing +Foucault's +foulmouthed +foulness's +foundation +foundational +foundation's +foundations +foundering +foundling's +foundlings +fountainhead +fountainhead's +fountainheads +fountain's +Fourneyron +Fourneyron's +fourposter +fourposter's +fourposters +fourscore's +foursome's +foursquare +fourteen's +fourteenth +fourteenth's +fourteenths +foxglove's +foxhound's +foxhunting +foxiness's +foxtrotted +foxtrotting +fractional +fractionally +fraction's +fractiously +fractiousness +fractiousness's +fracture's +fracturing +fragility's +fragmentary +fragmentary's +fragmentation +fragmentation's +fragmented +fragmenting +fragment's +Fragonard's +fragrance's +fragrances +fragrantly +frailness's +framework's +frameworks +Francesca's +franchised +franchisee +franchisee's +franchisees +franchiser +franchiser's +franchisers +franchise's +franchises +franchising +Francine's +Franciscan +Franciscan's +Franciscans +Francisca's +Francisco's +francium's +Francoise's +Francois's +Francophile +francophone +frangibility +frangibility's +Franglais's +Frankenstein +Frankenstein's +Frankfort's +Frankfurter +frankfurter +Frankfurter's +frankfurter's +frankfurters +Frankfurt's +frankincense +frankincense's +Franklin's +frankness's +frantically +fraternally +fraternities +fraternity +fraternity's +fraternization +fraternization's +fraternize +fraternized +fraternizer +fraternizer's +fraternizers +fraternizes +fraternizing +fratricidal +fratricide +fratricide's +fratricides +fraudsters +fraudulence +fraudulence's +fraudulent +fraudulently +freakishly +freakishness +freakishness's +Frederick's +Frederic's +Fredericton +Fredericton's +Fredrick's +freebase's +freebasing +freebooter +freebooter's +freebooters +freedman's +freeholder +freeholder's +freeholders +freehold's +freelanced +freelancer +freelancer's +freelancers +freelance's +freelances +freelancing +freeloaded +freeloader +freeloader's +freeloaders +freeloading +Freemasonries +Freemasonry +freemasonry +Freemasonry's +Freemason's +Freemasons +freestanding +freestone's +freestones +freestyle's +freestyles +freethinker +freethinker's +freethinkers +freethinking +freethinking's +Freetown's +freeware's +freewheeled +freewheeling +freewheels +freezing's +freighter's +freighters +freighting +Frenchman's +Frenchmen's +Frenchwoman +Frenchwoman's +Frenchwomen +Frenchwomen's +frenetically +frenziedly +frequencies +frequency's +frequented +frequenter +frequenter's +frequenters +frequentest +frequenting +frequently +freshener's +fresheners +freshening +freshman's +freshness's +freshwater +freshwater's +fretfulness +fretfulness's +fretwork's +Freudian's +fricasseed +fricasseeing +fricassee's +fricassees +fricative's +fricatives +frictional +friction's +friedcake's +friedcakes +Friedman's +friendless +friendlier +friendlies +friendliest +friendliness +friendliness's +friendly's +friendship +friendship's +friendships +frightened +frightening +frighteningly +frightfully +frightfulness +frightfulness's +Frigidaire +Frigidaire's +frigidity's +frigidness +frigidness's +fripperies +frippery's +friskiness +friskiness's +frittering +frivolities +frivolity's +frivolously +frivolousness +frivolousness's +Frobisher's +frogmarched +frogmarches +frogmarching +Froissart's +frolicker's +frolickers +frolicking +frolicsome +frontage's +frontbench +frontbencher +frontbenchers +frontbenches +Frontenac's +frontier's +frontiersman +frontiersman's +frontiersmen +frontierswoman +frontierswomen +frontispiece +frontispiece's +frontispieces +frontwards +Frostbelt's +frostbite's +frostbites +frostbiting +frostbitten +frostiness +frostiness's +frosting's +frothiness +frothiness's +froufrou's +frowardness +frowardness's +frowziness +frowziness's +fructified +fructifies +fructifying +fructose's +frugality's +fruitcake's +fruitcakes +fruiterers +fruitfully +fruitfulness +fruitfulness's +fruitiness +fruitiness's +fruition's +fruitlessly +fruitlessness +fruitlessness's +frustrated +frustrates +frustrating +frustratingly +frustration +frustration's +frustrations +fugitive's +Fujiwara's +Fujiyama's +Fukuyama's +Fulbright's +fulfilling +fulfillment +fulfillment's +fullback's +Fullerton's +fullness's +fulminated +fulminates +fulminating +fulmination +fulmination's +fulminations +fulsomeness +fulsomeness's +fumblingly +fumigant's +fumigating +fumigation +fumigation's +fumigator's +fumigators +Funafuti's +functional +functionalism +functionalist +functionalists +functionalities +functionality +functionally +functionaries +functionary +functionary's +functioned +functioning +function's +fundamental +fundamentalism +fundamentalism's +fundamentalist +fundamentalist's +fundamentalists +fundamentally +fundamental's +fundamentals +fundraiser +fundraiser's +fundraisers +fundraising +funereally +fungible's +fungicidal +fungicide's +fungicides +funicular's +funiculars +funkiness's +funniness's +funnyman's +furbelow's +furbishing +furloughed +furloughing +furlough's +furnishing +furnishings +furnishings's +furniture's +furriness's +furtherance +furtherance's +furthering +furthermore +furthermost +furtiveness +furtiveness's +Furtwangler +Furtwangler's +Furtwängler +Furtwängler's +fuselage's +fusibility +fusibility's +fusilier's +fusillade's +fusillades +fussbudget +fussbudget's +fussbudgets +fussiness's +fustiness's +futility's +futurism's +futuristic +futurist's +futurities +futurity's +futurologist +futurologist's +futurologists +futurology +futurology's +Fuzzbuster +Fuzzbuster's +fuzziness's +gabardine's +gabardines +gabbiness's +gaberdine's +gaberdines +Gabonese's +Gaborone's +Gabriela's +Gabrielle's +gadabout's +gadgetry's +gadolinium +gadolinium's +gainsayer's +gainsayers +gainsaying +Gainsborough +Gainsborough's +Galapagos's +Galatians's +Galbraith's +Galilean's +Gallagher's +gallantry's +gallbladder +gallbladder's +gallbladders +Gallegos's +galleria's +Gallicism's +Gallicisms +gallimaufries +gallimaufry +gallimaufry's +gallivanted +gallivanting +gallivants +Galloway's +gallstone's +gallstones +Galsworthy +Galsworthy's +galumphing +galvanism's +galvanization +galvanization's +galvanized +galvanizes +galvanizing +galvanometer +galvanometer's +galvanometers +Galveston's +gambling's +gamecock's +gamekeeper +gamekeeper's +gamekeepers +gameness's +gamesmanship +gamesmanship's +gamester's +gaminess's +Gandhian's +gangbusters +gangbusters's +gangland's +ganglionic +ganglion's +gangplank's +gangplanks +gangrene's +gangrening +gangrenous +gangster's +Ganymede's +garbageman +garbanzo's +gardener's +gardenia's +gardening's +Garfield's +Garfunkel's +gargantuan +Gargantua's +gargoyle's +Garibaldi's +garishness +garishness's +garlanding +garnisheed +garnisheeing +garnishee's +garnishees +garnishing +garnishment +garnishment's +garnishments +garrisoned +garrisoning +Garrison's +garrison's +garroter's +garrulity's +garrulously +garrulousness +garrulousness's +gasholders +gaslight's +gasoline's +gasometers +gastritis's +gastroenteritis +gastroenteritis's +Gastroenterology +gastrointestinal +gastronome +gastronomes +gastronomic +gastronomical +gastronomically +gastronomy +gastronomy's +gastropod's +gastropods +gasworks's +gatecrashed +gatecrasher +gatecrasher's +gatecrashers +gatecrashes +gatecrashing +gatehouse's +gatehouses +gatekeeper +gatekeeper's +gatekeepers +gatepost's +gatherer's +gathering's +gatherings +Gatorade's +gaucheness +gaucheness's +gaucherie's +gaudiness's +gauntlet's +gauntness's +Gaussian's +gauziness's +gawkiness's +gazetteer's +gazetteers +Gaziantep's +gazillions +gazpacho's +gearshift's +gearshifts +gearwheel's +gearwheels +gelatinous +Gelbvieh's +gelignite's +gemological +gemologist +gemologist's +gemologists +gemology's +gemstone's +gendarme's +genealogical +genealogically +genealogies +genealogist +genealogist's +genealogists +genealogy's +generalissimo +generalissimo's +generalissimos +generalist +generalist's +generalists +generalities +generality +generality's +generalization +generalization's +generalizations +generalize +generalized +generalizes +generalizing +generalship +generalship's +generating +generation +generational +generation's +generations +generative +generator's +generators +generically +generosities +generosity +generosity's +generously +generousness +generousness's +genetically +geneticist +geneticist's +geneticists +genetics's +Genevieve's +geniality's +geniculate +genitalia's +genitals's +genitive's +genitourinary +genocide's +genteelness +genteelness's +gentility's +gentlefolk +gentlefolk's +gentlefolks +gentlefolks's +gentlemanly +gentleman's +gentleness +gentleness's +gentlewoman +gentlewoman's +gentlewomen +gentrification +gentrification's +gentrified +gentrifies +gentrifying +genuflected +genuflecting +genuflection +genuflection's +genuflections +genuflects +genuineness +genuineness's +geocaching +geocentric +geocentrically +geochemistry +geochemistry's +geodesic's +geoengineering +Geoffrey's +geographer +geographer's +geographers +geographic +geographical +geographically +geographies +geography's +geological +geologically +geologist's +geologists +geomagnetic +geomagnetism +geomagnetism's +geometrical +geometrically +geometries +geometry's +geophysical +geophysicist +geophysicist's +geophysicists +geophysics +geophysics's +geopolitical +geopolitics +geopolitics's +Georgetown +Georgetown's +Georgette's +Georgian's +Georgina's +geostationary +geosynchronous +geosyncline +geosyncline's +geosynclines +geothermal +geothermic +Geraldine's +geranium's +geriatrician +geriatricians +geriatrics +geriatrics's +Germanic's +germanium's +germicidal +germicide's +germicides +germinal's +germinated +germinates +germinating +germination +germination's +Geronimo's +gerontological +gerontologist +gerontologist's +gerontologists +gerontology +gerontology's +gerrymander +gerrymandered +gerrymandering +gerrymandering's +gerrymander's +gerrymanders +Gershwin's +Gertrude's +gestational +gestation's +gesticulate +gesticulated +gesticulates +gesticulating +gesticulation +gesticulation's +gesticulations +gesundheit +Gethsemane +Gethsemane's +Gettysburg +Gettysburg's +Gewürztraminer +Gewürztraminer's +Gewurztraminer +Gewurztraminer's +ghastliest +ghastliness +ghastliness's +Ghazvanid's +ghettoized +ghettoizes +ghettoizing +Ghibelline +Ghibelline's +ghostliest +ghostliness +ghostliness's +ghostwrite +ghostwriter +ghostwriter's +ghostwriters +ghostwrites +ghostwriting +ghostwritten +ghostwrote +ghoulishly +ghoulishness +ghoulishness's +Giacometti +Giacometti's +Giannini's +giantesses +giantess's +gibberish's +Gibraltar's +Gibraltars +giddiness's +gigabyte's +gigahertz's +gigantically +gigapixel's +gigapixels +gigawatt's +Gilberto's +Gilchrist's +Gilgamesh's +Gillespie's +Gillette's +Gilligan's +gimcrackery +gimcrackery's +gimcrack's +gimmickry's +gingerbread +gingerbread's +gingersnap +gingersnap's +gingersnaps +gingivitis +gingivitis's +Gingrich's +Ginsberg's +Ginsburg's +Giorgione's +Giovanni's +Giraudoux's +girlfriend +girlfriend's +girlfriends +girlhood's +girlishness +girlishness's +Giuliani's +Giuseppe's +giveaway's +giveback's +glaciating +glaciation +glaciation's +glaciations +gladdening +gladiatorial +gladiator's +gladiators +gladiola's +gladiolus's +gladness's +Gladstone's +Gladstones +glamorization +glamorization's +glamorized +glamorizes +glamorizing +glamorously +glamouring +glasnost's +glassblower +glassblower's +glassblowers +glassblowing +glassblowing's +glassful's +glasshouse +glasshouses +glassiness +glassiness's +glassware's +Glastonbury +Glastonbury's +Glaswegian +Glaswegian's +Glaswegians +glaucoma's +gleanings's +gleefulness +gleefulness's +Glenlivet's +glenohumeral +glibness's +glimmering +glimmering's +glimmerings +glissando's +glistening +glistering +glitterati +glittering +gloaming's +gloatingly +globalism's +globalist's +globalists +globalization +globalization's +globalized +globalizes +globalizing +globetrotter +globetrotter's +globetrotters +globetrotting +globulin's +glockenspiel +glockenspiel's +glockenspiels +gloominess +gloominess's +glorification +glorification's +glorifying +gloriously +glossaries +glossary's +glossiness +glossiness's +glossolalia +glossolalia's +Gloucester +Gloucester's +glowworm's +glumness's +glutinously +gluttonous +gluttonously +gluttony's +glycerin's +glycerol's +glycogen's +Gnosticism +Gnosticism's +goalkeeper +goalkeeper's +goalkeepers +goalkeeping +goalkeeping's +goalmouths +goalpost's +goalscorer +goalscorers +goaltender +goaltender's +goaltenders +goatherd's +goatskin's +gobbledygook +gobbledygook's +gobsmacked +gobstopper +gobstoppers +godchildren +godchildren's +godchild's +goddaughter +goddaughter's +goddaughters +godfather's +godfathers +godforsaken +godlessness +godlessness's +godliness's +godmother's +godmothers +godparent's +godparents +Godspeed's +Godthaab's +Godzilla's +Goebbels's +Goethals's +Golconda's +Goldberg's +goldbricked +goldbricker +goldbricker's +goldbrickers +goldbricking +goldbrick's +goldbricks +goldenrod's +goldfields +goldfinches +goldfinch's +goldfishes +goldfish's +Goldilocks +Goldilocks's +goldmine's +Goldsmith's +goldsmith's +goldsmiths +Goldwater's +Golgotha's +Gomorrah's +gondolier's +gondoliers +Gondwanaland +Gondwanaland's +gonorrheal +gonorrhea's +Gonzales's +Gonzalez's +goodhearted +goodness's +Goodrich's +Goodwill's +goodwill's +Goodyear's +goofball's +goofiness's +Goolagong's +gooseberries +gooseberry +gooseberry's +goosebumps +goosebumps's +goosestepped +goosestepping +goosesteps +Gorbachev's +Gordimer's +gorgeously +gorgeousness +gorgeousness's +Gorgonzola +Gorgonzola's +goriness's +gormandize +gormandized +gormandizer +gormandizer's +gormandizers +gormandizes +gormandizing +gossamer's +gossiper's +Goteborg's +gourmand's +governable +governance +governance's +governesses +governess's +government +governmental +government's +governments +governor's +governorship +governorship's +Gracchus's +gracefully +gracefulness +gracefulness's +Graceland's +gracelessly +gracelessness +gracelessness's +Graciela's +graciously +graciousness +graciousness's +gradation's +gradations +gradient's +gradualism +gradualism's +gradualness +gradualness's +graduate's +graduating +graduation +graduation's +graduations +Graffias's +graffito's +graininess +graininess's +grammarian +grammarian's +grammarians +grammatical +grammatically +gramophone +gramophone's +gramophones +Grampians's +grandaunt's +grandaunts +grandchild +grandchildren +grandchildren's +grandchild's +granddaddies +granddaddy +granddaddy's +granddad's +granddaughter +granddaughter's +granddaughters +grandeur's +grandfather +grandfathered +grandfathering +grandfatherly +grandfather's +grandfathers +grandiloquence +grandiloquence's +grandiloquent +grandiosely +grandiosity +grandiosity's +grandmother +grandmotherly +grandmother's +grandmothers +grandnephew +grandnephew's +grandnephews +grandness's +grandniece +grandniece's +grandnieces +grandparent +grandparent's +grandparents +grandson's +grandstand +grandstanded +grandstanding +grandstand's +grandstands +granduncle +granduncle's +granduncles +grantsmanship +grantsmanship's +granularity +granularity's +granulated +granulates +granulating +granulation +granulation's +grapefruit +grapefruit's +grapefruits +grapeshot's +grapevine's +grapevines +graphically +graphite's +graphologist +graphologist's +graphologists +graphology +graphology's +grasshopper +grasshopper's +grasshoppers +grassland's +grasslands +grassroots +gratefully +gratefulness +gratefulness's +gratification +gratification's +gratifications +gratifying +gratifyingly +gratitude's +gratuities +gratuitous +gratuitously +gratuitousness +gratuitousness's +gratuity's +gravamen's +gravedigger +gravedigger's +gravediggers +graveness's +graveside's +gravesides +gravestone +gravestone's +gravestones +graveyard's +graveyards +gravimeter +gravimeter's +gravimeters +gravitated +gravitates +gravitating +gravitation +gravitational +gravitation's +graybeard's +graybeards +grayness's +greasepaint +greasepaint's +greasiness +greasiness's +greatcoat's +greatcoats +greathearted +greatness's +greediness +greediness's +greenback's +greenbacks +greenbelt's +greenbelts +greenery's +greenfield +greenflies +greengage's +greengages +greengrocer +greengrocer's +greengrocers +greenhorn's +greenhorns +greenhouse +greenhouse's +greenhouses +Greenlandic +Greenland's +greenmail's +greenness's +Greenpeace +Greenpeace's +greenroom's +greenrooms +Greensboro +Greensboro's +Greensleeves +Greensleeves's +Greenspan's +greensward +greensward's +Greenwich's +greenwood's +greeting's +gregarious +gregariously +gregariousness +gregariousness's +Gregorian's +Gregorio's +Grenadian's +Grenadians +grenadier's +grenadiers +Grenadines +grenadine's +Grenadines's +Grenoble's +Gretchen's +greyhound's +greyhounds +griddlecake +griddlecake's +griddlecakes +gridiron's +gridlocked +gridlock's +grievance's +grievances +grievously +grievousness +grievousness's +Griffith's +griminess's +grimness's +grindstone +grindstone's +grindstones +grisliness +grisliness's +gristmill's +gristmills +grittiness +grittiness's +grizzliest +Grünewald's +grogginess +grogginess's +grooming's +groomsman's +grosbeak's +grosgrain's +grossness's +grotesquely +grotesqueness +grotesqueness's +grotesque's +grotesques +grouchiest +grouchiness +grouchiness's +groundbreaking +groundbreaking's +groundbreakings +groundcloth +groundcloths +grounder's +groundhog's +groundhogs +grounding's +groundings +groundless +groundlessly +groundnut's +groundnuts +groundsheet +groundsheets +groundskeeper +groundskeepers +groundsman +groundsmen +groundswell +groundswell's +groundswells +groundwater +groundwater's +groundwork +groundwork's +grouping's +groupware's +groveler's +grovelling +grubbiness +grubbiness's +grubstake's +grudgingly +gruelingly +gruesomely +gruesomeness +gruesomeness's +gruesomest +gruffness's +grumbler's +grumblings +grumpiness +grumpiness's +Grunewald's +Göteborg's +guacamole's +Guadalajara +Guadalajara's +Guadalcanal +Guadalcanal's +Guadalquivir +Guadalquivir's +Guadalupe's +Guadeloupe +Guadeloupe's +Guallatiri +Guallatiri's +Guangzhou's +Guantanamo +Guantanamo's +guaranteed +guaranteeing +guarantee's +guarantees +guarantied +guaranties +guarantor's +guarantors +guarantying +guaranty's +guardhouse +guardhouse's +guardhouses +guardian's +guardianship +guardianship's +guardrail's +guardrails +guardroom's +guardrooms +guardsman's +Guarnieri's +Guatemalan +Guatemalan's +Guatemalans +Guatemala's +Guayaquil's +gubernatorial +Guernsey's +Guerrero's +guerrilla's +guerrillas +guesstimate +guesstimated +guesstimate's +guesstimates +guesstimating +guesswork's +guestbook's +guestbooks +guesthouse +guesthouses +guestrooms +Guggenheim +Guggenheim's +guidance's +guidebook's +guidebooks +guideline's +guidelines +guidepost's +guideposts +guildhall's +guildhalls +guilelessly +guilelessness +guilelessness's +guillemots +Guillermo's +guillotine +guillotined +guillotine's +guillotines +guillotining +guiltiness +guiltiness's +Guinevere's +Guinness's +guitarist's +guitarists +Gujarati's +Gujranwala +Gujranwala's +gullibility +gullibility's +Gulliver's +gumption's +gumshoeing +gunfighter +gunfighter's +gunfighters +gunfight's +gunmetal's +gunnysack's +gunnysacks +gunpoint's +gunpowder's +gunrunner's +gunrunners +gunrunning +gunrunning's +gunslinger +gunslinger's +gunslingers +gunsmith's +Gustavus's +Gutenberg's +Gutierrez's +gutlessness +gutlessness's +guttersnipe +guttersnipe's +guttersnipes +guttural's +Guyanese's +Gwendoline +Gwendoline's +Gwendolyn's +gymkhana's +gymnasium's +gymnasiums +gymnastically +gymnastics +gymnastics's +gymnosperm +gymnosperm's +gymnosperms +gynecologic +gynecological +gynecologist +gynecologist's +gynecologists +gynecology +gynecology's +gyration's +gyrfalcon's +gyrfalcons +gyroscope's +gyroscopes +gyroscopic +Habakkuk's +haberdasher +haberdasheries +haberdasher's +haberdashers +haberdashery +haberdashery's +habiliment +habiliment's +habiliments +habitability +habitability's +habitation +habitation's +habitations +habitually +habitualness +habitualness's +habituated +habituates +habituating +habituation +habituation's +hacienda's +hackneying +hacktivist +hacktivist's +hacktivists +hackwork's +haggardness +haggardness's +Hagiographa +Hagiographa's +hagiographer +hagiographer's +hagiographers +hagiographies +hagiography +hagiography's +hailstone's +hailstones +hailstorm's +hailstorms +Haiphong's +hairball's +hairbreadth +hairbreadth's +hairbreadths +hairbrushes +hairbrush's +haircloth's +hairdresser +hairdresser's +hairdressers +hairdressing +hairdressing's +hairdryer's +hairdryers +hairiness's +hairline's +hairpiece's +hairpieces +hairsbreadth +hairsbreadth's +hairsbreadths +hairsplitter +hairsplitter's +hairsplitters +hairsplitting +hairsplitting's +hairsprays +hairspring +hairspring's +hairsprings +hairstyle's +hairstyles +hairstylist +hairstylist's +hairstylists +Haleakala's +halfback's +halfhearted +halfheartedly +halfheartedness +halfheartedness's +halfpennies +halfpenny's +halftime's +halftone's +halitosis's +hallelujah +hallelujah's +hallelujahs +Halliburton +Halliburton's +hallmarked +hallmarking +Hallmark's +hallmark's +Halloween's +Halloweens +Hallstatt's +hallucinate +hallucinated +hallucinates +hallucinating +hallucination +hallucination's +hallucinations +hallucinatory +hallucinogen +hallucinogenic +hallucinogenic's +hallucinogenics +hallucinogen's +hallucinogens +halterneck +halternecks +hamburger's +hamburgers +Hamilcar's +Hamiltonian +Hamiltonian's +Hamilton's +Hammarskjold +Hammarskjold's +hammerer's +hammerhead +hammerhead's +hammerheads +hammerings +hammerlock +hammerlock's +hammerlocks +Hammerstein +Hammerstein's +hammertoe's +hammertoes +Hammurabi's +Hampshire's +hamstringing +hamstring's +hamstrings +handball's +handbarrow +handbarrow's +handbarrows +handbill's +handbook's +handbrakes +handcart's +handclasp's +handclasps +handcrafted +handcrafting +handcraft's +handcrafts +handcuffed +handcuffing +handcuff's +handedness +handheld's +handhold's +handicapped +handicapper +handicapper's +handicappers +handicapping +handicap's +handicraft +handicraft's +handicrafts +handiness's +handiwork's +handkerchief +handkerchief's +handkerchiefs +handlebar's +handlebars +handmaiden +handmaiden's +handmaidens +handmaid's +handpicked +handpicking +handrail's +handshake's +handshakes +handshaking +handshakings +handsomely +handsomeness +handsomeness's +handsomest +handspring +handspring's +handsprings +handstand's +handstands +handwork's +handwriting +handwriting's +handwritten +handyman's +hangnail's +hangover's +Hangzhou's +hankering's +hankerings +Hannibal's +Hanoverian +Hanoverian's +Hanukkah's +haphazardly +haphazardness +haphazardness's +haplessness +haplessness's +happening's +happenings +happenstance +happenstance's +happenstances +happiness's +Hapsburg's +harangue's +haranguing +harasser's +harassment +harassment's +harbinger's +harbingers +harbormaster +harbormasters +hardback's +hardball's +hardboard's +hardcover's +hardcovers +hardener's +hardheaded +hardheadedly +hardheadedness +hardheadedness's +hardhearted +hardheartedly +hardheartedness +hardheartedness's +hardihood's +hardiness's +hardliner's +hardliners +hardness's +hardscrabble +hardship's +hardstand's +hardstands +hardtack's +hardware's +hardwood's +hardworking +harebell's +harebrained +harelipped +Hargreaves +Hargreaves's +Harlequin's +harlequin's +harlequins +harlotry's +harmfulness +harmfulness's +harmlessly +harmlessness +harmlessness's +harmonically +harmonica's +harmonicas +harmonic's +harmonious +harmoniously +harmoniousness +harmoniousness's +harmonium's +harmoniums +harmonization +harmonization's +harmonized +harmonizer +harmonizer's +harmonizers +harmonizes +harmonizing +harnessing +harpooner's +harpooners +harpooning +harpsichord +harpsichordist +harpsichordist's +harpsichordists +harpsichord's +harpsichords +harridan's +Harriett's +Harrington +Harrington's +Harrisburg +Harrisburg's +Harrison's +harrumphed +harrumphing +harshness's +Hartford's +Hartline's +harvester's +harvesters +harvesting +hastiness's +Hastings's +hatchback's +hatchbacks +hatcheck's +hatcheries +hatchery's +hatching's +hatchway's +hatefulness +hatefulness's +hatemonger +hatemonger's +hatemongers +Hatfield's +Hathaway's +Hatsheput's +Hatteras's +haughtiest +haughtiness +haughtiness's +hauntingly +Hauptmann's +Hausdorff's +haversack's +haversacks +Havoline's +Hawaiian's +hawkishness +hawkishness's +Hawthorne's +hawthorn's +haystack's +Hayworth's +hazardously +hazelnut's +haziness's +headache's +headband's +headbanger +headbangers +headbanging +headboard's +headboards +headbutted +headbutting +headcheese +headcounts +headdresses +headdress's +headgear's +headhunted +headhunter +headhunter's +headhunters +headhunting +headhunting's +headiness's +headlamp's +headland's +headlight's +headlights +headliner's +headliners +headline's +headlining +headlock's +headmaster +headmaster's +headmasters +headmistress +headmistresses +headmistress's +headphone's +headphones +headpiece's +headpieces +headquarter +headquartered +headquartering +headquarters +headquarters's +headrest's +headroom's +headscarves +headship's +headshrinker +headshrinker's +headshrinkers +headsman's +headstall's +headstalls +headstand's +headstands +headstone's +headstones +headstrong +headteacher +headteachers +headwaiter +headwaiter's +headwaiters +headwaters +headwaters's +headwind's +headword's +healthcare +healthfully +healthfulness +healthfulness's +healthiest +healthiness +healthiness's +hearkening +heartache's +heartaches +heartbeat's +heartbeats +heartbreak +heartbreaking +heartbreak's +heartbreaks +heartbroken +heartburn's +heartening +hearthrugs +hearthstone +hearthstone's +hearthstones +heartiness +heartiness's +heartland's +heartlands +heartlessly +heartlessness +heartlessness's +heartrending +heartrendingly +heartsickness +heartsickness's +heartstrings +heartstrings's +heartthrob +heartthrob's +heartthrobs +heartwarming +heartwood's +heathendom +heathendom's +heathenish +heathenism +heathenism's +heatstroke +heatstroke's +heavenlier +heavenliest +heavenward +heavenwards +heaviness's +Heaviside's +heavyhearted +heavyweight +heavyweight's +heavyweights +Hebraism's +Hebrides's +heckling's +hectically +hectogram's +hectograms +hectometer +hectometer's +hectometers +hedgehog's +hedgehopped +hedgehopping +hedgerow's +hedonism's +hedonistic +hedonist's +heedlessly +heedlessness +heedlessness's +heftiness's +Hegelian's +hegemony's +Heidegger's +Heidelberg +Heidelberg's +heightened +heightening +Heimlich's +Heineken's +Heinlein's +heinousness +heinousness's +Heinrich's +heirloom's +Heisenberg +Heisenberg's +helicopter +helicoptered +helicoptering +helicopter's +helicopters +heliocentric +Heliopolis +Heliopolis's +heliotrope +heliotrope's +heliotropes +heliport's +hellebore's +Hellenic's +Hellenism's +Hellenisms +Hellenistic +Hellenistic's +Hellenization +Hellenization's +Hellenize's +Hellespont +Hellespont's +hellhole's +hellishness +hellishness's +Helmholtz's +helmsman's +helpfulness +helpfulness's +helplessly +helplessness +helplessness's +helpline's +helpmate's +Helsinki's +Helvetius's +hematite's +hematologic +hematological +hematologist +hematologist's +hematologists +hematology +hematology's +Hemingway's +hemisphere +hemisphere's +hemispheres +hemispheric +hemispherical +hemoglobin +hemoglobin's +hemophilia +hemophiliac +hemophiliac's +hemophiliacs +hemophilia's +hemorrhage +hemorrhaged +hemorrhage's +hemorrhages +hemorrhagic +hemorrhaging +hemorrhoid +hemorrhoid's +hemorrhoids +hemostat's +hemstitched +hemstitches +hemstitching +hemstitch's +henceforth +henceforward +henchman's +Henderson's +Hendrick's +Hendricks's +Hennessy's +henpecking +Henrietta's +hepatitis's +hepatocyte +hepatocytes +Hephaestus +Hephaestus's +Hepplewhite +Hepplewhite's +heptagonal +heptagon's +heptathlon +heptathlon's +heptathlons +Heracles's +Heraclitus +Heraclitus's +Herakles's +heraldry's +herbaceous +herbalist's +herbalists +herbicidal +herbicide's +herbicides +herbivore's +herbivores +herbivorous +Herculaneum +Herculaneum's +Hercules's +herdsman's +hereabouts +hereafter's +hereafters +hereditary +heredity's +Hereford's +hereinafter +heretofore +Heriberto's +heritage's +hermaphrodite +hermaphrodite's +hermaphrodites +hermaphroditic +Hermaphroditus +Hermaphroditus's +hermetical +hermetically +Herminia's +Hermitage's +hermitage's +hermitages +Hermosillo +Hermosillo's +Hernandez's +herniating +herniation +herniation's +Herodotus's +heroically +herpetologist +herpetologist's +herpetologists +herpetology +herpetology's +herringbone +herringbone's +Herschel's +Hertzsprung +Hertzsprung's +Herzegovina +Herzegovina's +hesitance's +hesitancy's +hesitantly +hesitating +hesitatingly +hesitation +hesitation's +hesitations +Hesperus's +heterodoxy +heterodoxy's +heterogeneity +heterogeneity's +heterogeneous +heterogeneously +heterosexual +heterosexuality +heterosexuality's +heterosexually +heterosexual's +heterosexuals +heuristically +heuristic's +heuristics +heuristics's +hexadecimal +hexadecimals +hexagram's +hexameter's +hexameters +Heyerdahl's +Hezbollah's +Hezekiah's +Hiawatha's +hibernated +hibernates +hibernating +hibernation +hibernation's +hibernator +hibernator's +hibernators +Hibernia's +hibiscuses +hibiscus's +hiccoughed +hiccoughing +hideaway's +hideousness +hideousness's +hierarchic +hierarchical +hierarchically +hierarchies +hierarchy's +hieroglyph +hieroglyphic +hieroglyphic's +hieroglyphics +hieroglyph's +hieroglyphs +Hieronymus +Hieronymus's +Higashiosaka +highball's +highbrow's +highchair's +highchairs +highfalutin +highhanded +highhandedly +highhandedness +highhandedness's +Highlander +highlander +Highlander's +Highlanders +highlander's +highlanders +highland's +highlighted +highlighter +highlighter's +highlighters +highlighting +highlight's +highlights +Highness's +highness's +highroad's +hightailed +hightailing +highwayman +highwayman's +highwaymen +hijacker's +hijacking's +hijackings +hilariously +hilariousness +hilariousness's +hilarity's +Hildebrand +Hildebrand's +Hilfiger's +hillbillies +hillbilly's +hilliness's +hillside's +Himalaya's +Himalayas's +Hinayana's +Hindemith's +Hindenburg +Hindenburg's +hindquarter +hindquarter's +hindquarters +hindrance's +hindrances +hindsight's +Hinduism's +Hindustani +Hindustani's +Hindustanis +Hindustan's +hinterland +hinterland's +hinterlands +hiphuggers +Hipparchus +Hipparchus's +Hippocrates +Hippocrates's +Hippocratic +Hippocratic's +hippodrome +hippodrome's +hippodromes +hippopotamus +hippopotamuses +hippopotamus's +hireling's +Hirobumi's +Hirohito's +Hiroshima's +hirsuteness +hirsuteness's +Hispanic's +Hispaniola +Hispaniola's +histamine's +histamines +histogram's +histograms +histologist +histologist's +histologists +histology's +historian's +historians +historical +historically +historicity +historicity's +historiographer +historiographer's +historiographers +historiography +historiography's +histrionic +histrionically +histrionics +histrionics's +Hitchcock's +hitchhiked +hitchhiker +hitchhiker's +hitchhikers +hitchhike's +hitchhikes +hitchhiking +hoarding's +hoarfrost's +hoariness's +hoarseness +hoarseness's +hobbyhorse +hobbyhorse's +hobbyhorses +hobbyist's +hobgoblin's +hobgoblins +hobnailing +hobnobbing +hockshop's +hodgepodge +hodgepodge's +hodgepodges +Hofstadter +Hofstadter's +hogshead's +Hogwarts's +Hohenlohe's +Hohenstaufen +Hohenstaufen's +Hohenzollern +Hohenzollern's +Hokkaido's +holdover's +holidaying +holidaymaker +holidaymakers +holiness's +holistically +Hollander's +Hollanders +Hollerith's +Holloway's +hollowness +hollowness's +hollyhock's +hollyhocks +Hollywood's +Holocaust's +holocaust's +holocausts +Holocene's +hologram's +holographic +holograph's +holographs +holography +holography's +Holstein's +holstering +homebodies +homebody's +homecoming +homecoming's +homecomings +homeland's +homelessness +homelessness's +homeless's +homeliness +homeliness's +homemaker's +homemakers +homemaking +homemaking's +homeopathic +homeopath's +homeopaths +homeopathy +homeopathy's +homeostasis +homeostasis's +homeostatic +homeowner's +homeowners +homepage's +homeroom's +homeschooling +homeschooling's +homesickness +homesickness's +homespun's +homesteaded +homesteader +homesteader's +homesteaders +homesteading +homestead's +homesteads +homestretch +homestretches +homestretch's +hometown's +homeworker +homeworkers +homeworking +homework's +homewrecker +homewrecker's +homewreckers +homeyness's +homicide's +homoerotic +homogeneity +homogeneity's +homogeneous +homogeneously +homogenization +homogenization's +homogenize +homogenized +homogenizes +homogenizing +homograph's +homographs +homologous +homophobia +homophobia's +homophobic +homophone's +homophones +homosexual +homosexuality +homosexuality's +homosexual's +homosexuals +Honduran's +Honduras's +Honecker's +honeybee's +honeycombed +honeycombing +honeycomb's +honeycombs +honeydew's +honeylocust +honeylocust's +honeymooned +honeymooner +honeymooner's +honeymooners +honeymooning +honeymoon's +honeymoons +honeysuckle +honeysuckle's +honeysuckles +Honeywell's +Honolulu's +honorableness +honorableness's +honorarily +honorarium +honorarium's +honorariums +honorific's +honorifics +hoodwinked +hoodwinking +hookworm's +hooliganism +hooliganism's +hooligan's +hoosegow's +hootenannies +hootenanny +hootenanny's +hopefulness +hopefulness's +hopelessly +hopelessness +hopelessness's +Hopewell's +hopscotched +hopscotches +hopscotching +hopscotch's +horehound's +horehounds +horizontal +horizontally +horizontal's +horizontals +hornblende +hornblende's +Hornblower +Hornblower's +hornpipe's +horological +horologist +horologist's +horologists +horology's +horoscope's +horoscopes +Horowitz's +horrendous +horrendously +horribleness +horribleness's +horrifically +horrifying +horrifyingly +horseback's +horseboxes +horseflesh +horseflesh's +horseflies +horsefly's +horsehair's +horsehide's +horselaugh +horselaugh's +horselaughs +horseman's +horsemanship +horsemanship's +horseplay's +horsepower +horsepower's +horseradish +horseradishes +horseradish's +horseshoed +horseshoeing +horseshoe's +horseshoes +horsetail's +horsetails +horsetrading +horsewhipped +horsewhipping +horsewhip's +horsewhips +horsewoman +horsewoman's +horsewomen +horticultural +horticulturalist +horticulturalists +horticulture +horticulture's +horticulturist +horticulturist's +horticulturists +hospholipase +hospitable +hospitably +hospitality +hospitality's +hospitalization +hospitalization's +hospitalizations +hospitalize +hospitalized +hospitalizes +hospitalizing +hospital's +hosteler's +hostelries +hostelry's +hostessing +hostilities +hostilities's +hostility's +hotblooded +hotelier's +hotfooting +hotheadedly +hotheadedness +hotheadedness's +hothouse's +hotplate's +Hotpoint's +Hottentot's +Hottentots +hourglasses +hourglass's +houseboat's +houseboats +housebound +houseboy's +housebreak +housebreaker +housebreaker's +housebreakers +housebreaking +housebreaking's +housebreaks +housebroke +housebroken +houseclean +housecleaned +housecleaning +housecleaning's +housecleans +housecoat's +housecoats +houseflies +housefly's +houseful's +householder +householder's +householders +household's +households +househusband +househusband's +househusbands +housekeeper +housekeeper's +housekeepers +housekeeping +housekeeping's +houselights +houselights's +housemaid's +housemaids +houseman's +housemaster +housemasters +housemates +housemistress +housemistresses +housemother +housemother's +housemothers +houseparent +houseparent's +houseparents +houseplant +houseplant's +houseplants +houseproud +housetop's +housewares +housewares's +housewarming +housewarming's +housewarmings +housewifely +housewife's +housewives +housework's +Houyhnhnm's +hovercraft +hovercraft's +Hovhaness's +howitzer's +Hrothgar's +huarache's +huckleberries +huckleberry +huckleberry's +huckstered +huckstering +hucksterism +hucksterism's +huckster's +Huddersfield +huffiness's +hugeness's +Huguenot's +Huitzilopotchli +Huitzilopotchli's +hullabaloo +hullabaloo's +hullabaloos +humaneness +humaneness's +humanism's +humanistic +humanist's +humanitarian +humanitarianism +humanitarianism's +humanitarian's +humanitarians +humanities +humanities's +humanity's +humanization +humanization's +humanizer's +humanizers +humanizing +humankind's +humanness's +humanoid's +Humberto's +humbleness +humbleness's +Humboldt's +humbugging +humdinger's +humdingers +humidification +humidification's +humidified +humidifier +humidifier's +humidifiers +humidifies +humidifying +humidity's +humiliated +humiliates +humiliating +humiliatingly +humiliation +humiliation's +humiliations +humility's +hummingbird +hummingbird's +hummingbirds +humoresque +humorist's +humorlessly +humorlessness +humorlessness's +humorously +humorousness +humorousness's +humpbacked +humpback's +Humphrey's +hunchbacked +hunchback's +hunchbacks +hundredfold +hundredth's +hundredths +hundredweight +hundredweight's +hundredweights +Hungarian's +Hungarians +hungriness +hungriness's +Hunspell's +Huntington +Huntington's +huntresses +huntress's +huntsman's +Huntsville +Huntsville's +hurdling's +hurricane's +hurricanes +hurtfulness +hurtfulness's +husbanding +husbandman +husbandman's +husbandmen +husbandry's +huskiness's +hustings's +Hutchinson +Hutchinson's +hyacinth's +hybridism's +hybridization +hybridization's +hybridized +hybridizes +hybridizing +Hyderabad's +hydrangea's +hydrangeas +hydration's +hydraulically +hydraulics +hydraulics's +hydrocarbon +hydrocarbon's +hydrocarbons +hydrocephalus +hydrocephalus's +hydrodynamic +hydrodynamics +hydrodynamics's +hydroelectric +hydroelectrically +hydroelectricity +hydroelectricity's +hydrofoil's +hydrofoils +hydrogenate +hydrogenated +hydrogenates +hydrogenating +hydrogenation +hydrogenation's +hydrogenous +hydrogen's +hydrologist +hydrologist's +hydrologists +hydrology's +hydrolyses +hydrolysis +hydrolysis's +hydrolyzed +hydrolyzes +hydrolyzing +hydrometer +hydrometer's +hydrometers +hydrometry +hydrometry's +hydrophilic +hydrophobia +hydrophobia's +hydrophobic +hydrophone +hydrophone's +hydrophones +hydroplane +hydroplaned +hydroplane's +hydroplanes +hydroplaning +hydroponic +hydroponically +hydroponics +hydroponics's +hydrosphere +hydrosphere's +hydrotherapy +hydrotherapy's +hydroxide's +hydroxides +hygienically +hygienist's +hygienists +hygrometer +hygrometer's +hygrometers +hymnbook's +hyperactive +hyperactivity +hyperactivity's +hyperbola's +hyperbolas +hyperbole's +hyperbolic +hypercritical +hypercritically +hyperglycemia +hyperglycemia's +hyperinflation +Hyperion's +hyperlinked +hyperlinking +hyperlink's +hyperlinks +hypermarket +hypermarkets +hypermedia +hypermedia's +hyperparathyroidism +hypersensitive +hypersensitiveness +hypersensitiveness's +hypersensitivities +hypersensitivity +hypersensitivity's +hyperspace +hyperspaces +hypertension +hypertension's +hypertensive +hypertensive's +hypertensives +hypertext's +hyperthyroid +hyperthyroidism +hyperthyroidism's +hyperthyroid's +hypertrophied +hypertrophies +hypertrophy +hypertrophying +hypertrophy's +hyperventilate +hyperventilated +hyperventilates +hyperventilating +hyperventilation +hyperventilation's +hyphenated +hyphenate's +hyphenates +hyphenating +hyphenation +hyphenation's +hyphenations +hypnosis's +hypnotherapist +hypnotherapists +hypnotherapy +hypnotherapy's +hypnotically +hypnotic's +hypnotism's +hypnotist's +hypnotists +hypnotized +hypnotizes +hypnotizing +hypoallergenic +hypochondria +hypochondriac +hypochondriac's +hypochondriacs +hypochondria's +hypocrisies +hypocrisy's +hypocrite's +hypocrites +hypocritical +hypocritically +hypodermic +hypodermic's +hypodermics +hypoglycemia +hypoglycemia's +hypoglycemic +hypoglycemic's +hypoglycemics +hypotenuse +hypotenuse's +hypotenuses +hypothalami +hypothalamus +hypothalamus's +hypothermia +hypothermia's +hypotheses +hypothesis +hypothesis's +hypothesize +hypothesized +hypothesizes +hypothesizing +hypothetical +hypothetically +hypothyroid +hypothyroidism +hypothyroidism's +hypothyroid's +hysterectomies +hysterectomy +hysterectomy's +hysteresis +hysteria's +hysterical +hysterically +hysteric's +hysterics's +ibuprofen's +icebreaker +icebreaker's +icebreakers +Icelander's +Icelanders +Icelandic's +ichthyologist +ichthyologist's +ichthyologists +ichthyology +ichthyology's +iconoclasm +iconoclasm's +iconoclast +iconoclastic +iconoclast's +iconoclasts +iconography +iconography's +idealism's +idealistic +idealistically +idealist's +idealization +idealization's +idealizations +idealizing +idempotent +identically +identifiable +identification +identification's +identifications +identified +identifier +identifiers +identifies +identifying +identikits +identities +identity's +ideogram's +ideograph's +ideographs +ideological +ideologically +ideologies +ideologist +ideologist's +ideologists +ideologue's +ideologues +ideology's +idiomatically +idiopathic +idiosyncrasies +idiosyncrasy +idiosyncrasy's +idiosyncratic +idiosyncratically +idiotically +idleness's +idolater's +idolatress +idolatresses +idolatress's +idolatrous +idolatry's +idolization +idolization's +idyllically +iffiness's +Ignatius's +ignition's +ignominies +ignominious +ignominiously +ignominy's +ignoramuses +ignoramus's +ignorance's +ignorantly +Ijsselmeer +Ijsselmeer's +Ikhnaton's +illegalities +illegality +illegality's +illegibility +illegibility's +illegitimacy +illegitimacy's +illegitimate +illegitimately +illiberality +illiberality's +illiberally +illicitness +illicitness's +illimitable +Illinoisan +Illinoisan's +Illinoisans +Illinois's +illiteracy +illiteracy's +illiterate +illiterately +illiterate's +illiterates +illogicality +illogicality's +illogically +illuminable +illuminate +illuminated +illuminates +Illuminati +illuminating +illuminatingly +illumination +illumination's +illuminations +Illuminati's +illumining +illusionist +illusionist's +illusionists +illusion's +illustrate +illustrated +illustrates +illustrating +illustration +illustration's +illustrations +illustrative +illustratively +illustrator +illustrator's +illustrators +illustrious +illustriously +illustriousness +illustriousness's +Ilyushin's +imaginable +imaginably +imagination +imagination's +imaginations +imaginative +imaginatively +imaginings +imbalanced +imbalance's +imbalances +imbecile's +imbecilities +imbecility +imbecility's +imbrication +imbrication's +imbroglio's +imbroglios +imitation's +imitations +imitatively +imitativeness +imitativeness's +imitator's +immaculate +immaculately +immaculateness +immaculateness's +immanence's +immanency's +immanently +immaterial +immateriality +immateriality's +immaterially +immaterialness +immaterialness's +immaturely +immaturity +immaturity's +immeasurable +immeasurably +immediacies +immediacies's +immediacy's +immediately +immediateness +immediateness's +immemorial +immemorially +immensities +immensity's +immersible +immersion's +immersions +immigrant's +immigrants +immigrated +immigrates +immigrating +immigration +immigration's +imminence's +imminently +immobility +immobility's +immobilization +immobilization's +immobilize +immobilized +immobilizer +immobilizers +immobilizes +immobilizing +immoderate +immoderately +immodestly +immodesty's +immolating +immolation +immolation's +immoralities +immorality +immorality's +immortality +immortality's +immortalize +immortalized +immortalizes +immortalizing +immortally +immortal's +immovability +immovability's +immunity's +immunization +immunization's +immunizations +immunizing +immunodeficiency +immunodeficiency's +immunodeficient +immunoglobulin +immunoglobulins +immunologic +immunological +immunologist +immunologist's +immunologists +immunology +immunology's +immutability +immutability's +impairment +impairment's +impairments +impalement +impalement's +impalpable +impalpably +impaneling +impartiality +impartiality's +impartially +impassable +impassably +impassibility +impassibility's +impassible +impassibly +impassioned +impassively +impassiveness +impassiveness's +impassivity +impassivity's +impatience +impatience's +impatiences +impatiens's +impatiently +impeachable +impeacher's +impeachers +impeaching +impeachment +impeachment's +impeachments +impeccability +impeccability's +impeccable +impeccably +impecunious +impecuniously +impecuniousness +impecuniousness's +impedance's +impediment +impedimenta +impedimenta's +impediment's +impediments +impeller's +impenetrability +impenetrability's +impenetrable +impenetrably +impenitence +impenitence's +impenitent +impenitently +imperative +imperatively +imperative's +imperatives +imperceptibility +imperceptibility's +imperceptible +imperceptibly +imperceptive +imperfection +imperfection's +imperfections +imperfectly +imperfectness +imperfectness's +imperfect's +imperfects +imperialism +imperialism's +imperialist +imperialistic +imperialistically +imperialist's +imperialists +imperially +imperial's +imperiling +imperilment +imperilment's +imperiously +imperiousness +imperiousness's +imperishable +imperishably +impermanence +impermanence's +impermanent +impermanently +impermeability +impermeability's +impermeable +impermeably +impermissible +impersonal +impersonally +impersonate +impersonated +impersonates +impersonating +impersonation +impersonation's +impersonations +impersonator +impersonator's +impersonators +impertinence +impertinence's +impertinences +impertinent +impertinently +imperturbability +imperturbability's +imperturbable +imperturbably +impervious +imperviously +impetigo's +impetuosity +impetuosity's +impetuously +impetuousness +impetuousness's +impingement +impingement's +impiousness +impiousness's +impishness +impishness's +implacability +implacability's +implacable +implacably +implantable +implantation +implantation's +implanting +implausibilities +implausibility +implausibility's +implausible +implausibly +implementable +implementation +implementation's +implementations +implemented +implementer +implementing +implement's +implements +implicated +implicates +implicating +implication +implication's +implications +implicitly +implicitness +implicitness's +imploringly +implosion's +implosions +impolitely +impoliteness +impolitenesses +impoliteness's +imponderable +imponderable's +imponderables +importable +importance +importance's +importantly +importation +importation's +importations +importer's +importunate +importunately +importuned +importunes +importuning +importunity +importunity's +imposingly +imposition +imposition's +impositions +impossibilities +impossibility +impossibility's +impossible +impossibles +impossibly +impostor's +imposture's +impostures +impotence's +impotency's +impotently +impounding +impoverish +impoverished +impoverishes +impoverishing +impoverishment +impoverishment's +impracticability +impracticable +impracticably +impractical +impracticality +impracticality's +impractically +imprecated +imprecates +imprecating +imprecation +imprecation's +imprecations +imprecisely +impreciseness +impreciseness's +imprecision +imprecision's +impregnability +impregnability's +impregnable +impregnably +impregnate +impregnated +impregnates +impregnating +impregnation +impregnation's +impresario +impresario's +impresarios +impressibility +impressibility's +impressible +impressing +impression +impressionability +impressionability's +impressionable +impressionism +impressionism's +impressionist +impressionistic +impressionist's +impressionists +impression's +impressions +impressive +impressively +impressiveness +impressiveness's +imprimatur +imprimatur's +imprimaturs +imprinter's +imprinters +imprinting +imprisoned +imprisoning +imprisonment +imprisonment's +imprisonments +improbabilities +improbability +improbability's +improbable +improbably +impromptu's +impromptus +improperly +improprieties +impropriety +impropriety's +improvable +improvement +improvement's +improvements +improvidence +improvidence's +improvident +improvidently +improvisation +improvisational +improvisation's +improvisations +improvised +improviser +improviser's +improvisers +improvises +improvising +imprudence +imprudence's +imprudently +impudence's +impudently +impugner's +impulsion's +impulsively +impulsiveness +impulsiveness's +impunity's +impurities +impurity's +imputation +imputation's +imputations +inabilities +inability's +inaccessibility +inaccessibility's +inaccessible +inaccessibly +inaccuracies +inaccuracy +inaccuracy's +inaccurate +inaccurately +inaction's +inactivate +inactivated +inactivates +inactivating +inactivation +inactivation's +inactively +inactivity +inactivity's +inadequacies +inadequacy +inadequacy's +inadequate +inadequately +inadmissibility +inadmissibility's +inadmissible +inadvertence +inadvertence's +inadvertent +inadvertently +inadvisability +inadvisability's +inadvisable +inalienability +inalienability's +inalienable +inalienably +inamorata's +inamoratas +inanimately +inanimateness +inanimateness's +inapplicable +inappreciable +inappreciably +inapproachable +inappropriate +inappropriately +inappropriateness +inappropriateness's +inaptness's +inarguable +inarticulacy +inarticulate +inarticulately +inarticulateness +inarticulateness's +inartistic +inattention +inattention's +inattentive +inattentively +inattentiveness +inattentiveness's +inaudibility +inaudibility's +inaugural's +inaugurals +inaugurate +inaugurated +inaugurates +inaugurating +inauguration +inauguration's +inaugurations +inauspicious +inauspiciously +inauthentic +inbreeding +inbreeding's +incalculable +incalculably +incandescence +incandescence's +incandescent +incandescently +incantation +incantation's +incantations +incapability +incapability's +incapacitate +incapacitated +incapacitates +incapacitating +incapacity +incapacity's +incarcerate +incarcerated +incarcerates +incarcerating +incarceration +incarceration's +incarcerations +incarnadine +incarnadined +incarnadines +incarnadining +incarnated +incarnates +incarnating +incarnation +incarnation's +incarnations +incautious +incautiously +incendiaries +incendiary +incendiary's +incentive's +incentives +inception's +inceptions +incertitude +incertitude's +incessantly +incestuous +incestuously +incestuousness +incestuousness's +inchworm's +incidence's +incidences +incidental +incidentally +incidental's +incidentals +incident's +incinerate +incinerated +incinerates +incinerating +incineration +incineration's +incinerator +incinerator's +incinerators +incipience +incipience's +incipiently +incision's +incisively +incisiveness +incisiveness's +incitement +incitement's +incitements +incivilities +incivility +incivility's +inclemency +inclemency's +inclination +inclination's +inclinations +inclusion's +inclusions +inclusively +inclusiveness +inclusiveness's +incognito's +incognitos +incoherence +incoherence's +incoherent +incoherently +incombustible +incommensurate +incommensurately +incommoded +incommodes +incommoding +incommodious +incommunicable +incommunicado +incomparable +incomparably +incompatibilities +incompatibility +incompatibility's +incompatible +incompatible's +incompatibles +incompatibly +incompetence +incompetence's +incompetency +incompetency's +incompetent +incompetently +incompetent's +incompetents +incomplete +incompletely +incompleteness +incompleteness's +incomprehensibility +incomprehensibility's +incomprehensible +incomprehensibly +incomprehension +incomprehension's +inconceivability +inconceivability's +inconceivable +inconceivably +inconclusive +inconclusively +inconclusiveness +inconclusiveness's +incongruities +incongruity +incongruity's +incongruous +incongruously +incongruousness +incongruousness's +inconsequential +inconsequentially +inconsiderable +inconsiderate +inconsiderately +inconsiderateness +inconsiderateness's +inconsideration +inconsideration's +inconsistencies +inconsistency +inconsistency's +inconsistent +inconsistently +inconsolable +inconsolably +inconspicuous +inconspicuously +inconspicuousness +inconspicuousness's +inconstancy +inconstancy's +inconstant +inconstantly +incontestability +incontestability's +incontestable +incontestably +incontinence +incontinence's +incontinent +incontrovertible +incontrovertibly +inconvenience +inconvenienced +inconvenience's +inconveniences +inconveniencing +inconvenient +inconveniently +incorporate +Incorporated +incorporated +incorporates +incorporating +incorporation +incorporation's +incorporeal +incorrectly +incorrectness +incorrectness's +incorrigibility +incorrigibility's +incorrigible +incorrigibly +incorruptibility +incorruptibility's +incorruptible +incorruptibly +increase's +increasing +increasingly +incredibility +incredibility's +incredible +incredibly +incredulity +incredulity's +incredulous +incredulously +incremental +incrementalism +incrementalist +incrementalist's +incrementalists +incrementally +incremented +increment's +increments +incriminate +incriminated +incriminates +incriminating +incrimination +incrimination's +incriminatory +incrustation +incrustation's +incrustations +incubating +incubation +incubation's +incubator's +incubators +inculcated +inculcates +inculcating +inculcation +inculcation's +inculpable +inculpated +inculpates +inculpating +incumbencies +incumbency +incumbency's +incumbent's +incumbents +incunabula +incunabulum +incunabulum's +incurable's +incurables +incursion's +incursions +indebtedness +indebtedness's +indecencies +indecency's +indecently +indecipherable +indecision +indecision's +indecisive +indecisively +indecisiveness +indecisiveness's +indecorous +indecorously +indefatigable +indefatigably +indefeasible +indefeasibly +indefensible +indefensibly +indefinable +indefinably +indefinite +indefinitely +indefiniteness +indefiniteness's +indelicacies +indelicacy +indelicacy's +indelicate +indelicately +indemnification +indemnification's +indemnifications +indemnified +indemnifies +indemnifying +indemnities +indemnity's +indemonstrable +indentation +indentation's +indentations +indention's +indentured +indenture's +indentures +indenturing +Independence +independence +Independence's +independence's +independent +independently +independent's +independents +indescribable +indescribably +indestructibility +indestructibility's +indestructible +indestructibly +indeterminable +indeterminably +indeterminacy +indeterminacy's +indeterminate +indeterminately +indexation +indexation's +indexations +Indianan's +Indianapolis +Indianapolis's +indicating +indication +indication's +indications +indicative +indicatively +indicative's +indicatives +indicator's +indicators +indictable +indictment +indictment's +indictments +indifference +indifference's +indifferent +indifferently +indigence's +indigenous +indigently +indigent's +indigestible +indigestion +indigestion's +indignantly +indignation +indignation's +indignities +indignity's +indirection +indirection's +indirectly +indirectness +indirectness's +indiscernible +indiscipline +indiscreet +indiscreetly +indiscretion +indiscretion's +indiscretions +indiscriminate +indiscriminately +indispensability +indispensability's +indispensable +indispensable's +indispensables +indispensably +indisposed +indisposition +indisposition's +indispositions +indisputable +indisputably +indissolubility +indissoluble +indissolubly +indistinct +indistinctly +indistinctness +indistinctness's +indistinguishable +indistinguishably +individual +individualism +individualism's +individualist +individualistic +individualistically +individualist's +individualists +individuality +individuality's +individualization +individualization's +individualize +individualized +individualizes +individualizing +individually +individual's +individuals +individuate +individuated +individuates +individuating +individuation +individuation's +indivisibility +indivisibility's +indivisible +indivisibly +Indochina's +Indochinese +Indochinese's +indoctrinate +indoctrinated +indoctrinates +indoctrinating +indoctrination +indoctrination's +indolence's +indolently +indomitable +indomitably +Indonesian +Indonesian's +Indonesians +Indonesia's +indubitable +indubitably +inducement +inducement's +inducements +inductance +inductance's +inductee's +induction's +inductions +inductively +indulgence +indulgence's +indulgences +indulgently +industrial +industrialism +industrialism's +industrialist +industrialist's +industrialists +industrialization +industrialization's +industrialize +industrialized +industrializes +industrializing +industrially +industries +industrious +industriously +industriousness +industriousness's +industry's +indwelling +inebriated +inebriate's +inebriates +inebriating +inebriation +inebriation's +ineducable +ineffability +ineffability's +ineffective +ineffectively +ineffectiveness +ineffectiveness's +ineffectual +ineffectually +inefficacy +inefficacy's +inefficiencies +inefficiency +inefficiency's +inefficient +inefficiently +inelegance +inelegance's +inelegantly +ineligibility +ineligibility's +ineligible +ineligible's +ineligibles +ineligibly +ineluctable +ineluctably +ineptitude +ineptitude's +ineptness's +inequalities +inequality +inequality's +inequitable +inequitably +inequities +inequity's +ineradicable +inertness's +inescapable +inescapably +inessential +inessential's +inessentials +inestimable +inestimably +inevitability +inevitability's +inevitable +inevitable's +inevitably +inexactness +inexactness's +inexcusable +inexcusably +inexhaustible +inexhaustibly +inexorability +inexorable +inexorably +inexpedience +inexpedience's +inexpediency +inexpediency's +inexpedient +inexpensive +inexpensively +inexpensiveness +inexpensiveness's +inexperience +inexperienced +inexperience's +inexpertly +inexpiable +inexplicable +inexplicably +inexpressible +inexpressibly +inexpressive +inextinguishable +inextricable +inextricably +infallibility +infallibility's +infallible +infallibly +infamously +infanticide +infanticide's +infanticides +infantries +infantryman +infantryman's +infantrymen +infantry's +infarction +infarction's +infatuated +infatuates +infatuating +infatuation +infatuation's +infatuations +infeasible +infection's +infections +infectious +infectiously +infectiousness +infectiousness's +infelicities +infelicitous +infelicity +infelicity's +inference's +inferences +inferential +inferiority +inferiority's +inferior's +infernally +infertility +infertility's +infestation +infestation's +infestations +infidelities +infidelity +infidelity's +infielder's +infielders +infighter's +infighters +infighting +infighting's +infiltrate +infiltrated +infiltrates +infiltrating +infiltration +infiltration's +infiltrator +infiltrator's +infiltrators +infinitely +infinite's +infinitesimal +infinitesimally +infinitesimal's +infinitesimals +infinities +infinitival +infinitive +infinitive's +infinitives +infinitude +infinitude's +infinity's +infirmaries +infirmary's +infirmities +infirmity's +inflammability +inflammability's +inflammable +inflammation +inflammation's +inflammations +inflammatory +inflatable +inflatable's +inflatables +inflationary +inflation's +inflecting +inflection +inflectional +inflection's +inflections +inflexibility +inflexibility's +inflexible +inflexibly +inflicting +infliction +infliction's +inflictive +inflorescence +inflorescence's +inflorescent +influenced +influence's +influences +influencing +influential +influentially +influenza's +infomercial +infomercial's +infomercials +informality +informality's +informally +informant's +informants +informatics +information +informational +information's +informative +informatively +informativeness +informativeness's +informer's +infotainment +infotainment's +infraction +infraction's +infractions +infrared's +infrasonic +infrastructural +infrastructure +infrastructure's +infrastructures +infrequence +infrequence's +infrequency +infrequency's +infrequent +infrequently +infringement +infringement's +infringements +infringing +infuriated +infuriates +infuriating +infuriatingly +infusion's +ingeniously +ingeniousness +ingeniousness's +ingenuity's +ingenuously +ingenuousness +ingenuousness's +ingestion's +inglenook's +inglenooks +inglorious +ingloriously +ingraining +ingratiate +ingratiated +ingratiates +ingratiating +ingratiatingly +ingratiation +ingratiation's +ingratitude +ingratitude's +ingredient +ingredient's +ingredients +inhabitable +inhabitant +inhabitant's +inhabitants +inhabiting +inhalant's +inhalation +inhalation's +inhalations +inhalator's +inhalators +inharmonious +inherently +inheritable +inheritance +inheritance's +inheritances +inheriting +inheritor's +inheritors +inhibiting +inhibition +inhibition's +inhibitions +inhibitor's +inhibitors +inhibitory +inhospitable +inhospitably +inhumanely +inhumanities +inhumanity +inhumanity's +inimically +inimitable +inimitably +iniquities +iniquitous +iniquitously +iniquity's +initialing +initialism +initialization +initialize +initialized +initializes +initializing +initiate's +initiating +initiation +initiation's +initiations +initiative +initiative's +initiatives +initiator's +initiators +initiatory +injection's +injections +injector's +injudicious +injudiciously +injudiciousness +injudiciousness's +injunction +injunction's +injunctions +injustice's +injustices +inkiness's +inkstand's +innateness +innateness's +innersole's +innersoles +innerspring +innervated +innervates +innervating +innervation +innervation's +innkeeper's +innkeepers +innocence's +innocently +Innocent's +innocent's +innocuously +innocuousness +innocuousness's +innovating +innovation +innovation's +innovations +innovative +innovator's +innovators +innovatory +innuendo's +innumerable +innumerably +innumeracy +innumeracy's +innumerate +inoculated +inoculates +inoculating +inoculation +inoculation's +inoculations +inoffensive +inoffensively +inoffensiveness +inoffensiveness's +inoperable +inoperative +inopportune +inopportunely +inordinate +inordinately +inorganically +inpatient's +inpatients +inquietude +inquietude's +inquirer's +inquiringly +Inquisition +inquisition +inquisitional +Inquisition's +inquisition's +inquisitions +inquisitive +inquisitively +inquisitiveness +inquisitiveness's +inquisitor +inquisitorial +inquisitor's +inquisitors +insalubrious +insanitary +insanity's +insatiability +insatiability's +insatiable +insatiably +inscriber's +inscribers +inscribing +inscription +inscription's +inscriptions +inscrutability +inscrutability's +inscrutable +inscrutableness +inscrutableness's +inscrutably +insecticidal +insecticide +insecticide's +insecticides +insectivore +insectivore's +insectivores +insectivorous +insecurely +insecurities +insecurity +insecurity's +inseminate +inseminated +inseminates +inseminating +insemination +insemination's +insensibility +insensibility's +insensible +insensibly +insensitive +insensitively +insensitivity +insensitivity's +insentience +insentience's +insentient +inseparability +inseparability's +inseparable +inseparable's +inseparables +inseparably +insertion's +insertions +insidiously +insidiousness +insidiousness's +insightful +insignia's +insignificance +insignificance's +insignificant +insignificantly +insincerely +insincerity +insincerity's +insinuated +insinuates +insinuating +insinuation +insinuation's +insinuations +insinuative +insinuator +insinuator's +insinuators +insipidity +insipidity's +insipidness +insistence +insistence's +insistently +insistingly +insobriety +insobriety's +insolence's +insolently +insolubility +insolubility's +insolvable +insolvencies +insolvency +insolvency's +insolvent's +insolvents +insomniac's +insomniacs +insomnia's +insouciance +insouciance's +insouciant +inspecting +inspection +inspection's +inspections +inspectorate +inspectorate's +inspectorates +inspector's +inspectors +inspiration +inspirational +inspiration's +inspirations +inspirited +inspiriting +instabilities +instability +instability's +Instagram's +installation +installation's +installations +installer's +installers +installing +installment +installment's +installments +Instamatic +Instamatic's +instance's +instancing +instantaneous +instantaneously +instantiate +instantiated +instantiates +instantiating +instigated +instigates +instigating +instigation +instigation's +instigator +instigator's +instigators +instillation +instillation's +instilling +instinctive +instinctively +instinct's +instinctual +instituted +instituter +instituter's +instituters +institute's +institutes +instituting +institution +institutional +institutionalization +institutionalization's +institutionalize +institutionalized +institutionalizes +institutionalizing +institutionally +institution's +institutions +instructed +instructing +instruction +instructional +instruction's +instructions +instructive +instructively +instructor +instructor's +instructors +instrument +instrumental +instrumentalist +instrumentalist's +instrumentalists +instrumentality +instrumentality's +instrumentally +instrumental's +instrumentals +instrumentation +instrumentation's +instrumented +instrumenting +instrument's +instruments +insubordinate +insubordination +insubordination's +insubstantial +insubstantially +insufferable +insufferably +insufficiency +insufficiency's +insufficient +insufficiently +insularity +insularity's +insulating +insulation +insulation's +insulator's +insulators +insultingly +insuperable +insuperably +insupportable +insurance's +insurances +insurgence +insurgence's +insurgences +insurgencies +insurgency +insurgency's +insurgent's +insurgents +insurmountable +insurmountably +insurrection +insurrectionist +insurrectionist's +insurrectionists +insurrection's +insurrections +insusceptible +intaglio's +intangibility +intangibility's +intangible +intangible's +intangibles +intangibly +integrally +integral's +integrated +integrates +integrating +integration +integration's +integrative +integrator +integrity's +integument +integument's +integuments +intellect's +intellects +intellectual +intellectualism +intellectualism's +intellectualize +intellectualized +intellectualizes +intellectualizing +intellectually +intellectual's +intellectuals +intelligence +intelligence's +intelligent +intelligently +intelligentsia +intelligentsia's +intelligibility +intelligibility's +intelligible +intelligibly +Intelsat's +intemperance +intemperance's +intemperate +intemperately +intended's +intensification +intensification's +intensified +intensifier +intensifier's +intensifiers +intensifies +intensifying +intensities +intensity's +intensively +intensiveness +intensiveness's +intensive's +intensives +intentional +intentionally +intention's +intentions +intentness +intentness's +interacted +interacting +interaction +interaction's +interactions +interactive +interactively +interactivity +interbreed +interbreeding +interbreeds +interceded +intercedes +interceding +intercepted +intercepting +interception +interception's +interceptions +interceptor +interceptor's +interceptors +intercept's +intercepts +intercession +intercession's +intercessions +intercessor +intercessor's +intercessors +intercessory +interchange +interchangeability +interchangeable +interchangeably +interchanged +interchange's +interchanges +interchanging +intercollegiate +intercommunicate +intercommunicated +intercommunicates +intercommunicating +intercommunication +intercommunication's +intercom's +interconnect +interconnected +interconnecting +interconnection +interconnection's +interconnections +interconnects +intercontinental +intercourse +intercourse's +intercultural +interdenominational +interdepartmental +interdependence +interdependence's +interdependent +interdependently +interdicted +interdicting +interdiction +interdiction's +interdict's +interdicts +interdisciplinary +interested +interesting +interestingly +interest's +interfaced +interface's +interfaces +interfacing +interfaith +interfered +interference +interference's +interferes +interfering +interferon +interferon's +interfiled +interfiles +interfiling +intergalactic +intergovernmental +interior's +interjected +interjecting +interjection +interjection's +interjections +interjects +interlaced +interlaces +interlacing +interlarded +interlarding +interlards +interleave +interleaved +interleaves +interleaving +interleukin +interleukin's +interlinear +interlined +interlines +interlining +interlining's +interlinings +interlinked +interlinking +interlinks +interlocked +interlocking +interlock's +interlocks +interlocutor +interlocutor's +interlocutors +interlocutory +interloped +interloper +interloper's +interlopers +interlopes +interloping +interluded +interlude's +interludes +interluding +intermarriage +intermarriage's +intermarriages +intermarried +intermarries +intermarry +intermarrying +intermediaries +intermediary +intermediary's +intermediate +intermediately +intermediate's +intermediates +interment's +interments +intermezzi +intermezzo +intermezzo's +intermezzos +interminable +interminably +intermingle +intermingled +intermingles +intermingling +intermission +intermission's +intermissions +intermittent +intermittently +intermixed +intermixes +intermixing +internalization +internalization's +internalize +internalized +internalizes +internalizing +internally +international +Internationale +Internationale's +internationalism +internationalism's +internationalist +internationalist's +internationalists +internationalization +internationalize +internationalized +internationalizes +internationalizing +internationally +international's +internationals +internecine +internee's +Internet's +internist's +internists +internment +internment's +internship +internship's +internships +interoffice +interpenetrate +interpenetrated +interpenetrates +interpenetrating +interpenetration +interpersonal +interplanetary +interplay's +interpolate +interpolated +interpolates +interpolating +interpolation +interpolation's +interpolations +Interpol's +interposed +interposes +interposing +interposition +interposition's +interpretation +interpretation's +interpretations +interpretative +interpreted +interpreter +interpreter's +interpreters +interpreting +interpretive +interprets +interracial +interregnum +interregnum's +interregnums +interrelate +interrelated +interrelates +interrelating +interrelation +interrelation's +interrelations +interrelationship +interrelationship's +interrelationships +interrogate +interrogated +interrogates +interrogating +interrogation +interrogation's +interrogations +interrogative +interrogatively +interrogative's +interrogatives +interrogator +interrogatories +interrogator's +interrogators +interrogatory +interrogatory's +interrupted +interrupter +interrupter's +interrupters +interrupting +interruption +interruption's +interruptions +interrupt's +interrupts +interscholastic +intersected +intersecting +intersection +intersection's +intersections +intersects +intersession +intersession's +intersessions +intersperse +interspersed +intersperses +interspersing +interspersion +interspersion's +interstate +interstate's +interstates +interstellar +interstice +interstice's +interstices +interstitial +intertwine +intertwined +intertwines +intertwining +interurban +interval's +intervened +intervenes +intervening +intervention +interventionism +interventionism's +interventionist +interventionist's +interventionists +intervention's +interventions +interviewed +interviewee +interviewee's +interviewees +interviewer +interviewer's +interviewers +interviewing +interview's +interviews +intervocalic +interweave +interweaves +interweaving +interwoven +intestacy's +intestinal +intestine's +intestines +intimacies +intimacy's +intimately +intimate's +intimating +intimation +intimation's +intimations +intimidate +intimidated +intimidates +intimidating +intimidatingly +intimidation +intimidation's +intolerable +intolerably +intolerance +intolerance's +intolerant +intolerantly +intonation +intonation's +intonations +intoxicant +intoxicant's +intoxicants +intoxicate +intoxicated +intoxicates +intoxicating +intoxication +intoxication's +intracranial +intractability +intractability's +intractable +intractably +intramural +intramuscular +intranet's +intransigence +intransigence's +intransigent +intransigently +intransigent's +intransigents +intransitive +intransitively +intransitive's +intransitives +intrastate +intrauterine +intravenous +intravenouses +intravenously +intravenous's +intrepidity +intrepidity's +intrepidly +intricacies +intricacy's +intricately +intriguer's +intriguers +intrigue's +intriguing +intriguingly +intrinsically +introduced +introduces +introducing +introduction +introduction's +introductions +introductory +introspect +introspected +introspecting +introspection +introspection's +introspective +introspectively +introspects +introversion +introversion's +introverted +introvert's +introverts +intruder's +intrusion's +intrusions +intrusively +intrusiveness +intrusiveness's +intuition's +intuitions +intuitively +intuitiveness +intuitiveness's +Inuktitut's +inundating +inundation +inundation's +inundations +invalidate +invalidated +invalidates +invalidating +invalidation +invalidation's +invaliding +invalidism +invalidism's +invalidity +invalidity's +invaluable +invaluably +invariability +invariability's +invariable +invariable's +invariables +invariably +invasion's +invective's +inveighing +inveigler's +inveiglers +inveigling +invention's +inventions +inventively +inventiveness +inventiveness's +inventoried +inventories +inventor's +inventorying +inventory's +inversion's +inversions +invertebrate +invertebrate's +invertebrates +inverter's +investigate +investigated +investigates +investigating +investigation +investigation's +investigations +investigative +investigator +investigator's +investigators +investigatory +investiture +investiture's +investitures +investment +investment's +investments +investor's +inveteracy +inveteracy's +inveterate +invidiously +invidiousness +invidiousness's +invigilate +invigilated +invigilates +invigilating +invigilation +invigilator +invigilators +invigorate +invigorated +invigorates +invigorating +invigoratingly +invigoration +invigoration's +invincibility +invincibility's +invincible +invincibly +inviolability +inviolability's +inviolable +inviolably +invisibility +invisibility's +invitation +invitational +invitational's +invitationals +invitation's +invitations +invitingly +invocation +invocation's +invocations +involuntarily +involuntariness +involuntariness's +involuntary +involution +involution's +involvement +involvement's +involvements +invulnerability +invulnerability's +invulnerable +invulnerably +ionization +ionization's +ionosphere +ionosphere's +ionospheres +ionospheric +Iphigenia's +irascibility +irascibility's +irateness's +iridescence +iridescence's +iridescent +iridescently +Irishman's +Irishmen's +Irishwoman +Irishwoman's +Irishwomen +Irishwomen's +irksomeness +irksomeness's +ironclad's +ironically +ironmonger +ironmongers +ironmongery +ironstone's +ironware's +ironwood's +ironwork's +Iroquoian's +Iroquoians +Iroquois's +irradiated +irradiates +irradiating +irradiation +irradiation's +irrational +irrationality +irrationality's +irrationally +irrational's +irrationals +Irrawaddy's +irreclaimable +irreconcilability +irreconcilability's +irreconcilable +irreconcilably +irrecoverable +irrecoverably +irredeemable +irredeemably +irreducible +irreducibly +irrefutable +irrefutably +irregardless +irregularities +irregularity +irregularity's +irregularly +irregular's +irregulars +irrelevance +irrelevance's +irrelevances +irrelevancies +irrelevancy +irrelevancy's +irrelevant +irrelevantly +irreligion +irreligious +irremediable +irremediably +irremovable +irreparable +irreparably +irreplaceable +irrepressible +irrepressibly +irreproachable +irreproachably +irresistible +irresistibly +irresolute +irresolutely +irresoluteness +irresoluteness's +irresolution +irresolution's +irrespective +irresponsibility +irresponsibility's +irresponsible +irresponsibly +irretrievable +irretrievably +irreverence +irreverence's +irreverent +irreverently +irreversible +irreversibly +irrevocable +irrevocably +irrigating +irrigation +irrigation's +irritability +irritability's +irritant's +irritating +irritatingly +irritation +irritation's +irritations +irruption's +irruptions +Isabella's +Isabelle's +Iscariot's +Isherwood's +isinglass's +Islamabad's +Islamism's +Islamist's +Islamophobia +Islamophobic +islander's +isolationism +isolationism's +isolationist +isolationist's +isolationists +isolation's +isomerism's +isometrically +isometrics +isometrics's +isomorphic +isotherm's +Israelite's +Issachar's +issuance's +Istanbul's +Italianate +italicization +italicization's +italicized +italicizes +italicizing +itchiness's +itemization +itemization's +iteration's +iterations +itinerant's +itinerants +itineraries +itinerary's +Izvestia's +jabberer's +jacaranda's +jacarandas +jackbooted +jackboot's +jackhammer +jackhammer's +jackhammers +jackknifed +jackknife's +jackknifes +jackknifing +jackknives +jackrabbit +jackrabbit's +jackrabbits +Jacksonian +Jacksonian's +Jacksonville +Jacksonville's +jackstraw's +jackstraws +Jacobean's +Jacobite's +Jacobson's +Jacquard's +jacquard's +Jacqueline +Jacqueline's +Jacquelyn's +jadedness's +jaggedness +jaggedness's +Jagiellon's +Jahangir's +jailbird's +jailbreak's +jailbreaks +jailhouses +jalapeno's +jalapeño's +jalousie's +Jamaican's +jambalaya's +jamboree's +Jamestown's +Janissary's +janitorial +Janjaweed's +Jansenist's +Japanese's +jardiniere +jardiniere's +jardinieres +jardinière +jardinière's +jardinières +Jarlsberg's +jaundice's +jaundicing +jauntiness +jauntiness's +Javanese's +JavaScript +JavaScript's +jawbreaker +jawbreaker's +jawbreakers +Jaxartes's +Jayapura's +Jayawardene +Jayawardene's +jaywalker's +jaywalkers +jaywalking +jaywalking's +jealousies +jealousy's +Jeanette's +Jeannette's +Jeannine's +Jefferey's +Jeffersonian +Jeffersonian's +Jefferson's +Jehoshaphat +Jehoshaphat's +jellybean's +jellybeans +jellyfishes +jellyfish's +jellyroll's +jellyrolls +Jennifer's +Jennings's +jeopardize +jeopardized +jeopardizes +jeopardizing +jeopardy's +Jephthah's +jeremiad's +Jeremiah's +jerkiness's +Jermaine's +Jeroboam's +jerrybuilt +Jerusalem's +jetliner's +jettisoned +jettisoning +jettison's +Jewishness +jihadist's +jimsonweed +jimsonweed's +jingoism's +jingoistic +jingoist's +jinrikisha +jinrikisha's +jinrikishas +jitterbugged +jitterbugger +jitterbugger's +jitterbugging +jitterbug's +jitterbugs +jitteriest +jobholder's +jobholders +joblessness +joblessness's +jobsworths +jockstrap's +jockstraps +jocoseness +jocoseness's +jocosity's +jocularity +jocularity's +jocundity's +jodhpurs's +Jogjakarta +Jogjakarta's +Johannesburg +Johannesburg's +Johannes's +Johnathan's +Johnathon's +johnnycake +johnnycake's +johnnycakes +Johnston's +jollification +jollification's +jollifications +jolliness's +Jonathan's +Jonathon's +Jordanian's +Jordanians +Josefina's +Josephine's +Josephson's +Josephus's +journalese +journalese's +journalism +journalism's +journalist +journalistic +journalist's +journalists +journeyer's +journeyers +journeying +journeyman +journeyman's +journeymen +jousting's +joviality's +joyfullest +joyfulness +joyfulness's +joylessness +joylessness's +joyousness +joyousness's +joyrider's +joyriding's +joystick's +jubilantly +jubilation +jubilation's +judgeship's +judgmental +judgmentally +judgment's +judicatories +judicatory +judicatory's +judicature +judicature's +judicially +judiciaries +judiciary's +judiciously +judiciousness +judiciousness's +Juggernaut +juggernaut +Juggernaut's +juggernaut's +juggernauts +jugglery's +juiciness's +Julianne's +Juliette's +Julliard's +jumpiness's +jumpsuit's +junction's +juncture's +Jungfrau's +junketeer's +junketeers +junkyard's +Jurassic's +juridically +jurisdiction +jurisdictional +jurisdiction's +jurisdictions +jurisprudence +jurisprudence's +jurywoman's +justifiable +justifiably +justification +justification's +justifications +justifying +Justinian's +justness's +juvenile's +juxtaposed +juxtaposes +juxtaposing +juxtaposition +juxtaposition's +juxtapositions +kaffeeklatch +kaffeeklatches +kaffeeklatch's +kaffeeklatsch +kaffeeklatsches +kaffeeklatsch's +Kafkaesque +Kafkaesque's +Kagoshima's +Kalahari's +Kalamazoo's +Kalashnikov +Kalashnikov's +kaleidoscope +kaleidoscope's +kaleidoscopes +kaleidoscopic +kaleidoscopically +Kalevala's +Kalgoorlie +Kalgoorlie's +Kamchatka's +Kamehameha +Kamehameha's +kamikaze's +Kampuchea's +Kanchenjunga +Kanchenjunga's +Kandahar's +Kandinsky's +kangaroo's +Kaohsiung's +Karaganda's +Karakorum's +Karamazov's +Karenina's +Kasparov's +Katharine's +Katherine's +Katheryn's +Kathiawar's +Kathleen's +Kathmandu's +Kathrine's +Katowice's +Kawabata's +Kawasaki's +kayaking's +Kazakhstan +Kazakhstan's +Kazantzakis +Kazantzakis's +keelhauled +keelhauling +keenness's +keepsake's +Keewatin's +Kemerovo's +Kendrick's +Kentuckian +Kentuckian's +Kentuckians +Kentucky's +Kenyatta's +kerchief's +Kerensky's +kerfuffles +kerosene's +Kettering's +kettledrum +kettledrum's +kettledrums +Kevorkian's +keybinding +keybindings +keyboarded +keyboarder +keyboarder's +keyboarders +keyboarding +keyboardist +keyboardist's +keyboardists +keyboard's +Keynesian's +keynoter's +keypunched +keypuncher +keypuncher's +keypunchers +keypunches +keypunching +keypunch's +keystone's +keystroke's +keystrokes +Khabarovsk +Khabarovsk's +Khachaturian +Khachaturian's +Khartoum's +Khoikhoi's +Khomeini's +Khrushchev +Khrushchev's +Khwarizmi's +kibitzer's +Kickapoo's +kickback's +kickball's +kickboxing +kickstand's +kickstands +kidnapper's +kidnappers +kidnapping +kidnapping's +kidnappings +kielbasa's +Kierkegaard +Kierkegaard's +Kilimanjaro +Kilimanjaro's +killdeer's +kilobyte's +kilocycle's +kilocycles +kilogram's +kilohertz's +kiloliter's +kiloliters +kilometer's +kilometers +kilowatt's +Kimberley's +Kimberly's +kindergarten +kindergarten's +kindergartens +kindergartner +kindergartner's +kindergartners +kindergärtner +kindergärtner's +kindergärtners +kindhearted +kindheartedly +kindheartedness +kindheartedness's +kindliness +kindliness's +kindling's +kindnesses +kindness's +kinematics +kinematics's +kinetically +kinetics's +kinfolks's +kingfisher +kingfisher's +kingfishers +kingmakers +kingship's +Kingston's +Kingstown's +kinkiness's +kinsfolk's +Kinshasa's +kinswoman's +Kirchhoff's +Kirchner's +Kirghistan +Kirghistan's +Kirghizia's +Kiribati's +Kirinyaga's +Kirkland's +Kirkpatrick +Kirkpatrick's +Kisangani's +Kishinev's +Kissinger's +kissograms +Kitakyushu +Kitakyushu's +Kitchener's +kitchenette +kitchenette's +kitchenettes +kitchenware +kitchenware's +kiwifruit's +kiwifruits +Klansman's +kleptocracy +kleptomania +kleptomaniac +kleptomaniac's +kleptomaniacs +kleptomania's +Klondike's +klutziness +klutziness's +knackering +knapsack's +kneecapped +kneecapping +Kngwarreye +Kngwarreye's +Knickerbocker +Knickerbocker's +knickerbockers +knickerbockers's +knickers's +knickknack +knickknack's +knickknacks +knighthood +knighthood's +knighthoods +knightliness +knightliness's +knitting's +knitwear's +knockabout +knockdown's +knockdowns +knockoff's +knockout's +knockwurst +knockwurst's +knockwursts +knothole's +knowledgeable +knowledgeably +knowledge's +Knoxville's +knuckleduster +knuckledusters +knucklehead +knucklehead's +knuckleheads +Kodachrome +Kodachrome's +Koestler's +Kohinoor's +kohlrabies +kohlrabi's +Kommunizma +Kommunizma's +kookaburra +kookaburra's +kookaburras +kookiness's +Kornberg's +Korzybski's +Kosciusko's +Krakatoa's +Krasnodar's +Krasnoyarsk +Krasnoyarsk's +Kremlinologist +Kremlinology +Krishnamurti +Krishnamurti's +Kristina's +Kristine's +Kristopher +Kristopher's +Kronecker's +Kropotkin's +Krugerrand +Krugerrand's +Kshatriya's +Kuibyshev's +Kulthumm's +Kuomintang +Kuomintang's +Kurdistan's +Kurosawa's +Kuznetsk's +kvetcher's +Kwakiutl's +Kyrgyzstan +Kyrgyzstan's +laboratories +laboratory +laboratory's +laboriously +laboriousness +laboriousness's +laborsaving +Labradorean +Labrador's +laburnum's +labyrinthine +labyrinth's +labyrinths +lacerating +laceration +laceration's +lacerations +lacewing's +lacework's +Lachesis's +lachrymose +lackadaisical +lackadaisically +lackluster +laconically +lacquering +lacrosse's +lactation's +laddishness +ladybird's +ladyfinger +ladyfinger's +ladyfingers +ladylove's +Ladyship's +ladyship's +laetrile's +Lafayette's +lagniappe's +lagniappes +Lagrange's +Lagrangian +Lagrangian's +lakefronts +Lakeisha's +lamaseries +lamasery's +lambasting +lambency's +Lamborghini +Lamborghini's +Lambrusco's +lambskin's +lamebrained +lamebrain's +lamebrains +lameness's +lamentable +lamentably +lamentation +Lamentations +lamentation's +lamentations +laminate's +laminating +lamination +lamination's +lampblack's +lamplighter +lamplighter's +lamplighters +lamplight's +lampooning +lamppost's +lampshade's +lampshades +Lancashire +Lancashire's +Lancaster's +Lancelot's +landfall's +landfill's +landholder +landholder's +landholders +landholding +landholding's +landholdings +landladies +landlady's +landless's +landline's +landlocked +landlord's +landlubber +landlubber's +landlubbers +landmark's +landmasses +landmass's +landowner's +landowners +landownership +landowning +landowning's +landownings +landscaped +landscaper +landscaper's +landscapers +landscape's +landscapes +landscaping +landslide's +landslides +landsliding +landsman's +Landsteiner +Landsteiner's +Langerhans +Langerhans's +Langland's +Langmuir's +language's +languidness +languidness's +languished +languishes +languishing +languorous +languorously +lankiness's +lankness's +lanthanum's +laparoscopic +laparoscopy +laparotomy +lapboard's +lapidaries +lapidary's +larboard's +larcenist's +larcenists +largehearted +largeness's +larkspur's +Larousse's +laryngitis +laryngitis's +lascivious +lasciviously +lasciviousness +lasciviousness's +lassitude's +latchkey's +latecomer's +latecomers +lateness's +lateraling +latitude's +latitudinal +latitudinarian +latitudinarian's +latitudinarians +latticework +latticework's +latticeworks +laudanum's +laughingly +laughing's +laughingstock +laughingstock's +laughingstocks +laughter's +launcher's +launchpad's +launchpads +launderer's +launderers +launderette +launderette's +launderettes +laundering +laundresses +laundress's +Laundromat +laundromat +Laundromat's +laundromat's +laundromats +laundryman +laundryman's +laundrymen +laundrywoman +laundrywoman's +laundrywomen +Laurasia's +laureate's +laureateship +laureateship's +Laurence's +lavaliere's +lavalieres +lavatorial +lavatories +lavatory's +lavender's +lavishness +lavishness's +Lavoisier's +lawbreaker +lawbreaker's +lawbreakers +lawbreaking +lawbreaking's +lawfulness +lawfulness's +lawgiver's +lawlessness +lawlessness's +lawmaker's +lawmaking's +lawnmower's +lawnmowers +Lawrence's +lawrencium +lawrencium's +laxative's +layering's +layperson's +laypersons +laywoman's +laziness's +lazybones's +Leadbelly's +leaderless +leadership +leadership's +leaderships +leafleting +leafstalk's +leafstalks +leakiness's +leanness's +leapfrogged +leapfrogging +leapfrog's +learning's +leaseback's +leasebacks +leaseholder +leaseholder's +leaseholders +leasehold's +leaseholds +leatherette +leatherette's +leatherneck +leatherneck's +leathernecks +leavening's +Leavenworth +Leavenworth's +leavings's +Lebanese's +Lebesgue's +lecherously +lecherousness +lecherousness's +lecithin's +lecturer's +lectureship +lectureship's +lectureships +Lederberg's +leeriness's +Leeuwenhoek +Leeuwenhoek's +leftover's +legalese's +legalism's +legalistic +legalistically +legalities +legality's +legalization +legalization's +legalizing +legation's +legendarily +Legendre's +legerdemain +legerdemain's +legginess's +legibility +legibility's +legionaries +legionary's +legionnaire +legionnaire's +legionnaires +legislated +legislates +legislating +legislation +legislation's +legislative +legislatively +legislator +legislator's +legislators +legislature +legislature's +legislatures +legitimacy +legitimacy's +legitimate +legitimated +legitimately +legitimates +legitimating +legitimatize +legitimatized +legitimatizes +legitimatizing +legitimization +legitimization's +legitimize +legitimized +legitimizes +legitimizing +leguminous +legwarmers +Leicester's +Leicesters +leisureliness +leisureliness's +leisurewear +leisurewear's +leitmotif's +leitmotifs +leitmotiv's +leitmotivs +Lemaitre's +lemonade's +lemongrass +lengthened +lengthening +lengthiest +lengthiness +lengthiness's +lengthwise +lenience's +leniency's +Leningrad's +Leninism's +Leninist's +Leonardo's +Leoncavallo +Leoncavallo's +Leonidas's +leopardess +leopardesses +leopardess's +Leopoldo's +leprechaun +leprechaun's +leprechauns +lesbianism +lesbianism's +Lestrade's +lethargically +lethargy's +letterbomb +letterbombs +letterboxes +letterer's +letterhead +letterhead's +letterheads +lettering's +Letterman's +letterpress +letterpress's +leucotomies +leukemia's +leukemic's +leukocyte's +leukocytes +levelheaded +levelheadedness +levelheadedness's +levelness's +leverage's +leveraging +Levesque's +Leviathan's +leviathan's +leviathans +levitating +levitation +levitation's +Leviticus's +lewdness's +Lewinsky's +lexicographer +lexicographer's +lexicographers +lexicographic +lexicographical +lexicography +lexicography's +Lexington's +liabilities +liability's +libation's +Liberace's +liberalism +liberalism's +liberality +liberality's +liberalization +liberalization's +liberalizations +liberalize +liberalized +liberalizes +liberalizing +liberalness +liberalness's +liberating +liberation +liberation's +liberator's +liberators +Liberian's +libertarian +libertarian's +libertarians +libertine's +libertines +libidinous +librarian's +librarians +librarianship +LibreOffice +LibreOffice's +librettist +librettist's +librettists +libretto's +Libreville +Libreville's +licensee's +licentiate +licentiate's +licentiates +licentious +licentiously +licentiousness +licentiousness's +Lichtenstein +Lichtenstein's +licorice's +Lieberman's +Liebfraumilch +Liebfraumilch's +Liechtenstein +Liechtensteiner +Liechtensteiner's +Liechtensteiners +Liechtenstein's +lieutenancy +lieutenancy's +lieutenant +lieutenant's +lieutenants +lifeblood's +lifeboat's +lifebuoy's +lifeguard's +lifeguards +lifelessly +lifelessness +lifelessness's +lifeline's +lifesaver's +lifesavers +lifesaving +lifesaving's +lifestyle's +lifestyles +lifetime's +lifework's +ligament's +ligation's +ligature's +ligaturing +lightener's +lighteners +lightening +lightfaced +lightface's +lightheaded +lighthearted +lightheartedly +lightheartedness +lightheartedness's +lighthouse +lighthouse's +lighthouses +lighting's +lightness's +lightninged +lightning's +lightnings +lightproof +lightship's +lightships +lightweight +lightweight's +lightweights +likability +likability's +likableness +likableness's +likelihood +likelihood's +likelihoods +likeliness +likeliness's +likenesses +likeness's +Liliuokalani +Liliuokalani's +Lilliputian +lilliputian +Lilliputian's +Lilliputians +Lilliput's +Lilongwe's +Limbaugh's +limberness +limberness's +Limburger's +limelight's +limerick's +limestone's +limitation +limitation's +limitations +limitlessness +limitlessness's +limousine's +limousines +Limousin's +limpidity's +limpidness +limpidness's +limpness's +linchpin's +Lindbergh's +lineament's +lineaments +linearity's +linebacker +linebacker's +linebackers +linesman's +lingerer's +lingerie's +lingeringly +lingerings +linguine's +linguistic +linguistically +linguistics +linguistics's +linguist's +liniment's +Linnaeus's +linoleum's +Linotype's +lionhearted +lionization +lionization's +Lipizzaner +Lipizzaner's +liposuction +liposuction's +Lippmann's +lipreader's +lipreading +lipreading's +Lipscomb's +lipsticked +lipsticking +lipstick's +liquefaction +liquefaction's +liquefying +liquidated +liquidates +liquidating +liquidation +liquidation's +liquidations +liquidator +liquidator's +liquidators +liquidity's +liquidized +liquidizer +liquidizer's +liquidizers +liquidizes +liquidizing +Lissajous's +listenable +listener's +Listerine's +listlessly +listlessness +listlessness's +literacy's +literalness +literalness's +literariness +literariness's +literately +literate's +literati's +literature +literature's +litheness's +lithograph +lithographed +lithographer +lithographer's +lithographers +lithographic +lithographically +lithographing +lithograph's +lithographs +lithography +lithography's +lithosphere +lithosphere's +lithospheres +Lithuanian +Lithuanian's +Lithuanians +Lithuania's +litigant's +litigating +litigation +litigation's +litigator's +litigators +litigiousness +litigiousness's +litterateur +litterateur's +litterateurs +litterbug's +litterbugs +litterer's +littleness +littleness's +littoral's +littérateur +littérateur's +littérateurs +liturgical +liturgically +liturgist's +liturgists +livability +livability's +livelihood +livelihood's +livelihoods +liveliness +liveliness's +Liverpool's +Liverpudlian +Liverpudlian's +Liverpudlians +liverwort's +liverworts +liverwurst +liverwurst's +liveryman's +livestock's +Livingston +Livingstone +Livingstone's +Livingston's +Ljubljana's +Llewellyn's +loansharking +loansharking's +loanword's +loathing's +loathsomely +loathsomeness +loathsomeness's +Lobachevsky +Lobachevsky's +lobbyist's +lobotomies +lobotomize +lobotomized +lobotomizes +lobotomizing +lobotomy's +localities +locality's +localization +localization's +localizing +location's +locavore's +Lochinvar's +Lockheed's +locksmith's +locksmiths +lockstep's +Lockwood's +locomotion +locomotion's +locomotive +locomotive's +locomotives +locoweed's +locution's +lodestar's +lodestone's +lodestones +lodgings's +loftiness's +loganberries +loganberry +loganberry's +logarithmic +logarithm's +logarithms +loggerhead +loggerhead's +loggerheads +logicality +logicality's +logician's +logistical +logistically +logistics's +logotype's +logrolling +logrolling's +Lohengrin's +loincloth's +loincloths +loiterer's +loitering's +lollipop's +Lollobrigida +Lollobrigida's +lollygagged +lollygagging +Lombardi's +Lombardy's +Londoner's +loneliness +loneliness's +lonesomely +lonesomeness +lonesomeness's +longboat's +longevity's +Longfellow +Longfellow's +longhair's +longhand's +longhorn's +longhouses +longitude's +longitudes +longitudinal +longitudinally +longshoreman +longshoreman's +longshoremen +longsighted +longstanding +Longstreet +Longstreet's +longueur's +lookalike's +lookalikes +loophole's +looseness's +lopsidedly +lopsidedness +lopsidedness's +loquacious +loquaciously +loquaciousness +loquaciousness's +loquacity's +lordliness +lordliness's +Lordship's +lordship's +lorgnette's +lorgnettes +Lorraine's +Lothario's +loudhailer +loudhailer's +loudhailers +loudmouthed +loudmouth's +loudmouths +loudness's +loudspeaker +loudspeaker's +loudspeakers +Louisianan +Louisianan's +Louisianans +Louisiana's +Louisianian +Louisianian's +Louisianians +Louisville +Louisville's +lousiness's +loutishness +L'Ouverture +L'Ouverture's +lovableness +lovableness's +lovebird's +lovechild's +Lovecraft's +Lovelace's +loveliness +loveliness's +lovemaking +lovemaking's +Lowenbrau's +lowercase's +lowlander's +lowlanders +lowliness's +loyalism's +loyalist's +Lubavitcher +Lubavitcher's +lubricant's +lubricants +lubricated +lubricates +lubricating +lubrication +lubrication's +lubricator +lubricator's +lubricators +lubricious +lubriciously +lubricity's +Lubumbashi +Lubumbashi's +lucidity's +lucidness's +luckiness's +lucratively +lucrativeness +lucrativeness's +Lucretia's +Lucretius's +lucubrated +lucubrates +lucubrating +lucubration +lucubration's +Ludhiana's +ludicrously +ludicrousness +ludicrousness's +Lufthansa's +Luftwaffe's +lugubrious +lugubriously +lugubriousness +lugubriousness's +lukewarmly +lukewarmness +lukewarmness's +lumberer's +lumbering's +lumberjack +lumberjack's +lumberjacks +lumberman's +lumberyard +lumberyard's +lumberyards +luminaries +luminary's +luminescence +luminescence's +luminescent +luminosity +luminosity's +luminously +lumpectomies +lumpectomy +lumpiness's +lunchboxes +luncheonette +luncheonette's +luncheonettes +luncheon's +lunchroom's +lunchrooms +lunchtime's +lunchtimes +lungfishes +lungfish's +lunkhead's +Lupercalia +Lupercalia's +luridness's +lusciously +lusciousness +lusciousness's +lushness's +Lusitania's +lusterless +lustiness's +lustrously +lutanist's +lutenist's +lutetium's +Lutheranism +Lutheranism's +Lutheranisms +Lutheran's +Luxembourg +Luxembourger +Luxembourger's +Luxembourgers +Luxembourgian +Luxembourg's +luxuriance +luxuriance's +luxuriantly +luxuriated +luxuriates +luxuriating +luxuriation +luxuriation's +luxuriously +luxuriousness +luxuriousness's +Lycurgus's +lymphatic's +lymphatics +lymphocyte +lymphocyte's +lymphocytes +lymphoma's +lynching's +Lynnette's +lyrebird's +lyricism's +lyricist's +Lysistrata +Lysistrata's +macadamia's +macadamias +macadamize +macadamized +macadamizes +macadamizing +macaroni's +macaroon's +MacArthur's +Macaulay's +MacBride's +Maccabeus's +MacDonald's +Macedonian +Macedonian's +Macedonians +Macedonia's +macerating +maceration +maceration's +Machiavelli +Machiavellian +Machiavellian's +Machiavelli's +machinable +machinated +machinates +machinating +machination +machination's +machinations +machinery's +machinist's +machinists +machismo's +Macintosh's +Mackenzie's +mackerel's +Mackinac's +Mackinaw's +mackinaw's +mackintosh +mackintoshes +mackintosh's +MacLeish's +Macmillan's +macrobiotic +macrobiotics +macrobiotics's +macrocosm's +macrocosms +macroeconomic +macroeconomics +macroeconomics's +macrologies +macrophages +macroscopic +Madagascan +Madagascan's +Madagascans +Madagascar +Madagascar's +maddeningly +Madeleine's +Madeline's +mademoiselle +mademoiselle's +mademoiselles +madhouse's +madrasah's +madrassa's +madrigal's +madwoman's +maelstrom's +maelstroms +Maeterlinck +Maeterlinck's +magazine's +Magdalena's +Magdalene's +Magellanic +Magellanic's +Magellan's +magician's +magisterial +magisterially +magistracy +magistracy's +magistrate +magistrate's +magistrates +magnanimity +magnanimity's +magnanimous +magnanimously +magnesia's +magnesium's +magnetically +magnetism's +magnetite's +magnetizable +magnetization +magnetization's +magnetized +magnetizes +magnetizing +magnetometer +magnetometer's +magnetometers +magnetosphere +Magnificat +magnification +magnification's +magnifications +magnificence +magnificence's +magnificent +magnificently +magnifier's +magnifiers +magnifying +magniloquence +magniloquence's +magniloquent +Magnitogorsk +Magnitogorsk's +magnitude's +magnitudes +magnolia's +Magritte's +Magsaysay's +Mahabharata +Mahabharata's +maharajah's +maharajahs +maharani's +Maharashtra +Maharashtra's +maharishi's +maharishis +Mahavira's +Mahayana's +Mahayanist +Mahayanist's +mahoganies +mahogany's +Maidenform +Maidenform's +maidenhair +maidenhair's +maidenhead +maidenhead's +maidenheads +maidenhood +maidenhood's +maidservant +maidservant's +maidservants +mailbombed +mailbombing +Maimonides +Maimonides's +mainframe's +mainframes +mainland's +mainline's +mainlining +mainmast's +mainsail's +mainspring +mainspring's +mainsprings +mainstay's +mainstream +mainstreamed +mainstreaming +mainstream's +mainstreams +maintainability +maintainable +maintained +maintainer +maintainers +maintaining +maintenance +maintenance's +maisonette +maisonette's +maisonettes +Maitreya's +majestically +majolica's +majordomo's +majordomos +majorette's +majorettes +majoritarian +majoritarianism +majoritarian's +majoritarians +majorities +majority's +Makarios's +makeover's +makeshift's +makeshifts +makeweight +makeweights +malachite's +maladjusted +maladjustment +maladjustment's +maladministration +maladroitly +maladroitness +maladroitness's +Malagasy's +malamute's +malapropism +malapropism's +malapropisms +Malaprop's +malarkey's +malathion's +Malawian's +Malayalam's +Malaysian's +Malaysians +Malaysia's +malcontent +malcontent's +malcontents +Maldives's +Maldivian's +Maldivians +Maldonado's +malediction +malediction's +maledictions +malefaction +malefaction's +malefactor +malefactor's +malefactors +maleficence +maleficence's +maleficent +maleness's +malevolence +malevolence's +malevolent +malevolently +malfeasance +malfeasance's +malformation +malformation's +malformations +malfunction +malfunctioned +malfunctioning +malfunction's +malfunctions +maliciously +maliciousness +maliciousness's +malignancies +malignancy +malignancy's +malignantly +malignity's +malingered +malingerer +malingerer's +malingerers +malingering +Malinowski +Malinowski's +Mallarme's +Mallarmé's +malleability +malleability's +Mallomars's +malnourished +malnutrition +malnutrition's +malocclusion +malocclusion's +malodorous +Malplaquet +Malplaquet's +malpractice +malpractice's +malpractices +Malthusian +Malthusian's +Malthusians +maltreated +maltreating +maltreatment +maltreatment's +Mameluke's +mammalian's +mammalians +mammogram's +mammograms +mammography +mammography's +manageability +manageability's +manageable +management +management's +managements +manageress +manageresses +managerial +Manasseh's +Manchester +Manchester's +Manchurian +Manchurian's +Manchuria's +Mancunian's +Mancunians +Mandalay's +mandamuses +mandamus's +Mandarin's +mandarin's +Mandelbrot +Mandelbrot's +mandible's +mandibular +Mandingo's +mandolin's +mandrake's +Mandrell's +mandrill's +maneuverability +maneuverability's +maneuverable +maneuvered +maneuvering +maneuverings +maneuver's +manganese's +mangetouts +manginess's +mangrove's +manhandled +manhandles +manhandling +Manhattan's +Manhattans +maniacally +Manichean's +manicure's +manicuring +manicurist +manicurist's +manicurists +manifestation +manifestation's +manifestations +manifested +manifesting +manifestly +manifesto's +manifestos +manifest's +manifolded +manifolding +manifold's +manipulable +manipulate +manipulated +manipulates +manipulating +manipulation +manipulation's +manipulations +manipulative +manipulatively +manipulator +manipulator's +manipulators +Manitoba's +Manitoulin +Manitoulin's +manliness's +mannequin's +mannequins +mannerism's +mannerisms +Mannheim's +mannishness +mannishness's +manometer's +manometers +manpower's +manservant +manservant's +Mansfield's +manslaughter +manslaughter's +Mantegna's +mantelpiece +mantelpiece's +mantelpieces +mantelshelf +mantelshelves +mantilla's +mantissa's +manufacture +manufactured +manufacturer +manufacturer's +manufacturers +manufacture's +manufactures +manufacturing +manufacturing's +manumission +manumission's +manumissions +manumitted +manumitting +manuscript +manuscript's +manuscripts +mapmaker's +Mapplethorpe +Mapplethorpe's +marabout's +Maracaibo's +maraschino +maraschino's +maraschinos +marathoner +marathoner's +marathoners +Marathon's +marathon's +marauder's +marbleized +marbleizes +marbleizing +marbling's +Marcelino's +Marcella's +marchioness +marchionesses +marchioness's +Marciano's +Margaret's +margarine's +Margarita's +margarita's +margaritas +Margarito's +marginalia +marginalia's +marginalization +marginalization's +marginalize +marginalized +marginalizes +marginalizing +marginally +Margrethe's +Marguerite +Marguerite's +mariachi's +Marianas's +Marianne's +Maricela's +Marietta's +marigold's +marijuana's +marinade's +marinading +marinara's +marinating +marination +marination's +marionette +marionette's +marionettes +Maritain's +marjoram's +Marjorie's +markdown's +marketability +marketability's +marketable +marketeer's +marketeers +marketer's +marketing's +marketplace +marketplace's +marketplaces +marksman's +marksmanship +marksmanship's +Marlboro's +Marlborough +Marlborough's +marlinespike +marlinespike's +marlinespikes +marmalade's +marmoset's +Maronite's +Marquesas's +marquesses +marquess's +marquetry's +Marquette's +marquise's +marquisette +marquisette's +Marquita's +Marrakesh's +marriageability +marriageability's +marriageable +marriage's +Marriott's +Marseillaise +Marseillaise's +Marseillaises +Marseilles +Marseilles's +marshaling +Marshall's +marshland's +marshlands +marshmallow +marshmallow's +marshmallows +marsupial's +marsupials +martensite +martinet's +Martinez's +martingale +martingale's +martingales +Martinique +Martinique's +martyrdom's +marvelously +Maryanne's +Maryellen's +Marylander +Marylander's +Maryland's +marzipan's +Mascagni's +mascaraing +masculine's +masculines +masculinity +masculinity's +Masefield's +Maserati's +masochism's +masochistic +masochistically +masochist's +masochists +Masonite's +masquerade +masqueraded +masquerader +masquerader's +masqueraders +masquerade's +masquerades +masquerading +Massachusetts +Massachusetts's +massacre's +massacring +Massasoit's +Massenet's +masseuse's +massiveness +massiveness's +mastectomies +mastectomy +mastectomy's +MasterCard +MasterCard's +masterclass +masterclasses +masterfully +mastermind +masterminded +masterminding +mastermind's +masterminds +masterpiece +masterpiece's +masterpieces +masterstroke +masterstroke's +masterstrokes +masterwork +masterwork's +masterworks +masthead's +masticated +masticates +masticating +mastication +mastication's +mastodon's +masturbate +masturbated +masturbates +masturbating +masturbation +masturbation's +masturbatory +matchbook's +matchbooks +matchboxes +matchbox's +matchlock's +matchlocks +matchmaker +matchmaker's +matchmakers +matchmaking +matchmaking's +matchstick +matchstick's +matchsticks +matchwood's +materialism +materialism's +materialist +materialistic +materialistically +materialist's +materialists +materialization +materialization's +materialize +materialized +materializes +materializing +materially +material's +materiel's +maternally +maternity's +mathematical +mathematically +mathematician +mathematician's +mathematicians +mathematics +mathematics's +Mathewson's +matriarchal +matriarchies +matriarch's +matriarchs +matriarchy +matriarchy's +matricidal +matricide's +matricides +matriculate +matriculated +matriculates +matriculating +matriculation +matriculation's +matériel's +matrimonial +matrimony's +Matterhorn +Matterhorn's +Matthews's +Matthias's +mattresses +mattress's +maturating +maturation +maturation's +maturities +maturity's +maundering +Maupassant +Maupassant's +Mauricio's +Mauritania +Mauritanian +Mauritanian's +Mauritanians +Mauritania's +Mauritian's +Mauritians +Mauritius's +mausoleum's +mausoleums +maverick's +mawkishness +mawkishness's +Maximilian +Maximilian's +maximization +maximization's +maximizing +Mayflower's +mayflower's +mayflowers +mayonnaise +mayonnaise's +mayoralty's +mayoresses +mayoress's +Mazatlan's +McCarthyism +McCarthyism's +McCarthy's +McCartney's +McClellan's +McConnell's +McCormick's +McCullough +McCullough's +McDaniel's +McDonald's +McDonnell's +McDowell's +McFadden's +McFarland's +McGovern's +McGuffey's +McIntosh's +McIntyre's +McKenzie's +McKinley's +McKinney's +McKnight's +McLaughlin +McLaughlin's +McMillan's +McNamara's +McNaughton +McNaughton's +McPherson's +meadowlark +meadowlark's +meadowlarks +meagerness +meagerness's +mealiness's +mealtime's +mealybug's +mealymouthed +meandering +meanderings +meanderings's +meaningful +meaningfully +meaningfulness +meaningfulness's +meaningless +meaninglessly +meaninglessness +meaninglessness's +meanness's +meantime's +meanwhile's +measurable +measurably +measureless +measurement +measurement's +measurements +meatball's +meathead's +meatiness's +meatloaf's +meatloaves +meatpacking +meatpacking's +mechanical +mechanically +mechanic's +mechanics's +mechanism's +mechanisms +mechanistic +mechanistically +mechanization +mechanization's +mechanized +mechanizes +mechanizing +medalist's +medallion's +medallions +meddlesome +Medellin's +mediation's +mediator's +Medicaid's +medicaid's +medicament +medicament's +Medicare's +medicare's +medicating +medication +medication's +medications +medicinally +medicine's +medievalist +medievalist's +medievalists +mediocrities +mediocrity +mediocrity's +meditating +meditation +meditation's +meditations +meditative +meditatively +Mediterranean +Mediterranean's +Mediterraneans +meekness's +meerschaum +meerschaum's +meerschaums +meetinghouse +meetinghouse's +meetinghouses +megabucks's +megabyte's +megachurch +megachurches +megachurch's +megacycle's +megacycles +megadeath's +megadeaths +megahertz's +megalithic +megalith's +megalomania +megalomaniac +megalomaniac's +megalomaniacs +megalomania's +megalopolis +megalopolises +megalopolis's +megaphoned +megaphone's +megaphones +megaphoning +megapixel's +megapixels +megawatt's +melamine's +melancholia +melancholia's +melancholic +melancholics +melancholy +melancholy's +Melanesian +Melanesian's +Melanesia's +melanoma's +Melbourne's +Melchior's +Melchizedek +Melchizedek's +Melendez's +meliorated +meliorates +meliorating +melioration +melioration's +meliorative +Melisande's +mellifluous +mellifluously +mellifluousness +mellifluousness's +mellowness +mellowness's +melodically +melodiously +melodiousness +melodiousness's +melodrama's +melodramas +melodramatic +melodramatically +melodramatics +melodramatics's +Melpomene's +meltdown's +Melville's +membership +membership's +memberships +membrane's +membranous +memorabilia +memorabilia's +memorability +memorability's +memorandum +memorandum's +memorandums +memorialize +memorialized +memorializes +memorializing +memorial's +memorization +memorization's +memorizing +menacingly +menagerie's +menageries +Menander's +mendacious +mendaciously +mendacity's +Mendeleev's +mendelevium +mendelevium's +Mendelian's +Mendelssohn +Mendelssohn's +mendicancy +mendicancy's +mendicant's +mendicants +Mendocino's +Menelaus's +menfolks's +menhaden's +meningitis +meningitis's +meniscus's +Menkalinan +Menkalinan's +Mennonite's +Mennonites +Menominee's +menopausal +menopause's +menservants +menstruate +menstruated +menstruates +menstruating +menstruation +menstruation's +mensurable +mensuration +mensuration's +menswear's +mentalist's +mentalists +mentalities +mentality's +mentholated +Mentholatum +Mentholatum's +mentioning +Mephistopheles +Mephistopheles's +mercantile +mercantilism +mercantilism's +Mercator's +Mercedes's +mercenaries +mercenary's +mercerized +mercerizes +mercerizing +merchandise +merchandised +merchandiser +merchandiser's +merchandisers +merchandise's +merchandises +merchandising +merchandising's +merchantable +merchantman +merchantman's +merchantmen +merchant's +mercifully +mercilessly +mercilessness +mercilessness's +mercurially +Mercurochrome +Mercurochrome's +Meredith's +meretricious +meretriciously +meretriciousness +meretriciousness's +merganser's +mergansers +meridian's +meringue's +meritocracies +meritocracy +meritocracy's +meritocratic +meritorious +meritoriously +meritoriousness +meritoriousness's +Merovingian +Merovingian's +Merrimack's +merriment's +merriness's +merrymaker +merrymaker's +merrymakers +merrymaking +merrymaking's +Merthiolate +Merthiolate's +mescaline's +mesdemoiselles +mesmerism's +mesmerized +mesmerizer +mesmerizer's +mesmerizers +mesmerizes +mesmerizing +Mesolithic +Mesolithic's +mesomorph's +mesomorphs +Mesopotamia +Mesopotamian +Mesopotamia's +mesosphere +mesosphere's +mesospheres +Mesozoic's +mesquite's +messeigneurs +messenger's +messengers +Messerschmidt +Messerschmidt's +Messiaen's +messiness's +messmate's +metabolically +metabolism +metabolism's +metabolisms +metabolite +metabolite's +metabolites +metabolize +metabolized +metabolizes +metabolizing +metacarpal +metacarpal's +metacarpals +metacarpus +metacarpus's +metalanguage +metalanguage's +metalanguages +Metallica's +metallurgic +metallurgical +metallurgist +metallurgist's +metallurgists +metallurgy +metallurgy's +metalworker +metalworker's +metalworkers +metalworking +metalworking's +metalwork's +metamorphic +metamorphism +metamorphism's +metamorphose +metamorphosed +metamorphoses +metamorphosing +metamorphosis +metamorphosis's +Metamucil's +metaphoric +metaphorical +metaphorically +metaphor's +metaphysical +metaphysically +metaphysics +metaphysics's +metastases +metastasis +metastasis's +metastasize +metastasized +metastasizes +metastasizing +metastatic +metatarsal +metatarsal's +metatarsals +metatarsus +metatarsus's +metatheses +metathesis +metathesis's +metempsychoses +metempsychosis +metempsychosis's +meteorically +meteorite's +meteorites +meteoroid's +meteoroids +meteorologic +meteorological +meteorologist +meteorologist's +meteorologists +meteorology +meteorology's +methadone's +methamphetamine +methamphetamine's +methanol's +methodical +methodically +methodicalness +methodicalness's +Methodism's +Methodisms +Methodist's +Methodists +methodological +methodologically +methodologies +methodology +methodology's +methotrexate +Methuselah +Methuselah's +meticulous +meticulously +meticulousness +meticulousness's +metrically +metricated +metricates +metricating +metrication +metrication's +metricized +metricizes +metricizing +metronome's +metronomes +metropolis +metropolises +metropolis's +metropolitan +Metternich +Metternich's +mettlesome +Mexicali's +Meyerbeer's +mezzanine's +mezzanines +Miaplacidus +Miaplacidus's +Micawber's +Michaelmas +Michaelmases +Michaelmas's +Michelangelo +Michelangelo's +Michelin's +Michelle's +Michelob's +Michelson's +Michigander +Michigander's +Michiganders +Michiganite +Michigan's +microaggression +microaggression's +microaggressions +microbiological +microbiologist +microbiologist's +microbiologists +microbiology +microbiology's +microbreweries +microbrewery +microbrewery's +microchip's +microchips +microcircuit +microcircuit's +microcircuits +microcomputer +microcomputer's +microcomputers +microcosmic +microcosm's +microcosms +microdot's +microeconomics +microeconomics's +microelectronic +microelectronics +microelectronics's +microfiber +microfiber's +microfibers +microfiche +microfiche's +microfilmed +microfilming +microfilm's +microfilms +microfloppies +microgroove +microgroove's +microgrooves +microlight +microlight's +microlights +microloan's +microloans +micromanage +micromanaged +micromanagement +micromanagement's +micromanages +micromanaging +micrometeorite +micrometeorite's +micrometeorites +micrometer +micrometer's +micrometers +Micronesia +Micronesian +Micronesian's +Micronesia's +microorganism +microorganism's +microorganisms +microphone +microphone's +microphones +microprocessor +microprocessor's +microprocessors +microscope +microscope's +microscopes +microscopic +microscopical +microscopically +microscopy +microscopy's +microsecond +microsecond's +microseconds +Microsoft's +microsurgery +microsurgery's +microwavable +microwaveable +microwaved +microwave's +microwaves +microwaving +middlebrow +middlebrow's +middlebrows +middleman's +middlemost +Middleton's +middleweight +middleweight's +middleweights +Mideastern +midfielder +midfielders +midnight's +midpoint's +midsection +midsection's +midsections +midshipman +midshipman's +midshipmen +midstream's +midsummer's +Midwestern +Midwesterner +Midwestern's +midwiferies +midwifery's +midwinter's +mightiness +mightiness's +mignonette +mignonette's +mignonettes +migraine's +migration's +migrations +Milagros's +mildness's +milepost's +milestone's +milestones +militancy's +militantly +militant's +militarily +militarism +militarism's +militarist +militaristic +militarist's +militarists +militarization +militarization's +militarize +militarized +militarizes +militarizing +military's +militating +militiaman +militiaman's +militiamen +milkiness's +milkmaid's +milkshake's +milkshakes +milkweed's +millennial +millennial's +millennium +millennium's +millenniums +milliard's +millibar's +Millicent's +milligram's +milligrams +Millikan's +milliliter +milliliter's +milliliters +millimeter +millimeter's +millimeters +milliner's +millinery's +millionaire +millionaire's +millionaires +millionairess +millionairesses +millionth's +millionths +millipede's +millipedes +millisecond +millisecond's +milliseconds +millpond's +millrace's +millstone's +millstones +millstream +millstream's +millstreams +millwright +millwright's +millwrights +milometers +Milosevic's +Milquetoast +milquetoast +Milquetoast's +milquetoast's +milquetoasts +Miltiades's +Miltonic's +Milwaukee's +mimeograph +mimeographed +mimeographing +mimeograph's +mimeographs +mimicker's +Minamoto's +mincemeat's +Mindanao's +mindbogglingly +mindedness +mindfulness +mindfulness's +mindlessly +mindlessness +mindlessness's +minefield's +minefields +mineralogical +mineralogist +mineralogist's +mineralogists +mineralogy +mineralogy's +minestrone +minestrone's +minesweeper +minesweeper's +minesweepers +miniature's +miniatures +miniaturist +miniaturist's +miniaturists +miniaturization +miniaturization's +miniaturize +miniaturized +miniaturizes +miniaturizing +minibike's +minicomputer +minicomputer's +minicomputers +minifloppies +minimalism +minimalism's +minimalist +minimalist's +minimalists +minimization +minimization's +minimizing +miniseries +miniseries's +miniskirt's +miniskirts +ministered +ministerial +ministering +minister's +ministrant +ministrant's +ministrants +ministration +ministration's +ministrations +ministries +ministry's +Minneapolis +Minneapolis's +Minnelli's +minnesinger +minnesinger's +minnesingers +Minnesotan +Minnesotan's +Minnesotans +Minnesota's +minorities +minority's +Minotaur's +minoxidil's +minstrel's +minstrelsy +minstrelsy's +minuscule's +minuscules +Minuteman's +minuteman's +minuteness +minuteness's +Mirabeau's +miraculous +miraculously +mirthfully +mirthfulness +mirthfulness's +mirthlessly +misaddress +misaddressed +misaddresses +misaddressing +misadventure +misadventure's +misadventures +misaligned +misalignment +misalignment's +misalliance +misalliance's +misalliances +misanthrope +misanthrope's +misanthropes +misanthropic +misanthropically +misanthropist +misanthropist's +misanthropists +misanthropy +misanthropy's +misapplication +misapplication's +misapplications +misapplied +misapplies +misapplying +misapprehend +misapprehended +misapprehending +misapprehends +misapprehension +misapprehension's +misapprehensions +misappropriate +misappropriated +misappropriates +misappropriating +misappropriation +misappropriation's +misappropriations +misbegotten +misbehaved +misbehaves +misbehaving +misbehavior +misbehavior's +miscalculate +miscalculated +miscalculates +miscalculating +miscalculation +miscalculation's +miscalculations +miscalling +miscarriage +miscarriage's +miscarriages +miscarried +miscarries +miscarrying +miscasting +miscegenation +miscegenation's +miscellaneous +miscellaneously +miscellanies +miscellany +miscellany's +mischance's +mischances +mischief's +mischievous +mischievously +mischievousness +mischievousness's +miscibility +miscibility's +miscommunication +miscommunications +misconceive +misconceived +misconceives +misconceiving +misconception +misconception's +misconceptions +misconduct +misconducted +misconducting +misconduct's +misconducts +misconstruction +misconstruction's +misconstructions +misconstrue +misconstrued +misconstrues +misconstruing +miscounted +miscounting +miscount's +miscreant's +miscreants +misdealing +misdemeanor +misdemeanor's +misdemeanors +misdiagnose +misdiagnosed +misdiagnoses +misdiagnosing +misdiagnosis +misdiagnosis's +misdirected +misdirecting +misdirection +misdirection's +misdirects +misdoing's +miserableness +miserableness's +miserliness +miserliness's +misfeasance +misfeasance's +misfeature +misfeatures +misfitting +misfortune +misfortune's +misfortunes +misgiving's +misgivings +misgoverned +misgoverning +misgovernment +misgovernment's +misgoverns +misguidance +misguidance's +misguidedly +misguiding +mishandled +mishandles +mishandling +mishearing +mishitting +mishmashes +mishmash's +misidentified +misidentifies +misidentify +misidentifying +misinformation +misinformation's +misinformed +misinforming +misinforms +misinterpret +misinterpretation +misinterpretation's +misinterpretations +misinterpreted +misinterpreting +misinterprets +misjudging +misjudgment +misjudgment's +misjudgments +mislabeled +mislabeling +misleading +misleadingly +mismanaged +mismanagement +mismanagement's +mismanages +mismanaging +mismatched +mismatches +mismatching +mismatch's +misnomer's +misogamist +misogamist's +misogamists +misogamy's +misogynist +misogynistic +misogynist's +misogynists +misogynous +misogyny's +misplacement +misplacement's +misplacing +misplaying +misprinted +misprinting +misprint's +misprision +misprision's +mispronounce +mispronounced +mispronounces +mispronouncing +mispronunciation +mispronunciation's +mispronunciations +misquotation +misquotation's +misquotations +misquote's +misquoting +misreading +misreading's +misreadings +misreported +misreporting +misreport's +misreports +misrepresent +misrepresentation +misrepresentation's +misrepresentations +misrepresented +misrepresenting +misrepresents +misshaping +missilery's +missionaries +missionary +missionary's +missioner's +missioners +Mississauga +Mississauga's +Mississippi +Mississippian +Mississippian's +Mississippians +Mississippi's +Missourian +Missourian's +Missourians +Missouri's +misspeaking +misspelled +misspelling +misspelling's +misspellings +misspending +misstatement +misstatement's +misstatements +misstating +mistakable +mistakenly +Mistassini +Mistassini's +mistiness's +mistletoe's +mistranslated +mistreated +mistreating +mistreatment +mistreatment's +mistresses +mistress's +mistrial's +mistrusted +mistrustful +mistrustfully +mistrusting +mistrust's +misunderstand +misunderstanding +misunderstanding's +misunderstandings +misunderstands +misunderstood +Mitchell's +Mithridates +Mithridates's +mitigating +mitigation +mitigation's +mitochondria +mitochondrial +mitochondrion +Mitsubishi +Mitsubishi's +Mitterrand +Mitterrand's +mizzenmast +mizzenmast's +mizzenmasts +Münchhausen +Münchhausen's +mnemonically +mnemonic's +Mnemosyne's +mobility's +mobilization +mobilization's +mobilizations +mobilizer's +mobilizers +mobilizing +moccasin's +mockingbird +mockingbird's +mockingbirds +modalities +modeling's +moderately +moderateness +moderateness's +moderate's +moderating +moderation +moderation's +moderator's +moderators +modernism's +modernistic +modernist's +modernists +modernity's +modernization +modernization's +modernized +modernizer +modernizer's +modernizers +modernizes +modernizing +modernness +modernness's +modifiable +modification +modification's +modifications +modifier's +Modigliani +Modigliani's +modishness +modishness's +modulating +modulation +modulation's +modulations +modulator's +modulators +Mogadishu's +Mohammad's +Mohammedan +Mohammedanism +Mohammedanism's +Mohammedanisms +Mohammedan's +Mohammedans +Mohorovicic +Mohorovicic's +Moiseyev's +moistener's +moisteners +moistening +moistness's +moisture's +moisturize +moisturized +moisturizer +moisturizer's +moisturizers +moisturizes +moisturizing +molasses's +Moldavia's +moldboard's +moldboards +moldiness's +molecularity +molecularity's +molecule's +molehill's +moleskin's +molestation +molestation's +molester's +mollification +mollification's +mollifying +mollycoddle +mollycoddled +mollycoddle's +mollycoddles +mollycoddling +Moluccas's +molybdenum +molybdenum's +momentarily +momentariness +momentariness's +momentously +momentousness +momentousness's +momentum's +monarchical +monarchies +monarchism +monarchism's +monarchist +monarchistic +monarchist's +monarchists +monarchy's +monasteries +monastery's +monastical +monastically +monasticism +monasticism's +monastic's +Mondrian's +Monegasque +Monegasque's +Monegasques +monetarily +monetarism +monetarism's +monetarist +monetarist's +monetarists +monetizing +moneybag's +moneyboxes +moneylender +moneylender's +moneylenders +moneymaker +moneymaker's +moneymakers +moneymaking +moneymaking's +Mongolian's +Mongolians +Mongolia's +Mongolic's +mongolism's +mongoloid's +mongoloids +mongoose's +monition's +monitoring +monkeyshine +monkeyshine's +monkeyshines +monkshood's +monkshoods +Monmouth's +monochromatic +monochrome +monochrome's +monochromes +monoclonal +monocotyledon +monocotyledonous +monocotyledon's +monocotyledons +monodist's +monogamist +monogamist's +monogamists +monogamous +monogamously +monogamy's +monogrammed +monogramming +monogram's +monograph's +monographs +monolingual +monolingual's +monolinguals +monolithic +monolith's +monologist +monologist's +monologists +monologue's +monologues +monomaniac +monomaniacal +monomaniac's +monomaniacs +monomania's +Monongahela +Monongahela's +mononucleosis +mononucleosis's +monophonic +monoplane's +monoplanes +monopolies +monopolist +monopolistic +monopolist's +monopolists +monopolization +monopolization's +monopolize +monopolized +monopolizer +monopolizer's +monopolizers +monopolizes +monopolizing +monopoly's +monorail's +monosyllabic +monosyllable +monosyllable's +monosyllables +monotheism +monotheism's +monotheist +monotheistic +monotheist's +monotheists +monotone's +monotonically +monotonous +monotonously +monotonousness +monotonousness's +monotony's +monounsaturated +monoxide's +Monrovia's +Monsanto's +monseigneur +monseigneur's +Monsieur's +monsieur's +Monsignor's +Monsignors +monsignor's +monsignors +monstrance +monstrance's +monstrances +monstrosities +monstrosity +monstrosity's +monstrously +Montague's +Montaigne's +Montanan's +Montcalm's +Montenegrin +Montenegrin's +Montenegro +Montenegro's +Monterrey's +Montesquieu +Montesquieu's +Montessori +Montessori's +Monteverdi +Monteverdi's +Montevideo +Montevideo's +Montezuma's +Montgolfier +Montgolfier's +Montgomery +Montgomery's +Monticello +Monticello's +Montpelier +Montpelier's +Montrachet +Montrachet's +Montreal's +Montserrat +Montserrat's +monumental +monumentally +monument's +moodiness's +moonbeam's +moonlighted +moonlighter +moonlighter's +moonlighters +moonlighting +moonlighting's +moonlight's +moonlights +moonscape's +moonscapes +moonshiner +moonshiner's +moonshiners +moonshine's +moonshines +moonshot's +moonstone's +moonstones +moonstruck +moonwalk's +moorland's +moralistic +moralistically +moralist's +moralities +morality's +moralization +moralization's +moralizer's +moralizers +moralizing +moratorium +moratorium's +moratoriums +Moravian's +morbidity's +morbidness +morbidness's +mordancy's +Moriarty's +Mormonism's +Mormonisms +Moroccan's +moronically +moroseness +moroseness's +morpheme's +Morpheus's +morphine's +morphing's +morphological +morphology +morphology's +Morrison's +mortality's +mortarboard +mortarboard's +mortarboards +mortgagee's +mortgagees +mortgage's +mortgaging +mortgagor's +mortgagors +mortician's +morticians +mortification +mortification's +mortifying +Mortimer's +mortuaries +mortuary's +mosquitoes +mosquito's +mossback's +mothballed +mothballing +mothball's +motherboard +motherboard's +motherboards +motherfucker +motherfucker's +motherfuckers +motherfucking +motherhood +motherhood's +motherland +motherland's +motherlands +motherless +motherliness +motherliness's +motility's +motionless +motionlessly +motionlessness +motionlessness's +motivating +motivation +motivational +motivation's +motivations +motivator's +motivators +motiveless +motocrosses +motocross's +motorbiked +motorbike's +motorbikes +motorbiking +motorboat's +motorboats +motorcade's +motorcades +motorcar's +motorcycle +motorcycled +motorcycle's +motorcycles +motorcycling +motorcyclist +motorcyclist's +motorcyclists +motorist's +motorization +motorization's +motorizing +motorman's +motormouth +motormouth's +motormouths +Motorola's +motorway's +mountaineer +mountaineered +mountaineering +mountaineering's +mountaineer's +mountaineers +mountainous +mountain's +mountainside +mountainside's +mountainsides +mountaintop +mountaintop's +mountaintops +Mountbatten +Mountbatten's +mountebank +mountebank's +mountebanks +mounting's +mournfully +mournfulness +mournfulness's +mourning's +mousetrapped +mousetrapping +mousetrap's +mousetraps +mousiness's +Moussorgsky +Moussorgsky's +mouthful's +mouthiness +mouthiness's +mouthpiece +mouthpiece's +mouthpieces +mouthwashes +mouthwash's +mouthwatering +movement's +moviegoer's +moviegoers +Mozambican +Mozambican's +Mozambicans +Mozambique +Mozambique's +mozzarella +mozzarella's +mucilage's +mucilaginous +muckraker's +muckrakers +muckraking +muddiness's +muddleheaded +mudguard's +mudslide's +mudslinger +mudslinger's +mudslingers +mudslinging +mudslinging's +Muenster's +muenster's +mugginess's +Muhammadan +Muhammadanism +Muhammadanism's +Muhammadanisms +Muhammadan's +Muhammadans +Muhammad's +mujaheddin +mulberries +mulberry's +muleskinner +muleskinner's +muleskinners +muleteer's +mulishness +mulishness's +Mulligan's +mulligan's +mulligatawny +mulligatawny's +Mullikan's +Mulroney's +multichannel +multicolored +multicultural +multiculturalism +multiculturalism's +multidimensional +multidisciplinary +multifaceted +multifamily +multifarious +multifariously +multifariousness +multifariousness's +multigrain +multilateral +multilaterally +multilayered +multilevel +multilingual +multilingualism +multilingualism's +multimedia +multimedia's +multimillionaire +multimillionaire's +multimillionaires +multinational +multinational's +multinationals +multiparty +multiplayer +multiplayer's +multiple's +multiplexed +multiplexer +multiplexer's +multiplexers +multiplexes +multiplexing +multiplex's +multiplicand +multiplicand's +multiplicands +multiplication +multiplication's +multiplications +multiplicative +multiplicities +multiplicity +multiplicity's +multiplied +multiplier +multiplier's +multipliers +multiplies +multiplying +multiprocessing +multiprocessor +multiprocessor's +multiprocessors +multipurpose +multiracial +multistage +multistory +multitasking +multitasking's +multitasks +multitude's +multitudes +multitudinous +multivariate +multiverse +multiverse's +multiverses +multivitamin +multivitamin's +multivitamins +mumbletypeg +mumbletypeg's +mummification +mummification's +mummifying +Munchhausen +Munchhausen's +munchies's +munchkin's +municipalities +municipality +municipality's +municipally +municipal's +municipals +munificence +munificence's +munificent +munificently +munitioned +munitioning +munition's +muralist's +Murasaki's +Murchison's +murderer's +murderesses +murderess's +murderously +murkiness's +Murmansk's +murmurer's +murmuring's +murmurings +Murrumbidgee +Murrumbidgee's +muscatel's +musclebound +Muscovite's +muscularity +muscularity's +muscularly +musculature +musculature's +Musharraf's +mushiness's +mushroomed +mushrooming +mushroom's +musicale's +musicality +musicality's +musicianly +musician's +musicianship +musicianship's +musicological +musicologist +musicologist's +musicologists +musicology +musicology's +muskellunge +muskellunge's +muskellunges +musketeer's +musketeers +musketry's +muskiness's +muskmelon's +muskmelons +Muskogee's +Mussolini's +Mussorgsky +Mussorgsky's +mustache's +mustachioed +mustachio's +mustachios +mustiness's +mutability +mutability's +mutational +mutation's +muteness's +mutilating +mutilation +mutilation's +mutilations +mutilator's +mutilators +mutineer's +mutinously +Mutsuhito's +mutterer's +muttering's +mutterings +muttonchops +muttonchops's +mutuality's +Mycenaean's +mycologist +mycologist's +mycologists +mycology's +myelitis's +myocardial +myocardium +myopically +myrmidon's +mysterious +mysteriously +mysteriousness +mysteriousness's +mystically +mysticism's +mystification +mystification's +mystifying +mystique's +mythological +mythologies +mythologist +mythologist's +mythologists +mythologize +mythologized +mythologizes +mythologizing +mythology's +myxomatosis +Nagasaki's +nailbrushes +nailbrush's +Naismith's +nakedness's +namedropping +namedropping's +namelessly +nameplate's +nameplates +namesake's +Namibian's +Nanchang's +nanosecond +nanosecond's +nanoseconds +nanotechnologies +nanotechnology +nanotechnology's +Nantucket's +Naphtali's +naphthalene +naphthalene's +Napoleonic +Napoleonic's +Napoleon's +napoleon's +narcissism +narcissism's +narcissist +narcissistic +narcissist's +narcissists +Narcissus's +narcissus's +narcolepsy +narcolepsy's +narcoleptic +narcosis's +narcotic's +narcotization +narcotization's +narcotized +narcotizes +narcotizing +Narraganset +Narragansett +Narragansett's +narration's +narrations +narrative's +narratives +narrator's +narrowness +narrowness's +nasality's +nasalization +nasalization's +nasalizing +nascence's +Nashville's +nastiness's +nasturtium +nasturtium's +nasturtiums +Nathaniel's +nationalism +nationalism's +nationalist +nationalistic +nationalistically +nationalist's +nationalists +nationalities +nationality +nationality's +nationalization +nationalization's +nationalizations +nationalize +nationalized +nationalizes +nationalizing +nationally +national's +nationhood +nationhood's +Nationwide +nationwide +Nationwide's +nativities +Nativity's +nativity's +nattiness's +naturalism +naturalism's +naturalist +naturalistic +naturalist's +naturalists +naturalization +naturalization's +naturalize +naturalized +naturalizes +naturalizing +naturalness +naturalness's +Naugahyde's +naughtiest +naughtiness +naughtiness's +nauseating +nauseatingly +nauseously +nauseousness +nauseousness's +nautically +nautiluses +Nautilus's +nautilus's +navigability +navigability's +navigating +navigation +navigational +navigation's +navigator's +navigators +Navratilova +Navratilova's +naysayer's +Nazarene's +Nazareth's +Ndjamena's +Neanderthal +neanderthal +Neanderthal's +Neanderthals +neanderthal's +neanderthals +Neapolitan +Neapolitan's +nearness's +nearsighted +nearsightedly +nearsightedness +nearsightedness's +neatness's +Nebraskan's +Nebraskans +Nebraska's +Nebuchadnezzar +Nebuchadnezzar's +nebulously +nebulousness +nebulousness's +necessaries +necessarily +necessary's +necessitate +necessitated +necessitates +necessitating +necessities +necessitous +necessity's +neckerchief +neckerchief's +neckerchiefs +necklace's +necklacing +necklacings +neckline's +necrology's +necromancer +necromancer's +necromancers +necromancy +necromancy's +necrophilia +necrophiliac +necrophiliacs +necropolis +necropolises +necropolis's +necrosis's +nectarine's +nectarines +neediness's +needlepoint +needlepoint's +needlessly +needlessness +needlessness's +needlewoman +needlewoman's +needlewomen +needlework +needlework's +nefariously +nefariousness +nefariousness's +Nefertiti's +negation's +negatively +negativeness +negativeness's +negative's +negativing +negativism +negativism's +negativity +negativity's +neglectful +neglectfully +neglectfulness +neglectfulness's +neglecting +negligee's +negligence +negligence's +negligently +negligible +negligibly +negotiability +negotiability's +negotiable +negotiated +negotiates +negotiating +negotiation +negotiation's +negotiations +negotiator +negotiator's +negotiators +negritude's +Nehemiah's +neighbored +neighborhood +neighborhood's +neighborhoods +neighboring +neighborliness +neighborliness's +neighborly +neighbor's +nematode's +Nembutal's +neoclassic +neoclassical +neoclassicism +neoclassicism's +neocolonialism +neocolonialism's +neocolonialist +neocolonialist's +neocolonialists +neoconservative +neoconservative's +neoconservatives +neodymium's +neologism's +neologisms +neophyte's +neoplasm's +neoplastic +neoprene's +Nepalese's +nepenthe's +nephrite's +nephritis's +nephropathy +nepotism's +nepotistic +nepotist's +neptunium's +nervelessly +nervelessness +nervelessness's +nerviness's +nervousness +nervousness's +Nesselrode +Nesselrode's +nestling's +Nestorius's +Netherlander +Netherlander's +Netherlanders +Netherlands +Netherlands's +nethermost +netherworld +netherworld's +netiquette +netiquettes +Netscape's +nettlesome +networking +networking's +Netzahualcoyotl +Netzahualcoyotl's +neuralgia's +neurasthenia +neurasthenia's +neurasthenic +neurasthenic's +neurasthenics +neuritic's +neuritis's +neurological +neurologically +neurologist +neurologist's +neurologists +neurology's +neurosis's +neurosurgeon +neurosurgeon's +neurosurgeons +neurosurgery +neurosurgery's +neurosurgical +neurotically +neurotic's +neurotransmitter +neurotransmitter's +neurotransmitters +neutralism +neutralism's +neutralist +neutralist's +neutralists +neutrality +neutrality's +neutralization +neutralization's +neutralize +neutralized +neutralizer +neutralizer's +neutralizers +neutralizes +neutralizing +neutrino's +nevertheless +Newcastle's +newcomer's +newfangled +Newfoundland +Newfoundlander +Newfoundland's +Newfoundlands +newlywed's +newsagents +newscaster +newscaster's +newscasters +newscast's +newsdealer +newsdealer's +newsdealers +newsflashes +newsgirl's +newsgroup's +newsgroups +newshounds +newsletter +newsletter's +newsletters +newspaperman +newspaperman's +newspapermen +newspaper's +newspapers +newspaperwoman +newspaperwoman's +newspaperwomen +newsprint's +newsreader +newsreaders +newsreel's +newsroom's +newsstand's +newsstands +newsweeklies +newsweekly +newsweekly's +Newsweek's +newswoman's +newsworthiness +newsworthiness's +newsworthy +Newtonian's +Ngaliema's +Ångström's +Nibelung's +Nicaraguan +Nicaraguan's +Nicaraguans +Nicaragua's +niceness's +Nichiren's +Nicholas's +Nicholson's +Nickelodeon +nickelodeon +Nickelodeon's +nickelodeon's +nickelodeons +Nicklaus's +nickname's +nicknaming +Nickolas's +Nicodemus's +nicotine's +Nietzsche's +Nigerian's +Nigerien's +niggardliness +niggardliness's +nightcap's +nightclothes +nightclothes's +nightclubbed +nightclubbing +nightclub's +nightclubs +nightdress +nightdresses +nightdress's +nightfall's +nightgown's +nightgowns +nighthawk's +nighthawks +Nightingale +nightingale +Nightingale's +nightingale's +nightingales +nightlife's +nightlight +nightlights +nightmare's +nightmares +nightmarish +nightshade +nightshade's +nightshades +nightshirt +nightshirt's +nightshirts +nightspot's +nightspots +nightstand +nightstand's +nightstands +nightstick +nightstick's +nightsticks +nighttime's +nightwatchman +nightwatchmen +nightwear's +nihilism's +nihilistic +nihilist's +Nijinsky's +nimbleness +nimbleness's +nincompoop +nincompoop's +nincompoops +ninepins's +nineteen's +nineteenth +nineteenth's +nineteenths +ninetieth's +ninetieths +Nintendo's +nippiness's +Nipponese's +Nirenberg's +nitpicker's +nitpickers +nitpicking +nitpicking's +nitration's +nitrification +nitrification's +nitrocellulose +nitrocellulose's +nitrogenous +nitrogen's +nitroglycerin +nitroglycerin's +Nobelist's +nobelium's +nobility's +nobleman's +nobleness's +noblewoman +noblewoman's +noblewomen +nocturnally +nocturne's +noiselessly +noiselessness +noiselessness's +noisemaker +noisemaker's +noisemakers +noisiness's +nomenclature +nomenclature's +nomenclatures +nominating +nomination +nomination's +nominations +nominative +nominative's +nominatives +nominator's +nominators +nonabrasive +nonabsorbent +nonabsorbent's +nonabsorbents +nonacademic +nonacceptance +nonacceptance's +nonactive's +nonactives +nonaddictive +nonadhesive +nonadjacent +nonadjustable +nonadministrative +nonagenarian +nonagenarian's +nonagenarians +nonaggression +nonaggression's +nonalcoholic +nonaligned +nonalignment +nonalignment's +nonallergic +nonappearance +nonappearance's +nonappearances +nonassignable +nonathletic +nonattendance +nonattendance's +nonautomotive +nonavailability +nonavailability's +nonbeliever +nonbeliever's +nonbelievers +nonbelligerent +nonbelligerent's +nonbelligerents +nonbinding +nonbreakable +nonburnable +noncaloric +noncancerous +nonchalance +nonchalance's +nonchalant +nonchalantly +nonchargeable +nonclerical +nonclerical's +nonclericals +nonclinical +noncollectable +noncombatant +noncombatant's +noncombatants +noncombustible +noncommercial +noncommercial's +noncommercials +noncommittal +noncommittally +noncommunicable +noncompeting +noncompetitive +noncompliance +noncompliance's +noncomplying +noncomprehending +nonconducting +nonconductor +nonconductor's +nonconductors +nonconforming +nonconformism +nonconformist +nonconformist's +nonconformists +nonconformity +nonconformity's +nonconsecutive +nonconstructive +noncontagious +noncontinuous +noncontributing +noncontributory +noncontroversial +nonconvertible +noncooperation +noncooperation's +noncorroding +noncorrosive +noncriminal +noncriminal's +noncriminals +noncritical +noncrystalline +noncumulative +noncustodial +nondeductible +nondeductible's +nondeliveries +nondelivery +nondelivery's +nondemocratic +nondenominational +nondepartmental +nondepreciating +nondescript +nondestructive +nondetachable +nondisciplinary +nondisclosure +nondisclosure's +nondiscrimination +nondiscrimination's +nondiscriminatory +nondramatic +nondrinker +nondrinker's +nondrinkers +noneducational +noneffective +nonelastic +nonelectric +nonelectrical +nonenforceable +nonentities +nonentity's +nonequivalent +nonequivalent's +nonequivalents +nonessential +nonesuches +nonesuch's +nonetheless +nonevent's +nonexchangeable +nonexclusive +nonexempt's +nonexistence +nonexistence's +nonexistent +nonexplosive +nonexplosive's +nonexplosives +nonfactual +nonfattening +nonferrous +nonfiction +nonfictional +nonfiction's +nonflammable +nonflowering +nonfluctuating +nonfreezing +nonfunctional +nongovernmental +nongranular +nonhazardous +nonhereditary +nonidentical +noninclusive +nonindependent +nonindustrial +noninfectious +noninflammatory +noninflationary +noninflected +nonintellectual +nonintellectual's +nonintellectuals +noninterchangeable +noninterference +noninterference's +nonintervention +nonintervention's +nonintoxicating +noninvasive +nonirritating +nonjudgmental +nonjudicial +nonliterary +nonliving's +nonmagnetic +nonmalignant +nonmember's +nonmembers +nonmetallic +nonmetal's +nonmigratory +nonmilitant +nonmilitary +nonnarcotic +nonnarcotic's +nonnarcotics +nonnative's +nonnatives +nonnegotiable +nonnuclear +nonnumerical +nonobjective +nonobligatory +nonobservance +nonobservance's +nonobservant +nonoccupational +nonoccurence +nonofficial +nonoperational +nonoperative +nonparallel +nonparallel's +nonparallels +nonpareil's +nonpareils +nonparticipant +nonparticipant's +nonparticipants +nonparticipating +nonpartisan +nonpartisan's +nonpartisans +nonpayment +nonpayment's +nonpayments +nonperformance +nonperformance's +nonperforming +nonperishable +nonperson's +nonpersons +nonphysical +nonphysically +nonplussed +nonplussing +nonpoisonous +nonpolitical +nonpolluting +nonpracticing +nonprejudicial +nonprescription +nonproductive +nonprofessional +nonprofessional's +nonprofessionals +nonprofitable +nonprofit's +nonprofits +nonproliferation +nonproliferation's +nonpunishable +nonradioactive +nonreactive +nonreciprocal +nonreciprocal's +nonreciprocals +nonreciprocating +nonrecognition +nonrecognition's +nonrecoverable +nonrecurring +nonredeemable +nonrefillable +nonrefundable +nonreligious +nonrenewable +nonrepresentational +nonresident +nonresidential +nonresident's +nonresidents +nonresidual +nonresidual's +nonresistance +nonresistance's +nonresistant +nonrestrictive +nonreturnable +nonreturnable's +nonreturnables +nonrhythmic +nonsalaried +nonscheduled +nonscientific +nonscoring +nonseasonal +nonsectarian +nonsecular +nonsegregated +nonsense's +nonsensical +nonsensically +nonsensitive +nonsmoker's +nonsmokers +nonsmoking +nonspeaking +nonspecialist +nonspecialist's +nonspecialists +nonspecializing +nonspecific +nonspiritual +nonspiritual's +nonspirituals +nonstaining +nonstandard +nonstarter +nonstarter's +nonstarters +nonstrategic +nonstriking +nonstructural +nonsuccessive +nonsupport +nonsupporting +nonsupport's +nonsurgical +nonsustaining +nonsympathizer +nonsympathizer's +nontarnishable +nontaxable +nontechnical +nontenured +nontheatrical +nonthinking +nonthreatening +nontraditional +nontransferable +nontransparent +nontrivial +nontropical +nonuniform +nonvenomous +nonviolence +nonviolence's +nonviolent +nonviolently +nonvirulent +nonvocational +nonvolatile +nonvoter's +nonwhite's +nonworking +nonyielding +noontide's +noontime's +Norberto's +nor'easter +normalcy's +normality's +normalization +normalization's +normalized +normalizes +normalizing +Normandy's +Norplant's +Norseman's +Norsemen's +Northampton +Northampton's +northbound +northeaster +northeasterly +northeastern +northeaster's +northeasters +Northeast's +Northeasts +northeast's +northeastward +northeastwards +northerlies +northerly's +Northerner +northerner +Northerner's +northerner's +northerners +northernmost +Northrop's +Northrup's +northwards +northwester +northwesterly +northwestern +northwester's +northwesters +Northwest's +Northwests +northwest's +northwestward +northwestwards +Norwegian's +Norwegians +nosebleed's +nosebleeds +nosecone's +nosedive's +nosediving +Nosferatu's +nosiness's +nostalgia's +nostalgically +Nostradamus +Nostradamus's +notabilities +notability +notability's +notarization +notarization's +notarizing +notation's +notebook's +notepaper's +noteworthiness +noteworthiness's +noteworthy +nothingness +nothingness's +noticeable +noticeably +noticeboard +noticeboards +notifiable +notification +notification's +notifications +notifier's +notionally +notoriety's +notoriously +Nottingham +Nottingham's +notwithstanding +Nouakchott +Nouakchott's +nourishing +nourishment +nourishment's +Novartis's +novelette's +novelettes +novelist's +novelization +novelization's +novelizations +novelizing +November's +Novgorod's +novitiate's +novitiates +Novocain's +Novokuznetsk +Novokuznetsk's +Novosibirsk +Novosibirsk's +nowadays's +nucleating +nucleation +nucleation's +nucleolus's +nucleoside +nucleotide +nuisance's +Nukualofa's +nullification +nullification's +nullifying +numberless +numbness's +numeracy's +numerating +numeration +numeration's +numerations +numerator's +numerators +numerically +numerologist +numerologist's +numerologists +numerology +numerology's +numerously +numismatic +numismatics +numismatics's +numismatist +numismatist's +numismatists +numskull's +Nuremberg's +nurselings +nursemaid's +nursemaids +nurseryman +nurseryman's +nurserymen +nursling's +nurturer's +nutcracker +nutcracker's +nutcrackers +nuthatches +nuthatch's +NutraSweet +NutraSweet's +nutrient's +nutriment's +nutriments +nutritional +nutritionally +nutritionist +nutritionist's +nutritionists +nutrition's +nutritious +nutritiously +nutritiousness +nutritiousness's +nutshell's +nuttiness's +nymphomania +nymphomaniac +nymphomaniac's +nymphomaniacs +nymphomania's +oafishness +oafishness's +oarswoman's +obbligato's +obbligatos +obduracy's +obdurately +obdurateness +obdurateness's +obedience's +obediently +obeisance's +obeisances +obfuscated +obfuscates +obfuscating +obfuscation +obfuscation's +obfuscations +obituaries +obituary's +objectification +objectified +objectifies +objectifying +objectionable +objectionably +objection's +objections +objectively +objectiveness +objectiveness's +objective's +objectives +objectivity +objectivity's +objector's +objurgated +objurgates +objurgating +objurgation +objurgation's +objurgations +oblation's +obligating +obligation +obligation's +obligations +obligatorily +obligatory +obligingly +obliqueness +obliqueness's +obliquity's +obliterate +obliterated +obliterates +obliterating +obliteration +obliteration's +oblivion's +obliviously +obliviousness +obliviousness's +obnoxiously +obnoxiousness +obnoxiousness's +obscenities +obscenity's +obscurantism +obscurantism's +obscurantist +obscurantist's +obscurantists +obscurities +obscurity's +obsequious +obsequiously +obsequiousness +obsequiousness's +observable +observably +observance +observance's +observances +observantly +observation +observational +observation's +observations +observatories +observatory +observatory's +observer's +obsessional +obsessionally +obsession's +obsessions +obsessively +obsessiveness +obsessiveness's +obsessive's +obsessives +obsidian's +obsolesced +obsolescence +obsolescence's +obsolescent +obsolesces +obsolescing +obsoleting +obstacle's +obstetrical +obstetrician +obstetrician's +obstetricians +obstetrics +obstetrics's +obstinacy's +obstinately +obstreperous +obstreperously +obstreperousness +obstreperousness's +obstructed +obstructing +obstruction +obstructionism +obstructionism's +obstructionist +obstructionist's +obstructionists +obstruction's +obstructions +obstructive +obstructively +obstructiveness +obstructiveness's +obtainable +obtainment +obtainment's +obtrusion's +obtrusively +obtrusiveness +obtrusiveness's +obtuseness +obtuseness's +obviation's +obviousness +obviousness's +occasional +occasionally +occasioned +occasioning +occasion's +Occidental +occidental +Occidental's +Occidentals +occidental's +occidentals +occlusion's +occlusions +occultism's +occultist's +occultists +occupancy's +occupant's +occupation +occupational +occupationally +occupation's +occupations +occupier's +occurrence +occurrence's +occurrences +oceanfront +oceanfront's +oceanfronts +oceangoing +oceanographer +oceanographer's +oceanographers +oceanographic +oceanography +oceanography's +oceanology +oceanology's +O'Connell's +O'Connor's +Octavian's +octogenarian +octogenarian's +octogenarians +oculomotor +odalisque's +odalisques +odiousness +odiousness's +odometer's +O'Donnell's +odoriferous +Odysseus's +oenology's +oenophile's +oenophiles +Offenbach's +offender's +offensively +offensiveness +offensiveness's +offensive's +offensives +offering's +offertories +offertory's +offhandedly +offhandedness +offhandedness's +officeholder +officeholder's +officeholders +OfficeMax's +officialdom +officialdom's +officialese +officialism +officialism's +officially +official's +officiant's +officiants +officiated +officiates +officiating +officiator +officiator's +officiators +officiously +officiousness +officiousness's +offloading +offprint's +offsetting +offshoot's +offshoring +offspring's +oftentimes +Ogbomosho's +Oglethorpe +Oglethorpe's +O'Higgins's +ohmmeter's +oilcloth's +oiliness's +oilskins's +ointment's +Okeechobee +Okeechobee's +O'Keeffe's +Okefenokee +Okefenokee's +Oklahoman's +Oklahoma's +Oktoberfest +Oktoberfest's +Olajuwon's +Oldenburg's +Oldfield's +Oldsmobile +Oldsmobile's +oleaginous +oleander's +oleomargarine +oleomargarine's +olfactories +olfactory's +oligarchic +oligarchical +oligarchies +oligarch's +oligarchy's +Oligocene's +oligonucleotide +oligonucleotides +oligopolies +oligopoly's +Olivetti's +Olympiad's +Olympian's +Olympics's +ombudsman's +Omdurman's +ominousness +ominousness's +omission's +omnipotence +omnipotence's +Omnipotent +omnipotent +omnipresence +omnipresence's +omnipresent +omniscience +omniscience's +omniscient +omnivore's +omnivorous +omnivorously +omnivorousness +omnivorousness's +oncogene's +oncologist +oncologist's +oncologists +oncology's +onerousness +onerousness's +onionskin's +onlooker's +onomatopoeia +onomatopoeia's +onomatopoeic +onomatopoetic +Onondaga's +onslaught's +onslaughts +ontogeny's +ontological +ontology's +opalescence +opalescence's +opalescent +opaqueness +opaqueness's +openhanded +openhandedness +openhandedness's +openhearted +openness's +OpenOffice +OpenOffice's +openwork's +operatically +operational +operationally +operation's +operations +operative's +operatives +operator's +operetta's +Ophiuchus's +ophthalmic +ophthalmologist +ophthalmologist's +ophthalmologists +ophthalmology +ophthalmology's +opinionated +Oppenheimer +Oppenheimer's +opponent's +opportunely +opportunism +opportunism's +opportunist +opportunistic +opportunistically +opportunist's +opportunists +opportunities +opportunity +opportunity's +oppositely +opposite's +Opposition +opposition +opposition's +oppositions +oppressing +oppression +oppression's +oppressive +oppressively +oppressiveness +oppressiveness's +oppressor's +oppressors +opprobrious +opprobriously +opprobrium +opprobrium's +optician's +optimism's +optimistic +optimistically +optimist's +optimization +optimization's +optimizations +optimizing +optionally +optometrist +optometrist's +optometrists +optometry's +opulence's +orangeade's +orangeades +orangeness +orangeries +orangery's +orangutan's +orangutans +Oranjestad +Oranjestad's +oratorical +oratorically +oratorio's +orchestral +orchestra's +orchestras +orchestrate +orchestrated +orchestrates +orchestrating +orchestration +orchestration's +orchestrations +ordainment +ordainment's +orderliness +orderliness's +ordinance's +ordinances +ordinaries +ordinarily +ordinariness +ordinariness's +ordinary's +ordinate's +ordination +ordination's +ordinations +ordnance's +Ordovician +Ordovician's +Oregonian's +Oregonians +organelle's +organelles +organically +organismic +organism's +organist's +organization +organizational +organizationally +organization's +organizations +organizer's +organizers +organizing +Orientalism +orientalist +orientalists +Oriental's +oriental's +orientated +orientates +orientating +orientation +orientation's +orientations +orienteering +originality +originality's +originally +original's +originated +originates +originating +origination +origination's +originator +originator's +originators +ornamental +ornamentation +ornamentation's +ornamented +ornamenting +ornament's +ornateness +ornateness's +orneriness +orneriness's +ornithological +ornithologist +ornithologist's +ornithologists +ornithology +ornithology's +orotundities +orotundity +orotundity's +O'Rourke's +orphanage's +orphanages +orthodontia +orthodontia's +orthodontic +orthodontics +orthodontics's +orthodontist +orthodontist's +orthodontists +orthodoxies +orthodoxy's +orthogonal +orthogonality +orthographic +orthographically +orthographies +orthography +orthography's +orthopedic +orthopedics +orthopedics's +orthopedist +orthopedist's +orthopedists +Orwellian's +oscillated +oscillates +oscillating +oscillation +oscillation's +oscillations +oscillator +oscillator's +oscillators +oscillatory +oscilloscope +oscilloscope's +oscilloscopes +osculating +osculation +osculation's +osculations +ossification +ossification's +ostensible +ostensibly +ostentation +ostentation's +ostentatious +ostentatiously +osteoarthritis +osteoarthritis's +osteopathic +osteopath's +osteopaths +osteopathy +osteopathy's +osteoporosis +osteoporosis's +ostracism's +ostracized +ostracizes +ostracizing +Ostrogoth's +otherworldly +Ouagadougou +Ouagadougou's +oubliette's +oubliettes +outarguing +outbalance +outbalanced +outbalances +outbalancing +outbidding +outboard's +outboasted +outboasting +outbreak's +outbuilding +outbuilding's +outbuildings +outburst's +outclassed +outclasses +outclassing +outcropped +outcropping +outcropping's +outcroppings +outdistance +outdistanced +outdistances +outdistancing +outdoors's +outdrawing +outerwear's +outfielder +outfielder's +outfielders +outfield's +outfighting +outfitter's +outfitters +outfitting +outflanked +outflanking +outgrowing +outgrowth's +outgrowths +outguessed +outguesses +outguessing +outgunning +outhitting +outhouse's +outlandish +outlandishly +outlandishness +outlandishness's +outlasting +outmaneuver +outmaneuvered +outmaneuvering +outmaneuvers +outmatched +outmatches +outmatching +outnumbered +outnumbering +outnumbers +outpatient +outpatient's +outpatients +outperform +outperformed +outperforming +outperforms +outplacement +outplacement's +outplaying +outpointed +outpointing +outpouring +outpouring's +outpourings +outproduce +outproduced +outproduces +outproducing +outputting +outrageous +outrageously +outranking +outreached +outreaches +outreaching +outreach's +outrider's +outrigger's +outriggers +outrunning +outscoring +outselling +outshining +outshouted +outshouting +outsider's +outskirt's +outsmarted +outsmarting +outsourced +outsources +outsourcing +outsourcing's +outspending +outspokenly +outspokenness +outspokenness's +outspreading +outspreads +outstanding +outstandingly +outstation +outstation's +outstations +outstaying +outstretch +outstretched +outstretches +outstretching +outstripped +outstripping +outwearing +outweighed +outweighing +outwitting +outworkers +outworking +ovenbird's +overabundance +overabundance's +overabundant +overachieve +overachieved +overachiever +overachiever's +overachievers +overachieves +overachieving +overacting +overactive +overaggressive +overalls's +overambitious +overanxious +overarching +overarming +overattentive +overbalance +overbalanced +overbalance's +overbalances +overbalancing +overbearing +overbearingly +overbidding +overbite's +overbooked +overbooking +overbought +overbuilding +overbuilds +overburden +overburdened +overburdening +overburdens +overbuying +overcapacity +overcapacity's +overcapitalize +overcapitalized +overcapitalizes +overcapitalizing +overcareful +overcasting +overcast's +overcautious +overcharge +overcharged +overcharge's +overcharges +overcharging +overclocked +overclocking +overclouded +overclouding +overclouds +overcoat's +overcoming +overcompensate +overcompensated +overcompensates +overcompensating +overcompensation +overcompensation's +overconfidence +overconfidence's +overconfident +overconscientious +overcooked +overcooking +overcritical +overcrowded +overcrowding +overcrowding's +overcrowds +overdecorate +overdecorated +overdecorates +overdecorating +overdependent +overdevelop +overdeveloped +overdeveloping +overdevelops +overdose's +overdosing +overdraft's +overdrafts +overdrawing +overdressed +overdresses +overdressing +overdress's +overdrive's +overdrives +overdubbed +overdubbing +overeating +overemotional +overemphasis +overemphasis's +overemphasize +overemphasized +overemphasizes +overemphasizing +overenthusiastic +overestimate +overestimated +overestimate's +overestimates +overestimating +overestimation +overestimation's +overexcite +overexcited +overexcites +overexciting +overexercise +overexercised +overexercises +overexercising +overexerted +overexerting +overexertion +overexertion's +overexerts +overexpose +overexposed +overexposes +overexposing +overexposure +overexposure's +overextend +overextended +overextending +overextends +overfeeding +overfilled +overfilling +overflight +overflight's +overflights +overflowed +overflowing +overflow's +overflying +overgeneralize +overgeneralized +overgeneralizes +overgeneralizing +overgenerous +overgrazed +overgrazes +overgrazing +overground +overgrowing +overgrowth +overgrowth's +overhanded +overhand's +overhanging +overhang's +overhauled +overhauling +overhaul's +overhead's +overhearing +overheated +overheating +overindulge +overindulged +overindulgence +overindulgence's +overindulgent +overindulges +overindulging +overinflated +overjoying +overkill's +overlapped +overlapping +overlaying +overloaded +overloading +overload's +overlooked +overlooking +overlook's +overlord's +overmanned +overmanning +overmaster +overmastered +overmastering +overmasters +overmodest +overmuches +overnight's +overnights +overoptimism +overoptimism's +overoptimistic +overparticular +overpasses +overpass's +overpaying +overplayed +overplaying +overpopulate +overpopulated +overpopulates +overpopulating +overpopulation +overpopulation's +overpowered +overpowering +overpoweringly +overpowers +overpraise +overpraised +overpraises +overpraising +overprecise +overpriced +overprices +overpricing +overprinted +overprinting +overprint's +overprints +overproduce +overproduced +overproduces +overproducing +overproduction +overproduction's +overprotect +overprotected +overprotecting +overprotective +overprotects +overqualified +overrating +overreached +overreaches +overreaching +overreacted +overreacting +overreaction +overreaction's +overreactions +overreacts +overrefined +overridden +override's +overriding +overripe's +overruling +overrunning +oversampling +overseeing +overseer's +overselling +oversensitive +oversensitiveness +oversensitiveness's +overshadow +overshadowed +overshadowing +overshadows +overshared +overshares +oversharing +overshoe's +overshooting +overshoots +oversight's +oversights +oversimple +oversimplification +oversimplification's +oversimplifications +oversimplified +oversimplifies +oversimplify +oversimplifying +oversleeping +oversleeps +overspecialization +overspecialization's +overspecialize +overspecialized +overspecializes +overspecializing +overspending +overspends +overspread +overspreading +overspreads +overstaffed +overstated +overstatement +overstatement's +overstatements +overstates +overstating +overstayed +overstaying +overstepped +overstepping +overstimulate +overstimulated +overstimulates +overstimulating +overstocked +overstocking +overstocks +overstretch +overstretched +overstretches +overstretching +overstrict +overstrung +overstuffed +oversubscribe +oversubscribed +oversubscribes +oversubscribing +oversubtle +oversupplied +oversupplies +oversupply +oversupplying +oversuspicious +overtaking +overtaxing +overthinking +overthinks +overthought +overthrowing +overthrown +overthrow's +overthrows +overtime's +overtiring +overtone's +overture's +overturned +overturning +overvaluation +overvaluations +overvalued +overvalues +overvaluing +overview's +overweening +overweeningly +overweight +overweight's +overwhelmed +overwhelming +overwhelmingly +overwhelms +overwinter +overwintered +overwintering +overwinters +overworked +overworking +overwork's +overwrites +overwriting +overwritten +overwrought +overzealous +ovulation's +ownership's +oxidation's +oxidization +oxidization's +oxidizer's +oxyacetylene +oxyacetylene's +Oxycontin's +oxygenated +oxygenates +oxygenating +oxygenation +oxygenation's +oxymoron's +Ozymandias +Ozymandias's +pacemaker's +pacemakers +pacesetter +pacesetter's +pacesetters +pachyderm's +pachyderms +pachysandra +pachysandra's +pachysandras +pacifically +pacification +pacification's +pacifier's +pacifism's +pacifistic +pacifist's +packager's +packaging's +packinghouse +packinghouse's +packinghouses +packsaddle +packsaddle's +packsaddles +paddocking +Paderewski +Paderewski's +padlocking +Paganini's +paganism's +pageantry's +paginating +pagination +pagination's +painfuller +painfullest +painfulness +painfulness's +painkiller +painkiller's +painkillers +painkilling +painlessly +painlessness +painlessness's +painstaking +painstakingly +painstaking's +paintboxes +paintbox's +paintbrush +paintbrushes +paintbrush's +painting's +Pakistani's +Pakistanis +Pakistan's +palanquin's +palanquins +palatalization +palatalization's +palatalize +palatalized +palatalizes +palatalizing +palatially +palatinate +palatinate's +palatinates +palatine's +palavering +paleface's +Palembang's +paleness's +Paleocene's +Paleogene's +paleographer +paleographer's +paleographers +paleography +paleography's +Paleolithic +paleolithic +Paleolithic's +paleontologist +paleontologist's +paleontologists +paleontology +paleontology's +Paleozoic's +Palestine's +Palestinian +Palestinian's +Palestinians +Palestrina +Palestrina's +palimony's +palimpsest +palimpsest's +palimpsests +palindrome +palindrome's +palindromes +palindromic +palisade's +Palisades's +Palladio's +palladium's +pallbearer +pallbearer's +pallbearers +palliating +palliation +palliation's +palliative +palliative's +palliatives +pallidness +pallidness's +Palmerston +Palmerston's +palmetto's +palmistry's +Palmolive's +palomino's +palpation's +palpitated +palpitates +palpitating +palpitation +palpitation's +palpitations +paltriness +paltriness's +pamphleteer +pamphleteer's +pamphleteers +pamphlet's +Panamanian +Panamanian's +Panamanians +Panasonic's +panatellas +panchromatic +pancreases +pancreas's +pancreatic +pancreatitis +pandemic's +pandemonium +pandemonium's +panderer's +panegyric's +panegyrics +paneling's +panelist's +panhandled +panhandler +panhandler's +panhandlers +panhandle's +panhandles +panhandling +Pankhurst's +Panmunjom's +panorama's +panpipes's +Pantagruel +Pantagruel's +Pantaloon's +pantaloons +pantaloons's +pantechnicon +pantechnicons +pantheism's +pantheistic +pantheist's +pantheists +Pantheon's +pantheon's +pantomimed +pantomime's +pantomimes +pantomimic +pantomiming +pantomimist +pantomimist's +pantomimists +pantsuit's +pantyhose's +pantyliner +pantyliner's +pantywaist +pantywaist's +pantywaists +paparazzi's +paperback's +paperbacks +paperbarks +paperboard +paperboard's +paperboy's +paperclips +papergirl's +papergirls +paperhanger +paperhanger's +paperhangers +paperhanging +paperhanging's +paperweight +paperweight's +paperweights +paperwork's +parabola's +Paracelsus +Paracelsus's +paracetamol +paracetamols +parachuted +parachute's +parachutes +parachuting +parachutist +parachutist's +parachutists +Paraclete's +paradigmatic +paradigm's +paradisaical +paradise's +paradoxical +paradoxically +paraffin's +paragliding +paragraphed +paragraphing +paragraph's +paragraphs +Paraguayan +Paraguayan's +Paraguayans +Paraguay's +parakeet's +paralegal's +paralegals +parallaxes +parallax's +paralleled +paralleling +parallelism +parallelism's +parallelisms +parallelogram +parallelogram's +parallelograms +parallel's +Paralympic +Paralympics +paralysis's +paralytic's +paralytics +paralyzing +paralyzingly +Paramaribo +Paramaribo's +paramecium +paramecium's +paramedical +paramedical's +paramedicals +paramedic's +paramedics +parameterize +parameterized +parameter's +parameters +parametric +paramilitaries +paramilitary +paramilitary's +paramountcy +Paramount's +paramour's +paranoiac's +paranoiacs +paranoia's +paranoid's +paranormal +paraphernalia +paraphernalia's +paraphrase +paraphrased +paraphrase's +paraphrases +paraphrasing +paraplegia +paraplegia's +paraplegic +paraplegic's +paraplegics +paraprofessional +paraprofessional's +paraprofessionals +parapsychologist +parapsychologist's +parapsychologists +parapsychology +parapsychology's +paraquat's +parasailing +parascending +parasite's +parasitical +parasitically +parasitism +parasitism's +parasympathetic +parasympathetics +parathion's +parathyroid +parathyroid's +parathyroids +paratrooper +paratrooper's +paratroopers +paratroops +paratroops's +paratyphoid +paratyphoid's +parboiling +Parcheesi's +parchment's +parchments +pardonable +pardonably +pardoner's +paregoric's +parentage's +parentheses +parenthesis +parenthesis's +parenthesize +parenthesized +parenthesizes +parenthesizing +parenthetic +parenthetical +parenthetically +parenthood +parenthood's +parenting's +parimutuel +parimutuel's +parimutuels +parishioner +parishioner's +parishioners +Parisian's +Parkinsonism +Parkinson's +parlance's +Parliament +parliament +parliamentarian +parliamentarian's +parliamentarians +parliamentary +Parliament's +parliament's +parliaments +Parmenides +Parmesan's +parmigiana +Parnassuses +Parnassus's +parochialism +parochialism's +parochially +parodist's +paroxysmal +paroxysm's +parqueting +parquetry's +parricidal +parricide's +parricides +Parsifal's +parsimonious +parsimoniously +parsimony's +parsonage's +parsonages +partaker's +parterre's +parthenogenesis +parthenogenesis's +Parthenon's +partiality +partiality's +participant +participant's +participants +participate +participated +participates +participating +participation +participation's +participator +participator's +participators +participatory +participial +participial's +participle +participle's +participles +particleboard +particleboard's +particle's +particular +particularities +particularity +particularity's +particularization +particularization's +particularize +particularized +particularizes +particularizing +particularly +particular's +particulars +particulate +particulate's +particulates +partisan's +partisanship +partisanship's +partitioned +partitioning +partition's +partitions +partitive's +partitives +partnering +partnership +partnership's +partnerships +partridge's +partridges +parturition +parturition's +Pasadena's +Pasquale's +passageway +passageway's +passageways +passbook's +passenger's +passengers +passerby's +passionate +passionately +passionflower +passionflower's +passionflowers +passionless +passiveness +passiveness's +passivity's +passivization +passivized +passivizes +passivizing +Passover's +passphrase +passphrases +passport's +password's +pasteboard +pasteboard's +Pasternak's +pasteurization +pasteurization's +pasteurize +pasteurized +pasteurizer +pasteurizer's +pasteurizers +pasteurizes +pasteurizing +pastiche's +pastille's +pastiness's +pastoral's +pastorate's +pastorates +pastrami's +pasturage's +pastureland +pastureland's +Patagonian +Patagonian's +Patagonia's +patchiness +patchiness's +patchwork's +patchworks +paterfamilias +paterfamiliases +paterfamilias's +paternalism +paternalism's +paternalist +paternalistic +paternalists +paternally +paternity's +paternoster +paternoster's +paternosters +Paterson's +pathetically +pathfinder +pathfinder's +pathfinders +pathogenic +pathogen's +pathological +pathologically +pathologist +pathologist's +pathologists +pathology's +patience's +patientest +patisserie +patisseries +patresfamilias +patriarchal +patriarchate +patriarchate's +patriarchates +patriarchies +patriarch's +patriarchs +patriarchy +patriarchy's +patrician's +patricians +Patricia's +patricide's +patricides +patrimonial +patrimonies +patrimony's +patriotically +patriotism +patriotism's +patrolling +patrolman's +patrolwoman +patrolwoman's +patrolwomen +patronage's +patronages +patronesses +patroness's +patronized +patronizer +patronizer's +patronizers +patronizes +patronizing +patronizingly +patronymic +patronymically +patronymic's +patronymics +patterning +Patterson's +Paulette's +paunchiest +pauperism's +pauperized +pauperizes +pauperizing +Pavarotti's +pavement's +pavilion's +Pavlovian's +pawnbroker +pawnbroker's +pawnbrokers +pawnbroking +pawnbroking's +pawnshop's +paycheck's +paymaster's +paymasters +peacefully +peacefulness +peacefulness's +peacekeeper +peacekeeper's +peacekeepers +peacekeeping +peacekeeping's +peacemaker +peacemaker's +peacemakers +peacemaking +peacemaking's +peacetime's +peasantry's +peashooter +peashooter's +peashooters +peccadillo +peccadilloes +peccadillo's +Peckinpah's +pectoral's +peculating +peculation +peculation's +peculator's +peculators +peculiarities +peculiarity +peculiarity's +peculiarly +pedagogical +pedagogically +pedagogue's +pedagogues +pedagogy's +pedantically +pedantry's +pederast's +pederasty's +pedestal's +pedestrian +pedestrianization +pedestrianize +pedestrianized +pedestrianizes +pedestrianizing +pedestrian's +pedestrians +pediatrician +pediatrician's +pediatricians +pediatrics +pediatrics's +pedicure's +pedicuring +pedicurist +pedicurist's +pedicurists +pedigree's +pediment's +pedometer's +pedometers +pedophiles +pedophilia +peduncle's +peekaboo's +peephole's +peepshow's +peevishness +peevishness's +pegboard's +peignoir's +pejoration +pejoration's +pejorative +pejoratively +pejorative's +pejoratives +Pekingese's +Pekingeses +pekingese's +pekingeses +pellagra's +Peloponnese +Peloponnese's +Pembroke's +pemmican's +penalization +penalization's +penalizing +penchant's +pencilings +Penderecki +Penderecki's +pendulum's +Penelope's +penetrability +penetrability's +penetrable +penetrated +penetrates +penetrating +penetratingly +penetration +penetration's +penetrations +penetrative +penfriends +penicillin +penicillin's +peninsular +peninsula's +peninsulas +penitence's +penitential +penitentiaries +penitentiary +penitentiary's +penitently +penitent's +penknife's +penlight's +penmanship +penmanship's +Pennington +Pennington's +Pennsylvania +Pennsylvanian +Pennsylvanian's +Pennsylvanians +Pennsylvania's +pennyweight +pennyweight's +pennyweights +pennyworth +Pennzoil's +penologist +penologist's +penologists +penology's +Pensacola's +pensionable +pensioner's +pensioners +pensioning +pensiveness +pensiveness's +pentacle's +pentagonal +Pentagon's +pentagon's +pentagram's +pentagrams +pentameter +pentameter's +pentameters +Pentateuch +Pentateuch's +pentathlete +pentathlete's +pentathletes +pentathlon +pentathlon's +pentathlons +Pentecostal +Pentecostalism +Pentecostal's +Pentecostals +Pentecost's +Pentecosts +penthouse's +penthouses +penultimate +penultimate's +penultimates +penumbra's +penuriously +penuriousness +penuriousness's +peppercorn +peppercorn's +peppercorns +peppermint +peppermint's +peppermints +pepperoni's +pepperonis +peppiness's +peradventure +peradventure's +perambulate +perambulated +perambulates +perambulating +perambulation +perambulation's +perambulations +perambulator +perambulator's +perambulators +perceivable +perceiving +percentage +percentage's +percentages +percentile +percentile's +percentiles +perceptible +perceptibly +perception +perceptional +perception's +perceptions +perceptive +perceptively +perceptiveness +perceptiveness's +perceptual +perceptually +Percheron's +percipience +percipience's +percipient +Percival's +percolated +percolates +percolating +percolation +percolation's +percolator +percolator's +percolators +percussion +percussionist +percussionist's +percussionists +percussion's +percussive +perdition's +perdurable +peregrinate +peregrinated +peregrinates +peregrinating +peregrination +peregrination's +peregrinations +peregrine's +peregrines +Perelman's +peremptorily +peremptory +perennially +perennial's +perennials +perestroika +perestroika's +perfecta's +perfectest +perfectibility +perfectibility's +perfectible +perfecting +perfection +perfectionism +perfectionism's +perfectionist +perfectionist's +perfectionists +perfection's +perfections +perfectness +perfectness's +perfidious +perfidiously +perforated +perforates +perforating +perforation +perforation's +perforations +performance +performance's +performances +performative +performer's +performers +performing +perfumeries +perfumer's +perfumery's +perfunctorily +perfunctory +pericardia +pericardial +pericarditis +pericardium +pericardium's +Periclean's +Pericles's +perihelion +perihelion's +perilously +perimeter's +perimeters +perineum's +periodical +periodically +periodical's +periodicals +periodicity +periodicity's +periodontal +periodontics +periodontics's +periodontist +periodontist's +periodontists +peripatetic +peripatetic's +peripatetics +peripheral +peripherally +peripheral's +peripherals +peripheries +periphery's +periphrases +periphrasis +periphrasis's +periphrastic +periscope's +periscopes +perishable +perishable's +perishables +peristalses +peristalsis +peristalsis's +peristaltic +peristyle's +peristyles +peritoneal +peritoneum +peritoneum's +peritoneums +peritonitis +peritonitis's +periwinkle +periwinkle's +periwinkles +perjurer's +perkiness's +permafrost +permafrost's +Permalloy's +permanence +permanence's +permanency +permanency's +permanently +permanent's +permanents +permeability +permeability's +permeating +permeation +permeation's +permissible +permissibly +permission +permission's +permissions +permissive +permissively +permissiveness +permissiveness's +permitting +permutation +permutation's +permutations +pernicious +perniciously +perniciousness +perniciousness's +peroration +peroration's +perorations +peroxide's +peroxiding +perpendicular +perpendicularity +perpendicularity's +perpendicularly +perpendicular's +perpendiculars +perpetrate +perpetrated +perpetrates +perpetrating +perpetration +perpetration's +perpetrator +perpetrator's +perpetrators +perpetually +perpetual's +perpetuals +perpetuate +perpetuated +perpetuates +perpetuating +perpetuation +perpetuation's +perpetuity +perpetuity's +perplexedly +perplexing +perplexingly +perplexities +perplexity +perplexity's +perquisite +perquisite's +perquisites +persecuted +persecutes +persecuting +persecution +persecution's +persecutions +persecutor +persecutor's +persecutors +Persephone +Persephone's +Persepolis +Persepolis's +perseverance +perseverance's +persevered +perseveres +persevering +Pershing's +persiflage +persiflage's +persimmon's +persimmons +persistence +persistence's +persistent +persistently +persisting +persnickety +personable +personage's +personages +personalities +personality +personality's +personalize +personalized +personalizes +personalizing +personally +personal's +personalty +personalty's +personification +personification's +personifications +personified +personifies +personifying +personnel's +perspective +perspective's +perspectives +perspicacious +perspicaciously +perspicacity +perspicacity's +perspicuity +perspicuity's +perspicuous +perspiration +perspiration's +perspiring +persuadable +persuader's +persuaders +persuading +persuasion +persuasion's +persuasions +persuasive +persuasively +persuasiveness +persuasiveness's +pertaining +pertinacious +pertinaciously +pertinacity +pertinacity's +pertinence +pertinence's +pertinently +pertness's +perturbation +perturbation's +perturbations +perturbing +pertussis's +Peruvian's +pervasively +pervasiveness +pervasiveness's +perversely +perverseness +perverseness's +perversion +perversion's +perversions +perversity +perversity's +perverting +Peshawar's +peskiness's +pessimism's +pessimistic +pessimistically +pessimist's +pessimists +pesticide's +pesticides +pestiferous +pestilence +pestilence's +pestilences +pestilential +petabyte's +Petersen's +Peterson's +petitioned +petitioner +petitioner's +petitioners +petitioning +petition's +Petrarch's +petrifaction +petrifaction's +petrifying +petrochemical +petrochemical's +petrochemicals +petrodollar +petrodollar's +petrodollars +petrolatum +petrolatum's +petroleum's +petrologist +petrologist's +petrologists +petrology's +petticoat's +petticoats +pettifogged +pettifogger +pettifogger's +pettifoggers +pettifoggery +pettifoggery's +pettifogging +pettiness's +petulance's +petulantly +Phaethon's +phagocyte's +phagocytes +phalanger's +phalangers +phallocentric +phallocentrism +Phanerozoic +Phanerozoic's +phantasmagoria +phantasmagoria's +phantasmagorias +phantasmagorical +phantasmal +phantasm's +Pharisaical +Pharisee's +pharisee's +pharmaceutic +pharmaceutical +pharmaceutical's +pharmaceuticals +pharmaceutic's +pharmaceutics +pharmaceutics's +pharmacies +pharmacist +pharmacist's +pharmacists +pharmacologic +pharmacological +pharmacologist +pharmacologist's +pharmacologists +pharmacology +pharmacology's +pharmacopoeia +pharmacopoeia's +pharmacopoeias +pharmacy's +pharyngeal +pharyngitis +pharyngitis's +phaseout's +pheasant's +phenacetin +phenacetin's +phenobarbital +phenobarbital's +phenomenal +phenomenally +phenomenological +phenomenology +phenomenon +phenomenon's +phenomenons +pheromone's +pheromones +Philadelphia +Philadelphia's +philandered +philanderer +philanderer's +philanderers +philandering +philandering's +philanders +philanthropic +philanthropically +philanthropies +philanthropist +philanthropist's +philanthropists +philanthropy +philanthropy's +philatelic +philatelist +philatelist's +philatelists +philately's +Philemon's +philharmonic +philharmonic's +philharmonics +Philippe's +Philippians +Philippians's +philippic's +philippics +Philippine +Philippine's +Philippines +Philippines's +Philistine +philistine +Philistine's +philistine's +philistines +philistinism +philistinism's +Phillipa's +Phillips's +philodendron +philodendron's +philodendrons +philological +philologist +philologist's +philologists +philology's +philosopher +philosopher's +philosophers +philosophic +philosophical +philosophically +philosophies +philosophize +philosophized +philosophizer +philosophizer's +philosophizers +philosophizes +philosophizing +philosophy +philosophy's +phlebitis's +phlegmatic +phlegmatically +Phoenician +Phoenician's +Phoenicians +Phoenicia's +phonecards +phonemically +phonetically +phonetician +phonetician's +phoneticians +phonetics's +phonically +phoniness's +phonograph +phonographic +phonograph's +phonographs +phonological +phonologically +phonologist +phonologist's +phonologists +phonology's +phosphate's +phosphates +phosphodiesterase +phosphorescence +phosphorescence's +phosphorescent +phosphorescently +phosphoric +phosphorous +phosphor's +phosphorus +phosphorus's +phosphorylation +photocell's +photocells +photocopied +photocopier +photocopier's +photocopiers +photocopies +photocopying +photocopy's +photoelectric +photoelectrically +photoengrave +photoengraved +photoengraver +photoengraver's +photoengravers +photoengraves +photoengraving +photoengraving's +photoengravings +photofinishing +photofinishing's +photogenic +photogenically +photograph +photographed +photographer +photographer's +photographers +photographic +photographically +photographing +photograph's +photographs +photography +photography's +photojournalism +photojournalism's +photojournalist +photojournalist's +photojournalists +photometer +photometer's +photometers +photosensitive +photostatic +Photostat's +Photostats +photostat's +photostats +Photostatted +photostatted +Photostatting +photostatting +photosynthesis +photosynthesis's +photosynthesize +photosynthesized +photosynthesizes +photosynthesizing +photosynthetic +phototropic +phototropism +phototypesetter +phototypesetting +phrasebook +phrasebooks +phraseology +phraseology's +phrasing's +phrenologist +phrenologist's +phrenologists +phrenology +phrenology's +phylacteries +phylactery +phylactery's +phylogeny's +physicality +physically +physical's +physician's +physicians +physicist's +physicists +physicking +physiognomies +physiognomy +physiognomy's +physiography +physiography's +physiologic +physiological +physiologically +physiologist +physiologist's +physiologists +physiology +physiology's +physiotherapist +physiotherapist's +physiotherapists +physiotherapy +physiotherapy's +physique's +pianissimo +pianissimo's +pianissimos +pianoforte +pianoforte's +pianofortes +picaresque +Piccadilly +Piccadilly's +piccalilli +piccalilli's +pickerel's +Pickering's +Pickford's +pickings's +pickpocket +pickpocket's +pickpockets +Pickwick's +picnicker's +picnickers +picnicking +pictograms +pictograph +pictograph's +pictographs +pictorially +pictorial's +pictorials +picturesque +picturesquely +picturesqueness +picturesqueness's +pieceworker +pieceworker's +pieceworkers +piecework's +piecrust's +Piedmont's +piercingly +piercing's +piezoelectric +pigeonhole +pigeonholed +pigeonhole's +pigeonholes +pigeonholing +piggishness +piggishness's +piggybacked +piggybacking +piggyback's +piggybacks +pigheadedly +pigheadedness +pigheadedness's +pigmentation +pigmentation's +pikestaff's +pikestaffs +pilaster's +pilchard's +Pilcomayo's +pilferage's +pilferer's +pilgrimage +pilgrimage's +pilgrimages +pillager's +pillorying +pillowcase +pillowcase's +pillowcases +pillowslip +pillowslip's +pillowslips +Pillsbury's +pilothouse +pilothouse's +pilothouses +pimiento's +pimpernel's +pimpernels +pinafore's +Pinatubo's +pincushion +pincushion's +pincushions +pineapple's +pineapples +pinfeather +pinfeather's +pinfeathers +Pinkerton's +pinkness's +pinnacle's +Pinocchio's +Pinochet's +pinochle's +pinpointed +pinpointing +pinpoint's +pinprick's +pinsetter's +pinsetters +pinstriped +pinstripe's +pinstripes +pinwheeled +pinwheeling +pinwheel's +pioneering +piousness's +pipeline's +pipsqueak's +pipsqueaks +piquancy's +Pirandello +Pirandello's +piratically +piroshki's +pirouetted +pirouette's +pirouettes +pirouetting +piscatorial +Pisistratus +Pisistratus's +pistachio's +pistachios +pistillate +Pitcairn's +pitchblende +pitchblende's +pitchforked +pitchforking +pitchfork's +pitchforks +pitchman's +piteousness +piteousness's +pithiness's +pitilessly +pitilessness +pitilessness's +pittance's +Pittsburgh +Pittsburgh's +pituitaries +pituitary's +pizzeria's +pizzicato's +placarding +placation's +placeholder +placeholder's +placeholders +placekicked +placekicker +placekicker's +placekickers +placekicking +placekick's +placekicks +placement's +placements +placentals +placenta's +placidity's +plagiarism +plagiarism's +plagiarisms +plagiarist +plagiarist's +plagiarists +plagiarize +plagiarized +plagiarizer +plagiarizer's +plagiarizers +plagiarizes +plagiarizing +plagiary's +plainchant +plainclothes +plainclothesman +plainclothesman's +plainclothesmen +plainness's +plainsman's +plainsong's +plainspoken +plaintiff's +plaintiffs +plaintively +planeload's +planeloads +planetarium +planetarium's +planetariums +plangency's +planking's +plankton's +Plantagenet +Plantagenet's +plantain's +plantation +plantation's +plantations +planting's +plasterboard +plasterboard's +plasterer's +plasterers +plastering +Plasticine +Plasticine's +plasticity +plasticity's +plasticize +plasticized +plasticizes +plasticizing +plateauing +plateful's +platelet's +platformed +platforming +platform's +platinum's +platitude's +platitudes +platitudinous +Platonism's +Platonist's +platooning +platypuses +platypus's +plausibility +plausibility's +playacting +playacting's +playback's +playbill's +playbook's +playfellow +playfellow's +playfellows +playfulness +playfulness's +playgirl's +playgoer's +playground +playground's +playgrounds +playgroups +playhouse's +playhouses +playlist's +playmate's +playroom's +playschool +playschools +PlayStation +PlayStation's +plaything's +playthings +playtime's +playwright +playwright's +playwrights +pleadingly +pleading's +pleasanter +pleasantest +pleasantly +pleasantness +pleasantness's +pleasantries +pleasantry +pleasantry's +pleasingly +pleasurable +pleasurably +pleasureful +pleasure's +pleasuring +plebeian's +plebiscite +plebiscite's +plebiscites +plectrum's +Pleiades's +Pleistocene +Pleistocene's +plenipotentiaries +plenipotentiary +plenipotentiary's +plenitude's +plenitudes +plentifully +pleonasm's +plethora's +pleurisy's +Plexiglases +Plexiglas's +pliability +pliability's +Pliocene's +plowshare's +plowshares +pluckiness +pluckiness's +plumbing's +plummeting +plumpness's +plunderer's +plunderers +plundering +pluperfect +pluperfect's +pluperfects +pluralism's +pluralistic +pluralist's +pluralists +pluralities +plurality's +pluralization +pluralization's +pluralized +pluralizes +pluralizing +plushness's +Plutarch's +plutocracies +plutocracy +plutocracy's +plutocratic +plutocrat's +plutocrats +plutonium's +Plymouth's +pneumatically +pneumococcal +pneumococci +pneumococcus +pneumonia's +poaching's +Pocahontas +Pocahontas's +pocketbook +pocketbook's +pocketbooks +pocketful's +pocketfuls +pocketknife +pocketknife's +pocketknives +pockmarked +pockmarking +pockmark's +podcasting +Podgorica's +Podhoretz's +podiatrist +podiatrist's +podiatrists +podiatry's +poetaster's +poetasters +poetically +poignancy's +poignantly +Poincare's +Poincaré's +poinciana's +poincianas +poinsettia +poinsettia's +poinsettias +pointblank +pointillism +pointillism's +pointillist +pointillist's +pointillists +pointlessly +pointlessness +pointlessness's +poisoner's +poisoning's +poisonings +poisonously +Polanski's +polarities +polarity's +polarization +polarization's +polarizing +Polaroid's +polemically +polemicist +polemicist's +polemicists +polemics's +polestar's +policeman's +policewoman +policewoman's +policewomen +policyholder +policyholder's +policyholders +policymaker +policymakers +poliomyelitis +poliomyelitis's +polisher's +Politburo's +politburo's +politburos +politeness +politeness's +politesse's +politically +politician +politician's +politicians +politicization +politicization's +politicize +politicized +politicizes +politicizing +politicking +politicking's +politico's +politics's +pollinated +pollinates +pollinating +pollination +pollination's +pollinator +pollinator's +pollinators +polliwog's +pollster's +pollutant's +pollutants +polluter's +pollution's +Pollyanna's +polonaise's +polonaises +polonium's +poltergeist +poltergeist's +poltergeists +poltroon's +polyacrylamide +polyamories +polyandrous +polyandry's +polyclinic +polyclinic's +polyclinics +polyester's +polyesters +polyethylene +polyethylene's +polygamist +polygamist's +polygamists +polygamous +polygamy's +polyglot's +polygraphed +polygraphing +polygraph's +polygraphs +polyhedral +polyhedron +polyhedron's +polyhedrons +Polyhymnia +Polyhymnia's +polymath's +polymerization +polymerization's +polymerize +polymerized +polymerizes +polymerizing +polymorphic +polymorphous +Polynesian +Polynesian's +Polynesians +Polynesia's +polynomial +polynomial's +polynomials +Polyphemus +Polyphemus's +polyphonic +polyphony's +polypropylene +polypropylene's +polysemous +polystyrene +polystyrene's +polysyllabic +polysyllable +polysyllable's +polysyllables +polytechnic +polytechnic's +polytechnics +polytheism +polytheism's +polytheist +polytheistic +polytheist's +polytheists +polyunsaturate +polyunsaturated +polyunsaturates +polyurethane +polyurethane's +polyurethanes +pomander's +pomegranate +pomegranate's +pomegranates +Pomeranian +Pomeranian's +Pomerania's +pompadoured +Pompadour's +pompadour's +pompadours +pomposity's +pompousness +pompousness's +ponderer's +ponderously +ponderousness +ponderousness's +Pontchartrain +Pontchartrain's +Pontianak's +pontifical +pontifically +pontificate +pontificated +pontificate's +pontificates +pontificating +ponytail's +poolroom's +poorhouse's +poorhouses +poorness's +popinjay's +Popocatepetl +Popocatepetl's +poppycock's +Popsicle's +populace's +popularity +popularity's +popularization +popularization's +popularize +popularized +popularizes +popularizing +populating +population +population's +populations +populism's +populist's +populousness +populousness's +porcelain's +porcelains +porcupine's +porcupines +Porfirio's +pornographer +pornographer's +pornographers +pornographic +pornographically +pornography +pornography's +porosity's +porousness +porousness's +porphyritic +porphyry's +porpoise's +porpoising +porridge's +porringer's +porringers +portability +portability's +portable's +portcullis +portcullises +portcullis's +portending +portentous +portentously +portentousness +porterhouse +porterhouse's +porterhouses +portfolio's +portfolios +porthole's +portiere's +portioning +portière's +Portland's +portliness +portliness's +portmanteau +portmanteau's +portmanteaus +portraitist +portraitist's +portraitists +portrait's +portraiture +portraiture's +portrayal's +portrayals +portraying +Portsmouth +Portsmouth's +Portugal's +Portuguese +Portuguese's +portulaca's +Poseidon's +positional +positioned +positioning +position's +positively +positiveness +positiveness's +positive's +positivism +positivist +positivists +positron's +possessing +possession +possession's +possessions +possessive +possessively +possessiveness +possessiveness's +possessive's +possessives +possessor's +possessors +possibilities +possibility +possibility's +possible's +postcard's +postcolonial +postconsonantal +postdating +postdoctoral +posterior's +posteriors +posterity's +postgraduate +postgraduate's +postgraduates +posthumous +posthumously +posthypnotic +postilion's +postilions +postindustrial +postlude's +postmarked +postmarking +postmark's +postmaster +postmaster's +postmasters +postmenopausal +postmeridian +postmistress +postmistresses +postmistress's +postmodern +postmodernism +postmodernism's +postmodernist +postmodernist's +postmodernists +postmortem +postmortem's +postmortems +postoperative +postpartum +postponement +postponement's +postponements +postponing +postprandial +postscript +postscript's +postscripts +postseason +postseason's +postseasons +postsynaptic +postulated +postulate's +postulates +postulating +postulation +postulation's +postulations +posturing's +posturings +potability +potability's +potassium's +potbellied +potbellies +potbelly's +potboiler's +potboilers +Potemkin's +potentate's +potentates +potentialities +potentiality +potentiality's +potentially +potential's +potentials +potentiate +potentiated +potentiates +potentiating +potholder's +potholders +potpourri's +potpourris +potsherd's +Pottawatomie +Pottawatomie's +poulterer's +poulterers +poultice's +poulticing +poundage's +pounding's +powerboat's +powerboats +powerfully +powerhouse +powerhouse's +powerhouses +powerlessly +powerlessness +powerlessness's +PowerPoint +PowerPoint's +Powhatan's +practicability +practicability's +practicable +practicably +practicalities +practicality +practicality's +practically +practical's +practicals +practice's +practicing +practicum's +practicums +practitioner +practitioner's +practitioners +Praetorian +praetorian +Praetorian's +pragmatical +pragmatically +pragmatic's +pragmatics +pragmatism +pragmatism's +pragmatist +pragmatist's +pragmatists +praiseworthiness +praiseworthiness's +praiseworthy +prancingly +prankster's +pranksters +praseodymium +praseodymium's +Pratchett's +pratfall's +prattler's +Praxiteles +Praxiteles's +prayerfully +preacher's +preachiest +preachment +preachment's +preadolescence +preadolescence's +preadolescences +Preakness's +preamble's +preambling +prearrange +prearranged +prearrangement +prearrangement's +prearranges +prearranging +preassigned +Precambrian +Precambrian's +precanceled +precanceling +precancel's +precancels +precancerous +precarious +precariously +precariousness +precariousness's +precaution +precautionary +precaution's +precautions +precedence +precedence's +precedent's +precedents +preceptor's +preceptors +precinct's +preciosity +preciosity's +preciously +preciousness +preciousness's +precipice's +precipices +precipitant +precipitant's +precipitants +precipitate +precipitated +precipitately +precipitate's +precipitates +precipitating +precipitation +precipitation's +precipitations +precipitous +precipitously +preciseness +preciseness's +precision's +precluding +preclusion +preclusion's +precocious +precociously +precociousness +precociousness's +precocity's +precognition +precognition's +precognitive +precolonial +preconceive +preconceived +preconceives +preconceiving +preconception +preconception's +preconceptions +precondition +preconditioned +preconditioning +precondition's +preconditions +precooking +precursor's +precursors +precursory +predator's +predecease +predeceased +predeceases +predeceasing +predecessor +predecessor's +predecessors +predefined +predesignate +predesignated +predesignates +predesignating +predestination +predestination's +predestine +predestined +predestines +predestining +predetermination +predetermination's +predetermine +predetermined +predeterminer +predeterminer's +predeterminers +predetermines +predetermining +predicable +predicament +predicament's +predicaments +predicated +predicate's +predicates +predicating +predication +predication's +predicative +predicatively +predictability +predictability's +predictable +predictably +predicting +prediction +prediction's +predictions +predictive +predictor's +predictors +predigested +predigesting +predigests +predilection +predilection's +predilections +predispose +predisposed +predisposes +predisposing +predisposition +predisposition's +predispositions +predominance +predominance's +predominant +predominantly +predominate +predominated +predominately +predominates +predominating +preeminence +preeminence's +preeminent +preeminently +preempting +preemption +preemption's +preemptive +preemptively +preexisted +preexistence +preexistence's +preexisting +prefabbing +prefabricate +prefabricated +prefabricates +prefabricating +prefabrication +prefabrication's +prefecture +prefecture's +prefectures +preferable +preferably +preference +preference's +preferences +preferential +preferentially +preferment +preferment's +preferring +prefigured +prefigures +prefiguring +preforming +prefrontal +pregnancies +pregnancy's +preheating +prehensile +prehistorian +prehistorians +prehistoric +prehistorical +prehistorically +prehistory +prehistory's +prejudging +prejudgment +prejudgment's +prejudgments +prejudiced +prejudice's +prejudices +prejudicial +prejudicing +prekindergarten +prekindergarten's +prekindergartens +preliminaries +preliminary +preliminary's +preliterate +premarital +prematurely +premedical +premeditate +premeditated +premeditates +premeditating +premeditation +premeditation's +premenstrual +premiere's +premiering +premiership +premiership's +premierships +Preminger's +premolar's +premonition +premonition's +premonitions +premonitory +Premyslid's +prenatally +Prentice's +prenuptial +preoccupation +preoccupation's +preoccupations +preoccupied +preoccupies +preoccupying +preoperative +preordained +preordaining +preordains +prepackage +prepackaged +prepackages +prepackaging +preparation +preparation's +preparations +preparatory +preparedness +preparedness's +prepayment +prepayment's +prepayments +preponderance +preponderance's +preponderances +preponderant +preponderantly +preponderate +preponderated +preponderates +preponderating +preposition +prepositional +prepositionally +preposition's +prepositions +prepossess +prepossessed +prepossesses +prepossessing +prepossession +prepossession's +prepossessions +preposterous +preposterously +prepubescence +prepubescence's +prepubescent +prepubescent's +prepubescents +prerecorded +prerecording +prerecords +preregister +preregistered +preregistering +preregisters +preregistration +preregistration's +prerequisite +prerequisite's +prerequisites +prerogative +prerogative's +prerogatives +presbyopia +presbyopia's +Presbyterian +Presbyterianism +Presbyterianism's +Presbyterianisms +Presbyterian's +Presbyterians +presbyteries +presbyter's +presbyters +presbytery +presbytery's +preschooler +preschooler's +preschoolers +preschool's +preschools +prescience +prescience's +presciently +Prescott's +prescribed +prescribes +prescribing +prescription +prescription's +prescriptions +prescriptive +prescriptively +prescript's +prescripts +preseason's +preseasons +presence's +presentable +presentably +presentation +presentation's +presentations +presenter's +presenters +presentiment +presentiment's +presentiments +presenting +presentment +presentment's +presentments +preservable +preservation +preservationist +preservationist's +preservationists +preservation's +preservative +preservative's +preservatives +preserver's +preservers +preserve's +preserving +presetting +preshrinking +preshrinks +presidencies +presidency +presidency's +presidential +president's +presidents +presidium's +presorting +pressingly +pressing's +pressman's +pressure's +pressuring +pressurization +pressurization's +pressurize +pressurized +pressurizer +pressurizer's +pressurizers +pressurizes +pressurizing +prestidigitation +prestidigitation's +prestige's +prestigious +presumable +presumably +presumption +presumption's +presumptions +presumptive +presumptuous +presumptuously +presumptuousness +presumptuousness's +presuppose +presupposed +presupposes +presupposing +presupposition +presupposition's +presuppositions +pretender's +pretenders +pretending +pretense's +pretension +pretension's +pretensions +pretentious +pretentiously +pretentiousness +pretentiousness's +preterit's +preternatural +preternaturally +pretesting +Pretoria's +prettified +prettifies +prettifying +prettiness +prettiness's +prevailing +prevalence +prevalence's +prevaricate +prevaricated +prevaricates +prevaricating +prevarication +prevarication's +prevarications +prevaricator +prevaricator's +prevaricators +preventable +preventative +preventative's +preventatives +preventing +prevention +prevention's +preventive +preventive's +preventives +previewers +previewing +previously +prevision's +previsions +Pribilof's +prickliest +prickliness +prickliness's +pridefully +priestesses +priestess's +priesthood +priesthood's +priesthoods +Priestley's +priestlier +priestliest +priestliness +priestliness's +priggishness +priggishness's +primitively +primitiveness +primitiveness's +primitive's +primitives +primness's +primogenitor +primogenitor's +primogenitors +primogeniture +primogeniture's +primordial +primordially +primrose's +princedom's +princedoms +princelier +princeliest +princeliness +princeliness's +princesses +princess's +Princeton's +principalities +principality +principality's +principally +principal's +principals +Principe's +principled +principle's +principles +printing's +printmaking +printout's +prioresses +prioress's +priorities +prioritization +prioritize +prioritized +prioritizes +prioritizing +priority's +Priscilla's +prisoner's +prissiness +prissiness's +privateer's +privateers +privation's +privations +privatization +privatization's +privatizations +privatized +privatizes +privatizing +privileged +privilege's +privileges +privileging +prizefight +prizefighter +prizefighter's +prizefighters +prizefighting +prizefighting's +prizefight's +prizefights +prizewinner +prizewinner's +prizewinners +prizewinning +proactively +probabilistic +probabilities +probability +probability's +probable's +probational +probationary +probationer +probationer's +probationers +probation's +problematic +problematical +problematically +proboscises +proboscis's +procaine's +procedural +procedure's +procedures +proceeding +proceeding's +proceedings +proceeds's +processable +processing +procession +processional +processional's +processionals +processioned +processioning +procession's +processions +processor's +processors +proclaimed +proclaiming +proclamation +proclamation's +proclamations +proclivities +proclivity +proclivity's +proconsular +proconsul's +proconsuls +procrastinate +procrastinated +procrastinates +procrastinating +procrastination +procrastination's +procrastinator +procrastinator's +procrastinators +procreated +procreates +procreating +procreation +procreation's +procreative +Procrustean +Procrustean's +Procrustes +Procrustes's +proctoring +procurable +procurator +procurator's +procurators +procurement +procurement's +procurer's +prodigality +prodigality's +prodigally +prodigal's +prodigious +prodigiously +producer's +producible +production +production's +productions +productive +productively +productiveness +productiveness's +productivity +productivity's +profanation +profanation's +profanations +profaneness +profaneness's +profanities +profanity's +professedly +professing +profession +professional +professionalism +professionalism's +professionalization +professionalize +professionalized +professionalizes +professionalizing +professionally +professional's +professionals +profession's +professions +professorial +professorially +professor's +professors +professorship +professorship's +professorships +proffering +proficiency +proficiency's +proficient +proficiently +proficient's +proficients +profitability +profitability's +profitable +profitably +profiteered +profiteering +profiteering's +profiteer's +profiteers +profiterole +profiterole's +profiteroles +profitless +profligacy +profligacy's +profligate +profligately +profligate's +profligates +profounder +profoundest +profoundly +profoundness +profoundness's +profundities +profundity +profundity's +profuseness +profuseness's +profusion's +profusions +progenitor +progenitor's +progenitors +progesterone +progesterone's +progestins +prognathous +prognosis's +prognostic +prognosticate +prognosticated +prognosticates +prognosticating +prognostication +prognostication's +prognostications +prognosticator +prognosticator's +prognosticators +prognostic's +prognostics +programmable +programmable's +programmables +programmatic +programmed +programmer +programmer's +programmers +programming +programming's +programmings +progressed +progresses +progressing +progression +progression's +progressions +progressive +progressively +progressiveness +progressiveness's +progressive's +progressives +progress's +prohibited +prohibiting +Prohibition +prohibition +prohibitionist +prohibitionist's +prohibitionists +prohibition's +prohibitions +prohibitive +prohibitively +prohibitory +projectile +projectile's +projectiles +projecting +projection +projectionist +projectionist's +projectionists +projection's +projections +projector's +projectors +prokaryotic +Prokofiev's +prolapse's +prolapsing +proletarian +proletarian's +proletarians +proletariat +proletariat's +proliferate +proliferated +proliferates +proliferating +proliferation +proliferation's +prolifically +prolixity's +prologue's +prolongation +prolongation's +prolongations +prolonging +promenaded +promenade's +promenades +promenading +Promethean +Promethean's +Prometheus +Prometheus's +promethium +promethium's +prominence +prominence's +prominently +promiscuity +promiscuity's +promiscuous +promiscuously +promisingly +promissory +promontories +promontory +promontory's +promoter's +promotional +promotion's +promotions +prompter's +prompting's +promptings +promptitude +promptitude's +promptness +promptness's +promulgate +promulgated +promulgates +promulgating +promulgation +promulgation's +promulgator +promulgator's +promulgators +proneness's +pronghorn's +pronghorns +pronominal +pronominal's +pronounceable +pronounced +pronouncement +pronouncement's +pronouncements +pronounces +pronouncing +pronuclear +pronunciation +pronunciation's +pronunciations +proofreader +proofreader's +proofreaders +proofreading +proofreads +propaganda +propaganda's +propagandist +propagandist's +propagandists +propagandize +propagandized +propagandizes +propagandizing +propagated +propagates +propagating +propagation +propagation's +propagator +propagator's +propagators +propellant +propellant's +propellants +propeller's +propellers +propelling +propensities +propensity +propensity's +propertied +properties +property's +prophecies +prophecy's +prophesied +prophesier +prophesier's +prophesiers +prophesies +prophesying +prophesy's +prophetess +prophetesses +prophetess's +prophetical +prophetically +prophylactic +prophylactic's +prophylactics +prophylaxes +prophylaxis +prophylaxis's +propinquity +propinquity's +propitiate +propitiated +propitiates +propitiating +propitiation +propitiation's +propitiatory +propitious +propitiously +proponent's +proponents +proportion +proportional +proportionality +proportionally +proportionals +proportionate +proportionately +proportioned +proportioning +proportion's +proportions +proposal's +proposer's +proposition +propositional +propositioned +propositioning +proposition's +propositions +propounded +propounding +proprietaries +proprietary +proprietary's +proprieties +proprieties's +proprietor +proprietorial +proprietorially +proprietor's +proprietors +proprietorship +proprietorship's +proprietress +proprietresses +proprietress's +propriety's +propulsion +propulsion's +propulsive +prorogation +prorogation's +proroguing +prosaically +proscenium +proscenium's +prosceniums +prosciutto +prosciutto's +proscribed +proscribes +proscribing +proscription +proscription's +proscriptions +prosecuted +prosecutes +prosecuting +prosecution +prosecution's +prosecutions +prosecutor +prosecutor's +prosecutors +proselyted +proselyte's +proselytes +proselyting +proselytism +proselytism's +proselytize +proselytized +proselytizer +proselytizer's +proselytizers +proselytizes +proselytizing +Proserpina +Proserpina's +Proserpine +Proserpine's +prospected +prospecting +prospective +prospectively +prospector +prospector's +prospectors +prospect's +prospectus +prospectuses +prospectus's +prospering +prosperity +prosperity's +prosperous +prosperously +prostate's +prostheses +prosthesis +prosthesis's +prosthetic +prostitute +prostituted +prostitute's +prostitutes +prostituting +prostitution +prostitution's +prostrated +prostrates +prostrating +prostration +prostration's +prostrations +protactinium +protactinium's +protagonist +protagonist's +protagonists +Protagoras +Protagoras's +protecting +protection +protectionism +protectionism's +protectionist +protectionist's +protectionists +protection's +protections +protective +protectively +protectiveness +protectiveness's +protectorate +protectorate's +protectorates +protector's +protectors +Proterozoic +Proterozoic's +Protestant +protestant +Protestantism +Protestantism's +Protestantisms +Protestant's +Protestants +protestants +protestation +protestation's +protestations +protester's +protesters +protesting +protocol's +protoplasm +protoplasmic +protoplasm's +prototype's +prototypes +prototypical +prototyping +protozoan's +protozoans +protracted +protracting +protraction +protraction's +protractor +protractor's +protractors +protruding +protrusile +protrusion +protrusion's +protrusions +protuberance +protuberance's +protuberances +protuberant +Proudhon's +provability +provability's +Provençal's +provenance +provenance's +provenances +Provencal's +Provencals +Provence's +provender's +provenience +provenience's +proverbial +proverbially +Providence +providence +Providence's +Providences +providence's +providential +providentially +providently +provider's +province's +provincial +provincialism +provincialism's +provincially +provincial's +provincials +provisional +provisionally +provisioned +provisioning +provision's +provisions +provocateur +provocateurs +provocation +provocation's +provocations +provocative +provocatively +provocativeness +provocativeness's +provoker's +provokingly +provolone's +proximity's +Prudence's +prudence's +Prudential +prudential +prudentially +Prudential's +prudishness +prudishness's +prurience's +pruriently +Prussian's +psalmist's +psalteries +psaltery's +psephologist +psephologists +psephology +pseudonymous +pseudonym's +pseudonyms +pseudoscience +pseudoscience's +pseudosciences +psittacosis +psittacosis's +psoriasis's +psychedelia +psychedelic +psychedelically +psychedelic's +psychedelics +psychiatric +psychiatrist +psychiatrist's +psychiatrists +psychiatry +psychiatry's +psychically +psychoactive +psychoanalyses +psychoanalysis +psychoanalysis's +psychoanalyst +psychoanalyst's +psychoanalysts +psychoanalytic +psychoanalytical +psychoanalytically +psychoanalyze +psychoanalyzed +psychoanalyzes +psychoanalyzing +psychobabble +psychobabble's +psychodrama +psychodrama's +psychodramas +psychogenic +psychokinesis +psychokinetic +psychological +psychologically +psychologies +psychologist +psychologist's +psychologists +psychology +psychology's +psychometric +psychoneuroses +psychoneurosis +psychoneurosis's +psychopath +psychopathic +psychopathology +psychopath's +psychopaths +psychopathy +psychopathy's +psychopharmacology +psychosis's +psychosomatic +psychotherapies +psychotherapist +psychotherapist's +psychotherapists +psychotherapy +psychotherapy's +psychotically +psychotic's +psychotics +psychotropic +psychotropic's +psychotropics +ptarmigan's +ptarmigans +pterodactyl +pterodactyl's +pterodactyls +Ptolemaic's +ptomaine's +pubescence +pubescence's +publican's +publication +publication's +publications +publicist's +publicists +publicity's +publicized +publicizes +publicizing +publishable +publisher's +publishers +publishing +publishing's +puckishness +puckishness's +puddling's +pudendum's +pudginess's +puerility's +puffball's +puffiness's +pugilism's +pugilistic +pugilist's +pugnacious +pugnaciously +pugnaciousness +pugnaciousness's +pugnacity's +pulchritude +pulchritude's +pulchritudinous +Pulitzer's +pullback's +pullover's +pulpiness's +pulpwood's +pulsation's +pulsations +pulverization +pulverization's +pulverized +pulverizes +pulverizing +pumpernickel +pumpernickel's +puncheon's +punchlines +punctilio's +punctilious +punctiliously +punctiliousness +punctiliousness's +punctuality +punctuality's +punctually +punctuated +punctuates +punctuating +punctuation +punctuation's +puncture's +puncturing +punditry's +pungency's +puniness's +punishable +punishingly +punishment +punishment's +punishments +punitively +puppeteer's +puppeteers +puppetry's +purchasable +purchaser's +purchasers +purchase's +purchasing +purebred's +pureness's +purgative's +purgatives +purgatorial +purgatories +purgatory's +purification +purification's +purifier's +puritanical +puritanically +Puritanism +puritanism +Puritanism's +Puritanisms +puritanism's +purloining +purportedly +purporting +purposeful +purposefully +purposefulness +purposefulness's +purposeless +purposelessly +purposelessness +pursuance's +purulence's +purveyance +purveyance's +purveyor's +pushcart's +pushchairs +pushiness's +pushover's +pusillanimity +pusillanimity's +pusillanimous +pusillanimously +pussycat's +pussyfooted +pussyfooting +pussyfoots +putrefaction +putrefaction's +putrefactive +putrefying +putrescence +putrescence's +putrescent +putterer's +puzzlement +puzzlement's +pyelonephritis +Pygmalion's +Pyongyang's +pyorrhea's +pyramiding +Pyrenees's +pyrimidine +pyrimidine's +pyrimidines +pyromaniac +pyromaniac's +pyromaniacs +pyromania's +pyrotechnic +pyrotechnical +pyrotechnics +pyrotechnics's +Pythagoras +Pythagoras's +Pythagorean +Pythagorean's +Quaalude's +quackery's +quadrangle +quadrangle's +quadrangles +quadrangular +quadrant's +quadraphonic +quadratic's +quadratics +quadrature +quadrennial +quadrennium +quadrennium's +quadrenniums +quadriceps +quadricepses +quadriceps's +quadrilateral +quadrilateral's +quadrilaterals +quadrille's +quadrilles +quadrillion +quadrillion's +quadrillions +quadriplegia +quadriplegia's +quadriplegic +quadriplegic's +quadriplegics +quadrivium +quadrivium's +quadrupedal +quadruped's +quadrupeds +quadrupled +quadruple's +quadruples +quadruplet +quadruplet's +quadruplets +quadruplicate +quadruplicated +quadruplicate's +quadruplicates +quadruplicating +quadruplication +quadruplication's +quadrupling +quagmire's +quaintness +quaintness's +Quakerism's +Quakerisms +qualification +qualification's +qualifications +qualifier's +qualifiers +qualifying +qualitative +qualitatively +quandaries +quandary's +quantifiable +quantification +quantification's +quantified +quantifier +quantifier's +quantifiers +quantifies +quantifying +quantitative +quantitatively +quantities +quantity's +quarantine +quarantined +quarantine's +quarantines +quarantining +quarreler's +quarrelers +quarreling +quarrelsome +quarrelsomeness +quarrelsomeness's +quarterback +quarterbacked +quarterbacking +quarterback's +quarterbacks +quarterdeck +quarterdeck's +quarterdecks +quarterfinal +quarterfinal's +quarterfinals +quartering +quarterlies +quarterly's +quartermaster +quartermaster's +quartermasters +quarterstaff +quarterstaff's +quarterstaves +Quasimodo's +Quaternary +Quaternary's +quatrain's +Québecois's +queasiness +queasiness's +Quebecois's +queenliest +Queensland +Queensland's +queerness's +quenchable +quencher's +quenchless +querulously +querulousness +querulousness's +quesadilla +quesadilla's +quesadillas +questionable +questionably +questioned +questioner +questioner's +questioners +questioning +questioningly +questioning's +questionings +questionnaire +questionnaire's +questionnaires +question's +Quetzalcoatl +Quetzalcoatl's +quibbler's +quickening +quicklime's +quickness's +quicksand's +quicksands +quicksilver +quicksilver's +quickstep's +quicksteps +quiescence +quiescence's +quiescently +quietening +quietness's +quietude's +quilting's +quintessence +quintessence's +quintessences +quintessential +quintessentially +Quintilian +Quintilian's +quintupled +quintuple's +quintuples +quintuplet +quintuplet's +quintuplets +quintupling +quipster's +Quirinal's +quirkiness +quirkiness's +Quisling's +quisling's +quitclaim's +quitclaims +quittance's +quixotically +Quixotism's +quizzically +quotability +quotability's +quotation's +quotations +quotient's +rabbinate's +rabbinical +Rabelaisian +Rabelaisian's +Rabelais's +rabidness's +racecourse +racecourse's +racecourses +racehorse's +racehorses +racetrack's +racetracks +Rachelle's +Rachmaninoff +Rachmaninoff's +racialism's +racialist's +racialists +raciness's +racketeered +racketeering +racketeering's +racketeer's +racketeers +raconteur's +raconteurs +racquetball +racquetball's +racquetballs +radarscope +radarscope's +radarscopes +Radcliffe's +radiance's +radiation's +radiations +radiator's +radicalism +radicalism's +radicalization +radicalization's +radicalize +radicalized +radicalizes +radicalizing +radicchio's +radioactive +radioactively +radioactivity +radioactivity's +radiocarbon +radiocarbon's +radiogram's +radiograms +radiographer +radiographer's +radiographers +radiography +radiography's +radioisotope +radioisotope's +radioisotopes +radiologist +radiologist's +radiologists +radiology's +radioman's +radiometer +radiometer's +radiometers +radiometric +radiometry +radiometry's +radiophone +radiophone's +radiophones +radioscopy +radioscopy's +radiosonde +radiosonde's +radiosondes +radiosurgery +radiotelegraph +radiotelegraph's +radiotelegraphs +radiotelegraphy +radiotelegraphy's +radiotelephone +radiotelephone's +radiotelephones +radiotherapist +radiotherapist's +radiotherapists +radiotherapy +radiotherapy's +raffishness +raffishness's +ragamuffin +ragamuffin's +ragamuffins +raggediest +raggedness +raggedness's +Ragnarök's +Ragnarok's +railleries +raillery's +railroaded +railroader +railroader's +railroaders +railroading +railroading's +railroad's +railwayman +railwaymen +raincoat's +raindrop's +rainfall's +rainmaker's +rainmakers +rainmaking +rainmaking's +rainstorm's +rainstorms +rainwater's +rakishness +rakishness's +Ramakrishna +Ramakrishna's +Ramanujan's +Ramayana's +rambunctious +rambunctiously +rambunctiousness +rambunctiousness's +ramification +ramification's +ramifications +rampancy's +ramrodding +ramshackle +ranching's +rancidity's +rancidness +rancidness's +rancorously +randiness's +Randolph's +randomization +randomization's +randomized +randomizes +randomizing +randomness +randomnesses +randomness's +rangefinder +rangefinders +ranginess's +rankness's +ransacking +ransomer's +ransomware +rapaciously +rapaciousness +rapaciousness's +rapacity's +rapeseed's +rapidity's +rapidness's +Rappaport's +rappelling +rapporteur +rapporteurs +rapprochement +rapprochement's +rapprochements +rapscallion +rapscallion's +rapscallions +raptness's +rapturously +Rapunzel's +rarefaction +rarefaction's +rareness's +Rasalgethi +Rasalgethi's +Rasalhague +Rasalhague's +rashness's +Rasmussen's +raspberries +raspberry's +Rasputin's +Rastaban's +Rastafarian +Rastafarianism +Rastafarian's +Rastafarians +ratatouille +ratatouille's +ratcheting +ratepayers +rathskeller +rathskeller's +rathskellers +ratification +ratification's +ratifier's +ratiocinate +ratiocinated +ratiocinates +ratiocinating +ratiocination +ratiocination's +rationale's +rationales +rationalism +rationalism's +rationalist +rationalistic +rationalist's +rationalists +rationality +rationality's +rationalization +rationalization's +rationalizations +rationalize +rationalized +rationalizes +rationalizing +rationally +rational's +rattlebrain +rattlebrained +rattlebrain's +rattlebrains +rattlesnake +rattlesnake's +rattlesnakes +rattletrap +rattletrap's +rattletraps +raucousness +raucousness's +raunchiest +raunchiness +raunchiness's +ravenously +ravisher's +ravishingly +ravishment +ravishment's +Rawalpindi +Rawalpindi's +Rayleigh's +Raymundo's +razorback's +razorbacks +razzmatazz +razzmatazz's +reabsorbed +reabsorbing +reacquaint +reacquainted +reacquainting +reacquaints +reacquired +reacquires +reacquiring +reactant's +reactionaries +reactionary +reactionary's +reaction's +reactivate +reactivated +reactivates +reactivating +reactivation +reactivation's +reactivity +readabilities +readability +readability's +readdressed +readdresses +readdressing +readership +readership's +readerships +readiness's +readjusted +readjusting +readjustment +readjustment's +readjustments +readmission +readmission's +readmitted +readmitting +readopting +reaffirmation +reaffirmation's +reaffirmations +reaffirmed +reaffirming +reafforestation +Reaganomics +Reaganomics's +realigning +realignment +realignment's +realignments +realistically +realizable +realization +realization's +realizations +reallocate +reallocated +reallocates +reallocating +reallocation +reallocation's +realness's +realpolitik +realpolitik's +reanalyses +reanalysis +reanalysis's +reanalyzed +reanalyzes +reanalyzing +reanimated +reanimates +reanimating +reanimation +reanimation's +reappearance +reappearance's +reappearances +reappeared +reappearing +reapplication +reapplication's +reapplications +reapplying +reappointed +reappointing +reappointment +reappointment's +reappoints +reapportion +reapportioned +reapportioning +reapportionment +reapportionment's +reapportions +reappraisal +reappraisal's +reappraisals +reappraise +reappraised +reappraises +reappraising +rearguard's +rearguards +rearmament +rearmament's +rearranged +rearrangement +rearrangement's +rearrangements +rearranges +rearranging +rearrested +rearresting +rearrest's +reascended +reascending +reasonable +reasonableness +reasonableness's +reasonably +Reasoner's +reasoner's +reasoning's +reassemble +reassembled +reassembles +reassembling +reassembly +reassembly's +reasserted +reasserting +reassertion +reassertion's +reassessed +reassesses +reassessing +reassessment +reassessment's +reassessments +reassigned +reassigning +reassignment +reassignment's +reassignments +reassurance +reassurance's +reassurances +reassuring +reassuringly +reattached +reattaches +reattaching +reattachment +reattachment's +reattained +reattaining +reattempted +reattempting +reattempts +reauthorize +reauthorized +reauthorizes +reauthorizing +reawakened +reawakening +rebellion's +rebellions +rebellious +rebelliously +rebelliousness +rebelliousness's +rebounding +rebroadcast +rebroadcasting +rebroadcast's +rebroadcasts +rebuilding +rebukingly +reburial's +rebuttal's +recalcitrance +recalcitrance's +recalcitrant +recalculate +recalculated +recalculates +recalculating +recalculation +recalculation's +recalculations +recantation +recantation's +recantations +recapitalization +recapitalize +recapitalized +recapitalizes +recapitalizing +recapitulate +recapitulated +recapitulates +recapitulating +recapitulation +recapitulation's +recapitulations +recaptured +recapture's +recaptures +recapturing +recasting's +receipting +receivable +receivables +receivables's +receiver's +receivership +receivership's +recentness +recentness's +receptacle +receptacle's +receptacles +receptionist +receptionist's +receptionists +reception's +receptions +receptively +receptiveness +receptiveness's +receptivity +receptivity's +receptor's +recessional +recessional's +recessionals +recessionary +recession's +recessions +recessive's +recessives +rechargeable +recharge's +recharging +rechartered +rechartering +recharters +rechecking +rechristen +rechristened +rechristening +rechristens +recidivism +recidivism's +recidivist +recidivist's +recidivists +recipient's +recipients +reciprocal +reciprocally +reciprocal's +reciprocals +reciprocate +reciprocated +reciprocates +reciprocating +reciprocation +reciprocation's +reciprocity +reciprocity's +recirculate +recirculated +recirculates +recirculating +recitalist +recitalist's +recitalists +recitation +recitation's +recitations +recitative +recitative's +recitatives +recklessly +recklessness +recklessness's +reckoning's +reckonings +reclaimable +reclaiming +reclamation +reclamation's +reclassification +reclassification's +reclassified +reclassifies +reclassify +reclassifying +recliner's +recognition +recognition's +recognizable +recognizably +recognizance +recognizance's +recognized +recognizer +recognizes +recognizing +recollected +recollecting +recollection +recollection's +recollections +recollects +recolonization +recolonization's +recolonize +recolonized +recolonizes +recolonizing +recoloring +recombination +recombined +recombines +recombining +recommence +recommenced +recommencement +recommencement's +recommences +recommencing +recommendable +recommendation +recommendation's +recommendations +recommended +recommending +recommends +recommission +recommissioned +recommissioning +recommissions +recommitted +recommitting +recompense +recompensed +recompense's +recompenses +recompensing +recompilation +recompiled +recompiling +recomposed +recomposes +recomposing +recomputed +recomputes +recomputing +reconcilable +reconciled +reconciles +reconciliation +reconciliation's +reconciliations +reconciling +recondition +reconditioned +reconditioning +reconditions +reconfiguration +reconfigure +reconfigured +reconfirmation +reconfirmation's +reconfirmations +reconfirmed +reconfirming +reconfirms +reconnaissance +reconnaissance's +reconnaissances +reconnected +reconnecting +reconnects +reconnoiter +reconnoitered +reconnoitering +reconnoiters +reconquered +reconquering +reconquers +reconquest +reconquest's +reconsecrate +reconsecrated +reconsecrates +reconsecrating +reconsecration +reconsecration's +reconsider +reconsideration +reconsideration's +reconsidered +reconsidering +reconsiders +reconsigned +reconsigning +reconsigns +reconstitute +reconstituted +reconstitutes +reconstituting +reconstitution +reconstitution's +reconstruct +reconstructed +reconstructing +Reconstruction +reconstruction +Reconstruction's +reconstruction's +reconstructions +reconstructive +reconstructs +recontacted +recontacting +recontacts +recontaminate +recontaminated +recontaminates +recontaminating +reconvened +reconvenes +reconvening +reconverted +reconverting +reconverts +recorder's +recording's +recordings +recounting +recourse's +recoverable +recoveries +recovering +recovery's +recreant's +recreating +recreation +recreational +recreation's +recreations +recriminate +recriminated +recriminates +recriminating +recrimination +recrimination's +recriminations +recriminatory +recrossing +recrudesce +recrudesced +recrudescence +recrudescence's +recrudescent +recrudesces +recrudescing +recruiter's +recruiters +recruiting +recruitment +recruitment's +recrystallize +recrystallized +recrystallizes +recrystallizing +rectangle's +rectangles +rectangular +rectifiable +rectification +rectification's +rectifications +rectifier's +rectifiers +rectifying +rectilinear +rectitude's +recuperate +recuperated +recuperates +recuperating +recuperation +recuperation's +recuperative +recurrence +recurrence's +recurrences +recurrently +recursions +recursively +recyclable +recyclable's +recyclables +recycling's +redaction's +redactor's +redbreast's +redbreasts +redcurrant +redcurrants +redecorate +redecorated +redecorates +redecorating +redecoration +redecoration's +rededicate +rededicated +rededicates +rededicating +redeemable +Redeemer's +redeemer's +redefining +redefinition +redefinition's +redelivered +redelivering +redelivers +redemption +redemption's +redemptive +redeployed +redeploying +redeployment +redeployment's +redeposited +redepositing +redeposit's +redeposits +redesigned +redesigning +redetermine +redetermined +redetermines +redetermining +redeveloped +redeveloping +redevelopment +redevelopment's +redevelopments +redevelops +Redgrave's +redirected +redirecting +redirection +rediscover +rediscovered +rediscoveries +rediscovering +rediscovers +rediscovery +rediscovery's +redissolve +redissolved +redissolves +redissolving +redistribute +redistributed +redistributes +redistributing +redistribution +redistribution's +redistributor +redistributors +redistrict +redistricted +redistricting +redistricts +redividing +redlining's +redolence's +redoubling +redoubtable +redoubtably +redounding +redrafting +redressing +reductase's +reductionist +reduction's +reductions +redundancies +redundancy +redundancy's +redundantly +reduplicate +reduplicated +reduplicates +reduplicating +reduplication +reduplication's +reediness's +reeducated +reeducates +reeducating +reeducation +reeducation's +reelecting +reelection +reelection's +reelections +reembarked +reembarking +reembodied +reembodies +reembodying +reemergence +reemergence's +reemerging +reemphasize +reemphasized +reemphasizes +reemphasizing +reemployed +reemploying +reemployment +reemployment's +reenacting +reenactment +reenactment's +reenactments +reengaging +reenlisted +reenlisting +reenlistment +reenlistment's +reentering +reequipped +reequipping +reestablish +reestablished +reestablishes +reestablishing +reestablishment +reestablishment's +reevaluate +reevaluated +reevaluates +reevaluating +reevaluation +reevaluation's +reevaluations +reexamination +reexamination's +reexaminations +reexamined +reexamines +reexamining +reexplained +reexplaining +reexplains +reexported +reexporting +refactored +refactoring +refashioned +refashioning +refashions +refastened +refastening +refection's +refectories +refectory's +refereeing +referenced +reference's +references +referencing +referendum +referendum's +referendums +referential +referent's +referral's +referrer's +refillable +refinanced +refinances +refinancing +refinement +refinement's +refinements +refineries +refinery's +refinished +refinishes +refinishing +reflationary +reflations +reflecting +reflection +reflection's +reflections +reflective +reflectively +reflector's +reflectors +reflexively +reflexive's +reflexives +reflexology +refocusing +reforestation +reforestation's +reforested +reforesting +Reformation +reformation +Reformation's +Reformations +reformation's +reformations +reformative +reformatories +reformatory +reformatory's +reformatted +reformatting +reformer's +reformists +reformulate +reformulated +reformulates +reformulating +reformulation +reformulation's +reformulations +refortified +refortifies +refortifying +refracting +refraction +refraction's +refractive +refractories +refractory +refractory's +refraining +refreezing +refresher's +refreshers +refreshing +refreshingly +refreshment +refreshment's +refreshments +refreshments's +refrigerant +refrigerant's +refrigerants +refrigerate +refrigerated +refrigerates +refrigerating +refrigeration +refrigeration's +refrigerator +refrigerator's +refrigerators +refulgence +refulgence's +refundable +refurbished +refurbishes +refurbishing +refurbishment +refurbishment's +refurbishments +refurnished +refurnishes +refurnishing +refutation +refutation's +refutations +regalement +regalement's +regardless +regathered +regathering +regeneracy +regeneracy's +regenerate +regenerated +regenerates +regenerating +regeneration +regeneration's +regenerative +regicide's +regimental +regimentation +regimentation's +regimented +regimenting +regiment's +Reginald's +regionalism +regionalism's +regionalisms +regionally +registered +registering +register's +registrant +registrant's +registrants +registrar's +registrars +registration +registration's +registrations +registries +registry's +regressing +regression +regression's +regressions +regressive +regretfully +regrettable +regrettably +regretting +regrinding +regrouping +regrowth's +regularities +regularity +regularity's +regularization +regularization's +regularize +regularized +regularizes +regularizing +regulating +regulation +regulation's +regulations +regulative +regulator's +regulators +regulatory +regurgitate +regurgitated +regurgitates +regurgitating +regurgitation +regurgitation's +rehabilitate +rehabilitated +rehabilitates +rehabilitating +rehabilitation +rehabilitation's +rehabilitative +rehearing's +rehearings +rehearsal's +rehearsals +rehearsing +Rehnquist's +Reichstag's +reigniting +reimbursable +reimbursed +reimbursement +reimbursement's +reimbursements +reimburses +reimbursing +reimposing +Reinaldo's +reincarnate +reincarnated +reincarnates +reincarnating +reincarnation +reincarnation's +reincarnations +reincorporate +reincorporated +reincorporates +reincorporating +reincorporation +reincorporation's +reindeer's +reinfected +reinfecting +reinfection +reinfection's +reinfections +reinflated +reinflates +reinflating +reinforced +reinforcement +reinforcement's +reinforcements +reinforces +reinforcing +Reinhardt's +Reinhold's +reinitialize +reinitialized +reinoculate +reinoculated +reinoculates +reinoculating +reinserted +reinserting +reinsertion +reinsertion's +reinspected +reinspecting +reinspects +reinstalled +reinstalling +reinstated +reinstatement +reinstatement's +reinstates +reinstating +reinsurance +reintegrate +reintegrated +reintegrates +reintegrating +reintegration +reintegration's +reinterpret +reinterpretation +reinterpretation's +reinterpretations +reinterpreted +reinterpreting +reinterprets +reintroduce +reintroduced +reintroduces +reintroducing +reintroduction +reintroduction's +reinvented +reinventing +reinvention +reinvention's +reinventions +reinvested +reinvesting +reinvestment +reinvestment's +reinvigorate +reinvigorated +reinvigorates +reinvigorating +reiterated +reiterates +reiterating +reiteration +reiteration's +reiterations +reiterative +rejection's +rejections +rejiggered +rejiggering +rejoicing's +rejoicings +rejoinder's +rejoinders +rejuvenate +rejuvenated +rejuvenates +rejuvenating +rejuvenation +rejuvenation's +rekindling +relabeling +relatedness +relatedness's +relational +relation's +relationship +relationship's +relationships +relatively +relative's +relativism +relativism's +relativist +relativistic +relativists +relativity +relativity's +relaunched +relaunches +relaunching +relaunch's +relaxant's +relaxation +relaxation's +relaxations +relearning +releasable +relegating +relegation +relegation's +relentless +relentlessly +relentlessness +relentlessness's +relevance's +relevancy's +relevantly +reliability +reliability's +reliance's +reliever's +relighting +religion's +religiosity +religiously +religiousness +religiousness's +religious's +relinquish +relinquished +relinquishes +relinquishing +relinquishment +relinquishment's +reliquaries +reliquary's +relocatable +relocating +relocation +relocation's +reluctance +reluctance's +reluctantly +remaindered +remaindering +remainder's +remainders +remarkable +remarkableness +remarkableness's +remarkably +Remarque's +remarriage +remarriage's +remarriages +remarrying +remastered +remastering +Rembrandt's +remeasured +remeasures +remeasuring +remediable +remedially +remediation +remediation's +remembered +remembering +remembrance +remembrance's +remembrances +remigrated +remigrates +remigrating +reminder's +Remington's +reminisced +reminiscence +reminiscence's +reminiscences +reminiscent +reminiscently +reminisces +reminiscing +remission's +remissions +remissness +remissness's +remittance +remittance's +remittances +remodeling +remonstrance +remonstrance's +remonstrances +remonstrant +remonstrant's +remonstrants +remonstrate +remonstrated +remonstrates +remonstrating +remorseful +remorsefully +remorseless +remorselessly +remorselessness +remorselessness's +remortgage +remortgaged +remortgages +remortgaging +remoteness +remoteness's +remounting +remunerate +remunerated +remunerates +remunerating +remuneration +remuneration's +remunerations +remunerative +Renaissance +renaissance +Renaissance's +Renaissances +renaissance's +renaissances +Renascence +renascence +renascence's +renascences +rendering's +renderings +rendezvous +rendezvoused +rendezvouses +rendezvousing +rendezvous's +rendition's +renditions +renegade's +renegading +renegotiable +renegotiate +renegotiated +renegotiates +renegotiating +renegotiation +renegotiation's +renominate +renominated +renominates +renominating +renomination +renomination's +renouncement +renouncement's +renouncing +renovating +renovation +renovation's +renovations +renovator's +renovators +renumbered +renumbering +renunciation +renunciation's +renunciations +reoccupation +reoccupation's +reoccupied +reoccupies +reoccupying +reoccurred +reoccurring +reordering +reorganization +reorganization's +reorganizations +reorganize +reorganized +reorganizes +reorganizing +reorientation +reorientation's +reoriented +reorienting +repackaged +repackages +repackaging +repainting +repairable +repairer's +repairman's +reparation +reparation's +reparations +reparations's +repartee's +repatriate +repatriated +repatriate's +repatriates +repatriating +repatriation +repatriation's +repatriations +repayment's +repayments +repeatability +repeatable +repeatably +repeatedly +repeater's +repeating's +repellent's +repellents +repentance +repentance's +repentantly +repercussion +repercussion's +repercussions +repertoire +repertoire's +repertoires +repertories +repertory's +repetition +repetition's +repetitions +repetitious +repetitiously +repetitiousness +repetitiousness's +repetitive +repetitively +repetitiveness +repetitiveness's +rephotograph +rephotographed +rephotographing +rephotographs +rephrasing +replaceable +replacement +replacement's +replacements +replanting +replenished +replenishes +replenishing +replenishment +replenishment's +repleteness +repleteness's +repletion's +replicated +replicates +replicating +replication +replication's +replications +replicator +replicators +repopulate +repopulated +repopulates +repopulating +reportage's +reportedly +reporter's +reportorial +reposition +repositioning +repositories +repository +repository's +repossessed +repossesses +repossessing +repossession +repossession's +repossessions +reprehended +reprehending +reprehends +reprehensibility +reprehensibility's +reprehensible +reprehensibly +reprehension +reprehension's +representation +representational +representation's +representations +Representative +representative +representative's +representatives +represented +representing +represents +repressing +repression +repression's +repressions +repressive +repressively +repressiveness +reprieve's +reprieving +reprimanded +reprimanding +reprimand's +reprimands +reprinting +reprisal's +reproachable +reproached +reproaches +reproachful +reproachfully +reproaching +reproach's +reprobate's +reprobates +reprocessed +reprocesses +reprocessing +reproduced +reproducer +reproducer's +reproducers +reproduces +reproducible +reproducing +reproduction +reproduction's +reproductions +reproductive +reprogrammed +reprogramming +reprograms +reproofing +reprovingly +reptilian's +reptilians +Republican +republican +Republicanism +republicanism +republicanism's +Republican's +Republicans +republican's +republicans +republication +republication's +republications +republic's +republished +republishes +republishing +repudiated +repudiates +repudiating +repudiation +repudiation's +repudiations +repudiator +repudiator's +repudiators +repugnance +repugnance's +repulsion's +repulsively +repulsiveness +repulsiveness's +repurchase +repurchased +repurchases +repurchasing +reputability +reputability's +reputation +reputation's +reputations +requesting +requirement +requirement's +requirements +requisite's +requisites +requisition +requisitioned +requisitioning +requisition's +requisitions +requital's +requiter's +rerecorded +rerecording +reschedule +rescheduled +reschedules +rescheduling +rescinding +rescission +rescission's +resealable +researched +researcher +researcher's +researchers +researches +researching +research's +resection's +resections +resemblance +resemblance's +resemblances +resembling +resentfully +resentfulness +resentfulness's +resentment +resentment's +resentments +reserpine's +reservation +reservation's +reservations +reservedly +reservedness +reservedness's +reservist's +reservists +reservoir's +reservoirs +resettlement +resettlement's +resettling +resharpened +resharpening +resharpens +reshipment +reshipment's +reshipping +reshuffled +reshuffle's +reshuffles +reshuffling +residence's +residences +residencies +residency's +residential +resident's +residual's +residuum's +resignation +resignation's +resignations +resignedly +resilience +resilience's +resiliency +resiliency's +resiliently +Resistance +resistance +resistance's +resistances +resister's +resistible +resistivity +resistless +resistor's +resolutely +resoluteness +resoluteness's +resolution +resolution's +resolutions +resolvable +resonance's +resonances +resonantly +resonating +resonator's +resonators +resorption +resorption's +resounding +resoundingly +resourceful +resourcefully +resourcefulness +resourcefulness's +resource's +resourcing +respectability +respectability's +respectable +respectably +respecter's +respecters +respectful +respectfully +respectfulness +respectfulness's +respecting +respective +respectively +respelling +respiration +respiration's +respirator +respirator's +respirators +respiratory +resplendence +resplendence's +resplendent +resplendently +respondent +respondent's +respondents +responding +response's +responsibilities +responsibility +responsibility's +responsible +responsibly +responsive +responsively +responsiveness +responsiveness's +respraying +restaffing +restarting +restatement +restatement's +restatements +restaurant +restaurant's +restaurants +restaurateur +restaurateur's +restaurateurs +restfuller +restfullest +restfulness +restfulness's +restitched +restitches +restitching +restitution +restitution's +restiveness +restiveness's +restlessly +restlessness +restlessness's +restocking +Restoration +restoration +Restoration's +restoration's +restorations +restorative +restorative's +restoratives +restorer's +restrained +restrainer +restrainer's +restrainers +restraining +restraint's +restraints +restrengthen +restrengthened +restrengthening +restrengthens +restricted +restricting +restriction +restriction's +restrictions +restrictive +restrictively +restrictiveness +restrictiveness's +restringing +restroom's +restructure +restructured +restructures +restructuring +restructuring's +restructurings +restudying +resubmitted +resubmitting +resubscribe +resubscribed +resubscribes +resubscribing +resultant's +resultants +resumption +resumption's +resumptions +resupplied +resupplies +resupplying +resurfaced +resurfaces +resurfacing +resurgence +resurgence's +resurgences +resurrected +resurrecting +Resurrection +resurrection +resurrection's +resurrections +resurrects +resurveyed +resurveying +resuscitate +resuscitated +resuscitates +resuscitating +resuscitation +resuscitation's +resuscitator +resuscitator's +resuscitators +retailer's +retainer's +retaliated +retaliates +retaliating +retaliation +retaliation's +retaliations +retaliative +retaliatory +retardant's +retardants +retardation +retardation's +retarder's +reteaching +retention's +retentively +retentiveness +retentiveness's +rethinking +reticence's +reticently +reticulated +reticulation +reticulation's +reticulations +retirement +retirement's +retirements +retouching +retractable +retractile +retracting +retraction +retraction's +retractions +retraining +retreading +retreating +retrenched +retrenches +retrenching +retrenchment +retrenchment's +retrenchments +retribution +retribution's +retributions +retributive +retrievable +retrieval's +retrievals +retriever's +retrievers +retrieve's +retrieving +retroactive +retroactively +retrofired +retrofires +retrofiring +retrofit's +retrofitted +retrofitting +retrograde +retrograded +retrogrades +retrograding +retrogress +retrogressed +retrogresses +retrogressing +retrogression +retrogression's +retrogressive +retrorocket +retrorocket's +retrorockets +retrospect +retrospected +retrospecting +retrospection +retrospection's +retrospective +retrospectively +retrospective's +retrospectives +retrospect's +retrospects +retrovirus +retroviruses +retrovirus's +returnable +returnable's +returnables +returnee's +returner's +retweeting +reunification +reunification's +reunifying +reupholster +reupholstered +reupholstering +reupholsters +revaluation +revaluation's +revaluations +revamping's +revealingly +revealings +reveille's +Revelation +revelation +Revelation's +Revelations +revelation's +revelations +Revelations's +revengeful +revengefully +revenuer's +reverberate +reverberated +reverberates +reverberating +reverberation +reverberation's +reverberations +reverenced +reverence's +reverences +reverencing +Reverend's +reverend's +reverential +reverentially +reverently +reversal's +reversibility +reversible +reversibly +reversion's +reversions +revertible +revetment's +revetments +reviewer's +revilement +revilement's +revisionism +revisionism's +revisionist +revisionist's +revisionists +revision's +revisiting +revitalization +revitalization's +revitalize +revitalized +revitalizes +revitalizing +revivalism +revivalism's +revivalist +revivalist's +revivalists +revivification +revivification's +revivified +revivifies +revivifying +revocation +revocation's +revocations +revoltingly +revolution +revolutionaries +revolutionary +revolutionary's +revolutionist +revolutionist's +revolutionists +revolutionize +revolutionized +revolutionizes +revolutionizing +revolution's +revolutions +revolvable +revolver's +revulsion's +reweighing +rewindable +reworkings +Reykjavik's +Reynaldo's +Reynolds's +rhapsodical +rhapsodies +rhapsodize +rhapsodized +rhapsodizes +rhapsodizing +rhapsody's +Rheingau's +rheostat's +rhetorical +rhetorically +rhetorician +rhetorician's +rhetoricians +rhetoric's +rheumatically +rheumatic's +rheumatics +rheumatism +rheumatism's +rheumatoid +Rhiannon's +Rhineland's +rhinestone +rhinestone's +rhinestones +rhinitis's +rhinoceros +rhinoceroses +rhinoceros's +rhinoplasty +rhinovirus +rhinoviruses +rhinovirus's +Rhodesia's +rhododendron +rhododendron's +rhododendrons +rhomboidal +rhomboid's +rhymester's +rhymesters +rhythmical +rhythmically +ribaldry's +Ribbentrop +Ribbentrop's +riboflavin +riboflavin's +Richardson +Richardson's +Richards's +Richelieu's +Richmond's +richness's +Richthofen +Richthofen's +Rickenbacker +Rickenbacker's +ricketiest +Rickover's +rickrack's +rickshaw's +ricocheted +ricocheting +ricochet's +riddance's +ridership's +ridgepole's +ridgepoles +ridicule's +ridiculing +ridiculous +ridiculously +ridiculousness +ridiculousness's +Riefenstahl +Riefenstahl's +Riesling's +riffraff's +rifleman's +rigatoni's +righteously +righteousness +righteousness's +rightfully +rightfulness +rightfulness's +rightism's +rightist's +rightness's +rightsized +rightsizes +rightsizing +rightwards +rigidity's +rigidness's +rigmarole's +rigmaroles +Rigoberto's +Rigoletto's +rigorously +rigorousness +rigorousness's +ringleader +ringleader's +ringleaders +Ringling's +ringmaster +ringmaster's +ringmasters +ringside's +ringtone's +ringworm's +riotousness +ripeness's +risibility +risibility's +riskiness's +Risorgimento +Risorgimento's +ritualism's +ritualistic +ritualistically +ritualized +riverbank's +riverbanks +riverbed's +riverboat's +riverboats +riverfront +riverside's +riversides +roadblocked +roadblocking +roadblock's +roadblocks +roadhouse's +roadhouses +roadkill's +roadrunner +roadrunner's +roadrunners +roadshow's +roadside's +roadster's +roadwork's +roadworthy +roasting's +Roberson's +Robertson's +Robespierre +Robespierre's +Robinson's +Robitussin +Robitussin's +robocalled +robocalling +robocall's +robotics's +robotizing +robustness +robustness's +Rochambeau +Rochambeau's +Rochelle's +Rochester's +rockabilly +rockabilly's +Rockefeller +Rockefeller's +rocketry's +rockfall's +Rockford's +rockiness's +Rockwell's +Roddenberry +Roddenberry's +Roderick's +Rodriguez's +Rodriquez's +roentgen's +roguishness +roguishness's +roisterer's +roisterers +roistering +rollback's +Rollerblade +Rollerblade's +rollerblading +rollerskating +rollerskating's +rollicking +rollicking's +rollover's +romancer's +Romanesque +Romanesque's +Romanesques +Romanian's +romantically +Romanticism +romanticism +romanticism's +romanticist +romanticist's +romanticists +romanticize +romanticized +romanticizes +romanticizing +romantic's +Ronstadt's +roomette's +roominess's +roommate's +Roosevelt's +rootlessness +Roquefort's +Roqueforts +Rorschach's +Rosalinda's +Rosalind's +rosebushes +rosebush's +Rosecrans's +Rosemarie's +Rosemary's +rosemary's +Rosenberg's +Rosenzweig +Rosenzweig's +rosewater's +rosewood's +Rosicrucian +Rosicrucian's +rosiness's +Rossetti's +Rostropovich +Rostropovich's +Rotarian's +rotational +rotation's +Rothschild +Rothschild's +rotisserie +rotisserie's +rotisseries +rotogravure +rotogravure's +rotogravures +rototiller +rototiller's +rototillers +rottenness +rottenness's +Rotterdam's +Rottweiler +rottweiler +Rottweiler's +rottweilers +rotundity's +rotundness +rotundness's +roughage's +roughening +roughhouse +roughhoused +roughhouse's +roughhouses +roughhousing +roughnecked +roughnecking +roughneck's +roughnecks +roughness's +roulette's +roundabout +roundabout's +roundabouts +roundelay's +roundelays +roundhouse +roundhouse's +roundhouses +roundness's +roundworm's +roundworms +Rousseau's +roustabout +roustabout's +roustabouts +routinized +routinizes +routinizing +rowdiness's +rowdyism's +royalist's +royalties's +Rubaiyat's +rubberized +rubberizes +rubberizing +Rubbermaid +Rubbermaid's +rubberneck +rubbernecked +rubbernecker +rubbernecker's +rubberneckers +rubbernecking +rubberneck's +rubbernecks +rubbishing +rubidium's +Rubinstein +Rubinstein's +rucksack's +rudderless +ruddiness's +rudeness's +rudimentary +rudiment's +ruefulness +ruefulness's +ruggedness +ruggedness's +ruination's +Rukeyser's +rumbling's +rumbustious +ruminant's +ruminating +rumination +rumination's +ruminations +ruminative +ruminatively +rumormonger +rumormonger's +rumormongers +Rumpelstiltskin +Rumpelstiltskin's +Rumsfeld's +runabout's +runaround's +runarounds +Runnymede's +Rushmore's +Rustbelt's +rustically +rusticated +rusticates +rusticating +rustication +rustication's +rusticity's +rustiness's +rustproofed +rustproofing +rustproofs +rutabaga's +ruthenium's +Rutherford +rutherfordium +rutherfordium's +Rutherford's +ruthlessly +ruthlessness +ruthlessness's +Rutledge's +Saarinen's +sabbatical +sabbatical's +sabbaticals +sabotage's +sabotaging +saboteur's +Sacajawea's +saccharine +saccharin's +sacerdotal +sackcloth's +sacramental +Sacramento +Sacramento's +sacrament's +sacraments +sacredness +sacredness's +sacrificed +sacrifice's +sacrifices +sacrificial +sacrificially +sacrificing +sacrilege's +sacrileges +sacrilegious +sacrilegiously +sacristan's +sacristans +sacristies +sacristy's +sacroiliac +sacroiliac's +sacroiliacs +sacrosanct +sacrosanctness +sacrosanctness's +saddlebag's +saddlebags +Sadducee's +sadistically +sadomasochism +sadomasochism's +sadomasochist +sadomasochistic +sadomasochist's +sadomasochists +safeguarded +safeguarding +safeguard's +safeguards +safekeeping +safekeeping's +safeness's +safflower's +safflowers +sagaciously +sagacity's +sagebrush's +Sagittarius +Sagittariuses +Sagittarius's +sailboarder +sailboarder's +sailboarders +sailboarding +sailboarding's +sailboard's +sailboards +sailboat's +sailcloth's +sailfishes +sailfish's +sailplane's +sailplanes +sainthood's +saintliest +saintliness +saintliness's +Sakhalin's +Sakharov's +salaciously +salaciousness +salaciousness's +salacity's +salamander +salamander's +salamanders +salesclerk +salesclerk's +salesclerks +salesgirl's +salesgirls +salesladies +saleslady's +salesman's +salesmanship +salesmanship's +salespeople +salespeople's +salesperson +salesperson's +salespersons +salesrooms +saleswoman +saleswoman's +saleswomen +salience's +Salinger's +salinity's +Salisbury's +salivating +salivation +salivation's +sallowness +sallowness's +salmonella +salmonellae +salmonella's +Salonika's +saltcellar +saltcellar's +saltcellars +saltiness's +saltpeter's +saltshaker +saltshaker's +saltshakers +saltwater's +salubrious +salutation +salutation's +salutations +salutatorian +salutatorian's +salutatorians +salutatory +Salvadoran +Salvadoran's +Salvadorans +Salvadorean +Salvadorean's +Salvadoreans +Salvadorian +Salvadorian's +Salvadorians +Salvador's +salvageable +salvation's +Salvatore's +Samantha's +Samaritan's +Samaritans +samarium's +Samarkand's +sameness's +sampling's +Samsonite's +Samuelson's +sanatorium +sanatorium's +sanatoriums +sanctification +sanctification's +sanctified +sanctifies +sanctifying +sanctimonious +sanctimoniously +sanctimoniousness +sanctimoniousness's +sanctimony +sanctimony's +sanctioned +sanctioning +sanction's +sanctity's +sanctuaries +sanctuary's +sandalwood +sandalwood's +sandbagged +sandbagger +sandbagger's +sandbaggers +sandbagging +sandbank's +sandblasted +sandblaster +sandblaster's +sandblasters +sandblasting +sandblast's +sandblasts +Sandburg's +sandcastle +sandcastle's +sandcastles +sandiness's +Sandinista +Sandinista's +sandlotter +sandlotter's +sandlotters +Sandoval's +sandpapered +sandpapering +sandpaper's +sandpapers +sandpiper's +sandpipers +sandstone's +sandstorm's +sandstorms +sandwiched +sandwiches +sandwiching +sandwich's +saneness's +Sanforized +Sanforized's +sangfroid's +sanguinary +sanguinely +Sanhedrin's +sanitarian +sanitarian's +sanitarians +sanitarium +sanitarium's +sanitariums +sanitation +sanitation's +sanitizing +Sanskrit's +Santayana's +Santeria's +Santiago's +sapience's +sapphire's +sappiness's +saprophyte +saprophyte's +saprophytes +saprophytic +sapsucker's +sapsuckers +Saragossa's +Sarajevo's +Sarasota's +sarcastically +sarcophagi +sarcophagus +sarcophagus's +Sardinia's +sardonically +Sargasso's +sarsaparilla +sarsaparilla's +sarsaparillas +sartorially +Saskatchewan +Saskatchewan's +Saskatoon's +Sasquatches +Sasquatch's +sassafrases +sassafras's +Sassanian's +satanically +Satanism's +satanism's +Satanist's +satanist's +satellited +satellite's +satellites +satelliting +satiation's +satinwood's +satinwoods +satirically +satirist's +satirizing +satisfaction +satisfaction's +satisfactions +satisfactorily +satisfactory +satisfying +satisfyingly +saturating +saturation +saturation's +Saturday's +Saturnalia +Saturnalia's +satyriasis +satyriasis's +saucepan's +sauciness's +sauerkraut +sauerkraut's +Saunders's +sauntering +sauropod's +Saussure's +savageness +savageness's +savageries +savagery's +Savannah's +Savonarola +Savonarola's +savoriness +savoriness's +Savoyard's +sawbones's +sawhorse's +saxifrage's +saxifrages +saxophone's +saxophones +saxophonist +saxophonist's +saxophonists +scabbard's +scabbiness +scabbiness's +scaffolding +scaffolding's +scaffold's +scalawag's +scaliness's +scallion's +scalloping +scampering +scandalize +scandalized +scandalizes +scandalizing +scandalmonger +scandalmonger's +scandalmongers +scandalous +scandalously +Scandinavia +Scandinavian +Scandinavian's +Scandinavians +Scandinavia's +scandium's +scansion's +scantiness +scantiness's +scantness's +scapegoated +scapegoating +scapegoat's +scapegoats +scapegrace +scapegrace's +scapegraces +scapular's +Scaramouch +Scaramouch's +Scarborough +Scarborough's +scarceness +scarceness's +scarcities +scarcity's +scarecrow's +scarecrows +scaremonger +scaremongering +scaremonger's +scaremongers +scarification +scarification's +scarifying +scariness's +scarlatina +scarlatina's +Scarlatti's +scarpering +scathingly +scatological +scatology's +scatterbrain +scatterbrained +scatterbrain's +scatterbrains +scattering +scattering's +scatterings +scattershot +scavenger's +scavengers +scavenging +scenario's +scenarist's +scenarists +scenically +schadenfreude +schedulers +schedule's +scheduling +Scheherazade +Scheherazade's +Schelling's +schematically +schematic's +schematics +schematize +schematized +schematizes +schematizing +Schenectady +Schenectady's +Schiaparelli +Schiaparelli's +Schiller's +schilling's +schillings +Schindler's +schismatic +schismatic's +schismatics +schizoid's +schizophrenia +schizophrenia's +schizophrenic +schizophrenic's +schizophrenics +schlemiel's +schlemiels +schlepping +Schlesinger +Schlesinger's +Schliemann +Schliemann's +schmaltzier +schmaltziest +schmaltz's +schmoozers +schmoozing +Schnabel's +schnapps's +Schnauzer's +schnauzer's +schnauzers +Schneider's +schnitzel's +schnitzels +schnozzle's +schnozzles +Schoenberg +Schoenberg's +scholarship +scholarship's +scholarships +scholastic +scholastically +scholasticism +schoolbag's +schoolbags +schoolbook +schoolbook's +schoolbooks +schoolboy's +schoolboys +schoolchild +schoolchildren +schoolchildren's +schoolchild's +schooldays +schoolfellow +schoolfellow's +schoolfellows +schoolgirl +schoolgirl's +schoolgirls +schoolhouse +schoolhouse's +schoolhouses +schooling's +schoolkids +schoolmarm +schoolmarmish +schoolmarm's +schoolmarms +schoolmaster +schoolmaster's +schoolmasters +schoolmate +schoolmate's +schoolmates +schoolmistress +schoolmistresses +schoolmistress's +schoolroom +schoolroom's +schoolrooms +schoolteacher +schoolteacher's +schoolteachers +schoolwork +schoolwork's +schoolyard +schoolyard's +schoolyards +schooner's +Schopenhauer +Schopenhauer's +Schrödinger +Schrödinger's +Schrieffer +Schrieffer's +Schrodinger +Schrodinger's +Schroeder's +Schubert's +Schumann's +Schumpeter +Schumpeter's +schussboomer +schussboomer's +schussboomers +Schuyler's +Schuylkill +Schuylkill's +Schwartz's +Schwarzenegger +Schwarzenegger's +Schwarzkopf +Schwarzkopf's +Schweitzer +Schweitzer's +Schweppes's +Schwinger's +sciatica's +scientific +scientifically +scientist's +scientists +Scientologist +Scientologist's +Scientologists +Scientology +Scientology's +scimitar's +scintilla's +scintillas +scintillate +scintillated +scintillates +scintillating +scintillation +scintillation's +scissoring +sclerosis's +scofflaw's +scolding's +scoliosis's +scoopful's +scorcher's +scoreboard +scoreboard's +scoreboards +scorecard's +scorecards +scorekeeper +scorekeeper's +scorekeepers +scorelines +scornfully +scorpion's +Scorpius's +Scorsese's +Scotchman's +Scotchmen's +Scotchwoman +Scotchwoman's +Scotchwomen +Scotchwomen's +Scotland's +Scotsman's +Scotsmen's +Scotswoman +Scotswoman's +Scotswomen +Scotswomen's +Scottish's +Scottsdale +Scottsdale's +scoundrel's +scoundrels +scouting's +scoutmaster +scoutmaster's +scoutmasters +scrabbler's +scrabblers +Scrabble's +scrabble's +scrabbling +scraggiest +scragglier +scraggliest +scrambler's +scramblers +scramble's +scrambling +Scranton's +scrapbook's +scrapbooks +scrapheap's +scrapheaps +scrapper's +scrappiest +scrapyard's +scrapyards +scratchcard +scratchcards +scratchier +scratchiest +scratchily +scratchiness +scratchiness's +scratching +scratchpad +scratchpads +scrawniest +scrawniness +scrawniness's +screamer's +screamingly +screechier +screechiest +screeching +screening's +screenings +screenplay +screenplay's +screenplays +screensaver +screensaver's +screensavers +screenshot +screenshots +screenwriter +screenwriter's +screenwriters +screenwriting +screenwriting's +screwball's +screwballs +screwdriver +screwdriver's +screwdrivers +screwiness +screwiness's +screwworm's +screwworms +Scriabin's +scribbler's +scribblers +scribble's +scribbling +Scribner's +scrimmaged +scrimmage's +scrimmages +scrimmaging +scrimshawed +scrimshawing +scrimshaw's +scrimshaws +scriptural +Scripture's +Scriptures +scripture's +scriptures +scriptwriter +scriptwriter's +scriptwriters +scrivener's +scriveners +scrofula's +scrofulous +scrounger's +scroungers +scroungier +scroungiest +scrounging +scrubber's +scrubbiest +scruffiest +scruffiness +scruffiness's +scrumhalves +scrummages +scrumptious +scrumptiously +scrunchies +scrunching +scrunchy's +scrupulosity +scrupulosity's +scrupulous +scrupulously +scrupulousness +scrupulousness's +scrutineer +scrutineers +scrutinize +scrutinized +scrutinizes +scrutinizing +scrutiny's +sculleries +scullery's +scullion's +sculptor's +sculptress +sculptresses +sculptress's +sculptural +sculptured +sculpture's +sculptures +sculpturing +scuppering +scurrility +scurrility's +scurrilous +scurrilously +scurrilousness +scurrilousness's +scutcheon's +scutcheons +scuttlebutt +scuttlebutt's +Scythian's +seaboard's +seacoast's +seafarer's +seafaring's +seafloor's +seafront's +seahorse's +sealskin's +seamanship +seamanship's +seamlessly +seamount's +seamstress +seamstresses +seamstress's +seaplane's +searchable +searcher's +searchingly +searchlight +searchlight's +searchlights +seascape's +seashell's +seashore's +seasickness +seasickness's +seasonable +seasonably +seasonality +seasonally +seasoning's +seasonings +seatmate's +seawater's +seaworthiness +seaworthiness's +Sebastian's +seborrhea's +secessionist +secessionist's +secessionists +secession's +seclusion's +secondaries +secondarily +secondary's +seconder's +secondhand +secondment +secondments +secretarial +Secretariat +secretariat +Secretariat's +secretariat's +secretariats +secretaries +secretary's +secretaryship +secretaryship's +secretion's +secretions +secretively +secretiveness +secretiveness's +sectarianism +sectarianism's +sectarian's +sectarians +sectionalism +sectionalism's +sectional's +sectionals +sectioning +secularism +secularism's +secularist +secularist's +secularists +secularization +secularization's +secularize +secularized +secularizes +secularizing +securities +security's +sedateness +sedateness's +sedation's +sedative's +sedimentary +sedimentation +sedimentation's +sediment's +sedition's +seduction's +seductions +seductively +seductiveness +seductiveness's +seductress +seductresses +seductress's +sedulously +seedcase's +seediness's +seedling's +seemliness +seemliness's +seersucker +seersucker's +segmentation +segmentation's +segmenting +segregated +segregates +segregating +segregation +segregationist +segregationist's +segregationists +segregation's +seigneur's +seignior's +Seinfeld's +seismically +seismograph +seismographer +seismographer's +seismographers +seismographic +seismograph's +seismographs +seismography +seismography's +seismologic +seismological +seismologist +seismologist's +seismologists +seismology +seismology's +Selassie's +selection's +selections +selectively +selectivity +selectivity's +selectman's +selectness +selectness's +selector's +Selectric's +selenium's +selenographer +selenographer's +selenographers +selenography +selenography's +Seleucid's +Seleucus's +selfishness +selfishness's +selflessly +selflessness +selflessness's +sellotaped +sellotapes +sellotaping +Selznick's +semantically +semanticist +semanticist's +semanticists +semantics's +semaphored +semaphore's +semaphores +semaphoring +Semarang's +semblance's +semblances +semester's +semiannual +semiannually +semiautomatic +semiautomatic's +semiautomatics +semibreves +semicircle +semicircle's +semicircles +semicircular +semicolon's +semicolons +semiconducting +semiconductor +semiconductor's +semiconductors +semiconscious +semidarkness +semidarkness's +semidetached +semifinalist +semifinalist's +semifinalists +semifinal's +semifinals +semiglosses +semimonthlies +semimonthly +semimonthly's +seminarian +seminarian's +seminarians +seminaries +seminary's +Seminole's +semiofficial +semiotics's +semipermeable +semiprecious +semiprivate +semiprofessional +semiprofessional's +semiprofessionals +semiquaver +semiquavers +Semiramis's +semiretired +semiskilled +semitone's +semitrailer +semitrailer's +semitrailers +semitransparent +semitropical +semivowel's +semivowels +semiweeklies +semiweekly +semiweekly's +semiyearly +semolina's +sempstress +sempstresses +sempstress's +senatorial +Senegalese +Senegalese's +senescence +senescence's +senility's +seniority's +Sennacherib +Sennacherib's +senorita's +sensational +sensationalism +sensationalism's +sensationalist +sensationalist's +sensationalists +sensationalize +sensationalized +sensationalizes +sensationalizing +sensationally +sensation's +sensations +senselessly +senselessness +senselessness's +sensibilities +sensibility +sensibility's +sensibleness +sensibleness's +sensitively +sensitiveness +sensitiveness's +sensitive's +sensitives +sensitivities +sensitivity +sensitivity's +sensitization +sensitization's +sensitized +sensitizes +sensitizing +sensualist +sensualist's +sensualists +sensuality +sensuality's +sensuously +sensuousness +sensuousness's +Sensurround +Sensurround's +sentence's +sentencing +sententious +sententiously +sentience's +sentimental +sentimentalism +sentimentalism's +sentimentalist +sentimentalist's +sentimentalists +sentimentality +sentimentality's +sentimentalization +sentimentalization's +sentimentalize +sentimentalized +sentimentalizes +sentimentalizing +sentimentally +sentiment's +sentiments +sentinel's +separability +separability's +separately +separateness +separateness's +separate's +separating +separation +separation's +separations +separatism +separatism's +separatist +separatist's +separatists +separative +separator's +separators +Sephardi's +September's +Septembers +septicemia +septicemia's +septicemic +septuagenarian +septuagenarian's +septuagenarians +Septuagint +Septuagint's +Septuagints +sepulchered +sepulchering +sepulcher's +sepulchers +sepulchral +sequencers +sequence's +sequencing +sequencing's +sequential +sequentially +sequestered +sequestering +sequesters +sequestrate +sequestrated +sequestrates +sequestrating +sequestration +sequestration's +sequestrations +seraglio's +serenade's +serenading +serendipitous +serendipity +serendipity's +sereneness +sereneness's +Serengeti's +serenity's +sergeant's +serialization +serialization's +serializations +serialized +serializes +serializing +serigraph's +serigraphs +seriousness +seriousness's +sermonized +sermonizes +sermonizing +serology's +serpentine +serpentine's +serration's +serrations +serviceability +serviceability's +serviceable +serviceman +serviceman's +servicemen +servicewoman +servicewoman's +servicewomen +serviette's +serviettes +servility's +servitor's +servitude's +servomechanism +servomechanism's +servomechanisms +servomotor +servomotor's +servomotors +sesquicentennial +sesquicentennial's +sesquicentennials +setscrew's +setsquares +settlement +settlement's +settlements +Sevastopol +Sevastopol's +seventeen's +seventeens +seventeenth +seventeenth's +seventeenths +seventieth +seventieth's +seventieths +severance's +severances +severeness +severeness's +severity's +sewerage's +sexagenarian +sexagenarian's +sexagenarians +sexiness's +sexologist +sexologist's +sexologists +sexology's +sextuplet's +sextuplets +sexuality's +Seychelles +Seychelles's +shabbiness +shabbiness's +Shackleton +Shackleton's +shadiness's +shadowboxed +shadowboxes +shadowboxing +shadowiest +shagginess +shagginess's +shakedown's +shakedowns +shakeout's +Shakespeare +Shakespearean +Shakespearean's +Shakespeare's +shakiness's +shallowest +shallowness +shallowness's +shamanistic +shambles's +shamefaced +shamefacedly +shamefully +shamefulness +shamefulness's +shamelessly +shamelessness +shamelessness's +shampooer's +shampooers +shampooing +shamrock's +shanghaied +shanghaiing +Shanghai's +Shankara's +Shantung's +shantung's +shantytown +shantytown's +shantytowns +shapelessly +shapelessness +shapelessness's +shapeliest +shapeliness +shapeliness's +sharecropped +sharecropper +sharecropper's +sharecroppers +sharecropping +sharecrops +shareholder +shareholder's +shareholders +shareholding +shareholdings +shareware's +sharkskin's +Sharlene's +sharpener's +sharpeners +sharpening +sharpness's +sharpshooter +sharpshooter's +sharpshooters +sharpshooting +sharpshooting's +shattering +shatterproof +Shcharansky +Shcharansky's +sheathing's +sheathings +sheepdog's +sheepfold's +sheepfolds +sheepherder +sheepherder's +sheepherders +sheepishly +sheepishness +sheepishness's +sheepskin's +sheepskins +sheerness's +sheeting's +Sheetrock's +Sheffield's +sheikdom's +shellacked +shellacking +shellacking's +shellackings +shellfire's +shellfishes +shellfish's +sheltering +shelving's +Shenandoah +Shenandoah's +shenanigan +shenanigan's +shenanigans +Shenyang's +shepherded +shepherdess +shepherdesses +shepherdess's +shepherding +Shepherd's +shepherd's +Sheppard's +Sheratan's +Sheraton's +Sheridan's +Sherlock's +Sherwood's +Shetland's +Shetlands's +Shevardnadze +Shevardnadze's +shibboleth +shibboleth's +shibboleths +shiftiness +shiftiness's +shiftlessly +shiftlessness +shiftlessness's +shiitake's +Shijiazhuang +Shijiazhuang's +shillelagh +shillelagh's +shillelaghs +shilling's +Shillong's +shimmering +shinbone's +shinguard's +shininess's +shinsplints +shinsplints's +Shintoism's +Shintoisms +Shintoist's +Shintoists +shipboard's +shipboards +shipbuilder +shipbuilder's +shipbuilders +shipbuilding +shipbuilding's +shipload's +shipmate's +shipment's +shipowner's +shipowners +shipping's +shipwrecked +shipwrecking +shipwreck's +shipwrecks +shipwright +shipwright's +shipwrights +shipyard's +shirring's +shirtfront +shirtfront's +shirtfronts +shirting's +shirtsleeve +shirtsleeve's +shirtsleeves +shirttail's +shirttails +shirtwaist +shirtwaist's +shirtwaists +shockingly +Shockley's +shockproof +shoddiness +shoddiness's +shoehorned +shoehorning +shoehorn's +shoelace's +shoemaker's +shoemakers +shoeshine's +shoeshines +shoestring +shoestring's +shoestrings +shoetree's +shogunate's +shooting's +shootout's +shopaholic +shopaholic's +shopaholics +shopfitter +shopfitters +shopfitting +shopfronts +shopkeeper +shopkeeper's +shopkeepers +shoplifted +shoplifter +shoplifter's +shoplifters +shoplifting +shoplifting's +shopping's +shoptalk's +shorebird's +shorebirds +shoreline's +shorelines +shortage's +shortbread +shortbread's +shortcake's +shortcakes +shortchange +shortchanged +shortchanges +shortchanging +shortcoming +shortcoming's +shortcomings +shortcrust +shortcut's +shortening +shortening's +shortenings +shortfall's +shortfalls +shorthanded +shorthand's +Shorthorn's +shorthorn's +shorthorns +shortlisted +shortlisting +shortlists +shortness's +shortsighted +shortsightedly +shortsightedness +shortsightedness's +shortstop's +shortstops +shortwave's +shortwaves +Shoshone's +Shostakovitch +Shostakovitch's +shotgunned +shotgunning +shouldered +shouldering +shoulder's +shovelful's +shovelfuls +showboated +showboating +showboat's +showcase's +showcasing +showdown's +showerproof +showgirl's +showground +showgrounds +showiness's +showjumping +showmanship +showmanship's +showpiece's +showpieces +showplace's +showplaces +showroom's +showstopper +showstopper's +showstoppers +showstopping +shrapnel's +shredder's +Shreveport +Shreveport's +shrewdness +shrewdness's +shrillness +shrillness's +shrinkable +shrinkage's +shriveling +Shropshire +Shropshire's +shrubberies +shrubbery's +shrubbiest +shuddering +shuffleboard +shuffleboard's +shuffleboards +shuffler's +shutdown's +shutterbug +shutterbug's +shutterbugs +shuttering +shuttlecock +shuttlecocked +shuttlecocking +shuttlecock's +shuttlecocks +Shylockian +Shylockian's +Sibelius's +Siberian's +sibilant's +Sicilian's +sickeningly +sicknesses +sickness's +sickroom's +Siddhartha +Siddhartha's +sideboard's +sideboards +sideburns's +sidekick's +sidelight's +sidelights +sideline's +sidelining +sidepiece's +sidepieces +sidesaddle +sidesaddle's +sidesaddles +sideshow's +sidesplitting +sidestepped +sidestepping +sidestep's +sidestroke +sidestroked +sidestroke's +sidestrokes +sidestroking +sideswiped +sideswipe's +sideswipes +sideswiping +sidetracked +sidetracking +sidetrack's +sidetracks +sidewalk's +sidewall's +sidewinder +sidewinder's +sidewinders +Siegfried's +Sierpinski +Sierpinski's +sighting's +sightliest +sightseeing +sightseeing's +sightseer's +sightseers +Sigismund's +signaler's +signalization +signalization's +signalized +signalizes +signalizing +signalman's +signatories +signatory's +signature's +signatures +signboard's +signboards +significance +significance's +significant +significantly +signification +signification's +significations +signifying +signorina's +signorinas +signposted +signposting +signpost's +Sihanouk's +Sikkimese's +Sikorsky's +silencer's +silhouette +silhouetted +silhouette's +silhouettes +silhouetting +silicate's +silicone's +silicosis's +silkiness's +silkscreen +silkscreen's +silkscreens +silkworm's +silliness's +Silurian's +silverfish +silverfishes +silverfish's +silversmith +silversmith's +silversmiths +silverware +silverware's +similarities +similarity +similarity's +similitude +similitude's +Simmental's +simonizing +simperingly +simpleminded +simpleness +simpleness's +simpleton's +simpletons +simplicity +simplicity's +simplification +simplification's +simplifications +simplified +simplifies +simplifying +simplistic +simplistically +Simpsons's +simulacrum +simulacrums +simulating +simulation +simulation's +simulations +simulator's +simulators +simulcasted +simulcasting +simulcast's +simulcasts +simultaneity +simultaneity's +simultaneous +simultaneously +sincerity's +Sinclair's +sinecure's +sinfulness +sinfulness's +singalongs +Singaporean +Singaporean's +Singaporeans +Singapore's +singleness +singleness's +Singleton's +singleton's +singletons +singletree +singletree's +singletrees +singsonged +singsonging +singsong's +singularities +singularity +singularity's +singularly +singular's +Sinhalese's +sinkhole's +Sinkiang's +sinuosity's +sinusitis's +sinusoidal +sisterhood +sisterhood's +sisterhoods +sisterliness +sisterliness's +Sisyphean's +Sisyphus's +sitarist's +situational +situation's +situations +sixpence's +sixshooter +sixshooter's +sixteenth's +sixteenths +sixtieth's +Sjaelland's +skateboard +skateboarded +skateboarder +skateboarder's +skateboarders +skateboarding +skateboarding's +skateboard's +skateboards +skedaddled +skedaddle's +skedaddles +skedaddling +skeleton's +skeptically +skepticism +skepticism's +sketchbook +sketchbooks +sketcher's +sketchiest +sketchiness +sketchiness's +sketchpads +skillfully +skillfulness +skillfulness's +skimpiness +skimpiness's +skincare's +skinflint's +skinflints +skinhead's +skinniness +skinniness's +skippering +skirmished +skirmisher +skirmishers +skirmishes +skirmishing +skirmish's +skittering +skittishly +skittishness +skittishness's +skulduggery +skulduggery's +skullcap's +skydiver's +skydiving's +skyjacker's +skyjackers +skyjacking +skyjacking's +skyjackings +skylarking +skylight's +skyrocketed +skyrocketing +skyrocket's +skyrockets +skyscraper +skyscraper's +skyscrapers +skywriter's +skywriters +skywriting +skywriting's +slackening +slackness's +Slackware's +slanderer's +slanderers +slandering +slanderous +slantingly +slapstick's +Slashdot's +slathering +slatternly +slattern's +slaughtered +slaughterer +slaughterer's +slaughterers +slaughterhouse +slaughterhouse's +slaughterhouses +slaughtering +slaughter's +slaughters +slaveholder +slaveholder's +slaveholders +slavishness +slavishness's +Slavonic's +sleazebags +sleazeball +sleazeballs +sleaziness +sleaziness's +sledgehammer +sledgehammered +sledgehammering +sledgehammer's +sledgehammers +sleekness's +sleepiness +sleepiness's +sleeplessly +sleeplessness +sleeplessness's +sleepover's +sleepovers +sleepwalked +sleepwalker +sleepwalker's +sleepwalkers +sleepwalking +sleepwalking's +sleepwalks +sleepwear's +sleepyhead +sleepyhead's +sleepyheads +sleeveless +slenderest +slenderize +slenderized +slenderizes +slenderizing +slenderness +slenderness's +slickness's +slideshow's +slideshows +slightness +slightness's +sliminess's +slimming's +slimness's +slingbacks +slingshot's +slingshots +slipcase's +slipcover's +slipcovers +slipknot's +slippage's +slipperier +slipperiest +slipperiness +slipperiness's +slipstream +slipstream's +slipstreams +slithering +slobbering +sloganeering +sloppiness +sloppiness's +slothfully +slothfulness +slothfulness's +sloucher's +slouchiest +Slovakia's +Slovenian's +Slovenians +Slovenia's +slovenlier +slovenliest +slovenliness +slovenliness's +slowcoaches +slowdown's +slowness's +slowpoke's +sluggard's +sluggishly +sluggishness +sluggishness's +slumbering +slumberous +slumlord's +slushiness +slushiness's +smallholder +smallholders +smallholding +smallholdings +smallness's +smallpox's +smartening +smartness's +smartphone +smartphone's +smartphones +smartwatch +smartwatches +smartwatch's +smartypants +smartypants's +smattering +smattering's +smatterings +smelliness +smelliness's +Smirnoff's +smithereens +smithereens's +Smithsonian +Smithsonian's +Smithson's +smocking's +smokehouse +smokehouse's +smokehouses +smokescreen +smokescreen's +smokescreens +smokestack +smokestack's +smokestacks +smokiness's +smoldering +Smolensk's +Smollett's +smoothie's +smoothness +smoothness's +smorgasbord +smorgasbord's +smorgasbords +smothering +smörgåsbord +smörgåsbord's +smörgåsbords +smuggler's +smuggling's +smugness's +smuttiness +smuttiness's +snakebite's +snakebites +snapdragon +snapdragon's +snapdragons +snappiness +snappiness's +snappishly +snappishness +snappishness's +snapshot's +snarlingly +snatcher's +sneakiness +sneakiness's +sneakingly +sneeringly +snickering +Snickers's +sniveler's +snobbery's +snobbishly +snobbishness +snobbishness's +snookering +snootiness +snootiness's +snorkeler's +snorkelers +snorkeling +snorkeling's +snottiness +snottiness's +snowballed +snowballing +snowball's +snowbank's +Snowbelt's +snowbird's +snowblower +snowblower's +snowblowers +snowboarded +snowboarder +snowboarder's +snowboarders +snowboarding +snowboarding's +snowboard's +snowboards +snowdrift's +snowdrifts +snowdrop's +snowfall's +snowfield's +snowfields +snowflake's +snowflakes +snowiness's +snowmobile +snowmobiled +snowmobile's +snowmobiles +snowmobiling +snowplowed +snowplowing +snowplow's +snowshoeing +snowshoe's +snowstorm's +snowstorms +snowsuit's +snuffboxes +snuffbox's +snugness's +soapiness's +soapstone's +soapsuds's +soberness's +sobriety's +sobriquet's +sobriquets +sociability +sociability's +sociable's +socialism's +socialistic +socialist's +socialists +socialite's +socialites +socialization +socialization's +socialized +socializes +socializing +socioeconomic +socioeconomically +sociological +sociologically +sociologist +sociologist's +sociologists +sociology's +sociopath's +sociopaths +sociopolitical +Socrates's +Socratic's +sodomite's +sodomizing +softball's +softener's +softhearted +softness's +software's +softwood's +sogginess's +sojourner's +sojourners +sojourning +solarium's +solderer's +soldiering +soldiery's +solecism's +solemness's +solemnified +solemnifies +solemnifying +solemnities +solemnity's +solemnization +solemnization's +solemnized +solemnizes +solemnizing +solemnness +solemnness's +solenoid's +solicitation +solicitation's +solicitations +soliciting +solicitor's +solicitors +solicitous +solicitously +solicitousness +solicitousness's +solicitude +solicitude's +solidarity +solidarity's +solidification +solidification's +solidified +solidifies +solidifying +solidity's +solidness's +soliloquies +soliloquize +soliloquized +soliloquizes +soliloquizing +soliloquy's +solipsism's +solipsistic +solitaire's +solitaires +solitaries +solitariness +solitariness's +solitary's +solitude's +solstice's +solubility +solubility's +solution's +solvency's +Solzhenitsyn +Solzhenitsyn's +Somalian's +somberness +somberness's +sombrero's +somebodies +somebody's +somersault +somersaulted +somersaulting +somersault's +somersaults +somerset's +somersetted +somersetting +something's +somethings +somnambulism +somnambulism's +somnambulist +somnambulist's +somnambulists +somnolence +somnolence's +sonatina's +Sondheim's +songbird's +songbook's +songfest's +songster's +songstress +songstresses +songstress's +songwriter +songwriter's +songwriters +songwriting +sonogram's +sonority's +sonorously +sonorousness +sonorousness's +sonsofbitches +soothingly +soothsayer +soothsayer's +soothsayers +soothsaying +soothsaying's +sophistical +sophisticate +sophisticated +sophisticate's +sophisticates +sophisticating +sophistication +sophistication's +sophistries +sophistry's +Sophoclean +Sophoclean's +Sophocles's +sophomore's +sophomores +sophomoric +soporifically +soporific's +soporifics +Sorbonne's +sorcerer's +sorceresses +sorceress's +sordidness +sordidness's +sorehead's +soreness's +sororities +sorority's +sorriness's +sorrowfully +sorrowfulness +sorrowfulness's +soulfulness +soulfulness's +soullessly +soullessness +soulmate's +soundalike +soundalikes +soundbites +soundboard +soundboard's +soundboards +soundcheck +soundchecks +sounding's +soundlessly +soundness's +soundproof +soundproofed +soundproofing +soundproofing's +soundproofs +soundscape +soundscapes +soundtrack +soundtrack's +soundtracks +Souphanouvong +Souphanouvong's +Sourceforge +Sourceforge's +sourdough's +sourdoughs +sourness's +sourpusses +sourpuss's +sousaphone +sousaphone's +sousaphones +Southampton +Southampton's +southbound +southeaster +southeasterly +southeastern +southeaster's +southeasters +Southeast's +Southeasts +southeast's +southeastward +southeastwards +southerlies +southerly's +Southerner +southerner +Southerner's +Southerners +southerner's +southerners +southernmost +southern's +southpaw's +southward's +southwards +southwester +southwesterly +southwestern +southwester's +southwesters +Southwest's +Southwests +southwest's +southwestward +southwestwards +souvenir's +sou'wester +sovereign's +sovereigns +sovereignty +sovereignty's +spacecraft +spacecraft's +spacecrafts +spaceflight +spaceflight's +spaceflights +spaceman's +spaceport's +spaceports +spaceship's +spaceships +spacesuit's +spacesuits +spacewalked +spacewalking +spacewalk's +spacewalks +spacewoman +spacewoman's +spacewomen +spaciness's +spaciously +spaciousness +spaciousness's +spadeful's +spadework's +spaghetti's +Spaniard's +spanking's +spareness's +spareribs's +sparkler's +sparrowhawk +sparrowhawks +sparseness +sparseness's +sparsity's +Spartacus's +spasmodically +spattering +speakeasies +speakeasy's +speakerphone +speakerphones +spearfished +spearfishes +spearfishing +spearfish's +spearheaded +spearheading +spearhead's +spearheads +spearmint's +specialism +specialisms +specialist +specialist's +specialists +specialization +specialization's +specializations +specialize +specialized +specializes +specializing +specialties +specialty's +specifiable +specifically +specification +specification's +specifications +specificity +specificity's +specific's +specifiers +specifying +specimen's +speciously +speciousness +speciousness's +spectacle's +spectacles +spectacles's +spectacular +spectacularly +spectacular's +spectaculars +spectating +spectator's +spectators +spectrometer +spectrometer's +spectrometers +spectroscope +spectroscope's +spectroscopes +spectroscopic +spectroscopy +spectroscopy's +spectrum's +speculated +speculates +speculating +speculation +speculation's +speculations +speculative +speculatively +speculator +speculator's +speculators +speechified +speechifies +speechifying +speechless +speechlessly +speechlessness +speechlessness's +speechwriter +speechwriters +speedboat's +speedboats +speediness +speediness's +speeding's +speedometer +speedometer's +speedometers +speedster's +speedsters +speedway's +speedwell's +speleological +speleologist +speleologist's +speleologists +speleology +speleology's +spellbinder +spellbinder's +spellbinders +spellbinding +spellbinds +spellbound +spellcheck +spellchecked +spellchecker +spellchecker's +spellcheckers +spellchecking +spellcheck's +spellchecks +spelldown's +spelldowns +spelling's +spelunker's +spelunkers +spelunking +spelunking's +Spencerian +Spencerian's +spending's +spendthrift +spendthrift's +spendthrifts +Spenglerian +Spenglerian's +Spengler's +Spenserian +Spenserian's +spermatozoa +spermatozoon +spermatozoon's +spermicidal +spermicide +spermicide's +spermicides +sphagnum's +spherically +spheroidal +spheroid's +sphincter's +sphincters +spiciness's +spiderweb's +spiderwebs +Spielberg's +spikiness's +spillage's +Spillane's +spillover's +spillovers +spillway's +spindliest +spinelessly +spinelessness +spinnaker's +spinnakers +spinneret's +spinnerets +spinning's +spinsterhood +spinsterhood's +spinsterish +spinster's +spiracle's +spiritedly +spiritless +spiritualism +spiritualism's +spiritualist +spiritualistic +spiritualist's +spiritualists +spirituality +spirituality's +spiritually +spiritual's +spirituals +spirituous +spirochete +spirochete's +spirochetes +Spirograph +Spirograph's +spitball's +spitefuller +spitefullest +spitefully +spitefulness +spitefulness's +spitfire's +Spitsbergen +Spitsbergen's +spittoon's +splashdown +splashdown's +splashdowns +splashiest +splashiness +splashiness's +splattered +splattering +splatter's +splayfooted +splayfoot's +splendider +splendidest +splendidly +splendorous +splendor's +splenectomy +splintered +splintering +splinter's +splitting's +splittings +splotchier +splotchiest +splotching +spluttered +spluttering +splutter's +spoilage's +spoilsport +spoilsport's +spoilsports +spokesman's +spokespeople +spokesperson +spokesperson's +spokespersons +spokeswoman +spokeswoman's +spokeswomen +spoliation +spoliation's +spongecake +spongecake's +sponginess +sponginess's +sponsoring +sponsorship +sponsorship's +spontaneity +spontaneity's +spontaneous +spontaneously +spookiness +spookiness's +spoonbill's +spoonbills +spoonerism +spoonerism's +spoonerisms +spoonful's +sporadically +sportiness +sportiness's +sportingly +sportively +sportscast +sportscaster +sportscaster's +sportscasters +sportscasting +sportscast's +sportscasts +sportsmanlike +sportsman's +sportsmanship +sportsmanship's +sportspeople +sportsperson +sportswear +sportswear's +sportswoman +sportswoman's +sportswomen +sportswriter +sportswriter's +sportswriters +spotlessly +spotlessness +spotlessness's +spotlighted +spotlighting +spotlight's +spotlights +spottiness +spottiness's +spreadable +spreadeagled +spreader's +spreadsheet +spreadsheet's +spreadsheets +sprightlier +sprightliest +sprightliness +sprightliness's +springboard +springboard's +springboards +springbok's +springboks +Springfield +Springfield's +springiest +springiness +springiness's +springlike +Springsteen +Springsteen's +springtime +springtime's +sprinkler's +sprinklers +sprinkle's +sprinkling +sprinkling's +sprinklings +sprinter's +spritzer's +sprocket's +spruceness +spruceness's +spryness's +spuriously +spuriousness +spuriousness's +sputtering +spyglasses +spyglass's +spymasters +squabbler's +squabblers +squabble's +squabbling +squadron's +squalidest +squalidness +squalidness's +squandered +squandering +squareness +squareness's +squashiest +squatness's +squatter's +squawker's +squeaker's +squeakiest +squeakiness +squeakiness's +squealer's +squeamishly +squeamishness +squeamishness's +squeegeeing +squeegee's +squeezable +squeezebox +squeezeboxes +squeezer's +squelching +squiggle's +squiggling +squirmiest +squirreled +squirreling +squirrel's +squishiest +Srinagar's +Srivijaya's +stabbing's +stability's +stabilization +stabilization's +stabilized +stabilizer +stabilizer's +stabilizers +stabilizes +stabilizing +stableman's +stablemate +stablemates +staccato's +staffing's +Stafford's +stagecoach +stagecoaches +stagecoach's +stagecraft +stagecraft's +stagehand's +stagehands +stagestruck +stagflation +stagflation's +staggering +staggeringly +stagnancy's +stagnantly +stagnating +stagnation +stagnation's +staidness's +stainless's +staircase's +staircases +StairMaster +StairMaster's +stairway's +stairwell's +stairwells +stakeholder +stakeholder's +stakeholders +stakeout's +stalactite +stalactite's +stalactites +stalagmite +stalagmite's +stalagmites +stalemated +stalemate's +stalemates +stalemating +staleness's +Stalingrad +Stalingrad's +Stalinist's +stalking's +stallholder +stallholders +stallion's +Stallone's +stalwartly +stalwart's +Stamford's +stammerer's +stammerers +stammering +stammeringly +stampede's +stampeding +stanchion's +stanchions +standalone +standardization +standardization's +standardize +standardized +standardizes +standardizing +standard's +standing's +Standish's +standoffish +standoff's +standout's +standpipe's +standpipes +standpoint +standpoint's +standpoints +standstill +standstill's +standstills +Stanford's +Stanislavsky +Stanislavsky's +staphylococcal +staphylococci +staphylococcus +staphylococcus's +starboard's +Starbucks's +starbursts +starchiest +starchiness +starchiness's +stardust's +starfishes +starfish's +stargazer's +stargazers +stargazing +starkness's +starlight's +starling's +starstruck +startlingly +starvation +starvation's +starveling +starveling's +starvelings +statecraft +statecraft's +statehood's +statehouse +statehouse's +statehouses +statelessness +statelessness's +stateliest +stateliness +stateliness's +statemented +statementing +statement's +statements +stateroom's +staterooms +statesmanlike +statesman's +statesmanship +statesmanship's +stateswoman +stateswoman's +stateswomen +statically +stationary +stationer's +stationers +stationery +stationery's +stationing +stationmaster +stationmasters +statistical +statistically +statistician +statistician's +statisticians +statistic's +statistics +statuary's +statuesque +statuette's +statuettes +statutorily +Staubach's +staunchest +staunching +staunchness +staunchness's +steadfastly +steadfastness +steadfastness's +Steadicam's +steadiness +steadiness's +steakhouse +steakhouse's +steakhouses +stealthier +stealthiest +stealthily +stealthiness +stealthiness's +steamboat's +steamboats +steamfitter +steamfitter's +steamfitters +steamfitting +steamfitting's +steaminess +steaminess's +steamrolled +steamroller +steamrollered +steamrollering +steamroller's +steamrollers +steamrolling +steamrolls +steamship's +steamships +steeliness +steeliness's +steelmaker +steelmakers +steelworker +steelworker's +steelworkers +steelworks +steelworks's +steelyard's +steelyards +steepening +steeplechase +steeplechase's +steeplechases +steeplejack +steeplejack's +steeplejacks +steepness's +steerage's +steering's +steersman's +Stefanie's +stegosauri +stegosaurus +stegosauruses +stegosaurus's +Steinbeck's +Steinmetz's +Steinway's +stemware's +stenciling +Stendhal's +stenographer +stenographer's +stenographers +stenographic +stenography +stenography's +stentorian +stepbrother +stepbrother's +stepbrothers +stepchildren +stepchildren's +stepchild's +stepdaughter +stepdaughter's +stepdaughters +stepfather +stepfather's +stepfathers +Stephanie's +Stephenson +Stephenson's +Stephens's +stepladder +stepladder's +stepladders +stepmother +stepmother's +stepmothers +stepparent +stepparent's +stepparents +steppingstone +steppingstone's +steppingstones +stepsister +stepsister's +stepsisters +stereophonic +stereoscope +stereoscope's +stereoscopes +stereoscopic +stereotype +stereotyped +stereotype's +stereotypes +stereotypical +stereotyping +sterility's +sterilization +sterilization's +sterilizations +sterilized +sterilizer +sterilizer's +sterilizers +sterilizes +sterilizing +Sterling's +sterling's +sternness's +stertorous +stethoscope +stethoscope's +stethoscopes +stevedore's +stevedores +Stevenson's +stewardess +stewardesses +stewardess's +stewarding +stewardship +stewardship's +stickiness +stickiness's +stickleback +stickleback's +sticklebacks +stickler's +stickpin's +Stieglitz's +stiffener's +stiffeners +stiffening +stiffening's +stiffness's +stiflingly +stigmatization +stigmatization's +stigmatize +stigmatized +stigmatizes +stigmatizing +stiletto's +stillbirth +stillbirth's +stillbirths +stillness's +stimulant's +stimulants +stimulated +stimulates +stimulating +stimulation +stimulation's +stimulative +stimulus's +stinginess +stinginess's +stingray's +stinkbug's +stipendiaries +stipendiary +stippling's +stipulated +stipulates +stipulating +stipulation +stipulation's +stipulations +Stirling's +stirringly +stitchery's +stitching's +stochastic +stockade's +stockading +stockbreeder +stockbreeder's +stockbreeders +stockbroker +stockbroker's +stockbrokers +stockbroking +stockbroking's +Stockhausen +Stockhausen's +stockholder +stockholder's +stockholders +Stockholm's +stockiness +stockiness's +stockinette +stockinette's +stocking's +stockpiled +stockpile's +stockpiles +stockpiling +stockpot's +stockroom's +stockrooms +stocktaking +stocktaking's +Stockton's +stockyard's +stockyards +stodginess +stodginess's +Stoicism's +stoicism's +Stolichnaya +Stolichnaya's +stolidity's +stolidness +stolidness's +Stolypin's +stomachache +stomachache's +stomachaches +stomacher's +stomachers +stomaching +Stonehenge +Stonehenge's +stonemason +stonemason's +stonemasons +stonewalled +stonewalling +stonewalls +stoneware's +stonewashed +stonework's +stoniness's +stopcock's +stoplight's +stoplights +stopover's +stoppage's +Stoppard's +stoppering +stopwatches +stopwatch's +storefront +storefront's +storefronts +storehouse +storehouse's +storehouses +storekeeper +storekeeper's +storekeepers +storeroom's +storerooms +storminess +storminess's +storyboard +storyboard's +storyboards +storybook's +storybooks +storyteller +storyteller's +storytellers +storytelling +storytelling's +stouthearted +stoutness's +stovepipe's +stovepipes +stowaway's +straddler's +straddlers +straddle's +straddling +Stradivari +Stradivarius +Stradivarius's +straggler's +stragglers +stragglier +straggliest +straggling +straightaway +straightaway's +straightaways +straightedge +straightedge's +straightedges +straighten +straightened +straightener +straightener's +straighteners +straightening +straightens +straighter +straightest +straightforward +straightforwardly +straightforwardness +straightforwardness's +straightforwards +straightly +straightness +straightness's +straight's +straightway +strainer's +straitened +straitening +straitjacket +straitjacketed +straitjacketing +straitjacket's +straitjackets +straitlaced +strangeness +strangeness's +stranger's +stranglehold +stranglehold's +strangleholds +strangler's +stranglers +strangling +strangulate +strangulated +strangulates +strangulating +strangulation +strangulation's +straplesses +strapless's +strapping's +Strasbourg +Strasbourg's +stratagem's +stratagems +strategical +strategically +strategics +strategics's +strategies +strategist +strategist's +strategists +strategy's +stratification +stratification's +stratified +stratifies +stratifying +stratosphere +stratosphere's +stratospheres +stratospheric +Stravinsky +Stravinsky's +strawberries +strawberry +strawberry's +streaker's +streakiest +streamer's +streamline +streamlined +streamlines +streamlining +streetcar's +streetcars +streetlamp +streetlamps +streetlight +streetlight's +streetlights +streetwalker +streetwalker's +streetwalkers +streetwise +Streisand's +strengthen +strengthened +strengthener +strengthener's +strengtheners +strengthening +strengthens +strength's +strenuously +strenuousness +strenuousness's +streptococcal +streptococci +streptococcus +streptococcus's +streptomycin +streptomycin's +stretchable +stretchered +stretchering +stretcher's +stretchers +stretchier +stretchiest +stretching +stretchmarks +striation's +striations +Strickland +Strickland's +strictness +strictness's +stricture's +strictures +stridency's +stridently +strikebound +strikebreaker +strikebreaker's +strikebreakers +strikebreaking +strikeout's +strikeouts +strikingly +Strindberg +Strindberg's +stringency +stringency's +stringently +stringer's +stringiest +stringiness +stringiness's +stripling's +striplings +stripper's +striptease +stripteased +stripteaser +stripteaser's +stripteasers +striptease's +stripteases +stripteasing +stroboscope +stroboscope's +stroboscopes +stroboscopic +stroller's +Stromboli's +strongboxes +strongbox's +stronghold +stronghold's +strongholds +strongman's +strongroom +strongrooms +strontium's +stroppiest +stroppiness +structural +structuralism +structuralist +structuralists +structurally +structured +structure's +structures +structuring +struggle's +struggling +strumpet's +strychnine +strychnine's +stubborner +stubbornest +stubbornly +stubbornness +stubbornness's +studbook's +studding's +Studebaker +Studebaker's +studentship +studentships +studiously +studiousness +studiousness's +stuffiness +stuffiness's +stuffing's +stultification +stultification's +stultified +stultifies +stultifying +stumbler's +stunningly +stupefaction +stupefaction's +stupefying +stupendous +stupendously +stupidities +stupidity's +sturdiness +sturdiness's +sturgeon's +stutterer's +stutterers +stuttering +Stuttgart's +Stuyvesant +Stuyvesant's +stylishness +stylishness's +stylistically +stylistics +Styrofoam's +Styrofoams +suaveness's +subaltern's +subalterns +subbasement +subbasement's +subbasements +subbranches +subbranch's +subcategories +subcategory +subcategory's +subcommittee +subcommittee's +subcommittees +subcompact +subcompact's +subcompacts +subconscious +subconsciously +subconsciousness +subconsciousness's +subconscious's +subcontinent +subcontinental +subcontinent's +subcontinents +subcontract +subcontracted +subcontracting +subcontractor +subcontractor's +subcontractors +subcontract's +subcontracts +subculture +subculture's +subcultures +subcutaneous +subcutaneously +subdivided +subdivides +subdividing +subdivision +subdivision's +subdivisions +subdomain's +subdomains +subdominant +subeditors +subfamilies +subfamily's +subfreezing +subgroup's +subheading +subheading's +subheadings +subhuman's +subjecting +subjection +subjection's +subjective +subjectively +subjectivity +subjectivity's +subjoining +subjugated +subjugates +subjugating +subjugation +subjugation's +subjunctive +subjunctive's +subjunctives +sublease's +subleasing +subletting +sublieutenant +sublieutenants +sublimated +sublimates +sublimating +sublimation +sublimation's +subliminal +subliminally +sublimity's +sublingual +submarginal +submariner +submariner's +submariners +submarine's +submarines +submergence +submergence's +submerging +submersible +submersible's +submersibles +submersing +submersion +submersion's +submicroscopic +submission +submission's +submissions +submissive +submissively +submissiveness +submissiveness's +submitting +suborbital +suborder's +subordinate +subordinated +subordinate's +subordinates +subordinating +subordination +subordination's +subornation +subornation's +subparagraph +subpoenaed +subpoenaing +subpoena's +subprofessional +subprofessional's +subprofessionals +subprogram +subprograms +subroutine +subroutine's +subroutines +subscribed +subscriber +subscriber's +subscribers +subscribes +subscribing +subscription +subscription's +subscriptions +subscript's +subscripts +subsection +subsection's +subsections +subsequent +subsequently +subservience +subservience's +subservient +subserviently +subsidence +subsidence's +subsidiaries +subsidiarity +subsidiary +subsidiary's +subsidization +subsidization's +subsidized +subsidizer +subsidizer's +subsidizers +subsidizes +subsidizing +subsistence +subsistence's +subsisting +subspecies +subspecies's +substance's +substances +substandard +substantial +substantially +substantiate +substantiated +substantiates +substantiating +substantiation +substantiation's +substantiations +substantive +substantively +substantive's +substantives +substation +substation's +substations +substituent +substitute +substituted +substitute's +substitutes +substituting +substitution +substitution's +substitutions +substrate's +substrates +substratum +substratum's +substructure +substructure's +substructures +subsumption +subsurface +subsurface's +subsystem's +subsystems +subtenancy +subtenancy's +subtenant's +subtenants +subtending +subterfuge +subterfuge's +subterfuges +subterranean +subtitle's +subtitling +subtleties +subtlety's +subtopic's +subtotaled +subtotaling +subtotal's +subtracted +subtracting +subtraction +subtraction's +subtractions +subtrahend +subtrahend's +subtrahends +subtropical +subtropics +subtropics's +suburbanite +suburbanite's +suburbanites +suburban's +suburbia's +subvention +subvention's +subventions +subversion +subversion's +subversive +subversively +subversiveness +subversiveness's +subversive's +subversives +subverting +succeeding +successful +successfully +succession +succession's +successions +successive +successively +successor's +successors +succincter +succinctest +succinctly +succinctness +succinctness's +succotash's +succulence +succulence's +succulency +succulency's +succulent's +succulents +succumbing +suckling's +suctioning +Sudanese's +suddenness +suddenness's +Sudetenland +Sudetenland's +Suetonius's +sufferance +sufferance's +sufferer's +suffering's +sufferings +sufficiency +sufficiency's +sufficient +sufficiently +suffixation +suffixation's +suffocated +suffocates +suffocating +suffocation +suffocation's +suffragan's +suffragans +suffrage's +suffragette +suffragette's +suffragettes +suffragist +suffragist's +suffragists +suffusion's +sugarcane's +sugarcoated +sugarcoating +sugarcoats +sugarplum's +sugarplums +suggestibility +suggestibility's +suggestible +suggesting +suggestion +suggestion's +suggestions +suggestive +suggestively +suggestiveness +suggestiveness's +suitability +suitability's +suitableness +suitableness's +suitcase's +sukiyaki's +Sulawesi's +Suleiman's +sulfonamides +sulkiness's +sullenness +sullenness's +Sullivan's +sultanate's +sultanates +sultriness +sultriness's +Sumatran's +Sumerian's +summarized +summarizes +summarizing +summation's +summations +summerhouse +summerhouse's +summerhouses +summertime +summertime's +summitry's +summoner's +summonsing +sumptuously +sumptuousness +sumptuousness's +sunbather's +sunbathers +sunbathing +sunbathing's +sunblock's +sunbonnet's +sunbonnets +sunburning +sunburst's +Sundanese's +sundresses +sundries's +sunflower's +sunflowers +sunglasses +sunglasses's +sunlight's +sunniness's +Sunnyvale's +sunscreen's +sunscreens +sunshade's +sunshine's +sunstroke's +suntanning +superabundance +superabundance's +superabundances +superabundant +superannuate +superannuated +superannuates +superannuating +superannuation +superannuation's +Superbowl's +supercargo +supercargoes +supercargo's +supercharge +supercharged +supercharger +supercharger's +superchargers +supercharges +supercharging +supercilious +superciliously +superciliousness +superciliousness's +supercities +supercity's +supercomputer +supercomputer's +supercomputers +superconducting +superconductive +superconductivity +superconductivity's +superconductor +superconductor's +superconductors +supercritical +superego's +supererogation +supererogation's +supererogatory +superficial +superficiality +superficiality's +superficially +superfluity +superfluity's +superfluous +superfluously +superfluousness +superfluousness's +Superfund's +Superglue's +supergrass +supergrasses +superheroes +superhero's +superheros +superhighway +superhighway's +superhighways +superhuman +superimpose +superimposed +superimposes +superimposing +superimposition +superimposition's +superintend +superintended +superintendence +superintendence's +superintendency +superintendency's +superintendent +superintendent's +superintendents +superintending +superintends +superiority +superiority's +Superior's +superior's +superlative +superlatively +superlative's +superlatives +Superman's +superman's +supermarket +supermarket's +supermarkets +supermassive +supermodel +supermodel's +supermodels +supermom's +supernatural +supernaturally +supernaturals +supernovae +supernova's +supernovas +supernumeraries +supernumerary +supernumerary's +superposed +superposes +superposing +superposition +superposition's +superpower +superpower's +superpowers +supersaturate +supersaturated +supersaturates +supersaturating +supersaturation +supersaturation's +superscribe +superscribed +superscribes +superscribing +superscript +superscription +superscription's +superscript's +superscripts +superseded +supersedes +superseding +supersized +supersizes +supersizing +supersonic +superstar's +superstars +superstate +superstates +superstition +superstition's +superstitions +superstitious +superstitiously +superstore +superstore's +superstores +superstructure +superstructure's +superstructures +supertanker +supertanker's +supertankers +superusers +supervened +supervenes +supervening +supervention +supervention's +supervised +supervises +supervising +supervision +supervision's +supervisions +supervisor +supervisor's +supervisors +supervisory +superwoman +superwoman's +superwomen +suppertime +supplanted +supplanting +supplement +supplemental +supplementary +supplementation +supplementation's +supplemented +supplementing +supplement's +supplements +suppleness +suppleness's +suppliant's +suppliants +supplicant +supplicant's +supplicants +supplicate +supplicated +supplicates +supplicating +supplication +supplication's +supplications +supplier's +supportable +supporter's +supporters +supporting +supportive +supposedly +supposition +supposition's +suppositions +suppositories +suppository +suppository's +suppressant +suppressant's +suppressants +suppressed +suppresses +suppressible +suppressing +suppression +suppression's +suppressive +suppressor +suppressor's +suppressors +suppurated +suppurates +suppurating +suppuration +suppuration's +supranational +supremacist +supremacist's +supremacists +supremacy's +Surabaya's +surcease's +surceasing +surcharged +surcharge's +surcharges +surcharging +surcingle's +surcingles +surefooted +sureness's +surfboarded +surfboarding +surfboard's +surfboards +surfeiting +surgically +Suriname's +Surinamese +surliness's +surmountable +surmounted +surmounting +surpassing +surplice's +surplussed +surplussing +surprise's +surprising +surprisingly +surprisings +surrealism +surrealism's +surrealist +surrealistic +surrealistically +surrealist's +surrealists +surrendered +surrendering +surrender's +surrenders +surreptitious +surreptitiously +surreptitiousness +surreptitiousness's +surrogacy's +surrogate's +surrogates +surrounded +surrounding +surrounding's +surroundings +surroundings's +surveillance +surveillance's +surveying's +surveyor's +survivable +survivalist +survivalist's +survivalists +survival's +survivor's +susceptibilities +susceptibility +susceptibility's +susceptible +suspecting +suspender's +suspenders +suspending +suspenseful +suspense's +suspension +suspension's +suspensions +suspicion's +suspicions +suspicious +suspiciously +Susquehanna +Susquehanna's +sustainability +sustainable +sustaining +sustenance +sustenance's +Sutherland +Sutherland's +suzerain's +suzerainty +suzerainty's +Svalbard's +Svengali's +Sverdlovsk +swaggering +swallowing +swallowtail +swallowtail's +swallowtails +Swammerdam +Swammerdam's +swampland's +swankiness +swankiness's +swarthiest +swashbuckler +swashbuckler's +swashbucklers +swashbuckling +swashbuckling's +swastika's +swattering +swaybacked +swayback's +Swaziland's +swearword's +swearwords +sweatband's +sweatbands +sweatpants +sweatpants's +sweatshirt +sweatshirt's +sweatshirts +sweatshop's +sweatshops +sweatsuits +Swedenborg +Swedenborg's +sweepingly +sweeping's +sweepings's +sweepstakes +sweepstakes's +sweetbread +sweetbread's +sweetbreads +sweetbrier +sweetbrier's +sweetbriers +sweetener's +sweeteners +sweetening +sweetening's +sweetheart +sweetheart's +sweethearts +sweetmeat's +sweetmeats +sweetness's +swellheaded +swellhead's +swellheads +swelling's +sweltering +swiftness's +swimmingly +swimming's +swimsuit's +Swinburne's +swindler's +swineherd's +swineherds +Swissair's +switchable +switchback +switchback's +switchbacks +switchblade +switchblade's +switchblades +switchboard +switchboard's +switchboards +switcher's +Switzerland +Switzerland's +swordfishes +swordfish's +swordplay's +swordsman's +swordsmanship +swordsmanship's +sybarite's +sycamore's +sycophancy +sycophancy's +sycophantic +sycophant's +sycophants +syllabicate +syllabicated +syllabicates +syllabicating +syllabication +syllabication's +syllabification +syllabification's +syllabified +syllabifies +syllabifying +syllable's +syllabuses +syllabus's +syllogism's +syllogisms +syllogistic +Sylvester's +symbiosis's +symbiotically +symbolical +symbolically +symbolism's +symbolization +symbolization's +symbolized +symbolizes +symbolizing +symmetrical +symmetrically +symmetries +symmetry's +sympathetic +sympathetically +sympathies +sympathies's +sympathize +sympathized +sympathizer +sympathizer's +sympathizers +sympathizes +sympathizing +sympathy's +symphonies +symphony's +symposium's +symposiums +symptomatic +symptomatically +synagogue's +synagogues +synchronicity +synchronization +synchronization's +synchronizations +synchronize +synchronized +synchronizes +synchronizing +synchronous +synchronously +syncopated +syncopates +syncopating +syncopation +syncopation's +syndicalism +syndicalist +syndicalists +syndicated +syndicate's +syndicates +syndicating +syndication +syndication's +syndrome's +synergism's +synergistic +synonymous +synonymy's +synopsis's +syntactical +syntactically +synthesis's +synthesize +synthesized +synthesizer +synthesizer's +synthesizers +synthesizes +synthesizing +synthetically +synthetic's +synthetics +syphilis's +syphilitic +syphilitic's +syphilitics +Syracuse's +systematic +systematical +systematically +systematization +systematization's +systematize +systematized +systematizes +systematizing +systemically +systemic's +Szymborska +Szymborska's +tabbouleh's +Tabernacle +tabernacle +Tabernacle's +Tabernacles +tabernacle's +tabernacles +tablecloth +tablecloth's +tablecloths +tableland's +tablelands +tablespoon +tablespoonful +tablespoonful's +tablespoonfuls +tablespoon's +tablespoons +tabletop's +tableware's +tabulating +tabulation +tabulation's +tabulations +tabulator's +tabulators +tachograph +tachographs +tachometer +tachometer's +tachometers +tachycardia +tachycardia's +tacitness's +taciturnity +taciturnity's +taciturnly +tackiness's +tactfulness +tactfulness's +tactically +tactician's +tacticians +tactility's +tactlessly +tactlessness +tactlessness's +taffrail's +tagliatelle +Tahitian's +Taichung's +tailback's +tailboards +tailcoat's +tailgater's +tailgaters +tailgate's +tailgating +taillight's +taillights +tailoring's +tailpieces +tailpipe's +tailspin's +tailwind's +Taiwanese's +Tajikistan +Tajikistan's +takeover's +Taklamakan +Taklamakan's +talebearer +talebearer's +talebearers +Taliesin's +talisman's +talkatively +talkativeness +talkativeness's +Tallahassee +Tallahassee's +Tallchief's +Talleyrand +Talleyrand's +tallness's +tallyhoing +tamarack's +tamarind's +tambourine +tambourine's +tambourines +tameness's +Tamerlane's +tamperer's +Tamworth's +tandoori's +Tanganyika +Tanganyika's +tangential +tangentially +tangerine's +tangerines +tangibility +tangibility's +tangibleness +tangibleness's +tangible's +Tangshan's +Tannhauser +Tannhauser's +Tannhäuser +Tannhäuser's +tantalization +tantalization's +tantalized +tantalizer +tantalizer's +tantalizers +tantalizes +tantalizing +tantalizingly +tantalum's +Tantalus's +tantamount +Tanzanian's +Tanzanians +Tanzania's +tapeline's +tapestries +tapestry's +tapeworm's +taramasalata +tarantella +tarantella's +tarantellas +Tarantino's +tarantula's +tarantulas +tardiness's +Tarkenton's +Tarkington +Tarkington's +tarmacadam +tarmacking +tarnishing +tarpaulin's +tarpaulins +tarragon's +tartness's +Tartuffe's +Tashkent's +taskmaster +taskmaster's +taskmasters +taskmistress +taskmistresses +taskmistress's +Tasmanian's +Tasmania's +tastefully +tastefulness +tastefulness's +tastelessly +tastelessness +tastelessness's +tastiness's +tatterdemalion +tatterdemalion's +tatterdemalions +tattletale +tattletale's +tattletales +tattooer's +tattooist's +tattooists +tauntingly +tautness's +tautological +tautologically +tautologies +tautologous +tautology's +tawdriness +tawdriness's +taxation's +taxidermist +taxidermist's +taxidermists +taxidermy's +taximeter's +taximeters +taxonomies +taxonomist +taxonomist's +taxonomists +taxonomy's +taxpayer's +Tchaikovsky +Tchaikovsky's +teaching's +teacupful's +teacupfuls +teakettle's +teakettles +tealight's +teammate's +teamster's +teamwork's +teardrop's +teargassed +teargassing +tearjerker +tearjerker's +tearjerkers +Teasdale's +teaspoonful +teaspoonful's +teaspoonfuls +teaspoon's +technetium +technetium's +technicalities +technicality +technicality's +technically +technician +technician's +technicians +Technicolor +technicolor +Technicolor's +technique's +techniques +technobabble +technocracies +technocracy +technocracy's +technocrat +technocratic +technocrat's +technocrats +technological +technologically +technologies +technologist +technologist's +technologists +technology +technology's +technophobe +technophobes +tectonics's +Tecumseh's +tediousness +tediousness's +teenager's +teenybopper +teenybopper's +teenyboppers +teething's +teetotaler +teetotaler's +teetotalers +teetotalism +teetotalism's +Tegucigalpa +Tegucigalpa's +telecaster +telecaster's +telecasters +telecasting +telecast's +telecommunication +telecommunication's +telecommunications +telecommunications's +telecommute +telecommuted +telecommuter +telecommuter's +telecommuters +telecommutes +telecommuting +telecommuting's +teleconference +teleconferenced +teleconference's +teleconferences +teleconferencing +teleconferencing's +telegram's +telegraphed +telegrapher +telegrapher's +telegraphers +telegraphese +telegraphic +telegraphically +telegraphing +telegraphist +telegraphist's +telegraphists +telegraph's +telegraphs +telegraphy +telegraphy's +telekinesis +telekinesis's +telekinetic +Telemachus +Telemachus's +Telemann's +telemarketer +telemarketer's +telemarketers +telemarketing +telemarketing's +telemeter's +telemeters +telemetries +telemetry's +teleological +telepathic +telepathically +telepathy's +telephoned +telephoner +telephoner's +telephoners +telephone's +telephones +telephonic +telephoning +telephonist +telephonists +telephony's +telephotography +telephotography's +telephoto's +telephotos +teleplay's +teleportation +teleprinter +teleprinter's +teleprinters +teleprocessing +teleprocessing's +TelePrompTer +TelePrompter +teleprompter +TelePrompter's +teleprompter's +teleprompters +telescoped +telescope's +telescopes +telescopic +telescopically +telescoping +teletext's +telethon's +teletypewriter +teletypewriter's +teletypewriters +televangelism +televangelism's +televangelist +televangelist's +televangelists +televising +television +television's +televisions +teleworker +teleworkers +teleworking +telltale's +tellurium's +TELNETTing +temerity's +temperament +temperamental +temperamentally +temperament's +temperaments +temperance +temperance's +temperately +temperateness +temperateness's +temperature +temperature's +temperatures +tempestuous +tempestuously +tempestuousness +tempestuousness's +template's +temporally +temporaries +temporarily +temporariness +temporariness's +temporary's +temporized +temporizer +temporizer's +temporizers +temporizes +temporizing +temptation +temptation's +temptations +temptingly +temptresses +temptress's +tenability +tenability's +tenaciously +tenaciousness +tenaciousness's +tenacity's +tenantry's +tendencies +tendency's +tendentious +tendentiously +tendentiousness +tendentiousness's +tenderfoot +tenderfoot's +tenderfoots +tenderhearted +tenderheartedness +tenderheartedness's +tenderized +tenderizer +tenderizer's +tenderizers +tenderizes +tenderizing +tenderloin +tenderloin's +tenderloins +tenderness +tenderness's +tendinitis +tendinitis's +tenement's +Tennessean +Tennessean's +Tennesseans +Tennessee's +Tennyson's +Tenochtitlan +Tenochtitlan's +tenseness's +tentacle's +tentatively +tentativeness +tentativeness's +tenterhook +tenterhook's +tenterhooks +tenuousness +tenuousness's +Teotihuacan +Teotihuacan's +tepidity's +tepidness's +terabyte's +terahertz's +terapixel's +terapixels +tercentenaries +tercentenary +tercentenary's +tercentennial +tercentennial's +tercentennials +Tereshkova +Tereshkova's +termagant's +termagants +terminable +terminally +terminal's +terminated +terminates +terminating +termination +termination's +terminations +terminator +terminators +terminological +terminologically +terminologies +terminology +terminology's +terminus's +Terpsichore +Terpsichore's +terracotta +terracotta's +Terrance's +terrapin's +terrarium's +terrariums +terrazzo's +Terrence's +terrestrial +terrestrially +terrestrial's +terrestrials +terribleness +terribleness's +terrifically +terrifying +terrifyingly +territorial +territoriality +territorial's +territorials +territories +territory's +terrorism's +terrorist's +terrorists +terrorized +terrorizes +terrorizing +terrycloth +terrycloth's +terseness's +Tertiary's +tessellate +tessellated +tessellates +tessellating +tessellation +tessellation's +tessellations +testamentary +testament's +testaments +testator's +testatrices +testatrix's +testicle's +testicular +testifier's +testifiers +testifying +testimonial +testimonial's +testimonials +testimonies +testimony's +testiness's +testosterone +testosterone's +tetchiness +tetracycline +tetracycline's +tetrahedral +tetrahedron +tetrahedron's +tetrahedrons +tetrameter +tetrameter's +tetrameters +Teutonic's +textbook's +Thackeray's +Thaddeus's +Thailand's +thalamus's +thalidomide +thalidomide's +thallium's +thankfully +thankfulness +thankfulness's +thanklessly +thanklessness +thanklessness's +Thanksgiving +thanksgiving +Thanksgiving's +Thanksgivings +thanksgiving's +thanksgivings +Thatcher's +thatcher's +thatching's +theatergoer +theatergoer's +theatergoers +theatrical +theatricality +theatricality's +theatrically +theatricals +theatricals's +theatrics's +thematically +Themistocles +Themistocles's +themselves +thenceforth +thenceforward +theocracies +theocracy's +theocratic +Theocritus +Theocritus's +theodolite +theodolites +Theodora's +Theodore's +Theodoric's +Theodosius +Theodosius's +theologian +theologian's +theologians +theological +theologically +theologies +theology's +theoretical +theoretically +theoretician +theoretician's +theoreticians +theorist's +theorizing +theosophic +theosophical +theosophist +theosophist's +theosophists +Theosophy's +theosophy's +therapeutic +therapeutically +therapeutics +therapeutics's +therapist's +therapists +Theravada's +thereabout +thereabouts +thereafter +theremin's +theretofore +thereunder +thermionic +thermodynamic +thermodynamics +thermodynamics's +thermometer +thermometer's +thermometers +thermometric +thermonuclear +thermoplastic +thermoplastic's +thermoplastics +Thermopylae +Thermopylae's +thermostat +thermostatic +thermostatically +thermostat's +thermostats +thesauruses +thesaurus's +Thespian's +thespian's +Thessalonian +Thessalonian's +Thessalonians +Thessaloniki +Thessaloniki's +Thessaloníki +Thessaloníki's +Thessaly's +thiamine's +thickener's +thickeners +thickening +thickening's +thickenings +thickheaded +thickheaded's +thicknesses +thickness's +thievery's +thieving's +thighbone's +thighbones +thimbleful +thimbleful's +thimblefuls +thingamabob +thingamabob's +thingamabobs +thingamajig +thingamajig's +thingamajigs +thingumabob +thingumabobs +thingummies +thinking's +thinness's +thirstiest +thirstiness +thirstiness's +thirteen's +thirteenth +thirteenth's +thirteenths +thirtieth's +thirtieths +thistledown +thistledown's +Thomistic's +Thompson's +Thorazine's +thorniness +thorniness's +Thornton's +Thoroughbred +thoroughbred +Thoroughbred's +thoroughbred's +thoroughbreds +thorougher +thoroughest +thoroughfare +thoroughfare's +thoroughfares +thoroughgoing +thoroughly +thoroughness +thoroughness's +thoughtful +thoughtfully +thoughtfulness +thoughtfulness's +thoughtless +thoughtlessly +thoughtlessness +thoughtlessness's +thousandfold +thousand's +thousandth +thousandth's +thousandths +Thracian's +thralldom's +thrasher's +thrashing's +thrashings +threadbare +threader's +threadiest +threadlike +threatened +threatening +threateningly +threepence +threepence's +threescore +threescore's +threescores +threesome's +threesomes +threnodies +threnody's +thresher's +threshold's +thresholds +thriftiest +thriftiness +thriftiness's +thriftless +thriller's +thrillingly +throatiest +throatiness +throatiness's +thrombolytic +thromboses +thrombosis +thrombosis's +thrombotic +thrombus's +throttler's +throttlers +throttle's +throttling +throughout +throughput +throughput's +throwaway's +throwaways +throwback's +throwbacks +Thucydides +Thucydides's +thuggery's +thumbnail's +thumbnails +thumbprint +thumbprint's +thumbprints +thumbscrew +thumbscrew's +thumbscrews +thumbtack's +thumbtacks +thumping's +Thunderbird +Thunderbird's +thunderbolt +thunderbolt's +thunderbolts +thunderclap +thunderclap's +thunderclaps +thundercloud +thundercloud's +thunderclouds +thunderer's +thunderers +thunderhead +thunderhead's +thunderheads +thundering +thunderous +thunderously +thundershower +thundershower's +thundershowers +thunderstorm +thunderstorm's +thunderstorms +thunderstruck +Thurmond's +Thursday's +Thutmose's +thwacker's +Tiberius's +Ticketmaster +Ticketmaster's +ticklishly +ticklishness +ticklishness's +ticktacktoe +ticktacktoe's +ticktock's +Ticonderoga +Ticonderoga's +tiddlywink +tiddlywinks +tiddlywinks's +tideland's +tidewater's +tidewaters +tidiness's +tiebreaker +tiebreaker's +tiebreakers +Tienanmen's +tightener's +tighteners +tightening +tightfisted +tightness's +tightrope's +tightropes +tightwad's +timberland +timberland's +timberline +timberline's +timberlines +Timbuktu's +timekeeper +timekeeper's +timekeepers +timekeeping +timekeeping's +timelessly +timelessness +timelessness's +timeline's +timeliness +timeliness's +timepiece's +timepieces +timescales +timeserver +timeserver's +timeservers +timeserving +timeserving's +timeshares +timestamped +timestamp's +timestamps +timetabled +timetable's +timetables +timetabling +timidity's +timidness's +timorously +timorousness +timorousness's +timpanist's +timpanists +tincture's +tincturing +tinderboxes +tinderbox's +tingling's +tininess's +Tinkerbell +Tinkerbell's +tinkerer's +Tinkertoy's +tinniness's +tinnitus's +tinplate's +Tinseltown +Tinseltown's +tinsmith's +tintinnabulation +tintinnabulation's +tintinnabulations +Tintoretto +Tintoretto's +Tippecanoe +Tippecanoe's +Tipperary's +tipsiness's +tiramisu's +tiredness's +tirelessly +tirelessness +tirelessness's +Tiresias's +tiresomely +tiresomeness +tiresomeness's +titanium's +Titicaca's +titillated +titillates +titillating +titillatingly +titillation +titillation's +titivating +titivation +titivation's +titleholder +titleholder's +titleholders +titmouse's +toadstool's +toadstools +toadyism's +toastmaster +toastmaster's +toastmasters +toastmistress +toastmistresses +toastmistress's +tobacconist +tobacconist's +tobacconists +tobogganed +tobogganer +tobogganer's +tobogganers +tobogganing +tobogganing's +toboggan's +Tocantins's +Tocqueville +Tocqueville's +togetherness +togetherness's +Togolese's +toiletries +toiletry's +toilette's +tokenism's +Tokugawa's +tolerance's +tolerances +tolerantly +tolerating +toleration +toleration's +tollbooth's +tollbooths +tollgate's +Tolyatti's +tomahawked +tomahawking +tomahawk's +Tombaugh's +tombstone's +tombstones +tomfooleries +tomfoolery +tomfoolery's +tomographic +tomography +tomography's +tomorrow's +Tompkins's +tonalities +tonality's +tonelessly +tongueless +tonsillectomies +tonsillectomy +tonsillectomy's +tonsillitis +tonsillitis's +toolmaker's +toolmakers +toothache's +toothaches +toothbrush +toothbrushes +toothbrush's +toothpaste +toothpaste's +toothpastes +toothpick's +toothpicks +topdressing +topdressing's +topdressings +topicality +topicality's +topographer +topographer's +topographers +topographic +topographical +topographically +topographies +topography +topography's +topological +topologically +torchbearer +torchbearer's +torchbearers +torchlight +torchlight's +toreador's +tormenting +tormentingly +tormentor's +tormentors +torpedoing +torpidity's +Torquemada +Torquemada's +Torrance's +torrential +Torricelli +Torricelli's +torridity's +torridness +torridness's +tortellini +tortellini's +tortilla's +tortoise's +tortoiseshell +tortoiseshell's +tortoiseshells +tortuously +tortuousness +tortuousness's +torturer's +Torvalds's +Toscanini's +totalitarian +totalitarianism +totalitarianism's +totalitarian's +totalitarians +totalities +totality's +totalizator +totalizator's +totalizators +totterer's +touchdown's +touchdowns +touchiness +touchiness's +touchingly +touchlines +touchpaper +touchpapers +touchscreen +touchscreen's +touchscreens +touchstone +touchstone's +touchstones +toughener's +tougheners +toughening +toughness's +Toulouse's +tourmaline +tourmaline's +tournament +tournament's +tournaments +tourniquet +tourniquet's +tourniquets +towelette's +towelettes +toweling's +townhouse's +townhouses +Townsend's +townsfolk's +township's +townsman's +townspeople +townspeople's +townswoman +townswoman's +townswomen +toxicities +toxicity's +toxicological +toxicologist +toxicologist's +toxicologists +toxicology +toxicology's +trabecular +traceability +tracheotomies +tracheotomy +tracheotomy's +trackball's +trackballs +tracksuits +tractability +tractability's +traction's +trademarked +trademarking +trademark's +trademarks +tradesman's +tradespeople +tradespeople's +tradeswoman +tradeswoman's +tradeswomen +traditional +traditionalism +traditionalism's +traditionalist +traditionalist's +traditionalists +traditionally +tradition's +traditions +traducer's +Trafalgar's +trafficked +trafficker +trafficker's +traffickers +trafficking +trafficking's +tragedian's +tragedians +tragedienne +tragedienne's +tragediennes +tragically +tragicomedies +tragicomedy +tragicomedy's +tragicomic +trailblazer +trailblazer's +trailblazers +trailblazing +trailblazing's +Trailways's +training's +trainload's +trainloads +trainman's +trainspotter +trainspotters +trainspotting +traitorous +traitorously +trajectories +trajectory +trajectory's +trammeling +trampler's +trampoline +trampolined +trampoline's +trampolines +trampolining +tranquiler +tranquilest +tranquility +tranquility's +tranquilize +tranquilized +tranquilizer +tranquilizer's +tranquilizers +tranquilizes +tranquilizing +tranquilly +transacted +transacting +transaction +transaction's +transactions +transactor +transactor's +transactors +transatlantic +Transcaucasia +Transcaucasia's +transceiver +transceiver's +transceivers +transcended +transcendence +transcendence's +transcendent +transcendental +transcendentalism +transcendentalism's +transcendentalist +transcendentalist's +transcendentalists +transcendentally +transcending +transcends +transcontinental +transcribe +transcribed +transcriber +transcriber's +transcribers +transcribes +transcribing +transcript +transcription +transcription's +transcriptions +transcript's +transcripts +transducer +transducer's +transducers +transected +transecting +transept's +transferable +transferal +transferal's +transferals +transference +transference's +transferred +transferring +transfer's +transfiguration +transfiguration's +transfigure +transfigured +transfigures +transfiguring +transfinite +transfixed +transfixes +transfixing +transformable +transformation +transformation's +transformations +transformed +transformer +transformer's +transformers +transforming +transform's +transforms +transfused +transfuses +transfusing +transfusion +transfusion's +transfusions +transgender +transgenders +transgenic +transgress +transgressed +transgresses +transgressing +transgression +transgression's +transgressions +transgressor +transgressor's +transgressors +transience +transience's +transiency +transiency's +transiently +transient's +transients +transistor +transistorize +transistorized +transistorizes +transistorizing +transistor's +transistors +transiting +transition +transitional +transitionally +transitioned +transitioning +transition's +transitions +transitive +transitively +transitiveness +transitiveness's +transitive's +transitives +transitivity +transitivity's +transitory +translatable +translated +translates +translating +translation +translation's +translations +translator +translator's +translators +transliterate +transliterated +transliterates +transliterating +transliteration +transliteration's +transliterations +translocation +translucence +translucence's +translucency +translucency's +translucent +translucently +transmigrate +transmigrated +transmigrates +transmigrating +transmigration +transmigration's +transmissible +transmission +transmission's +transmissions +transmittable +transmittal +transmittal's +transmittance +transmittance's +transmitted +transmitter +transmitter's +transmitters +transmitting +transmogrification +transmogrification's +transmogrified +transmogrifies +transmogrify +transmogrifying +transmutable +transmutation +transmutation's +transmutations +transmuted +transmutes +transmuting +transnational +transnational's +transnationals +transoceanic +transpacific +transparencies +transparency +transparency's +transparent +transparently +transpiration +transpiration's +transpired +transpires +transpiring +transplant +transplantation +transplantation's +transplanted +transplanting +transplant's +transplants +transpolar +transponder +transponder's +transponders +transportable +transportation +transportation's +transported +transporter +transporter's +transporters +transporting +transport's +transports +transposed +transposes +transposing +transposition +transposition's +transpositions +transsexual +transsexualism +transsexualism's +transsexual's +transsexuals +transshipment +transshipment's +transshipped +transshipping +transships +transubstantiation +transubstantiation's +Transvaal's +transverse +transversely +transverse's +transverses +transvestism +transvestism's +transvestite +transvestite's +transvestites +Transylvania +Transylvanian +Transylvanian's +Transylvania's +trapdoor's +trapezium's +trapeziums +trapezoidal +trapezoid's +trapezoids +trappings's +Trappist's +trapshooting +trapshooting's +trashcan's +trashiness +trashiness's +traumatically +traumatize +traumatized +traumatizes +traumatizing +travailing +traveler's +traveling's +travelings +travelogue +travelogue's +travelogues +traversal's +traversals +traverse's +traversing +travestied +travesties +travestying +travesty's +Travolta's +treacheries +treacherous +treacherously +treacherousness +treacherousness's +treachery's +treadmill's +treadmills +treasonable +treasonous +treasurer's +treasurers +treasure's +Treasuries +treasuries +treasuring +Treasury's +treasury's +treatise's +treatment's +treatments +Treblinka's +trellising +trematode's +trematodes +tremendous +tremendously +tremulously +tremulousness +tremulousness's +trenchancy +trenchancy's +trenchantly +trencherman +trencherman's +trenchermen +trencher's +trendiness +trendiness's +trendsetter +trendsetters +trendsetting +trepidation +trepidation's +trespassed +trespasser +trespasser's +trespassers +trespasses +trespassing +trespass's +Trevelyan's +triangle's +triangular +triangularly +triangulate +triangulated +triangulates +triangulating +triangulation +triangulation's +Triangulum +Triangulum's +Triassic's +triathlete +triathletes +triathlon's +triathlons +tribalism's +tribesman's +tribeswoman +tribeswoman's +tribeswomen +tribulation +tribulation's +tribulations +tribunal's +tributaries +tributary's +tricentennial +tricentennial's +tricentennials +triceratops +triceratops's +trichina's +trichinosis +trichinosis's +trickery's +trickiness +trickiness's +trickster's +tricksters +tricolor's +tricycle's +triennially +triennial's +triennials +trifecta's +trifocals's +triggering +triglyceride +triglyceride's +triglycerides +trigonometric +trigonometrical +trigonometry +trigonometry's +trilateral +trilaterals +trillion's +trillionth +trillionth's +trillionths +trillium's +trilobite's +trilobites +trimaran's +trimester's +trimesters +trimming's +trimmings's +trimness's +trimonthly +Trimurti's +Trinidadian +Trinidadian's +Trinidadians +Trinidad's +trinitrotoluene +trinitrotoluene's +tripartite +Tripitaka's +triplicate +triplicated +triplicate's +triplicates +triplicating +triptych's +trisecting +trisection +trisection's +triteness's +triumphalism +triumphalist +triumphant +triumphantly +triumphing +triumvirate +triumvirate's +triumvirates +triumvir's +trivialities +triviality +triviality's +trivialization +trivialization's +trivialize +trivialized +trivializes +trivializing +Trobriand's +troglodyte +troglodyte's +troglodytes +trolleybus +trolleybuses +trolleybus's +Trollope's +trombone's +trombonist +trombonist's +trombonists +Trondheim's +troopship's +troopships +tropically +Tropicana's +troposphere +troposphere's +tropospheres +troubadour +troubadour's +troubadours +troublemaker +troublemaker's +troublemakers +troubleshoot +troubleshooted +troubleshooter +troubleshooter's +troubleshooters +troubleshooting +troubleshooting's +troubleshoots +troubleshot +troublesome +troublesomely +trouncer's +trousers's +trousseau's +trousseaux +trucking's +truckload's +truckloads +truculence +truculence's +truculently +truelove's +Truffaut's +Trujillo's +Trumbull's +trumpery's +trumpeter's +trumpeters +trumpeting +truncating +truncation +truncation's +truncheon's +truncheons +trundler's +trusteeship +trusteeship's +trusteeships +trustfully +trustfulness +trustfulness's +trustingly +trustworthier +trustworthiest +trustworthiness +trustworthiness's +trustworthy +truthfully +truthfulness +truthfulness's +truthiness +tryptophan +Tsimshian's +Tsiolkovsky +Tsiolkovsky's +Tsitsihar's +Tsongkhapa +Tsongkhapa's +tubeless's +tubercle's +tubercular +tuberculin +tuberculin's +tuberculosis +tuberculosis's +tuberculous +tuberose's +tularemia's +Tulsidas's +tumbledown +tumbleweed +tumbleweed's +tumbleweeds +tumbling's +tumescence +tumescence's +tumidity's +tumultuous +tumultuously +tunefulness +tunefulness's +tunelessly +tungsten's +Tunguska's +Tunisian's +tunneler's +tunnelings +Tupperware +Tupperware's +Tupungato's +turbidity's +turbocharge +turbocharged +turbocharger +turbocharger's +turbochargers +turbocharges +turbocharging +turbofan's +turbojet's +turboprop's +turboprops +turbulence +turbulence's +turbulently +turducken's +turduckens +Turgenev's +turgidity's +Turkestan's +Turkmenistan +Turkmenistan's +turmeric's +turnabout's +turnabouts +turnaround +turnaround's +turnarounds +turnbuckle +turnbuckle's +turnbuckles +turncoat's +turnover's +turnpike's +turnstile's +turnstiles +turntable's +turntables +turpentine +turpentine's +turpitude's +turquoise's +turquoises +turtledove +turtledove's +turtledoves +turtleneck +turtlenecked +turtleneck's +turtlenecks +Tuscaloosa +Tuscaloosa's +Tuscarora's +Tuscaroras +Tuskegee's +Tutankhamen +Tutankhamen's +tutelage's +tutorial's +tutorship's +twaddler's +Tweedledee +Tweedledee's +Tweedledum +Tweedledum's +tweezers's +twelvemonth +twelvemonth's +twelvemonths +twentieth's +twentieths +twilight's +Twinkies's +twinkling's +twinklings +twitchiest +twittering +Twizzlers's +twopence's +tympanist's +tympanists +tympanum's +typecasting +typeface's +typescript +typescript's +typescripts +typesetter +typesetter's +typesetters +typesetting +typesetting's +typewriter +typewriter's +typewriters +typewrites +typewriting +typewriting's +typewritten +typicality +typicality's +typification +typification's +typographer +typographer's +typographers +typographic +typographical +typographically +typography +typography's +typologies +typology's +tyrannical +tyrannically +tyrannized +tyrannizes +tyrannizing +tyrannosaur +tyrannosaur's +tyrannosaurs +tyrannosaurus +tyrannosauruses +tyrannosaurus's +ubiquitous +ubiquitously +ubiquity's +ufologist's +ufologists +ugliness's +Ujungpandang +Ujungpandang's +Ukrainian's +Ukrainians +ulcerating +ulceration +ulceration's +ulcerations +ultimately +ultimate's +ultimatum's +ultimatums +ultraconservative +ultraconservative's +ultraconservatives +ultralight +ultralight's +ultralights +ultramarine +ultramarine's +ultramodern +ultrashort +ultrasonic +ultrasonically +ultrasound +ultrasound's +ultrasounds +Ultrasuede +Ultrasuede's +ultraviolet +ultraviolet's +ululation's +ululations +Ulyanovsk's +umbilicus's +umbrella's +unabashedly +unabridged +unabridged's +unabridgeds +unaccented +unacceptability +unacceptable +unacceptably +unaccepted +unaccommodating +unaccompanied +unaccomplished +unaccountable +unaccountably +unaccounted +unaccredited +unaccustomed +unachievable +unacknowledged +unacquainted +unaddressed +unadulterated +unadventurous +unadvertised +unadvisedly +unaesthetic +unaffected +unaffectedly +unaffiliated +unalienable +unallowable +unalterable +unalterably +unambiguous +unambiguously +unambitious +unanimity's +unanimously +unannounced +unanswerable +unanswered +unanticipated +unapologetic +unapparent +unappealing +unappealingly +unappetizing +unappreciated +unappreciative +unapproachable +unappropriated +unapproved +unarguable +unarguably +unashamedly +unassailable +unassertive +unassigned +unassisted +unassuming +unassumingly +unattached +unattainable +unattended +unattested +unattractive +unattractively +unattributed +unauthentic +unauthenticated +unauthorized +unavailability +unavailability's +unavailable +unavailing +unavailingly +unavoidable +unavoidably +unawareness +unawareness's +unbalanced +unbalances +unbalancing +unbaptized +unbearable +unbearably +unbeatable +unbecoming +unbecomingly +unbeknownst +unbelief's +unbelievable +unbelievably +unbeliever +unbeliever's +unbelievers +unbelieving +unbleached +unblemished +unblinking +unblinkingly +unblocking +unblushing +unblushingly +unbosoming +unbothered +unbreakable +unbridgeable +unbuckling +unburdened +unburdening +unbuttoned +unbuttoning +uncanniest +uncatalogued +unceasingly +uncensored +unceremonious +unceremoniously +uncertainly +uncertainties +uncertainty +uncertainty's +unchaining +unchallenged +unchangeable +unchanging +unchaperoned +uncharacteristic +uncharacteristically +uncharitable +uncharitably +unchastest +unchristian +uncircumcised +uncivilized +unclasping +unclassified +uncleanest +uncleanlier +uncleanliest +uncleanliness +uncleanliness's +uncleanness +uncleanness's +unclearest +uncloaking +unclogging +unclothing +uncluttered +uncluttering +unclutters +uncollected +uncombined +uncomfortable +uncomfortably +uncommitted +uncommoner +uncommonest +uncommonly +uncommonness +uncommonness's +uncommunicative +uncompensated +uncomplaining +uncomplainingly +uncompleted +uncomplicated +uncomplimentary +uncompounded +uncomprehending +uncomprehendingly +uncompressed +uncompromising +uncompromisingly +unconcealed +unconcerned +unconcernedly +unconcern's +unconditional +unconditionally +unconditioned +unconfined +unconfirmed +unconformable +uncongenial +unconnected +unconquerable +unconquered +unconscionable +unconscionably +unconscious +unconsciously +unconsciousness +unconsciousness's +unconscious's +unconsecrated +unconsidered +unconsolidated +unconstitutional +unconstitutionality +unconstitutionality's +unconstitutionally +unconstrained +unconsumed +unconsummated +uncontaminated +uncontested +uncontrollable +uncontrollably +uncontrolled +uncontroversial +unconventional +unconventionality +unconventionality's +unconventionally +unconverted +unconvinced +unconvincing +unconvincingly +uncooperative +uncoordinated +uncorrected +uncorrelated +uncorroborated +uncountable +uncoupling +uncovering +uncritical +uncritically +uncrossing +uncrushable +unctuously +unctuousness +unctuousness's +uncultivated +uncultured +uncustomary +undauntedly +undeceived +undeceives +undeceiving +undecidable +undecided's +undecideds +undecipherable +undeclared +undefeated +undefended +undefinable +undelivered +undemanding +undemocratic +undemonstrative +undemonstratively +undeniable +undeniably +undependable +underachieve +underachieved +underachievement +underachiever +underachiever's +underachievers +underachieves +underachieving +underacted +underacting +underappreciated +underarm's +underbellies +underbelly +underbelly's +underbidding +underbrush +underbrush's +undercarriage +undercarriage's +undercarriages +undercharge +undercharged +undercharge's +undercharges +undercharging +underclass +underclasses +underclassman +underclassman's +underclassmen +underclass's +underclothes +underclothes's +underclothing +underclothing's +undercoated +undercoating +undercoating's +undercoatings +undercoat's +undercoats +undercover +undercurrent +undercurrent's +undercurrents +undercut's +undercutting +underdeveloped +underdevelopment +underdevelopment's +underdog's +underemployed +underemployment +underemployment's +underestimate +underestimated +underestimate's +underestimates +underestimating +underestimation +underestimation's +underestimations +underexpose +underexposed +underexposes +underexposing +underexposure +underexposure's +underexposures +underfeeding +underfeeds +underfloor +underfunded +underfur's +undergarment +undergarment's +undergarments +undergoing +undergrads +undergraduate +undergraduate's +undergraduates +underground +underground's +undergrounds +undergrowth +undergrowth's +underhanded +underhandedly +underhandedness +underhandedness's +underinflated +underlay's +underlined +underline's +underlines +underling's +underlings +underlining +underlip's +underlying +undermanned +undermentioned +undermined +undermines +undermining +underneath +underneath's +underneaths +undernourished +undernourishment +undernourishment's +underpants +underpants's +underpart's +underparts +underpasses +underpass's +underpaying +underpayment +underpayment's +underpayments +underpinned +underpinning +underpinning's +underpinnings +underplayed +underplaying +underplays +underpopulated +underprivileged +underproduction +underproduction's +underrated +underrates +underrating +underrepresented +underscore +underscored +underscore's +underscores +underscoring +undersecretaries +undersecretary +undersecretary's +underselling +undersells +undersexed +undershirt +undershirt's +undershirts +undershoot +undershooting +undershoots +undershorts +undershorts's +underside's +undersides +undersigned +undersigned's +undersigning +undersigns +undersized +underskirt +underskirt's +underskirts +understaffed +understand +understandable +understandably +understanding +understandingly +understanding's +understandings +understands +understate +understated +understatement +understatement's +understatements +understates +understating +understood +understudied +understudies +understudy +understudying +understudy's +undertaken +undertaker +undertaker's +undertakers +undertakes +undertaking +undertaking's +undertakings +underthings +underthings's +undertone's +undertones +undertow's +underutilized +undervaluation +undervaluation's +undervalue +undervalued +undervalues +undervaluing +underwater +underwear's +underweight +underweight's +underwhelm +underwhelmed +underwhelming +underwhelms +underwired +underwires +Underwood's +underworld +underworld's +underworlds +underwrite +underwriter +underwriter's +underwriters +underwrites +underwriting +underwritten +underwrote +undeserved +undeservedly +undeserving +undesirability +undesirability's +undesirable +undesirable's +undesirables +undesirably +undetectable +undetected +undetermined +undeterred +undeveloped +undeviating +undifferentiated +undigested +undignified +undiminished +undiplomatic +undischarged +undisciplined +undisclosed +undiscovered +undiscriminating +undisguised +undismayed +undisputed +undissolved +undistinguished +undistributed +undisturbed +undocumented +undomesticated +undoubtedly +undramatic +undressing +undrinkable +undulating +undulation +undulation's +undulations +unearthing +unearthliness +unearthliness's +uneasiness +uneasiness's +uneconomic +uneconomical +uneconomically +unedifying +uneducated +unembarrassed +unemotional +unemotionally +unemphatic +unemployable +unemployed +unemployed's +unemployment +unemployment's +unenclosed +unencumbered +unendurable +unenforceable +unenforced +unenlightened +unenterprising +unenthusiastic +unenviable +unequipped +unequivocal +unequivocally +unerringly +unessential +unethically +unevenness +unevenness's +uneventful +uneventfully +unexampled +unexceptionable +unexceptionably +unexceptional +unexceptionally +unexciting +unexpected +unexpectedly +unexpectedness +unexpectedness's +unexplained +unexploited +unexplored +unexpressed +unexpurgated +unfailingly +unfairness +unfairness's +unfaithful +unfaithfully +unfaithfulness +unfaithfulness's +unfaltering +unfamiliar +unfamiliarity +unfamiliarity's +unfashionable +unfashionably +unfastened +unfastening +unfathomable +unfathomably +unfavorable +unfavorably +unfeasible +unfeelingly +unfeminine +unfertilized +unfettered +unfettering +unfiltered +unfinished +unfitness's +unflagging +unflaggingly +unflappability +unflappability's +unflappable +unflappably +unflattering +unflavored +unflinching +unflinchingly +unforeseeable +unforeseen +unforgettable +unforgettably +unforgivable +unforgivably +unforgiving +unforgotten +unformulated +unfortified +unfortunate +unfortunately +unfortunate's +unfortunates +unfreezing +unfrequented +unfriended +unfriending +unfriendlier +unfriendliest +unfriendliness +unfriendliness's +unfriendly +unfrocking +unfruitful +unfulfilled +unfulfilling +unfurnished +ungainlier +ungainliest +ungainliness +ungainliness's +ungenerous +ungentlemanly +ungodliest +ungodliness +ungodliness's +ungovernable +ungoverned +ungraceful +ungracefully +ungracious +ungraciously +ungrammatical +ungrammatically +ungrateful +ungratefully +ungratefulness +ungratefulness's +ungrudging +ungulate's +unhallowed +unhampered +unhandiest +unhappiest +unhappiness +unhappiness's +unhardened +unharnessed +unharnesses +unharnessing +unharvested +unhealthful +unhealthier +unhealthiest +unhealthily +unhealthiness +unhealthiness's +unhelpfully +unheralded +unhesitating +unhesitatingly +unhindered +unhistorical +unhitching +unholiness +unholiness's +unhurriedly +unhygienic +unicameral +unicellular +unicycle's +unidentifiable +unidentified +unidiomatic +unidirectional +unification +unification's +uniforming +uniformity +uniformity's +unilateral +unilateralism +unilaterally +Unilever's +unimaginable +unimaginably +unimaginative +unimaginatively +unimpaired +unimpeachable +unimplementable +unimplemented +unimportant +unimposing +unimpressed +unimpressive +unimproved +unincorporated +uninfected +uninfluenced +uninformative +uninformed +uninhabitable +uninhabited +uninhibited +uninhibitedly +uninitialized +uninitiated +uninspired +uninspiring +uninstallable +uninstalled +uninstaller +uninstaller's +uninstallers +uninstalling +uninstalls +uninstructed +unintelligent +unintelligible +unintelligibly +unintended +unintentional +unintentionally +uninterested +uninteresting +uninterpreted +uninterrupted +uninterruptedly +uninterruptible +uninviting +uninvolved +unionism's +unionist's +unionization +unionization's +unionizing +uniqueness +uniqueness's +Uniroyal's +Unitarianism +Unitarianism's +Unitarianisms +Unitarian's +Unitarians +univalve's +universality +universality's +universalize +universalized +universalizes +universalizing +universally +universal's +universals +universe's +universities +university +university's +unjustifiable +unjustifiably +unjustified +unkindlier +unkindliest +unkindness +unkindness's +unknowable +unknowable's +unknowingly +unknowings +unladylike +unlatching +unlawfully +unlawfulness +unlawfulness's +unleaded's +unlearning +unleashing +unleavened +unlettered +unlicensed +unlikelier +unlikeliest +unlikelihood +unlikelihood's +unlikeliness +unlikeliness's +unlikeness +unlikeness's +unlimbered +unlimbering +unloosened +unloosening +unlovelier +unloveliest +unluckiest +unluckiness +unluckiness's +unmanageable +unmanliest +unmannerly +unmarketable +unmeasured +unmediated +unmemorable +unmentionable +unmentionable's +unmentionables +unmentionables's +unmentioned +unmerciful +unmercifully +unmissable +unmistakable +unmistakably +unmitigated +unmodified +unmolested +unmorality +unmorality's +unmotivated +unnameable +unnaturally +unnaturalness +unnaturalness's +unnecessarily +unnecessary +unnervingly +unnoticeable +unnumbered +unobjectionable +unobservant +unobserved +unobstructed +unobtainable +unobtrusive +unobtrusively +unobtrusiveness +unobtrusiveness's +unoccupied +unoffensive +unofficial +unofficially +unorganized +unoriginal +unorthodox +unpalatable +unparalleled +unpardonable +unpardonably +unpasteurized +unpatriotic +unperceived +unperceptive +unperformed +unperson's +unpersuaded +unpersuasive +unperturbed +unplayable +unpleasant +unpleasantly +unpleasantness +unpleasantness's +unpleasing +unplugging +unpolished +unpolitical +unpolluted +unpopularity +unpopularity's +unpopulated +unpractical +unpracticed +unprecedented +unprecedentedly +unpredictability +unpredictability's +unpredictable +unpredictably +unprejudiced +unpremeditated +unprepared +unpreparedness +unpreparedness's +unprepossessing +unpretentious +unpretentiously +unpreventable +unprincipled +unprintable +unprivileged +unproblematic +unprocessed +unproductive +unproductively +unprofessional +unprofessionally +unprofitable +unprofitably +unpromising +unprompted +unpronounceable +unpropitious +unprotected +unprovided +unprovoked +unpublished +unpunished +unqualified +unquenchable +unquestionable +unquestionably +unquestioned +unquestioning +unquestioningly +unquietest +unraveling +unreachable +unreadable +unrealistic +unrealistically +unreality's +unrealized +unreasonable +unreasonableness +unreasonableness's +unreasonably +unreasoning +unrecognizable +unrecognized +unreconstructed +unrecorded +unrecoverable +unreformed +unregenerate +unregistered +unregulated +unrehearsed +unreleased +unrelenting +unrelentingly +unreliability +unreliability's +unreliable +unreliably +unrelieved +unrelievedly +unremarkable +unremarked +unremembered +unremitting +unremittingly +unrepeatable +unrepentant +unreported +unrepresentative +unrepresented +unrequited +unreserved +unreservedly +unresistant +unresolved +unresponsive +unresponsively +unresponsiveness +unresponsiveness's +unrestrained +unrestricted +unrevealed +unrevealing +unrewarded +unrewarding +unrighteous +unrighteousness +unrighteousness's +unromantic +unruliness +unruliness's +unsaddling +unsaleable +unsanctioned +unsanitary +unsatisfactorily +unsatisfactory +unsatisfied +unsatisfying +unsaturated +unscheduled +unschooled +unscientific +unscientifically +unscramble +unscrambled +unscrambles +unscrambling +unscratched +unscrewing +unscripted +unscrupulous +unscrupulously +unscrupulousness +unscrupulousness's +unsearchable +unseasonable +unseasonably +unseasoned +unseeingly +unseemlier +unseemliest +unseemliness +unseemliness's +unsegmented +unsegregated +unselfishly +unselfishness +unselfishness's +unsentimental +unsettling +unshackled +unshackles +unshackling +unshakable +unshakably +unsheathed +unsheathes +unsheathing +unshockable +unsightlier +unsightliest +unsightliness +unsightliness's +unsinkable +unskillful +unskillfully +unsnapping +unsnarling +unsociable +unsolicited +unsolvable +unsophisticated +unsoundest +unsoundness +unsoundness's +unsparingly +unspeakable +unspeakably +unspecific +unspecified +unspectacular +unsporting +unsportsmanlike +unsteadier +unsteadiest +unsteadily +unsteadiness +unsteadiness's +unstinting +unstintingly +unstoppable +unstopping +unstrapped +unstrapping +unstressed +unstructured +unsubscribe +unsubscribed +unsubscribes +unsubscribing +unsubstantial +unsubstantiated +unsuccessful +unsuccessfully +unsuitability +unsuitability's +unsuitable +unsuitably +unsupervised +unsupportable +unsupported +unsurpassed +unsurprising +unsurprisingly +unsuspected +unsuspecting +unsuspectingly +unsustainable +unsweetened +unswerving +unsymmetrical +unsympathetic +unsympathetically +unsystematic +untalented +untangling +untarnished +unteachable +untenanted +unthinkable +unthinkably +unthinking +unthinkingly +untidiness +untidiness's +untimelier +untimeliest +untimeliness +untimeliness's +untiringly +untouchable +untouchable's +untouchables +untraceable +untrammeled +untranslatable +untranslated +untraveled +untroubled +untrustworthy +untruthful +untruthfully +untruthfulness +untruthfulness's +untwisting +untypically +Unukalhai's +unutterable +unutterably +unvarnished +unverifiable +unverified +unwariness +unwariness's +unwarrantable +unwarranted +unwatchable +unwavering +unwearable +unweighted +unwelcoming +unwholesome +unwholesomeness +unwholesomeness's +unwieldier +unwieldiest +unwieldiness +unwieldiness's +unwillingly +unwillingness +unwillingness's +unwinnable +unwittingly +unworkable +unworldliness +unworldliness's +unworthier +unworthiest +unworthily +unworthiness +unworthiness's +unwrapping +unwrinkled +unyielding +Upanishads +Upanishads's +upbraiding +upbringing +upbringing's +upbringings +upchucking +upcountry's +upheaval's +upholder's +upholstered +upholsterer +upholsterer's +upholsterers +upholstering +upholsters +upholstery +upholstery's +upliftings +uppercase's +upperclassman +upperclassman's +upperclassmen +upperclasswoman +upperclasswomen +uppercut's +uppercutting +uprightness +uprightness's +uprising's +uproarious +uproariously +upstanding +upstarting +upstroke's +upthrusting +upthrust's +urbanity's +urbanization +urbanization's +urbanizing +urbanologist +urbanologist's +urbanologists +urbanology +urbanology's +urethane's +urinalyses +urinalysis +urinalysis's +urination's +urogenital +urological +urologist's +urologists +Urquhart's +Ursuline's +urticaria's +Uruguayan's +Uruguayans +usability's +usefulness +usefulness's +uselessness +uselessness's +username's +usherette's +usherettes +usurpation +usurpation's +utilitarian +utilitarianism +utilitarianism's +utilitarian's +utilitarians +utilizable +utilization +utilization's +utterance's +utterances +uttermost's +Uzbekistan +Uzbekistan's +vacationed +vacationer +vacationer's +vacationers +vacationing +vacationist +vacationist's +vacationists +vacation's +vaccinated +vaccinates +vaccinating +vaccination +vaccination's +vaccinations +vacillated +vacillates +vacillating +vacillation +vacillation's +vacillations +vacuousness +vacuousness's +vagabondage +vagabondage's +vagabonded +vagabonding +vagabond's +vagrancy's +vagueness's +vainglorious +vaingloriously +vainglory's +valediction +valediction's +valedictions +valedictorian +valedictorian's +valedictorians +valedictories +valedictory +valedictory's +Valencia's +Valentine's +valentine's +valentines +Valentino's +Valentin's +Valenzuela +Valenzuela's +Valerian's +valetudinarian +valetudinarianism +valetudinarianism's +valetudinarian's +valetudinarians +Valhalla's +valiance's +validating +validation +validation's +validations +validity's +validness's +Valkyrie's +Valletta's +valorously +Valparaiso +Valparaiso's +valuable's +valuation's +valuations +Valvoline's +vanadium's +Vancouver's +vandalism's +vandalized +vandalizes +vandalizing +Vanderbilt +Vanderbilt's +vanguard's +vanishings +vanquished +vanquisher +vanquisher's +vanquishers +vanquishes +vanquishing +Vanzetti's +vapidity's +vapidness's +vaporization +vaporization's +vaporizer's +vaporizers +vaporizing +Varanasi's +variability +variability's +variable's +variance's +variation's +variations +varicolored +variegated +variegates +variegating +variegation +variegation's +varietal's +varnishing +vasectomies +vasectomy's +Vaseline's +vasoconstriction +vassalage's +vastness's +vaudeville +vaudeville's +vaudevillian +vaudevillian's +vaudevillians +vaulting's +vegeburger +vegeburgers +Vegemite's +vegetable's +vegetables +vegetarian +vegetarianism +vegetarianism's +vegetarian's +vegetarians +vegetating +vegetation +vegetation's +vegetative +veggieburger +veggieburgers +vehemence's +vehemency's +vehemently +Velasquez's +Velazquez's +velocipede +velocipede's +velocipedes +velocities +velocity's +velodromes +Velásquez's +Velveeta's +velveteen's +Velázquez's +venality's +venation's +vendetta's +venerability +venerability's +venerating +veneration +veneration's +Venetian's +Venezuelan +Venezuelan's +Venezuelans +Venezuela's +vengeance's +vengefully +venireman's +venomously +ventilated +ventilates +ventilating +ventilation +ventilation's +ventilator +ventilator's +ventilators +Ventolin's +ventricle's +ventricles +ventricular +ventriloquism +ventriloquism's +ventriloquist +ventriloquist's +ventriloquists +ventriloquy +ventriloquy's +venturesome +venturesomely +venturesomeness +venturesomeness's +venturously +venturousness +venturousness's +Venusian's +veraciously +veracity's +Veracruz's +verbalization +verbalization's +verbalized +verbalizes +verbalizing +verbiage's +verbosity's +verdigrised +verdigrises +verdigrising +verdigris's +verifiable +verification +verification's +verisimilitude +verisimilitude's +Verlaine's +vermicelli +vermicelli's +vermiculite +vermiculite's +vermilion's +Vermonter's +Vermonters +vermouth's +vernacular +vernacular's +vernaculars +Veronese's +Veronica's +veronica's +Versailles +Versailles's +versatility +versatility's +versification +versification's +versifier's +versifiers +versifying +versioning +vertebra's +vertebrate +vertebrate's +vertebrates +vertically +vertical's +vertiginous +Vesalius's +vesiculate +Vespasian's +Vespucci's +vestibule's +vestibules +vestigially +vestment's +vestryman's +Vesuvius's +veterinarian +veterinarian's +veterinarians +veterinaries +veterinary +veterinary's +vexation's +vexatiously +viability's +vibraharp's +vibraharps +vibrancy's +vibraphone +vibraphone's +vibraphones +vibraphonist +vibraphonist's +vibraphonists +vibration's +vibrations +vibrator's +viburnum's +vicarage's +vicariously +vicariousness +vicariousness's +vicegerent +vicegerent's +vicegerents +vichyssoise +vichyssoise's +vicinity's +viciousness +viciousness's +vicissitude +vicissitude's +vicissitudes +Vicksburg's +victimization +victimization's +victimized +victimizes +victimizing +victimless +Victorianism +Victorian's +Victorians +Victoria's +victorious +victoriously +Victrola's +victualing +videocassette +videocassette's +videocassettes +videoconferencing +videodisc's +videodiscs +videophone +videophone's +videophones +videotaped +videotape's +videotapes +videotaping +Viennese's +Vientiane's +Vietcong's +Vietminh's +Vietnamese +Vietnamese's +viewership +viewership's +viewfinder +viewfinder's +viewfinders +viewpoint's +viewpoints +vigilance's +vigilante's +vigilantes +vigilantism +vigilantism's +vigilantist +vigilantist's +vigilantly +vignette's +vignetting +vignettist +vignettist's +vignettists +vigorously +Vijayanagar +Vijayanagar's +Vijayawada +Vijayawada's +vileness's +vilification +vilification's +villager's +villainies +villainous +villainy's +Villarreal +Villarreal's +villeinage +villeinage's +vinaigrette +vinaigrette's +Vindemiatrix +Vindemiatrix's +vindicated +vindicates +vindicating +vindication +vindication's +vindications +vindicator +vindicator's +vindicators +vindictive +vindictively +vindictiveness +vindictiveness's +vineyard's +violation's +violations +violator's +violence's +violincello +violincellos +violinist's +violinists +violoncellist +violoncellist's +violoncellists +violoncello +violoncello's +violoncellos +virginal's +Virginian's +Virginians +Virginia's +virginity's +virility's +virologist +virologist's +virologists +virology's +virtualization +virtuosity +virtuosity's +virtuoso's +virtuously +virtuousness +virtuousness's +virulence's +virulently +Visayans's +viscerally +viscosity's +viscountcies +viscountcy +viscountcy's +viscountess +viscountesses +viscountess's +viscount's +visibility +visibility's +Visigoth's +visionaries +visionary's +visitant's +visitation +visitation's +visitations +visualization +visualization's +visualizations +visualized +visualizer +visualizer's +visualizers +visualizes +visualizing +vitality's +vitalization +vitalization's +vitalizing +vitiation's +viticulture +viticulture's +viticulturist +viticulturist's +viticulturists +vitrifaction +vitrifaction's +vitrification +vitrification's +vitrifying +vitriolically +vituperate +vituperated +vituperates +vituperating +vituperation +vituperation's +vituperative +vivaciously +vivaciousness +vivaciousness's +vivacity's +vivarium's +Vivekananda +Vivekananda's +vividness's +Vivienne's +viviparous +vivisected +vivisecting +vivisection +vivisectional +vivisectionist +vivisectionist's +vivisectionists +vivisection's +vixenishly +Vladimir's +Vladivostok +Vladivostok's +Vlaminck's +vocabularies +vocabulary +vocabulary's +vocalist's +vocalization +vocalization's +vocalizations +vocalizing +vocational +vocationally +vocation's +vocative's +vociferate +vociferated +vociferates +vociferating +vociferation +vociferation's +vociferous +vociferously +vociferousness +vociferousness's +voicelessly +voicelessness +voicelessness's +voicemail's +voicemails +volatility +volatility's +volatilize +volatilized +volatilizes +volatilizing +Voldemort's +Volgograd's +volitional +volition's +Volkswagen +Volkswagen's +volleyball +volleyball's +volleyballs +Volstead's +Voltaire's +voltmeter's +voltmeters +volubility +volubility's +volumetric +voluminous +voluminously +voluminousness +voluminousness's +voluntaries +voluntarily +voluntarism +voluntarism's +voluntary's +volunteered +volunteering +volunteerism +volunteerism's +volunteer's +volunteers +voluptuaries +voluptuary +voluptuary's +voluptuous +voluptuously +voluptuousness +voluptuousness's +Vonnegut's +voodooism's +voraciously +voraciousness +voraciousness's +voracity's +Voronezh's +vouchsafed +vouchsafes +vouchsafing +voyageur's +voyeurism's +voyeuristic +vulcanization +vulcanization's +vulcanized +vulcanizes +vulcanizing +vulgarian's +vulgarians +vulgarism's +vulgarisms +vulgarities +vulgarity's +vulgarization +vulgarization's +vulgarized +vulgarizer +vulgarizer's +vulgarizers +vulgarizes +vulgarizing +vulnerabilities +vulnerability +vulnerability's +vulnerable +vulnerably +vuvuzela's +wackiness's +waggishness +waggishness's +Wagnerian's +wainscoted +wainscoting +wainscoting's +wainscotings +wainscot's +wainwright +wainwright's +wainwrights +waistband's +waistbands +waistcoat's +waistcoats +waistline's +waistlines +waitperson +waitperson's +waitpersons +waitresses +waitress's +waitstaff's +wakefulness +wakefulness's +Waldemar's +Waldensian +Waldensian's +Waldheim's +Walgreen's +walkabouts +walkaway's +walkover's +wallboard's +Wallenstein +Wallenstein's +wallflower +wallflower's +wallflowers +walloping's +wallopings +wallpapered +wallpapering +wallpaper's +wallpapers +Walpurgisnacht +Walpurgisnacht's +Wanamaker's +wanderer's +wanderings +wanderings's +wanderlust +wanderlust's +wanderlusts +wantonness +wantonness's +warbonnet's +warbonnets +wardresses +wardrobe's +wardroom's +warehoused +warehouse's +warehouses +warehousing +warhorse's +wariness's +warmblooded +warmhearted +warmheartedness +warmheartedness's +warmness's +warmongering +warmongering's +warmonger's +warmongers +warplane's +warrantied +warranties +warranting +warrantying +warranty's +washable's +washbasin's +washbasins +washboard's +washboards +washbowl's +washcloth's +washcloths +washerwoman +washerwoman's +washerwomen +Washington +Washingtonian +Washingtonian's +Washingtonians +Washington's +washroom's +washstand's +washstands +waspishness +waspishness's +wassailing +Wassermann +Wassermann's +wastebasket +wastebasket's +wastebaskets +wastefully +wastefulness +wastefulness's +wasteland's +wastelands +wastepaper +wastepaper's +wastewater +watchband's +watchbands +watchdog's +watchfully +watchfulness +watchfulness's +watchmaker +watchmaker's +watchmakers +watchmaking +watchmaking's +watchman's +watchstrap +watchstraps +watchtower +watchtower's +watchtowers +watchword's +watchwords +waterbed's +waterbird's +waterbirds +waterboard +waterboarded +waterboarding +waterboarding's +waterboardings +waterboard's +waterboards +waterborne +Waterbury's +watercolor +watercolor's +watercolors +watercourse +watercourse's +watercourses +watercraft +watercraft's +watercress +watercress's +waterfall's +waterfalls +Waterford's +waterfowl's +waterfowls +waterfront +waterfront's +waterfronts +Watergate's +waterhole's +waterholes +wateriness +wateriness's +waterlilies +waterlily's +waterline's +waterlines +waterlogged +Waterloo's +watermarked +watermarking +watermark's +watermarks +watermelon +watermelon's +watermelons +watermill's +watermills +waterproof +waterproofed +waterproofing +waterproofing's +waterproof's +waterproofs +watershed's +watersheds +waterside's +watersides +waterspout +waterspout's +waterspouts +watertight +waterway's +waterwheel +waterwheel's +waterwheels +waterworks +waterworks's +wavelength +wavelength's +wavelengths +waveringly +waviness's +waxiness's +wayfarer's +wayfaring's +wayfarings +waylayer's +waywardness +waywardness's +weakener's +weakfishes +weakfish's +weakling's +weaknesses +weakness's +wealthiest +wealthiness +wealthiness's +weaponized +weaponizes +weaponizing +weaponless +weaponry's +weariness's +wearisomely +weatherboard +weatherboarding +weatherboards +weathercock +weathercock's +weathercocks +weathering +weathering's +weatherization +weatherization's +weatherize +weatherized +weatherizes +weatherizing +weatherman +weatherman's +weathermen +weatherperson +weatherperson's +weatherpersons +weatherproof +weatherproofed +weatherproofing +weatherproofs +weatherstrip +weatherstripped +weatherstripping +weatherstripping's +weatherstrips +webcasting +webisode's +webmaster's +webmasters +webmistress +webmistresses +webmistress's +Wedgwood's +Wednesday's +Wednesdays +weedkiller +weedkillers +weekenders +weekending +weeknight's +weeknights +Wehrmacht's +Weierstrass +Weierstrass's +weighbridge +weighbridges +weightiest +weightiness +weightiness's +weightings +weightless +weightlessly +weightlessness +weightlessness's +weightlifter +weightlifter's +weightlifters +weightlifting +weightlifting's +Weinberg's +weirdness's +Weissmuller +Weissmuller's +Weizmann's +wellhead's +Wellington +wellington +Wellington's +Wellingtons +wellington's +wellingtons +wellness's +wellspring +wellspring's +wellsprings +Welshman's +Welshmen's +Welshwoman +welterweight +welterweight's +welterweights +werewolf's +werewolves +Wesleyan's +westerlies +westerly's +westerner's +westerners +westernization +westernization's +westernize +westernized +westernizes +westernizing +westernmost +Westinghouse +Westinghouse's +Westminster +Westminster's +Westphalia +Westphalia's +whaleboat's +whaleboats +whalebone's +whatchamacallit +whatchamacallit's +whatchamacallits +whatshername +whatshisname +whatsoever +Wheaties's +Wheatstone +Wheatstone's +wheedler's +wheelbarrow +wheelbarrow's +wheelbarrows +wheelbase's +wheelbases +wheelchair +wheelchair's +wheelchairs +wheelhouse +wheelhouse's +wheelhouses +Wheeling's +wheelwright +wheelwright's +wheelwrights +wheeziness +wheeziness's +whensoever +whereabouts +whereabouts's +wherefore's +wherefores +wheresoever +wherewithal +wherewithal's +whetstone's +whetstones +whiffletree +whiffletree's +whiffletrees +whimpering +whimsicality +whimsicality's +whimsically +whipcord's +whiplashes +whiplash's +whippersnapper +whippersnapper's +whippersnappers +whipping's +whippletree +whippletree's +whippletrees +whippoorwill +whippoorwill's +whippoorwills +whipsawing +whirligig's +whirligigs +Whirlpool's +whirlpool's +whirlpools +whirlwind's +whirlwinds +whirlybird +whirlybird's +whirlybirds +whisperer's +whisperers +whispering +Whistler's +whistler's +Whitaker's +whiteboard +whiteboards +whitecap's +Whitefield +Whitefield's +whitefishes +whitefish's +Whitehall's +Whitehead's +whitehead's +whiteheads +Whitehorse +Whitehorse's +Whiteley's +whitener's +whiteness's +whitening's +whitenings +whiteout's +whitetail's +whitetails +whitewall's +whitewalls +whitewashed +whitewashes +whitewashing +whitewash's +whitewater +whitewater's +Whitfield's +Whitsunday +Whitsunday's +Whitsundays +Whittier's +whittler's +whizzbang's +whizzbangs +whodunit's +wholefoods +wholegrain +wholehearted +wholeheartedly +wholeheartedness +wholeheartedness's +wholeness's +wholesaled +wholesaler +wholesaler's +wholesalers +wholesale's +wholesales +wholesaling +wholesomely +wholesomeness +wholesomeness's +wholewheat +whomsoever +whorehouse +whorehouse's +whorehouses +wickedness +wickedness's +wickerwork +wickerwork's +widemouthed +wideness's +widescreen +widescreen's +widescreens +widespread +widowhood's +Wiesenthal +Wiesenthal's +wigwagging +Wikipedia's +Wilberforce +Wilberforce's +wildcard's +wildcatted +wildcatter +wildcatter's +wildcatters +wildcatting +wildebeest +wildebeest's +wildebeests +wilderness +wildernesses +wilderness's +wildfire's +wildflower +wildflower's +wildflowers +wildfowl's +wildlife's +wildness's +Wilfredo's +Wilhelmina +Wilhelmina's +wiliness's +Wilkerson's +Wilkinson's +Willamette +Willamette's +Willemstad +Willemstad's +willfulness +willfulness's +Williamson +Williamson's +Williams's +willingness +willingness's +williwaw's +willpower's +Wilmington +Wilmington's +Wilsonian's +Wimbledon's +Winchell's +Winchester +Winchester's +Winchesters +Windbreaker +windbreaker +Windbreaker's +windbreaker's +windbreakers +windbreak's +windbreaks +windburned +windburn's +windcheater +windcheaters +windchill's +windfall's +windflower +windflower's +windflowers +Windhoek's +windiness's +windjammer +windjammer's +windjammers +windlasses +windlass's +windmilled +windmilling +windmill's +windowless +windowpane +windowpane's +windowpanes +windowsill +windowsill's +windowsills +windpipe's +windscreen +windscreen's +windscreens +windshield +windshield's +windshields +windsock's +windstorm's +windstorms +windsurfed +windsurfer +windsurfer's +windsurfers +windsurfing +windsurfing's +Windward's +windward's +wineglasses +wineglass's +winegrower +winegrower's +winegrowers +winemaker's +winemakers +wingding's +wingspan's +wingspread +wingspread's +wingspreads +Winifred's +Winnebago's +Winnipeg's +winnower's +winsomeness +winsomeness's +wintergreen +wintergreen's +winterized +winterizes +winterizing +wintertime +wintertime's +Winthrop's +wirehair's +wirelesses +wireless's +wiretapped +wiretapper +wiretapper's +wiretappers +wiretapping +wiretapping's +wiriness's +Wisconsinite +Wisconsinite's +Wisconsinites +Wisconsin's +wiseacre's +wisecracked +wisecracking +wisecrack's +wisecracks +wishbone's +wishlist's +wisteria's +wistfulness +wistfulness's +witchcraft +witchcraft's +witchery's +withdrawal +withdrawal's +withdrawals +withdrawing +witheringly +witherings +withholding +withholding's +withstanding +withstands +witlessness +witlessness's +witnessing +Wittgenstein +Wittgenstein's +witticism's +witticisms +wittiness's +Witwatersrand +Witwatersrand's +wizardry's +wobbliness +wobbliness's +Wodehouse's +woefullest +woefulness +woefulness's +Wolfgang's +wolfhound's +wolfhounds +Wollongong +Wollongong's +Wollstonecraft +Wollstonecraft's +Wolverhampton +wolverine's +wolverines +womanhood's +womanizer's +womanizers +womanizing +womankind's +womanliest +womanlike's +womanliness +womanliness's +womenfolk's +womenfolks +womenfolks's +Wonderbra's +wonderfully +wonderfulness +wonderfulness's +wonderingly +wonderland +wonderland's +wonderlands +wonderment +wonderment's +wondrously +woodbine's +woodblock's +woodblocks +woodcarver +woodcarver's +woodcarvers +woodcarving +woodcarving's +woodcarvings +woodchuck's +woodchucks +woodcock's +woodcraft's +woodcutter +woodcutter's +woodcutters +woodcutting +woodcutting's +woodenness +woodenness's +Woodhull's +woodiness's +woodland's +woodpecker +woodpecker's +woodpeckers +woodpile's +woodshed's +woodsiness +woodsiness's +woodsman's +Woodstock's +Woodward's +woodwind's +woodworker +woodworker's +woodworkers +woodworking +woodworking's +woodwork's +woolgathering +woolgathering's +woolliness +woolliness's +Woolongong +Woolongong's +Woolworth's +wooziness's +Worcester's +Worcesters +Worcestershire +Worcestershire's +wordbook's +wordiness's +wordlessly +wordplay's +wordsmiths +Wordsworth +Wordsworth's +workaholic +workaholic's +workaholics +workaround +workarounds +workbasket +workbaskets +workbenches +workbench's +workbook's +workfare's +workflow's +workforce's +workhorse's +workhorses +workhouse's +workhouses +workingman +workingman's +workingmen +workings's +workingwoman +workingwoman's +workingwomen +workload's +workmanlike +workmanship +workmanship's +workplace's +workplaces +workroom's +worksheet's +worksheets +workshop's +workstation +workstation's +workstations +worktable's +worktables +workweek's +worldliest +worldliness +worldliness's +worldview's +worldviews +wormhole's +wormwood's +worriment's +worryingly +worrywart's +worrywarts +worshiper's +worshipers +worshipful +worshiping +worthiness +worthiness's +worthlessly +worthlessness +worthlessness's +worthwhile +Wrangell's +wrangler's +wranglings +wraparound +wraparound's +wraparounds +wrapping's +wrathfully +wreckage's +wrestler's +wrestling's +wretcheder +wretchedest +wretchedly +wretchedness +wretchedness's +wriggler's +wrinkliest +wristband's +wristbands +wristwatch +wristwatches +wristwatch's +wrongdoer's +wrongdoers +wrongdoing +wrongdoing's +wrongdoings +wrongfully +wrongfulness +wrongfulness's +wrongheaded +wrongheadedly +wrongheadedness +wrongheadedness's +wrongness's +wunderkind +wunderkinds +Wurlitzer's +Wycherley's +Wycliffe's +Wyomingite +Wyomingite's +Wyomingites +Xanthippe's +xenophobe's +xenophobes +xenophobia +xenophobia's +xenophobic +Xenophon's +xerographic +xerography +xerography's +Xiaoping's +Xochipilli +Xochipilli's +xylophone's +xylophones +xylophonist +xylophonist's +xylophonists +yachting's +yachtsman's +yachtswoman +yachtswoman's +yachtswomen +Yamagata's +yammerer's +Yamoussoukro +Yamoussoukro's +yardmaster +yardmaster's +yardmasters +yardstick's +yardsticks +yarmulke's +Yaroslavl's +yearbook's +yearling's +yearning's +Yekaterinburg +Yekaterinburg's +yellowhammer +yellowhammers +Yellowknife +Yellowknife's +yellowness +yellowness's +Yellowstone +Yellowstone's +yeomanry's +yesterday's +yesterdays +yesteryear +yesteryear's +Yevtushenko +Yevtushenko's +Yggdrasil's +Yoknapatawpha +Yoknapatawpha's +Yokohama's +Yorkshire's +Yorkshires +Yorktown's +Yosemite's +Yossarian's +youngster's +youngsters +Youngstown +Youngstown's +yourselves +youthfully +youthfulness +youthfulness's +Ypsilanti's +ytterbium's +Yugoslavia +Yugoslavian +Yugoslavian's +Yugoslavians +Yugoslavia's +Yugoslav's +Yuletide's +yuletide's +yuppifying +Zachariah's +Zamenhof's +zaniness's +Zanzibar's +Zaporozhye +Zaporozhye's +Zarathustra +Zarathustra's +zealotry's +zealousness +zealousness's +Zechariah's +Zedekiah's +Zeffirelli +Zeffirelli's +zeitgeist's +zeitgeists +Zephaniah's +Zephyrus's +zeppelin's +zestfulness +zestfulness's +Zhengzhou's +Ziegfeld's +zigzagging +Zimbabwean +Zimbabwean's +Zimbabweans +Zimbabwe's +Zimmerman's +Zinfandel's +zinfandel's +zirconium's +Zollverein +Zollverein's +zookeeper's +zookeepers +zoological +zoologically +zoologist's +zoologists +zoophyte's +zooplankton +Zoroaster's +Zoroastrian +Zoroastrianism +Zoroastrianism's +Zoroastrianisms +Zoroastrian's +Zoroastrians +Zsigmondy's +Zubenelgenubi +Zubenelgenubi's +Zubeneschamali +Zubeneschamali's +zucchini's +zwieback's +Zworykin's +Zyuganov's diff --git a/benchmarks/regexes/dictionary/english/length-15.txt b/benchmarks/regexes/dictionary/english/length-15.txt new file mode 100644 index 0000000..9c6c35f --- /dev/null +++ b/benchmarks/regexes/dictionary/english/length-15.txt @@ -0,0 +1,2663 @@ +absentmindedness +absentmindedness's +abstemiousness's +abstractedness's +acceptability's +acceptableness's +accessibility's +acclimatization +acclimatization's +accommodatingly +accommodation's +accompaniment's +accomplishment's +accomplishments +accountability's +accouterments's +accreditation's +acculturation's +acetaminophen's +acknowledgment's +acknowledgments +acquaintanceship +acquaintanceship's +acquisitiveness +acquisitiveness's +acrimoniousness +acrimoniousness's +actualization's +acupuncturist's +administration's +administrations +administratively +administrator's +admissibility's +adventurousness +adventurousness's +advertisement's +aerodynamically +afforestation's +agglomeration's +agglutination's +aggrandizement's +aggressiveness's +agreeableness's +agriculturalist +agriculturalist's +agriculturalists +agriculturist's +airworthiness's +alphabetization +alphabetization's +alphabetizations +alphanumerically +amateurishness's +ambassadorship's +ambassadorships +ambidexterity's +ambitiousness's +Americanization +Americanization's +Americanizations +amniocentesis's +amorphousness's +amplification's +anachronistically +analogousness's +Andrianampoinimerina +Andrianampoinimerina's +anesthesiologist +anesthesiologist's +anesthesiologists +anesthesiology's +anesthetization +anesthetization's +anesthetizations +animadversion's +antagonistically +anthropocentric +anthropological +anthropologically +anthropologist's +anthropologists +anthropomorphic +anthropomorphically +anthropomorphism +anthropomorphism's +anthropomorphize +anthropomorphous +antiabortionist +antiabortionist's +antiabortionists +antibacterial's +anticlimactically +anticoagulant's +anticommunism's +anticommunist's +antidepressant's +antidepressants +antihistamine's +antilogarithm's +antiperspirant's +antiperspirants +antiquarianism's +antispasmodic's +antivivisectionist +antivivisectionist's +antivivisectionists +applicability's +apportionment's +apprehensiveness +apprehensiveness's +apprenticeship's +apprenticeships +appropriateness +appropriateness's +appropriation's +approximation's +arbitrariness's +archaeologically +archaeologist's +archbishopric's +architectonics's +architecturally +argumentation's +argumentatively +argumentativeness +argumentativeness's +aristocratically +arithmetician's +aromatherapist's +aromatherapists +arteriosclerosis +arteriosclerosis's +articulateness's +artificiality's +ascertainment's +assassination's +assemblywoman's +assertiveness's +assiduousness's +astrophysicist's +astrophysicists +atherosclerosis +atherosclerosis's +atherosclerotic +atmospherically +atrioventricular +atrociousness's +attainability's +attentiveness's +attractiveness's +audaciousness's +auspiciousness's +Australopithecus +Australopithecus's +authentication's +authentications +authoritarianism +authoritarianism's +authoritarian's +authoritatively +authoritativeness +authoritativeness's +authorization's +autobiographer's +autobiographers +autobiographical +autobiographically +autobiographies +autobiography's +baccalaureate's +backscratching's +bacteriological +bacteriologist's +bacteriologists +bastardization's +bastardizations +beatification's +beautification's +bibliographer's +bibliographical +bibliographically +bidirectionally +bigheartedness's +biodegradability +biodegradability's +biotechnological +biotechnology's +bipartisanship's +blamelessness's +blameworthiness +blameworthiness's +bloodlessness's +bloodthirstiest +bloodthirstiness +bloodthirstiness's +boardinghouse's +boisterousness's +bougainvillea's +bouillabaisse's +boundlessness's +bounteousness's +bountifulness's +bowdlerization's +bowdlerizations +brainchildren's +brainstorming's +breathlessness's +Brobdingnagian's +brokenheartedly +brotherliness's +brutalization's +bullheadedness's +bumptiousness's +bureaucratically +bureaucratization +bureaucratization's +bureaucratizing +businessperson's +businesspersons +businesswoman's +Butterfingers's +butterfingers's +cabinetmaking's +calcification's +calligraphist's +Camelopardalis's +campanologist's +cannibalization +cannibalization's +cantankerousness +cantankerousness's +capaciousness's +capitalistically +capitalization's +capriciousness's +Carboniferous's +carcinogenicity +carcinogenicity's +cardiopulmonary +carnivorousness +carnivorousness's +catastrophically +categorization's +categorizations +cauterization's +ceaselessness's +censoriousness's +centralization's +cerebrovascular +ceremoniousness +ceremoniousness's +certification's +chancellorship's +Chancellorsville +Chancellorsville's +Chandrasekhar's +changeability's +changeableness's +channelization's +Chappaquiddick's +characteristically +characteristic's +characteristics +characterization +characterization's +characterizations +charitableness's +Charlottetown's +Chateaubriand's +Chattahoochee's +chauvinistically +cheerlessness's +chemotherapeutic +chieftainship's +childlessness's +chivalrousness's +chlorofluorocarbon +chlorofluorocarbon's +chlorofluorocarbons +cholecystectomy +choreographer's +choreographically +Christmastide's +Christmastime's +chronologically +chrysanthemum's +cinematographer +cinematographer's +cinematographers +cinematographic +cinematography's +circuitousness's +circumference's +circumferential +circumlocution's +circumlocutions +circumnavigated +circumnavigates +circumnavigating +circumnavigation +circumnavigation's +circumnavigations +circumscription +circumscription's +circumscriptions +circumspection's +circumstantially +circumvention's +clarification's +classification's +classifications +claustrophobia's +clearinghouse's +climatologist's +cliometrician's +collaborationist +collaboration's +collaboratively +collectivization +collectivization's +colloquialism's +colorblindness's +colorfastness's +colorlessness's +combativeness's +combustibility's +comfortableness +comfortableness's +commemoration's +commercialism's +commercialization +commercialization's +commercializing +commiseration's +commissionaires +committeewoman's +commodification +communicability +communicability's +communication's +companionship's +comparability's +compartmentalization +compartmentalization's +compartmentalize +compartmentalized +compartmentalizes +compartmentalizing +compassionately +compatibility's +competitiveness +competitiveness's +comprehensibility +comprehensibility's +comprehension's +comprehensively +comprehensiveness +comprehensiveness's +comprehensive's +compulsiveness's +computationally +computerization +computerization's +concatenation's +conceitedness's +concentration's +conceptualization +conceptualization's +conceptualizations +conceptualizing +concertmaster's +concessionaire's +concessionaires +conclusiveness's +concupiscence's +condescendingly +condescension's +conductibility's +confabulation's +confectioneries +confectionery's +confederation's +confidentiality +confidentiality's +configuration's +conflagration's +confraternities +confraternity's +confrontational +confrontation's +conglomeration's +conglomerations +congratulation's +congratulations +congregationalism +congregationalism's +Congregationalist +congregationalist +Congregationalist's +Congregationalists +congregationalist's +congregationalists +congressperson's +congresspersons +congresswoman's +conjunctivitis's +consanguinity's +conscientiously +conscientiousness +conscientiousness's +consciousnesses +consciousness's +consequentially +conservationism +conservationism's +conservationist +conservationist's +conservationists +considerateness +considerateness's +consideration's +consolidation's +conspicuousness +conspicuousness's +conspiratorially +Constantinople's +constellation's +consternation's +constitutionalism +constitutionality +constitutionality's +constitutionally +constitutional's +constitutionals +constructionist +constructionist's +constructionists +constructiveness +constructiveness's +consubstantiation +consubstantiation's +contagiousness's +containerization +containerization's +contamination's +contemplation's +contemplatively +contemplative's +contemporaneity +contemporaneity's +contemporaneous +contemporaneously +contemptuousness +contemptuousness's +contentedness's +contentiousness +contentiousness's +contextualization +contextualizing +contortionist's +contraception's +contraceptive's +contradiction's +contradistinction +contradistinction's +contradistinctions +contraindicated +contraindicates +contraindicating +contraindication +contraindication's +contraindications +contravention's +controversially +convalescence's +conventionality +conventionality's +conventionalize +conventionalized +conventionalizes +conventionalizing +conversationalist +conversationalist's +conversationalists +conversationally +convertibility's +cooperativeness +cooperativeness's +correspondence's +correspondences +correspondent's +correspondingly +corroboration's +corruptibility's +cosmetologist's +cosmopolitanism +cosmopolitanism's +councilperson's +counteraction's +counterargument +counterarguments +counterattacked +counterattacking +counterattack's +counterbalanced +counterbalance's +counterbalances +counterbalancing +counterclaiming +counterclockwise +counterculture's +countercultures +counterespionage +counterespionage's +counterexamples +counterfeiter's +counterinsurgencies +counterinsurgency +counterinsurgency's +counterintelligence +counterintelligence's +countermeasure's +countermeasures +countermelodies +counteroffensive +counteroffensive's +counteroffensives +counterpetition +counterpointing +counterproductive +counterrevolution +counterrevolutionaries +counterrevolutionary +counterrevolutionary's +counterrevolution's +counterrevolutions +countersignature +countersignature's +countersignatures +counterstroke's +counterweight's +courageousness's +courteousness's +craftsmanship's +creditworthiness +credulousness's +criminologist's +cryptographer's +crystallization +crystallization's +crystallographic +crystallography +cumbersomeness's +curvaceousness's +custodianship's +customization's +Czechoslovakian +Czechoslovakian's +Czechoslovakians +Czechoslovakia's +daguerreotype's +daguerreotyping +dastardliness's +dauntlessness's +deceitfulness's +decentralization +decentralization's +deceptiveness's +declassification +declassification's +decolonization's +decommissioning +decomposition's +decompression's +deconstructionism +deconstructionist +deconstructionists +deconstruction's +deconstructions +decontaminating +decontamination +decontamination's +decriminalization +decriminalization's +decriminalizing +defectiveness's +defenestrations +defenselessness +defenselessness's +defensiveness's +deforestation's +dehumanization's +dehydrogenating +deliberateness's +deliciousness's +deliriousness's +demagnetization +demagnetization's +demilitarization +demilitarization's +demobilization's +democratization +democratization's +demographically +demonetization's +demonstrability +demonstration's +demonstratively +demonstrativeness +demonstrativeness's +demonstrative's +demoralization's +demystification +demystification's +denationalization +denationalizing +denitrification +deodorization's +departmentalization +departmentalization's +departmentalize +departmentalized +departmentalizes +departmentalizing +dependability's +depersonalizing +depolarization's +depressurization +dermatologist's +desalinization's +descriptiveness +descriptiveness's +desegregation's +desensitization +desensitization's +desertification +desirableness's +desperateness's +dessertspoonful +dessertspoonfuls +destabilization +destabilization's +destructibility +destructibility's +destructiveness +destructiveness's +deterioration's +determination's +detoxification's +developmentally +dexterousness's +diagnostician's +diagrammatically +differentiating +differentiation +differentiation's +digestibility's +disadvantageous +disadvantageously +disaffiliation's +disagreeableness +disagreeableness's +disappearance's +disappointingly +disappointment's +disappointments +disapprobation's +disarrangement's +disassociation's +disciplinarian's +disciplinarians +discoloration's +discombobulated +discombobulates +discombobulating +discombobulation +discombobulation's +disconcertingly +disconnectedness +disconnectedness's +disconnection's +discontentment's +discontinuance's +discontinuances +discontinuation +discontinuation's +discontinuations +discontinuities +discontinuity's +discontinuously +discountenanced +discountenances +discountenancing +discouragement's +discouragements +discrimination's +discriminator's +discursiveness's +disembarkation's +disembodiment's +disembowelment's +disenchantment's +disenfranchised +disenfranchisement +disenfranchisement's +disenfranchises +disenfranchising +disengagement's +disentanglement +disentanglement's +disequilibrium's +disestablishing +disestablishment +disestablishment's +disfigurement's +disfranchisement +disfranchisement's +disgracefulness +disgracefulness's +disgruntlement's +dishearteningly +disillusionment +disillusionment's +disinclination's +disinformation's +disinheritance's +disintegration's +disinterestedly +disinterestedness +disinterestedness's +disinvestment's +disjointedness's +dismantlement's +dismemberment's +disorderliness's +disorganization +disorganization's +disorientation's +disparagement's +dispassionately +dispossession's +disproportional +disproportionate +disproportionately +disproportion's +disqualification +disqualification's +disqualifications +disrespectfully +dissatisfaction +dissatisfaction's +dissemination's +dissimilarities +dissimilarity's +dissimilitude's +dissimulation's +dissoluteness's +distastefulness +distastefulness's +distinctiveness +distinctiveness's +distinguishable +distributorship +distributorships +diversification +diversification's +diverticulitis's +Dnepropetrovsk's +documentation's +domestication's +downheartedness +downheartedness's +draftsmanship's +dramatization's +ecclesiastically +educationalists +effectiveness's +effervescence's +efflorescence's +effortlessness's +egalitarianism's +egocentricity's +egregiousness's +elaborateness's +electrification +electrification's +electrocardiogram +electrocardiogram's +electrocardiograms +electrocardiograph +electrocardiograph's +electrocardiographs +electrocardiography +electrocardiography's +electrocution's +electrodynamics +electroencephalogram +electroencephalogram's +electroencephalograms +electroencephalograph +electroencephalographic +electroencephalograph's +electroencephalographs +electroencephalography +electroencephalography's +electrologist's +electromagnetic +electromagnetically +electromagnetism +electromagnetism's +electromagnet's +electrostatics's +elephantiasis's +embarrassment's +embellishment's +emulsification's +encapsulation's +encouragement's +endocrinologist +endocrinologist's +endocrinologists +endocrinology's +enfranchisement +enfranchisement's +enlightenment's +entertainment's +enthusiastically +entrepreneurial +entrepreneurship +environmentalism +environmentalism's +environmentalist +environmentalist's +environmentalists +environmentally +epidemiological +epidemiologist's +epidemiologists +epistemological +equestrianism's +equivocalness's +establishment's +ethnocentrism's +ethnographically +euphemistically +evangelicalism's +exclusiveness's +excommunicating +excommunication +excommunication's +excommunications +excursiveness's +exemplification +exemplification's +exemplifications +exhaustiveness's +exhibitionism's +exhibitionist's +existentialism's +existentialist's +existentialists +expansiveness's +expectoration's +expeditiousness +expeditiousness's +expensiveness's +experimentation +experimentation's +explosiveness's +expostulation's +expressionism's +expressionistic +expressionist's +expressionlessly +expressiveness's +expropriation's +exquisiteness's +extemporaneously +extemporaneousness +extemporaneousness's +extemporization +extemporization's +extensiveness's +extermination's +externalization +externalization's +externalizations +extracurricular +extraordinarily +extrapolation's +extraterrestrial +extraterrestrial's +extraterrestrials +extraterritorial +extraterritoriality +extraterritoriality's +facetiousness's +faithlessness's +falsification's +familiarization +familiarization's +farsightedness's +fastidiousness's +faultlessness's +featherbedding's +featherweight's +federalization's +ferociousness's +fertilization's +fictionalization +fictionalization's +fictionalizations +Finnbogadottir's +flibbertigibbet +flibbertigibbet's +flibbertigibbets +flirtatiousness +flirtatiousness's +foolhardiness's +foreknowledge's +foresightedness +foresightedness's +forgetfulness's +formalization's +forthrightness's +fortification's +fortuitousness's +fortuneteller's +fortunetelling's +fossilization's +fractiousness's +fragmentation's +fraternization's +frightfulness's +frivolousness's +fruitlessness's +functionalities +fundamentalism's +fundamentalist's +fundamentalists +galvanization's +garrulousness's +gastroenteritis +gastroenteritis's +Gastroenterology +gastrointestinal +gastronomically +generalissimo's +generalization's +generalizations +gentrification's +gerontologist's +gerrymandering's +gesticulation's +Gewurztraminer's +glamorization's +globalization's +glorification's +gracelessness's +grandchildren's +granddaughter's +grandiloquence's +grantsmanship's +gratification's +gratuitousness's +gregariousness's +grotesqueness's +groundbreaking's +groundbreakings +guilelessness's +hairsplitting's +halfheartedness +halfheartedness's +hallucination's +hallucinogenic's +hallucinogenics +haphazardness's +hardheadedness's +hardheartedness +hardheartedness's +harmoniousness's +harmonization's +harpsichordist's +harpsichordists +healthfulness's +heartlessness's +heartsickness's +Hellenization's +hermaphrodite's +Hermaphroditus's +herpetologist's +heterogeneity's +heterogeneously +heterosexuality +heterosexuality's +highhandedness's +hilariousness's +historiographer +historiographer's +historiographers +historiography's +homeschooling's +homogenization's +homosexuality's +honorableness's +horticulturalist +horticulturalists +horticulturist's +horticulturists +hospitalization +hospitalization's +hospitalizations +hotheadedness's +housebreaking's +housecleaning's +housemistresses +Huitzilopotchli +Huitzilopotchli's +humanitarianism +humanitarianism's +humidification's +humorlessness's +hundredweight's +hybridization's +hydrocephalus's +hydrodynamics's +hydroelectrically +hydroelectricity +hydroelectricity's +hydrogenation's +hyperactivity's +hypercritically +hyperglycemia's +hyperparathyroidism +hypersensitiveness +hypersensitiveness's +hypersensitivities +hypersensitivity +hypersensitivity's +hyperthyroidism +hyperthyroidism's +hyperventilated +hyperventilates +hyperventilating +hyperventilation +hyperventilation's +hypnotherapists +hypochondriac's +hypothyroidism's +ichthyologist's +identification's +identifications +idiosyncratically +illustriousness +illustriousness's +imitativeness's +immaculateness's +immateriality's +immaterialness's +immediateness's +immobilization's +immunodeficiency +immunodeficiency's +immunodeficient +immunoglobulins +impassibility's +impassiveness's +impeccability's +impecuniousness +impecuniousness's +impenetrability +impenetrability's +imperceptibility +imperceptibility's +imperfectness's +imperialistically +imperiousness's +impermeability's +impersonation's +imperturbability +imperturbability's +impetuousness's +implacability's +implausibilities +implausibility's +implementation's +implementations +impossibilities +impossibility's +impoverishment's +impracticability +impracticality's +impreciseness's +impregnability's +impressibility's +impressionability +impressionability's +impressionism's +impressionistic +impressionist's +impressiveness's +improbabilities +improbability's +improvisational +improvisation's +impulsiveness's +inaccessibility +inaccessibility's +inadmissibility +inadmissibility's +inadvisability's +inalienability's +inanimateness's +inappropriately +inappropriateness +inappropriateness's +inarticulateness +inarticulateness's +inattentiveness +inattentiveness's +incandescence's +incarceration's +incestuousness's +inclusiveness's +incommensurately +incompatibilities +incompatibility +incompatibility's +incompleteness's +incomprehensibility +incomprehensibility's +incomprehensible +incomprehensibly +incomprehension +incomprehension's +inconceivability +inconceivability's +inconclusiveness +inconclusiveness's +incongruousness +incongruousness's +inconsequential +inconsequentially +inconsiderately +inconsiderateness +inconsiderateness's +inconsideration +inconsideration's +inconsistencies +inconsistency's +inconspicuously +inconspicuousness +inconspicuousness's +incontestability +incontestability's +incontrovertible +incontrovertibly +inconvenience's +inconveniencing +incorporation's +incorrectness's +incorrigibility +incorrigibility's +incorruptibility +incorruptibility's +incredibility's +incrementalist's +incrementalists +incrimination's +indecisiveness's +indefiniteness's +indemnification +indemnification's +indemnifications +indestructibility +indestructibility's +indeterminacy's +indeterminately +indiscriminately +indispensability +indispensability's +indispensable's +indisposition's +indissolubility +indistinctness's +indistinguishable +indistinguishably +individualism's +individualistic +individualistically +individualist's +individuality's +individualization +individualization's +individualizing +individuation's +indivisibility's +indoctrination's +industrialism's +industrialist's +industrialization +industrialization's +industrializing +industriousness +industriousness's +ineffectiveness +ineffectiveness's +ineligibility's +inevitability's +inexpensiveness +inexpensiveness's +inextinguishable +infallibility's +infectiousness's +infinitesimally +infinitesimal's +inflammability's +inflexibility's +inflorescence's +informativeness +informativeness's +infrastructural +infrastructure's +infrastructures +ingeniousness's +ingenuousness's +injudiciousness +injudiciousness's +innocuousness's +inoffensiveness +inoffensiveness's +inquisitiveness +inquisitiveness's +insatiability's +inscrutability's +inscrutableness +inscrutableness's +insensibility's +insensitivity's +inseparability's +insidiousness's +insignificance's +insignificantly +instantaneously +institutionalization +institutionalization's +institutionalize +institutionalized +institutionalizes +institutionalizing +institutionally +instrumentalist +instrumentalist's +instrumentalists +instrumentality +instrumentality's +instrumentation +instrumentation's +insubordination +insubordination's +insubstantially +insufficiency's +insurrectionist +insurrectionist's +insurrectionists +intangibility's +intellectualism +intellectualism's +intellectualize +intellectualized +intellectualizes +intellectualizing +intelligentsia's +intelligibility +intelligibility's +intensification +intensification's +intensiveness's +interchangeability +interchangeable +interchangeably +intercollegiate +intercommunicate +intercommunicated +intercommunicates +intercommunicating +intercommunication +intercommunication's +interconnecting +interconnection +interconnection's +interconnections +intercontinental +interdenominational +interdepartmental +interdependence +interdependence's +interdependently +interdisciplinary +intergovernmental +intermarriage's +internalization +internalization's +Internationale's +internationalism +internationalism's +internationalist +internationalist's +internationalists +internationalization +internationalize +internationalized +internationalizes +internationalizing +internationally +international's +interpenetrated +interpenetrates +interpenetrating +interpenetration +interpolation's +interposition's +interpretation's +interpretations +interrelation's +interrelationship +interrelationship's +interrelationships +interrogation's +interrogatively +interrogative's +interrogatories +interrogatory's +interscholastic +interspersion's +interventionism +interventionism's +interventionist +interventionist's +interventionists +intractability's +intransigence's +introspection's +introspectively +intrusiveness's +intuitiveness's +invariability's +inventiveness's +investigation's +invidiousness's +invincibility's +inviolability's +involuntariness +involuntariness's +invulnerability +invulnerability's +irrationality's +irreconcilability +irreconcilability's +irresoluteness's +irresponsibility +irresponsibility's +italicization's +jollification's +judiciousness's +jurisprudence's +justification's +juxtaposition's +kaffeeklatsches +kaffeeklatsch's +kaleidoscopically +kindergartner's +kindheartedness +kindheartedness's +Knickerbocker's +knickerbockers's +laboriousness's +lackadaisically +lasciviousness's +latitudinarian's +latitudinarians +laughingstock's +lecherousness's +legitimization's +leisureliness's +levelheadedness +levelheadedness's +lexicographer's +lexicographical +liberalization's +liberalizations +licentiousness's +Liebfraumilch's +Liechtensteiner +Liechtensteiner's +Liechtensteiners +Liechtenstein's +lightheartedness +lightheartedness's +limitlessness's +lithographically +litigiousness's +loathsomeness's +loquaciousness's +lucrativeness's +ludicrousness's +lugubriousness's +luxuriousness's +Machiavellian's +macroeconomics's +magnetization's +magnification's +magniloquence's +maintainability +majoritarianism +maladjustment's +maladministration +maladroitness's +maliciousness's +manageability's +maneuverability +maneuverability's +manifestation's +manufacturing's +marginalization +marginalization's +marketability's +marriageability +marriageability's +masochistically +Massachusetts's +materialistically +materialization +materialization's +mathematician's +matriculation's +meaningfulness's +meaninglessness +meaninglessness's +mechanistically +mechanization's +Mediterranean's +mellifluousness +mellifluousness's +melodiousness's +melodramatically +melodramatics's +Mephistopheles's +merchandising's +mercilessness's +Mercurochrome's +meretriciousness +meretriciousness's +meritoriousness +meritoriousness's +Messerschmidt's +metamorphosis's +metempsychosis's +meteorologist's +methamphetamine +methamphetamine's +methodicalness's +methodologically +meticulousness's +microaggression +microaggression's +microaggressions +microbiological +microbiologist's +microbiologists +microcomputer's +microeconomics's +microelectronic +microelectronics +microelectronics's +micromanagement +micromanagement's +micrometeorite's +micrometeorites +microorganism's +microprocessor's +microprocessors +microscopically +militarization's +millionairesses +miniaturization +miniaturization's +misanthropically +misanthropist's +misapplication's +misapplications +misapprehending +misapprehension +misapprehension's +misapprehensions +misappropriated +misappropriates +misappropriating +misappropriation +misappropriation's +misappropriations +miscalculation's +miscalculations +miscegenation's +miscellaneously +mischievousness +mischievousness's +miscommunication +miscommunications +misconception's +misconstruction +misconstruction's +misconstructions +miserableness's +misgovernment's +misinformation's +misinterpretation +misinterpretation's +misinterpretations +misinterpreting +mismanagement's +mispronunciation +mispronunciation's +mispronunciations +misrepresentation +misrepresentation's +misrepresentations +misrepresenting +Mississippian's +misunderstanding +misunderstanding's +misunderstandings +modernization's +Mohammedanism's +mollification's +momentariness's +momentousness's +monocotyledonous +monocotyledon's +mononucleosis's +monopolization's +monotonousness's +monounsaturated +mortification's +motionlessness's +mountaineering's +Muhammadanism's +multiculturalism +multiculturalism's +multidimensional +multidisciplinary +multifariousness +multifariousness's +multilingualism +multilingualism's +multimillionaire +multimillionaire's +multimillionaires +multinational's +multiplication's +multiplications +multiprocessing +multiprocessor's +multiprocessors +mummification's +mysteriousness's +mystification's +nanotechnologies +nanotechnology's +narcotization's +nationalistically +nationalization +nationalization's +nationalizations +naturalization's +nearsightedness +nearsightedness's +Nebuchadnezzar's +nefariousness's +neglectfulness's +negotiability's +neighborliness's +neoclassicism's +neocolonialism's +neocolonialist's +neocolonialists +neoconservative +neoconservative's +neoconservatives +nervelessness's +Netzahualcoyotl +Netzahualcoyotl's +neurotransmitter +neurotransmitter's +neurotransmitters +neutralization's +newspaperwoman's +newsworthiness's +niggardliness's +nitrification's +nitrocellulose's +nitroglycerin's +noiselessness's +nonacceptance's +nonadministrative +nonaggression's +nonappearance's +nonattendance's +nonavailability +nonavailability's +nonbelligerent's +nonbelligerents +noncommercial's +noncommunicable +noncompliance's +noncomprehending +nonconformist's +nonconformity's +nonconstructive +noncontributing +noncontributory +noncontroversial +noncooperation's +nondeductible's +nondenominational +nondepartmental +nondepreciating +nondisciplinary +nondisclosure's +nondiscrimination +nondiscrimination's +nondiscriminatory +nonequivalent's +nonexchangeable +nongovernmental +noninflammatory +noninflationary +nonintellectual +nonintellectual's +nonintellectuals +noninterchangeable +noninterference +noninterference's +nonintervention +nonintervention's +nonintoxicating +nonobservance's +nonoccupational +nonparticipant's +nonparticipants +nonparticipating +nonperformance's +nonprescription +nonprofessional +nonprofessional's +nonprofessionals +nonproliferation +nonproliferation's +nonreciprocal's +nonreciprocating +nonrecognition's +nonrepresentational +nonresistance's +nonreturnable's +nonspecialist's +nonspecializing +nonsympathizer's +nontransferable +normalization's +noteworthiness's +notwithstanding +nullification's +nutritiousness's +objectification +objectiveness's +obliviousness's +obnoxiousness's +obsequiousness's +obsessiveness's +obstreperousness +obstreperousness's +obstructionism's +obstructionist's +obstructionists +obstructiveness +obstructiveness's +obtrusiveness's +oceanographer's +offensiveness's +offhandedness's +officiousness's +oleomargarine's +oligonucleotide +oligonucleotides +omnivorousness's +openhandedness's +ophthalmologist +ophthalmologist's +ophthalmologists +ophthalmology's +opportunistically +oppressiveness's +orchestration's +organizationally +ornamentation's +ornithologist's +orthographically +osteoarthritis's +outlandishness's +outspokenness's +overabundance's +overcapitalized +overcapitalizes +overcapitalizing +overcompensated +overcompensates +overcompensating +overcompensation +overcompensation's +overconfidence's +overconscientious +overemphasizing +overenthusiastic +overestimation's +overgeneralized +overgeneralizes +overgeneralizing +overindulgence's +overpopulation's +overproduction's +oversensitiveness +oversensitiveness's +oversimplification +oversimplification's +oversimplifications +oversimplifying +overspecialization +overspecialization's +overspecialized +overspecializes +overspecializing +overstatement's +overstimulating +oversubscribing +palatalization's +paleontologist's +paleontologists +parallelogram's +paraphernalia's +paraprofessional +paraprofessional's +paraprofessionals +parapsychologist +parapsychologist's +parapsychologists +parapsychology's +parasympathetic +parasympathetics +parenthetically +parliamentarian +parliamentarian's +parliamentarians +parthenogenesis +parthenogenesis's +participation's +particleboard's +particularities +particularity's +particularization +particularization's +particularizing +passionflower's +pasteurization's +paterfamiliases +paterfamilias's +pedestrianization +pedestrianizing +penetrability's +Pennsylvanian's +penuriousness's +perambulation's +perceptiveness's +percussionist's +peregrination's +perfectibility's +perfectionism's +perfectionist's +permissiveness's +perniciousness's +perpendicularity +perpendicularity's +perpendicularly +perpendicular's +personification +personification's +personifications +perspicaciously +persuasiveness's +pervasiveness's +pessimistically +petrochemical's +phantasmagoria's +phantasmagorias +phantasmagorical +pharmaceutical's +pharmaceuticals +pharmaceutics's +pharmacological +pharmacologist's +pharmacologists +pharmacopoeia's +phenobarbital's +phenomenological +philanthropically +philanthropist's +philanthropists +philosophically +philosophizer's +phosphodiesterase +phosphorescence +phosphorescence's +phosphorescently +phosphorylation +photoelectrically +photoengraver's +photoengraving's +photoengravings +photofinishing's +photographically +photojournalism +photojournalism's +photojournalist +photojournalist's +photojournalists +photosynthesis's +photosynthesize +photosynthesized +photosynthesizes +photosynthesizing +phototypesetter +phototypesetting +physiologically +physiotherapist +physiotherapist's +physiotherapists +physiotherapy's +picturesqueness +picturesqueness's +pigheadedness's +plainclothesman +plainclothesman's +plainclothesmen +plenipotentiaries +plenipotentiary +plenipotentiary's +pluralization's +pointlessness's +poliomyelitis's +politicization's +polymerization's +polypropylene's +polyunsaturated +polyunsaturates +ponderousness's +Pontchartrain's +popularization's +pornographically +possessiveness's +postconsonantal +postmodernism's +postmodernist's +powerlessness's +practicability's +praiseworthiness +praiseworthiness's +preadolescence's +preadolescences +prearrangement's +precariousness's +precipitation's +precociousness's +preconception's +preconditioning +predestination's +predetermination +predetermination's +predeterminer's +predictability's +predisposition's +predispositions +prefabrication's +prehistorically +prekindergarten +prekindergarten's +prekindergartens +premeditation's +preoccupation's +preponderance's +prepositionally +prepossession's +prepubescence's +preregistration +preregistration's +Presbyterianism +Presbyterianism's +Presbyterianisms +preservationist +preservationist's +preservationists +pressurization's +prestidigitation +prestidigitation's +presumptuousness +presumptuousness's +presupposition's +presuppositions +pretentiousness +pretentiousness's +preternaturally +prevarication's +primitiveness's +primogeniture's +privatization's +prizefighting's +problematically +procrastinating +procrastination +procrastination's +procrastinator's +procrastinators +productiveness's +professionalism +professionalism's +professionalization +professionalize +professionalized +professionalizes +professionalizing +professorship's +profitability's +prognosticating +prognostication +prognostication's +prognostications +prognosticator's +prognosticators +progressiveness +progressiveness's +prohibitionist's +prohibitionists +projectionist's +proliferation's +pronouncement's +pronunciation's +proportionality +proportionately +proprietorially +proprietorship's +protectionism's +protectionist's +protectiveness's +Protestantism's +provincialism's +provocativeness +provocativeness's +pseudoscience's +psychedelically +psychoanalysis's +psychoanalyst's +psychoanalytical +psychoanalytically +psychoanalyzing +psychologically +psychoneurosis's +psychopathology +psychopharmacology +psychotherapies +psychotherapist +psychotherapist's +psychotherapists +psychotherapy's +pugnaciousness's +pulchritudinous +pulverization's +punctiliousness +punctiliousness's +purposefulness's +purposelessness +pusillanimity's +pusillanimously +quadrilateral's +quadruplicate's +quadruplicating +quadruplication +quadruplication's +qualification's +quantification's +quarrelsomeness +quarrelsomeness's +quartermaster's +querulousness's +questionnaire's +quintessentially +radicalization's +radioactivity's +radiotelegraph's +radiotelegraphs +radiotelegraphy +radiotelegraphy's +radiotelephone's +radiotelephones +radiotherapist's +radiotherapists +rambunctiousness +rambunctiousness's +randomization's +rapaciousness's +rapprochement's +ratiocination's +rationalization +rationalization's +rationalizations +reaffirmation's +reafforestation +reapplication's +reappointment's +reapportionment +reapportionment's +rearrangement's +reasonableness's +rebelliousness's +recalcitrance's +recalculation's +recapitalization +recapitulation's +recapitulations +receptiveness's +reciprocation's +reclassification +reclassification's +recolonization's +recommencement's +recommendation's +recommendations +recommissioning +reconciliation's +reconciliations +reconfiguration +reconfirmation's +reconfirmations +reconnaissance's +reconnaissances +reconsecration's +reconsideration +reconsideration's +reconstitution's +Reconstruction's +reconstruction's +reconstructions +recontaminating +recrimination's +recrudescence's +recrystallizing +rectification's +redevelopment's +redistribution's +reduplication's +reestablishment +reestablishment's +reexamination's +reforestation's +reformulation's +refrigeration's +refurbishment's +regimentation's +regularization's +regurgitation's +rehabilitation's +reimbursement's +reincarnation's +reincorporating +reincorporation +reincorporation's +reinforcement's +reinstatement's +reintegration's +reinterpretation +reinterpretation's +reinterpretations +reintroduction's +relentlessness's +religiousness's +relinquishment's +remarkableness's +remorselessness +remorselessness's +renegotiation's +reorganization's +reorganizations +reorientation's +repetitiousness +repetitiousness's +repetitiveness's +rephotographing +replenishment's +reprehensibility +reprehensibility's +representational +representation's +representations +representative's +representatives +republicanism's +republication's +repulsiveness's +resentfulness's +resourcefulness +resourcefulness's +respectability's +respectfulness's +responsibilities +responsibility's +responsiveness's +restrengthening +restrictiveness +restrictiveness's +restructuring's +resuscitation's +retentiveness's +retrogression's +retrospection's +retrospectively +retrospective's +reunification's +reverberation's +revitalization's +revivification's +revolutionaries +revolutionary's +revolutionist's +revolutionizing +ridiculousness's +righteousness's +ritualistically +rollerskating's +Rumpelstiltskin +Rumpelstiltskin's +rutherfordium's +sacrosanctness's +sadomasochism's +sadomasochistic +sadomasochist's +salaciousness's +sanctification's +sanctimoniously +sanctimoniousness +sanctimoniousness's +scandalmonger's +scarification's +schizophrenia's +schizophrenic's +schoolchildren's +schoolmistresses +schoolmistress's +schoolteacher's +Schwarzenegger's +Scientologist's +scintillation's +screenwriting's +scrupulousness's +scurrilousness's +seaworthiness's +secretaryship's +secretiveness's +secularization's +sedimentation's +seductiveness's +segregationist's +segregationists +seismographer's +selenographer's +semiautomatic's +semiconductor's +semiprofessional +semiprofessional's +semiprofessionals +semitransparent +sensationalism's +sensationalist's +sensationalists +sensationalized +sensationalizes +sensationalizing +senselessness's +sensitiveness's +sensitization's +sentimentalism's +sentimentalist's +sentimentalists +sentimentality's +sentimentalization +sentimentalization's +sentimentalized +sentimentalizes +sentimentalizing +septuagenarian's +septuagenarians +sequestration's +serialization's +serviceability's +servomechanism's +servomechanisms +sesquicentennial +sesquicentennial's +sesquicentennials +Shakespearean's +shamelessness's +shapelessness's +sharpshooting's +shiftlessness's +shortsightedness +shortsightedness's +Shostakovitch's +signalization's +signification's +simplification's +simplifications +skateboarding's +slaughterhouse's +slaughterhouses +sledgehammering +sleeplessness's +socialization's +socioeconomically +solemnization's +solicitousness's +solidification's +sophistication's +sorrowfulness's +soundproofing's +Souphanouvong's +specialization's +specializations +specification's +speechlessness's +sportsmanship's +sprightliness's +squeamishness's +stabilization's +standardization +standardization's +staphylococcus's +statelessness's +statesmanship's +steadfastness's +steppingstone's +sterilization's +stigmatization's +straightforward +straightforwardly +straightforwardness +straightforwardness's +straightforwards +straitjacketing +strangulation's +stratification's +strenuousness's +streptococcus's +strikebreaker's +stultification's +subconsciousness +subconsciousness's +subcontractor's +submissiveness's +subordination's +subprofessional +subprofessional's +subprofessionals +subsidization's +substantiation's +substantiations +subversiveness's +suggestibility's +suggestiveness's +sumptuousness's +superabundance's +superabundances +superannuation's +superciliousness +superciliousness's +supercomputer's +superconducting +superconductive +superconductivity +superconductivity's +superconductor's +superconductors +supererogation's +superficiality's +superfluousness +superfluousness's +superimposition +superimposition's +superintendence +superintendence's +superintendency +superintendency's +superintendent's +superintendents +supernumeraries +supernumerary's +superposition's +supersaturating +supersaturation +supersaturation's +superscription's +superstitiously +superstructure's +superstructures +supplementation +supplementation's +surrealistically +surreptitiously +surreptitiousness +surreptitiousness's +susceptibilities +susceptibility's +swashbuckling's +swordsmanship's +syllabication's +syllabification +syllabification's +symbolization's +sympathetically +symptomatically +synchronization +synchronization's +synchronizations +systematization +systematization's +tablespoonful's +talkativeness's +tantalization's +tastelessness's +tatterdemalion's +tatterdemalions +technologically +telecommunication +telecommunication's +telecommunications +telecommunications's +telecommuting's +teleconferenced +teleconference's +teleconferences +teleconferencing +teleconferencing's +telegraphically +telemarketing's +telephotography +telephotography's +teleprocessing's +teletypewriter's +teletypewriters +televangelism's +televangelist's +temperamentally +temperateness's +tempestuousness +tempestuousness's +temporariness's +tenaciousness's +tendentiousness +tendentiousness's +tenderheartedness +tenderheartedness's +tentativeness's +tercentennial's +terminologically +thanklessness's +theatricality's +therapeutically +thermodynamics's +thermoplastic's +thermostatically +thoughtfulness's +thoughtlessness +thoughtlessness's +thundershower's +tintinnabulation +tintinnabulation's +tintinnabulations +toastmistresses +toastmistress's +tonsillectomies +tonsillectomy's +topographically +tortoiseshell's +totalitarianism +totalitarianism's +traditionalism's +traditionalist's +traditionalists +Transcaucasia's +transcendence's +transcendentalism +transcendentalism's +transcendentalist +transcendentalist's +transcendentalists +transcendentally +transcontinental +transcription's +transfiguration +transfiguration's +transformation's +transformations +transgression's +transistorizing +transitiveness's +transliterating +transliteration +transliteration's +transliterations +transmigration's +transmittance's +transmogrification +transmogrification's +transmogrifying +transmutation's +transnational's +transpiration's +transplantation +transplantation's +transportation's +transposition's +transsexualism's +transshipment's +transubstantiation +transubstantiation's +Transylvanian's +treacherousness +treacherousness's +tremulousness's +triangulation's +tricentennial's +trigonometrical +trinitrotoluene +trinitrotoluene's +trivialization's +troubleshooter's +troubleshooters +troubleshooting +troubleshooting's +trustworthiness +trustworthiness's +typographically +tyrannosauruses +tyrannosaurus's +ultraconservative +ultraconservative's +ultraconservatives +unacceptability +unaccommodating +unauthenticated +unavailability's +unceremoniously +uncharacteristic +uncharacteristically +uncleanliness's +uncommunicative +uncomplainingly +uncomplimentary +uncomprehending +uncomprehendingly +uncompromisingly +unconditionally +unconsciousness +unconsciousness's +unconstitutional +unconstitutionality +unconstitutionality's +unconstitutionally +uncontroversial +unconventionality +unconventionality's +unconventionally +undemonstrative +undemonstratively +underachievement +underachiever's +underappreciated +undercarriage's +underclassman's +underclothing's +underdevelopment +underdevelopment's +underemployment +underemployment's +underestimate's +underestimating +underestimation +underestimation's +underestimations +underexposure's +undergraduate's +underhandedness +underhandedness's +undernourishment +undernourishment's +underprivileged +underproduction +underproduction's +underrepresented +undersecretaries +undersecretary's +understandingly +understanding's +understatement's +understatements +undervaluation's +undesirability's +undifferentiated +undiscriminating +undistinguished +unearthliness's +unexceptionable +unexceptionably +unexceptionally +unexpectedness's +unfaithfulness's +unfamiliarity's +unflappability's +unfriendliness's +ungrammatically +ungratefulness's +unhealthiness's +unimaginatively +unimplementable +unintentionally +uninterruptedly +uninterruptible +unmentionable's +unmentionables's +unnaturalness's +unobjectionable +unobtrusiveness +unobtrusiveness's +unpleasantness's +unprecedentedly +unpredictability +unpredictability's +unpreparedness's +unprepossessing +unpretentiously +unprofessionally +unpronounceable +unquestioningly +unrealistically +unreasonableness +unreasonableness's +unreconstructed +unreliability's +unrepresentative +unresponsiveness +unresponsiveness's +unrighteousness +unrighteousness's +unsatisfactorily +unscientifically +unscrupulousness +unscrupulousness's +unselfishness's +unsightliness's +unsophisticated +unsportsmanlike +unsubstantiated +unsuitability's +unsympathetically +untruthfulness's +unwholesomeness +unwholesomeness's +unwillingness's +unworldliness's +upperclassman's +upperclasswoman +upperclasswomen +utilitarianism's +valedictorian's +valetudinarianism +valetudinarianism's +valetudinarian's +valetudinarians +vasoconstriction +vegetarianism's +ventriloquism's +ventriloquist's +venturesomeness +venturesomeness's +venturousness's +verbalization's +verisimilitude's +versification's +vicariousness's +victimization's +videocassette's +videoconferencing +vindictiveness's +violoncellist's +visualization's +viticulturist's +vitrification's +vivaciousness's +vivisectionist's +vivisectionists +vociferousness's +voicelessness's +voluminousness's +voluptuousness's +voraciousness's +vulcanization's +vulgarization's +vulnerabilities +vulnerability's +Walpurgisnacht's +warmheartedness +warmheartedness's +Washingtonian's +waterboarding's +waterproofing's +weatherboarding +weatherization's +weatherperson's +weatherproofing +weatherstripped +weatherstripping +weatherstripping's +weightlessness's +weightlifting's +westernization's +whatchamacallit +whatchamacallit's +whatchamacallits +whippersnapper's +whippersnappers +wholeheartedness +wholeheartedness's +wholesomeness's +Witwatersrand's +Wollstonecraft's +wonderfulness's +woolgathering's +Worcestershire's +worthlessness's +wrongheadedness +wrongheadedness's +Yekaterinburg's +Yoknapatawpha's +Zoroastrianism's +Zoroastrianisms +Zubenelgenubi's +Zubeneschamali's diff --git a/benchmarks/regexes/dictionary/english/sorted-by-length.txt b/benchmarks/regexes/dictionary/english/sorted-by-length.txt new file mode 100644 index 0000000..e8b7322 --- /dev/null +++ b/benchmarks/regexes/dictionary/english/sorted-by-length.txt @@ -0,0 +1,123115 @@ +electroencephalography's +electroencephalographic +electroencephalograph's +Andrianampoinimerina's +compartmentalization's +counterrevolutionaries +counterrevolutionary's +electroencephalogram's +electroencephalographs +electroencephalography +institutionalization's +counterintelligence's +departmentalization's +electrocardiography's +electroencephalograms +electroencephalograph +extraterritoriality's +incomprehensibility's +straightforwardness's +unconstitutionality's +Andrianampoinimerina +antivivisectionist's +chlorofluorocarbon's +compartmentalization +counterrevolutionary +disenfranchisement's +electrocardiograph's +electroencephalogram +extemporaneousness's +hypersensitiveness's +institutionalization +intercommunication's +internationalization +oversimplification's +overspecialization's +sentimentalization's +telecommunications's +transmogrification's +transubstantiation's +uncharacteristically +anthropomorphically +antivivisectionists +argumentativeness's +authoritativeness's +bureaucratization's +chlorofluorocarbons +commercialization's +comprehensibility's +comprehensiveness's +conceptualization's +congregationalism's +Congregationalist's +congregationalist's +conscientiousness's +constitutionality's +consubstantiation's +contradistinction's +conversationalist's +counterinsurgencies +counterinsurgency's +counterintelligence +counterrevolution's +decriminalization's +demonstrativeness's +departmentalization +disinterestedness's +electrocardiogram's +electrocardiographs +electrocardiography +electromagnetically +extraterritoriality +hyperparathyroidism +impressionability's +inappropriateness's +incomprehensibility +inconsiderateness's +inconspicuousness's +indestructibility's +individualistically +individualization's +industrialization's +interdenominational +interrelationship's +irreconcilability's +misinterpretation's +misrepresentation's +nondiscrimination's +nonrepresentational +oversensitiveness's +oversimplifications +particularization's +professionalization +sanctimoniousness's +straightforwardness +superconductivity's +surreptitiousness's +telecommunication's +tenderheartedness's +transcendentalism's +transcendentalist's +ultraconservative's +unconstitutionality +unconventionality's +valetudinarianism's +absentmindedness's +acquaintanceship's +anesthesiologist's +anthropomorphism's +antivivisectionist +apprehensiveness's +arteriosclerosis's +Australopithecus's +authoritarianism's +autobiographically +biodegradability's +bloodthirstiness's +cantankerousness's +Chancellorsville's +characteristically +characterization's +chlorofluorocarbon +circumnavigation's +collectivization's +compartmentalizing +conceptualizations +Congregationalists +congregationalists +constructiveness's +containerization's +contemptuousness's +contradistinctions +contraindication's +conversationalists +counterespionage's +counteroffensive's +counterrevolutions +countersignature's +decentralization's +declassification's +deconstructionists +demilitarization's +disagreeableness's +discombobulation's +disconnectedness's +disenfranchisement +disestablishment's +disfranchisement's +disproportionately +disqualification's +electrocardiograms +electrocardiograph +electromagnetism's +environmentalism's +environmentalist's +extemporaneousness +extraterrestrial's +fictionalization's +hydroelectricity's +hypersensitiveness +hypersensitivities +hypersensitivity's +hyperventilation's +immunodeficiency's +imperceptibility's +imperturbability's +inarticulateness's +inconceivability's +inconclusiveness's +incontestability's +incorruptibility's +indispensability's +institutionalizing +interchangeability +intercommunicating +intercommunication +internationalism's +internationalist's +internationalizing +interrelationships +irresponsibility's +lightheartedness's +meretriciousness's +microelectronics's +misappropriation's +misinterpretations +mispronunciation's +misrepresentations +misunderstanding's +multiculturalism's +multifariousness's +multimillionaire's +neurotransmitter's +noninterchangeable +nonproliferation's +obstreperousness's +overcompensation's +oversimplification +overspecialization +paraprofessional's +parapsychologist's +perpendicularity's +praiseworthiness's +predetermination's +prestidigitation's +presumptuousness's +psychoanalytically +psychopharmacology +rambunctiousness's +reclassification's +reinterpretation's +reprehensibility's +semiprofessional's +sentimentalization +sesquicentennial's +shortsightedness's +subconsciousness's +superciliousness's +telecommunications +teleconferencing's +tintinnabulation's +transcendentalists +transmogrification +transubstantiation +ultraconservatives +unconstitutionally +underdevelopment's +undernourishment's +unpredictability's +unreasonableness's +unresponsiveness's +unscrupulousness's +weatherstripping's +wholeheartedness's +acclimatization's +acquisitiveness's +acrimoniousness's +adventurousness's +agriculturalist's +alphabetization's +Americanization's +anachronistically +anesthesiologists +anesthetization's +anthropologically +antiabortionist's +anticlimactically +appropriateness's +argumentativeness +atherosclerosis's +authoritativeness +bibliographically +blameworthiness's +bureaucratization +cannibalization's +carcinogenicity's +carnivorousness's +ceremoniousness's +characterizations +choreographically +cinematographer's +circumnavigations +circumscription's +comfortableness's +commercialization +communicability's +compartmentalized +compartmentalizes +competitiveness's +comprehensibility +comprehensiveness +computerization's +conceptualization +confidentiality's +congregationalism +Congregationalist +congregationalist +conscientiousness +conservationism's +conservationist's +considerateness's +conspicuousness's +constitutionalism +constitutionality +constructionist's +consubstantiation +contemporaneity's +contemporaneously +contentiousness's +contextualization +contradistinction +contraindications +conventionality's +conventionalizing +conversationalist +cooperativeness's +cosmopolitanism's +counterinsurgency +counteroffensives +counterproductive +counterrevolution +countersignatures +crystallization's +Czechoslovakian's +deconstructionism +deconstructionist +decontamination's +decriminalization +defenselessness's +demagnetization's +democratization's +demonstrativeness +demystification's +denationalization +departmentalizing +descriptiveness's +desensitization's +destabilization's +destructibility's +destructiveness's +differentiation's +disadvantageously +discontinuation's +disentanglement's +disgracefulness's +disillusionment's +disinterestedness +disorganization's +disqualifications +dissatisfaction's +distastefulness's +distinctiveness's +diversification's +downheartedness's +electrification's +electrocardiogram +endocrinologist's +enfranchisement's +environmentalists +excommunication's +exemplification's +expeditiousness's +experimentation's +extemporization's +externalization's +extraterrestrials +familiarization's +fictionalizations +flibbertigibbet's +flirtatiousness's +foresightedness's +gastroenteritis's +halfheartedness's +hardheartedness's +heterosexuality's +historiographer's +horticulturalists +hospitalization's +Huitzilopotchli's +humanitarianism's +hydroelectrically +hyperthyroidism's +idiosyncratically +illustriousness's +impecuniousness's +impenetrability's +imperialistically +impressionability +inaccessibility's +inadmissibility's +inappropriateness +inattentiveness's +incompatibilities +incompatibility's +incomprehension's +incongruousness's +inconsequentially +inconsiderateness +inconsideration's +inconspicuousness +incorrigibility's +indemnification's +indestructibility +indistinguishable +indistinguishably +individualization +industrialization +industriousness's +ineffectiveness's +inexpensiveness's +informativeness's +injudiciousness's +inoffensiveness's +inquisitiveness's +inscrutableness's +institutionalized +institutionalizes +instrumentalist's +instrumentality's +instrumentation's +insubordination's +insurrectionist's +intellectualism's +intellectualizing +intelligibility's +intensification's +intercommunicated +intercommunicates +interconnection's +interdepartmental +interdependence's +interdisciplinary +intergovernmental +internalization's +internationalists +internationalized +internationalizes +interrelationship +interventionism's +interventionist's +involuntariness's +invulnerability's +irreconcilability +kaleidoscopically +kindheartedness's +levelheadedness's +Liechtensteiner's +maladministration +maneuverability's +marginalization's +marriageability's +materialistically +materialization's +meaninglessness's +mellifluousness's +meritoriousness's +methamphetamine's +microaggression's +micromanagement's +miniaturization's +misapprehension's +misappropriations +mischievousness's +miscommunications +misconstruction's +misinterpretation +mispronunciations +misrepresentation +misunderstandings +multidisciplinary +multilingualism's +multimillionaires +nationalistically +nationalization's +nearsightedness's +neoconservative's +Netzahualcoyotl's +neurotransmitters +nonadministrative +nonavailability's +nondenominational +nondiscrimination +nondiscriminatory +nonintellectual's +noninterference's +nonintervention's +nonprofessional's +obstructiveness's +ophthalmologist's +opportunistically +overconscientious +oversensitiveness +paraprofessionals +parapsychologists +parliamentarian's +parthenogenesis's +particularization +pedestrianization +personification's +philanthropically +phosphodiesterase +phosphorescence's +photoelectrically +photojournalism's +photojournalist's +photosynthesizing +physiotherapist's +picturesqueness's +plainclothesman's +plenipotentiaries +plenipotentiary's +prekindergarten's +preregistration's +Presbyterianism's +preservationist's +pretentiousness's +procrastination's +professionalism's +professionalizing +prognostication's +progressiveness's +provocativeness's +psychotherapist's +punctiliousness's +quadruplication's +quarrelsomeness's +radiotelegraphy's +rationalization's +reapportionment's +reconsideration's +reestablishment's +reincorporation's +reinterpretations +remorselessness's +repetitiousness's +resourcefulness's +restrictiveness's +Rumpelstiltskin's +sanctimoniousness +semiprofessionals +sesquicentennials +socioeconomically +standardization's +straightforwardly +subprofessional's +superconductivity +superfluousness's +superimposition's +superintendence's +superintendency's +supersaturation's +supplementation's +surreptitiousness +syllabification's +synchronization's +systematization's +telecommunication +telephotography's +tempestuousness's +tendentiousness's +tenderheartedness +thoughtlessness's +tintinnabulations +totalitarianism's +transcendentalism +transcendentalist +transfiguration's +transliteration's +transplantation's +treacherousness's +trinitrotoluene's +troubleshooting's +trustworthiness's +ultraconservative +uncomprehendingly +unconsciousness's +unconventionality +undemonstratively +underemployment's +underestimation's +underhandedness's +underproduction's +unobtrusiveness's +unrighteousness's +unsympathetically +unwholesomeness's +valetudinarianism +venturesomeness's +videoconferencing +warmheartedness's +whatchamacallit's +wrongheadedness's +absentmindedness +abstemiousness's +abstractedness's +acceptableness's +accomplishment's +accountability's +acknowledgment's +acquaintanceship +administration's +administratively +aggrandizement's +aggressiveness's +agriculturalists +alphabetizations +alphanumerically +amateurishness's +ambassadorship's +Americanizations +anesthesiologist +anesthesiology's +anesthetizations +antagonistically +anthropologist's +anthropomorphism +anthropomorphize +anthropomorphous +antiabortionists +antidepressant's +antiperspirant's +antiquarianism's +apprehensiveness +apprenticeship's +archaeologically +architectonics's +aristocratically +aromatherapist's +arteriosclerosis +articulateness's +astrophysicist's +atrioventricular +attractiveness's +auspiciousness's +Australopithecus +authentication's +authoritarianism +autobiographer's +autobiographical +backscratching's +bacteriologist's +bastardization's +beautification's +bigheartedness's +biodegradability +biotechnological +bipartisanship's +bloodthirstiness +boisterousness's +bowdlerization's +breathlessness's +Brobdingnagian's +bullheadedness's +bureaucratically +businessperson's +Camelopardalis's +cantankerousness +capitalistically +capitalization's +capriciousness's +catastrophically +categorization's +censoriousness's +centralization's +chancellorship's +Chancellorsville +changeableness's +channelization's +Chappaquiddick's +characteristic's +characterization +charitableness's +chauvinistically +chemotherapeutic +chivalrousness's +cinematographers +cinematography's +circuitousness's +circumlocution's +circumnavigating +circumnavigation +circumscriptions +circumspection's +circumstantially +classification's +claustrophobia's +collaborationist +collectivization +colorblindness's +combustibility's +committeewoman's +compartmentalize +compulsiveness's +concessionaire's +conclusiveness's +conductibility's +conglomeration's +congratulation's +congressperson's +conjunctivitis's +conservationists +conspiratorially +Constantinople's +constitutionally +constitutional's +constructionists +constructiveness +contagiousness's +containerization +contemptuousness +contraindicating +contraindication +conventionalized +conventionalizes +conversationally +convertibility's +correspondence's +corruptibility's +counterarguments +counterattacking +counterbalance's +counterbalancing +counterclockwise +counterculture's +counterespionage +countermeasure's +counteroffensive +countersignature +courageousness's +creditworthiness +crystallographic +cumbersomeness's +curvaceousness's +Czechoslovakians +Czechoslovakia's +decentralization +declassification +decolonization's +deconstruction's +dehumanization's +deliberateness's +demilitarization +demobilization's +demonetization's +demoralization's +departmentalized +departmentalizes +depolarization's +depressurization +desalinization's +dessertspoonfuls +detoxification's +diagrammatically +disaffiliation's +disagreeableness +disappointment's +disapprobation's +disarrangement's +disassociation's +disciplinarian's +discombobulating +discombobulation +disconnectedness +discontentment's +discontinuance's +discontinuations +discountenancing +discouragement's +discrimination's +discursiveness's +disembarkation's +disembowelment's +disenchantment's +disenfranchising +disequilibrium's +disestablishment +disfranchisement +disgruntlement's +disinclination's +disinformation's +disinheritance's +disintegration's +disjointedness's +disorderliness's +disorientation's +disproportionate +disqualification +distributorships +diverticulitis's +Dnepropetrovsk's +ecclesiastically +effortlessness's +egalitarianism's +electromagnetism +electrostatics's +emulsification's +endocrinologists +enthusiastically +entrepreneurship +environmentalism +environmentalist +epidemiologist's +ethnographically +evangelicalism's +excommunications +exemplifications +exhaustiveness's +existentialism's +existentialist's +expressionlessly +expressiveness's +extemporaneously +externalizations +extraterrestrial +extraterritorial +farsightedness's +fastidiousness's +featherbedding's +federalization's +fictionalization +Finnbogadottir's +flibbertigibbets +forthrightness's +fortuitousness's +fortunetelling's +fraternization's +fundamentalism's +fundamentalist's +Gastroenterology +gastrointestinal +generalization's +gentrification's +gerrymandering's +Gewürztraminer's +Gewurztraminer's +grandiloquence's +gratuitousness's +gregariousness's +groundbreaking's +hallucinogenic's +hardheadedness's +harmoniousness's +harpsichordist's +Hermaphroditus's +highhandedness's +historiographers +historiography's +homogenization's +horticulturalist +horticulturist's +hospitalizations +humidification's +hydroelectricity +hypersensitivity +hyperventilating +hyperventilation +hypothyroidism's +identification's +immaculateness's +immaterialness's +immobilization's +immunodeficiency +imperceptibility +impermeability's +imperturbability +implausibilities +implausibility's +implementation's +impoverishment's +impracticability +impracticality's +impregnability's +impressibility's +impressiveness's +inadvisability's +inalienability's +inarticulateness +incestuousness's +incommensurately +incompleteness's +incomprehensible +incomprehensibly +inconceivability +inconclusiveness +incontestability +incontrovertible +incontrovertibly +incorruptibility +incrementalist's +indecisiveness's +indefiniteness's +indemnifications +indiscriminately +indispensability +indistinctness's +indivisibility's +indoctrination's +inextinguishable +infectiousness's +inflammability's +infrastructure's +inscrutability's +inseparability's +insignificance's +institutionalize +instrumentalists +insurrectionists +intellectualized +intellectualizes +intelligentsia's +intercommunicate +interconnections +intercontinental +interdependently +Internationale's +internationalism +internationalist +internationalize +interpenetrating +interpenetration +interpretation's +interventionists +intractability's +irresoluteness's +irresponsibility +knickerbockers's +lasciviousness's +latitudinarian's +legitimization's +liberalization's +licentiousness's +Liechtensteiners +lightheartedness +lithographically +loquaciousness's +lugubriousness's +macroeconomics's +meaningfulness's +melodramatically +Mephistopheles's +meretriciousness +metempsychosis's +methodicalness's +methodologically +meticulousness's +microaggressions +microbiologist's +microeconomics's +microelectronics +micrometeorite's +microprocessor's +militarization's +misanthropically +misapplication's +misapprehensions +misappropriating +misappropriation +miscalculation's +miscommunication +misconstructions +misinformation's +mispronunciation +misunderstanding +monocotyledonous +monopolization's +monotonousness's +motionlessness's +mountaineering's +multiculturalism +multidimensional +multifariousness +multimillionaire +multiplication's +multiprocessor's +mysteriousness's +nanotechnologies +nanotechnology's +nationalizations +naturalization's +Nebuchadnezzar's +neglectfulness's +neighborliness's +neocolonialism's +neocolonialist's +neoconservatives +neurotransmitter +neutralization's +newspaperwoman's +newsworthiness's +nitrocellulose's +nonbelligerent's +noncomprehending +noncontroversial +noncooperation's +nonintellectuals +nonparticipant's +nonparticipating +nonperformance's +nonprofessionals +nonproliferation +nonreciprocating +nonrecognition's +nonsympathizer's +noteworthiness's +nutritiousness's +obsequiousness's +obstreperousness +obstructionism's +obstructionist's +oligonucleotides +omnivorousness's +openhandedness's +ophthalmologists +oppressiveness's +organizationally +orthographically +osteoarthritis's +outlandishness's +overcapitalizing +overcompensating +overcompensation +overconfidence's +overenthusiastic +overestimation's +overgeneralizing +overindulgence's +overpopulation's +overproduction's +overspecializing +palatalization's +paleontologist's +paraprofessional +parapsychologist +parapsychology's +parasympathetics +parliamentarians +pasteurization's +perceptiveness's +perfectibility's +permissiveness's +perniciousness's +perpendicularity +personifications +persuasiveness's +phantasmagoria's +phantasmagorical +pharmaceutical's +pharmacologist's +phenomenological +philanthropist's +phosphorescently +photoengraving's +photofinishing's +photographically +photojournalists +photosynthesis's +photosynthesized +photosynthesizes +phototypesetting +physiotherapists +politicization's +polymerization's +popularization's +pornographically +possessiveness's +practicability's +praiseworthiness +preadolescence's +prearrangement's +precariousness's +precociousness's +predestination's +predetermination +predictability's +predisposition's +prefabrication's +prekindergartens +Presbyterianisms +preservationists +pressurization's +prestidigitation +presumptuousness +presupposition's +procrastinator's +productiveness's +professionalized +professionalizes +prognostications +prognosticator's +prohibitionist's +proprietorship's +protectiveness's +psychoanalysis's +psychoanalytical +psychoneurosis's +psychotherapists +pugnaciousness's +purposefulness's +quantification's +quintessentially +radicalization's +radiotelegraph's +radiotelephone's +radiotherapist's +rambunctiousness +rationalizations +reasonableness's +rebelliousness's +recapitalization +recapitulation's +reclassification +recolonization's +recommencement's +recommendation's +reconciliation's +reconfirmation's +reconnaissance's +reconsecration's +reconstitution's +Reconstruction's +reconstruction's +redistribution's +regularization's +rehabilitation's +reinterpretation +reintroduction's +relentlessness's +relinquishment's +remarkableness's +reorganization's +repetitiveness's +reprehensibility +representational +representation's +representative's +respectability's +respectfulness's +responsibilities +responsibility's +responsiveness's +revitalization's +revivification's +ridiculousness's +sacrosanctness's +sanctification's +schoolchildren's +schoolmistresses +schoolmistress's +Schwarzenegger's +scrupulousness's +scurrilousness's +secularization's +segregationist's +semiprofessional +sensationalism's +sensationalist's +sensationalizing +sentimentalism's +sentimentalist's +sentimentality's +sentimentalizing +septuagenarian's +serviceability's +servomechanism's +sesquicentennial +shortsightedness +simplification's +slaughterhouse's +solicitousness's +solidification's +sophistication's +specialization's +speechlessness's +staphylococcus's +stigmatization's +straightforwards +stratification's +stultification's +subconsciousness +submissiveness's +subprofessionals +substantiation's +subversiveness's +suggestibility's +suggestiveness's +superabundance's +superannuation's +superciliousness +superconductor's +supererogation's +superficiality's +superintendent's +superscription's +superstructure's +surrealistically +susceptibilities +susceptibility's +synchronizations +tatterdemalion's +teleconference's +teleconferencing +teleprocessing's +teletypewriter's +terminologically +thermodynamics's +thermostatically +thoughtfulness's +tintinnabulation +traditionalism's +traditionalist's +transcendentally +transcontinental +transformation's +transitiveness's +transliterations +transmigration's +transportation's +transsexualism's +trivialization's +troubleshooter's +unavailability's +uncharacteristic +uncompromisingly +unconstitutional +unconventionally +underachievement +underappreciated +underdevelopment +underestimations +undernourishment +underrepresented +undersecretaries +undersecretary's +understatement's +undervaluation's +undesirability's +undifferentiated +undiscriminating +unexpectedness's +unfaithfulness's +unflappability's +unfriendliness's +ungratefulness's +unmentionables's +unpleasantness's +unpredictability +unpreparedness's +unprofessionally +unreasonableness +unrepresentative +unresponsiveness +unsatisfactorily +unscientifically +unscrupulousness +untruthfulness's +utilitarianism's +valetudinarian's +vasoconstriction +verisimilitude's +vindictiveness's +vivisectionist's +vociferousness's +voluminousness's +voluptuousness's +Walpurgisnacht's +weatherization's +weatherstripping +weightlessness's +westernization's +whatchamacallits +whippersnapper's +wholeheartedness +Wollstonecraft's +Worcestershire's +Zoroastrianism's +Zubeneschamali's +acceptability's +accessibility's +acclimatization +accommodatingly +accommodation's +accompaniment's +accomplishments +accouterments's +accreditation's +acculturation's +acetaminophen's +acknowledgments +acquisitiveness +acrimoniousness +actualization's +acupuncturist's +administrations +administrator's +admissibility's +adventurousness +advertisement's +aerodynamically +afforestation's +agglomeration's +agglutination's +agreeableness's +agriculturalist +agriculturist's +airworthiness's +alphabetization +ambassadorships +ambidexterity's +ambitiousness's +Americanization +amniocentesis's +amorphousness's +amplification's +analogousness's +anesthetization +animadversion's +anthropocentric +anthropological +anthropologists +anthropomorphic +antiabortionist +antibacterial's +anticoagulant's +anticommunism's +anticommunist's +antidepressants +antihistamine's +antilogarithm's +antiperspirants +antispasmodic's +applicability's +apportionment's +apprenticeships +appropriateness +appropriation's +approximation's +arbitrariness's +archaeologist's +archbishopric's +architecturally +argumentation's +argumentatively +arithmetician's +aromatherapists +artificiality's +ascertainment's +assassination's +assemblywoman's +assertiveness's +assiduousness's +astrophysicists +atherosclerosis +atherosclerotic +atmospherically +atrociousness's +attainability's +attentiveness's +audaciousness's +authentications +authoritarian's +authoritatively +authorization's +autobiographers +autobiographies +autobiography's +baccalaureate's +bacteriological +bacteriologists +bastardizations +beatification's +bibliographer's +bibliographical +bidirectionally +biotechnology's +blamelessness's +blameworthiness +bloodlessness's +bloodthirstiest +boardinghouse's +bougainvillea's +bouillabaisse's +boundlessness's +bounteousness's +bountifulness's +bowdlerizations +brainchildren's +brainstorming's +brokenheartedly +brotherliness's +brutalization's +bumptiousness's +bureaucratizing +businesspersons +businesswoman's +Butterfingers's +butterfingers's +cabinetmaking's +calcification's +calligraphist's +campanologist's +cannibalization +capaciousness's +Carboniferous's +carcinogenicity +cardiopulmonary +carnivorousness +categorizations +cauterization's +ceaselessness's +cerebrovascular +ceremoniousness +certification's +Chandrasekhar's +changeability's +characteristics +Charlottetown's +Chateaubriand's +Chattahoochee's +cheerlessness's +chieftainship's +childlessness's +cholecystectomy +choreographer's +Christmastide's +Christmastime's +chronologically +chrysanthemum's +cinematographer +cinematographic +circumference's +circumferential +circumlocutions +circumnavigated +circumnavigates +circumscription +circumvention's +clarification's +classifications +clearinghouse's +climatologist's +cliometrician's +collaboration's +collaboratively +colloquialism's +colorfastness's +colorlessness's +combativeness's +comfortableness +commemoration's +commercialism's +commercializing +commiseration's +commissionaires +commodification +communicability +communication's +companionship's +comparability's +compassionately +compatibility's +competitiveness +comprehension's +comprehensively +comprehensive's +computationally +computerization +concatenation's +conceitedness's +concentration's +conceptualizing +concertmaster's +concessionaires +concupiscence's +condescendingly +condescension's +confabulation's +confectioneries +confectionery's +confederation's +confidentiality +configuration's +conflagration's +confraternities +confraternity's +confrontational +confrontation's +conglomerations +congratulations +congresspersons +congresswoman's +consanguinity's +conscientiously +consciousnesses +consciousness's +consequentially +conservationism +conservationist +considerateness +consideration's +consolidation's +conspicuousness +constellation's +consternation's +constitutionals +constructionist +contamination's +contemplation's +contemplatively +contemplative's +contemporaneity +contemporaneous +contentedness's +contentiousness +contextualizing +contortionist's +contraception's +contraceptive's +contradiction's +contraindicated +contraindicates +contravention's +controversially +convalescence's +conventionality +conventionalize +cooperativeness +correspondences +correspondent's +correspondingly +corroboration's +cosmetologist's +cosmopolitanism +councilperson's +counteraction's +counterargument +counterattacked +counterattack's +counterbalanced +counterbalances +counterclaiming +countercultures +counterexamples +counterfeiter's +countermeasures +countermelodies +counterpetition +counterpointing +counterstroke's +counterweight's +courteousness's +craftsmanship's +credulousness's +criminologist's +cryptographer's +crystallization +crystallography +custodianship's +customization's +Czechoslovakian +daguerreotype's +daguerreotyping +dastardliness's +dauntlessness's +deceitfulness's +deceptiveness's +decommissioning +decomposition's +decompression's +deconstructions +decontaminating +decontamination +decriminalizing +defectiveness's +defenestrations +defenselessness +defensiveness's +deforestation's +dehydrogenating +deliciousness's +deliriousness's +demagnetization +democratization +demographically +demonstrability +demonstration's +demonstratively +demonstrative's +demystification +denationalizing +denitrification +deodorization's +departmentalize +dependability's +depersonalizing +dermatologist's +descriptiveness +desegregation's +desensitization +desertification +desirableness's +desperateness's +dessertspoonful +destabilization +destructibility +destructiveness +deterioration's +determination's +developmentally +dexterousness's +diagnostician's +differentiating +differentiation +digestibility's +disadvantageous +disappearance's +disappointingly +disappointments +disciplinarians +discoloration's +discombobulated +discombobulates +disconcertingly +disconnection's +discontinuances +discontinuation +discontinuities +discontinuity's +discontinuously +discountenanced +discountenances +discouragements +discriminator's +disembodiment's +disenfranchised +disenfranchises +disengagement's +disentanglement +disestablishing +disfigurement's +disgracefulness +dishearteningly +disillusionment +disinterestedly +disinvestment's +dismantlement's +dismemberment's +disorganization +disparagement's +dispassionately +dispossession's +disproportional +disproportion's +disrespectfully +dissatisfaction +dissemination's +dissimilarities +dissimilarity's +dissimilitude's +dissimulation's +dissoluteness's +distastefulness +distinctiveness +distinguishable +distributorship +diversification +documentation's +domestication's +downheartedness +draftsmanship's +dramatization's +educationalists +effectiveness's +effervescence's +efflorescence's +egocentricity's +egregiousness's +elaborateness's +electrification +electrocution's +electrodynamics +electrologist's +electromagnetic +electromagnet's +elephantiasis's +embarrassment's +embellishment's +encapsulation's +encouragement's +endocrinologist +endocrinology's +enfranchisement +enlightenment's +entertainment's +entrepreneurial +environmentally +epidemiological +epidemiologists +epistemological +equestrianism's +equivocalness's +establishment's +ethnocentrism's +euphemistically +exclusiveness's +excommunicating +excommunication +excursiveness's +exemplification +exhibitionism's +exhibitionist's +existentialists +expansiveness's +expectoration's +expeditiousness +expensiveness's +experimentation +explosiveness's +expostulation's +expressionism's +expressionistic +expressionist's +expropriation's +exquisiteness's +extemporization +extensiveness's +extermination's +externalization +extracurricular +extraordinarily +extrapolation's +facetiousness's +faithlessness's +falsification's +familiarization +faultlessness's +featherweight's +ferociousness's +fertilization's +flibbertigibbet +flirtatiousness +foolhardiness's +foreknowledge's +foresightedness +forgetfulness's +formalization's +fortification's +fortuneteller's +fossilization's +fractiousness's +fragmentation's +frightfulness's +frivolousness's +fruitlessness's +functionalities +fundamentalists +galvanization's +garrulousness's +gastroenteritis +gastronomically +generalissimo's +generalizations +gerontologist's +gesticulation's +glamorization's +globalization's +glorification's +gracelessness's +grandchildren's +granddaughter's +grantsmanship's +gratification's +grotesqueness's +groundbreakings +guilelessness's +hairsplitting's +halfheartedness +hallucination's +hallucinogenics +haphazardness's +hardheartedness +harmonization's +harpsichordists +healthfulness's +heartlessness's +heartsickness's +Hellenization's +hermaphrodite's +herpetologist's +heterogeneity's +heterogeneously +heterosexuality +hilariousness's +historiographer +homeschooling's +homosexuality's +honorableness's +horticulturists +hospitalization +hotheadedness's +housebreaking's +housecleaning's +housemistresses +Huitzilopotchli +humanitarianism +humorlessness's +hundredweight's +hybridization's +hydrocephalus's +hydrodynamics's +hydrogenation's +hyperactivity's +hypercritically +hyperglycemia's +hyperthyroidism +hyperventilated +hyperventilates +hypnotherapists +hypochondriac's +ichthyologist's +identifications +illustriousness +imitativeness's +immateriality's +immediateness's +immunodeficient +immunoglobulins +impassibility's +impassiveness's +impeccability's +impecuniousness +impenetrability +imperfectness's +imperiousness's +impersonation's +impetuousness's +implacability's +implementations +impossibilities +impossibility's +impreciseness's +impressionism's +impressionistic +impressionist's +improbabilities +improbability's +improvisational +improvisation's +impulsiveness's +inaccessibility +inadmissibility +inanimateness's +inappropriately +inattentiveness +incandescence's +incarceration's +inclusiveness's +incompatibility +incomprehension +incongruousness +inconsequential +inconsiderately +inconsideration +inconsistencies +inconsistency's +inconspicuously +inconvenience's +inconveniencing +incorporation's +incorrectness's +incorrigibility +incredibility's +incrementalists +incrimination's +indemnification +indeterminacy's +indeterminately +indispensable's +indisposition's +indissolubility +individualism's +individualistic +individualist's +individuality's +individualizing +individuation's +industrialism's +industrialist's +industrializing +industriousness +ineffectiveness +ineligibility's +inevitability's +inexpensiveness +infallibility's +infinitesimally +infinitesimal's +inflexibility's +inflorescence's +informativeness +infrastructural +infrastructures +ingeniousness's +ingenuousness's +injudiciousness +innocuousness's +inoffensiveness +inquisitiveness +insatiability's +inscrutableness +insensibility's +insensitivity's +insidiousness's +insignificantly +instantaneously +institutionally +instrumentalist +instrumentality +instrumentation +insubordination +insubstantially +insufficiency's +insurrectionist +intangibility's +intellectualism +intellectualize +intelligibility +intensification +intensiveness's +interchangeable +interchangeably +intercollegiate +interconnecting +interconnection +interdependence +intermarriage's +internalization +internationally +international's +interpenetrated +interpenetrates +interpolation's +interposition's +interpretations +interrelation's +interrogation's +interrogatively +interrogative's +interrogatories +interrogatory's +interscholastic +interspersion's +interventionism +interventionist +intransigence's +introspection's +introspectively +intrusiveness's +intuitiveness's +invariability's +inventiveness's +investigation's +invidiousness's +invincibility's +inviolability's +involuntariness +invulnerability +irrationality's +italicization's +jollification's +judiciousness's +jurisprudence's +justification's +juxtaposition's +kaffeeklatsches +kaffeeklatsch's +kindergartner's +kindergärtner's +kindheartedness +Knickerbocker's +laboriousness's +lackadaisically +latitudinarians +laughingstock's +lecherousness's +leisureliness's +levelheadedness +lexicographer's +lexicographical +liberalizations +Liebfraumilch's +Liechtensteiner +Liechtenstein's +limitlessness's +litigiousness's +loathsomeness's +lucrativeness's +ludicrousness's +luxuriousness's +Machiavellian's +magnetization's +magnification's +magniloquence's +maintainability +majoritarianism +maladjustment's +maladroitness's +maliciousness's +manageability's +maneuverability +manifestation's +manufacturing's +marginalization +marketability's +marriageability +masochistically +Massachusetts's +materialization +mathematician's +matriculation's +meaninglessness +mechanistically +mechanization's +Mediterranean's +mellifluousness +melodiousness's +melodramatics's +merchandising's +mercilessness's +Mercurochrome's +meritoriousness +Messerschmidt's +metamorphosis's +meteorologist's +methamphetamine +microaggression +microbiological +microbiologists +microcomputer's +microelectronic +micromanagement +micrometeorites +microorganism's +microprocessors +microscopically +millionairesses +miniaturization +misanthropist's +misapplications +misapprehending +misapprehension +misappropriated +misappropriates +miscalculations +miscegenation's +miscellaneously +mischievousness +misconception's +misconstruction +miserableness's +misgovernment's +misinterpreting +mismanagement's +misrepresenting +Mississippian's +modernization's +Mohammedanism's +mollification's +momentariness's +momentousness's +monocotyledon's +mononucleosis's +monounsaturated +mortification's +Muhammadanism's +multilingualism +multinational's +multiplications +multiprocessing +multiprocessors +mummification's +mystification's +narcotization's +nationalization +nearsightedness +nefariousness's +negotiability's +neoclassicism's +neocolonialists +neoconservative +nervelessness's +Netzahualcoyotl +niggardliness's +nitrification's +nitroglycerin's +noiselessness's +nonacceptance's +nonaggression's +nonappearance's +nonattendance's +nonavailability +nonbelligerents +noncommercial's +noncommunicable +noncompliance's +nonconformist's +nonconformity's +nonconstructive +noncontributing +noncontributory +nondeductible's +nondepartmental +nondepreciating +nondisciplinary +nondisclosure's +nonequivalent's +nonexchangeable +nongovernmental +noninflammatory +noninflationary +nonintellectual +noninterference +nonintervention +nonintoxicating +nonobservance's +nonoccupational +nonparticipants +nonprescription +nonprofessional +nonreciprocal's +nonresistance's +nonreturnable's +nonspecialist's +nonspecializing +nontransferable +normalization's +notwithstanding +nullification's +objectification +objectiveness's +obliviousness's +obnoxiousness's +obsessiveness's +obstructionists +obstructiveness +obtrusiveness's +oceanographer's +offensiveness's +offhandedness's +officiousness's +oleomargarine's +oligonucleotide +ophthalmologist +ophthalmology's +orchestration's +ornamentation's +ornithologist's +outspokenness's +overabundance's +overcapitalized +overcapitalizes +overcompensated +overcompensates +overemphasizing +overgeneralized +overgeneralizes +oversimplifying +overspecialized +overspecializes +overstatement's +overstimulating +oversubscribing +paleontologists +parallelogram's +paraphernalia's +parasympathetic +parenthetically +parliamentarian +parthenogenesis +participation's +particleboard's +particularities +particularity's +particularizing +passionflower's +paterfamiliases +paterfamilias's +pedestrianizing +penetrability's +Pennsylvanian's +penuriousness's +perambulation's +percussionist's +peregrination's +perfectionism's +perfectionist's +perpendicularly +perpendicular's +personification +perspicaciously +pervasiveness's +pessimistically +petrochemical's +phantasmagorias +pharmaceuticals +pharmaceutics's +pharmacological +pharmacologists +pharmacopoeia's +phenobarbital's +philanthropists +philosophically +philosophizer's +phosphorescence +phosphorylation +photoengraver's +photoengravings +photojournalism +photojournalist +photosynthesize +phototypesetter +physiologically +physiotherapist +physiotherapy's +picturesqueness +pigheadedness's +plainclothesman +plainclothesmen +plenipotentiary +pluralization's +pointlessness's +poliomyelitis's +polypropylene's +polyunsaturated +polyunsaturates +ponderousness's +Pontchartrain's +postconsonantal +postmodernism's +postmodernist's +powerlessness's +preadolescences +precipitation's +preconception's +preconditioning +predeterminer's +predispositions +prehistorically +prekindergarten +premeditation's +preoccupation's +preponderance's +prepositionally +prepossession's +prepubescence's +preregistration +Presbyterianism +preservationist +presuppositions +pretentiousness +preternaturally +prevarication's +primitiveness's +primogeniture's +privatization's +prizefighting's +problematically +procrastinating +procrastination +procrastinators +professionalism +professionalize +professorship's +profitability's +prognosticating +prognostication +prognosticators +progressiveness +prohibitionists +projectionist's +proliferation's +pronouncement's +pronunciation's +proportionality +proportionately +proprietorially +protectionism's +protectionist's +Protestantism's +provincialism's +provocativeness +pseudoscience's +psychedelically +psychoanalyst's +psychoanalyzing +psychologically +psychopathology +psychotherapies +psychotherapist +psychotherapy's +pulchritudinous +pulverization's +punctiliousness +purposelessness +pusillanimity's +pusillanimously +quadrilateral's +quadruplicate's +quadruplicating +quadruplication +qualification's +quarrelsomeness +quartermaster's +querulousness's +questionnaire's +radioactivity's +radiotelegraphs +radiotelegraphy +radiotelephones +radiotherapists +randomization's +rapaciousness's +rapprochement's +ratiocination's +rationalization +reaffirmation's +reafforestation +reapplication's +reappointment's +reapportionment +rearrangement's +recalcitrance's +recalculation's +recapitulations +receptiveness's +reciprocation's +recommendations +recommissioning +reconciliations +reconfiguration +reconfirmations +reconnaissances +reconsideration +reconstructions +recontaminating +recrimination's +recrudescence's +recrystallizing +rectification's +redevelopment's +reduplication's +reestablishment +reexamination's +reforestation's +reformulation's +refrigeration's +refurbishment's +regimentation's +regurgitation's +reimbursement's +reincarnation's +reincorporating +reincorporation +reinforcement's +reinstatement's +reintegration's +religiousness's +remorselessness +renegotiation's +reorganizations +reorientation's +repetitiousness +rephotographing +replenishment's +representations +representatives +republicanism's +republication's +repulsiveness's +resentfulness's +resourcefulness +restrengthening +restrictiveness +restructuring's +resuscitation's +retentiveness's +retrogression's +retrospection's +retrospectively +retrospective's +reunification's +reverberation's +revolutionaries +revolutionary's +revolutionist's +revolutionizing +righteousness's +ritualistically +rollerskating's +Rumpelstiltskin +rutherfordium's +sadomasochism's +sadomasochistic +sadomasochist's +salaciousness's +sanctimoniously +scandalmonger's +scarification's +schizophrenia's +schizophrenic's +schoolteacher's +Scientologist's +scintillation's +screenwriting's +seaworthiness's +secretaryship's +secretiveness's +sedimentation's +seductiveness's +segregationists +seismographer's +selenographer's +semiautomatic's +semiconductor's +semitransparent +sensationalists +sensationalized +sensationalizes +senselessness's +sensitiveness's +sensitization's +sentimentalists +sentimentalized +sentimentalizes +septuagenarians +sequestration's +serialization's +servomechanisms +Shakespearean's +shamelessness's +shapelessness's +sharpshooting's +shiftlessness's +Shostakovitch's +signalization's +signification's +simplifications +skateboarding's +slaughterhouses +sledgehammering +sleeplessness's +socialization's +solemnization's +sorrowfulness's +soundproofing's +Souphanouvong's +specializations +specification's +sportsmanship's +sprightliness's +squeamishness's +stabilization's +standardization +statelessness's +statesmanship's +steadfastness's +steppingstone's +sterilization's +straightforward +straitjacketing +strangulation's +strenuousness's +streptococcus's +strikebreaker's +subcontractor's +subordination's +subprofessional +subsidization's +substantiations +sumptuousness's +superabundances +supercomputer's +superconducting +superconductive +superconductors +superfluousness +superimposition +superintendence +superintendency +superintendents +supernumeraries +supernumerary's +superposition's +supersaturating +supersaturation +superstitiously +superstructures +supplementation +surreptitiously +swashbuckling's +swordsmanship's +syllabication's +syllabification +symbolization's +sympathetically +symptomatically +synchronization +systematization +tablespoonful's +talkativeness's +tantalization's +tastelessness's +tatterdemalions +technologically +telecommuting's +teleconferenced +teleconferences +telegraphically +telemarketing's +telephotography +teletypewriters +televangelism's +televangelist's +temperamentally +temperateness's +tempestuousness +temporariness's +tenaciousness's +tendentiousness +tentativeness's +tercentennial's +thanklessness's +theatricality's +therapeutically +thermoplastic's +thoughtlessness +thundershower's +toastmistresses +toastmistress's +tonsillectomies +tonsillectomy's +topographically +tortoiseshell's +totalitarianism +traditionalists +Transcaucasia's +transcendence's +transcription's +transfiguration +transformations +transgression's +transistorizing +transliterating +transliteration +transmittance's +transmogrifying +transmutation's +transnational's +transpiration's +transplantation +transposition's +transshipment's +Transylvanian's +treacherousness +tremulousness's +triangulation's +tricentennial's +trigonometrical +trinitrotoluene +troubleshooters +troubleshooting +trustworthiness +typographically +tyrannosauruses +tyrannosaurus's +unacceptability +unaccommodating +unauthenticated +unceremoniously +uncleanliness's +uncommunicative +uncomplainingly +uncomplimentary +uncomprehending +unconditionally +unconsciousness +uncontroversial +undemonstrative +underachiever's +undercarriage's +underclassman's +underclothing's +underemployment +underestimate's +underestimating +underestimation +underexposure's +undergraduate's +underhandedness +underprivileged +underproduction +understandingly +understanding's +understatements +undistinguished +unearthliness's +unexceptionable +unexceptionably +unexceptionally +unfamiliarity's +ungrammatically +unhealthiness's +unimaginatively +unimplementable +unintentionally +uninterruptedly +uninterruptible +unmentionable's +unnaturalness's +unobjectionable +unobtrusiveness +unprecedentedly +unprepossessing +unpretentiously +unpronounceable +unquestioningly +unrealistically +unreconstructed +unreliability's +unrighteousness +unselfishness's +unsightliness's +unsophisticated +unsportsmanlike +unsubstantiated +unsuitability's +unwholesomeness +unwillingness's +unworldliness's +upperclassman's +upperclasswoman +upperclasswomen +valedictorian's +valetudinarians +vegetarianism's +ventriloquism's +ventriloquist's +venturesomeness +venturousness's +verbalization's +versification's +vicariousness's +victimization's +videocassette's +violoncellist's +visualization's +viticulturist's +vitrification's +vivaciousness's +vivisectionists +voicelessness's +voraciousness's +vulcanization's +vulgarization's +vulnerabilities +vulnerability's +warmheartedness +Washingtonian's +waterboarding's +waterproofing's +weatherboarding +weatherperson's +weatherproofing +weatherstripped +weightlifting's +whatchamacallit +whippersnappers +wholesomeness's +Witwatersrand's +wonderfulness's +woolgathering's +worthlessness's +wrongheadedness +Yekaterinburg's +Yoknapatawpha's +Zoroastrianisms +Zubenelgenubi's +abbreviation's +abolitionism's +abolitionist's +abrasiveness's +absentmindedly +absoluteness's +abstemiousness +abstractedness +abstractnesses +abstractness's +abstruseness's +acceleration's +accentuation's +acceptableness +accommodations +accompaniments +accomplishment +accordionist's +accountability +accumulation's +accurateness's +accursedness's +acknowledgment +acquaintance's +acquiescence's +acupuncturists +adaptability's +adenocarcinoma +adequateness's +adhesiveness's +adjudication's +administrating +administration +administrative +administrators +admonishment's +adorableness's +adulteration's +advantageously +adventitiously +advertisements +advisability's +aerodynamics's +aestheticism's +affectionately +aforementioned +Afrocentrism's +afterthought's +agglomerations +agglutinations +aggrandizement +aggressiveness +agribusinesses +agribusiness's +agriculturally +agriculturists +Aguascalientes +alliteration's +alliteratively +allusiveness's +alphabetically +alphabetizer's +alphanumerical +altruistically +amalgamation's +amateurishness +ambassadorship +ambassadresses +ambassadress's +ambidextrously +ambulancewoman +ambulancewomen +amelioration's +amortization's +amphitheater's +amplifications +anathematizing +anchorperson's +anesthesiology +animadversions +annihilation's +announcement's +Annunciation's +annunciation's +Antananarivo's +anthropologist +anthropology's +antibacterials +anticipation's +anticoagulants +anticommunists +antidemocratic +antidepressant +antigenicity's +antihistamines +antilogarithms +antimacassar's +antineutrino's +antiparticle's +antiperspirant +antiquarianism +antisemitism's +antiseptically +antispasmodics +antithetically +Apalachicola's +aphoristically +apologetically +Appalachians's +appendectomies +appendectomy's +appendicitis's +appositeness's +appreciation's +appreciatively +apprehension's +apprehensively +apprenticeship +appropriations +appropriator's +approximations +appurtenance's +archaeological +archaeologists +archbishoprics +archiepiscopal +architectonics +architecture's +Aristophanes's +Aristotelian's +arithmetically +arithmeticians +aromatherapist +aromatherapy's +articulateness +articulation's +artilleryman's +Ashurbanipal's +asphyxiation's +assassinations +asseveration's +assimilation's +astonishment's +astrologically +astronautics's +astronomically +astrophysicist +astrophysics's +asymmetrically +asymptotically +asynchronously +atmospherics's +attitudinizing +attractiveness +audiovisuals's +augmentation's +auscultation's +auspiciousness +Austronesian's +authenticating +authentication +authenticity's +authoritarians +authorizations +autobiographer +autobiographic +autocratically +autoimmunity's +autosuggestion +availability's +avitaminosis's +baccalaureates +bacchanalian's +bachelorhood's +backgrounder's +backscratching +backslapping's +backwardness's +backwoodsman's +bacteriologist +bacteriology's +bantamweight's +barbarianism's +barometrically +Barquisimeto's +Barranquilla's +bastardization +battleground's +beatifications +Beaumarchais's +beautification +bedazzlement's +befuddlement's +belittlement's +belligerence's +belligerency's +benefactresses +benefactress's +bewilderment's +bibliographers +bibliographies +bibliography's +bicameralism's +bicentennial's +bigheartedness +bilingualism's +billingsgate's +biochemistry's +biodiversity's +biographically +biophysicist's +bipartisanship +blabbermouth's +blandishment's +blissfulness's +blockbusting's +Bloemfontein's +bloodletting's +bloodthirstier +bloodthirstily +Bloomingdale's +bluestocking's +boardinghouses +boastfulness's +bodybuilding's +boisterousness +bougainvilleas +bouillabaisses +bowdlerization +brackishness's +brainwashing's +breakthrough's +breaststroke's +breathlessness +breathtakingly +Breckenridge's +brilliantine's +brinkmanship's +broadcasting's +Brobdingnagian +broncobuster's +brontosauruses +brontosaurus's +Brunelleschi's +bulletproofing +bullfighting's +bullheadedness +bureaucratized +bureaucratizes +businessperson +butterfingered +butterscotch's +cabinetmaker's +calisthenics's +calligrapher's +calligraphists +calumniation's +Camelopardalis +campanologists +canalization's +cancellation's +canonization's +Cantabrigian's +cantankerously +capitalization +capitulation's +capriciousness +captiousness's +carbohydrate's +carcinogenic's +cardiologist's +cardiomyopathy +cardiovascular +carelessness's +caricaturist's +carpetbagger's +Carthaginian's +cartographer's +categorization +cautiousness's +censoriousness +centralization +certifications +chairmanship's +championship's +chancellorship +Chandragupta's +changeableness +channelization +Chappaquiddick +characteristic +characterizing +charitableness +charlatanism's +chastisement's +checkerboard's +cheerfulness's +cheeseburger's +cheeseparing's +chemotherapy's +Chernomyrdin's +Chesterfield's +chesterfield's +chickenhearted +chieftainships +childbearing's +childishness's +chiropractic's +chiropractor's +chitterlings's +chivalrousness +chlorination's +choreographers +choreographing +choreography's +Christchurch's +Christianities +Christianity's +Christmastides +Christmastimes +chromatography +chronologist's +chrysanthemums +churchwarden's +churlishness's +cinematography +circuitousness +circumcision's +circumferences +circumlocution +circumlocutory +circumnavigate +circumscribing +circumspection +circumstance's +circumstancing +circumstantial +civilization's +clairvoyance's +clannishness's +clarifications +classification +claustrophobia +claustrophobic +clearinghouses +climatologists +cliometricians +cliquishness's +clotheshorse's +clownishness's +Clytemnestra's +coalitionist's +cockfighting's +codependency's +codification's +coelenterate's +cohabitation's +cohesiveness's +coincidentally +collaborations +collaborator's +collectivism's +collectivist's +collectivizing +collegiality's +colloquialisms +colonization's +colorblindness +colorfulness's +colorization's +combustibility +commemorations +commemorator's +commencement's +commendation's +commensurately +commercialized +commercializes +commiserations +commissariat's +commissionaire +commissioner's +committeeman's +committeewoman +committeewomen +commonwealth's +communications +communicator's +companionway's +compensation's +complaisance's +completeness's +complication's +comprehensible +comprehensibly +comprehensions +comprehensives +compulsiveness +concatenations +concentrations +concentrically +conceptualized +conceptualizes +concertmasters +concessionaire +conciliation's +conclusiveness +concreteness's +condemnation's +condensation's +conditionality +conditioning's +conductibility +conductivity's +confabulations +confectioner's +confederations +confessional's +confidentially +configurations +confirmation's +confiscation's +conflagrations +conformation's +confrontations +Confucianism's +congeniality's +conglomerate's +conglomerating +conglomeration +congratulating +congratulation +congratulatory +Congregational +congregational +congregation's +congresspeople +congressperson +conjunctivitis +connectivity's +conquistador's +consanguineous +conscienceless +conscription's +consecration's +conservation's +conservatism's +conservatively +conservative's +conservatoires +conservatories +conservatory's +considerations +consolidations +consolidator's +conspiratorial +constabularies +constabulary's +Constantinople +constellations +constipation's +constituencies +constituency's +constitutional +constitution's +constriction's +constructional +construction's +constructively +consultation's +consummation's +contagiousness +containerizing +contaminator's +contemplatives +contemporaries +contemporary's +contemptuously +conterminously +contextualized +contextualizes +continuation's +contortionists +contrabassoons +contraceptives +contradictions +contraindicate +contrapuntally +contrariness's +contraventions +contribution's +contriteness's +controvertible +contumaciously +convalescences +convalescent's +conventionally +conventioneers +conversational +conversation's +convertibility +conviviality's +coordination's +coreligionists +corespondent's +corporeality's +correspondence +correspondents +corroborations +corroborator's +corruptibility +cosmetologists +cosmopolitan's +councilpersons +councilwoman's +counteractions +counterattacks +counterbalance +counterclaimed +counterclaim's +counterculture +counterexample +counterfactual +counterfeiters +counterfeiting +countermanding +countermeasure +counteroffer's +counterpointed +counterpoint's +counterpoise's +counterpoising +countersigning +countersinking +counterstrokes +countertenor's +countervailing +counterweights +countrywoman's +courageousness +covetousness's +cowardliness's +creativeness's +criminologists +crosscurrent's +cryptographers +cryptography's +cumbersomeness +cumulonimbus's +curvaceousness +Czechoslovakia +daguerreotyped +daguerreotypes +deactivation's +debilitation's +debonairness's +decaffeinating +decapitation's +deceleration's +decentralizing +decimalization +decisiveness's +decolonization +decommissioned +decongestant's +deconstructing +deconstruction +decontaminated +decontaminates +decorousness's +decriminalized +decriminalizes +deescalation's +defenestration +defibrillation +defibrillators +definiteness's +degeneration's +dehumanization +dehumidifier's +dehydrogenated +dehydrogenates +deliberateness +deliberation's +delicateness's +delicatessen's +delimitation's +demilitarizing +demimondaine's +demobilization +democratically +demodulation's +demographics's +demonetization +demonstrations +demonstratives +demonstrator's +demoralization +denationalized +denationalizes +denominational +denomination's +denouncement's +denuclearizing +denunciation's +departmentally +depersonalized +depersonalizes +depolarization +depoliticizing +depopulation's +depreciation's +depressurizing +deregulation's +derisiveness's +dermatological +dermatologists +desalination's +desalinization +desirability's +desolateness's +despoliation's +determinations +dethronement's +detoxification +devilishness's +diagnostically +diagnosticians +dicotyledonous +dictatorship's +differential's +differentiated +differentiates +dilapidation's +dilettantism's +diplomatically +directorship's +disadvantage's +disadvantaging +disaffection's +disaffiliating +disaffiliation +disafforesting +disagreement's +disambiguation +disappearances +disappointment +disapprobation +disapprovingly +disarrangement +disassociating +disassociation +disbelievingly +disbursement's +discipleship's +disciplinarian +discolorations +discombobulate +discomfiture's +discomposure's +disconnectedly +disconnections +disconsolately +discontentedly +discontentment +discontinuance +discountenance +discouragement +discouragingly +discourteously +discreetness's +discreteness's +discriminating +discrimination +discriminators +discriminatory +discursiveness +disembarkation +disembowelment +disenchantment +disencumbering +disenfranchise +disengagements +disequilibrium +disestablished +disestablishes +disfigurements +disfranchising +disgorgement's +disgruntlement +dishevelment's +disillusioning +disinclination +disinfectant's +disinfection's +disinflation's +disinformation +disingenuously +disinheritance +disintegrating +disintegration +disinterment's +disjointedness +disobedience's +disorderliness +disorientating +disorientation +dispensation's +displacement's +disproportions +disputatiously +disquisition's +dissemblance's +dissertation's +dissimilitudes +dissimulator's +dissociation's +distillation's +distinctness's +distinguishing +distributional +distribution's +distributively +diverticulitis +divisibility's +divisiveness's +Dnepropetrovsk +documentations +doubleheader's +doubtfulness's +dramatizations +dreadfulness's +eavesdropper's +eccentricities +eccentricity's +Ecclesiastes's +ecclesiastical +ecclesiastic's +echolocation's +editorializing +educationalist +effervescently +effortlessness +effusiveness's +egalitarianism +egocentrically +electioneering +electrocutions +electrologists +electrolysis's +electromagnets +electronically +electroplating +electroscope's +electroshock's +electrostatics +elocutionist's +emancipation's +emasculation's +embarrassingly +embarrassments +embellishments +embezzlement's +embitterment's +emblazonment's +emblematically +embryologist's +emotionalism's +emotionalizing +emulsification +encapsulations +encephalitis's +encirclement's +encouragements +encroachment's +encrustation's +encyclopedia's +endangerment's +enfeeblement's +Englishwoman's +Englishwomen's +enormousness's +enshrinement's +entanglement's +enterprisingly +entertainingly +entertaining's +entertainments +enthrallment's +enthronement's +entomologist's +entrancement's +entrenchment's +entrepreneur's +epidemiologist +epidemiology's +Episcopalian's +equalization's +equestrienne's +equivocation's +Eratosthenes's +eschatological +establishments +estrangement's +ethnologically +etymologically +evangelicalism +eventfulness's +evisceration's +evolutionist's +exacerbation's +exaggeration's +exasperatingly +exasperation's +exceptionalism +excitability's +excommunicated +excommunicates +excruciatingly +excursionist's +exhaustiveness +exhibitionists +exhilaration's +existentialism +existentialist +expansionism's +expansionist's +expatriation's +experimentally +experimenter's +explicitness's +exploitation's +exponentiation +expostulations +expressionists +expressionless +expressiveness +expropriations +expropriator's +extemporaneous +exterminations +exterminator's +extinguishable +extinguisher's +extortionately +extortionist's +extraordinaire +extrapolations +extravagance's +extravaganza's +extravehicular +extroversion's +facilitation's +factionalism's +faithfulness's +fallibleness's +falsifications +fancifulness's +farsightedness +fastidiousness +fatalistically +faultfinding's +fearlessness's +featherbedding +featherbrained +featherweights +federalization +felicitation's +fenestration's +Ferlinghetti's +fermentation's +feverishness's +fibrillation's +fictionalizing +filibusterer's +finalization's +fingerprinting +Finnbogadottir +firefighting's +flabbergasting +flagellation's +flamethrower's +flammability's +flawlessness's +fleetingness's +fluorescence's +fluoridation's +fluorocarbon's +forcefulness's +foreshortening +formaldehyde's +formlessness's +forthrightness +fortifications +fortuitousness +fortunetellers +fortunetelling +fountainhead's +frangibility's +Frankenstein's +frankincense's +fraternization +freakishness's +freethinking's +friendliness's +frontiersman's +frontierswoman +frontierswomen +frontispiece's +fruitfulness's +functionalists +fundamentalism +fundamentalist +futurologist's +Gainsborough's +galvanometer's +gamesmanship's +genealogically +generalissimos +generalization +generousness's +gentrification +genuflection's +geocentrically +geochemistry's +geoengineering +geographically +geomagnetism's +geophysicist's +geosynchronous +gerontological +gerontologists +gerrymandering +gesticulations +Gewürztraminer +Gewurztraminer +ghoulishness's +glassblowing's +globetrotter's +glockenspiel's +gobbledygook's +Gondwanaland's +gorgeousness's +governorship's +gracefulness's +graciousness's +granddaughters +grandfathering +grandiloquence +graphologist's +gratefulness's +gratifications +gratuitousness +Greensleeves's +gregariousness +grievousness's +groundbreaking +groundskeepers +gruesomeness's +Guadalquivir's +guardianship's +gynecologist's +haberdasheries +haberdashery's +habitability's +habitualness's +hagiographer's +hairdressing's +hairsbreadth's +hairsplitter's +hallucinations +hallucinogenic +hallucinogen's +Hammarskjold's +handkerchief's +handsomeness's +happenstance's +hardheadedness +harmlessness's +harmoniousness +harpsichordist +headmistresses +headmistress's +headquartering +headquarters's +headshrinker's +heartrendingly +heartstrings's +heedlessness's +helplessness's +hematologist's +hermaphrodites +hermaphroditic +Hermaphroditus +herpetologists +heterosexually +heterosexual's +hierarchically +hieroglyphic's +highhandedness +hippopotamuses +hippopotamus's +historiography +histrionically +Hohenstaufen's +Hohenzollern's +homelessness's +homesickness's +homogenization +hopelessness's +horribleness's +horsemanship's +horticulture's +horticulturist +housebreaker's +househusband's +housekeeping's +housewarming's +humanitarian's +humanization's +humidification +humorousness's +hundredweights +hydroponically +hydrotherapy's +hyperinflation +hypersensitive +hypertension's +hypertensive's +hyperthyroid's +hypertrophying +hyperventilate +hypnotherapist +hypnotherapy's +hypoallergenic +hypochondriacs +hypochondria's +hypocritically +hypoglycemia's +hypoglycemic's +hypothalamus's +hypothetically +hypothyroidism +hysterectomies +hysterectomy's +ichthyologists +idealistically +idealization's +identification +idiosyncrasies +idiosyncrasy's +illegibility's +illegitimacy's +illegitimately +illiberality's +illogicality's +illuminatingly +illumination's +illustration's +illustratively +immaculateness +immaterialness +immobilization +immovability's +immunization's +immunoglobulin +immunologist's +immutability's +impartiality's +imperfection's +impermanence's +impermeability +impersonations +impersonator's +impertinence's +implantation's +implausibility +implementation +implicitness's +impolitenesses +impoliteness's +imponderable's +impoverishment +impracticality +impregnability +impregnation's +impressibility +impressionable +impressionists +impressiveness +imprisonment's +improvidence's +improvisations +inactivation's +inadvertence's +inadvisability +inalienability +inapproachable +inarticulately +inaudibility's +inauguration's +inauspiciously +incandescently +incapability's +incapacitating +incarcerations +incestuousness +incineration's +incisiveness's +incommensurate +incommunicable +incompatible's +incompetence's +incompetency's +incompleteness +inconclusively +inconsiderable +inconsistently +incontinence's +inconvenienced +inconveniences +inconveniently +incrementalism +incrementalist +incrustation's +indebtedness's +indecipherable +indecisiveness +indefiniteness +indemonstrable +Independence's +independence's +indestructible +indestructibly +indeterminable +indeterminably +Indianapolis's +indifference's +indirectness's +indiscretion's +indiscriminate +indispensables +indispositions +indistinctness +individualists +individualized +individualizes +indivisibility +indoctrinating +indoctrination +industrialists +industrialized +industrializes +ineffability's +inefficiencies +inefficiency's +inexpedience's +inexpediency's +inexperience's +infectiousness +infiltration's +infinitesimals +inflammability +inflammation's +infotainment's +infrastructure +infringement's +ingratiatingly +ingratiation's +initialization +inscrutability +insemination's +inseparability +insignificance +insolubility's +inspectorate's +installation's +instillation's +instrumentally +instrumental's +insufficiently +insurmountable +insurmountably +insurrection's +intellectually +intellectual's +intelligence's +intelligentsia +intemperance's +interception's +intercession's +interconnected +interdependent +interdiction's +interference's +interjection's +interlocutor's +intermarriages +intermediaries +intermediary's +intermediately +intermediate's +intermission's +intermittently +Internationale +internationals +interpenetrate +interplanetary +interpolations +interpretation +interpretative +interrelations +interrogations +interrogatives +interrogator's +interruption's +intersection's +intersession's +intervention's +intimidatingly +intimidation's +intoxication's +intractability +intransigently +intransigent's +intransitively +intransitive's +introduction's +introversion's +invalidation's +invertebrate's +investigations +investigator's +invigoratingly +invigoration's +invisibility's +invitational's +irascibility's +irreconcilable +irreconcilably +irregularities +irregularity's +irreproachable +irreproachably +irresoluteness +irresolution's +irritability's +isolationism's +isolationist's +Jacksonville's +Jeffersonian's +jitterbugger's +Johannesburg's +jollifications +jurisdictional +jurisdiction's +justifications +juxtapositions +kaffeeklatches +kaffeeklatch's +kaleidoscope's +Kanchenjunga's +Khachaturian's +kindergarten's +kindergartners +kindergärtners +kleptomaniac's +knickerbockers +knightliness's +knuckledusters +Kremlinologist +Krishnamurti's +lasciviousness +latitudinarian +laughingstocks +laundrywoman's +laureateship's +legalistically +legalization's +legitimatizing +legitimization +lexicographers +lexicography's +liberalization +licentiousness +Lichtenstein's +lifelessness's +lightheartedly +Liliuokalani's +linguistically +liquefaction's +listlessness's +literariness's +lithographer's +Liverpudlian's +loansharking's +localization's +Lollobrigida's +lonesomeness's +longitudinally +longshoreman's +lopsidedness's +loquaciousness +lugubriousness +lukewarmness's +luminescence's +luncheonette's +lusciousness's +Luxembourger's +macrobiotics's +macroeconomics +mademoiselle's +magnetometer's +magnifications +magnificence's +Magnitogorsk's +majoritarian's +malformation's +malfunctioning +malleability's +malnutrition's +malocclusion's +maltreatment's +manifestations +manipulation's +manipulatively +manslaughter's +manufacturer's +Mapplethorpe's +marksmanship's +marlinespike's +Marseillaise's +masterstroke's +masturbation's +mathematically +mathematicians +maximization's +meaningfulness +Mediterraneans +meetinghouse's +megalomaniac's +memorability's +memorization's +menstruation's +Mephistopheles +mercantilism's +merchandiser's +meretriciously +mesdemoiselles +metalanguage's +metallurgist's +metalworking's +metamorphism's +metamorphosing +metaphorically +metaphysically +metempsychoses +metempsychosis +meteorological +meteorologists +methodicalness +methodological +meticulousness +Michelangelo's +microbiologist +microbiology's +microbreweries +microbrewery's +microcircuit's +microcomputers +microeconomics +micrometeorite +microorganisms +microprocessor +microsurgery's +middleweight's +militarization +mindbogglingly +mindlessness's +mineralogist's +minicomputer's +minimization's +ministration's +mirthfulness's +misadventure's +misalignment's +misanthropists +misapplication +misapprehended +misappropriate +miscalculating +miscalculation +misconceptions +misdiagnosis's +misdirection's +misidentifying +misinformation +misinterpreted +misplacement's +mispronouncing +misquotation's +misrepresented +Mississippians +misstatement's +mistreatment's +misunderstands +mobilization's +moderateness's +modification's +Mohammedanisms +molecularity's +monocotyledons +monopolization +monosyllable's +monotonousness +moonlighting's +moralistically +moralization's +motherfucker's +motherliness's +motionlessness +motorcyclist's +motorization's +mountaineering +mountainside's +mournfulness's +Muhammadanisms +mulligatawny's +multifariously +multilaterally +multinationals +multiplicand's +multiplication +multiplicative +multiplicities +multiplicity's +multiprocessor +multitasking's +multivitamin's +municipalities +municipality's +Murrumbidgee's +musicianship's +musicologist's +mysteriousness +namedropping's +nanotechnology +Narragansett's +nasalization's +naturalization +nauseousness's +navigability's +Nebuchadnezzar +nebulousness's +needlessness's +negativeness's +neglectfulness +neighborhood's +neighborliness +neocolonialism +neocolonialist +Netherlander's +neurasthenia's +neurasthenic's +neurologically +neurosurgeon's +neurosurgery's +neutralization +Newfoundlander +Newfoundland's +newspaperman's +newspaperwoman +newspaperwomen +newsworthiness +nightclothes's +nitrocellulose +nomenclature's +nonabsorbent's +nonagenarian's +nonalignment's +nonappearances +nonbelligerent +noncollectable +noncombatant's +noncombustible +noncommercials +noncommittally +noncompetitive +nonconductor's +nonconformists +nonconsecutive +nonconvertible +noncooperation +noncrystalline +nondestructive +noneducational +nonenforceable +nonequivalents +nonexistence's +nonexplosive's +nonfluctuating +nonindependent +nonoperational +nonparticipant +nonperformance +nonprejudicial +nonradioactive +nonreciprocals +nonrecognition +nonrecoverable +nonresidential +nonrestrictive +nonreturnables +nonspecialists +nonspiritual's +nonsympathizer +nontarnishable +nonthreatening +nontraditional +nontransparent +northeastwards +northwestwards +notarization's +noteworthiness +notification's +novelization's +Novokuznetsk's +numerologist's +nutritionist's +nutritiousness +nymphomaniac's +obdurateness's +obliteration's +obscurantism's +obscurantist's +obsequiousness +obsolescence's +obstetrician's +obstreperously +obstructionism +obstructionist +occupationally +oceanographers +oceanography's +octogenarian's +officeholder's +omnipresence's +omnivorousness +onomatopoeia's +openhandedness +oppressiveness +optimistically +optimization's +orchestrations +ordinariness's +organizational +organization's +ornithological +ornithologists +orthodontics's +orthodontist's +oscilloscope's +ossification's +ostentatiously +osteoarthritis +osteoporosis's +outlandishness +outmaneuvering +outplacement's +overachiever's +overaggressive +overcapacity's +overcapitalize +overcompensate +overconfidence +overcrowding's +overdecorating +overdeveloping +overemphasis's +overemphasized +overemphasizes +overestimate's +overestimating +overestimation +overexercising +overexertion's +overexposure's +overgeneralize +overindulgence +overoptimism's +overoptimistic +overparticular +overpopulating +overpopulation +overpoweringly +overproduction +overprotecting +overprotective +overreaction's +oversimplified +oversimplifies +overspecialize +overstatements +overstimulated +overstimulates +overstretching +oversubscribed +oversubscribes +oversuspicious +overvaluations +overwhelmingly +oxyacetylene's +pacification's +packinghouse's +painlessness's +palatalization +paleographer's +paleontologist +paleontology's +paperhanging's +parallelograms +paramilitaries +paramilitary's +parapsychology +parenthesizing +parochialism's +parsimoniously +participator's +particularized +particularizes +partisanship's +passionflowers +pasteurization +pathologically +patresfamilias +patriarchate's +patronymically +peacefulness's +peacekeeping's +pedestrianized +pedestrianizes +pediatrician's +penalization's +penitentiaries +penitentiary's +Pennsylvanians +Pennsylvania's +Pentecostalism +peradventure's +perambulations +perambulator's +perceptiveness +percussionists +peregrinations +perfectibility +perfectionists +periodontics's +periodontist's +permeability's +permissiveness +perniciousness +perpendiculars +perpetration's +perpetuation's +perseverance's +perspicacity's +perspiration's +persuasiveness +pertinaciously +perturbation's +perverseness's +petrifaction's +petrochemicals +pettifoggery's +phallocentrism +phantasmagoria +pharmaceutical +pharmaceutic's +pharmacologist +pharmacology's +pharmacopoeias +Philadelphia's +philandering's +philanthropies +philanthropist +philanthropy's +philharmonic's +philistinism's +philodendron's +philosophizers +philosophizing +phlegmatically +phonologically +phosphorescent +photoengravers +photoengraving +photofinishing +photogenically +photographer's +photosensitive +photosynthesis +photosynthetic +phrenologist's +physiography's +physiologist's +pigmentation's +pitilessness's +plasterboard's +plausibility's +pleasantness's +polarization's +policyholder's +politicization +polyacrylamide +polyethylene's +polymerization +polysyllable's +polyunsaturate +polyurethane's +Popocatepetl's +popularization +populousness's +pornographer's +portentousness +positiveness's +possessiveness +postgraduate's +postindustrial +postmenopausal +postmistresses +postmistress's +postmodernists +postponement's +potentialities +potentiality's +Pottawatomie's +practicability +practicalities +practicality's +practitioner's +praseodymium's +preadolescence +prearrangement +precariousness +preciousness's +precipitations +precociousness +precognition's +preconceptions +preconditioned +precondition's +predesignating +predestination +predeterminers +predetermining +predictability +predilection's +predisposition +predominance's +preexistence's +prefabricating +prefabrication +preferentially +preoccupations +preparedness's +preponderances +preponderantly +preponderating +prepossessions +preposterously +prepubescent's +preregistering +prerequisite's +Presbyterian's +prescription's +prescriptively +presentation's +presentiment's +preservation's +preservative's +pressurization +presumptuously +presupposition +prevarications +prevaricator's +preventative's +priestliness's +priggishness's +primogenitor's +princeliness's +principalities +principality's +prioritization +privatizations +prizefighter's +processional's +proclamation's +procrastinated +procrastinates +procrastinator +productiveness +productivity's +professionally +professional's +professorially +professorships +profiteering's +profoundness's +progesterone's +prognosticated +prognosticates +prognosticator +programmable's +prohibitionist +projectionists +prolongation's +promulgation's +pronouncements +pronunciations +propagandist's +propagandizing +prophylactic's +propitiation's +proportionally +propositioning +proprietorship +proprietresses +proprietress's +proscription's +proselytizer's +prostitution's +protactinium's +protectionists +protectiveness +protectorate's +Protestantisms +protestation's +protuberance's +providentially +pseudosciences +psychiatrist's +psychoanalyses +psychoanalysis +psychoanalysts +psychoanalytic +psychoanalyzed +psychoanalyzes +psychobabble's +psychologist's +psychoneuroses +psychoneurosis +psychotropic's +pugnaciousness +pumpernickel's +purification's +purposefulness +putrefaction's +pyelonephritis +pyrotechnics's +quadrilaterals +quadriplegia's +quadriplegic's +quadruplicated +quadruplicates +qualifications +quantification +quantitatively +quarterbacking +quarterfinal's +quartermasters +quarterstaff's +questionnaires +Quetzalcoatl's +quintessence's +quintessential +Rachmaninoff's +racketeering's +radicalization +radiographer's +radioisotope's +radiotelegraph +radiotelephone +radiotherapist +radiotherapy's +rambunctiously +ramification's +rapprochements +Rastafarianism +ratification's +reactivation's +readjustment's +reaffirmations +reallocation's +reappearance's +reapplications +reapportioning +rearrangements +reasonableness +reassessment's +reassignment's +reattachment's +rebelliousness +rebroadcasting +recalculations +recapitalizing +recapitulating +recapitulation +receivership's +receptionist's +recklessness's +recognizance's +recollection's +recolonization +recommencement +recommendation +recommissioned +reconciliation +reconditioning +reconfirmation +reconnaissance +reconnoitering +reconsecrating +reconsecration +reconstituting +reconstitution +reconstructing +Reconstruction +reconstruction +reconstructive +recontaminated +recontaminates +recriminations +recrystallized +recrystallizes +rectifications +recuperation's +redecoration's +redefinition's +redeployment's +redevelopments +redistributing +redistribution +redistributors +reemployment's +reenlistment's +reestablishing +reevaluation's +reexaminations +reformulations +refreshments's +refrigerator's +refurbishments +regeneration's +registration's +regularization +rehabilitating +rehabilitation +rehabilitative +reimbursements +reincarnations +reincorporated +reincorporates +reinforcements +reinterpreting +reintroduction +reinvestment's +reinvigorating +rejuvenation's +relationship's +relentlessness +relinquishment +remarkableness +reminiscence's +remonstrance's +remuneration's +renomination's +renouncement's +renunciation's +reoccupation's +reorganization +repatriation's +repercussion's +repetitiveness +rephotographed +repossession's +reprehension's +representation +Representative +representative +repressiveness +reproduction's +republications +reputability's +requisitioning +reservedness's +resettlement's +resoluteness's +respectability +respectfulness +resplendence's +responsibility +responsiveness +restaurateur's +restlessness's +restrengthened +restructurings +resurrection's +resuscitator's +reticulation's +retrenchment's +retrospectives +reupholstering +reverberations +revitalization +revivification +revolutionists +revolutionized +revolutionizes +rhododendron's +Rickenbacker's +ridiculousness +rightfulness's +rigorousness's +Risorgimento's +Rostropovich's +rubbernecker's +ruthlessness's +sacrilegiously +sacrosanctness +sadomasochists +sailboarding's +salesmanship's +salutatorian's +sanctification +sarsaparilla's +Saskatchewan's +satisfaction's +satisfactorily +scandalmongers +Scandinavian's +scaremongering +scatterbrained +scatterbrain's +Scheherazade's +Schiaparelli's +schizophrenics +scholastically +schoolchildren +schoolfellow's +schoolmaster's +schoolmistress +schoolteachers +Schopenhauer's +schussboomer's +Schwarzenegger +scientifically +Scientologists +scratchiness's +screenwriter's +scriptwriter's +scrupulosity's +scrupulousness +scurrilousness +secessionist's +sectarianism's +sectionalism's +secularization +segmentation's +segregationist +seismographers +seismography's +seismologist's +selenographers +selenography's +selflessness's +semiautomatics +semiconducting +semiconductors +semidarkness's +semifinalist's +sensationalism +sensationalist +sensationalize +sensibleness's +sensuousness's +sentimentalism +sentimentalist +sentimentality +sentimentalize +separability's +separateness's +septuagenarian +sequestrations +serializations +serviceability +servicewoman's +servomechanism +sexagenarian's +shamefulness's +sharecropper's +sharpshooter's +sheepishness's +Shevardnadze's +Shijiazhuang's +shipbuilding's +shortsightedly +shuffleboard's +shuttlecocking +significance's +significations +simplification +simplistically +simultaneity's +simultaneously +sisterliness's +skateboarder's +skillfulness's +skittishness's +slaughterhouse +sledgehammered +sledgehammer's +sleepwalking's +slipperiness's +slothfulness's +slovenliness's +sluggishness's +snappishness's +snobbishness's +snowboarding's +sociologically +sociopolitical +solicitation's +solicitousness +solidification +solitariness's +Solzhenitsyn's +somnambulism's +somnambulist's +sonorousness's +sophisticate's +sophisticating +sophistication +southeastwards +southwestwards +spaciousness's +specialization +specifications +speciousness's +spectrometer's +spectroscope's +spectroscopy's +speechlessness +speleologist's +spellchecker's +spermatozoon's +spinsterhood's +spiritualism's +spiritualistic +spiritualist's +spirituality's +spitefulness's +spokesperson's +sportscaster's +sportswriter's +spotlessness's +spuriousness's +Stanislavsky's +staphylococcal +staphylococcus +stationmasters +statistician's +stealthiness's +steamfitting's +steamrollering +steeplechase's +stenographer's +stepchildren's +stepdaughter's +steppingstones +sterilizations +stigmatization +stockbreeder's +stockbroking's +storytelling's +Stradivarius's +straightaway's +straightedge's +straightener's +straightness's +straitjacketed +straitjacket's +stranglehold's +stratification +stratosphere's +streetwalker's +strengthener's +streptomycin's +strikebreakers +strikebreaking +structuralists +stubbornness's +studiousness's +stultification +stupefaction's +subcommittee's +subconsciously +subconscious's +subcontinental +subcontinent's +subcontracting +subcontractors +subcutaneously +subjectivity's +sublieutenants +submicroscopic +submissiveness +subscription's +subservience's +substantiating +substantiation +substitution's +substructure's +subversiveness +succinctness's +suggestibility +suggestiveness +suitableness's +superabundance +superannuating +superannuation +supercharger's +superciliously +supercomputers +superconductor +supererogation +supererogatory +superficiality +superhighway's +superintendent +superintending +supernaturally +supersaturated +supersaturates +superscription +superstition's +superstructure +supervention's +supplication's +surroundings's +surveillance's +susceptibility +sustainability +swashbuckler's +systematically +tablespoonfuls +tactlessness's +tangibleness's +taskmistresses +taskmistress's +tastefulness's +tatterdemalion +tautologically +technicalities +technicality's +technologist's +telecommuter's +teleconference +telegraphist's +telemarketer's +telepathically +teleprocessing +TelePrompter's +teleprompter's +telescopically +teletypewriter +televangelists +Tenochtitlan's +tercentenaries +tercentenary's +tercentennials +terminological +terribleness's +territoriality +tessellation's +testosterone's +tetracycline's +thankfulness's +Thanksgiving's +thanksgiving's +Themistocles's +theoretician's +therapeutics's +thermodynamics +thermoplastics +Thessalonian's +Thessaloniki's +Thessaloníki's +Thoroughbred's +thoroughbred's +thoroughfare's +thoroughness's +thoughtfulness +thundercloud's +thundershowers +thunderstorm's +Ticketmaster's +ticklishness's +timelessness's +timorousness's +tirelessness's +tiresomeness's +togetherness's +tortoiseshells +tortuousness's +totalitarian's +toxicologist's +tractability's +tradespeople's +traditionalism +traditionalist +trailblazing's +tranquilizer's +transcendental +transcriptions +transference's +transformation +transgressions +transgressor's +transistorized +transistorizes +transitionally +transitiveness +transitivity's +transliterated +transliterates +translucence's +translucency's +transmigrating +transmigration +transmission's +transmogrified +transmogrifies +transmutations +transnationals +transparencies +transparency's +transportation +transpositions +transsexualism +transvestism's +transvestite's +Transylvania's +trapshooting's +tricentennials +triglyceride's +trigonometry's +trivialization +troublemaker's +troubleshooted +troubleshooter +trustfulness's +trustworthiest +truthfulness's +tuberculosis's +turbocharger's +Turkmenistan's +typification's +Ujungpandang's +ultrasonically +unaccomplished +unacknowledged +unappreciative +unapproachable +unappropriated +unattractively +unavailability +uncommonness's +uncompromising +unconscionable +unconscionably +unconsolidated +uncontaminated +uncontrollable +uncontrollably +unconventional +unconvincingly +uncorroborated +unctuousness's +undecipherable +underachievers +underachieving +undercarriages +underclothes's +undercoating's +undercurrent's +underdeveloped +underestimated +underestimates +underexposures +undergarment's +undergraduates +undermentioned +undernourished +underpayment's +underpinning's +underpopulated +undersecretary +understandable +understandably +understandings +understatement +undervaluation +undesirability +undomesticated +uneconomically +unemployment's +unenterprising +unenthusiastic +unexpectedness +unfaithfulness +unflappability +unfriendliness +ungainliness's +ungratefulness +unhesitatingly +unidentifiable +unidirectional +unincorporated +unintelligible +unintelligibly +unionization's +Unitarianism's +universality's +universalizing +unlawfulness's +unlikelihood's +unlikeliness's +unmentionables +unpleasantness +unpopularity's +unpremeditated +unpreparedness +unproductively +unprofessional +unquestionable +unquestionably +unrecognizable +unresponsively +unsatisfactory +unscrupulously +unseemliness's +unsteadiness's +unsuccessfully +unsurprisingly +unsuspectingly +untimeliness's +untranslatable +untruthfulness +unwieldiness's +unworthiness's +urbanization's +urbanologist's +utilitarianism +vaingloriously +valedictorians +valetudinarian +vaporization's +vaudevillian's +venerability's +ventriloquists +verification's +verisimilitude +veterinarian's +vibraphonist's +videocassettes +vilification's +Vindemiatrix's +vindictiveness +violoncellists +virtualization +virtuousness's +visualizations +vitalization's +viticulturists +vitrifaction's +vituperation's +vivisectionist +vocalization's +vociferation's +vociferousness +voluminousness +volunteerism's +voluptuousness +Walpurgisnacht +warmongering's +Washingtonians +wastefulness's +watchfulness's +waterboardings +weatherization +weatherpersons +weatherproofed +weightlessness +weightlifter's +welterweight's +westernization +Westinghouse's +whimsicality's +whippersnapper +whippoorwill's +wholeheartedly +Wisconsinite's +Wittgenstein's +Wollstonecraft +Worcestershire +workingwoman's +wretchedness's +wrongfulness's +Yamoussoukro's +youthfulness's +Zoroastrianism +Zubeneschamali +abandonment's +abbreviations +abnormalities +abnormality's +abolitionists +abomination's +abortionist's +abracadabra's +absenteeism's +abstraction's +abusiveness's +academician's +accelerations +accelerator's +acceptability +acceptation's +accessibility +accessorizing +acclamation's +acclimation's +acclimatizing +accommodating +accommodation +accompaniment +accompanist's +accomplishing +accordionists +accountancy's +accouterments +accreditation +acculturating +acculturation +accumulations +accumulator's +acetaminophen +achievement's +acknowledging +acquaintances +acquiescently +acquirement's +acquisition's +acquisitively +acrimoniously +acrobatically +actualization +acupressure's +acupuncture's +acupuncturist +Adirondacks's +adjournment's +adjudications +adjudicator's +administering +administrated +administrates +administrator +admissibility +admonishments +adolescence's +adumbration's +advancement's +adventuresome +adventuresses +adventuress's +adventurously +adverseness's +advertisement +advertising's +advertorial's +aeronautics's +Aesculapius's +aesthetically +affectation's +affiliation's +affirmation's +affirmatively +affirmative's +affordability +afforestation +Afghanistan's +afterburner's +aftereffect's +aftermarket's +afterthoughts +agelessness's +agglomerate's +agglomerating +agglomeration +agglutinating +agglutination +aggravatingly +aggravation's +aggregation's +agnosticism's +agoraphobia's +agoraphobic's +agrarianism's +agreeableness +agriculture's +agriculturist +Ahmadinejad's +aimlessness's +airlessness's +airsickness's +airworthiness +Albigensian's +Albuquerque's +alcoholically +algebraically +Alleghenies's +allegorically +alleviation's +alliterations +alphabetizers +alphabetizing +altercation's +alternation's +alternatively +alternative's +amalgamations +ambassadorial +ambidexterity +ambitiousness +ambivalence's +amenability's +Americanism's +Americanizing +amicability's +amniocenteses +amniocentesis +amontillado's +amorousness's +amorphousness +amortizations +amphetamine's +amphitheaters +amplification +anachronism's +anachronistic +anaerobically +analogousness +anathematized +anathematizes +anchorpersons +anchorwoman's +ancientness's +anesthetist's +anesthetizing +angioplasties +angioplasty's +Anglicanism's +Anglicization +animadversion +animadverting +annihilator's +anniversaries +anniversary's +announcements +Annunciations +annunciations +antecedence's +antechamber's +anthologist's +anthologizing +antibacterial +anticipations +anticlimactic +anticlockwise +anticoagulant +anticommunism +anticommunist +anticyclone's +antifascist's +antihistamine +antilogarithm +antimacassars +antimicrobial +antineutrinos +antineutron's +antioxidant's +antiparticles +antipersonnel +antipollution +antiquarian's +antispasmodic +antisubmarine +Antofagasta's +anxiousness's +apathetically +aphrodisiac's +Apollinaire's +apostleship's +Appalachian's +appeasement's +appellation's +applicability +application's +appointment's +apportionment +appreciations +appreciator's +apprehensions +approbation's +appropriately +appropriating +appropriation +appropriators +approximately +approximating +approximation +appurtenances +aquaculture's +arachnophobia +arbitrageur's +arbitrament's +arbitrariness +arbitration's +archaeologist +archaeology's +archbishopric +archdiocese's +archduchesses +archduchess's +archipelago's +architectonic +architectural +architectures +arduousness's +Argentinian's +argumentation +argumentative +Aristarchus's +aristocracies +aristocracy's +arithmetician +Arkhangelsk's +arraignment's +arrangement's +arthroscope's +articulations +artificiality +artlessness's +ascertainable +ascertainment +asphyxiations +assassinating +assassination +assemblyman's +assemblywoman +assemblywomen +assertiveness +assiduousness +assignation's +association's +asthmatically +astigmatism's +astonishingly +astringency's +astrologist's +astronautical +astrophysical +atrociousness +attainability +attentiveness +attenuation's +attestation's +attitudinized +attitudinizes +attribution's +attributively +attributive's +audaciousness +audiologist's +augmentations +Augustinian's +auscultations +Australasia's +authentically +authenticated +authenticates +authoritarian +authoritative +authorization +autobiography +automatically +avoirdupois's +awesomeness's +awkwardness's +axiomatically +Azerbaijani's +babysitting's +baccalaureate +bacchanalians +Bacchanalia's +bacchanalia's +backgrounders +backpacking's +backslapper's +backstabber's +backstretches +backstretch's +bactericide's +bacteriologic +Bakersfield's +balefulness's +Baluchistan's +Bangladeshi's +Banjarmasin's +bantamweights +barbarianisms +barbiturate's +barnstormer's +Bartholomew's +Baryshnikov's +bashfulness's +bathyscaphe's +bathysphere's +battlefield's +battlefront's +battlegrounds +Baudrillard's +beachcomber's +bearishness's +beastliness's +beatification +Beatlemania's +bedevilment's +beguilement's +behaviorism's +behaviorist's +Beiderbecke's +bellicosity's +belligerently +belligerent's +bellybutton's +Belorussian's +Benedictine's +benediction's +benefaction's +beneficence's +beneficiaries +beneficiary's +benevolence's +bereavement's +Bertelsmann's +bewilderingly +bewitchment's +bibliographer +bibliographic +bibliophile's +bicarbonate's +bicentenaries +bicentenary's +bicentennials +bidirectional +bifurcation's +biliousness's +billionaire's +bimetallism's +biochemically +biochemical's +biodegradable +biofeedback's +biophysicists +biotechnology +birdwatcher's +Birkenstock's +bisexuality's +bittersweet's +blabbermouths +blackberrying +blackcurrants +blackmailer's +blamelessness +blandishments +Blankenship's +blasphemously +blessedness's +Blockbuster's +blockbuster's +bloodcurdling +bloodlessness +bloodmobile's +bloodstream's +bloodsucker's +bluestockings +blunderbusses +blunderbuss's +boardinghouse +Bodhidharma's +Bodhisattva's +bodybuilder's +bohemianism's +boilermaker's +boilerplate's +bombardment's +bombastically +Bonaventure's +bookbinderies +bookbindery's +bookbinding's +bookkeeping's +boondoggler's +boorishnesses +boorishness's +bootlegging's +bootstrapping +bougainvillea +bouillabaisse +boundlessness +bounteousness +bountifulness +bourgeoisie's +Bournemouth's +boustrophedon +boutonniere's +boutonnière's +boysenberries +boysenberry's +braggadocio's +Brahmagupta's +Brahmaputra's +brainchildren +brainstorming +brainteaser's +Brandenburg's +Brazzaville's +breadbasket's +breadwinner's +breakthroughs +breastfeeding +breastplate's +breaststrokes +breathalyzers +breathalyzing +bricklaying's +brittleness's +broadcaster's +Brobdingnag's +brokenhearted +broncobusters +brotherhood's +brotherliness +Brownsville's +brusqueness's +brutalization +brutishness's +bulimarexia's +bulletproofed +bullfighter's +bullishness's +bullshitter's +bumptiousness +bureaucracies +bureaucracy's +bureaucratize +burgomaster's +bushwhacker's +businessman's +businesswoman +businesswomen +Butterfingers +butterfingers +cabinetmakers +cabinetmaking +cabinetwork's +caddishness's +calcification +calculatingly +calculation's +calibration's +Californian's +californium's +calligraphers +calligraphist +calligraphy's +callousness's +calumniator's +camaraderie's +camerawoman's +Cameroonian's +camouflager's +campanologist +campanology's +cancellations +candelabrum's +candidature's +candlelight's +candlepower's +candlestick's +cannibalism's +cannibalistic +cannibalizing +canonizations +cantilevering +capaciousness +capacitance's +capillarity's +capitulations +captivation's +caravansaries +caravansary's +carbohydrates +carbonation's +Carboniferous +carboniferous +Carborundum's +carborundum's +carcinogenics +cardiograph's +cardiologists +cardsharper's +carefulness's +caricaturists +carnivorously +Carolingian's +Carpathians's +carpetbaggers +carpetbagging +carsickness's +Carthaginians +cartilaginous +cartographers +cartography's +casehardening +castigation's +Castlereagh's +catastrophe's +catchphrase's +categorically +Caterpillar's +caterpillar's +catheterizing +Catholicism's +catholicity's +cauliflower's +cauterization +ceaselessness +celebration's +centenarian's +centerboard's +centerpiece's +centralizer's +centrifugally +centripetally +cerebration's +ceremoniously +certificate's +certificating +certification +chairmanships +chairperson's +Chamberlain's +chamberlain's +chambermaid's +championships +Champollion's +chancelleries +chancellery's +Chandrasekhar +changeability +chanticleer's +chaperonage's +Chapultepec's +characterized +characterizes +characterless +charismatic's +charlatanry's +Charlemagne's +Charlottetown +chastisements +Chateaubriand +Chattahoochee +Chattanooga's +checkerboards +cheerleader's +cheerlessness +cheeseburgers +cheesecloth's +Chelyabinsk's +chesterfields +chiaroscuro's +chickenfeed's +chieftainship +childlessness +childproofing +Chippendale's +chirography's +chiropodist's +chiropractics +chiropractors +chloroforming +chlorophyll's +chloroplast's +choirmaster's +chokecherries +chokecherry's +cholecystitis +cholesterol's +choreographed +choreographer +choreographic +Christendom's +christening's +Christensen's +Christmastide +Christmastime +Christopher's +chromatically +chronograph's +chronological +chronologists +chronometer's +chrysanthemum +churchgoing's +churchwardens +Churriguera's +CinemaScope's +circularity's +circularizing +circulation's +circumcisions +circumference +circumscribed +circumscribes +circumspectly +circumstanced +circumstances +circumventing +circumvention +citizenship's +civilizations +clairvoyant's +clandestinely +clapperboards +clarification +clarinetist's +classlessness +cleanliness's +clearinghouse +clergywoman's +clericalism's +cliffhanger's +climacteric's +climatologist +climatology's +cliometrician +cliometrics's +clotheshorses +clothesline's +coagulation's +coalescence's +coalitionists +cobblestone's +cockleshell's +codependent's +codifications +coeducational +coeducation's +coefficient's +coelenterates +coexistence's +coffeehouse's +coffeemaker's +cognoscente's +coincidence's +coinsurance's +collaborating +collaboration +collaborative +collaborators +collateralize +collectible's +collectivists +collectivized +collectivizes +collocation's +colloquialism +colonialism's +colonialist's +colonoscopies +colonoscopy's +colorfastness +colorlessness +combativeness +combination's +combustible's +comeuppance's +commandeering +commandment's +commemorating +commemoration +commemorative +commemorators +commencements +commendations +commensurable +commentator's +commercialism +commercialize +commiserating +commiseration +commiserative +commissariats +commissioners +commissioning +commonalities +commonplace's +commonwealths +communicant's +communicating +communication +communicative +communicators +commutation's +compactness's +companionable +companionably +companionship +companionways +comparability +comparatively +comparative's +compartmental +compartment's +compassionate +compatibility +compensations +competition's +competitively +compilation's +complacence's +complacency's +complainant's +complaisantly +complementary +complementing +complicatedly +complications +complimentary +complimenting +comportment's +composition's +comprehending +comprehension +comprehensive +compression's +comptroller's +compunction's +computational +computation's +computerizing +comradeship's +concatenating +concatenation +concaveness's +concealment's +conceitedness +concentrate's +concentrating +concentration +conceptualize +concertinaing +concertmaster +concessionary +conciliator's +conciseness's +concomitantly +concomitant's +concordance's +concubinage's +concupiscence +concurrence's +condemnations +condensations +condescending +condescension +conditionally +conditional's +conditioner's +condominium's +conductance's +conductresses +conductress's +confabulating +confabulation +confectioners +confectionery +confederacies +Confederacy's +confederacy's +Confederate's +confederate's +confederating +confederation +confessionals +configuration +confinement's +confirmations +confiscations +confiscator's +conflagration +conformance's +conformations +confraternity +confrontation +Confucianisms +confutation's +congealment's +conglomerated +conglomerates +congratulated +congratulates +congregations +Congressional +congressional +congressman's +congresswoman +congresswomen +conjugation's +conjunction's +conjunctiva's +conjunctive's +conjuncture's +conjuration's +Connecticut's +connoisseur's +connotation's +conquistadors +consanguinity +conscientious +consciousness +consecrations +consecutively +consequence's +consequential +conservancies +conservancy's +conservatives +conservatoire +conservator's +considerately +consideration +consignment's +consistence's +consistencies +consistency's +consolation's +consolidating +consolidation +consolidators +conspicuously +conspirator's +Constantine's +constellation +consternation +constituent's +constitutions +constrictions +constrictor's +constructions +constructor's +consultancies +consultancy's +consultations +consumerism's +consumerist's +consummations +consumption's +consumptive's +containerized +containerizes +containment's +contaminant's +contaminating +contamination +contaminators +contemplating +contemplation +contemplative +contentedness +contentiously +contentment's +contextualize +Continental's +continental's +contingencies +contingency's +continuance's +continuations +contortionist +contrabassoon +contraception +contraceptive +contractility +contraction's +contractually +contradicting +contradiction +contradictory +contraption's +contrarianism +contrariety's +contravention +contretemps's +contributions +contributor's +contrivance's +controversial +controversies +controversy's +controverting +conurbation's +convalescence +convalescents +convenience's +conventicle's +conventioneer +convergence's +conversations +convertible's +convocation's +convolution's +cooperation's +cooperatively +cooperative's +Cooperstown's +coordinator's +copiousness's +Copperfield's +copperplate's +Cordilleras's +coreligionist +corespondents +Corinthians's +cornerstone's +corporation's +correctness's +correlation's +correlative's +correspondent +corresponding +corroborating +corroboration +corroborative +corroborators +corroboratory +corrugation's +corruptness's +coruscation's +cosignatories +cosignatory's +cosmetician's +cosmetologist +cosmetology's +cosmogonist's +cosmologist's +cosmopolitans +cottonmouth's +councilperson +countenance's +countenancing +counteracting +counteraction +counteractive +counterattack +counterblasts +counterclaims +counterfeited +counterfeiter +counterfeit's +counterfoil's +countermanded +countermand's +countermelody +counteroffers +counterpane's +counterpart's +counterpoints +counterpoised +counterpoises +countersigned +countersign's +countersink's +counterstroke +countertenors +countervailed +counterweight +countryside's +courteousness +courtliness's +crackerjack's +craftsmanship +craftswoman's +crapshooter's +creationism's +creationist's +credentialing +credibility's +credulousness +crematorium's +crenelation's +criminality's +criminalizing +criminologist +criminology's +crisscrossing +Cromwellian's +crookedness's +crossbowman's +crossbreeding +crosschecking +crosscurrents +crosshatching +Crucifixion's +crucifixion's +crumbliness's +crunchiness's +cryosurgery's +cryptographer +crystallizing +culmination's +culpability's +cultivation's +cunnilingus's +curiousness's +cursoriness's +curtailment's +custodianship +customhouse's +customization +cybernetics's +daguerreotype +Dangerfield's +Dardanelles's +daredevilry's +dastardliness +dauntlessness +décolletage's +debarkation's +decaffeinated +decaffeinates +decapitations +decapitator's +deceitfulness +decelerator's +decentralized +decentralizes +deceptiveness +declamation's +declaration's +declassifying +declination's +decolletage's +decommissions +decomposition +decompressing +decompression +decongestants +deconstructed +decontaminate +decontrolling +decrepitude's +decrescendo's +decriminalize +defalcation's +defectiveness +defenselessly +defensiveness +deferentially +defibrillator +defoliation's +deforestation +deformation's +degradation's +dehumidifiers +dehumidifying +dehydration's +dehydrogenase +dehydrogenate +deification's +delectation's +deliberations +delicatessens +deliciousness +delineation's +delinquencies +delinquency's +deliriousness +deliverance's +deliveryman's +demagnetizing +demagogically +demagoguery's +demarcation's +demigoddesses +demigoddess's +demilitarized +demilitarizes +demimondaines +democratizing +demographer's +demographic's +demonstrating +demonstration +demonstrative +demonstrators +Demosthenes's +denationalize +denigration's +denominations +denominator's +denouncements +denuclearized +denuclearizes +denunciations +deodorization +dependability +depersonalize +depoliticized +depoliticizes +deportation's +deprecatingly +deprecation's +depredation's +depressurized +depressurizes +deprivation's +deprogramming +derangement's +dereliction's +dermatologist +dermatology's +description's +descriptively +desecration's +desegregating +desegregation +desensitizing +desiccation's +desideratum's +designation's +desirableness +desperateness +desperation's +despoilment's +despondence's +despondency's +dessertspoons +destabilizing +destination's +destitution's +destruction's +destructively +deteriorating +deterioration +determinant's +determination +determinism's +deterministic +detestation's +detrimentally +Deuteronomy's +devaluation's +devastatingly +devastation's +developmental +development's +deviousness's +dexterousness +diagnostician +diagnostics's +diametrically +diamondback's +diaphragmatic +dicotyledon's +dictatorially +dictatorships +Diefenbaker's +differentials +differentiate +diffraction's +diffuseness's +digestibility +dillydallying +dimensionless +Diophantine's +diplomatist's +dipsomaniac's +directionless +directorate's +directorships +disablement's +disadvantaged +disadvantages +disaffiliated +disaffiliates +disafforested +disagreements +disappearance +disappointing +disapproval's +disarmament's +disassembling +disassociated +disassociates +disbandment's +disbeliever's +disbursements +discernment's +discographies +discography's +discoloration +discomforting +disconcerting +disconnecting +disconnection +discontenting +discontinuing +discontinuity +discontinuous +discordance's +discotheque's +discourtesies +discourtesy's +discreditable +discreditably +discrepancies +discrepancy's +discretionary +discriminated +discriminates +discriminator +disembodiment +disemboweling +disenchanting +disencumbered +disengagement +disentangling +disfigurement +disfranchised +disfranchises +disgracefully +disharmonious +disheartening +disillusioned +disillusion's +disincentives +disinfectants +disinheriting +disintegrated +disintegrates +disinterested +disinterest's +disinvestment +dislocation's +dismantlement +dismemberment +disobediently +disorganizing +disorientated +disorientates +disparagement +disparagingly +dispassionate +dispensations +displacements +displeasure's +disposition's +dispossessing +dispossession +disproportion +disputation's +disqualifying +disquietude's +disquisitions +disrespectful +disrespecting +dissatisfying +disseminating +dissemination +dissertations +dissimilarity +dissimilitude +dissimulating +dissimulation +dissimulators +dissipation's +dissoluteness +dissolution's +distastefully +distillations +distinction's +distinctively +distinguished +distinguishes +distraction's +distressingly +distributions +distributor's +distrustfully +disturbance's +diverseness's +divestiture's +divorcement's +doctrinaire's +documentaries +documentary's +documentation +dolefulness's +doltishness's +domesticating +domestication +domesticity's +domineeringly +doppelgangers +doppelgängers +doubleheaders +doublespeak's +downheartedly +draftsmanship +draftswoman's +dramatization +draughtboards +dreadnought's +dressmaking's +drillmaster's +drunkenness's +dubiousness's +duplication's +dutifulness's +dysfunctional +dysfunction's +Dzerzhinsky's +earnestness's +earthenware's +eavesdroppers +eavesdropping +eccentrically +ecclesiastics +eclecticism's +ecumenicism's +edification's +editorialized +editorializes +educability's +educationally +educationists +edutainment's +effectiveness +effervescence +efficaciously +efflorescence +egalitarian's +egocentricity +egotistically +egregiousness +einsteinium's +ejaculation's +elaborateness +elaboration's +Elastoplast's +electioneered +electrician's +electricity's +electrifier's +electrocuting +electrocution +electrologist +electrolyte's +electromagnet +electromotive +electronica's +electronics's +electroplated +electroplates +electroscopes +electroscopic +electrostatic +electrotype's +elephantiasis +elicitation's +eligibility's +elimination's +Elizabethan's +elocutionists +elucidation's +elusiveness's +emancipator's +embarkation's +embarrassment +embellishment +embrocation's +embroiderer's +embroilment's +embryological +embryologists +emotionalized +emotionalizes +emplacement's +empowerment's +encapsulating +encapsulation +enchantment's +enchantresses +enchantress's +encouragement +encouragingly +encroachments +encrustations +encumbrance's +encyclopedias +endlessness's +endocrinology +endometriosis +endorsement's +energetically +enforcement's +enfranchising +engineering's +engorgement's +engrossment's +enhancement's +enigmatically +enlargement's +enlightenment +enlivenment's +ennoblement's +enslavement's +ensnarement's +entanglements +entertainer's +entertainment +enthronements +entitlement's +entomological +entomologists +entrenchments +entrepreneurs +enumeration's +enunciation's +envelopment's +enviousness's +environmental +environment's +epinephrine's +Episcopalians +equestrianism +equestriennes +equidistantly +equilateral's +equilibrium's +equivalence's +equivalencies +equivalency's +equivocalness +equivocations +equivocator's +eradication's +ergonomically +erythrocyte's +escapologists +Escherichia's +Establishment +establishment +estrangements +eternalness's +ethnocentrism +ethnographers +ethnologist's +etymologist's +evanescence's +evangelically +evangelical's +evaporation's +evasiveness's +eventualities +eventuality's +everlastingly +everlasting's +evolutionists +exaggeratedly +exaggerations +exaggerator's +examination's +exasperatedly +exceptionable +exceptionally +exclamation's +exclusiveness +exclusivity's +excommunicate +excoriation's +excrescence's +exculpation's +excursionists +excursiveness +executioner's +exhibitionism +exhibitionist +exhortation's +existentially +exoneration's +exorbitance's +exoskeleton's +expansionists +expansiveness +expatiation's +expectation's +expectorant's +expectorating +expectoration +expeditionary +expeditiously +expenditure's +expensiveness +experimenters +experimenting +explanation's +explication's +exploration's +explosiveness +exponentially +exportation's +expostulating +expostulation +expressionism +expressionist +expropriating +expropriation +expropriators +expurgation's +exquisiteness +extemporizing +extensiveness +extenuation's +exterminating +extermination +exterminators +externalizing +extinguishers +extinguishing +extirpation's +extortioner's +extortionists +extracellular +extradition's +extrajudicial +extraordinary +extrapolating +extrapolation +extravagances +extravagantly +extravaganzas +extremeness's +extrication's +extrinsically +fabrication's +facetiousness +facilitator's +factorization +faithlessness +fallibility's +falsification +familiarity's +familiarizing +fantastically +fascinatingly +fascination's +fashionista's +fatefulness's +fatuousness's +Faulknerian's +faultfinder's +faultlessness +fearfulness's +feasibility's +featherweight +fecundation's +felicitations +ferociousness +ferromagnetic +fertilization +festiveness's +fictionalized +fictionalizes +fieldworker's +filibusterers +filibustering +fingerboard's +fingerprinted +fingerprint's +finickiness's +firecracker's +firefighter's +Fitzpatrick's +flabbergasted +flamboyance's +flamboyancy's +flameproofing +flamethrowers +flannelette's +flexibility's +flightiness's +Flintstones's +flirtatiously +floodlighting +floorwalker's +florescence's +floweriness's +fluctuation's +fluorocarbons +fluoroscope's +folksinging's +fomentation's +foolhardiness +foolishness's +foppishness's +forbearance's +foreclosure's +foregrounding +foreignness's +foreknowledge +foreordaining +forequarter's +foreshadowing +foreshortened +forestation's +forethought's +forgetfulness +forgiveness's +formalization +formulation's +fornication's +forthcoming's +fortification +fortuneteller +forwardness's +fossilization +fountainheads +fractiousness +fragmentary's +fragmentation +Frankfurter's +frankfurter's +fraternizer's +fraudulence's +Fredericton's +Freemasonries +Freemasonry's +freethinker's +Frenchwoman's +Frenchwomen's +fretfulness's +frighteningly +frightfulness +frivolousness +frontbenchers +frontispieces +frowardness's +fruitlessness +frustratingly +frustration's +fulfillment's +fulmination's +fulsomeness's +functionalism +functionalist +functionality +functionaries +functionary's +fundamentally +fundamental's +furnishings's +furtherance's +furtiveness's +Furtwangler's +Furtwängler's +futurologists +gallbladder's +gallimaufries +gallimaufry's +galvanization +galvanometers +gangbusters's +garnishment's +garrulousness +gastronomical +gatecrasher's +genealogist's +generalissimo +generalship's +genitourinary +genteelness's +gentlefolks's +gentlewoman's +genuflections +genuineness's +geometrically +geophysicists +geopolitics's +geostationary +geosyncline's +geriatricians +germination's +gerontologist +gerontology's +gerrymandered +gerrymander's +gesticulating +gesticulation +ghastliness's +ghostliness's +ghostwriter's +gimcrackery's +gingerbread's +girlishness's +glamorization +glassblower's +Glastonbury's +gleefulness's +globalization +globetrotters +globetrotting +glockenspiels +glorification +glossolalia's +goalkeeping's +godchildren's +goddaughter's +godlessness's +goldbricker's +goosestepping +gormandizer's +gracelessness +gradualness's +grammatically +grandchildren +granddaughter +grandfathered +grandfatherly +grandfather's +grandiloquent +grandiosity's +grandmotherly +grandmother's +grandnephew's +grandparent's +grandstanding +grantsmanship +granularity's +granulation's +graphologists +grasshopper's +gratification +gravedigger's +gravitational +gravitation's +greasepaint's +greengrocer's +griddlecake's +grotesqueness +grouchiness's +groundskeeper +groundswell's +groundwater's +Guadalajara's +Guadalcanal's +gubernatorial +guesstimate's +guesstimating +guilelessness +gullibility's +gutlessness's +guttersnipe's +gymnastically +gynecological +gynecologists +haberdasher's +habituation's +haggardness's +Hagiographa's +hagiographers +hagiographies +hagiography's +hairbreadth's +hairdresser's +hairsbreadths +hairsplitters +hairsplitting +hairstylist's +halfheartedly +Halliburton's +hallucinating +hallucination +hallucinatory +hallucinogens +Hamiltonian's +Hammerstein's +handicapper's +handkerchiefs +handwriting's +haphazardness +haplessness's +happenstances +harbormasters +hardheartedly +harmfulness's +harmonization +harpsichord's +hatefulness's +haughtiness's +hawkishness's +headhunting's +headquartered +headshrinkers +healthfulness +healthiness's +heartbreaking +hearthstone's +heartlessness +heartsickness +heavyweight's +heinousness's +helicoptering +Hellenistic's +Hellenization +hellishness's +helpfulness's +hematological +hematologists +hemispherical +hemophiliac's +Hepplewhite's +Herculaneum's +hermaphrodite +herpetologist +herpetology's +herringbone's +Hertzsprung's +Herzegovina's +heterogeneity +heterogeneous +heterosexuals +heuristically +hibernation's +hideousness's +hieroglyphics +highlighter's +hilariousness +hindquarter's +Hippocrates's +Hippocratic's +hirsuteness's +histologist's +historicity's +histrionics's +holidaymakers +homeostasis's +homeschooling +homesteader's +homestretches +homestretch's +homewrecker's +homogeneity's +homogeneously +homosexuality +honeylocust's +honeymooner's +honeysuckle's +honorableness +hooliganism's +hopefulness's +horseradishes +horseradish's +horsewhipping +horticultural +hospitality's +hospitalizing +hostilities's +hotheadedness +housebreakers +housebreaking +housecleaning +householder's +househusbands +housekeeper's +houselights's +housemistress +housemother's +houseparent's +housewarmings +huckleberries +huckleberry's +hucksterism's +humanitarians +humiliatingly +humiliation's +hummingbird's +humorlessness +hundredweight +hurtfulness's +hybridization +hydraulically +hydrocarbon's +hydrocephalus +hydrodynamics +hydroelectric +hydrogenating +hydrogenation +hydrologist's +hydrophobia's +hydroponics's +hydrosphere's +hyperactivity +hypercritical +hyperglycemia +hypertensives +hypertrophied +hypertrophies +hypertrophy's +hyphenation's +hypochondriac +hypoglycemics +hypothermia's +hypothesizing +hypothyroid's +ichthyologist +ichthyology's +iconography's +idealizations +ideologically +idiomatically +idiosyncratic +idolization's +ignominiously +illicitness's +illuminations +illusionist's +illustrations +illustrator's +illustriously +imagination's +imaginatively +imbrication's +imitativeness +immateriality +immediacies's +immediateness +immigration's +immortality's +immortalizing +immunizations +immunological +immunologists +impassibility +impassiveness +impassivity's +impeachment's +impeccability +impecuniously +impedimenta's +impenitence's +imperceptible +imperceptibly +imperfections +imperfectness +imperialism's +imperialistic +imperialist's +imperilment's +imperiousness +impermanently +impermissible +impersonating +impersonation +impersonators +impertinences +impertinently +imperturbable +imperturbably +impetuosity's +impetuousness +impingement's +impiousness's +implacability +implementable +implication's +imponderables +importation's +importunately +importunity's +impossibility +impoverishing +impracticable +impracticably +impractically +imprecation's +impreciseness +imprecision's +impressionism +impressionist +imprisonments +improbability +improprieties +impropriety's +improvement's +improvidently +improvisation +impulsiveness +inadvertently +inanimateness +inappreciable +inappreciably +inappropriate +inattention's +inattentively +inaugurations +incandescence +incantation's +incapacitated +incapacitates +incarcerating +incarceration +incarnadining +incarnation's +incertitude's +incinerator's +inclination's +inclusiveness +incoherence's +incombustible +incommunicado +incompatibles +incompetently +incompetent's +inconceivable +inconceivably +incongruities +incongruity's +incongruously +inconsiderate +inconsistency +inconspicuous +inconstancy's +incontestable +incontestably +inconvenience +incorporating +incorporation +incorrectness +incorruptible +incorruptibly +incredibility +incredulity's +incredulously +incrementally +incriminating +incrimination +incriminatory +incrustations +inculcation's +incunabulum's +indefatigable +indefatigably +indentation's +independently +independent's +indescribable +indescribably +indeterminacy +indeterminate +indifferently +indigestion's +indignation's +indirection's +indiscernible +indiscretions +indispensable +indispensably +indisposition +individualism +individualist +individuality +individualize +individuating +individuation +Indochinese's +indoctrinated +indoctrinates +industrialism +industrialist +industrialize +industriously +inebriation's +ineffectively +ineffectually +inefficiently +ineligibility +inessential's +inevitability +inexactness's +inexhaustible +inexhaustibly +inexorability +inexpensively +inexperienced +inexpressible +inexpressibly +infallibility +infanticide's +infantryman's +infatuation's +inferiority's +infertility's +infestation's +infiltrator's +infinitesimal +inflammations +inflexibility +inflorescence +influentially +infomercial's +informality's +informational +information's +informatively +infrequence's +infrequency's +infringements +infuriatingly +ingeniousness +ingenuousness +ingratitude's +inheritance's +injudiciously +innervation's +innocuousness +inoculation's +inoffensively +inopportunely +inorganically +inquisitional +Inquisition's +inquisition's +inquisitively +inquisitorial +insatiability +inscription's +insecticide's +insectivore's +insectivorous +insensibility +insensitively +insensitivity +insentience's +inseparable's +insidiousness +insignificant +insincerity's +insinuation's +insouciance's +inspectorates +inspirational +inspiration's +instabilities +instability's +installations +installment's +instantaneous +instantiating +instigation's +instinctively +institutional +institution's +instructional +instruction's +instructively +instrumentals +instrumenting +insubordinate +insubstantial +insufficiency +insupportable +insurrections +insusceptible +intangibility +integration's +intellectuals +intelligently +intemperately +intensifier's +intensiveness +intentionally +interaction's +interactively +interactivity +interbreeding +interceptions +interceptor's +intercessions +intercessor's +interchange's +interchanging +interconnects +intercourse's +intercultural +interestingly +intergalactic +interjections +interleukin's +interlining's +interlocutors +interlocutory +intermarriage +intermarrying +intermediates +intermingling +intermissions +internalizing +international +interpersonal +interpolating +interpolation +interposition +interpreter's +interregnum's +interrelating +interrelation +interrogating +interrogation +interrogative +interrogators +interrogatory +interrupter's +interruptions +intersections +intersessions +interspersing +interspersion +interventions +interviewee's +interviewer's +intolerance's +intramuscular +intransigence +intransigents +intransitives +intravenouses +intravenously +intravenous's +intrepidity's +intrinsically +introductions +introspecting +introspection +introspective +intrusiveness +intuitiveness +invariability +inventiveness +invertebrates +investigating +investigation +investigative +investigators +investigatory +investiture's +invidiousness +invincibility +inviolability +invitationals +involuntarily +involvement's +iridescence's +irksomeness's +irradiation's +irrationality +irreclaimable +irrecoverable +irrecoverably +irrelevance's +irrelevancies +irrelevancy's +irreplaceable +irrepressible +irrepressibly +irresponsible +irresponsibly +irretrievable +irretrievably +irreverence's +isolationists +isometrically +italicization +itemization's +Jayawardene's +Jehoshaphat's +jitterbugging +joblessness's +jollification +joylessness's +judiciousness +jurisdictions +jurisprudence +justification +juxtaposition +kaffeeklatsch +Kalashnikov's +kaleidoscopes +kaleidoscopic +Kazantzakis's +keyboardist's +Kierkegaard's +Kilimanjaro's +kindergartens +kindergartner +kindergärtner +kindheartedly +Kirkpatrick's +kitchenette's +kitchenware's +kleptomaniacs +kleptomania's +Knickerbocker +knowledgeable +knowledgeably +knuckleduster +knucklehead's +Krasnoyarsk's +laboriousness +lackadaisical +Lamborghini's +lamentation's +lamplighter's +landholding's +landownership +Landsteiner's +languidness's +latticework's +laughingstock +launderette's +lawbreaking's +lawlessness's +leaseholder's +leatherette's +leatherneck's +Leavenworth's +lecherousness +lectureship's +Leeuwenhoek's +legerdemain's +legionnaire's +legislation's +legislatively +legislature's +legitimatized +legitimatizes +leisureliness +leisurewear's +lengthiness's +Leoncavallo's +lethargically +letterpress's +lexicographer +lexicographic +liberalness's +libertarian's +librarianship +LibreOffice's +Liebfraumilch +Liechtenstein +lieutenancy's +lightweight's +likableness's +Lilliputian's +limitlessness +linguistics's +lionization's +liposuction's +liquidation's +literalness's +lithographers +lithographing +lithography's +lithosphere's +litigiousness +litterateur's +littérateur's +Liverpudlians +Livingstone's +loathsomeness +Lobachevsky's +loudspeaker's +Louisianian's +L'Ouverture's +lovableness's +Lubavitcher's +lubrication's +lucrativeness +lucubration's +ludicrousness +luncheonettes +Lutheranism's +Luxembourgers +Luxembourgian +luxuriation's +luxuriousness +Machiavellian +Machiavelli's +machination's +macroeconomic +mademoiselles +Maeterlinck's +magisterially +magnanimity's +magnanimously +magnetization +magnetometers +magnetosphere +magnification +magnificently +magniloquence +Mahabharata's +Maharashtra's +maidservant's +mainstreaming +maintenance's +majoritarians +maladjustment +maladroitness +malapropism's +malediction's +malefaction's +maleficence's +malevolence's +malfeasance's +malformations +malfunctioned +malfunction's +maliciousness +malpractice's +mammography's +manageability +manifestation +manipulations +manipulator's +mannishness's +mantelpiece's +mantelshelves +manufacturers +manufacture's +manufacturing +manumission's +marchionesses +marchioness's +marginalizing +marketability +marketplace's +Marlborough's +marlinespikes +marquisette's +Marseillaises +marshmallow's +masculinity's +masquerader's +Massachusetts +massiveness's +masterclasses +masterminding +masterpiece's +masterstrokes +mastication's +matchmaking's +materialism's +materialistic +materialist's +materializing +mathematician +mathematics's +matriculating +matriculation +Mauritanian's +mawkishness's +McCarthyism's +meanderings's +meaninglessly +measurement's +meatpacking's +mechanization +medievalist's +Mediterranean +meetinghouses +megalomaniacs +megalomania's +megalopolises +megalopolis's +melancholia's +Melchizedek's +melioration's +mellifluously +melodiousness +melodramatics +memorabilia's +memorializing +mendelevium's +Mendelssohn's +mensuration's +Mentholatum's +merchandisers +merchandise's +merchandising +merchantman's +mercilessness +Mercurochrome +meritocracies +meritocracy's +meritoriously +Merovingian's +merrymaking's +Merthiolate's +Mesopotamia's +Messerschmidt +metabolically +metalanguages +metallurgical +metallurgists +metalworker's +metamorphosed +metamorphoses +metamorphosis +metaphysics's +metastasizing +meteorologist +meteorology's +methodologies +methodology's +metrication's +Miaplacidus's +Michigander's +microcircuits +microcomputer +microfloppies +microgroove's +micromanaging +Micronesian's +microorganism +microscopical +microsecond's +microwaveable +middleweights +millionaire's +millionairess +millisecond's +Milquetoast's +milquetoast's +mimeographing +mindfulness's +mineralogical +mineralogists +minesweeper's +miniaturist's +miniaturizing +minicomputers +ministrations +Minneapolis's +minnesinger's +misaddressing +misadventures +misalliance's +misanthrope's +misanthropist +misanthropy's +misapprehends +misbehavior's +miscalculated +miscalculates +miscarriage's +miscegenation +miscellaneous +mischievously +miscibility's +misconceiving +misconception +misconducting +misconstruing +misdemeanor's +misdiagnosing +miserableness +miserliness's +misfeasance's +misgovernment +misguidance's +misidentified +misidentifies +misinterprets +misjudgment's +mismanagement +mispronounced +mispronounces +misquotations +misrepresents +Mississauga's +Mississippian +Mississippi's +misspelling's +misstatements +mistranslated +mistrustfully +misunderstand +misunderstood +Mithridates's +mitochondrial +mitochondrion +Münchhausen's +mobilizations +mockingbird's +modernization +modifications +Mohammedanism +Mohorovicic's +moisturizer's +molestation's +mollification +mollycoddle's +mollycoddling +momentariness +momentousness +monasticism's +moneylender's +moneymaking's +monkeyshine's +monochromatic +monocotyledon +monolingual's +Monongahela's +mononucleosis +monopolizer's +monosyllables +monotonically +monseigneur's +monstrosities +monstrosity's +Montenegrin's +Montesquieu's +Montgolfier's +moonlighter's +morphological +mortarboard's +mortification +motherboard's +motherfuckers +motherfucking +motorcyclists +mountaineered +mountaineer's +mountainsides +mountaintop's +Mountbatten's +mousetrapping +Moussorgsky's +mouthwatering +mudslinging's +Muhammadanism +muleskinner's +multicultural +multinational +multiplayer's +multiplexer's +multiplicands +multitudinous +multivitamins +mumbletypeg's +mummification +Munchhausen's +munificence's +muscularity's +musculature's +musicological +musicologists +muskellunge's +muttonchops's +mystification +mythologist's +mythologizing +naphthalene's +narcotization +nationalism's +nationalistic +nationalist's +nationalities +nationality's +nationalizing +naturalness's +naughtiness's +Navratilova's +Neanderthal's +neanderthal's +nearsightedly +necessitating +neckerchief's +necromancer's +necrophiliacs +needlepoint's +needlewoman's +nefariousness +negotiability +negotiation's +neighborhoods +neoclassicism +nervelessness +nervousness's +Netherlanders +Netherlands's +netherworld's +neurasthenics +neurologist's +neurosurgeons +neurosurgical +neutralizer's +Newfoundlands +Nickelodeon's +nickelodeon's +niggardliness +nightclubbing +Nightingale's +nightingale's +nightwatchman +nightwatchmen +nitrification +nitroglycerin +noiselessness +nomenclatures +nonabsorbents +nonacceptance +nonadjustable +nonagenarians +nonaggression +nonappearance +nonassignable +nonattendance +nonautomotive +nonbeliever's +nonchalance's +nonchargeable +nonclerical's +noncombatants +noncommercial +noncompliance +nonconducting +nonconductors +nonconforming +nonconformism +nonconformist +nonconformity +noncontagious +noncontinuous +noncriminal's +noncumulative +nondeductible +nondeliveries +nondelivery's +nondemocratic +nondetachable +nondisclosure +nonelectrical +nonequivalent +nonexplosives +nonfunctional +nonhereditary +nonindustrial +noninfectious +nonirritating +nonjudgmental +nonnarcotic's +nonnegotiable +nonobligatory +nonobservance +nonparallel's +nonpartisan's +nonperforming +nonperishable +nonphysically +nonpracticing +nonproductive +nonprofitable +nonpunishable +nonreciprocal +nonredeemable +nonrefillable +nonrefundable +nonresident's +nonresidual's +nonresistance +nonreturnable +nonscientific +nonsegregated +nonsensically +nonspecialist +nonspirituals +nonstructural +nonsuccessive +nonsupporting +nonsustaining +nontheatrical +nonviolence's +nonvocational +normalization +Northampton's +northeasterly +northeaster's +northeastward +northwesterly +northwester's +northwestward +nostalgically +Nostradamus's +nothingness's +notifications +nourishment's +novelizations +Novosibirsk's +nullification +numerologists +numismatics's +numismatist's +nutritionally +nutritionists +nymphomaniacs +nymphomania's +obfuscation's +objectionable +objectionably +objectiveness +objectivity's +objurgation's +obliqueness's +obliviousness +obnoxiousness +obscurantists +observational +observation's +observatories +observatory's +obsessionally +obsessiveness +obstetricians +obstruction's +obstructively +obtrusiveness +obviousness's +oceanographer +oceanographic +octogenarians +offensiveness +offhandedness +officeholders +officialdom's +officialism's +officiousness +Oktoberfest's +oleomargarine +ominousness's +omnipotence's +omniscience's +onerousness's +onomatopoetic +opalescence's +operationally +ophthalmology +Oppenheimer's +opportunism's +opportunistic +opportunist's +opportunities +opportunity's +opprobriously +optimizations +optometrist's +orchestrating +orchestration +orderliness's +organizations +orientation's +originality's +origination's +ornamentation +ornithologist +ornithology's +orthodontia's +orthodontists +orthogonality +orthographies +orthography's +orthopedics's +orthopedist's +oscillation's +oscilloscopes +ostentation's +Ouagadougou's +outbuilding's +outcropping's +outdistancing +outmaneuvered +outperforming +outsourcing's +outspokenness +outstandingly +outstretching +overabundance +overachievers +overachieving +overambitious +overattentive +overbalance's +overbalancing +overbearingly +overburdening +overconfident +overdecorated +overdecorates +overdependent +overdeveloped +overemotional +overemphasize +overestimated +overestimates +overexercised +overexercises +overextending +overindulgent +overindulging +overmastering +overpopulated +overpopulates +overproducing +overprotected +overqualified +overreactions +oversensitive +overshadowing +overspreading +overstatement +overstimulate +overstretched +overstretches +oversubscribe +oversupplying +overvaluation +overweeningly +overwintering +oxidization's +oxygenation's +pachysandra's +packinghouses +painfulness's +painstakingly +painstaking's +paleographers +paleography's +Paleolithic's +Palestinian's +palpitation's +pamphleteer's +pandemonium's +pantechnicons +pantomimist's +paperhanger's +paperweight's +parachutist's +paradoxically +parallelism's +parallelogram +paramedical's +parameterized +paraphernalia +parasitically +parathyroid's +paratrooper's +paratyphoid's +parenthesis's +parenthesized +parenthesizes +parenthetical +parishioner's +parliamentary +participant's +participating +participation +participators +participatory +participial's +particleboard +particularity +particularize +particulate's +partnership's +parturition's +passionflower +passiveness's +passivization +pasteurizer's +pastureland's +paterfamilias +paternalism's +paternalistic +paternoster's +pathologist's +patriarchates +patriotically +patrolwoman's +patronizingly +pawnbroking's +peacekeeper's +peacemaking's +peculiarities +peculiarity's +pedagogically +pedestrianize +pediatricians +peevishness's +Peloponnese's +penetrability +penetratingly +penetration's +Pennsylvanian +pennyweight's +pensiveness's +pentathlete's +Pentecostal's +penultimate's +penuriousness +perambulating +perambulation +perambulators +percipience's +percolation's +percussionist +peregrinating +peregrination +perestroika's +perfectionism +perfectionist +perfectness's +perforation's +performance's +perfunctorily +pericardium's +periodicity's +periodontists +peripatetic's +periphrasis's +peristalsis's +peritonitis's +permutation's +perpendicular +perpetrator's +persecution's +persistence's +personalities +personality's +personalizing +perspective's +perspicacious +perspicuity's +pertinacity's +perturbations +pervasiveness +petrochemical +petrodollar's +petrologist's +pettifogger's +phallocentric +Phanerozoic's +pharmaceutics +pharmacologic +pharmacopoeia +pharyngitis's +phenobarbital +phenomenology +philanderer's +philanthropic +philatelist's +philharmonics +Philippians's +Philippines's +philodendrons +philologist's +philosopher's +philosophical +philosophized +philosophizer +philosophizes +phonetician's +phonologist's +photocopier's +photoelectric +photoengraved +photoengraver +photoengraves +photographers +photographing +photography's +Photostatting +photostatting +phraseology's +phrenologists +physiognomies +physiognomy's +physiological +physiologists +physiotherapy +picturesquely +pieceworker's +piezoelectric +piggishness's +pigheadedness +Pisistratus's +pitchblende's +piteousness's +placeholder's +placekicker's +plagiarizer's +planetarium's +Plantagenet's +platitudinous +playfulness's +PlayStation's +Pleistocene's +pluralization +pneumatically +pocketknife's +pointillism's +pointillist's +pointlessness +policewoman's +policyholders +poliomyelitis +politicking's +pollination's +poltergeist's +polypropylene +polystyrene's +polysyllables +polytechnic's +polyurethanes +pomegranate's +pompousness's +ponderousness +Pontchartrain +pontificate's +pontificating +pornographers +pornography's +portability's +porterhouse's +portmanteau's +portraitist's +portraiture's +possibilities +possibility's +postgraduates +postmodernism +postmodernist +postoperative +postponements +postulation's +powerlessness +practitioners +pragmatically +Precambrian's +precautionary +precipitant's +precipitately +precipitate's +precipitating +precipitation +precipitously +preciseness's +preconceiving +preconception +preconditions +predecessor's +predesignated +predesignates +predetermined +predeterminer +predetermines +predicament's +predication's +predicatively +predilections +predominantly +predominately +predominating +preeminence's +prefabricated +prefabricates +prehistorians +prehistorical +prejudgment's +preliminaries +preliminary's +premeditating +premeditation +premiership's +premonition's +preoccupation +preparation's +preponderance +preponderated +preponderates +prepositional +preposition's +prepossessing +prepossession +prepubescence +prepubescents +preregistered +prerequisites +prerogative's +Presbyterians +preschooler's +prescriptions +presentations +presentiments +presentment's +preservatives +pressurizer's +presumption's +pretentiously +preternatural +prevaricating +prevarication +prevaricators +preventatives +prickliness's +primitiveness +primogenitors +primogeniture +privatization +prizefighters +prizefighting +prizewinner's +probabilistic +probabilities +probability's +probationer's +problematical +processionals +processioning +proclamations +procrastinate +procreation's +Procrustean's +procurement's +prodigality's +profanation's +profaneness's +professionals +professorship +proficiency's +profitability +profiterole's +profuseness's +prognosticate +programmables +programming's +progression's +progressively +progressive's +prohibition's +prohibitively +projectionist +proletarian's +proletariat's +proliferating +proliferation +prolongations +promiscuity's +promiscuously +promptitude's +promulgator's +pronounceable +pronouncement +pronunciation +proofreader's +propagandists +propagandized +propagandizes +propagation's +prophetically +prophylactics +prophylaxis's +propinquity's +proportionals +proportionate +proportioning +propositional +propositioned +proposition's +proprietaries +proprietary's +proprieties's +proprietorial +prorogation's +proscriptions +prosecution's +proselytism's +proselytizers +proselytizing +prospectively +prostration's +protagonist's +protectionism +protectionist +protectorates +Proterozoic's +Protestantism +protestations +protraction's +protuberances +provability's +provenience's +provincialism +provisionally +provocation's +provocatively +prudishness's +psephologists +pseudoscience +psittacosis's +psychedelic's +psychiatrists +psychoanalyst +psychoanalyze +psychodrama's +psychokinesis +psychokinetic +psychological +psychologists +psychopathy's +psychosomatic +psychotherapy +psychotically +psychotropics +pterodactyl's +publication's +puckishness's +pulchritude's +pulverization +punctiliously +punctuality's +punctuation's +puritanically +purposelessly +pusillanimity +pusillanimous +putrescence's +pyrotechnical +Pythagorean's +quadrennium's +quadrilateral +quadrillion's +quadriplegics +quadruplicate +qualification +qualitatively +quarterbacked +quarterback's +quarterdeck's +quarterfinals +quartermaster +quarterstaves +querulousness +questioningly +questioning's +questionnaire +quicksilver's +quintessences +quotability's +Rabelaisian's +racquetball's +radioactively +radioactivity +radiocarbon's +radiographers +radiography's +radioisotopes +radiologist's +raffishness's +railroading's +Ramakrishna's +ramifications +randomization +rapaciousness +rapprochement +rapscallion's +rarefaction's +Rastafarian's +ratatouille's +rathskeller's +ratiocinating +ratiocination +rationalism's +rationalistic +rationalist's +rationality's +rationalizing +rattlebrained +rattlebrain's +rattlesnake's +raucousness's +raunchiness's +reacquainting +reactionaries +reactionary's +readabilities +readability's +readjustments +readmission's +reaffirmation +Reaganomics's +realignment's +realistically +realization's +realpolitik's +reanimation's +reappearances +reapplication +reappointment +reapportioned +reappraisal's +rearrangement +reassertion's +reassessments +reassignments +reassurance's +reauthorizing +rebroadcast's +recalcitrance +recalculating +recalculation +recantation's +recapitalized +recapitalizes +recapitulated +recapitulates +receivables's +receptionists +receptiveness +receptivity's +recessional's +rechristening +reciprocating +reciprocation +reciprocity's +recirculating +reclamation's +reclassifying +recognition's +recollections +recombination +recommendable +recommissions +recompilation +reconditioned +reconnoitered +reconsecrated +reconsecrates +reconsidering +reconstituted +reconstitutes +reconstructed +recontaminate +recriminating +recrimination +recriminatory +recrudescence +recruitment's +recrystallize +rectification +redetermining +redevelopment +rediscoveries +rediscovering +rediscovery's +redistributed +redistributes +redistributor +redistricting +reduplicating +reduplication +reeducation's +reemergence's +reemphasizing +reenactment's +reestablished +reestablishes +reevaluations +reexamination +reforestation +Reformation's +reformation's +reformatories +reformatory's +reformulating +reformulation +refreshment's +refrigerant's +refrigerating +refrigeration +refrigerators +refurbishment +regimentation +regionalism's +registrations +regurgitating +regurgitation +rehabilitated +rehabilitates +reimbursement +reincarnating +reincarnation +reincorporate +reinfection's +reinforcement +reinitialized +reinoculating +reinsertion's +reinstatement +reintegrating +reintegration +reinterpreted +reintroducing +reinvention's +reinvigorated +reinvigorates +reiteration's +relatedness's +relationships +reliability's +religiousness +relinquishing +remediation's +remembrance's +reminiscences +reminiscently +remonstrances +remonstrant's +remonstrating +remorselessly +remunerations +Renaissance's +renaissance's +rendezvousing +renegotiating +renegotiation +renunciations +reorientation +reparations's +repatriations +repeatability +repercussions +repetitiously +rephotographs +replacement's +replenishment +repleteness's +replication's +repositioning +repossessions +reprehensible +reprehensibly +reproachfully +reproductions +reprogramming +Republicanism +republicanism +republication +repudiation's +repulsiveness +requirement's +requisitioned +requisition's +resemblance's +resentfulness +reservation's +resignation's +resourcefully +respiration's +resplendently +restatement's +restaurateurs +restfulness's +restitution's +restiveness's +Restoration's +restoration's +restorative's +restrengthens +restriction's +restrictively +restructuring +resubscribing +resurrections +resuscitating +resuscitation +resuscitators +retaliation's +retardation's +retentiveness +reticulations +retrenchments +retribution's +retroactively +retrogressing +retrogression +retrogressive +retrorocket's +retrospecting +retrospection +retrospective +reunification +reupholstered +revaluation's +Revelations's +reverberating +reverberation +reverentially +reversibility +revisionism's +revisionist's +revolutionary +revolutionist +revolutionize +rhetorician's +rheumatically +rhododendrons +Riefenstahl's +righteousness +Robespierre's +Rockefeller's +Roddenberry's +roguishness's +Rollerblade's +rollerblading +rollerskating +romanticism's +romanticist's +romanticizing +Rosicrucian's +rotogravure's +rubberneckers +rubbernecking +rumormonger's +rustication's +rutherfordium +sacrificially +sadomasochism +sadomasochist +safekeeping's +Sagittariuses +Sagittarius's +sailboarder's +saintliness's +salaciousness +salespeople's +salesperson's +salutatorians +Salvadorean's +Salvadorian's +sanctimonious +sandblaster's +sarcastically +sarcophagus's +sarsaparillas +satisfactions +saxophonist's +scaffolding's +scandalmonger +Scandinavians +Scandinavia's +Scarborough's +scaremonger's +scarification +scatterbrains +schadenfreude +schematically +Schenectady's +schizophrenia +schizophrenic +Schlesinger's +scholarship's +scholasticism +schoolchild's +schoolfellows +schoolhouse's +schoolmarmish +schoolmasters +schoolteacher +Schrödinger's +Schrodinger's +schussboomers +Schwarzkopf's +Scientologist +Scientology's +scintillating +scintillation +scorekeeper's +Scotchwoman's +Scotchwomen's +scoutmaster's +scrawniness's +screensaver's +screenwriters +screenwriting +screwdriver's +scriptwriters +scruffiness's +scrumptiously +scuttlebutt's +searchlight's +seasickness's +seaworthiness +secessionists +Secretariat's +secretariat's +secretaryship +secretiveness +sedimentation +seductiveness +segregation's +seismographer +seismographic +seismograph's +seismological +seismologists +selectivity's +selenographer +selfishness's +semanticist's +semiautomatic +semiconductor +semiconscious +semifinalists +semimonthlies +semimonthly's +semipermeable +semitrailer's +Sennacherib's +sensationally +senselessness +sensibilities +sensibility's +sensitiveness +sensitivities +sensitivity's +sensitization +Sensurround's +sententiously +sentimentally +sequestrating +sequestration +serendipitous +serendipity's +serialization +seriousness's +seventeenth's +sexagenarians +Shakespearean +Shakespeare's +shallowness's +shamelessness +shapelessness +shapeliness's +sharecroppers +sharecropping +shareholder's +shareholdings +sharpshooters +sharpshooting +Shcharansky's +sheepherder's +shellacking's +shepherdesses +shepherdess's +shiftlessness +shinsplints's +shipbuilder's +shirtsleeve's +shoplifting's +shortchanging +shortcoming's +Shostakovitch +showmanship's +showstopper's +shuffleboards +shuttlecocked +shuttlecock's +sidesplitting +sightseeing's +signalization +significantly +signification +silversmith's +Singaporean's +singularities +singularity's +skateboarders +skateboarding +sketchiness's +skulduggery's +slaughterer's +slaveholder's +slavishness's +sledgehammers +sleeplessness +sleepwalker's +slenderness's +smallholdings +smartypants's +smithereens's +Smithsonian's +smokescreen's +smorgasbord's +smörgåsbord's +snowboarder's +sociability's +socialization +socioeconomic +sociologist's +solemnization +solicitations +soliloquizing +somersaulting +somnambulists +sonsofbitches +soothsaying's +sophisticated +sophisticates +soporifically +sorrowfulness +soulfulness's +soundproofing +Souphanouvong +Sourceforge's +Southampton's +southeasterly +southeaster's +southeastward +southwesterly +southwester's +southwestward +sovereignty's +spaceflight's +spasmodically +speakerphones +specification +specificity's +spectacularly +spectacular's +spectrometers +spectroscopes +spectroscopic +speculation's +speculatively +speechwriters +speedometer's +speleological +speleologists +spellbinder's +spellcheckers +spellchecking +spendthrift's +Spenglerian's +spinelessness +spiritualists +Spitsbergen's +splashiness's +spokespersons +spokeswoman's +sponsorship's +spontaneity's +spontaneously +sportscasters +sportscasting +sportsmanlike +sportsmanship +sportswoman's +sportswriters +spreadsheet's +sprightliness +springboard's +Springfield's +springiness's +Springsteen's +squalidness's +squeakiness's +squeamishness +stabilization +stagflation's +StairMaster's +stakeholder's +standardizing +staphylococci +starchiness's +statelessness +stateliness's +statesmanlike +statesmanship +stateswoman's +stationmaster +statistically +statisticians +staunchness's +steadfastness +steamfitter's +steamrollered +steamroller's +steelworker's +steeplechases +steeplejack's +stegosauruses +stegosaurus's +stenographers +stenography's +stepbrother's +stepdaughters +steppingstone +stereoscope's +stereotypical +sterilization +stethoscope's +stewardship's +stickleback's +stimulation's +stipendiaries +stipulation's +stockbreeders +stockbroker's +Stockhausen's +stockholder's +stockinette's +stocktaking's +Stolichnaya's +stomachache's +storekeeper's +storyteller's +straightaways +straightedges +straighteners +straightening +straitjackets +strangeness's +strangleholds +strangulating +strangulation +strategically +stratospheres +stratospheric +streetlight's +streetwalkers +strengtheners +strengthening +strenuousness +streptococcal +streptococcus +strikebreaker +stringiness's +stripteaser's +stroboscope's +structuralism +structuralist +stylishness's +stylistically +subbasement's +subcategories +subcategory's +subcommittees +subcontinents +subcontracted +subcontractor +subcontract's +subdivision's +subjugation's +subjunctive's +sublieutenant +sublimation's +submergence's +submersible's +subordinate's +subordinating +subordination +subornation's +subscriptions +subserviently +subsidization +subsistence's +substantially +substantiated +substantiates +substantively +substantive's +substitutions +substructures +subtraction's +suburbanite's +Sudetenland's +sufficiency's +suffixation's +suffocation's +suffragette's +suitability's +summerhouse's +sumptuousness +superabundant +superannuated +superannuates +superchargers +supercharging +supercomputer +supercritical +superficially +superfluity's +superfluously +superhighways +superimposing +superintended +superiority's +superlatively +superlative's +supermarket's +supernaturals +supernumerary +superposition +supersaturate +superscribing +superscript's +superstitions +superstitious +supertanker's +supervision's +supplementary +supplementing +supplications +supposition's +suppositories +suppository's +suppressant's +suppression's +suppuration's +supranational +supremacist's +surreptitious +surrounding's +survivalist's +Susquehanna's +swallowtail's +swashbucklers +swashbuckling +sweepstakes's +switchblade's +switchboard's +Switzerland's +swordsmanship +syllabicating +syllabication +symbiotically +symbolization +symmetrically +sympathizer's +synchronicity +synchronizing +synchronously +syncopation's +syndication's +syntactically +synthesizer's +synthetically +systematizing +tablespoonful +tachycardia's +taciturnity's +tactfulness's +talkativeness +Tallahassee's +tangibility's +tantalization +tantalizingly +tastelessness +taxidermist's +Tchaikovsky's +teaspoonful's +Technicolor's +technocracies +technocracy's +technological +technologists +tediousness's +teenybopper's +teetotalism's +Tegucigalpa's +telecommuters +telecommuting +telegrapher's +telegraphists +telekinesis's +telemarketers +telemarketing +teleportation +teleprinter's +teleprompters +televangelism +televangelist +temperamental +temperament's +temperateness +temperature's +tempestuously +temporariness +tenaciousness +tendentiously +tenderhearted +tentativeness +tenuousness's +Teotihuacan's +tercentennial +termination's +terminologies +terminology's +Terpsichore's +terrestrially +terrestrial's +territorial's +tessellations +testimonial's +tetrahedron's +thalidomide's +thanklessness +Thanksgivings +thanksgivings +theatergoer's +theatricality +theatricals's +thenceforward +theologically +theoretically +theoreticians +theosophist's +thermodynamic +thermometer's +thermonuclear +thermoplastic +Thermopylae's +Thessalonians +thickheaded's +thingamabob's +thingamajig's +thirstiness's +thistledown's +thoroughbreds +thoroughfares +thoroughgoing +thoughtlessly +threateningly +thriftiness's +throatiness's +Thunderbird's +thunderbolt's +thunderclap's +thunderclouds +thunderhead's +thundershower +thunderstorms +thunderstruck +ticktacktoe's +Ticonderoga's +tiddlywinks's +timekeeping's +timeserving's +titillatingly +titillation's +titleholder's +toastmaster's +toastmistress +tobacconist's +tobogganing's +Tocqueville's +tonsillectomy +tonsillitis's +topdressing's +topographer's +topographical +topologically +torchbearer's +tortoiseshell +totalitarians +totalizator's +touchscreen's +townspeople's +toxicological +toxicologists +tracheotomies +tracheotomy's +tradeswoman's +traditionally +trafficking's +tragedienne's +tragicomedies +tragicomedy's +trailblazer's +trainspotters +trainspotting +tranquility's +tranquilizers +tranquilizing +transaction's +transatlantic +Transcaucasia +transceiver's +transcendence +transcriber's +transcription +transfiguring +transformable +transformer's +transfusion's +transgressing +transgression +transgressors +transistorize +transitioning +translation's +transliterate +translocation +translucently +transmigrated +transmigrates +transmissible +transmissions +transmittable +transmittal's +transmittance +transmitter's +transmutation +transnational +transparently +transpiration +transplanting +transponder's +transportable +transporter's +transposition +transsexual's +transshipment +transshipping +transvestites +Transylvanian +traumatically +treacherously +tremulousness +trencherman's +trepidation's +triangulating +triangulation +tribeswoman's +tribulation's +tricentennial +triceratops's +trichinosis's +triglycerides +trigonometric +Trinidadian's +triumvirate's +troposphere's +troublemakers +troubleshoots +troublesomely +trusteeship's +trustworthier +Tsiolkovsky's +tunefulness's +turbochargers +turbocharging +Tutankhamen's +twelvemonth's +typesetting's +typewriting's +typographer's +typographical +tyrannosaur's +tyrannosaurus +ultramarine's +ultraviolet's +unaccompanied +unaccountable +unaccountably +unadulterated +unadventurous +unambiguously +unanticipated +unappealingly +unappreciated +unawareness's +unceremonious +uncertainties +uncertainty's +uncircumcised +uncleanliness +uncleanness's +uncomfortable +uncomfortably +uncompensated +uncomplaining +uncomplicated +unconcernedly +unconditional +unconditioned +unconformable +unconquerable +unconsciously +unconscious's +unconsecrated +unconstrained +unconsummated +uncooperative +uncoordinated +underachieved +underachiever +underachieves +undercarriage +undercharge's +undercharging +underclassman +underclassmen +underclothing +undercoatings +undercurrents +underemployed +underestimate +underexposing +underexposure +undergarments +undergraduate +underground's +undergrowth's +underhandedly +underinflated +underpayments +underpinnings +undershooting +undershorts's +undersigned's +understanding +understudying +undertaking's +underthings's +underutilized +underweight's +underwhelming +underwriter's +undesirable's +undisciplined +undistributed +unearthliness +unembarrassed +unemotionally +unenforceable +unenlightened +unequivocally +unexceptional +unfamiliarity +unfashionable +unfashionably +unflinchingly +unforeseeable +unforgettable +unforgettably +unfortunately +unfortunate's +unfriendliest +ungentlemanly +ungodliness's +ungrammatical +unhappiness's +unhealthiness +unification's +unilateralism +unimaginative +unimpeachable +unimplemented +uninformative +uninhabitable +uninhibitedly +uninitialized +uninstallable +uninstaller's +unintelligent +unintentional +uninteresting +uninterpreted +uninterrupted +Unitarianisms +universalized +universalizes +unjustifiable +unjustifiably +unluckiness's +unmentionable +unnaturalness +unnecessarily +unobtrusively +unpasteurized +unprecedented +unpredictable +unpredictably +unpretentious +unpreventable +unproblematic +unquestioning +unrecoverable +unrelentingly +unreliability +unremittingly +unrepresented +unselfishness +unsentimental +unsightliness +unsoundness's +unspectacular +unsubscribing +unsubstantial +unsuitability +unsupportable +unsustainable +unsymmetrical +unsympathetic +untouchable's +untrustworthy +unwarrantable +unwillingness +unworldliness +upholsterer's +upperclassman +upperclassmen +uprightness's +urbanologists +uselessness's +utilitarian's +utilization's +vacationist's +vaccination's +vacillation's +vacuousness's +vagabondage's +valediction's +valedictorian +valedictories +valedictory's +variability's +variegation's +vaudevillians +vegetarianism +veggieburgers +ventilation's +ventriloquism +ventriloquist +ventriloquy's +venturesomely +venturousness +verbalization +vermiculite's +versatility's +versification +veterinarians +vibraphonists +vicariousness +vichyssoise's +viciousness's +vicissitude's +victimization +videocassette +vigilantism's +vigilantist's +Vijayanagar's +vinaigrette's +vindication's +violoncellist +violoncello's +viscountesses +viscountess's +visualization +viticulture's +viticulturist +vitrification +vitriolically +vivaciousness +Vivekananda's +vivisectional +vivisection's +Vladivostok's +vocalizations +voicelessness +voluntarism's +voraciousness +vulcanization +vulgarization +vulnerability +waggishness's +wainscoting's +wakefulness's +Wallenstein's +washerwoman's +Washingtonian +waspishness's +wastebasket's +watchmaking's +waterboarding +watercourse's +waterproofing +waywardness's +wealthiness's +weatherboards +weathercock's +weatherperson +weatherproofs +weatherstrips +webmistresses +webmistress's +Weierstrass's +weightiness's +weightlifters +weightlifting +Weissmuller's +welterweights +Westminster's +wheelbarrow's +wheelwright's +whereabouts's +wherewithal's +whiffletree's +whippletree's +whippoorwills +wholesomeness +Wilberforce's +willfulness's +willingness's +Windbreaker's +windbreaker's +windsurfing's +winsomeness's +wintergreen's +wiretapping's +Wisconsinites +wistfulness's +withholding's +witlessness's +Witwatersrand +Wolverhampton +womanliness's +wonderfulness +woodcarving's +woodcutting's +woodworking's +woolgathering +workmanship's +workstation's +worldliness's +worthlessness +wrongheadedly +xylophonist's +yachtswoman's +Yekaterinburg +yellowhammers +Yellowknife's +Yellowstone's +Yevtushenko's +Yoknapatawpha +Yugoslavian's +Zarathustra's +zealousness's +zestfulness's +Zoroastrian's +Zubenelgenubi +abbreviating +abbreviation +abdication's +aberrational +aberration's +abhorrence's +abjectness's +abjuration's +abnegation's +abolitionism +abolitionist +abominations +aboriginal's +abortionists +abrasiveness +abridgment's +abrogation's +abruptness's +abscission's +absentminded +absoluteness +absolution's +absolutism's +absolutist's +absorbency's +absorption's +abstemiously +abstention's +abstinence's +abstractedly +abstractions +abstractness +abstruseness +absurdness's +Abyssinian's +academically +academicians +accelerating +acceleration +accelerators +accentuating +accentuation +acceptance's +acceptations +accessioning +accessorized +accessorizes +accidentally +accidental's +acclimatized +acclimatizes +accommodated +accommodates +accompanists +accompanying +accomplice's +accomplished +accomplishes +accordance's +accordionist +accountant's +accounting's +acculturated +acculturates +accumulating +accumulation +accumulative +accumulators +accurateness +accursedness +accusation's +accusative's +achievements +acknowledged +acknowledges +acoustically +acquaintance +acquiescence +acquisitions +acrobatics's +acrophobia's +activation's +activeness's +adaptability +adaptation's +additionally +adequateness +adhesiveness +Adirondack's +adjectivally +adjournments +adjudicating +adjudication +adjudicative +adjudicators +adjudicatory +adjuration's +adjustment's +administered +administrate +admiration's +admittance's +admonishment +admonition's +adolescences +adolescent's +adorableness +adrenaline's +adroitness's +adsorption's +adulterant's +adulterating +adulteration +adulteresses +adulteress's +advancements +advantageous +adventitious +adventurer's +adventurists +advertiser's +advertorials +advisability +advisement's +aerobatics's +aerodynamics +aeronautical +aestheticism +aesthetics's +affability's +affectations +affectionate +affiliations +affirmations +affirmatives +affliction's +aficionado's +aforethought +Afrocentrism +afterbirth's +afterburners +aftereffects +afterimage's +aftermarkets +aftershave's +aftershock's +aftertaste's +afterthought +agglomerated +agglomerates +agglutinated +agglutinates +aggrandizing +aggravations +aggregations +aggregator's +aggression's +aggressively +agoraphobics +agribusiness +agricultural +agronomist's +airfreight's +Alamogordo's +Alcibiades's +alcoholism's +alderwoman's +Alexandria's +Algonquian's +alienation's +alkalinity's +allegation's +allegiance's +allegorist's +allegretto's +allergically +Allhallows's +alliterating +alliteration +alliterative +allocation's +allurement's +allusiveness +alphabetical +alphabetized +alphabetizer +alphabetizes +alphanumeric +altarpiece's +alteration's +altercations +alternations +alternatives +alternator's +amalgamating +amalgamation +amanuensis's +amateurishly +amateurism's +ambassador's +ambassadress +ambidextrous +ambivalently +ambulanceman +ambulancemen +ambulation's +ambulatories +ambulatory's +ameliorating +amelioration +ameliorative +amercement's +Americanisms +Americanized +Americanizes +Amerindian's +amiability's +ammunition's +amontillados +amortization +amphetamines +amphibiously +amphitheater +amputation's +Anabaptist's +anachronisms +analogically +analytically +anarchically +anathematize +anatomically +Anaxagoras's +ancestresses +ancestress's +anchorpeople +anchorperson +Andalusian's +Andromache's +anemometer's +anesthesia's +anesthetic's +anesthetists +anesthetized +anesthetizes +angiosperm's +Anglicanisms +Anglophile's +angularities +angularity's +animadverted +animalcule's +annexation's +annihilating +annihilation +annihilators +annotation's +announcement +Annunciation +annunciation +anointment's +answerphones +antagonism's +antagonistic +antagonist's +antagonizing +Antananarivo +Antarctica's +antecedent's +antechambers +antediluvian +anthologists +anthologized +anthologizes +anthracite's +Anthropocene +anthropoid's +anthropology +antiabortion +antiaircraft +antibiotic's +Antichrist's +anticipating +anticipation +anticipatory +anticlerical +anticlimaxes +anticlimax's +anticyclones +anticyclonic +antifascists +antifreeze's +antigenicity +antimacassar +antimalarial +antimatter's +antineutrino +antineutrons +antioxidants +antiparticle +antipathetic +antiphonally +antiphonal's +antipodean's +antiproton's +antiquarians +antirrhinums +antisemitism +antisepsis's +antiseptic's +antisocially +antithesis's +antithetical +Antoinette's +Apalachicola +aphrodisiacs +Apocalypse's +apocalypse's +apocryphally +apolitically +Apollonian's +apostatizing +apostrophe's +apothecaries +apothecary's +apotheosis's +Appalachians +Appalachia's +apparatchiks +apparition's +appearance's +appeasements +appellations +appendectomy +appendicitis +appertaining +appetizingly +applesauce's +applications +applicator's +appointments +Appomattox's +apportioning +appositeness +apposition's +appositive's +appreciating +appreciation +appreciative +appreciators +appreciatory +apprehending +apprehension +apprehensive +apprentice's +apprenticing +approachable +approbations +appropriated +appropriates +appropriator +approximated +approximates +appurtenance +aquamarine's +Araucanian's +arbitrager's +arbitrageurs +arbitraments +arbitrator's +arborvitae's +archbishop's +archdeacon's +archdiocesan +archdioceses +Archimedes's +archipelagos +architecture +architrave's +Argentinians +aristocratic +aristocrat's +Aristophanes +Aristotelian +arithmetical +arithmetic's +Armageddon's +aromatherapy +aromatically +arraignments +arrangements +arrhythmia's +arrhythmical +arrogation's +Artaxerxes's +artfulness's +arthroscopes +arthroscopic +articulately +articulating +articulation +artificially +artilleryman +artillerymen +artistically +ascendance's +ascendancy's +ascertaining +asceticism's +ascription's +asexuality's +Ashkenazim's +Ashurbanipal +asphyxiating +asphyxiation +aspidistra's +aspiration's +assassinated +assassinates +assemblage's +assessment's +asseverating +asseveration +assignations +assignment's +assimilating +assimilation +assistance's +associations +assortment's +assumption's +astigmatisms +astonishment +astoundingly +astringently +astringent's +astrologer's +astrological +astrologists +astronautics +astronomer's +astronomical +astrophysics +astuteness's +asymmetrical +asymptomatic +asynchronous +Athabaskan's +athletically +atmosphere's +atmospherics +attachment's +attainment's +attendance's +attestations +attitudinize +attractant's +attraction's +attractively +attributable +attributions +attributives +auctioneer's +audibility's +audiological +audiologists +audiometer's +audiophile's +audiovisuals +auditorium's +augmentation +augmentative +Augustinians +augustness's +Aureomycin's +auscultating +auscultation +auspiciously +Austerlitz's +Australasian +Australian's +Australoid's +Austronesian +authenticate +authenticity +authorship's +autodidact's +autographing +autoimmunity +automation's +automatism's +automatizing +automobile's +automobiling +autonomously +autoworker's +availability +avariciously +avitaminosis +Azerbaijanis +Azerbaijan's +Babylonian's +babysitter's +bacchanalian +bachelorhood +backbreaking +backgammon's +backgrounder +background's +backhandedly +backhander's +backpacker's +backpedaling +backslappers +backslapping +backslider's +backstabbers +backstabbing +backstopping +backstroke's +backstroking +backtracking +backwardness +backwoodsman +backwoodsmen +bactericidal +bactericides +bacteriology +bafflement's +Baha'ullah's +Balanchine's +balderdash's +ballistics's +balloonist's +ballplayer's +balustrade's +bandmaster's +Bangladeshis +Bangladesh's +banishment's +bankruptcies +bankruptcy's +bantamweight +baptisteries +baptistery's +Barbarella's +barbarianism +barbarically +Barbarossa's +barbershop's +barbiturates +barnstormers +barnstorming +Barquisimeto +Barranquilla +barrenness's +basketball's +basketwork's +Basseterre's +bassoonist's +bastardizing +Basutoland's +bathyscaphes +bathyspheres +battledore's +battlefields +battlefronts +battleground +battlement's +battleship's +Baudelaire's +beachcombers +beatifically +Beaujolais's +Beaumarchais +Beauregard's +beautician's +beautifier's +bedazzlement +bedclothes's +beefburger's +beekeeping's +befuddlement +begrudgingly +behaviorally +behaviorists +beleaguering +belittlement +belladonna's +belletristic +belletrist's +belligerence +belligerency +belligerents +bellwether's +bellybuttons +Belorussians +Belshazzar's +bemusement's +Benacerraf's +Benedictines +benedictions +benefactions +benefactor's +benefactress +beneficently +beneficially +benevolences +benevolently +Benzedrine's +bereavements +Berkshires's +Bernadette's +beseechingly +bespattering +bespectacled +bestiality's +bestseller's +Betelgeuse's +betterment's +bewilderment +bewitchingly +bibliography +bibliophiles +bicameralism +bicarbonates +bicentennial +bifurcations +bilingualism +billingsgate +billionaires +bimetallic's +biochemicals +biochemistry +biochemist's +biodegrading +biodiversity +biographer's +biographical +biologically +biophysicist +biophysics's +biosynthesis +bipolarity's +birdwatchers +Birmingham's +birthplace's +birthright's +birthstone's +bitchiness's +bitterness's +bittersweets +BitTorrent's +blabbermouth +blackamoor's +blackballing +Blackbeard's +blackberries +BlackBerry's +blackberry's +blackboard's +blackcurrant +blackguard's +blackjacking +blacklisting +blackmailers +blackmailing +Blackshirt's +blacksmith's +blacksnake's +Blackstone's +blackthorn's +blacktopping +blancmange's +blandishment +blasphemer's +bleariness's +blindfolding +blissfulness +blisteringly +blitheness's +blitzkrieg's +blockbusters +blockbusting +blockhouse's +Bloemfontein +bloodhound's +bloodiness's +bloodletting +bloodmobiles +bloodstained +bloodstain's +bloodstock's +bloodstreams +bloodsuckers +bloodsucking +bloodthirsty +Bloomfield's +Bloomingdale +Bloomsbury's +bluebonnet's +bluebottle's +bluejacket's +blueprinting +bluestocking +blurriness's +boastfulness +bobbysoxer's +bobsledder's +bodybuilders +bodybuilding +boilermakers +boisterously +Bolshevism's +Bolshevist's +bombardier's +bombardments +bondholder's +Bonhoeffer's +Bonneville's +bookbinder's +bookkeeper's +bookmaking's +bookmobile's +bookseller's +boomeranging +boondogglers +boondoggle's +boondoggling +bootlegger's +bootstrapped +borderland's +borderline's +Botticelli's +bottleneck's +bounciness's +boutonnieres +boutonnières +bowdlerizing +boyishness's +brackishness +Bradstreet's +braggadocios +Brahmanism's +brainchild's +braininess's +brainstormed +brainstorm's +brainteasers +brainwashing +brassiness's +Bratislava's +brawniness's +brazenness's +breadbaskets +breadboard's +breadcrumb's +breadfruit's +breadwinners +breakfasting +breakfront's +Breakspear's +breakthrough +breakwater's +breastbone's +breastplates +breaststroke +breastwork's +breathalyzed +Breathalyzer +breathalyzer +breathalyzes +breathlessly +breathtaking +Breckenridge +breeziness's +bricklayer's +Bridalveil's +bridegroom's +bridesmaid's +bridgehead's +Bridgeport's +Bridgetown's +bridgework's +brigandage's +brigantine's +brightener's +brightness's +brilliance's +brilliancy's +brilliantine +brinkmanship +Britannica's +broadcasters +broadcasting +broadcloth's +broadsheet's +broadsword's +brokenness's +bronchitis's +broncobuster +brontosaur's +Brontosaurus +brontosaurus +broomstick's +brotherhoods +Brownshirt's +brownstone's +Brunelleschi +brushstrokes +Brzezinski's +buccaneering +Buchenwald's +Buckingham's +budgerigar's +buffoonery's +bulletproofs +bullfighters +bullfighting +bullheadedly +bullshitters +bullshitting +Bullwinkle's +Bundesbank's +bureaucratic +bureaucrat's +burglarizing +burglarproof +burgomasters +Burgundian's +Burlington's +bushmaster's +bushwhackers +bushwhacking +businesslike +butterball's +butterflying +buttermilk's +butterscotch +buttonhole's +buttonholing +buttonwood's +cabinetmaker +cablecasting +Caerphilly's +cajolement's +calamitously +calculatedly +calculations +calculator's +calibrations +calibrator's +Californians +California's +calisthenics +calligrapher +calligraphic +callowness's +calumniating +calumniation +calumniators +Cameroonians +camiknickers +camouflagers +camouflage's +camouflaging +campaigner's +Campanella's +campground's +canalization +cancellation +candelabra's +candidatures +candidness's +candlesticks +candlewick's +cannelloni's +cannibalized +cannibalizes +cannonball's +canonization +Cantabrigian +cantaloupe's +cantankerous +Canterbury's +cantilevered +cantilever's +cantonment's +canvasback's +capabilities +capability's +Capablanca's +caparisoning +Capistrano's +capitalism's +capitalistic +capitalist's +capitalizing +capitation's +Capitoline's +capitulating +capitulation +cappuccino's +capriciously +captiousness +captivator's +caramelizing +Caravaggio's +carbohydrate +carbonaceous +carburetor's +carcinogenic +carcinogen's +cardiogram's +cardiographs +cardiologist +cardiology's +cardsharpers +carelessness +caricature's +caricaturing +caricaturist +carjacking's +Carmichael's +Carolinian's +Carpathian's +carpentering +carpetbagged +carpetbagger +carriageways +Carthaginian +cartographer +cartographic +cartoonist's +cartwheeling +Cartwright's +Casablanca's +casehardened +caseworker's +Cassiopeia's +castigator's +castration's +casualness's +catafalque's +cataleptic's +catastrophes +catastrophic +catchphrases +categorizing +caterpillars +caterwauling +catheterized +catheterizes +Catholicisms +cauliflowers +causticity's +cautiousness +cavalryman's +celebrations +celebrator's +cellophane's +censoriously +censorship's +centenarians +centennially +centennial's +centerboards +centerfold's +centerpieces +centiliter's +centimeter's +centrality's +centralizers +centralizing +centrifuge's +centrifuging +ceramicist's +cerebellum's +ceremonially +ceremonial's +certificated +certificates +chairmanship +chairpersons +chairwoman's +chalcedony's +chalkboard's +chalkiness's +Challenger's +challenger's +chamberlains +chambermaids +championship +chancellor's +chanciness's +chandelier's +Chandigarh's +Chandragupta +changelessly +changeling's +changeover's +channelizing +chanticleers +chaplaincies +chaplaincy's +Chaplinesque +characterful +characterize +charbroiling +Chardonnay's +chardonnay's +charioteer's +charismatics +charlatanism +Charleston's +chartreuse's +chasteness's +chastisement +chatelaine's +chatterboxes +chatterbox's +Chatterley's +Chatterton's +chattiness's +chauffeuring +Chautauqua's +chauvinism's +chauvinistic +chauvinist's +cheapskate's +checkerboard +checkpoint's +cheekiness's +cheerfullest +cheerfulness +cheeriness's +cheerleaders +cheeseboards +cheeseburger +cheesecake's +cheeseparing +cheesiness's +chemotherapy +Chernomyrdin +Chesapeake's +chessboard's +Chesterfield +chesterfield +Chesterton's +chickenpox's +chickenshits +chiffonier's +childbearing +childbirth's +childishness +childminders +childminding +childproofed +chilliness's +Chimborazo's +chimpanzee's +chinchilla's +chiropodists +chiropractic +chiropractor +chitchatting +Chittagong's +chitterlings +chivalrously +chlorinating +chlorination +chloroformed +chloroform's +chloroplasts +chocoholic's +choirmasters +choosiness's +choppiness's +choreographs +choreography +Christchurch +Christendoms +christenings +Christianity +Christianize +Christoper's +chromosome's +chronicler's +chronographs +chronologies +chronologist +chronology's +chronometers +Chrysostom's +châtelaine's +chubbiness's +chumminess's +chunkiness's +churchgoer's +churchwarden +churchyard's +churlishness +Cincinnati's +Cinderella's +circuitously +circularized +circularizes +circulations +circumcising +circumcision +circumflexes +circumflex's +circumscribe +circumstance +circumvented +citronella's +civilization +clairvoyance +clairvoyants +clamminess's +clangorously +clannishness +clapboarding +clapperboard +clarinetists +classicism's +classicist's +classifiable +classified's +classifier's +classiness's +Clausewitz's +clavichord's +Clemenceau's +Clementine's +clerestories +clerestory's +cleverness's +cliffhangers +cliffhanging +climatically +cliquishness +clodhopper's +closemouthed +clotheshorse +clotheslines +clothespin's +cloudburst's +cloudiness's +cloverleaf's +cloverleaves +clownishness +clumsiness's +Clydesdale's +Clytemnestra +coagulator's +coalitionist +coarseness's +cobblestones +Cochabamba's +cockatrice's +cockfighting +cockleshells +cocksucker's +codependency +codependents +codification +coefficients +coelenterate +coffeecake's +coffeehouses +coffeemakers +cogitation's +cognizance's +cohabitant's +cohabitation +cohesiveness +Coimbatore's +coincidences +coincidental +collaborated +collaborates +collaborator +collarbone's +collaterally +collateral's +collectibles +collection's +collectively +collective's +collectivism +collectivist +collectivize +collegiality +collocations +colloquially +colloquium's +colonialists +colonization +coloration's +coloratura's +colorfulness +colorization +combinations +combustibles +combustion's +comedienne's +comeliness's +comestible's +comeuppances +comfortingly +comicality's +commandant's +commandeered +commandments +commemorated +commemorates +commemorator +commencement +commendation +commendatory +commensurate +commentaries +commentary's +commentating +commentators +commercially +commercial's +commiserated +commiserates +commissariat +commissaries +commissary's +commissioned +commissioner +commission's +commitment's +committeeman +committeemen +commodiously +commonalty's +commonness's +commonplaces +commonweal's +Commonwealth +commonwealth +communicable +communicably +communicants +communicated +communicates +communicator +communique's +commutations +commutator's +companionway +comparatives +comparison's +compartments +compassion's +compatible's +compatriot's +compellingly +compendium's +compensating +compensation +compensatory +competence's +competencies +competency's +competitions +competitor's +compilations +complacently +complainants +complainer's +complaisance +complemented +complement's +completeness +completion's +complexional +complexioned +complexion's +complexities +complexity's +compliance's +complicating +complication +complicity's +complimented +compliment's +compositions +compositor's +compoundable +comprehended +compressible +compressor's +compromise's +compromising +comptrollers +compulsion's +compulsively +compulsories +compulsorily +compulsory's +compunctions +CompuServe's +computations +computerized +computerizes +concatenated +concatenates +concentrated +concentrates +Concepción's +Concepcion's +conceptional +conception's +conceptually +concertgoers +concertinaed +concertina's +concertizing +concessional +concession's +conciliating +conciliation +conciliators +conciliatory +conclusion's +conclusively +concoction's +concomitants +concordances +concreteness +concretion's +concupiscent +concurrences +concurrently +concussion's +condemnation +condemnatory +condensate's +condensation +condescended +conditionals +conditioners +conditioning +condolence's +condominiums +conduction's +conductivity +confabulated +confabulates +confectioner +confection's +confederated +Confederates +confederates +conference's +conferencing +conferment's +confessional +confession's +confidante's +confidence's +confidential +configurable +confinements +confirmation +confirmatory +confiscating +confiscation +confiscators +confiscatory +conflation's +confluence's +conformation +conformism's +conformist's +conformity's +Confucianism +congeniality +congenitally +congestion's +conglomerate +congratulate +congregant's +congregating +congregation +congruence's +conjecture's +conjecturing +conjugations +conjunctions +conjunctivas +conjunctives +conjunctures +conjurations +connection's +connective's +connectivity +conniption's +connivance's +connoisseurs +connotations +conquistador +conscience's +conscripting +conscription +consecrating +consecration +consequences +consequently +conservation +conservatism +Conservative +conservative +conservators +conservatory +considerable +considerably +consignments +consistences +consistently +consistories +consistory's +consolations +consolidated +consolidates +consolidator +consonance's +consortium's +conspectuses +conspectus's +conspiracies +conspiracy's +conspirators +constabulary +constipating +constipation +constituency +constituents +constituting +Constitution +constitution +constitutive +constraining +constraint's +constricting +constriction +constrictive +constrictors +constructing +construction +constructive +constructors +consulship's +consultant's +consultation +consultative +consumable's +consumerists +consummately +consummating +consummation +consumptives +contagiously +containerize +contaminants +contaminated +contaminates +contaminator +contemplated +contemplates +contemporary +contemptible +contemptibly +contemptuous +contention's +conterminous +contestant's +contextually +contiguity's +contiguously +continence's +continentals +contingently +contingent's +continuances +continuation +continuities +continuity's +continuously +contortion's +contraband's +contractible +contractions +contractor's +contradicted +contraptions +contrapuntal +contrarian's +contrariness +contrariwise +contravening +contributing +contribution +contributors +contributory +contriteness +contrition's +contrivances +controllable +controller's +controverted +contumacious +contumelious +conurbations +convalescent +convalescing +convectional +convection's +conveniences +conveniently +conventicles +conventional +convention's +convergences +conversation +conversion's +convertibles +conveyance's +conveyancing +conviction's +convincingly +conviviality +convocations +convolutions +convulsion's +convulsively +cooperatives +cooperator's +coordinately +coordinate's +coordinating +coordination +coordinators +Copacabana's +Copenhagen's +Copernican's +Copernicus's +copperhead's +Coppertone's +copulation's +copulative's +copyrighting +copywriter's +coquettishly +cordiality's +cordillera's +corespondent +Corinthian's +Coriolanus's +corkscrewing +cornerstones +cornflakes's +cornflower's +cornstarch's +cornucopia's +Cornwallis's +coronation's +corporations +corporeality +corpulence's +correctional +correction's +corrective's +correlations +correlatives +corresponded +corroborated +corroborates +corroborator +corrugations +corruption's +cosmetically +cosmeticians +cosmogonists +cosmological +cosmologists +cosmopolitan +cosponsoring +costliness's +cottonmouths +cottonseed's +cottontail's +cottonwood's +councilman's +councilwoman +councilwomen +countenanced +countenances +counteracted +counterblast +counterclaim +counterfeits +counterfoils +countermands +counterman's +countermoves +counteroffer +counterpanes +counterparts +counterpoint +counterpoise +countersigns +countersinks +counterspies +counterspy's +countertenor +countervails +countryman's +countrysides +countrywoman +countrywomen +courageously +courthouse's +covertness's +covetousness +cowardliness +cowcatcher's +cowpuncher's +crabbiness's +crackerjacks +craftiness's +craftspeople +cragginess's +crankiness's +crankshaft's +crapshooters +cravenness's +crawlspace's +creakiness's +creaminess's +creationisms +creationists +creativeness +creativity's +credentialed +credential's +creditworthy +creepiness's +crematoriums +crenelations +Cretaceous's +crewelwork's +criminalized +criminalizes +crispiness's +crisscrossed +crisscrosses +crisscross's +criticizer's +crocheting's +crossbones's +crossbreed's +crosschecked +crosscheck's +crosscurrent +crosscutting +crosshatched +crosshatches +crosspatches +crosspatch's +crosspiece's +crossroads's +crowdfunding +Crucifixions +crucifixions +Cruikshank's +crumminess's +crustacean's +crustiness's +cryogenics's +cryptogram's +cryptography +Cryptozoic's +crystallized +crystallizes +Culbertson's +culminations +cultivatable +cultivator's +Cumberland's +cummerbund's +cumulatively +cumulonimbus +Cunningham's +curability's +curmudgeonly +curmudgeon's +curriculum's +currycombing +curtailments +customhouses +cuttlefishes +cuttlefish's +cyberbullies +cyberbully's +cyberspace's +cyclometer's +cyclopedia's +cytologist's +Czechoslovak +daintiness's +dairywoman's +Darjeeling's +daydreamer's +décolletages +deactivating +deactivation +deadliness's +dealership's +deathwatches +deathwatch's +debasement's +debaucheries +debauchery's +debilitating +debilitation +debonairness +Debouillet's +debriefing's +decaffeinate +decampment's +decapitating +decapitation +decapitators +decelerating +deceleration +decelerators +decentralize +decimation's +decipherable +decisiveness +declamations +declarations +declassified +declassifies +declension's +decolletages +decolonizing +decommission +decompressed +decompresses +decongestant +deconstructs +decontrolled +decorating's +decoration's +decoratively +decorousness +decreasingly +decrescendos +dedication's +deductible's +deerstalkers +deescalating +deescalation +defacement's +defalcations +defamation's +defecation's +deficiencies +deficiency's +defilement's +definiteness +definition's +definitively +deflationary +deflection's +defoliator's +deformations +degeneracy's +degenerate's +degenerating +degeneration +degenerative +dehumanizing +dehumidified +dehumidifier +dehumidifies +dehydrator's +Delawarean's +delegation's +deleveraging +deliberately +deliberating +deliberation +deliberative +delicateness +delicatessen +delightfully +delimitation +delineations +delinquently +delinquent's +deliquescent +deliquescing +delphinium's +demagnetized +demagnetizes +demarcations +demilitarize +demimondaine +demobilizing +democratized +democratizes +Democritus's +demodulating +demodulation +demographers +demographics +demography's +demolition's +demonetizing +demoniacally +demonologies +demonology's +demonstrable +demonstrably +demonstrated +demonstrates +demonstrator +demoralizing +demotivating +demureness's +demystifying +denaturation +denominating +denomination +denominators +denotation's +denouement's +denouncement +dentifrice's +denuclearize +denudation's +denunciation +deodorizer's +departmental +department's +dependence's +dependencies +dependency's +depilatories +depilatory's +deployment's +depolarizing +depoliticize +depopulating +depopulation +deportations +deportment's +deposition's +depositories +depository's +depreciating +depreciation +depredations +depressant's +depressingly +depression's +depressive's +depressurize +deprivations +deprogrammed +deputation's +derailleur's +derailment's +deregulating +deregulation +derisiveness +derivation's +derivative's +dermatitis's +derogation's +derogatorily +desalinating +desalination +desalinizing +descendant's +descriptions +desegregated +desegregates +desensitized +desensitizes +desiccator's +designations +desirability +desolateness +desolation's +despairingly +despoliation +despondently +despotically +dessertspoon +destabilized +destabilizes +destinations +destructible +detachment's +detainment's +deteriorated +deteriorates +determinable +determinants +determinedly +determiner's +deterrence's +dethronement +detonation's +detraction's +devaluations +Devanagari's +devastator's +developments +devilishness +devitalizing +devolution's +devotional's +devoutness's +Dhaulagiri's +diabolically +diagrammatic +dialectics's +diamondbacks +dicotyledons +Dictaphone's +dictatorship +dictionaries +dictionary's +didactically +dielectric's +difference's +differential +difficulties +difficulty's +diffidence's +digitization +digression's +dilapidation +dilatation's +dilettante's +dilettantish +dilettantism +dillydallied +dillydallies +diminuendo's +diminution's +diminutive's +dinnertime's +dinnerware's +Diocletian's +diphtheria's +diplomatists +dipsomaniacs +dipsomania's +directness's +directorates +directorship +disabilities +disability's +disadvantage +disaffecting +disaffection +disaffiliate +disafforests +disagreeable +disagreeably +disagreement +disambiguate +disappearing +disappointed +disapproving +disarranging +disassembled +disassembles +disassociate +disastrously +disbarment's +disbelievers +disbelieving +disbursement +discerningly +discipleship +disciplinary +discipline's +disciplining +disclaimer's +disclosure's +discomfiting +discomfiture +discomforted +discomfort's +discommoding +discomposing +discomposure +disconcerted +disconnected +disconsolate +discontented +discontent's +discontinued +discontinues +discordantly +discotheques +discounter's +discouraging +discourteous +discoverer's +discrediting +discreetness +discreteness +discretion's +discriminant +discriminate +discursively +discussant's +discussion's +disdainfully +disembarking +disembodying +disemboweled +disenchanted +disencumbers +disentangled +disentangles +disestablish +disesteeming +disfranchise +disgorgement +disgruntling +disgustingly +dishabille's +disharmony's +disheartened +dishevelment +dishonesty's +dishonorable +dishonorably +dishwasher's +disillusions +disincentive +disinclining +disinfectant +disinfecting +disinfection +disinflation +disingenuous +disinherited +disintegrate +disinterests +disinterment +disinterring +disjointedly +dislocations +disloyalty's +dismembering +dismissively +Disneyland's +disobedience +disorganized +disorganizes +disorientate +disorienting +dispassion's +dispatcher's +dispensaries +dispensary's +dispensation +dispersion's +displacement +disposable's +dispositions +dispossessed +dispossesses +disputations +disputatious +disqualified +disqualifies +disquisition +disregardful +disregarding +disreputable +disreputably +disrespected +disrespect's +disruption's +disruptively +dissatisfied +dissatisfies +dissection's +dissemblance +dissembler's +disseminated +disseminates +dissension's +dissertation +disservice's +dissidence's +dissimulated +dissimulates +dissimulator +dissociating +dissociation +dissonance's +dissuasion's +distension's +distention's +distillate's +distillation +distilleries +distillery's +distinctions +distinctness +distortion's +distractedly +distractions +distributing +distribution +distributive +distributors +disturbances +disturbingly +ditransitive +divergence's +diversifying +diversionary +divestitures +divestment's +divination's +divisibility +divisiveness +divorcements +dockworker's +doctrinaires +dogcatcher's +doggedness's +dogmatically +domestically +domesticated +domesticates +domination's +dominatrices +dominatrix's +donnybrook's +Doonesbury's +doorkeeper's +doorknockers +doorstepping +doppelganger +doppelgänger +Dostoevsky's +doubleheader +doubtfulness +downloadable +downshifting +downsizing's +downstairs's +draftiness's +dérailleur's +drainboard's +dramatically +draughtboard +drawbridge's +drawstring's +dreadfulness +dreadlocks's +dreadnoughts +dreaminess's +dreamworld's +dreariness's +dressiness's +dressmaker's +drillmasters +driveshaft's +droopiness's +drowsiness's +Düsseldorf's +dumbfounding +Dumbledore's +dumbwaiter's +dunderhead's +duplicator's +durability's +Dusseldorf's +Dustbuster's +dysfunctions +dysprosium's +Earnestine's +earsplitting +earthiness's +earthquake's +earthshaking +eavesdropped +eavesdropper +ebullience's +ebullition's +eccentricity +Ecclesiastes +ecclesiastic +echinoderm's +echolocation +eclectically +ECMAScript's +ecologically +economically +economizer's +ecotourism's +ecotourist's +ecstatically +Ecuadorian's +ecumenically +edibleness's +editorialize +editorship's +educationist +effacement's +effectuating +effeminacy's +effeminately +effervescent +effervescing +effeteness's +efficiencies +efficiency's +efflorescent +effortlessly +effrontery's +effulgence's +effusiveness +egalitarians +egocentric's +egoistically +Egyptology's +eighteenth's +Eisenhower's +Eisenstein's +ejaculations +elaborations +elasticity's +elasticizing +elderberries +elderberry's +electioneers +electorate's +electrically +electricians +electrifiers +electrifying +electrocuted +electrocutes +electrolysis +electrolytes +electrolytic +electroplate +electroscope +electroshock +electrotypes +eleemosynary +eliminations +Elizabethans +elliptically +elocutionary +elocutionist +elongation's +elucidations +emaciation's +emancipating +emancipation +emancipators +emasculating +emasculation +embankment's +embarkations +embarrassing +embellishing +embezzlement +embitterment +emblazonment +embodiment's +embolization +embouchure's +embrocations +embroiderers +embroideries +embroidering +embroidery's +embryologist +embryology's +emendation's +emigration's +emotionalism +emotionalize +emphatically +empiricism's +empiricist's +emplacements +employment's +emulsifier's +enamelware's +encampment's +encapsulated +encapsulates +encasement's +encephalitic +encephalitis +enchantingly +enchantments +encirclement +encompassing +encountering +encroachment +encrustation +encumbrances +encyclical's +encyclopedia +encyclopedic +encystment's +endangerment +endearment's +endocarditis +endogenously +endorsements +enervation's +enfeeblement +enfranchised +enfranchises +engagement's +Englishman's +Englishmen's +Englishwoman +Englishwomen +engulfment's +enhancements +enjambment's +enlargements +enlightening +enlistment's +enmeshment's +enormousness +enrichment's +enrollment's +enshrinement +entailment's +entanglement +Enterprise's +enterprise's +enterprising +entertainers +entertaining +enthrallment +enthronement +enthusiasm's +enthusiastic +enthusiast's +enticement's +entitlements +entombment's +entomologist +entomology's +entrancement +entrancingly +entrapment's +entreatingly +entrenchment +entrepreneur +enumerations +enumerator's +environments +eosinophilic +epidemically +epidemiology +epiglottises +epiglottis's +epigrammatic +Epimethius's +episcopacy's +Episcopalian +episcopate's +episodically +epistemology +epithelium's +equability's +equalization +equanimity's +equestrian's +equestrienne +equilaterals +equitation's +equivalences +equivalently +equivalent's +equivocating +equivocation +equivocators +eradicator's +Eratosthenes +ergonomics's +ergosterol's +Erlenmeyer's +eructation's +erysipelas's +erythrocytes +erythromycin +escalation's +escapement's +escapologist +escarpment's +escritoire's +escutcheon's +esoterically +espadrille's +establishing +estimation's +estrangement +ethnocentric +ethnographer +ethnographic +ethnological +ethnologists +ethologist's +etymological +etymologists +eucalyptuses +eucalyptus's +eugenicist's +euphoniously +euphorically +Eurodollar's +Eustachian's +euthanasia's +evacuation's +evaluation's +evangelicals +Evangelina's +Evangeline's +evangelism's +evangelistic +Evangelist's +evangelist's +evangelizing +Evansville's +evaporator's +evenhandedly +eventfulness +Everglades's +everlastings +everything's +eviscerating +evisceration +evolutionary +evolutionist +exacerbating +exacerbation +exactitude's +exaggerating +exaggeration +exaggerators +exaltation's +examinations +exasperating +exasperation +excavation's +excellence's +Excellencies +excellencies +Excellency's +excellency's +exchangeable +excitability +excitation's +excitement's +exclamations +exclusionary +excoriations +excrescences +excruciating +excursionist +execration's +executioners +exemplifying +exhalation's +exhaustion's +exhaustively +exhibition's +exhilarating +exhilaration +exhortations +exhumation's +exobiology's +exorbitantly +exoskeletons +expansionary +expansionism +expansionist +expatriate's +expatriating +expatriation +expectancy's +expectations +expectorants +expectorated +expectorates +expedience's +expediencies +expediency's +expedition's +expendable's +expenditures +experience's +experiencing +experiential +experimental +experimented +experimenter +experiment's +expertness's +expiration's +explanations +explications +explicitness +exploitation +exploitative +explorations +exposition's +expostulated +expostulates +expression's +expressively +expressway's +expropriated +expropriates +expropriator +expurgations +extemporized +extemporizes +exterminated +exterminates +exterminator +externalized +externalizes +extinction's +extinguished +extinguisher +extinguishes +extortionate +extortioners +extortionist +extraction's +extraditable +extraditions +extramarital +extraneously +extrapolated +extrapolates +extrasensory +extravagance +extravaganza +extroversion +exuberance's +exultation's +exurbanite's +eyedropper's +eyewitnesses +eyewitness's +fabrications +fabricator's +facilitating +facilitation +facilitators +facsimileing +factionalism +Fahrenheit's +fainthearted +fairground's +Faisalabad's +faithfulness +fallaciously +fallibleness +familiarized +familiarizes +fanaticism's +fancifulness +fascinations +fashionistas +Fassbinder's +fastidiously +fatherhood's +fatherland's +faultfinders +faultfinding +faultiness's +Fauntleroy's +favoritism's +fearlessness +fecklessness +federalism's +Federalist's +federalist's +federalizing +federation's +feebleness's +felicitating +felicitation +felicitously +fellowship's +femaleness's +femininity's +fenestration +Ferlinghetti +fermentation +fertilizer's +fettuccine's +feverishness +fiberboard's +fiberglass's +fibrillating +fibrillation +fickleness's +fictionalize +fictitiously +fiddlesticks +fieldworkers +fierceness's +figuration's +figuratively +figurehead's +filibustered +filibusterer +filibuster's +filthiness's +filtration's +finalization +fingerboards +fingerling's +fingernail's +fingerprints +firebombings +firecrackers +firefighters +firefighting +firelighters +fireproofing +fishmonger's +fisticuffs's +fitfulness's +Fitzgerald's +flabbergasts +flabbiness's +flaccidity's +flagellating +flagellation +flamboyantly +flameproofed +flamethrower +flammability +flashiness's +flashlight's +flatteringly +flatulence's +flawlessness +fleeciness's +fleetingly's +fleetingness +flimflamming +flimsiness's +flirtation's +floodlighted +floodlight's +floodplain's +floodwater's +floorboard's +floorwalkers +floppiness's +Florentine's +floridness's +fluctuations +fluffiness's +fluorescence +fluoridating +fluoridation +fluorocarbon +fluoroscopes +fluoroscopic +flycatcher's +flyswatter's +folklorist's +folksiness's +folksinger's +foolhardiest +footballer's +footbridge's +footlights's +footlocker's +footslogging +forbiddingly +forcefulness +foreboding's +forecaster's +forecastle's +foreclosures +forefather's +forefinger's +foregrounded +foreground's +forensically +foreordained +foreperson's +forequarters +forerunner's +foreshadowed +foreshortens +forestalling +forestland's +forfeiture's +forgathering +formaldehyde +formatting's +formlessness +formulations +formulator's +fornicator's +forthrightly +fortuitously +foundational +foundation's +fountainhead +Fourneyron's +fourposter's +fourteenth's +fractionally +franchisee's +franchiser's +Franciscan's +frangibility +Frankenstein +frankfurters +frankincense +fraternities +fraternity's +fraternizers +fraternizing +fratricide's +fraudulently +freakishness +freebooter's +freeholder's +freelancer's +freeloader's +freestanding +freethinkers +freethinking +freewheeling +frenetically +frequenter's +freshwater's +fricasseeing +friendliness +friendship's +Frigidaire's +frigidness's +friskiness's +frogmarching +frontbencher +frontbenches +frontiersman +frontiersmen +frontispiece +frostiness's +frothiness's +frowziness's +fruitfulness +fruitiness's +frustrations +fulminations +fumigation's +functionally +fundamentals +fundraiser's +fusibility's +fussbudget's +futurologist +futurology's +Fuzzbuster's +gadolinium's +Gainsborough +gallbladders +gallivanting +Galsworthy's +galvanometer +gamekeeper's +gamesmanship +garishness's +garnisheeing +garnishments +gastronomy's +gatecrashers +gatecrashing +gatekeeper's +gaucheness's +gemologist's +genealogical +genealogists +generalist's +generalities +generality's +generalizing +generational +generation's +generosities +generosity's +generousness +geneticist's +gentlefolk's +gentleness's +genuflecting +genuflection +geochemistry +geographer's +geographical +geologically +geomagnetism +geophysicist +geophysics's +geopolitical +Georgetown's +geosynclines +geriatrician +geriatrics's +gerrymanders +gesticulated +gesticulates +Gethsemane's +Gettysburg's +Ghibelline's +ghostwriters +ghostwriting +ghostwritten +ghoulishness +Giacometti's +gigantically +gingersnap's +gingivitis's +girlfriend's +glaciation's +gladiatorial +glassblowers +glassblowing +glassiness's +Glaswegian's +glenohumeral +glimmering's +globetrotter +glockenspiel +gloominess's +glossiness's +Gloucester's +gluttonously +Gnosticism's +goalkeeper's +goaltender's +gobbledygook +goddaughters +goldbrickers +goldbricking +Goldilocks's +Gondwanaland +gooseberries +gooseberry's +goosebumps's +goosestepped +gorgeousness +Gorgonzola's +gormandizers +gormandizing +governance's +governmental +government's +governorship +gracefulness +graciousness +gradualism's +graduation's +graininess's +grammarian's +gramophone's +grandchild's +granddaddies +granddaddy's +grandfathers +grandmothers +grandnephews +grandniece's +grandparents +grandstanded +grandstand's +granduncle's +grapefruit's +graphologist +graphology's +grasshoppers +gratefulness +gratifyingly +gratuitously +gravediggers +gravestone's +gravimeter's +greasiness's +greathearted +greediness's +greengrocers +greenhouse's +Greenpeace's +Greensboro's +Greensleeves +greensward's +gregariously +Grenadines's +griddlecakes +grievousness +grindstone's +grisliness's +grittiness's +grogginess's +groundcloths +groundlessly +groundsheets +groundswells +groundwork's +grubbiness's +gruesomeness +grumpiness's +Guadalquivir +Guadeloupe's +Guallatiri's +Guantanamo's +guaranteeing +guardhouse's +guardianship +Guatemalan's +guesstimated +guesstimates +Guggenheim's +guillotine's +guillotining +guiltiness's +Gujranwala's +gunfighter's +gunrunning's +gunslinger's +guttersnipes +Gwendoline's +gymnastics's +gymnosperm's +gynecologist +gynecology's +haberdashers +haberdashery +habiliment's +habitability +habitation's +habitualness +hacktivist's +hagiographer +hairbreadths +hairdressers +hairdressing +hairsbreadth +hairsplitter +hairspring's +hairstylists +hallelujah's +hallucinated +hallucinates +hallucinogen +Hammarskjold +hammerhead's +hammerlock's +hamstringing +handbarrow's +handcrafting +handicappers +handicapping +handicraft's +handkerchief +handmaiden's +handshakings +handsomeness +handspring's +Hanoverian's +happenstance +harassment's +harbormaster +hardheadedly +hardscrabble +Hargreaves's +harmlessness +harmonically +harmoniously +harmonizer's +harpsichords +Harrington's +Harrisburg's +hatemonger's +headhunter's +headmaster's +headmistress +headquarters +headshrinker +headteachers +headwaiter's +headwaters's +heartbreak's +hearthstones +heartiness's +heartrending +heartstrings +heartthrob's +heartwarming +heathendom's +heathenism's +heatstroke's +heavyhearted +heavyweights +hectometer's +hedgehopping +heedlessness +Heidelberg's +Heisenberg's +helicoptered +helicopter's +heliocentric +Heliopolis's +heliotrope's +Hellespont's +helplessness +hematologist +hematology's +hemisphere's +hemoglobin's +hemophiliacs +hemophilia's +hemorrhage's +hemorrhaging +hemorrhoid's +hemstitching +henceforward +Hephaestus's +heptathlon's +Heraclitus's +hermetically +Hermosillo's +herniation's +hesitatingly +hesitation's +heterodoxy's +heterosexual +heuristics's +hexadecimals +hibernator's +hierarchical +hieroglyphic +hieroglyph's +Hieronymus's +Higashiosaka +highhandedly +Highlander's +highlander's +highlighters +highlighting +highwayman's +Hildebrand's +Hindenburg's +hindquarters +Hindustani's +hinterland's +Hipparchus's +hippodrome's +hippopotamus +Hispaniola's +histologists +historically +hitchhiker's +hoarseness's +hobbyhorse's +hodgepodge's +Hofstadter's +Hohenstaufen +Hohenzollern +holidaymaker +holistically +hollowness's +holography's +homecoming's +homelessness +homeliness's +homemaking's +homeopathy's +homesickness +homesteaders +homesteading +homewreckers +homogenizing +homophobia's +homosexual's +honeycombing +honeymooners +honeymooning +honeysuckles +honorarium's +hootenannies +hootenanny's +hopelessness +hopscotching +horizontally +horizontal's +hornblende's +Hornblower's +horologist's +horrendously +horribleness +horrifically +horrifyingly +horseflesh's +horselaugh's +horsemanship +horsepower's +horseshoeing +horsetrading +horsewhipped +horsewoman's +horticulture +hospholipase +hospitalized +hospitalizes +housebreaker +housecleaned +householders +househusband +housekeepers +housekeeping +housemasters +housemothers +houseparents +houseplant's +housewares's +housewarming +hovercraft's +Huddersfield +hullabaloo's +humaneness's +humanitarian +humanities's +humanization +humbleness's +humidifier's +humiliations +hummingbirds +humorousness +hungriness's +Huntington's +Huntsville's +husbandman's +Hutchinson's +hydraulics's +hydrocarbons +hydrodynamic +hydrogenated +hydrogenates +hydrologists +hydrolysis's +hydrometer's +hydrometry's +hydrophone's +hydroplane's +hydroplaning +hydrotherapy +hygienically +hygrometer's +hyperlinking +hypermarkets +hypermedia's +hypertension +hypertensive +hyperthyroid +hyphenations +hypnotherapy +hypnotically +hypochondria +hypocritical +hypodermic's +hypoglycemia +hypoglycemic +hypotenuse's +hypothalamus +hypothesis's +hypothesized +hypothesizes +hypothetical +hysterectomy +hysterically +icebreaker's +iconoclasm's +iconoclastic +iconoclast's +idealization +identifiable +ideologist's +idiosyncrasy +idolatresses +idolatress's +Ijsselmeer's +illegalities +illegality's +illegibility +illegitimacy +illegitimate +illiberality +Illinoisan's +illiteracy's +illiterately +illiterate's +illogicality +illuminating +illumination +Illuminati's +illusionists +illustrating +illustration +illustrative +illustrators +imaginations +imbecilities +imbecility's +immaculately +immaterially +immaturity's +immeasurable +immeasurably +immemorially +immobility's +immobilizers +immobilizing +immoderately +immolation's +immoralities +immorality's +immortalized +immortalizes +immovability +immunization +immunologist +immunology's +immutability +impairment's +impalement's +impartiality +impatience's +impeachments +impediment's +impenetrable +impenetrably +impenitently +imperatively +imperative's +imperceptive +imperfection +imperialists +imperishable +imperishably +impermanence +impersonally +impersonated +impersonates +impersonator +impertinence +imperviously +impishness's +implantation +implementing +implications +implicitness +impoliteness +imponderable +importance's +importations +imposition's +impoverished +impoverishes +imprecations +impregnating +impregnation +impresario's +impression's +impressively +imprimatur's +imprisonment +improvements +improvidence +improviser's +imprudence's +imputation's +inaccessible +inaccessibly +inaccuracies +inaccuracy's +inaccurately +inactivating +inactivation +inactivity's +inadequacies +inadequacy's +inadequately +inadmissible +inadvertence +inapplicable +inarticulacy +inarticulate +inaudibility +inaugurating +inauguration +inauspicious +inbreeding's +incalculable +incalculably +incandescent +incantations +incapability +incapacitate +incapacity's +incarcerated +incarcerates +incarnadined +incarnadines +incarnations +incautiously +incendiaries +incendiary's +incestuously +incidentally +incidental's +incinerating +incineration +incinerators +incipience's +incisiveness +incitement's +incivilities +incivility's +inclemency's +inclinations +incoherently +incommodious +incomparable +incomparably +incompatible +incompatibly +incompetence +incompetency +incompetents +incompletely +inconclusive +inconsistent +inconsolable +inconsolably +inconstantly +incontinence +inconvenient +Incorporated +incorporated +incorporates +incorrigible +incorrigibly +increasingly +incriminated +incriminates +incrustation +incubation's +incumbencies +incumbency's +indebtedness +indecision's +indecisively +indecorously +indefeasible +indefeasibly +indefensible +indefensibly +indefinitely +indelicacies +indelicacy's +indelicately +indemnifying +indentations +Independence +independence +independents +indexation's +Indianapolis +indication's +indicatively +indicative's +indictment's +indifference +indigestible +indirectness +indiscipline +indiscreetly +indiscretion +indisputable +indisputably +indissoluble +indissolubly +indistinctly +individually +individual's +individuated +individuates +indoctrinate +Indonesian's +inducement's +inductance's +indulgence's +industrially +ineffability +inefficacy's +inefficiency +inelegance's +ineligible's +ineptitude's +inequalities +inequality's +ineradicable +inessentials +inevitable's +inexpedience +inexpediency +inexperience +inexplicable +inexplicably +inexpressive +inextricable +inextricably +infanticides +infarction's +infatuations +infectiously +infelicities +infelicitous +infelicity's +infestations +infidelities +infidelity's +infighting's +infiltrating +infiltration +infiltrators +infinitive's +infinitude's +inflammation +inflammatory +inflatable's +inflationary +inflectional +inflection's +infliction's +inflorescent +infomercials +infotainment +infraction's +infrequently +infringement +ingloriously +ingratiating +ingratiation +ingredient's +inhabitant's +inhalation's +inharmonious +inheritances +inhibition's +inhospitable +inhospitably +inhumanities +inhumanity's +iniquitously +initializing +initiation's +initiative's +injunction's +innateness's +innovation's +innumeracy's +inoculations +inordinately +inquietude's +inquisitions +inquisitor's +insalubrious +inscriptions +insecticidal +insecticides +insectivores +insecurities +insecurity's +inseminating +insemination +inseparables +insinuations +insinuator's +insipidity's +insistence's +insobriety's +insolubility +insolvencies +insolvency's +inspection's +inspectorate +inspirations +installation +installments +Instamatic's +instantiated +instantiates +instigator's +instillation +instituter's +institutions +instructions +instructor's +instrumental +instrumented +instrument's +insufferable +insufferably +insufficient +insularity's +insulation's +insurgence's +insurgencies +insurgency's +insurrection +intangible's +integument's +intellectual +intelligence +intelligible +intelligibly +intemperance +intensifiers +intensifying +intentness's +interactions +intercepting +interception +interceptors +intercession +intercessors +intercessory +interchanged +interchanges +interconnect +interdicting +interdiction +interference +interferon's +interjecting +interjection +interlarding +interleaving +interlinings +interlinking +interlocking +interlocutor +interloper's +intermarried +intermarries +intermediary +intermediate +intermezzo's +interminable +interminably +intermingled +intermingles +intermission +intermittent +internalized +internalizes +internment's +internship's +interpolated +interpolates +interpreters +interpreting +interpretive +interregnums +interrelated +interrelates +interrogated +interrogates +interrogator +interrupters +interrupting +interruption +intersecting +intersection +intersession +interspersed +intersperses +interstate's +interstellar +interstice's +interstitial +intertwining +intervention +interviewees +interviewers +interviewing +intervocalic +interweaving +intimation's +intimidating +intimidation +intolerantly +intonation's +intoxicant's +intoxicating +intoxication +intracranial +intransigent +intransitive +intrauterine +intriguingly +introduction +introductory +introspected +introversion +inundation's +invalidating +invalidation +invalidism's +invalidity's +invariable's +inventorying +invertebrate +investigated +investigates +investigator +investitures +investment's +inveteracy's +invigilating +invigilation +invigilators +invigorating +invigoration +invisibility +invitational +invitation's +invocation's +involution's +involvements +invulnerable +invulnerably +ionization's +ionosphere's +irascibility +iridescently +Irishwoman's +Irishwomen's +irrationally +irrational's +irredeemable +irredeemably +irregardless +irregularity +irrelevances +irrelevantly +irremediable +irremediably +irresistible +irresistibly +irresolutely +irresolution +irrespective +irreverently +irreversible +irreversibly +irrigation's +irritability +irritatingly +irritation's +Islamophobia +Islamophobic +isolationism +isolationist +isometrics's +jackhammer's +jackrabbit's +Jacksonian's +Jacksonville +Jacqueline's +jaggedness's +jardiniere's +jardinière's +jauntiness's +JavaScript's +jawbreaker's +jaywalking's +Jeffersonian +jeopardizing +jimsonweed's +jinrikisha's +jitterbugged +jitterbugger +jocoseness's +jocularity's +Jogjakarta's +Johannesburg +johnnycake's +journalese's +journalism's +journalistic +journalist's +journeyman's +joyfulness's +joyousness's +jubilation's +judgmentally +judicatories +judicatory's +judicature's +Juggernaut's +juggernaut's +jurisdiction +kaffeeklatch +Kafkaesque's +kaleidoscope +Kalgoorlie's +Kamehameha's +Kanchenjunga +Kazakhstan's +Kentuckian's +kettledrum's +keyboarder's +keyboardists +keypuncher's +Khabarovsk's +Khachaturian +Khrushchev's +kidnapping's +kindergarten +kindliness's +kinematics's +kingfisher's +Kirghistan's +Kitakyushu's +kitchenettes +kleptomaniac +klutziness's +Kngwarreye's +knickknack's +knighthood's +knightliness +knockwurst's +knuckleheads +Kodachrome's +Kommunizma's +kookaburra's +Kremlinology +Krishnamurti +Kristopher's +Krugerrand's +Kuomintang's +Kyrgyzstan's +laboratories +laboratory's +labyrinthine +laceration's +ladyfinger's +Lagrangian's +Lamentations +lamentations +lamination's +lamplighters +Lancashire's +landholder's +landholdings +landlubber's +landowning's +landscaper's +Langerhans's +languorously +laparoscopic +largehearted +laryngitis's +lasciviously +latticeworks +launderettes +Laundromat's +laundromat's +laundryman's +laundrywoman +laundrywomen +laureateship +lavishness's +lawbreaker's +lawfulness's +lawrencium's +leadership's +leapfrogging +leaseholders +leathernecks +lectureships +legalization +legibility's +legionnaires +legislator's +legislatures +legitimacy's +legitimately +legitimating +legitimatize +legitimizing +leopardesses +leopardess's +leprechaun's +lesbianism's +letterhead's +levitation's +lexicography +liberalism's +liberality's +liberalizing +liberation's +libertarians +librettist's +Libreville's +licentiate's +licentiously +Lichtenstein +lieutenant's +lifelessness +lifesaving's +lighthearted +lighthouse's +lightweights +likability's +likelihood's +likeliness's +Liliuokalani +Lilliputians +limberness's +limitation's +limpidness's +linebacker's +Lipizzaner's +lipreading's +liquefaction +liquidations +liquidator's +liquidizer's +listlessness +literariness +literature's +lithographed +lithographer +lithographic +lithograph's +lithospheres +Lithuanian's +litigation's +litterateurs +littleness's +littérateurs +liturgically +livability's +livelihood's +liveliness's +Liverpudlian +liverwurst's +Livingston's +loansharking +lobotomizing +localization +locomotion's +locomotive's +loganberries +loganberry's +loggerhead's +logicality's +logistically +logrolling's +Lollobrigida +lollygagging +loneliness's +lonesomeness +Longfellow's +longitudinal +longshoreman +longshoremen +longstanding +Longstreet's +lopsidedness +loquaciously +lordliness's +loudhailer's +loudspeakers +Louisianan's +Louisianians +Louisville's +loveliness's +lovemaking's +lubricator's +lubriciously +Lubumbashi's +lugubriously +lukewarmness +lumberjack's +lumberyard's +luminescence +luminosity's +lumpectomies +luncheonette +Lupercalia's +lusciousness +Lutheranisms +Luxembourger +Luxembourg's +luxuriance's +lymphocyte's +Lysistrata's +macadamizing +Macedonian's +maceration's +machinations +mackintoshes +mackintosh's +macrobiotics +Madagascan's +Madagascar's +mademoiselle +Magellanic's +magistracy's +magistrate's +magnetically +magnetizable +magnetometer +magnificence +magniloquent +Magnitogorsk +Mahayanist's +Maidenform's +maidenhair's +maidenhead's +maidenhood's +maidservants +Maimonides's +mainspring's +mainstreamed +mainstream's +maintainable +maisonette's +majestically +majoritarian +malapropisms +malcontent's +maledictions +malefactor's +malevolently +malformation +malfunctions +malignancies +malignancy's +malingerer's +Malinowski's +malleability +malnourished +malnutrition +malocclusion +Malplaquet's +malpractices +Malthusian's +maltreatment +management's +manageresses +Manchester's +Manchurian's +Mandelbrot's +maneuverable +maneuverings +manicurist's +manipulating +manipulation +manipulative +manipulators +Manitoulin's +manservant's +manslaughter +mantelpieces +manufactured +manufacturer +manufactures +manumissions +manuscript's +Mapplethorpe +maraschino's +marathoner's +marginalia's +marginalized +marginalizes +Marguerite's +marination's +marionette's +marketplaces +marksmanship +marlinespike +marriageable +Marseillaise +Marseilles's +marshmallows +martingale's +Martinique's +Marylander's +masqueraders +masquerade's +masquerading +mastectomies +mastectomy's +MasterCard's +masterminded +mastermind's +masterpieces +masterstroke +masterwork's +masturbating +masturbation +masturbatory +matchmaker's +matchstick's +materialists +materialized +materializes +mathematical +matriarchies +matriarchy's +matriculated +matriculates +Matterhorn's +maturation's +Maupassant's +Mauritanians +Mauritania's +Maximilian's +maximization +mayonnaise's +McCullough's +McLaughlin's +McNaughton's +meadowlark's +meagerness's +mealymouthed +meaningfully +measurements +mechanically +medicament's +medication's +medievalists +mediocrities +mediocrity's +meditation's +meditatively +meerschaum's +meetinghouse +megachurches +megachurch's +megalomaniac +melancholics +melancholy's +Melanesian's +mellowness's +melodramatic +membership's +memorability +memorandum's +memorialized +memorializes +memorization +mendaciously +mendicancy's +meningitis's +Menkalinan's +menstruating +menstruation +mercantilism +merchandised +merchandiser +merchandises +merchantable +meretricious +meritocratic +merrymaker's +mesmerizer's +Mesolithic's +Mesopotamian +mesosphere's +messeigneurs +metabolism's +metabolite's +metabolizing +metacarpal's +metacarpus's +metalanguage +metallurgist +metallurgy's +metalworkers +metalworking +metamorphism +metamorphose +metaphorical +metaphysical +metastasis's +metastasized +metastasizes +metatarsal's +metatarsus's +metathesis's +meteorically +meteorologic +methodically +methotrexate +Methuselah's +meticulously +metropolises +metropolis's +metropolitan +Metternich's +Michaelmases +Michaelmas's +Michelangelo +Michiganders +microbiology +microbrewery +microcircuit +microfiber's +microfiche's +microfilming +microgrooves +microlight's +micromanaged +micromanages +micrometer's +Micronesia's +microphone's +microscope's +microscopy's +microseconds +microsurgery +microwavable +middlebrow's +middleweight +midsection's +midshipman's +Midwesterner +Midwestern's +mightiness's +mignonette's +militarism's +militaristic +militarist's +militarizing +militiaman's +millennial's +millennium's +milliliter's +millimeter's +millionaires +milliseconds +millstream's +millwright's +milquetoasts +mimeographed +mimeograph's +mindlessness +mineralogist +mineralogy's +minestrone's +minesweepers +miniaturists +miniaturized +miniaturizes +minicomputer +minifloppies +minimalism's +minimalist's +minimization +miniseries's +ministrant's +ministration +minnesingers +Minnesotan's +minstrelsy's +minuteness's +miraculously +mirthfulness +misaddressed +misaddresses +misadventure +misalignment +misalliances +misanthropes +misanthropic +misapprehend +miscalculate +miscarriages +miscellanies +miscellany's +misconceived +misconceives +misconducted +misconduct's +misconstrued +misconstrues +misdemeanors +misdiagnosed +misdiagnoses +misdiagnosis +misdirecting +misdirection +misfortune's +misgoverning +misinforming +misinterpret +misjudgments +misleadingly +misogamist's +misogynistic +misogynist's +misplacement +misprision's +mispronounce +misquotation +misreading's +misreporting +misrepresent +missionaries +missionary's +Missourian's +misspellings +misstatement +Mistassini's +mistreatment +mitigation's +mitochondria +Mitsubishi's +Mitterrand's +mizzenmast's +mnemonically +mobilization +mockingbirds +moderateness +moderation's +modernizer's +modernness's +modification +Modigliani's +modishness's +modulation's +Mohammedan's +moisturizers +moisturizing +molecularity +mollycoddled +mollycoddles +molybdenum's +monarchism's +monarchistic +monarchist's +monastically +Monegasque's +monetarism's +monetarist's +moneylenders +moneymaker's +monkeyshines +monochrome's +monogamist's +monogamously +monogramming +monolinguals +monologist's +monomaniacal +monomaniac's +monopolistic +monopolist's +monopolizers +monopolizing +monosyllabic +monosyllable +monotheism's +monotheistic +monotheist's +monotonously +monstrance's +Montenegro's +Montessori's +Monteverdi's +Montevideo's +Montgomery's +Monticello's +Montpelier's +Montrachet's +Montserrat's +monumentally +moonlighters +moonlighting +moonshiner's +moralization +moratorium's +morbidness's +moroseness's +morphology's +mortarboards +motherboards +motherfucker +motherhood's +motherland's +motherliness +motionlessly +motivational +motivation's +motorcycle's +motorcycling +motorcyclist +motorization +motormouth's +mountaineers +mountainside +mountaintops +mountebank's +mournfulness +mousetrapped +mouthiness's +mouthpiece's +Mozambican's +Mozambique's +mozzarella's +mucilaginous +muddleheaded +mudslinger's +Muhammadan's +muleskinners +mulishness's +mulligatawny +multichannel +multicolored +multifaceted +multifarious +multilateral +multilayered +multilingual +multimedia's +multiplexers +multiplexing +multiplicand +multiplicity +multiplier's +multipurpose +multitasking +multivariate +multiverse's +multivitamin +municipality +munificently +Murrumbidgee +musicality's +musicianship +musicologist +musicology's +muskellunges +Mussorgsky's +mutability's +mutilation's +mycologist's +mysteriously +mythological +mythologists +mythologized +mythologizes +namedropping +nanosecond's +Napoleonic's +narcissism's +narcissistic +narcissist's +narcolepsy's +Narragansett +narrowness's +nasalization +nasturtium's +nationalists +nationalized +nationalizes +nationhood's +Nationwide's +naturalism's +naturalistic +naturalist's +naturalizing +nauseatingly +nauseousness +navigability +navigational +navigation's +Neanderthals +neanderthals +Neapolitan's +nebulousness +necessitated +necessitates +neckerchiefs +necromancers +necromancy's +necrophiliac +necropolises +necropolis's +needlessness +needlework's +negativeness +negativism's +negativity's +neglectfully +negligence's +negotiations +negotiator's +neighborhood +neoclassical +Nesselrode's +Netherlander +networking's +neurasthenia +neurasthenic +neurological +neurologists +neurosurgeon +neurosurgery +neurotically +neutralism's +neutralist's +neutrality's +neutralizers +neutralizing +nevertheless +Newfoundland +newscaster's +newsdealer's +newsletter's +newspaperman +newspapermen +newsweeklies +newsweekly's +Nicaraguan's +nickelodeons +nightclothes +nightclubbed +nightdresses +nightdress's +nightingales +nightshade's +nightshirt's +nightstand's +nightstick's +nimbleness's +nincompoop's +nineteenth's +nitpicking's +noblewoman's +noisemaker's +nomenclature +nomination's +nominative's +nonabsorbent +nonaddictive +nonagenarian +nonalcoholic +nonalignment +nonbelievers +nonbreakable +noncancerous +nonchalantly +nonclericals +noncombatant +noncommittal +noncompeting +noncomplying +nonconductor +noncorroding +noncorrosive +noncriminals +noncustodial +nondrinker's +noneffective +nonessential +nonexclusive +nonexistence +nonexplosive +nonfattening +nonfictional +nonfiction's +nonflammable +nonflowering +nonhazardous +nonidentical +noninclusive +noninflected +nonmalignant +nonmigratory +nonnarcotics +nonnumerical +nonobjective +nonobservant +nonoccurence +nonoperative +nonparallels +nonpartisans +nonpayment's +nonpoisonous +nonpolitical +nonpolluting +nonrecurring +nonreligious +nonrenewable +nonresidents +nonresistant +nonscheduled +nonsectarian +nonsensitive +nonspiritual +nonstarter's +nonstrategic +nonsupport's +nontechnical +nonviolently +northeastern +northeasters +Northerner's +northerner's +northernmost +northwestern +northwesters +notabilities +notability's +notarization +noticeboards +notification +Nottingham's +Nouakchott's +novelization +Novokuznetsk +nucleation's +numeration's +numerologist +numerology's +numismatists +nurseryman's +nutcracker's +NutraSweet's +nutritionist +nutritiously +nymphomaniac +oafishness's +obdurateness +obfuscations +objectifying +objurgations +obligation's +obligatorily +obliterating +obliteration +obscurantism +obscurantist +obsequiously +observance's +observations +obsolescence +obstetrician +obstetrics's +obstreperous +obstructions +obtainment's +obtuseness's +occasionally +Occidental's +occidental's +occupational +occupation's +occurrence's +oceanfront's +oceanography +oceanology's +octogenarian +odiousness's +officeholder +officiator's +Oglethorpe's +Okeechobee's +Okefenokee's +Oldsmobile's +oligarchical +omnipresence +omnivorously +oncologist's +onomatopoeia +onomatopoeic +opaqueness's +OpenOffice's +operatically +opportunists +opposition's +oppression's +oppressively +opprobrium's +optimization +optometrists +Oranjestad's +oratorically +orchestrated +orchestrates +ordainment's +ordinariness +ordination's +Ordovician's +organization +orientalists +orientations +orienteering +originator's +ornateness's +orneriness's +orotundities +orotundity's +orthodontics +orthodontist +orthographic +orthopedists +oscillations +oscillator's +oscilloscope +osculation's +ossification +ostentatious +osteopathy's +osteoporosis +otherworldly +outbalancing +outbuildings +outcroppings +outdistanced +outdistances +outfielder's +outlandishly +outmaneuvers +outnumbering +outpatient's +outperformed +outplacement +outpouring's +outproducing +outrageously +outspreading +outstation's +outstretched +outstretches +outstripping +overabundant +overachieved +overachiever +overachieves +overbalanced +overbalances +overbuilding +overburdened +overcapacity +overcautious +overcharge's +overcharging +overclocking +overclouding +overcritical +overcrowding +overdecorate +overdevelops +overdressing +overemphasis +overestimate +overexciting +overexercise +overexerting +overexertion +overexposing +overexposure +overextended +overflight's +overgenerous +overgrowth's +overindulged +overindulges +overinflated +overmastered +overoptimism +overpopulate +overpowering +overpraising +overprinting +overproduced +overproduces +overprotects +overreaching +overreacting +overreaction +oversampling +overshadowed +overshooting +oversimplify +oversleeping +overspending +overstepping +overstocking +oversupplied +oversupplies +overthinking +overthrowing +overweight's +overwhelming +overwintered +oxyacetylene +Ozymandias's +pacesetter's +pachysandras +pacification +packinghouse +packsaddle's +Paderewski's +pagination's +painkiller's +painlessness +paintbrushes +paintbrush's +palatalizing +palatinate's +paleographer +paleontology +Palestinians +Palestrina's +palimpsest's +palindrome's +pallbearer's +palliation's +palliative's +pallidness's +Palmerston's +palpitations +paltriness's +pamphleteers +Panamanian's +panchromatic +pancreatitis +panhandler's +Pantagruel's +pantaloons's +pantechnicon +pantomimists +pantyliner's +pantywaist's +paperboard's +paperhangers +paperhanging +paperweights +Paracelsus's +paracetamols +parachutists +paradigmatic +paradisaical +paragraphing +Paraguayan's +parallelisms +paralyzingly +Paramaribo's +paramecium's +paramedicals +parameterize +paramilitary +paraphrase's +paraphrasing +paraplegia's +paraplegic's +parascending +parasitism's +parathyroids +paratroopers +paratroops's +parenthesize +parenthood's +parimutuel's +parishioners +Parkinsonism +Parliament's +parliament's +parochialism +parsimonious +partiality's +participants +participated +participates +participator +participle's +particularly +particular's +particulates +partisanship +partitioning +partnerships +passageway's +passionately +pasteboard's +pasteurizers +pasteurizing +Patagonian's +patchiness's +paternalists +paternosters +pathetically +pathfinder's +pathological +pathologists +patriarchate +patriarchies +patriarchy's +patriotism's +patronizer's +patronymic's +pawnbroker's +peacefulness +peacekeepers +peacekeeping +peacemaker's +peashooter's +peccadilloes +peccadillo's +peculation's +pedantically +pedestrian's +pediatrician +pediatrics's +pedicurist's +pejoration's +pejoratively +pejorative's +penalization +Penderecki's +penetrations +penicillin's +penitentiary +penmanship's +Pennington's +Pennsylvania +pennyweights +penologist's +pentameter's +Pentateuch's +pentathletes +pentathlon's +Pentecostals +penultimates +peppercorn's +peppermint's +peradventure +perambulated +perambulates +perambulator +percentage's +percentile's +perceptional +perception's +perceptively +perceptually +percolator's +percussion's +peregrinated +peregrinates +peremptorily +perfection's +perfidiously +perforations +performances +performative +pericarditis +perihelion's +periodically +periodical's +periodontics +periodontist +peripatetics +peripherally +peripheral's +periphrastic +perishable's +peritoneum's +periwinkle's +permafrost's +permanence's +permanency's +permeability +permeation's +permission's +permissively +permutations +perniciously +peroration's +perpetrating +perpetration +perpetrators +perpetuating +perpetuation +perpetuity's +perplexingly +perplexities +perplexity's +perquisite's +persecutions +persecutor's +Persephone's +Persepolis's +perseverance +persiflage's +persistently +personalized +personalizes +personalty's +personifying +perspectives +perspicacity +perspiration +persuasion's +persuasively +pertinacious +pertinence's +perturbation +perverseness +perversion's +perversity's +pestilence's +pestilential +petitioner's +petrifaction +petrodollars +petrolatum's +petrologists +pettifoggers +pettifoggery +pettifogging +pharmaceutic +pharmacist's +pharmacology +phenacetin's +phenomenally +phenomenon's +Philadelphia +philanderers +philandering +philanthropy +philatelists +philharmonic +Philippine's +Philistine's +philistine's +philistinism +philodendron +philological +philologists +philosophers +philosophies +philosophize +philosophy's +Phoenician's +phonemically +phonetically +phoneticians +phonographic +phonograph's +phonological +phonologists +phosphorus's +photocopiers +photocopying +photoengrave +photographed +photographer +photographic +photograph's +photometer's +Photostatted +photostatted +phototropism +phrenologist +phrenology's +phylacteries +phylactery's +physiography +physiologist +physiology's +pianissimo's +pianoforte's +Piccadilly's +piccalilli's +pickpocket's +pictograph's +pieceworkers +pigeonhole's +pigeonholing +piggybacking +pigmentation +pilgrimage's +pillowcase's +pillowslip's +pilothouse's +pincushion's +pinfeather's +Pirandello's +pitchforking +pitilessness +Pittsburgh's +placeholders +placekickers +placekicking +plagiarism's +plagiarist's +plagiarizers +plagiarizing +plainclothes +planetariums +plantation's +plasterboard +Plasticine's +plasticity's +plasticizing +plausibility +playacting's +playfellow's +playground's +playwright's +pleasantness +pleasantries +pleasantry's +plebiscite's +pliability's +pluckiness's +pluperfect's +plutocracies +plutocracy's +pneumococcal +pneumococcus +Pocahontas's +pocketbook's +pocketknives +podiatrist's +poinsettia's +pointillists +polarization +polemicist's +policyholder +policymakers +politeness's +politician's +politicizing +pollinator's +poltergeists +polyclinic's +polyethylene +polygamist's +polygraphing +polyhedron's +Polyhymnia's +polymerizing +polymorphous +Polynesian's +polynomial's +Polyphemus's +polysyllabic +polysyllable +polytechnics +polytheism's +polytheistic +polytheist's +polyurethane +pomegranates +Pomeranian's +pontifically +pontificated +pontificates +Popocatepetl +popularity's +popularizing +population's +populousness +pornographer +pornographic +porousness's +portcullises +portcullis's +portentously +porterhouses +portliness's +portmanteaus +portraitists +Portsmouth's +Portuguese's +positiveness +possession's +possessively +possessive's +postcolonial +postdoctoral +postgraduate +posthumously +posthypnotic +postmaster's +postmeridian +postmistress +postmortem's +postponement +postprandial +postscript's +postseason's +postsynaptic +postulations +potability's +potentiality +potentiating +Pottawatomie +powerhouse's +PowerPoint's +practicality +practitioner +Praetorian's +pragmatism's +pragmatist's +praiseworthy +praseodymium +Praxiteles's +preachment's +prearranging +precanceling +precancerous +precariously +precaution's +precedence's +preciosity's +preciousness +precipitants +precipitated +precipitates +preclusion's +precociously +precognition +precognitive +preconceived +preconceives +precondition +predeceasing +predecessors +predesignate +predestining +predetermine +predicaments +prediction's +predigesting +predilection +predisposing +predominance +predominated +predominates +preeminently +preemption's +preemptively +preexistence +prefabricate +prefecture's +preference's +preferential +preferment's +prehistorian +prehistory's +prejudgments +premeditated +premeditates +premenstrual +premierships +premonitions +preoccupying +preoperative +preordaining +prepackaging +preparations +preparedness +prepayment's +preponderant +preponderate +prepositions +prepossessed +prepossesses +preposterous +prepubescent +prerecording +preregisters +prerequisite +prerogatives +presbyopia's +Presbyterian +presbyteries +presbytery's +preschoolers +prescience's +prescription +prescriptive +presentation +presentiment +presentments +preservation +preservative +preshrinking +presidencies +presidency's +presidential +pressurizers +pressurizing +presumptions +presumptuous +presupposing +pretension's +prettiness's +prevalence's +prevaricated +prevaricates +prevaricator +preventative +prevention's +preventive's +priesthood's +priestliness +priggishness +primogenitor +primordially +princeliness +principality +prioritizing +prissiness's +prizefighter +prizefight's +prizewinners +prizewinning +probationary +probationers +proceeding's +processional +processioned +procession's +proclamation +proclivities +proclivity's +Procrustes's +procurator's +prodigiously +production's +productively +productivity +profanations +professional +profession's +professorial +proficiently +proficient's +profiteering +profiteroles +profligacy's +profligately +profligate's +profoundness +profundities +profundity's +progenitor's +progesterone +prognostic's +programmable +programmatic +programmer's +programmings +progressions +progressives +prohibitions +projectile's +projection's +proletarians +proliferated +proliferates +prolifically +prolongation +Promethean's +Prometheus's +promethium's +prominence's +promontories +promontory's +promptness's +promulgating +promulgation +promulgators +pronominal's +proofreaders +proofreading +propaganda's +propagandist +propagandize +propagator's +propellant's +propensities +propensity's +prophesier's +prophetesses +prophetess's +prophylactic +propitiating +propitiation +propitiatory +propitiously +proportional +proportioned +proportion's +propositions +proprietor's +proprietress +propulsion's +proscenium's +prosciutto's +proscription +prosecutions +prosecutor's +proselytized +proselytizer +proselytizes +Proserpina's +Proserpine's +prospector's +prospectuses +prospectus's +prosperity's +prosperously +prosthesis's +prostitute's +prostituting +prostitution +prostrations +protactinium +protagonists +Protagoras's +protection's +protectively +protectorate +Protestant's +protestation +protoplasmic +protoplasm's +prototypical +protractor's +protrusion's +protuberance +provenance's +proverbially +Providence's +providence's +providential +provincially +provincial's +provisioning +provocateurs +provocations +prudentially +Prudential's +psephologist +pseudonymous +psychedelics +psychiatrist +psychiatry's +psychoactive +psychobabble +psychodramas +psychologies +psychologist +psychology's +psychometric +psychopathic +psychopath's +psychotropic +pterodactyls +pubescence's +publications +publishing's +pugnaciously +pumpernickel +punishment's +purification +Puritanism's +puritanism's +purposefully +purveyance's +pussyfooting +putrefaction +putrefactive +puzzlement's +pyrimidine's +pyromaniac's +pyrotechnics +Pythagoras's +quadrangle's +quadrangular +quadraphonic +quadrenniums +quadricepses +quadriceps's +quadrillions +quadriplegia +quadriplegic +quadrivium's +quadruplet's +quaintness's +quantifiable +quantifier's +quantitative +quarantine's +quarantining +quarterbacks +quarterdecks +quarterfinal +quarterstaff +Quaternary's +queasiness's +Queensland's +quesadilla's +questionable +questionably +questioner's +questionings +Quetzalcoatl +quiescence's +quintessence +Quintilian's +quintuplet's +quirkiness's +quixotically +racecourse's +Rachmaninoff +racketeering +racquetballs +radarscope's +radicalism's +radicalizing +radiographer +radioisotope +radiologists +radiometer's +radiometry's +radiophone's +radioscopy's +radiosonde's +radiosurgery +radiotherapy +ragamuffin's +raggedness's +railroader's +rainmaking's +rakishness's +rambunctious +ramification +rancidness's +randomnesses +randomness's +rangefinders +rapscallions +Rasalgethi's +Rasalhague's +Rastafarians +rathskellers +ratification +ratiocinated +ratiocinates +rationalists +rationalized +rationalizes +rattlebrains +rattlesnakes +rattletrap's +ravishment's +Rawalpindi's +razzmatazz's +reacquainted +reactivating +reactivation +readdressing +readership's +readjustment +realignments +realizations +reallocating +reallocation +reanalysis's +reappearance +reappointing +reapportions +reappraisals +reappraising +rearmament's +reassembling +reassembly's +reassessment +reassignment +reassurances +reassuringly +reattachment +reattempting +reauthorized +reauthorizes +rebelliously +rebroadcasts +recalcitrant +recalculated +recalculates +recantations +recapitalize +recapitulate +receivership +recentness's +receptacle's +receptionist +recessionals +recessionary +rechargeable +rechartering +rechristened +recidivism's +recidivist's +reciprocally +reciprocal's +reciprocated +reciprocates +recirculated +recirculates +recitalist's +recitation's +recitative's +recklessness +reclassified +reclassifies +recognizable +recognizably +recognizance +recollecting +recollection +recolonizing +recommencing +recommending +recommission +recommitting +recompense's +recompensing +reconcilable +reconditions +reconfigured +reconfirming +reconnecting +reconnoiters +reconquering +reconquest's +reconsecrate +reconsidered +reconsigning +reconstitute +reconstructs +recontacting +reconverting +recreational +recreation's +recriminated +recriminates +recrudescent +recrudescing +recuperating +recuperation +recuperative +recurrence's +recyclable's +redecorating +redecoration +rededicating +redefinition +redelivering +redemption's +redeployment +redepositing +redetermined +redetermines +redeveloping +rediscovered +redissolving +redistribute +redistricted +reductionist +redundancies +redundancy's +reduplicated +reduplicates +reelection's +reemphasized +reemphasizes +reemployment +reenactments +reenlistment +reevaluating +reevaluation +reexplaining +refashioning +referendum's +refinement's +reflationary +reflection's +reflectively +Reformations +reformations +reformatting +reformulated +reformulates +refortifying +refraction's +refractories +refractory's +refreshingly +refreshments +refrigerants +refrigerated +refrigerates +refrigerator +refulgence's +refurbishing +refurnishing +refutation's +regalement's +regeneracy's +regenerating +regeneration +regenerative +regionalisms +registrant's +registration +regression's +regularities +regularity's +regularizing +regulation's +regurgitated +regurgitates +rehabilitate +reimbursable +reincarnated +reincarnates +reinfections +reinitialize +reinoculated +reinoculates +reinspecting +reinstalling +reintegrated +reintegrates +reinterprets +reintroduced +reintroduces +reinventions +reinvestment +reinvigorate +reiterations +rejuvenating +rejuvenation +relationship +relativism's +relativistic +relativity's +relaxation's +relegation's +relentlessly +relinquished +relinquishes +relocation's +reluctance's +remaindering +remarriage's +remembrances +reminiscence +remissness's +remittance's +remonstrance +remonstrants +remonstrated +remonstrates +remorsefully +remortgaging +remoteness's +remunerating +remuneration +remunerative +Renaissances +renaissances +renascence's +rendezvoused +rendezvouses +rendezvous's +renegotiable +renegotiated +renegotiates +renominating +renomination +renouncement +renovation's +renunciation +reoccupation +reorganizing +reparation's +repatriate's +repatriating +repatriation +repentance's +repercussion +repertoire's +repetition's +repetitively +rephotograph +replacements +replenishing +replications +repopulating +repositories +repository's +repossessing +repossession +reprehending +reprehension +representing +repression's +repressively +reprimanding +reproachable +reprocessing +reproducer's +reproducible +reproduction +reproductive +reprogrammed +Republican's +republican's +republishing +repudiations +repudiator's +repugnance's +repurchasing +reputability +reputation's +requirements +requisitions +rescheduling +rescission's +researcher's +resemblances +resentment's +reservations +reservedness +resettlement +resharpening +reshipment's +resignations +resilience's +resiliency's +resistance's +resoluteness +resolution's +resorption's +resoundingly +respectfully +respectively +respirator's +resplendence +respondent's +responsively +restatements +restaurant's +restaurateur +restlessness +restorations +restoratives +restrainer's +restrengthen +restrictions +restructured +restructures +resubmitting +resubscribed +resubscribes +resumption's +resurgence's +resurrecting +Resurrection +resurrection +resuscitated +resuscitates +resuscitator +retaliations +reticulation +retirement's +retraction's +retrenchment +retributions +retrofitting +retrograding +retrogressed +retrogresses +retrorockets +retrospected +retrospect's +retroviruses +retrovirus's +returnable's +reupholsters +revaluations +Revelation's +revelation's +revengefully +reverberated +reverberates +revilement's +revisionists +revitalizing +revivalism's +revivalist's +revocation's +revolution's +rhapsodizing +rhetorically +rhetoricians +rheumatism's +rhinestone's +rhinoceroses +rhinoceros's +rhinoviruses +rhinovirus's +rhododendron +rhythmically +Ribbentrop's +riboflavin's +Richardson's +Richthofen's +Rickenbacker +ridiculously +rightfulness +rigorousness +ringleader's +ringmaster's +risibility's +Risorgimento +roadblocking +roadrunner's +Robitussin's +robustness's +Rochambeau's +rockabilly's +rollicking's +Romanesque's +romantically +romanticists +romanticized +romanticizes +rootlessness +Rosenzweig's +Rostropovich +Rothschild's +rotisserie's +rotogravures +rototiller's +rottenness's +Rottweiler's +rotundness's +roughhouse's +roughhousing +roughnecking +roundabout's +roundhouse's +roustabout's +Rubbermaid's +rubbernecked +rubbernecker +rubberneck's +Rubinstein's +ruefulness's +ruggedness's +rumination's +ruminatively +rumormongers +rustproofing +Rutherford's +ruthlessness +sabbatical's +Sacramento's +sacredness's +sacrilegious +sacroiliac's +sadistically +safeguarding +sailboarders +sailboarding +salamander's +salesclerk's +salesmanship +salespersons +saleswoman's +salivation's +sallowness's +salmonella's +saltcellar's +saltshaker's +salutation's +salutatorian +Salvadoran's +Salvadoreans +Salvadorians +sanatorium's +sanctimony's +sandalwood's +sandbagger's +sandblasters +sandblasting +sandcastle's +Sandinista's +sandlotter's +sandpapering +Sanforized's +sanitarian's +sanitarium's +sanitation's +saprophyte's +sardonically +sarsaparilla +Saskatchewan +satisfaction +satisfactory +satisfyingly +saturation's +Saturnalia's +satyriasis's +sauerkraut's +savageness's +Savonarola's +savoriness's +saxophonists +scabbiness's +scandalizing +scandalously +Scandinavian +scantiness's +scapegoating +scapegrace's +Scaramouch's +scarceness's +scaremongers +scarlatina's +scatological +scatterbrain +scattering's +Scheherazade +schematizing +Schiaparelli +schismatic's +Schliemann's +schmaltziest +Schoenberg's +scholarships +schoolbook's +schoolfellow +schoolgirl's +schoolhouses +schoolmarm's +schoolmaster +schoolmate's +schoolroom's +schoolwork's +schoolyard's +Schopenhauer +Schrieffer's +Schumpeter's +schussboomer +Schuylkill's +Schweitzer's +scintillated +scintillates +scoreboard's +scorekeepers +Scotswoman's +Scotswomen's +Scottsdale's +scoutmasters +scratchcards +scratchiness +screenplay's +screensavers +screenwriter +screwdrivers +screwiness's +scrimshawing +scriptwriter +scrupulosity +scrupulously +scrutinizing +sculptresses +sculptress's +scurrility's +scurrilously +seamanship's +seamstresses +seamstress's +searchlights +secessionist +secretariats +sectarianism +sectionalism +secularism's +secularist's +secularizing +sedateness's +seductresses +seductress's +seemliness's +seersucker's +segmentation +seismographs +seismography +seismologist +seismology's +selectness's +selenography +selflessness +semantically +semanticists +semiannually +semicircle's +semicircular +semidarkness +semidetached +semifinalist +seminarian's +semiofficial +semiprecious +semitrailers +semitropical +semiweeklies +semiweekly's +sempstresses +sempstress's +Senegalese's +senescence's +sensibleness +sensualist's +sensuality's +sensuousness +separability +separateness +separation's +separatism's +separatist's +septicemia's +Septuagint's +sepulchering +sequencing's +sequentially +sequestering +sequestrated +sequestrates +sereneness's +serpentine's +serviceman's +servicewoman +servicewomen +servomotor's +settlement's +Sevastopol's +seventeenths +seventieth's +severeness's +sexagenarian +sexologist's +Seychelles's +shabbiness's +Shackleton's +shadowboxing +shagginess's +shamefacedly +shamefulness +shantytown's +sharecropped +sharecropper +shareholders +shareholding +sharpshooter +shatterproof +sheepherders +sheepishness +shellackings +Shenandoah's +shenanigan's +Shevardnadze +shibboleth's +shiftiness's +Shijiazhuang +shillelagh's +shipbuilders +shipbuilding +shipwrecking +shipwright's +shirtfront's +shirtsleeves +shirtwaist's +shoddiness's +shoestring's +shopaholic's +shopkeeper's +shoplifter's +shortbread's +shortchanged +shortchanges +shortcomings +shortening's +shortlisting +shortsighted +showstoppers +showstopping +Shreveport's +shrewdness's +shrillness's +Shropshire's +shuffleboard +shutterbug's +shuttlecocks +Shylockian's +Siddhartha's +sidesaddle's +sidestepping +sidestroke's +sidestroking +sidetracking +sidewinder's +Sierpinski's +significance +silhouette's +silhouetting +silkscreen's +silverfishes +silverfish's +silversmiths +silverware's +similarities +similarity's +similitude's +simpleminded +simpleness's +simplicity's +simulation's +simulcasting +simultaneity +simultaneous +sinfulness's +Singaporeans +singleness's +singletree's +sisterhood's +sisterliness +sixshooter's +skateboarded +skateboarder +skateboard's +skepticism's +skillfulness +skimpiness's +skinniness's +skittishness +skyjacking's +skyrocketing +skyscraper's +skywriting's +slaughterers +slaughtering +slaveholders +sleaziness's +sledgehammer +sleepiness's +sleepwalkers +sleepwalking +sleepyhead's +slenderizing +slightness's +slipperiness +slipstream's +sloganeering +sloppiness's +slothfulness +slovenliness +sluggishness +slushiness's +smallholders +smallholding +smartphone's +smartwatches +smartwatch's +smattering's +smelliness's +smokehouse's +smokescreens +smokestack's +smoothness's +smorgasbords +smörgåsbords +smuttiness's +snapdragon's +snappiness's +snappishness +sneakiness's +snobbishness +snootiness's +snorkeling's +snottiness's +snowblower's +snowboarders +snowboarding +snowmobile's +snowmobiling +sociological +sociologists +solemnifying +solemnness's +solicitation +solicitously +solicitude's +solidarity's +soliloquized +soliloquizes +solitariness +solubility's +Solzhenitsyn +somberness's +somersaulted +somersault's +somersetting +somnambulism +somnambulist +somnolence's +songstresses +songstress's +songwriter's +sonorousness +soothsayer's +sophisticate +Sophoclean's +sordidness's +soullessness +soundboard's +soundproofed +soundtrack's +sousaphone's +southeastern +southeasters +Southerner's +southerner's +southernmost +southwestern +southwesters +spacecraft's +spaceflights +spacewalking +spacewoman's +spaciousness +sparrowhawks +sparseness's +speakerphone +spearfishing +spearheading +specialist's +specializing +specifically +speciousness +spectacles's +spectaculars +spectrometer +spectroscope +spectroscopy +speculations +speculator's +speechifying +speechlessly +speechwriter +speediness's +speedometers +speleologist +speleology's +spellbinders +spellbinding +spellchecked +spellchecker +spellcheck's +spelunking's +Spencerian's +spendthrifts +Spenserian's +spermatozoon +spermicide's +spinsterhood +spiritualism +spiritualist +spirituality +spirochete's +Spirograph's +spitefullest +spitefulness +splashdown's +spoilsport's +spokespeople +spokesperson +spoliation's +spongecake's +sponginess's +spookiness's +spoonerism's +sporadically +sportiness's +sportscaster +sportscast's +sportspeople +sportsperson +sportswear's +sportswriter +spotlessness +spotlighting +spottiness's +spreadeagled +spreadsheets +sprightliest +springboards +springtime's +sprinkling's +spruceness's +spuriousness +squareness's +squeezeboxes +stabilizer's +stagecoaches +stagecoach's +stagecraft's +staggeringly +stagnation's +stakeholders +stalactite's +stalagmite's +Stalingrad's +stallholders +stammeringly +standardized +standardizes +standpoint's +standstill's +Stanislavsky +starvation's +starveling's +statecraft's +statehouse's +statementing +stationery's +statistician +steadiness's +steakhouse's +stealthiness +steamfitters +steamfitting +steaminess's +steamrollers +steamrolling +steeliness's +steelworkers +steelworks's +steeplechase +steeplejacks +stenographer +stenographic +stepbrothers +stepchildren +stepdaughter +stepfather's +Stephenson's +stepladder's +stepmother's +stepparent's +stepsister's +stereophonic +stereoscopes +stereoscopic +stereotype's +stereotyping +sterilizer's +stethoscopes +stewardesses +stewardess's +stickiness's +sticklebacks +stiffening's +stigmatizing +stillbirth's +stinginess's +stipulations +stockbreeder +stockbrokers +stockbroking +stockholders +stockiness's +stodginess's +stolidness's +stomachaches +Stonehenge's +stonemason's +stonewalling +storefront's +storehouse's +storekeepers +storminess's +storyboard's +storytellers +storytelling +stouthearted +Stradivarius +straightaway +straightedge +straightened +straightener +straightness +straitjacket +stranglehold +strangulated +strangulates +Strasbourg's +strategics's +strategist's +stratosphere +Stravinsky's +strawberries +strawberry's +streamlining +streetlights +streetwalker +strengthened +strengthener +streptococci +streptomycin +stretchering +stretchmarks +Strickland's +strictness's +Strindberg's +stringency's +stripteasers +striptease's +stripteasing +stroboscopes +stroboscopic +stronghold's +structurally +strychnine's +stubbornness +Studebaker's +studentships +studiousness +stuffiness's +stupefaction +stupendously +sturdiness's +Stuyvesant's +subbasements +subcommittee +subcompact's +subconscious +subcontinent +subcontracts +subculture's +subcutaneous +subdivisions +subheading's +subjection's +subjectively +subjectivity +subjunctives +subliminally +submariner's +submersibles +submersion's +submission's +submissively +subordinated +subordinates +subparagraph +subroutine's +subscriber's +subscription +subsection's +subsequently +subservience +subsidence's +subsidiaries +subsidiarity +subsidiary's +subsidizer's +subspecies's +substantiate +substantives +substation's +substitute's +substituting +substitution +substratum's +substructure +subsurface's +subtenancy's +subterfuge's +subterranean +subtractions +subtrahend's +subtropics's +suburbanites +subvention's +subversion's +subversively +subversive's +successfully +succession's +successively +succinctness +succulence's +succulency's +suddenness's +sufferance's +sufficiently +suffragettes +suffragist's +sugarcoating +suggestion's +suggestively +suitableness +sulfonamides +sullenness's +sultriness's +summerhouses +summertime's +sunbathing's +sunglasses's +superannuate +supercargoes +supercargo's +supercharged +supercharger +supercharges +supercilious +supergrasses +superhighway +superimposed +superimposes +superintends +superlatives +supermarkets +supermassive +supermodel's +supernatural +superpower's +superscribed +superscribes +superscripts +superstition +superstore's +supertankers +supervention +supervisions +supervisor's +superwoman's +supplemental +supplemented +supplement's +suppleness's +supplicant's +supplicating +supplication +suppositions +suppressants +suppressible +suppressor's +supremacists +surfboarding +surmountable +surprisingly +surrealism's +surrealistic +surrealist's +surrendering +surroundings +surveillance +survivalists +suspension's +suspiciously +sustenance's +Sutherland's +suzerainty's +swallowtails +Swammerdam's +swankiness's +swashbuckler +sweatpants's +sweatshirt's +Swedenborg's +sweetbread's +sweetbrier's +sweetening's +sweetheart's +switchback's +switchblades +switchboards +sycophancy's +syllabicated +syllabicates +syllabifying +symbolically +sympathies's +sympathizers +sympathizing +synchronized +synchronizes +syndicalists +synthesizers +synthesizing +syphilitic's +systematical +systematized +systematizes +systemically +Szymborska's +Tabernacle's +tabernacle's +tablecloth's +tablespoon's +tabulation's +tachometer's +tactlessness +Tajikistan's +Taklamakan's +talebearer's +Talleyrand's +tambourine's +Tanganyika's +tangentially +tangibleness +Tannhauser's +Tannhäuser's +tantalizer's +taramasalata +tarantella's +Tarkington's +taskmaster's +taskmistress +tastefulness +tattletale's +tautological +tawdriness's +taxidermists +taxonomist's +tearjerker's +teaspoonfuls +technetium's +technicality +technician's +technobabble +technocratic +technocrat's +technologies +technologist +technology's +technophobes +teenyboppers +teetotaler's +telecaster's +telecommuted +telecommuter +telecommutes +telegraphers +telegraphese +telegraphing +telegraphist +telegraphy's +Telemachus's +telemarketer +teleological +telephoner's +telephonists +teleprinters +TelePrompTer +TelePrompter +teleprompter +television's +temperaments +temperance's +temperatures +temporizer's +temptation's +tenability's +tenderfoot's +tenderizer's +tenderloin's +tenderness's +tendinitis's +Tennessean's +Tenochtitlan +tenterhook's +tercentenary +Tereshkova's +terminations +terracotta's +terrestrials +terribleness +terrifically +terrifyingly +territorials +terrycloth's +tessellating +tessellation +testamentary +testimonials +testosterone +tetracycline +tetrahedrons +tetrameter's +thankfulness +Thanksgiving +thanksgiving +theatergoers +theatrically +thematically +Themistocles +Theocritus's +Theodosius's +theologian's +theoretician +theosophical +theosophists +therapeutics +thermometers +thermometric +thermostatic +thermostat's +Thessalonian +Thessaloniki +Thessaloníki +thickening's +thimbleful's +thingamabobs +thingamajigs +thingumabobs +thirteenth's +thorniness's +Thoroughbred +thoroughbred +thoroughfare +thoroughness +thoughtfully +thousandfold +thousandth's +threepence's +threescore's +thrombolytic +thrombosis's +throughput's +Thucydides's +thumbprint's +thumbscrew's +thunderbolts +thunderclaps +thundercloud +thunderheads +thunderously +thunderstorm +Ticketmaster +ticklishness +tiebreaker's +timberland's +timberline's +timekeeper's +timelessness +timeliness's +timeserver's +timorousness +Tinkerbell's +Tinseltown's +Tintoretto's +Tippecanoe's +tirelessness +tiresomeness +titivation's +titleholders +toastmasters +tobacconists +tobogganer's +togetherness +toleration's +tomfooleries +tomfoolery's +tomography's +toothbrushes +toothbrush's +toothpaste's +topdressings +topicality's +topographers +topographies +topography's +torchbearers +torchlight's +tormentingly +Torquemada's +Torricelli's +torridness's +tortellini's +tortuousness +totalitarian +totalizators +touchiness's +touchscreens +touchstone's +tourmaline's +tournament's +tourniquet's +townswoman's +toxicologist +toxicology's +traceability +tractability +trademarking +tradespeople +trafficker's +tragediennes +trailblazers +trailblazing +trainspotter +traitorously +trajectories +trajectory's +trampoline's +trampolining +tranquilized +tranquilizer +tranquilizes +transactions +transactor's +transceivers +transcendent +transcending +transcribers +transcribing +transcript's +transducer's +transferable +transferal's +transference +transferring +transfigured +transfigures +transformers +transforming +transfusions +transgenders +transgressed +transgresses +transgressor +transience's +transiency's +transistor's +transitional +transitioned +transition's +transitively +transitive's +transitivity +translatable +translations +translator's +translucence +translucency +transmigrate +transmission +transmitters +transmitting +transmogrify +transmutable +transoceanic +transpacific +transparency +transplanted +transplant's +transponders +transporters +transporting +transsexuals +transshipped +transversely +transverse's +transvestism +transvestite +Transylvania +trapshooting +trashiness's +traumatizing +travelogue's +tremendously +trenchancy's +trendiness's +trendsetters +trendsetting +trespasser's +triangularly +triangulated +triangulates +Triangulum's +tribulations +trickiness's +triglyceride +trigonometry +trillionth's +Trinidadians +triplicate's +triplicating +trisection's +triumphalism +triumphalist +triumphantly +triumvirates +trivialities +triviality's +trivializing +troglodyte's +trolleybuses +trolleybus's +trombonist's +tropospheres +troubadour's +troublemaker +troubleshoot +truculence's +truncation's +trusteeships +trustfulness +truthfulness +Tsongkhapa's +tuberculin's +tuberculosis +tumbleweed's +tumescence's +tumultuously +Tupperware's +turbocharged +turbocharger +turbocharges +turbulence's +Turkmenistan +turnaround's +turnbuckle's +turpentine's +turtledove's +turtlenecked +turtleneck's +Tuscaloosa's +Tweedledee's +Tweedledum's +twelvemonths +typescript's +typesetter's +typewriter's +typicality's +typification +typographers +typography's +tyrannically +tyrannosaurs +ubiquitously +Ujungpandang +ulceration's +ultralight's +ultrasound's +Ultrasuede's +unabridged's +unacceptable +unacceptably +unaccredited +unaccustomed +unachievable +unacquainted +unadvertised +unaffectedly +unaffiliated +unanswerable +unapologetic +unappetizing +unassailable +unassumingly +unattainable +unattractive +unattributed +unauthorized +unavailingly +unbecomingly +unbelievable +unbelievably +unbeliever's +unblinkingly +unblushingly +unbridgeable +uncatalogued +unchallenged +unchangeable +unchaperoned +uncharitable +uncharitably +unclassified +uncleanliest +uncluttering +uncommonness +uncompounded +uncompressed +unconsidered +uncontrolled +unconvincing +uncorrelated +uncritically +unctuousness +uncultivated +undemocratic +undependable +underachieve +underbellies +underbelly's +underbidding +underbrush's +undercharged +undercharges +underclasses +underclass's +underclothes +undercoating +undercurrent +undercutting +underexposed +underexposes +underfeeding +undergarment +undergrounds +underneath's +underpants's +underpayment +underpinning +underplaying +underscore's +underscoring +underselling +undershirt's +undersigning +underskirt's +understaffed +understating +understudied +understudies +understudy's +undertaker's +undertakings +undervaluing +underwhelmed +underworld's +underwriters +underwriting +underwritten +undeservedly +undesirables +undetectable +undetermined +undiminished +undiplomatic +undischarged +undiscovered +undocumented +undulation's +uneasiness's +uneconomical +unemployable +unemployed's +unemployment +unencumbered +unevenness's +uneventfully +unexpectedly +unexpurgated +unfairness's +unfaithfully +unfathomable +unfathomably +unfertilized +unflaggingly +unflattering +unforgivable +unforgivably +unformulated +unfortunates +unfrequented +unfriendlier +unfulfilling +ungainliness +ungovernable +ungracefully +ungraciously +ungratefully +unharnessing +unhealthiest +unhesitating +unhistorical +unholiness's +unidentified +uniformity's +unilaterally +unimaginable +unimaginably +unimpressive +uninfluenced +uninstallers +uninstalling +uninstructed +uninterested +unionization +uniqueness's +Unitarianism +universality +universalize +universities +university's +unkindness's +unknowable's +unlawfulness +unlikelihood +unlikeliness +unlikeness's +unmanageable +unmarketable +unmercifully +unmistakable +unmistakably +unmorality's +unnoticeable +unobstructed +unobtainable +unofficially +unparalleled +unpardonable +unpardonably +unperceptive +unpersuasive +unpleasantly +unpopularity +unprejudiced +unprincipled +unprivileged +unproductive +unprofitable +unprofitably +unpropitious +unquenchable +unquestioned +unreasonable +unreasonably +unrecognized +unregenerate +unregistered +unrelievedly +unremarkable +unremembered +unrepeatable +unreservedly +unresponsive +unrestrained +unrestricted +unruliness's +unsanctioned +unsatisfying +unscientific +unscrambling +unscrupulous +unsearchable +unseasonable +unseasonably +unseemliness +unsegregated +unsightliest +unskillfully +unsteadiness +unstintingly +unstructured +unsubscribed +unsubscribes +unsuccessful +unsupervised +unsurprising +unsuspecting +unsystematic +unthinkingly +untidiness's +untimeliness +untouchables +untranslated +untruthfully +unverifiable +unwariness's +unwieldiness +unworthiness +Upanishads's +upbringing's +upholsterers +upholstering +upholstery's +uppercutting +uproariously +urbanization +urbanologist +urbanology's +urinalysis's +usefulness's +usurpation's +utilitarians +Uzbekistan's +vacationer's +vacationists +vaccinations +vacillations +vainglorious +valedictions +Valenzuela's +validation's +Valparaiso's +Vanderbilt's +vanquisher's +vaporization +vaudeville's +vaudevillian +vegetarian's +vegetation's +veggieburger +velocipede's +venerability +veneration's +Venezuelan's +ventilator's +verdigrising +verification +vermicelli's +vernacular's +Versailles's +vertebrate's +veterinarian +veterinaries +veterinary's +vibraphone's +vibraphonist +vicegerent's +vicissitudes +Victorianism +victoriously +videophone's +Vietnamese's +viewership's +viewfinder's +vignettist's +Vijayawada's +vilification +Villarreal's +villeinage's +Vindemiatrix +vindications +vindicator's +vindictively +violincellos +violoncellos +virologist's +virtuosity's +virtuousness +viscountcies +viscountcy's +visibility's +visitation's +visualizer's +vitalization +vitrifaction +vituperating +vituperation +vituperative +vocabularies +vocabulary's +vocalization +vocationally +vociferating +vociferation +vociferously +volatility's +volatilizing +Volkswagen's +volleyball's +volubility's +voluminously +volunteering +volunteerism +voluptuaries +voluptuary's +voluptuously +vulgarizer's +wainscotings +wainwright's +waitperson's +Waldensian's +wallflower's +wallpapering +wanderings's +wanderlust's +wantonness's +warmongering +Washington's +Wassermann's +wastebaskets +wastefulness +wastepaper's +watchfulness +watchmaker's +watchtower's +waterboarded +waterboard's +watercolor's +watercourses +watercraft's +watercress's +waterfront's +wateriness's +watermarking +watermelon's +waterproofed +waterproof's +waterspout's +waterwheel's +waterworks's +wavelength's +weatherboard +weathercocks +weathering's +weatherizing +weatherman's +weatherproof +weatherstrip +weighbridges +weightlessly +weightlifter +Wellington's +wellington's +wellspring's +welterweight +westernizing +Westinghouse +Westphalia's +whatshername +whatshisname +Wheatstone's +wheelbarrows +wheelchair's +wheelhouse's +wheelwrights +wheeziness's +whiffletrees +whimsicality +whippletrees +whippoorwill +whirlybird's +Whitefield's +Whitehorse's +whitewashing +whitewater's +Whitsunday's +wholehearted +wholesaler's +whorehouse's +wickedness's +wickerwork's +widescreen's +Wiesenthal's +wildcatter's +wildebeest's +wildernesses +wilderness's +wildflower's +Wilhelmina's +Willamette's +Willemstad's +Williamson's +Wilmington's +Winchester's +windbreakers +windcheaters +windflower's +windjammer's +windowpane's +windowsill's +windscreen's +windshield's +windsurfer's +winegrower's +wingspread's +wintertime's +wiretapper's +Wisconsinite +wisecracking +witchcraft's +withdrawal's +withstanding +Wittgenstein +wobbliness's +woefulness's +Wollongong's +womenfolks's +wonderland's +wonderment's +woodcarver's +woodcarvings +woodcutter's +woodenness's +woodpecker's +woodsiness's +woodworker's +woolliness's +Woolongong's +Wordsworth's +workaholic's +workingman's +workingwoman +workingwomen +workstations +worthiness's +wraparound's +wretchedness +wristwatches +wristwatch's +wrongdoing's +wrongfulness +Wyomingite's +xenophobia's +xerography's +Xochipilli's +xylophonists +Yamoussoukro +yardmaster's +yellowhammer +yellowness's +yesteryear's +Youngstown's +youthfulness +Yugoslavians +Yugoslavia's +Zaporozhye's +Zeffirelli's +Zimbabwean's +Zollverein's +zoologically +Zoroastrians +abandonment +abasement's +abashment's +abatement's +abbreviated +abbreviates +abdications +abduction's +Abernathy's +aberrations +abhorrently +abjection's +abjurations +abnormality +abolition's +abominating +abomination +aboriginals +Aborigine's +aborigine's +abortionist +abracadabra +abridgments +abrogations +abrogator's +absconder's +absenteeism +absolutists +absorbent's +absorbingly +abstainer's +abstentions +abstracting +abstraction +absurdist's +absurdities +absurdity's +abundance's +abusiveness +Abyssinia's +academician +accelerated +accelerates +accelerator +accentuated +accentuates +Accenture's +acceptances +acceptation +accessioned +accession's +accessories +accessorize +accessory's +accidentals +acclamation +acclimating +acclimation +acclimatize +acclivities +acclivity's +accommodate +accompanied +accompanies +accompanist +accomplices +accordingly +accordion's +accountable +accountancy +accountants +accoutering +accrediting +accretion's +acculturate +accumulated +accumulates +accumulator +accusations +accusatives +accustoming +acerbically +acetylene's +achievement +acknowledge +Aconcagua's +acoustics's +acquainting +acquiescent +acquiescing +acquirement +acquisition +acquisitive +acquittal's +acridness's +acrimonious +acropolises +acropolis's +activator's +actualities +actuality's +actualizing +actuation's +acupressure +acupuncture +acuteness's +acyclovir's +adaptations +addiction's +addressable +addressee's +adeptness's +adherence's +Adirondacks +adjacency's +adjective's +adjournment +adjudicated +adjudicates +adjudicator +adjurations +adjustments +administers +admiralty's +admission's +admixture's +admonishing +admonitions +adolescence +adolescents +adoration's +adornment's +Adrenalin's +adrenalin's +adsorbent's +adsorptions +adulation's +adulterants +adulterated +adulterates +adulterer's +adulthood's +adumbrating +adumbration +advancement +advantage's +advantaging +Adventist's +adventurers +adventure's +adventuress +adventuring +adventurism +adventurist +adventurous +adverbially +adverbial's +adversarial +adversaries +adversary's +adverseness +adversities +adversity's +advertisers +advertising +advertorial +aerialist's +aerobically +aerodrome's +aerodynamic +aeronautics +aerospace's +Aeschylus's +Aesculapius +affectation +affectingly +affection's +affidavit's +affiliate's +affiliating +affiliation +affirmation +affirmative +afflictions +affluence's +afforesting +Afghanistan +aficionados +Afrikaans's +Afrikaner's +Afrocentric +afterbirths +afterburner +aftercare's +aftereffect +afterglow's +afterimages +afterlife's +aftermarket +aftermath's +afternoon's +aftershaves +aftershocks +aftertastes +afterword's +Agamemnon's +agelessness +agglomerate +agglutinate +aggrandized +aggrandizes +aggravating +aggravation +aggregate's +aggregating +aggregation +aggregators +aggressor's +agitation's +agnosticism +agonizingly +agoraphobia +agoraphobic +agrarianism +agreement's +agriculture +Agrippina's +agronomists +Aguinaldo's +Ahmadabad's +Ahmadinejad +aimlessness +airbrushing +aircraftman +aircraftmen +airdropping +airlessness +airsickness +airstrike's +Akhmatova's +Alabamian's +alabaster's +albatrosses +albatross's +Albigensian +Albuquerque +alchemist's +alcoholic's +Aldebaran's +Alderamin's +Alejandra's +Alejandro's +alertness's +Alexander's +Alexandra's +Alexandrian +Algonquians +Algonquin's +algorithmic +algorithm's +Alighieri's +alignment's +aliveness's +Allahabad's +allegations +Alleghenies +Allegheny's +allegiances +allegorical +allegorists +allegrettos +Allentown's +allergist's +alleviating +alleviation +alligator's +alliterated +alliterates +allocations +allotment's +allowance's +allurements +Almoravid's +almshouse's +aloofness's +alphabetize +Alpheratz's +altarpieces +alterations +altercation +alternately +alternate's +alternating +alternation +alternative +alternators +altimeter's +Altiplano's +Alzheimer's +amalgamated +amalgamates +amaryllises +amaryllis's +Amaterasu's +amazement's +ambassadors +ambergris's +ambiguities +ambiguity's +ambiguously +ambitiously +ambivalence +ambulance's +ambulations +ambuscade's +ambuscading +ameliorated +ameliorates +amenability +amendment's +Amenhotep's +Amerasian's +amercements +Americana's +Americanism +Americanize +americium's +Amerindians +amicability +amontillado +amorality's +amorousness +amorphously +amortizable +amoxicillin +ampersand's +amphetamine +amphibian's +amplifier's +amplitude's +amputations +Amsterdam's +amusement's +anabolism's +anachronism +analgesia's +analgesic's +analogizing +analogously +analysand's +anapestic's +anarchism's +anarchistic +anarchist's +Anastasia's +Anatolian's +anatomist's +anatomizing +ancestrally +Anchorage's +anchorage's +anchorite's +anchorman's +anchorwoman +anchorwomen +ancientness +ancillaries +ancillary's +Andalusia's +androgynous +androgyny's +Andromeda's +anecdotally +anemometers +anesthetics +anesthetist +anesthetize +angelfishes +angelfish's +angelically +Angelique's +angioplasty +angiosperms +angleworm's +Anglicanism +Anglicism's +anglicizing +anglophiles +anglophones +Aniakchak's +animadverts +animalcules +animation's +animosities +animosity's +anklebone's +Annabelle's +Annapolis's +Annapurna's +annexations +annihilated +annihilates +annihilator +anniversary +annotations +annotator's +announcer's +annoyance's +annuitant's +annulment's +anomalously +anonymity's +anonymously +anopheles's +anorectic's +answerphone +antagonisms +antagonists +antagonized +antagonizes +Antarctic's +antecedence +antecedents +antechamber +anthologies +anthologist +anthologize +anthology's +anthropoids +antibiotics +Antichrists +anticipated +anticipates +anticline's +anticyclone +antifascist +antiknock's +antimissile +antineutron +antinuclear +antioxidant +antipasto's +antipathies +antipathy's +antiphonals +antipodeans +antipodes's +antipoverty +antiprotons +antiquarian +antiquaries +antiquary's +antiquating +antiquities +antiquity's +antirrhinum +antiscience +antisemitic +antiseptics +antiserum's +antislavery +antitoxin's +antivenin's +antiviral's +Antofagasta +Antoninus's +anxiousness +apartheid's +apartment's +Apatosaurus +Apennines's +aphrodisiac +Aphrodite's +apocalypses +apocalyptic +Apocrypha's +apocrypha's +Apollinaire +apologist's +apologizing +apostatized +apostatizes +apostleship +apostrophes +Appalachian +appallingly +Appaloosa's +appaloosa's +apparatchik +apparatuses +apparatus's +apparitions +appealingly +appearances +appeasement +appellant's +appellation +appendage's +appertained +appetizer's +applauder's +applejack's +Appleseed's +appliance's +applicant's +application +applicators +appliqueing +appliquéing +appointee's +appointment +apportioned +appositives +appraisal's +appraiser's +appreciable +appreciably +appreciated +appreciates +appreciator +apprehended +apprenticed +apprentices +approaching +approbation +appropriate +approvingly +approximate +appurtenant +aquaculture +Aquafresh's +aquamarines +aquaplane's +aquaplaning +aquatically +Aquitaine's +arabesque's +arability's +arbitragers +arbitrage's +arbitrageur +arbitraging +arbitrament +arbitrarily +arbitrating +arbitration +arbitrators +arboretum's +arborvitaes +archaeology +archaically +archangel's +archbishops +archdeacons +archdiocese +archduchess +archenemies +archenemy's +archetype's +archfiend's +Archibald's +archipelago +architect's +architraves +archivist's +arduousness +Argentina's +Argentinean +Argentine's +Argentinian +Aristarchus +Aristides's +aristocracy +aristocrats +Aristotle's +Arizonian's +Arkhangelsk +Arkwright's +Arlington's +armadillo's +Armageddons +armistice's +Armstrong's +arraignment +arrangement +Arrhenius's +arrogance's +arrowhead's +arrowroot's +arteriole's +arthritic's +arthritis's +arthropod's +arthroscope +arthroscopy +Arthurian's +artichoke's +articulated +articulates +artificer's +artillery's +artlessness +ascendant's +Ascension's +ascension's +ascertained +ascetically +aseptically +Ashkhabad's +Ashmolean's +asininities +asininity's +asparagus's +aspartame's +aspersion's +asphyxiated +asphyxiates +Aspidiske's +aspidistras +aspirations +aspirator's +assailant's +assassinate +assemblages +assembler's +assemblyman +assemblymen +assertion's +assertively +assessments +asseverated +asseverates +assiduity's +assiduously +assignation +assignments +assimilated +assimilates +assistant's +associate's +associating +association +associative +assonance's +assortments +assumptions +assurance's +asterisking +asthmatic's +astigmatism +astonishing +Astrakhan's +astrakhan's +astringency +astringents +astrolabe's +astrologers +astrologist +astrology's +astronautic +astronaut's +astronomers +astronomy's +AstroTurf's +asymmetries +asymmetry's +Atahualpa's +Athabasca's +Athabaskans +athleticism +athletics's +atmospheres +atmospheric +atonality's +atonement's +atrociously +attachments +attainder's +attainments +attendances +attendant's +attention's +attentively +attenuating +attenuation +attestation +attitudinal +attractable +attractants +attractions +attribute's +attributing +attribution +attributive +attrition's +auctioneers +audaciously +audiologist +audiology's +audiometers +audiophiles +audiotape's +audiovisual +auditioning +auditoriums +augmenter's +Augustine's +Augustinian +Aurangzeb's +Auschwitz's +auscultated +auscultates +austerities +austerity's +Australasia +Australians +Australia's +authoresses +authoress's +authorities +authority's +authorizing +autoclave's +autocracies +autocracy's +autodidacts +autographed +autograph's +automaker's +automatic's +automatized +automatizes +automaton's +automobiled +automobiles +autopilot's +autoworkers +auxiliaries +auxiliary's +avalanche's +avocational +avocation's +avoidance's +avoirdupois +avuncularly +awakening's +awareness's +awesomeness +awfulness's +awkwardness +ayatollah's +Azerbaijani +Babylonians +Babylonia's +babysitters +babysitting +Bacchanalia +bacchanalia +bacchanal's +backbenches +backbiter's +backboard's +backcombing +backfield's +backgrounds +backhanders +backhanding +backlogging +backpackers +backpacking +backpedaled +backslapper +backslashes +backslash's +backsliders +backsliding +backspace's +backspacing +backstabber +backstage's +backstopped +backstories +backstreets +backstretch +backstroked +backstrokes +backtracked +backwater's +backwoods's +bactericide +bacterium's +badminton's +badmouthing +bagatelle's +bagginess's +bailiwick's +Bakersfield +baksheesh's +balaclava's +balalaika's +balefulness +balladeer's +ballerina's +balloonists +ballplayers +ballpoint's +ballyhooing +balminess's +Balthazar's +Baltimore's +Baluchistan +balustrades +bamboozling +bandleaders +bandmasters +bandoleer's +bandstand's +bandwagon's +Bangalore's +Bangladeshi +Banjarmasin +bankrolling +bankrupting +Bannister's +banqueter's +banquette's +banteringly +Barbadian's +barbarian's +barbarism's +barbarities +barbarity's +barbarizing +barbarously +barbershops +barbiturate +barcarole's +Barcelona's +barefacedly +bargainer's +barkeeper's +barnstormed +barnstormer +barometer's +baronetcies +baronetcy's +barracuda's +barricade's +barricading +barrister's +Barrymore's +bartender's +Bartholdi's +Bartholomew +Baryshnikov +baseboard's +bashfulness +basketballs +bassoonists +bastardized +bastardizes +bathhouse's +Bathsheba's +bathyscaphe +bathysphere +battalion's +battleaxe's +battledores +battledress +battlefield +battlefront +battlements +battleships +Baudrillard +bawdiness's +beachcomber +beachhead's +beachwear's +beansprouts +beanstalk's +Beardmore's +Beardsley's +bearishness +Bearnaise's +beastliness +beatitude's +Beatlemania +beauteously +beauticians +beautifiers +beautifully +beautifying +Becquerel's +bedchambers +bedevilment +bedfellow's +bedraggling +bedspread's +Beefaroni's +beefburgers +beefiness's +beefsteak's +beekeeper's +Beelzebub's +Beethoven's +befittingly +befriending +beginning's +beguilement +beguilingly +behaviorism +behaviorist +Beiderbecke +beleaguered +Bellatrix's +belletrists +bellicosity +belligerent +bellwethers +bellyache's +bellyaching +bellybutton +belonging's +Belorussian +benchmark's +Benedictine +benedictine +benediction +benedictory +benefaction +benefactors +beneficence +beneficiary +benevolence +benightedly +benignity's +bequeathing +bereavement +berkelium's +Berkshire's +Bermudian's +Bernadine's +Bernhardt's +Bernoulli's +Bernstein's +Bertelsmann +Bertillon's +beryllium's +Berzelius's +beseecher's +besmirching +bespangling +bespattered +bestsellers +bestselling +Bethlehem's +betrothal's +betrothed's +bewhiskered +bewildering +bewitchment +Bhutanese's +Bialystok's +bibliophile +bicarbonate +bicentenary +bicyclist's +bifurcating +bifurcation +bilaterally +bilingually +bilingual's +biliousness +billboard's +billiards's +billionaire +billionth's +bimetallics +bimetallism +bimonthlies +bimonthly's +binocular's +biochemical +biochemists +biodegraded +biodegrades +bioethics's +biofeedback +biographers +biographies +biography's +biologist's +biophysical +bioreactors +biorhythm's +biosphere's +birdbrained +birdbrain's +birdhouse's +birdwatcher +Birkenstock +birthmark's +birthplaces +birthrate's +birthrights +birthstones +bisection's +bisexuality +bishopric's +bittersweet +bivouacking +blackamoors +blackballed +blackball's +blackbird's +blackboards +Blackburn's +Blackfeet's +Blackfoot's +blackguards +blackhead's +blackjacked +blackjack's +blacklisted +blacklist's +blackmailed +blackmailer +blackmail's +blackness's +Blackpool's +blacksmiths +blacksnakes +blackthorns +blacktopped +Blackwell's +blamelessly +blameworthy +Blanchard's +blancmanges +blandishing +blandness's +Blankenship +blankness's +blasphemers +blasphemies +blaspheming +blasphemous +blasphemy's +Blavatsky's +bleakness's +blessedness +blindfolded +blindfold's +blindness's +blindsiding +blitzkriegs +blockader's +Blockbuster +blockbuster +blockhead's +blockhouses +blondness's +bloodbath's +bloodhounds +bloodlessly +bloodline's +bloodmobile +bloodshed's +bloodstains +bloodstream +bloodsucker +blowtorches +blowtorch's +bludgeoning +Bluebeard's +blueberries +blueberry's +bluebonnets +bluebottles +bluegrass's +bluejackets +bluejeans's +bluepoint's +blueprinted +blueprint's +Bluetooth's +bluffness's +blunderbuss +blunderer's +bluntness's +blusterer's +boardroom's +boardwalk's +boathouse's +boatswain's +bobbysoxers +bobsledders +bobsledding +bobsleigh's +Boccaccio's +Bodhidharma +Bodhisattva +bodybuilder +bodyguard's +bohemianism +boilermaker +boilerplate +Bojangles's +bollockings +Bollywood's +Bolshevik's +Boltzmann's +bombardiers +bombardment +bombshell's +Bonaparte's +Bonaventure +bondholders +bondwoman's +boneshakers +boogeyman's +boogieman's +bookbinders +bookbindery +bookbinding +bookkeepers +bookkeeping +bookmaker's +bookmarking +bookmobiles +bookplate's +booksellers +bookshelf's +bookshelves +bookstore's +boomeranged +boomerang's +boondocks's +boondoggled +boondoggler +boondoggles +boorishness +bootblack's +bootleggers +bootlegging +bootstrap's +borderlands +borderlines +Borobudur's +borrowing's +bossiness's +Bostonian's +botanically +botheration +bottlenecks +boulevard's +boundlessly +bounteously +bountifully +bourgeoisie +bourgeois's +Bournemouth +boutonniere +boutonnière +bowdlerized +bowdlerizes +bowstring's +boyfriend's +boysenberry +bradycardia +braggadocio +Brahmagupta +Brahmanisms +Brahmaputra +brainlessly +brainstorms +brainteaser +brainwashed +brainwashes +Brandenburg +brandishing +brashness's +brasserie's +brassiere's +bratwurst's +braveness's +Brazilian's +Brazzaville +breadbasket +breadboards +breadcrumbs +breadfruits +breadline's +breadwinner +breakable's +breakaway's +breakdown's +breakfasted +breakfast's +breakfronts +breakpoints +breakwaters +breastbones +breastfeeds +breastplate +breastworks +breathalyze +breathing's +breezeway's +bricklayers +bricklaying +brickwork's +bridegrooms +bridesmaids +bridgeheads +Bridgette's +briefcase's +briefness's +brigadier's +Brigadoon's +brigantines +brighteners +brightening +brilliantly +brilliant's +brimstone's +brininess's +briquette's +briskness's +Britannia's +Britannic's +Briticism's +Britisher's +brittleness +broadband's +broadcaster +broadcast's +broadloom's +broadminded +broadness's +broadsheets +broadside's +broadsiding +broadswords +Brobdingnag +brochette's +brokerage's +brontosaurs +broodmare's +broomsticks +brotherhood +browbeating +brownness's +brownstones +Brownsville +Brunhilde's +Brunswick's +brushstroke +brushwood's +brushwork's +brusqueness +brutalities +brutality's +brutalizing +brutishness +bubblegum's +buccaneered +buccaneer's +Bucharest's +buckboard's +bucketful's +bucktoothed +bucktooth's +buckwheat's +buckyball's +bucolically +budgerigars +Budweiser's +Bujumbura's +Bulgarian's +bulimarexia +bulkiness's +bulldogging +bulldozer's +bulletining +bulletproof +bullfighter +bullfight's +bullfinches +bullfinch's +bullishness +bullshitted +bullshitter +bumblebee's +bumpiness's +bumptiously +Bundestag's +bunkhouse's +bureaucracy +bureaucrats +burglarized +burglarizes +burgomaster +burlesque's +burlesquing +burliness's +burnisher's +Burroughs's +Burundian's +bushiness's +bushmasters +bushwhacked +bushwhacker +businessman +businessmen +butterballs +buttercream +buttercup's +butterfat's +butterflied +butterflies +butterfly's +butternut's +buttonholed +buttonholes +buttonwoods +buttressing +Buxtehude's +byproduct's +bystander's +Byzantine's +Byzantium's +caballero's +cabdriver's +cabinetry's +cabinetwork +cablecast's +cablegram's +cabriolet's +cacophonies +cacophonous +cacophony's +caddishness +cafeteria's +caffeinated +calaboose's +calciferous +calcimine's +calcimining +calculating +calculation +calculative +calculators +Caledonia's +calendaring +calibrating +calibration +calibrators +Californian +californium +caliphate's +calisthenic +Callaghan's +calligraphy +callosities +callosity's +callousness +calumniated +calumniates +calumniator +Calvinism's +Calvinistic +Calvinist's +camaraderie +Cambodian's +Cambridge's +camcorder's +Camembert's +cameraman's +camerawoman +camerawomen +Cameroonian +camouflaged +camouflager +camouflages +campaigners +campaigning +campanile's +campanology +campgrounds +Canaanite's +Canadianism +Canaletto's +Canaveral's +candelabras +candelabrum +candidacies +candidacy's +candidate's +candidature +candlelight +candlepower +candlestick +candlewicks +canebrake's +cannibalism +cannibalize +canniness's +cannonade's +cannonading +cannonballs +canonically +cantaloupes +cantilevers +Cantonese's +cantonments +canvasbacks +canvasser's +capaciously +capacitance +capacitor's +caparisoned +caparison's +capillaries +capillarity +capillary's +capitalists +capitalized +capitalizes +capitations +capitulated +capitulates +cappuccinos +Capricorn's +capsulizing +captaincies +captaincy's +captivating +captivation +captivators +captivities +captivity's +Caracalla's +caramelized +caramelizes +caravansary +carbonate's +carbonating +carbonation +carbonizing +Carborundum +carborundum +carbuncle's +carbuncular +carburetors +carcinogens +carcinoma's +cardboard's +cardholders +cardiograms +cardiograph +cardsharper +cardsharp's +careerist's +carefullest +carefulness +caregiver's +caretaker's +Caribbean's +caricatured +caricatures +carjacker's +carjackings +carnality's +Carnation's +carnation's +carnelian's +carnivore's +carnivorous +Carolingian +Carpathians +carpentered +Carpenter's +carpenter's +carpentry's +carpetbag's +carpeting's +carriageway +carryover's +carsickness +Cartesian's +carthorse's +cartilage's +cartography +cartoonists +cartridge's +cartwheeled +cartwheel's +casehardens +caseworkers +Cassandra's +casserole's +casseroling +cassowaries +cassowary's +Castaneda's +castellated +castigating +castigation +castigators +Castlereagh +castrations +casuistry's +cataclysmal +cataclysmic +cataclysm's +catafalques +catalepsy's +cataleptics +cataloger's +Catalonia's +catalysis's +catalytic's +catamaran's +catapulting +catastrophe +catatonia's +catatonic's +catchment's +catchphrase +catchword's +catechism's +catechist's +catechizing +categorical +categorized +categorizes +catercorner +Caterpillar +caterpillar +caterwauled +caterwaul's +catharsis's +cathartic's +cathedral's +Catherine's +catheterize +Catholicism +catholicity +Catskills's +cattiness's +cattleman's +Caucasian's +cauliflower +causalities +causality's +causation's +caustically +cauterizing +cavalcade's +Cavendish's +cavernously +ceasefire's +ceaselessly +Ceausescu's +celandine's +celebrant's +celebrating +celebration +celebrators +celebratory +celebrities +celebrity's +celestially +cellphone's +cellulite's +celluloid's +cellulose's +Centaurus's +centenarian +centenaries +centenary's +centennials +centerboard +centerfolds +centerpiece +centigram's +centiliters +centimeters +centipede's +centralized +centralizer +centralizes +centrifugal +centrifuged +centrifuges +centripetal +centurion's +ceramicists +cerebellums +cerebrating +cerebration +ceremonials +ceremonious +certainties +certainty's +certifiable +certifiably +certificate +certitude's +Cervantes's +cessation's +chaffinches +chaffinch's +chainsawing +chairlift's +chairperson +Chaitanya's +chalkboards +challengers +challenge's +challenging +Chamberlain +chamberlain +chambermaid +chameleon's +chamomile's +champagne's +championing +Champlain's +Champollion +chancellery +chancellors +chandeliers +Changchun's +changelings +changeovers +channelized +channelizes +chanteuse's +chanticleer +Chantilly's +chaotically +chaparral's +chaperonage +chaperoning +Chapultepec +charabanc's +character's +charbroiled +chardonnays +chariness's +charioteers +charismatic +charlatanry +charlatan's +Charlemagne +Charlestons +Charlotte's +Charmaine's +Charolais's +charterer's +charwoman's +Charybdis's +chastiser's +chatelaines +Chattanooga +chatterer's +chauffeured +chauffeur's +chauvinists +Chayefsky's +cheapness's +cheapskates +checkbook's +checklist's +checkmate's +checkmating +checkpoints +checkroom's +cheekbone's +cheerfuller +cheerleader +cheerlessly +cheeseboard +cheesecakes +cheesecloth +Chelyabinsk +chemistry's +Chernenko's +Chernobyl's +chessboards +Chevalier's +chevalier's +Chevrolet's +chewiness's +chiaroscuro +Chicagoan's +chicaneries +chicanery's +chickadee's +Chickasaw's +chickenfeed +chickenshit +chickweed's +chieftain's +chiffoniers +Chihuahua's +chihuahua's +chilblain's +childbirths +childcare's +childhood's +childminder +childproofs +chillness's +chimpanzees +Chinatown's +chinaware's +chinchillas +chinstrap's +Chipewyan's +Chippendale +chirography +chiropodist +chiropody's +chitchatted +chlamydia's +chlordane's +chlorinated +chlorinates +chloroforms +chlorophyll +chloroplast +chockablock +chocoholics +chocolate's +choirmaster +chokecherry +cholesterol +Chongqing's +chophouse's +chopstick's +choreograph +chorister's +Christendom +christening +Christensen +Christian's +Christina's +Christine's +Christmases +Christmas's +christology +Christopher +chromatin's +chromosomal +chromosomes +chronically +chroniclers +chronicle's +chronicling +chronograph +chronometer +chrysalises +chrysalis's +châtelaines +chuckhole's +churchgoers +churchgoing +Churchill's +churchman's +churchwoman +churchwomen +churchyards +Churriguera +cigarette's +cigarillo's +Cinderellas +CinemaScope +circuitry's +circularity +circularize +circulating +circulation +circulatory +circumcised +circumcises +circumpolar +circumspect +circumvents +cirrhosis's +cirrhotic's +Citigroup's +citizenry's +citizenship +Claiborne's +clairvoyant +clamberer's +clampdown's +clandestine +clapboarded +clapboard's +Clapeyron's +Clarendon's +clarinetist +classically +classical's +classicists +classifieds +classifiers +classifying +classmate's +classroom's +classwork's +Claudette's +clavichords +cleanliness +cleanness's +clearance's +Clearasil's +clearheaded +clearness's +clementines +Cleopatra's +clergyman's +clergywoman +clergywomen +clericalism +clerkship's +Cleveland's +clientele's +clientèle's +cliffhanger +climacteric +climatology +clinician's +cliometrics +clipboard's +cloakroom's +clockwork's +clodhoppers +cloisonne's +cloisonné's +cloistering +closefisted +closeness's +clothesline +clothespins +cloudbursts +cloverleafs +clubhouse's +cnidarian's +coadjutor's +coagulant's +coagulating +coagulation +coagulators +coalescence +coalition's +coastguards +coastline's +coauthoring +cobblestone +cobwebbiest +cochineal's +cockatiel's +cockatrices +cockchafers +cockfight's +cockiness's +cockleshell +cockroaches +cockroach's +cockscomb's +cocksuckers +codependent +coeducation +coefficient +coexistence +coextensive +coffeecakes +coffeehouse +coffeemaker +coffeepot's +cofferdam's +cogitations +cogitator's +cognitional +cognition's +cognitively +cognoscente +cognoscenti +cohabitants +coherence's +coherency's +coincidence +coinsurance +Cointreau's +coldblooded +Coleridge's +collaborate +collapsible +collarbones +collation's +colleague's +collectedly +collectible +collections +collectives +collector's +collegian's +collision's +collocate's +collocating +collocation +colloquiums +collusion's +Colombian's +colonelcy's +colonialism +colonialist +colonizer's +colonnade's +colonoscopy +Coloradan's +coloraturas +colorlessly +Colosseum's +colostomies +colostomy's +colostrum's +Columbine's +columbine's +columnist's +combatant's +combination +combustible +comediennes +comestibles +comeuppance +comfortable +comfortably +comforter's +comfortless +Comintern's +commandants +commandeers +commander's +Commandment +commandment +commemorate +commendable +commendably +commentated +commentates +commentator +commercials +commingling +commiserate +commissar's +commissions +commitments +committal's +committee's +commodities +commodity's +commodore's +commonality +commonplace +commonsense +commotion's +communicant +communicate +Communion's +communion's +communiques +communism's +communistic +Communist's +communist's +communities +community's +commutation +commutative +commutators +compactness +compactor's +companion's +comparative +comparisons +compartment +compatibles +compatriots +compendious +compendiums +compensated +compensates +competences +competently +competition +competitive +competitors +compilation +complacence +complacency +complainant +complainers +complaining +complaint's +complaisant +complements +completions +complexions +compliantly +complicated +complicates +compliments +component's +comportment +compositely +composite's +compositing +composition +compositors +composure's +compounding +comprehends +compressing +compression +compressors +compromised +compromises +comptroller +compulsions +compunction +computation +computerate +computerize +computing's +comradeship +concatenate +concaveness +concavities +concavity's +concealable +concealer's +concealment +conceitedly +conceivable +conceivably +concentrate +conceptions +concernedly +concertedly +concertgoer +concertinas +concertized +concertizes +concessions +concierge's +conciliated +conciliates +conciliator +conciseness +concision's +conclusions +concoctions +concomitant +concordance +concordat's +concourse's +concretions +concubinage +concubine's +concurrence +concurrency +concussions +condemner's +condensates +condenser's +condescends +Condillac's +condiment's +conditional +conditioned +conditioner +condition's +condolences +condominium +Condorcet's +conductance +conductible +conductor's +conductress +Conestoga's +confabulate +confections +Confederacy +confederacy +Confederate +confederate +conferences +conferments +conferrable +conferral's +conferrer's +confessedly +confessions +confessor's +confidantes +confidant's +confidences +confidently +confidingly +configuring +confinement +confiscated +confiscates +confiscator +conflations +conflicting +confluences +conformable +conformance +conformer's +conformists +confounding +confronting +Confucian's +Confucius's +confusingly +confusion's +confutation +congealment +congenially +congeries's +Congolese's +congregants +congregated +congregates +congressman +congressmen +congruently +congruities +congruity's +conjectural +conjectured +conjectures +conjoiner's +conjugating +conjugation +conjunction +conjunctiva +conjunctive +conjuncture +conjuration +connectable +Connecticut +connections +connectives +connector's +Connemara's +conniptions +connoisseur +connotation +connotative +conquerable +conqueror's +consciences +consciously +conscripted +conscript's +consecrated +consecrates +consecutive +consensuses +consensus's +consequence +conservancy +conservator +considerate +considering +consignee's +consignment +consignor's +consistence +consistency +consolation +consolatory +consolidate +consolingly +consonances +consonantly +consonant's +conspicuous +conspirator +Constable's +constable's +Constance's +constancy's +Constantine +constipated +constipates +constituent +constituted +constitutes +constrained +constraints +constricted +constrictor +construable +constructed +constructor +construct's +consulate's +consultancy +consultants +consumables +consumerism +consumerist +consummated +consummates +consumption +consumptive +contactable +contagion's +containable +container's +containment +contaminant +contaminate +contemplate +contender's +contentedly +contentions +contentious +contentment +contestable +contestants +Continental +continental +Continent's +continent's +contingency +contingents +continually +continuance +continuum's +contortions +contractile +contracting +contraction +contractors +contractual +contradicts +contraflows +contralto's +contraption +contrarians +contrariety +contrasting +contravened +contravenes +Contreras's +contretemps +contributed +contributes +contributor +contrivance +contriver's +controllers +controlling +controversy +controverts +contumacy's +contumelies +contumely's +contusion's +conundrum's +conurbation +convalesced +convalesces +convenience +conventicle +conventions +convergence +conversions +converter's +convertible +convexity's +conveyances +convictions +convivially +convocation +convolution +convulsions +cooperage's +cooperating +cooperation +cooperative +cooperators +Cooperstown +coordinated +coordinates +coordinator +copiousness +Copperfield +copperheads +copperplate +copulatives +copycatting +copyrighted +copyright's +copywriters +Cordilleras +cordilleras +corduroys's +coriander's +Corinthians +corkscrewed +corkscrew's +cormorant's +cornbread's +Corneille's +Cornelius's +cornerstone +cornflowers +corniness's +cornstalk's +cornucopias +corollaries +corollary's +coronations +corporately +corporation +corporatism +corporeally +corpuscle's +corpuscular +correctable +corrections +correctives +correctness +Correggio's +correlate's +correlating +correlation +correlative +corresponds +corroborate +corrosion's +corrosively +corrosive's +corrugating +corrugation +corruptible +corruptions +corruptness +cortisone's +coruscating +coruscation +Corvallis's +cosignatory +cosmetician +cosmetology +cosmogonies +cosmogonist +cosmogony's +cosmologies +cosmologist +cosmology's +cosmonaut's +cosponsored +cosponsor's +cotangent's +coterminous +cotillion's +cottonmouth +cottonseeds +cottontails +cottonwoods +cotyledon's +councilor's +counselings +counselor's +countdown's +countenance +counteracts +counterfeit +counterfoil +countermand +countermove +counterpane +counterpart +countersign +countersink +countersunk +countervail +countrified +countryside +countrywide +coursebooks +courteously +courtesan's +courthouses +courtliness +courtroom's +courtship's +courtyard's +couturier's +covenanting +cowardice's +cowcatchers +cowpunchers +crabgrass's +crackdown's +crackerjack +crackhead's +crackling's +craftsman's +craftswoman +craftswomen +cranberries +cranberry's +crankcase's +crankshafts +crapshooter +crassness's +crawlspaces +craziness's +creationism +creationist +credentials +credibility +credulity's +credulously +Creighton's +cremation's +crematories +crematorium +crematory's +crenelating +crenelation +crepuscular +crescendo's +crestfallen +cretinism's +cricketer's +criminality +criminalize +criminology +crinoline's +crippleware +cripplingly +crispbreads +crispness's +criterion's +criticality +criticism's +criticizers +criticizing +crocheter's +crocodile's +croissant's +Cromwellian +crookedness +crookneck's +croquette's +crossbeam's +crossbowman +crossbowmen +crossbreeds +crosschecks +crossfire's +crossness's +crossover's +crosspieces +crossroad's +crosswalk's +crosswind's +crossword's +crowdfunded +Crucifixion +crucifixion +cruciform's +crudeness's +cruelness's +crumbliness +crunchiness +crustaceans +cryosurgery +cryptically +cryptograms +crystalline +crystallize +Ctesiphon's +cubbyhole's +Cuchulain's +cuckoldry's +Cuisinart's +culminating +culmination +culpability +cultivating +cultivation +cultivators +cummerbunds +cumulonimbi +cuneiform's +cunnilingus +curbstone's +curettage's +curiosities +curiosity's +curiousness +curliness's +curmudgeons +currycombed +currycomb's +cursoriness +curtailment +curvature's +custodian's +customarily +customhouse +customizing +cutthroat's +cybernetics +cyberpunk's +cyberspaces +cyclometers +cyclopedias +cyclotron's +cylindrical +cymbalist's +Cymbeline's +cytologists +cytoplasmic +cytoplasm's +dachshund's +daffiness's +dailiness's +dairymaid's +dalliance's +Dalmatian's +dalmatian's +damnation's +damselflies +damselfly's +dandelion's +Dangerfield +dangerously +Dardanelles +daredevilry +daredevil's +dartboard's +Dartmouth's +Darwinian's +Darwinism's +dashboard's +Daugherty's +dauntlessly +Davenport's +davenport's +daydreamers +daydreaming +daylights's +débridement +débutante's +décolletage +deaconesses +deaconess's +deactivated +deactivates +deadheading +deadlocking +deadpanning +deafeningly +dealerships +deathblow's +deathlessly +deathtrap's +debarkation +debarment's +debasements +debauchee's +debenture's +debilitated +debilitates +debridement +debriefings +debutante's +decadence's +decadency's +Decalogue's +decapitated +decapitates +decapitator +decathletes +decathlon's +deceitfully +deceivingly +decelerated +decelerates +decelerator +decennial's +deception's +deceptively +deciliter's +decimeter's +deciphering +declaimer's +declamation +declamatory +declaration +declarative +declaratory +declensions +declination +declivities +declivity's +decolletage +decolonized +decolonizes +decomposing +deconstruct +decorations +decorator's +decoupage's +decoupaging +decremented +decrepitude +decrescendo +dedications +dedicator's +deductibles +deduction's +deductively +deerstalker +deescalated +deescalates +defalcating +defalcation +defaulter's +defeatism's +defeatist's +defection's +defectively +defective's +defendant's +defenseless +defensively +defensive's +deference's +deferential +deferment's +definitions +deflation's +deflections +deflector's +deflowering +defoliant's +defoliating +defoliation +defoliators +deforesting +deformation +deformities +deformity's +defrauder's +defroster's +degenerated +degenerates +DeGeneres's +degradation +dehumanized +dehumanizes +dehydrating +dehydration +dehydrators +deification +dejection's +Delacroix's +Delawareans +delectation +delegations +deleterious +deleveraged +deleverages +delftware's +deliberated +deliberates +deliciously +Delicious's +delightedly +deliminator +delineating +delineation +delinquency +delinquents +deliquesced +deliquesces +deliriously +deliverable +deliverance +deliverer's +deliveryman +deliverymen +Delmonico's +delphiniums +Delphinus's +demagnetize +demagoguery +demagogue's +demarcating +demarcation +Demetrius's +demigoddess +demimonde's +demitasse's +demobilized +demobilizes +democracies +democracy's +democratize +demodulated +demodulates +demographer +demographic +demolishing +demolitions +demonetized +demonetizes +demonically +demonstrate +demoralized +demoralizes +Demosthenes +demotivated +demotivates +demulcent's +demystified +demystifies +deniability +denigrating +denigration +denominated +denominates +denominator +denotations +denouements +denseness's +dentifrices +dentistry's +dentition's +deodorant's +deodorizers +deodorizing +departments +departure's +dependently +dependent's +depiction's +depletion's +deployments +depolarized +depolarizes +depopulated +depopulates +deportation +depositions +depositor's +depravities +depravity's +deprecating +deprecation +deprecatory +depreciated +depreciates +depredation +depressants +depressions +depressives +depressor's +deprivation +deputations +derailleurs +derailments +derangement +deregulated +deregulates +dereliction +derivations +derivatives +dermatology +derringer's +desalinated +desalinates +desalinized +desalinizes +Descartes's +descendants +describable +describer's +description +descriptive +descriptors +Desdemona's +desecrating +desecration +desegregate +deselecting +deselection +desensitize +desertion's +desiccant's +desiccating +desiccation +desiccators +desideratum +designating +designation +designing's +desperadoes +desperado's +desperately +desperation +despoiler's +despoilment +despondence +despondency +despotism's +destabilize +d'Estaing's +destination +destitution +destroyer's +destructing +destruction +destructive +desuetude's +desultorily +detachments +detection's +detective's +detention's +detergent's +deteriorate +determent's +determinant +determinate +determiners +determining +determinism +deterrent's +detestation +detonations +detonator's +detoxifying +detractor's +detrimental +detriment's +deuterium's +Deuteronomy +devaluation +devastating +devastation +devastators +developer's +development +deviation's +devilment's +deviousness +devitalized +devitalizes +devotionals +Dexedrine's +dexterity's +dexterously +diacritical +diacritic's +diaeresis's +Diaghilev's +diagnosis's +diagnostics +diagramming +dialectical +dialectic's +diametrical +diamondback +diaphragm's +diathermy's +dichotomies +dichotomous +dichotomy's +Dickerson's +Dickinson's +dicotyledon +Dictaphones +dictation's +dictatorial +diddlysquat +didgeridoos +Didrikson's +Diefenbaker +dielectrics +dietetics's +dietitian's +differences +differently +difficultly +diffidently +diffracting +diffraction +diffuseness +diffusion's +diffusivity +digestion's +digitalis's +dignitaries +dignitary's +digressions +dilapidated +dilettantes +diligence's +Dillinger's +dimensional +dimension's +diminishing +diminuendos +diminutions +diminutives +dinginess's +Dionysian's +Diophantine +diphthong's +diplomacy's +diplomatist +dipsomaniac +directional +direction's +directive's +directorate +directorial +directories +directory's +Dirichlet's +dirigible's +dirtiness's +disablement +disaffected +disafforest +disagreeing +disallowing +disappeared +disappoints +disapproval +disapproved +disapproves +disarmament +disarmingly +disarranged +disarranges +disarraying +disassemble +disassembly +disavowal's +disbandment +disbelief's +disbelieved +disbeliever +disbelieves +disbursal's +discernible +discernibly +discernment +discharge's +discharging +disciplined +disciplines +disclaimers +disclaiming +disclosures +discography +discoloring +discomfited +discomforts +discommoded +discommodes +discomposed +discomposes +disconcerts +disconnects +discontents +discontinue +discordance +discotheque +discounters +discounting +discouraged +discourages +discourse's +discoursing +discourtesy +discoverers +discoveries +discovering +discovery's +discredited +discredit's +discreetest +discrepancy +discussants +discussions +disembarked +disembodied +disembodies +disembowels +disenchants +disencumber +disengaging +disentangle +disesteemed +disesteem's +disfavoring +disfiguring +disgraceful +disgruntled +disgruntles +disgustedly +dishcloth's +disheartens +disheveling +dishonestly +dishonoring +dishtowel's +dishwashers +dishwater's +disillusion +disinclined +disinclines +disinfected +disinherits +disinterest +disinterred +disjointing +disjunctive +disjuncture +dislocating +dislocation +dismantling +dismembered +dismissal's +dismounting +disobedient +disobliging +disordering +disorganize +disoriented +disparaging +disparately +disparities +disparity's +dispatchers +dispatching +dispensable +dispenser's +dispersal's +dispiriting +displayable +displeasing +displeasure +disposables +disposition +dispraise's +dispraising +disprovable +disputant's +disputation +disquieting +disquietude +disregarded +disregard's +disrepair's +disrepute's +disrespects +disruptions +dissections +dissector's +dissemblers +dissembling +disseminate +dissensions +dissenter's +disservices +dissevering +dissident's +dissimulate +dissipating +dissipation +dissociated +dissociates +dissolutely +dissolution +dissonances +distasteful +distemper's +distensions +distentions +distillates +distiller's +distinctest +distinction +distinctive +distinguish +distortions +distracting +distraction +distressful +distressing +distributed +distributes +distributor +distrustful +distrusting +disturbance +disturber's +divergences +diverseness +diversified +diversifies +diversion's +diversities +diversity's +divestiture +divorcement +Dixiecrat's +Dixieland's +dixieland's +dizziness's +dockworkers +doctorate's +doctrinaire +docudrama's +documentary +documenting +dogcatchers +dogmatism's +dogmatist's +dogtrotting +dolefulness +dollhouse's +doltishness +domesticate +domesticity +domiciliary +dominance's +domineering +Dominguez's +Dominican's +Dominique's +Donaldson's +Donatello's +Donizetti's +donnybrooks +doodlebug's +doohickey's +Doolittle's +doomsayer's +doorkeepers +doorknocker +doorplate's +doorstepped +dormitories +dormitory's +dosimeter's +Doubleday's +doublespeak +doubtlessly +dovetailing +dowdiness's +downdraft's +downgrade's +downgrading +downhearted +downloading +downplaying +downshifted +downspout's +downstate's +downswing's +downtrend's +downtrodden +Draconian's +draftsman's +draftswoman +draftswomen +dragonflies +dragonfly's +dérailleurs +drainboards +drainpipe's +Dramamine's +dramatics's +dramatist's +dramatizing +drastically +Dravidian's +drawbridges +drawstrings +dreadnought +dreamboat's +dreamland's +dreamworlds +dressmakers +dressmaking +driftwood's +drillmaster +driveshafts +drollness's +dromedaries +dromedary's +droppings's +drugstore's +drumstick's +drunkenness +dubiousness +Dubrovnik's +ductility's +dumbfounded +dumbwaiters +dumpiness's +dunderheads +duplicate's +duplicating +duplication +duplicators +duplicitous +duplicity's +duskiness's +dustiness's +dutifulness +dynamically +dynamiter's +dysentery's +dysfunction +dyslectic's +dyspepsia's +dyspeptic's +Dzerzhinsky +Dzungaria's +eagerness's +earliness's +earnestness +Earnhardt's +earthenware +earthling's +earthquakes +earthwork's +earthworm's +easterner's +easternmost +Ebeneezer's +ebulliently +eccentric's +echinoderms +eclecticism +ecologist's +econometric +economics's +economist's +economizers +economizing +ecosystem's +ecotourists +Ecuadoran's +Ecuadorians +ecumenicism +ecumenism's +Eddington's +edelweiss's +edibility's +edification +Edinburgh's +editorially +editorial's +educability +educational +education's +edutainment +Edwardian's +effectively +effectually +effectuated +effectuates +effervesced +effervesces +efficacious +efficiently +effluence's +effluvium's +egalitarian +eggbeater's +eglantine's +egocentrics +egomaniac's +egotistical +egregiously +Ehrenberg's +eiderdown's +eigenvalues +eighteenths +eightieth's +einsteinium +eisteddfods +ejaculating +ejaculation +ejaculatory +elaborately +elaborating +elaboration +elastically +elasticated +elasticized +elasticizes +Elastoplast +elbowroom's +eldercare's +electioneer +electorally +electorates +electrician +electricity +electrified +electrifier +electrifies +electrocute +electrode's +electrolyte +electronica +electronics +electrotype +elementally +elephantine +elevation's +elicitation +eligibility +eliminating +elimination +eliminators +Elisabeth's +Elizabethan +Elizabeth's +Ellesmere's +Ellington's +ellipsoidal +ellipsoid's +elocution's +elongations +elopement's +eloquence's +elucidating +elucidation +elusiveness +emanation's +emancipated +emancipates +emancipator +emasculated +emasculates +embankments +embarkation +embarrassed +embarrasses +embellished +embellishes +embezzler's +embittering +emblazoning +emboldening +embraceable +embrasure's +embrocation +embroidered +embroiderer +embroilment +emendations +emergence's +emergencies +emergency's +emigrations +emollient's +emolument's +emotionally +emotionless +empathizing +emphasizing +emphysema's +empirically +empiricists +emplacement +employments +empowerment +emptiness's +emulation's +emulsifiers +emulsifying +enactment's +encampments +encapsulate +enchanter's +enchantment +enchantress +enchilada's +enciphering +enclosure's +encompassed +encompasses +encountered +encounter's +encouraging +encroaching +encumbering +encumbrance +encyclicals +endangering +endearingly +endearments +endeavoring +endemically +endlessness +endocrine's +endometrial +endometrium +endorphin's +endorsement +endoscope's +endoscopy's +endothelial +endothermic +endowment's +endurance's +energizer's +enforceable +enforcement +enfranchise +engagements +engendering +engineering +engorgement +engraving's +engrossment +enhancement +enjambments +enjoyment's +enlargeable +enlargement +enlightened +enlistments +enlivenment +ennoblement +enquiringly +enrapturing +enrollments +enshrouding +enslavement +ensnarement +enteritis's +enterprises +entertained +entertainer +enthralling +enthusiasms +enthusiasts +enticements +entitlement +entourage's +entrenching +entryphones +enumerating +enumeration +enumerators +enunciating +enunciation +enveloper's +envelopment +enviousness +environment +envisioning +eosinophils +ephedrine's +ephemerally +epicenter's +Epictetus's +Epicurean's +epicurean's +epidermises +epidermis's +epigraphy's +epileptic's +epinephrine +epitomizing +equalizer's +equestrians +equidistant +equilateral +equilibrium +equinoctial +equipment's +equipoise's +equivalence +equivalency +equivalents +equivocally +equivocated +equivocates +equivocator +eradicating +eradication +eradicators +erectness's +Ernestine's +eroticism's +erratically +erroneously +eructations +erudition's +erythrocyte +escalations +escalator's +escalloping +escapements +escarpments +eschatology +Escherichia +escritoires +escutcheons +Esmeralda's +esophagus's +espadrilles +espaliering +Esperanto's +Esperanza's +espionage's +esplanade's +essentially +essential's +Essequibo's +established +establishes +Esterhazy's +Esterházy's +estimations +estimator's +eternalness +Ethiopian's +ethnicity's +ethnography +ethnologist +ethnology's +ethological +ethologists +etiological +etiquette's +etymologies +etymologist +etymology's +Eucharistic +Eucharist's +eugenically +eugenicists +eulogizer's +Eumenides's +euphemism's +euphemistic +Euphrates's +Euripides's +Eurodollars +euthanizing +euthenics's +evacuations +evaluations +evanescence +Evangelical +evangelical +evangelists +evangelized +evangelizes +evaporating +evaporation +evaporators +evasiveness +eventuality +eventuating +everglade's +evergreen's +everlasting +EverReady's +everybody's +evildoing's +eviscerated +eviscerates +evocation's +evocatively +evolution's +exacerbated +exacerbates +exactness's +exaggerated +exaggerates +exaggerator +examination +exasperated +exasperates +Excalibur's +excavations +excavator's +exceedingly +excellently +excelsior's +exceptional +exception's +excessively +exchequer's +excitements +exclamation +exclamatory +exclusion's +exclusively +exclusive's +exclusivity +excoriating +excoriation +excremental +excrement's +excrescence +excretion's +exculpating +exculpation +exculpatory +excursion's +excursively +executioner +execution's +executive's +executrices +executrix's +exemplified +exemplifies +exemption's +exerciser's +Exercycle's +exfoliating +exfoliation +exhalations +exhaustible +exhibitions +exhibitor's +exhilarated +exhilarates +exhortation +exhumations +existence's +existential +exonerating +exoneration +exoplanet's +exorbitance +exoskeleton +exosphere's +exoticism's +expansion's +expansively +expatiating +expatiation +expatriated +expatriates +expectantly +expectation +expectorant +expectorate +expediences +expediently +expedient's +expediter's +expeditions +expeditious +expendables +expenditure +expensively +experienced +experiences +experiments +expertise's +expiation's +explainable +explanation +explanatory +expletive's +explicating +explication +exploitable +exploiter's +exploration +exploratory +explosion's +explosively +explosive's +exponential +exportation +expositions +expositor's +expostulate +expounder's +expressible +expressions +expressways +expropriate +expulsion's +expurgating +expurgation +exquisitely +extemporize +extensional +extension's +extensively +extenuating +extenuation +exterminate +externalize +extinctions +extirpating +extirpation +extortioner +extortion's +extractions +extractor's +extraditing +extradition +extrapolate +extravagant +extremeness +extremism's +extremist's +extremities +extremity's +extricating +extrication +extroverted +extrovert's +extrusion's +exuberantly +exudation's +exurbanites +eyedroppers +eyeopener's +eyestrain's +fabricating +fabrication +fabricators +facecloth's +facepalming +facetiously +facilitated +facilitates +facilitator +facsimile's +factorial's +factorizing +faddishness +faintness's +Fairbanks's +fairgrounds +fairyland's +faithlessly +Falklands's +fallibility +Fallopian's +falsehood's +falseness's +falsifiable +falsifier's +falteringly +familiarity +familiarize +fanatically +fanciness's +fancywork's +fantasizing +fantastical +farinaceous +farmhouse's +farmstead's +Farrakhan's +farthermost +fascinating +fascination +fashionable +fashionably +fashioner's +fashionista +fastening's +fatefulness +fatherlands +fattiness's +fatuousness +Faulknerian +faultfinder +faultlessly +fearfulness +feasibility +featheriest +featherless +featureless +fecundating +fecundation +fecundity's +federalists +federalized +federalizes +federations +felicitated +felicitates +fellowman's +fellowships +Ferdinand's +Fernandez's +ferociously +ferryboat's +fertility's +fertilizers +fertilizing +festiveness +festivities +festivity's +fetidness's +fetishism's +fetishistic +fetishist's +feudalism's +feudalistic +fiberfill's +Fiberglas's +Fibonacci's +fibrillated +fibrillates +fictionally +fiduciaries +fiduciary's +fieldworker +fieldwork's +fieriness's +fifteenth's +figureheads +filamentous +filibusters +filigreeing +filminess's +filmmaker's +filmstrip's +financially +financier's +financing's +fingerboard +fingering's +fingerlings +fingermarks +fingernails +fingerprint +fingertip's +finickiness +firebombing +firebrand's +firebreak's +firebrick's +firecracker +firefighter +firefight's +firehouse's +firelighter +firelight's +fireplace's +firepower's +fireproofed +firescreens +Firestone's +firestorm's +firetruck's +firewater's +firmament's +firstborn's +fisherman's +fishiness's +fishmongers +fishtailing +fissionable +fistfight's +fistulous's +Fitzpatrick +flabbergast +flagellants +flagellated +flagellates +flagellum's +flagrance's +flagrancy's +flagstaff's +flagstone's +flakiness's +flamboyance +flamboyancy +flameproofs +flammable's +flannelette +flashback's +flashbulb's +flashcard's +flashcube's +flashlights +flatterer's +flauntingly +flavoring's +fledgling's +fleetness's +Fleischer's +flexibility +flightiness +flimflammed +flintlock's +Flintstones +flippancy's +flirtations +flirtatious +floodgate's +floodlights +floodplains +floodwaters +floorboards +floorwalker +flophouse's +florescence +Floridian's +Florsheim's +flotation's +floundering +flourishing +flowchart's +flowerbed's +floweriness +flowerpot's +fluctuating +fluctuation +fluorescent +fluorescing +fluoridated +fluoridates +fluoroscope +flycatchers +flyspecking +flyswatters +flyweight's +foaminess's +fogginess's +folklorists +folksingers +folksinging +following's +Fomalhaut's +fomentation +foodstuff's +foolhardier +foolhardily +foolishness +footballers +footballing +footbridges +footlockers +footprint's +footstool's +foppishness +forbearance +forbiddings +forebodings +forecasters +forecasting +forecastles +foreclosing +foreclosure +forecourt's +foredooming +forefathers +forefingers +forefront's +foregrounds +foreigner's +foreignness +foreknowing +forensics's +foreordains +forepersons +forequarter +forerunners +foreseeable +foreshadows +foreshorten +foresighted +foresight's +forestalled +forestation +foretaste's +foretasting +foretelling +forethought +forevermore +forewarning +forewoman's +forfeitures +forgathered +forgetfully +forgettable +forgiveness +formalism's +formalist's +formalities +formality's +formalizing +formation's +formfitting +formulating +formulation +formulators +fornicating +fornication +fornicators +forswearing +forsythia's +Fortaleza's +forthcoming +fortifier's +fortitude's +fortnightly +fortnight's +fortunately +forwarder's +forwardness +fossilizing +foulmouthed +foundations +foundling's +fourposters +fourscore's +fourteenths +foxtrotting +fractiously +fragility's +fragmentary +fragmenting +Fragonard's +fragrance's +frailness's +framework's +Francesca's +franchisees +franchisers +franchise's +franchising +Franciscans +Francisca's +Francisco's +Francoise's +Francophile +francophone +Franglais's +Frankfort's +Frankfurter +frankfurter +Frankfurt's +frankness's +frantically +fraternally +fraternized +fraternizer +fraternizes +fratricidal +fratricides +fraudulence +Frederick's +Fredericton +freebooters +freeholders +freelancers +freelance's +freelancing +freeloaders +freeloading +Freemasonry +freemasonry +Freemason's +freestone's +freestyle's +freethinker +freewheeled +freighter's +Frenchman's +Frenchmen's +Frenchwoman +Frenchwomen +frequencies +frequency's +frequenters +frequentest +frequenting +freshener's +freshness's +fretfulness +fricassee's +fricative's +friedcake's +friendliest +friendships +frightening +frightfully +frigidity's +frivolities +frivolity's +frivolously +Frobisher's +frogmarched +frogmarches +Froissart's +frolicker's +Frontenac's +Frostbelt's +frostbite's +frostbiting +frostbitten +frowardness +fructifying +frugality's +fruitcake's +fruitlessly +frustrating +frustration +Fulbright's +fulfillment +Fullerton's +fulminating +fulmination +fulsomeness +fumigator's +functionary +functioning +fundamental +fundraisers +fundraising +fungicide's +funicular's +funkiness's +funniness's +furloughing +furnishings +furniture's +furriness's +furtherance +furthermore +furthermost +furtiveness +Furtwangler +Furtwängler +fusillade's +fussbudgets +fussiness's +fustiness's +fuzziness's +gabardine's +gabbiness's +gaberdine's +Gabrielle's +gainsayer's +Galapagos's +Galatians's +Galbraith's +Gallagher's +gallantry's +gallbladder +Gallicism's +gallimaufry +gallivanted +gallstone's +galvanism's +galvanizing +Galveston's +gamekeepers +gangbusters +gangplank's +gardening's +Garfunkel's +Gargantua's +Garibaldi's +garnishee's +garnishment +garrisoning +garrulity's +garrulously +gastritis's +gastronomes +gastronomic +gastropod's +gatecrashed +gatecrasher +gatecrashes +gatehouse's +gatekeepers +gathering's +gaucherie's +gaudiness's +gauntness's +gauziness's +gawkiness's +gazetteer's +Gaziantep's +gearshift's +gearwheel's +gelignite's +gemological +gemologists +genealogies +genealogist +genealogy's +generalists +generalized +generalizes +generalship +generations +generator's +generically +genetically +geneticists +Genevieve's +geniality's +genitalia's +genteelness +gentility's +gentlefolks +gentlemanly +gentleman's +gentlewoman +gentlewomen +gentrifying +genuflected +genuineness +geographers +geographies +geography's +geologist's +geomagnetic +geometrical +geophysical +geopolitics +Georgette's +geosyncline +Geraldine's +germanium's +germicide's +germinating +germination +gerontology +gerrymander +gestational +gestation's +gesticulate +ghastliness +Ghazvanid's +ghettoizing +ghostliness +ghostwriter +ghostwrites +gibberish's +Gibraltar's +giddiness's +gigahertz's +gigapixel's +Gilchrist's +Gilgamesh's +Gillespie's +gimcrackery +gimmickry's +gingerbread +gingersnaps +Giorgione's +Giraudoux's +girlfriends +girlishness +glaciations +gladiator's +gladiolus's +Gladstone's +glamorizing +glamorously +glassblower +glasshouses +glassware's +Glastonbury +Glaswegians +gleanings's +gleefulness +Glenlivet's +glimmerings +glissando's +globalism's +globalist's +globalizing +glossolalia +glutinously +goalkeepers +goalkeeping +goalscorers +goaltenders +gobstoppers +godchildren +goddaughter +godfather's +godforsaken +godlessness +godliness's +godmother's +godparent's +goldbricked +goldbricker +goldbrick's +goldenrod's +goldfinches +goldfinch's +Goldsmith's +goldsmith's +Goldwater's +gondolier's +gonorrhea's +goodhearted +goofiness's +Goolagong's +Gorbachev's +gormandized +gormandizer +gormandizes +governesses +governess's +governments +Graceland's +gracelessly +gradation's +gradualness +graduations +grammarians +grammatical +gramophones +Grampians's +grandaunt's +grandfather +grandiosely +grandiosity +grandmother +grandnephew +grandness's +grandnieces +grandparent +grandstands +granduncles +granularity +granulating +granulation +grapefruits +grapeshot's +grapevine's +graphically +grasshopper +grassland's +gratitude's +gravedigger +graveness's +graveside's +gravestones +graveyard's +gravimeters +gravitating +gravitation +graybeard's +greasepaint +greatcoat's +greatness's +greenback's +greenbelt's +greengage's +greengrocer +greenhorn's +greenhouses +Greenlandic +Greenland's +greenmail's +greenness's +greenroom's +Greenspan's +Greenwich's +greenwood's +Gregorian's +Grenadian's +grenadier's +grenadine's +greyhound's +griddlecake +grievance's +griminess's +grindstones +gristmill's +Grünewald's +groomsman's +grosgrain's +grossness's +grotesquely +grotesque's +grouchiness +groundcloth +groundhog's +grounding's +groundnut's +groundsheet +groundswell +groundwater +groupware's +grubstake's +gruffness's +Grunewald's +guacamole's +Guadalajara +Guadalcanal +Guadalupe's +Guangzhou's +guarantee's +guarantor's +guarantying +guardhouses +guardrail's +guardroom's +guardsman's +Guarnieri's +Guatemalans +Guatemala's +Guayaquil's +guerrilla's +guesstimate +guesswork's +guestbook's +guesthouses +guidebook's +guideline's +guidepost's +guildhall's +guilelessly +Guillermo's +guillotined +guillotines +Guinevere's +guitarist's +gullibility +gunfighters +gunnysack's +gunpowder's +gunrunner's +gunslingers +Gutenberg's +Gutierrez's +gutlessness +guttersnipe +Gwendolyn's +gymnasium's +gymnosperms +gynecologic +gyrfalcon's +gyroscope's +haberdasher +habiliments +habitations +habituating +habituation +hacktivists +haggardness +Hagiographa +hagiography +hailstone's +hailstorm's +hairbreadth +hairbrushes +hairbrush's +haircloth's +hairdresser +hairdryer's +hairiness's +hairpiece's +hairsprings +hairstyle's +hairstylist +Haleakala's +halfhearted +halfpennies +halfpenny's +halitosis's +hallelujahs +Halliburton +hallmarking +Halloween's +Hallstatt's +hallucinate +halternecks +hamburger's +Hamiltonian +hammerheads +hammerlocks +Hammerstein +hammertoe's +Hammurabi's +Hampshire's +hamstring's +handbarrows +handclasp's +handcrafted +handcraft's +handcuffing +handicapped +handicapper +handicrafts +handiness's +handiwork's +handlebar's +handmaidens +handpicking +handshake's +handshaking +handsprings +handstand's +handwriting +handwritten +hankering's +haphazardly +haplessness +happening's +happiness's +harbinger's +hardboard's +hardcover's +hardhearted +hardihood's +hardiness's +hardliner's +hardstand's +hardworking +harebrained +Harlequin's +harlequin's +harmfulness +harmonica's +harmonium's +harmonizers +harmonizing +harpooner's +harpsichord +harrumphing +harshness's +harvester's +hastiness's +hatchback's +hatefulness +hatemongers +Hatsheput's +haughtiness +Hauptmann's +Hausdorff's +haversack's +hawkishness +Hawthorne's +hazardously +headbangers +headbanging +headboard's +headbutting +headdresses +headdress's +headhunters +headhunting +headiness's +headlight's +headliner's +headmasters +headphone's +headpiece's +headquarter +headscarves +headstall's +headstand's +headstone's +headteacher +headwaiters +healthfully +healthiness +heartache's +heartbeat's +heartbreaks +heartbroken +heartburn's +hearthstone +heartland's +heartlessly +heartthrobs +heartwood's +heavenliest +heavenwards +heaviness's +Heaviside's +heavyweight +hectogram's +hectometers +hedgehopped +heftiness's +Heidegger's +heightening +heinousness +helicopters +heliotropes +hellebore's +Hellenism's +Hellenistic +Hellenize's +hellishness +Helmholtz's +helpfulness +Helvetius's +hematologic +Hemingway's +hemispheres +hemispheric +hemophiliac +hemorrhaged +hemorrhages +hemorrhagic +hemorrhoids +hemstitched +hemstitches +hemstitch's +Henderson's +Hendricks's +Henrietta's +hepatitis's +hepatocytes +Hepplewhite +heptathlons +herbalist's +herbicide's +herbivore's +herbivorous +Herculaneum +hereafter's +hereinafter +Heriberto's +Hermitage's +hermitage's +Hernandez's +Herodotus's +herpetology +herringbone +Hertzsprung +Herzegovina +hesitance's +hesitancy's +hesitations +heuristic's +hexadecimal +hexameter's +Heyerdahl's +Hezbollah's +hibernating +hibernation +hibernators +hiccoughing +hideousness +hierarchies +hierarchy's +hieroglyphs +highchair's +highfalutin +Highlanders +highlanders +highlighted +highlighter +highlight's +hightailing +hijacking's +hilariously +hillbillies +hillbilly's +hilliness's +Himalayas's +Hindemith's +hindquarter +hindrance's +hindsight's +Hindustanis +Hindustan's +hinterlands +Hippocrates +Hippocratic +hippodromes +Hiroshima's +hirsuteness +histamine's +histogram's +histologist +histology's +historian's +historicity +histrionics +Hitchcock's +hitchhikers +hitchhike's +hitchhiking +hoarfrost's +hoariness's +hobbyhorses +hobgoblin's +hodgepodges +Hohenlohe's +Hollander's +Hollerith's +hollyhock's +Hollywood's +Holocaust's +holocaust's +holographic +holograph's +homecomings +homemaker's +homeopathic +homeopath's +homeostasis +homeostatic +homeowner's +homesteaded +homesteader +homestead's +homestretch +homeworkers +homeworking +homewrecker +homeyness's +homogeneity +homogeneous +homogenized +homogenizes +homograph's +homophone's +homosexuals +honeycombed +honeycomb's +honeylocust +honeymooned +honeymooner +honeymoon's +honeysuckle +Honeywell's +honorariums +honorific's +hoodwinking +hooliganism +hopefulness +hopscotched +hopscotches +hopscotch's +horehound's +horizontals +horological +horologists +horoscope's +horseback's +horsehair's +horsehide's +horselaughs +horseplay's +horseradish +horseshoe's +horsetail's +horsewhip's +hospitality +hospitalize +hostilities +hostility's +hotheadedly +Hottentot's +hourglasses +hourglass's +houseboat's +housebreaks +housebroken +housecleans +housecoat's +householder +household's +housekeeper +houselights +housemaid's +housemaster +housemother +houseparent +houseplants +housewifely +housewife's +housework's +Houyhnhnm's +Hovhaness's +huckleberry +huckstering +hucksterism +huffiness's +hullabaloos +humanizer's +humankind's +humanness's +humdinger's +humidifiers +humidifying +humiliating +humiliation +hummingbird +humorlessly +hunchbacked +hunchback's +hundredfold +hundredth's +Hungarian's +hurricane's +hurtfulness +husbandry's +huskiness's +hybridism's +hybridizing +Hyderabad's +hydrangea's +hydration's +hydrocarbon +hydrofoil's +hydrogenate +hydrogenous +hydrologist +hydrology's +hydrolyzing +hydrometers +hydrophilic +hydrophobia +hydrophobic +hydrophones +hydroplaned +hydroplanes +hydroponics +hydrosphere +hydroxide's +hygienist's +hygrometers +hyperactive +hyperbola's +hyperbole's +hyperlinked +hyperlink's +hypermarket +hyperspaces +hypertext's +hypertrophy +hyphenate's +hyphenating +hyphenation +hypnotism's +hypnotist's +hypnotizing +hypocrisies +hypocrisy's +hypocrite's +hypodermics +hypotenuses +hypothalami +hypothermia +hypothesize +hypothyroid +hysterics's +ibuprofen's +icebreakers +Icelander's +Icelandic's +ichthyology +iconoclasts +iconography +identically +identifiers +identifying +ideograph's +ideological +ideologists +ideologue's +idiotically +idolization +idyllically +ignominious +ignoramuses +ignoramus's +ignorance's +illiberally +illicitness +illimitable +Illinoisans +illiterates +illogically +illuminable +illuminated +illuminates +illusionist +illustrated +illustrates +illustrator +illustrious +imagination +imaginative +imbalance's +imbrication +imbroglio's +imitation's +imitatively +immanence's +immanency's +immediacies +immediacy's +immediately +immensities +immensity's +immersion's +immigrant's +immigrating +immigration +imminence's +immobilized +immobilizer +immobilizes +immodesty's +immortality +immortalize +immunologic +impairments +impartially +impassioned +impassively +impassivity +impatiences +impatiens's +impatiently +impeachable +impeacher's +impeachment +impecunious +impedance's +impedimenta +impediments +impenitence +imperatives +imperfectly +imperfect's +imperialism +imperialist +imperilment +imperiously +impermanent +impermeable +impermeably +impersonate +impertinent +impetuosity +impetuously +impingement +impiousness +implantable +implausible +implausibly +implemented +implementer +implement's +implicating +implication +imploringly +implosion's +importantly +importation +importunate +importuning +importunity +impositions +impossibles +imposture's +impotence's +impotency's +impractical +imprecating +imprecation +imprecisely +imprecision +impregnable +impregnably +impregnated +impregnates +impresarios +impressible +impressions +imprimaturs +imprinter's +imprisoning +impromptu's +impropriety +improvement +improvident +improvisers +improvising +imprudently +impudence's +impulsion's +impulsively +imputations +inabilities +inability's +inactivated +inactivates +inadvertent +inadvisable +inalienable +inalienably +inamorata's +inanimately +inaptness's +inattention +inattentive +inaugural's +inaugurated +inaugurates +inauthentic +incantation +incarcerate +incarnadine +incarnating +incarnation +incentive's +inception's +incertitude +incessantly +incidence's +incidentals +incinerated +incinerates +incinerator +incipiently +incitements +inclination +inclusion's +inclusively +incognito's +incoherence +incommoding +incompetent +incongruity +incongruous +inconstancy +incontinent +incorporate +incorporeal +incorrectly +incredulity +incredulous +incremental +incremented +increment's +incriminate +incubator's +inculcating +inculcation +inculpating +incumbent's +incunabulum +incurable's +incursion's +indecencies +indecency's +indefinable +indefinably +indemnified +indemnifies +indemnities +indemnity's +indentation +indention's +indenture's +indenturing +independent +indexations +indications +indicatives +indicator's +indictments +indifferent +indigence's +indigestion +indignantly +indignation +indignities +indignity's +indirection +individuals +individuate +indivisible +indivisibly +Indochina's +Indochinese +indolence's +indomitable +indomitably +Indonesians +Indonesia's +indubitable +indubitably +inducements +induction's +inductively +indulgences +indulgently +industrious +inebriate's +inebriating +inebriation +ineffective +ineffectual +inefficient +inelegantly +ineligibles +ineluctable +ineluctably +ineptness's +inequitable +inequitably +inertness's +inescapable +inescapably +inessential +inestimable +inestimably +inexactness +inexcusable +inexcusably +inexpedient +inexpensive +infanticide +infantryman +infantrymen +infatuating +infatuation +infection's +inference's +inferential +inferiority +infertility +infestation +infielder's +infighter's +infiltrated +infiltrates +infiltrator +infinitival +infinitives +infirmaries +infirmary's +infirmities +infirmity's +inflammable +inflatables +inflation's +inflections +influence's +influencing +influential +influenza's +infomercial +informality +informant's +informatics +information +informative +infractions +infrequence +infrequency +infuriating +ingeniously +ingenuity's +ingenuously +ingestion's +inglenook's +ingratiated +ingratiates +ingratitude +ingredients +inhabitable +inhabitants +inhalations +inhalator's +inheritable +inheritance +inheritor's +inhibitions +inhibitor's +initialized +initializes +initiations +initiatives +initiator's +injection's +injudicious +injunctions +injustice's +innersole's +innerspring +innervating +innervation +innkeeper's +innocence's +innocuously +innovations +innovator's +innumerable +innumerably +inoculating +inoculation +inoffensive +inoperative +inopportune +inpatient's +inquiringly +Inquisition +inquisition +inquisitive +inquisitors +inscriber's +inscription +inscrutable +inscrutably +insecticide +insectivore +inseminated +inseminates +insensitive +insentience +inseparable +inseparably +insertion's +insidiously +insincerely +insincerity +insinuating +insinuation +insinuative +insinuators +insipidness +insistently +insistingly +insolence's +insolvent's +insomniac's +insouciance +inspections +inspector's +inspiration +inspiriting +instability +Instagram's +installer's +installment +instantiate +instigating +instigation +instigators +instinctive +instinctual +instituters +institute's +instituting +institution +instructing +instruction +instructive +instructors +instruments +insulator's +insultingly +insuperable +insuperably +insurance's +insurgences +insurgent's +intangibles +integrating +integration +integrative +integrity's +integuments +intellect's +intelligent +intemperate +intensified +intensifier +intensifies +intensities +intensity's +intensively +intensive's +intentional +intention's +interacting +interaction +interactive +interbreeds +interceding +intercepted +interceptor +intercept's +intercessor +interchange +intercourse +interdicted +interdict's +interesting +interface's +interfacing +interfering +interfiling +interjected +interlacing +interlarded +interleaved +interleaves +interleukin +interlinear +interlining +interlinked +interlocked +interlock's +interlopers +interloping +interlude's +interluding +interment's +intermezzos +intermingle +intermixing +internalize +internecine +internist's +internships +interoffice +interplay's +interpolate +interposing +interpreted +interpreter +interracial +interregnum +interrelate +interrogate +interrupted +interrupter +interrupt's +intersected +intersperse +interstates +interstices +intertwined +intertwines +intervening +interviewed +interviewee +interviewer +interview's +interweaves +intestacy's +intestine's +intimations +intimidated +intimidates +intolerable +intolerably +intolerance +intonations +intoxicants +intoxicated +intoxicates +intractable +intractably +intravenous +intrepidity +intricacies +intricacy's +intricately +intriguer's +introducing +introspects +introverted +introvert's +intrusion's +intrusively +intuition's +intuitively +Inuktitut's +inundations +invalidated +invalidates +invariables +invective's +inveigler's +invention's +inventively +inventoried +inventories +inventory's +inversion's +investigate +investiture +investments +invidiously +invigilated +invigilates +invigilator +invigorated +invigorates +invitations +invocations +involuntary +involvement +ionospheres +ionospheric +Iphigenia's +irateness's +iridescence +irksomeness +ironmongers +ironmongery +ironstone's +Iroquoian's +irradiating +irradiation +irrationals +Irrawaddy's +irreducible +irreducibly +irrefutable +irrefutably +irregularly +irregular's +irrelevance +irrelevancy +irreligious +irremovable +irreparable +irreparably +irreverence +irrevocable +irrevocably +irritations +irruption's +Isherwood's +isinglass's +Islamabad's +isolation's +isomerism's +Israelite's +italicizing +itchiness's +itemization +iteration's +itinerant's +itineraries +itinerary's +jacaranda's +jackhammers +jackknife's +jackknifing +jackrabbits +jackstraw's +Jacquelyn's +jadedness's +Jagiellon's +jailbreak's +jambalaya's +Jamestown's +Janissary's +Janjaweed's +Jansenist's +jardinieres +jardinières +Jarlsberg's +jawbreakers +Jayawardene +jaywalker's +Jeannette's +Jefferson's +Jehoshaphat +jellybean's +jellyfishes +jellyfish's +jellyroll's +jeopardized +jeopardizes +jerkiness's +Jerusalem's +jettisoning +jinrikishas +jitterbug's +jobholder's +joblessness +jockstrap's +jocundity's +Johnathan's +Johnathon's +johnnycakes +jolliness's +Jordanian's +Josephine's +Josephson's +journalists +journeyer's +joviality's +joylessness +joyriding's +judgeship's +judiciaries +judiciary's +judiciously +juggernauts +juiciness's +jumpiness's +junketeer's +juridically +jurywoman's +justifiable +justifiably +Justinian's +juxtaposing +Kagoshima's +Kalamazoo's +Kalashnikov +Kamchatka's +Kampuchea's +Kandinsky's +Kaohsiung's +Karaganda's +Karakorum's +Karamazov's +Katharine's +Katherine's +Kathiawar's +Kathmandu's +Kazantzakis +keelhauling +Kentuckians +Kettering's +kettledrums +Kevorkian's +keybindings +keyboarders +keyboarding +keyboardist +Keynesian's +keypunchers +keypunching +keystroke's +Khwarizmi's +kickstand's +kidnapper's +kidnappings +Kierkegaard +Kilimanjaro +kilocycle's +kilohertz's +kiloliter's +kilometer's +Kimberley's +kindhearted +kinetically +kingfishers +Kingstown's +kinkiness's +kinswoman's +Kirchhoff's +Kirghizia's +Kirinyaga's +Kirkpatrick +Kisangani's +Kissinger's +Kitchener's +kitchenette +kitchenware +kiwifruit's +kleptocracy +kleptomania +kneecapping +knickknacks +knighthoods +knockdown's +knockwursts +knowledge's +Knoxville's +knucklehead +kookaburras +kookiness's +Korzybski's +Kosciusko's +Krasnodar's +Krasnoyarsk +Kronecker's +Kropotkin's +Kshatriya's +Kuibyshev's +Kurdistan's +laboriously +laborsaving +Labradorean +labyrinth's +lacerations +laconically +lactation's +laddishness +ladyfingers +Lafayette's +lagniappe's +Lamborghini +Lambrusco's +lamebrained +lamebrain's +lamentation +lampblack's +lamplighter +lamplight's +lampshade's +Lancaster's +landholders +landholding +landlubbers +landowner's +landownings +landscapers +landscape's +landscaping +landslide's +landsliding +Landsteiner +languidness +languishing +lankiness's +lanthanum's +laparoscopy +larcenist's +largeness's +lassitude's +latecomer's +latitudinal +latticework +launchpad's +launderer's +launderette +laundresses +laundress's +laundromats +lavaliere's +Lavoisier's +lawbreakers +lawbreaking +lawlessness +lawmaking's +lawnmower's +layperson's +lazybones's +Leadbelly's +leaderships +leafstalk's +leakiness's +leapfrogged +leaseback's +leaseholder +leasehold's +leatherette +leatherneck +leavening's +Leavenworth +lecherously +lectureship +Lederberg's +leeriness's +Leeuwenhoek +legendarily +legerdemain +legginess's +legionaries +legionary's +legionnaire +legislating +legislation +legislative +legislators +legislature +legitimated +legitimates +legitimized +legitimizes +Leicester's +leisurewear +leitmotif's +leitmotiv's +lengthening +lengthiness +Leningrad's +Leoncavallo +leprechauns +letterbombs +letterboxes +letterheads +lettering's +Letterman's +letterpress +leucotomies +leukocyte's +levelheaded +levelness's +Leviathan's +leviathan's +Leviticus's +Lexington's +liabilities +liability's +liberalized +liberalizes +liberalness +liberator's +libertarian +libertine's +librarian's +LibreOffice +librettists +licentiates +Lieberman's +lieutenancy +lieutenants +lifeblood's +lifeguard's +lifesaver's +lifestyle's +lightener's +lightface's +lightheaded +lighthouses +lightness's +lightninged +lightning's +lightship's +lightweight +likableness +likelihoods +Lilliputian +lilliputian +Limburger's +limelight's +limestone's +limitations +limousine's +limpidity's +Lindbergh's +lineament's +linearity's +linebackers +lingeringly +linguistics +lionhearted +lionization +liposuction +lipreader's +lipsticking +liquidating +liquidation +liquidators +liquidity's +liquidizers +liquidizing +Lissajous's +Listerine's +literalness +litheness's +lithographs +lithography +lithosphere +Lithuanians +Lithuania's +litigator's +litterateur +litterbug's +littérateur +liturgist's +livelihoods +Liverpool's +liverwort's +liveryman's +livestock's +Livingstone +Ljubljana's +Llewellyn's +loathsomely +Lobachevsky +lobotomized +lobotomizes +Lochinvar's +locksmith's +locomotives +lodestone's +loftiness's +logarithmic +logarithm's +loggerheads +logistics's +Lohengrin's +loincloth's +loitering's +lollygagged +longevity's +longitude's +longsighted +lookalike's +looseness's +loquacity's +lorgnette's +loudhailers +loudmouthed +loudmouth's +loudspeaker +Louisianans +Louisiana's +Louisianian +lousiness's +loutishness +L'Ouverture +lovableness +lovechild's +Lovecraft's +Lowenbrau's +lowercase's +lowlander's +lowliness's +Lubavitcher +lubricant's +lubricating +lubrication +lubricators +lubricity's +lucidness's +luckiness's +lucratively +Lucretius's +lucubrating +lucubration +ludicrously +Lufthansa's +Luftwaffe's +lumbering's +lumberjacks +lumberman's +lumberyards +luminescent +lumpiness's +lunchroom's +lunchtime's +luridness's +Lusitania's +lustiness's +Lutheranism +luxuriantly +luxuriating +luxuriation +luxuriously +lymphatic's +lymphocytes +macadamia's +macadamized +macadamizes +MacArthur's +Maccabeus's +MacDonald's +Macedonians +Macedonia's +Machiavelli +machinating +machination +machinery's +machinist's +Macintosh's +Mackenzie's +Macmillan's +macrobiotic +macrocosm's +macrologies +macrophages +macroscopic +Madagascans +maddeningly +Madeleine's +maelstrom's +Maeterlinck +Magdalena's +Magdalene's +magisterial +magistrates +magnanimity +magnanimous +magnesium's +magnetism's +magnetite's +magnetizing +magnificent +magnifier's +magnitude's +Magsaysay's +Mahabharata +maharajah's +Maharashtra +maharishi's +maidenheads +maidservant +mailbombing +mainframe's +mainsprings +mainstreams +maintainers +maintaining +maintenance +maisonettes +majordomo's +majorette's +makeshift's +makeweights +malachite's +maladjusted +maladroitly +malapropism +malathion's +Malayalam's +Malaysian's +malcontents +Maldivian's +Maldonado's +malediction +malefaction +malefactors +maleficence +malevolence +malfeasance +malfunction +maliciously +malignantly +malignity's +malingerers +malingering +Mallomars's +malpractice +Malthusians +maltreating +mammalian's +mammogram's +mammography +managements +Manchuria's +Mancunian's +maneuvering +manganese's +manginess's +manhandling +Manhattan's +Manichean's +manicurists +manifesting +manifesto's +manifolding +manipulable +manipulated +manipulates +manipulator +manliness's +mannequin's +mannerism's +mannishness +manometer's +Mansfield's +mantelpiece +mantelshelf +manufacture +manumission +manumitting +manuscripts +Maracaibo's +maraschinos +marathoners +marbleizing +Marcelino's +marchioness +margarine's +Margarita's +margarita's +Margarito's +marginalize +Margrethe's +marijuana's +marionettes +marketeer's +marketing's +marketplace +Marlborough +marmalade's +Marquesas's +marquetry's +Marquette's +marquisette +Marrakesh's +marshland's +marshmallow +marsupial's +martingales +martyrdom's +marvelously +Maryellen's +masculine's +masculinity +Masefield's +masochism's +masochistic +masochist's +masqueraded +masquerader +masquerades +Massasoit's +massiveness +masterclass +masterfully +masterminds +masterpiece +masterworks +masticating +mastication +masturbated +masturbates +matchbook's +matchlock's +matchmakers +matchmaking +matchsticks +matchwood's +materialism +materialist +materialize +maternity's +mathematics +Mathewson's +matriarchal +matriarch's +matricide's +matriculate +matrimonial +matrimony's +Mauritanian +Mauritian's +Mauritius's +mausoleum's +mawkishness +Mayflower's +mayflower's +mayoralty's +McCarthyism +McCartney's +McClellan's +McConnell's +McCormick's +McDonnell's +McFarland's +McPherson's +meadowlarks +mealiness's +meanderings +meaningless +meanwhile's +measureless +measurement +meatiness's +meatpacking +mechanics's +mechanism's +mechanistic +mechanizing +medallion's +mediation's +medications +medicinally +medievalist +meditations +meerschaums +megabucks's +megacycle's +megadeath's +megahertz's +megalomania +megalopolis +megaphone's +megaphoning +megapixel's +melancholia +melancholic +Melanesia's +Melbourne's +Melchizedek +meliorating +melioration +meliorative +Melisande's +mellifluous +melodically +melodiously +melodrama's +Melpomene's +memberships +memorabilia +memorandums +memorialize +menagerie's +mendacity's +Mendeleev's +mendelevium +Mendelian's +Mendelssohn +mendicant's +Mendocino's +Mennonite's +Menominee's +menopause's +menservants +menstruated +menstruates +mensuration +mentalist's +mentalities +mentality's +mentholated +Mentholatum +mercenaries +mercenary's +mercerizing +merchandise +merchantman +merchantmen +mercilessly +mercurially +merganser's +meritocracy +meritorious +Merovingian +Merrimack's +merriment's +merriness's +merrymakers +merrymaking +Merthiolate +mescaline's +mesmerism's +mesmerizers +mesmerizing +mesomorph's +Mesopotamia +mesospheres +messenger's +messiness's +metabolisms +metabolites +metabolized +metabolizes +metacarpals +Metallica's +metallurgic +metalworker +metalwork's +metamorphic +Metamucil's +metaphysics +metastasize +metatarsals +meteorite's +meteoroid's +meteorology +methadone's +Methodism's +Methodist's +methodology +metricating +metrication +metricizing +metronome's +Meyerbeer's +mezzanine's +Miaplacidus +Michelson's +Michigander +Michiganite +microchip's +microcosmic +microcosm's +microfibers +microfilmed +microfilm's +microgroove +microlights +microloan's +micromanage +micrometers +Micronesian +microphones +microscopes +microscopic +microsecond +Microsoft's +microwave's +microwaving +middlebrows +middleman's +Middleton's +midfielders +midsections +midstream's +midsummer's +midwiferies +midwifery's +midwinter's +mignonettes +migration's +milestone's +militancy's +militarists +militarized +militarizes +milkiness's +milkshake's +millenniums +Millicent's +milligram's +milliliters +millimeters +millinery's +millionaire +millionth's +millipede's +millisecond +millstone's +millstreams +millwrights +Milosevic's +Milquetoast +milquetoast +Miltiades's +Milwaukee's +mimeographs +mincemeat's +mindfulness +minefield's +minesweeper +miniature's +miniaturist +miniaturize +minimalists +miniskirt's +ministerial +ministering +ministrants +Minneapolis +minnesinger +Minnesotans +Minnesota's +minoxidil's +minuscule's +Minuteman's +minuteman's +mirthlessly +misalliance +misanthrope +misanthropy +misapplying +misbegotten +misbehaving +misbehavior +miscarriage +miscarrying +mischance's +mischievous +miscibility +misconceive +misconducts +misconstrue +miscounting +miscreant's +misdemeanor +misdiagnose +misdirected +miserliness +misfeasance +misfeatures +misfortunes +misgiving's +misgoverned +misguidance +misguidedly +mishandling +misidentify +misinformed +misjudgment +mislabeling +mismanaging +mismatching +misogamists +misogynists +misprinting +misreadings +misreported +misreport's +missilery's +missioner's +Mississauga +Mississippi +Missourians +misspeaking +misspelling +misspending +mistiness's +mistletoe's +mistreating +mistrustful +mistrusting +Mithridates +mizzenmasts +Münchhausen +Mnemosyne's +mobilizer's +mockingbird +moderator's +modernism's +modernistic +modernist's +modernity's +modernizers +modernizing +modulations +modulator's +Mogadishu's +Mohammedans +Mohorovicic +moistener's +moistness's +moisturized +moisturizer +moisturizes +moldboard's +moldiness's +molestation +mollycoddle +momentarily +momentously +monarchical +monarchists +monasteries +monastery's +monasticism +Monegasques +monetarists +moneylender +moneymakers +moneymaking +Mongolian's +mongolism's +mongoloid's +monkeyshine +monkshood's +monochromes +monogamists +monogrammed +monograph's +monolingual +monologists +monologue's +monomaniacs +monomania's +Monongahela +monoplane's +monopolists +monopolized +monopolizer +monopolizes +monotheists +monseigneur +Monsignor's +monsignor's +monstrances +monstrosity +monstrously +Montaigne's +Montenegrin +Monterrey's +Montesquieu +Montezuma's +Montgolfier +moodiness's +moonlighted +moonlighter +moonlight's +moonscape's +moonshiners +moonshine's +moonstone's +moralizer's +moratoriums +morbidity's +Mormonism's +moronically +mortality's +mortarboard +mortgagee's +mortgagor's +mortician's +mothballing +motherboard +motherlands +motivations +motivator's +motocrosses +motocross's +motorbike's +motorbiking +motorboat's +motorcade's +motorcycled +motorcycles +motormouths +mountaineer +mountainous +mountaintop +Mountbatten +mountebanks +mousetrap's +mousiness's +Moussorgsky +mouthpieces +mouthwashes +mouthwash's +moviegoer's +Mozambicans +muckraker's +muddiness's +mudslingers +mudslinging +mugginess's +Muhammadans +muleskinner +multifamily +multiplayer +multiplexed +multiplexer +multiplexes +multiplex's +multipliers +multiplying +multiracial +multitude's +multiverses +mumbletypeg +Munchhausen +municipally +municipal's +munificence +munitioning +Murchison's +murderesses +murderess's +murderously +murkiness's +murmuring's +musclebound +Muscovite's +muscularity +musculature +Musharraf's +mushiness's +mushrooming +muskellunge +musketeer's +muskiness's +muskmelon's +Mussolini's +mustachioed +mustachio's +mustiness's +mutilations +mutilator's +Mutsuhito's +muttering's +muttonchops +mutuality's +Mycenaean's +mycologists +mysticism's +mythologies +mythologist +mythologize +mythology's +myxomatosis +nailbrushes +nailbrush's +nakedness's +nameplate's +nanoseconds +Nantucket's +naphthalene +narcissists +Narcissus's +narcissus's +narcoleptic +narcotizing +Narraganset +narration's +narrative's +Nashville's +nastiness's +nasturtiums +Nathaniel's +nationalism +nationalist +nationality +nationalize +nattiness's +naturalists +naturalized +naturalizes +naturalness +Naugahyde's +naughtiness +navigator's +Navratilova +Neanderthal +neanderthal +nearsighted +Nebraskan's +necessaries +necessarily +necessary's +necessitate +necessities +necessitous +necessity's +neckerchief +necklacings +necrology's +necromancer +necrophilia +nectarine's +neediness's +needlepoint +needlewoman +needlewomen +nefariously +Nefertiti's +negligently +negotiating +negotiation +negotiators +negritude's +neighboring +neodymium's +neologism's +nephritis's +nephropathy +neptunium's +nervelessly +nerviness's +nervousness +Nestorius's +Netherlands +netherworld +netiquettes +neuralgia's +neurologist +neurology's +neutralists +neutralized +neutralizer +neutralizes +Newcastle's +newscasters +newsdealers +newsflashes +newsgroup's +newsletters +newspaper's +newsprint's +newsreaders +newsstand's +newswoman's +Newtonian's +Nicaraguans +Nicaragua's +Nicholson's +Nickelodeon +nickelodeon +Nicodemus's +Nietzsche's +nightclub's +nightfall's +nightgown's +nighthawk's +Nightingale +nightingale +nightlife's +nightlights +nightmare's +nightmarish +nightshades +nightshirts +nightspot's +nightstands +nightsticks +nighttime's +nightwear's +nincompoops +nineteenths +ninetieth's +nippiness's +Nipponese's +Nirenberg's +nitpicker's +nitration's +nitrogenous +nobleness's +nocturnally +noiselessly +noisemakers +noisiness's +nominations +nominatives +nominator's +nonabrasive +nonacademic +nonactive's +nonadhesive +nonadjacent +nonallergic +nonathletic +nonbeliever +nonburnable +nonchalance +nonclerical +nonclinical +noncriminal +noncritical +nondelivery +nondescript +nondramatic +nondrinkers +nonelectric +nonentities +nonentity's +nonetheless +nonexempt's +nonexistent +nonfreezing +nongranular +noninvasive +nonjudicial +nonliterary +nonliving's +nonmagnetic +nonmember's +nonmetallic +nonmilitant +nonmilitary +nonnarcotic +nonnative's +nonofficial +nonparallel +nonpareil's +nonpartisan +nonpayments +nonperson's +nonphysical +nonplussing +nonprofit's +nonreactive +nonresident +nonresidual +nonrhythmic +nonsalaried +nonseasonal +nonsensical +nonsmoker's +nonspeaking +nonspecific +nonstaining +nonstandard +nonstarters +nonstriking +nonsurgical +nonthinking +nontropical +nonvenomous +nonviolence +nonvirulent +nonvolatile +nonyielding +normality's +normalizing +Northampton +northeaster +Northeast's +northeast's +northerlies +northerly's +northerners +northwester +Northwest's +northwest's +Norwegian's +nosebleed's +Nosferatu's +nostalgia's +Nostradamus +notepaper's +nothingness +noticeboard +notoriety's +notoriously +nourishment +novelette's +novitiate's +Novosibirsk +nucleolus's +Nukualofa's +numerations +numerator's +numerically +numismatics +numismatist +Nuremberg's +nursemaid's +nutcrackers +nutriment's +nutritional +nutrition's +nuttiness's +nymphomania +oarswoman's +obbligato's +obedience's +obeisance's +obfuscating +obfuscation +objectified +objectifies +objection's +objectively +objective's +objectivity +objurgating +objurgation +obligations +obliqueness +obliquity's +obliterated +obliterates +obliviously +obnoxiously +obscenities +obscenity's +obscurities +obscurity's +observances +observantly +observation +observatory +obsessional +obsession's +obsessively +obsessive's +obsolescent +obsolescing +obstetrical +obstinacy's +obstinately +obstructing +obstruction +obstructive +obtrusion's +obtrusively +obviation's +obviousness +occasioning +Occidentals +occidentals +occlusion's +occultism's +occultist's +occupancy's +occupations +occurrences +oceanfronts +O'Connell's +odalisque's +O'Donnell's +odoriferous +oenophile's +Offenbach's +offensively +offensive's +offertories +offertory's +offhandedly +OfficeMax's +officialdom +officialese +officialism +officiant's +officiating +officiators +officiously +offspring's +Ogbomosho's +O'Higgins's +Oklahoman's +Oktoberfest +Oldenburg's +olfactories +olfactory's +oligarchies +oligarchy's +Oligocene's +oligopolies +oligopoly's +ombudsman's +ominousness +omnipotence +omnipresent +omniscience +oncologists +onerousness +onionskin's +onslaught's +ontological +opalescence +openhearted +operational +operation's +operative's +Ophiuchus's +opinionated +Oppenheimer +opportunely +opportunism +opportunist +opportunity +oppositions +oppressor's +opprobrious +optometrist +optometry's +orangeade's +orangutan's +orchestra's +orchestrate +orderliness +ordinance's +ordinations +Oregonian's +organelle's +organically +organizer's +Orientalism +orientalist +orientating +orientation +originality +originating +origination +originators +ornamenting +ornithology +orphanage's +orthodontia +orthodontic +orthodoxies +orthodoxy's +orthography +orthopedics +orthopedist +Orwellian's +oscillating +oscillation +oscillators +oscillatory +osculations +ostentation +osteopathic +osteopath's +ostracism's +ostracizing +Ostrogoth's +Ouagadougou +oubliette's +outbalanced +outbalances +outboasting +outbuilding +outclassing +outcropping +outdistance +outerwear's +outfielders +outfighting +outfitter's +outflanking +outgrowth's +outguessing +outmaneuver +outmatching +outnumbered +outpatients +outperforms +outpointing +outpourings +outproduced +outproduces +outreaching +outrigger's +outshouting +outsmarting +outsourcing +outspending +outspokenly +outstanding +outstations +outstripped +outweighing +overachieve +overanxious +overarching +overbalance +overbearing +overbidding +overbooking +overburdens +overcareful +overcasting +overcharged +overcharges +overclocked +overclouded +overcooking +overcrowded +overdevelop +overdraft's +overdrawing +overdressed +overdresses +overdress's +overdrive's +overdubbing +overexcited +overexcites +overexerted +overexposed +overexposes +overextends +overfeeding +overfilling +overflights +overflowing +overgrazing +overgrowing +overhanging +overhauling +overhearing +overheating +overindulge +overlapping +overloading +overlooking +overmanning +overmasters +overnight's +overplaying +overpowered +overpraised +overpraises +overprecise +overpricing +overprinted +overprint's +overproduce +overprotect +overreached +overreaches +overreacted +overrefined +overrunning +overselling +overshadows +oversharing +oversight's +overspreads +overstaffed +overstating +overstaying +overstepped +overstocked +overstretch +overstuffed +overthought +overthrow's +overturning +overvaluing +overweening +overwhelmed +overwinters +overworking +overwriting +overwritten +overwrought +overzealous +ovulation's +ownership's +oxidation's +oxidization +Oxycontin's +oxygenating +oxygenation +pacemaker's +pacesetters +pachyderm's +pachysandra +pacifically +packaging's +packsaddles +pageantry's +painfullest +painfulness +painkillers +painkilling +painstaking +Pakistani's +palanquin's +palatalized +palatalizes +palatinates +Palembang's +Paleocene's +Paleogene's +paleography +Paleolithic +paleolithic +Paleozoic's +Palestine's +Palestinian +palimpsests +palindromes +palindromic +Palisades's +palladium's +pallbearers +palliatives +palmistry's +Palmolive's +palpation's +palpitating +palpitation +pamphleteer +Panamanians +Panasonic's +pandemonium +panegyric's +panhandlers +panhandle's +panhandling +Pankhurst's +Panmunjom's +Pantaloon's +pantheism's +pantheistic +pantheist's +pantomime's +pantomiming +pantomimist +pantyhose's +pantywaists +paparazzi's +paperback's +papergirl's +paperhanger +paperweight +paperwork's +paracetamol +parachute's +parachuting +parachutist +Paraclete's +paradoxical +paragliding +paragraphed +paragraph's +Paraguayans +paralegal's +paralleling +parallelism +Paralympics +paralysis's +paralytic's +paramedical +paramedic's +parameter's +paramountcy +Paramount's +paranoiac's +paraphrased +paraphrases +paraplegics +parasailing +parasitical +parathion's +parathyroid +paratrooper +paratyphoid +Parcheesi's +parchment's +paregoric's +parentage's +parentheses +parenthesis +parenthetic +parenting's +parimutuels +parishioner +Parkinson's +parliaments +Parnassuses +Parnassus's +parochially +parquetry's +parricide's +parsimony's +parsonage's +Parthenon's +participant +participate +participial +participles +particulars +particulate +partitioned +partition's +partitive's +partnership +partridge's +parturition +passageways +passenger's +passionless +passiveness +passivity's +passivizing +passphrases +Pasternak's +pasteurized +pasteurizer +pasteurizes +pastiness's +pastorate's +pasturage's +pastureland +Patagonia's +patchwork's +paternalism +paternalist +paternity's +paternoster +pathfinders +pathologist +pathology's +patisseries +patriarchal +patriarch's +patrician's +patricide's +patrimonial +patrimonies +patrimony's +patrolman's +patrolwoman +patrolwomen +patronage's +patronesses +patroness's +patronizers +patronizing +patronymics +Patterson's +pauperism's +pauperizing +Pavarotti's +Pavlovian's +pawnbrokers +pawnbroking +paymaster's +peacekeeper +peacemakers +peacemaking +peacetime's +peasantry's +peashooters +Peckinpah's +peculator's +peculiarity +pedagogical +pedagogue's +pederasty's +pedestrians +pedicurists +pedometer's +peevishness +pejoratives +Pekingese's +pekingese's +Peloponnese +penetrating +penetration +penetrative +peninsula's +penitence's +penitential +pennyweight +penologists +Pensacola's +pensionable +pensioner's +pensiveness +pentagram's +pentameters +pentathlete +pentathlons +Pentecostal +Pentecost's +penthouse's +penultimate +penuriously +peppercorns +peppermints +pepperoni's +peppiness's +perambulate +perceivable +percentages +percentiles +perceptible +perceptibly +perceptions +Percheron's +percipience +percolating +percolation +percolators +perdition's +peregrinate +peregrine's +perennially +perennial's +perestroika +perfectible +perfections +perfectness +perforating +perforation +performance +performer's +perfumeries +perfumery's +perfunctory +pericardial +pericardium +Periclean's +perimeter's +periodicals +periodicity +periodontal +peripatetic +peripherals +peripheries +periphery's +periphrases +periphrasis +periscope's +perishables +peristalses +peristalsis +peristaltic +peristyle's +peritoneums +peritonitis +periwinkles +perkiness's +Permalloy's +permanently +permanent's +permissible +permissibly +permissions +permutation +perorations +perpetrated +perpetrates +perpetrator +perpetually +perpetual's +perpetuated +perpetuates +perplexedly +perquisites +persecuting +persecution +persecutors +persevering +persimmon's +persistence +persnickety +personage's +personality +personalize +personified +personifies +personnel's +perspective +perspicuity +perspicuous +persuadable +persuader's +persuasions +pertinacity +pertinently +pertussis's +pervasively +perversions +peskiness's +pessimism's +pessimistic +pessimist's +pesticide's +pestiferous +pestilences +petitioners +petitioning +petrodollar +petroleum's +petrologist +petrology's +petticoat's +pettifogged +pettifogger +pettiness's +petulance's +phagocyte's +phalanger's +Phanerozoic +Pharisaical +pharmacists +pharyngitis +phenomenons +pheromone's +philandered +philanderer +philatelist +philately's +Philippians +philippic's +Philippines +philistines +philologist +philology's +philosopher +philosophic +phlebitis's +Phoenicians +Phoenicia's +phonetician +phonetics's +phoniness's +phonographs +phonologist +phonology's +phosphate's +phosphorous +photocell's +photocopied +photocopier +photocopies +photocopy's +photographs +photography +photometers +photostatic +Photostat's +photostat's +phototropic +phrasebooks +phraseology +phylogeny's +physicality +physician's +physicist's +physiognomy +physiologic +pianissimos +pianofortes +Pickering's +pickpockets +picnicker's +pictographs +pictorially +pictorial's +picturesque +pieceworker +piecework's +pigeonholed +pigeonholes +piggishness +piggybacked +piggyback's +pigheadedly +pikestaff's +Pilcomayo's +pilferage's +pilgrimages +pillowcases +pillowslips +Pillsbury's +pilothouses +pimpernel's +pincushions +pineapple's +pinfeathers +Pinkerton's +Pinocchio's +pinpointing +pinsetter's +pinstripe's +pinwheeling +piousness's +pipsqueak's +piratically +pirouette's +pirouetting +piscatorial +Pisistratus +pistachio's +pitchblende +pitchforked +pitchfork's +piteousness +pithiness's +pituitaries +pituitary's +pizzicato's +placation's +placeholder +placekicked +placekicker +placekick's +placement's +placidity's +plagiarisms +plagiarists +plagiarized +plagiarizer +plagiarizes +plainness's +plainsman's +plainsong's +plainspoken +plaintiff's +plaintively +planeload's +planetarium +plangency's +Plantagenet +plantations +plasterer's +plasticized +plasticizes +platforming +platitude's +Platonism's +Platonist's +playfellows +playfulness +playgrounds +playhouse's +playschools +PlayStation +plaything's +playwrights +pleasantest +pleasurable +pleasurably +pleasureful +plebiscites +Pleistocene +plenitude's +plentifully +Plexiglases +Plexiglas's +plowshare's +plumpness's +plunderer's +pluperfects +pluralism's +pluralistic +pluralist's +pluralities +plurality's +pluralizing +plushness's +plutocratic +plutocrat's +plutonium's +pneumococci +pneumonia's +pocketbooks +pocketful's +pocketknife +pockmarking +Podgorica's +Podhoretz's +podiatrists +poetaster's +poignancy's +poinciana's +poinsettias +pointillism +pointillist +pointlessly +poisoning's +poisonously +polemically +polemicists +policeman's +policewoman +policewomen +policymaker +Politburo's +politburo's +politesse's +politically +politicians +politicized +politicizes +politicking +pollinating +pollination +pollinators +pollutant's +pollution's +Pollyanna's +polonaise's +poltergeist +polyamories +polyandrous +polyandry's +polyclinics +polyester's +polygamists +polygraphed +polygraph's +polyhedrons +polymerized +polymerizes +polymorphic +Polynesians +Polynesia's +polynomials +polyphony's +polystyrene +polytechnic +polytheists +pomegranate +Pomerania's +pompadoured +Pompadour's +pompadour's +pomposity's +pompousness +ponderously +Pontianak's +pontificate +poorhouse's +poppycock's +popularized +popularizes +populations +porcelain's +porcupine's +pornography +porphyritic +porringer's +portability +porterhouse +portfolio's +portmanteau +portraitist +portraiture +portrayal's +portulaca's +positioning +positivists +possessions +possessives +possessor's +possibility +posterior's +posterity's +postilion's +postmarking +postmasters +postmortems +postscripts +postseasons +postulate's +postulating +postulation +posturing's +potassium's +potboiler's +potentate's +potentially +potential's +potentiated +potentiates +potholder's +potpourri's +poulterer's +powerboat's +powerhouses +powerlessly +practicable +practicably +practically +practical's +practicum's +pragmatical +pragmatic's +pragmatists +prankster's +Pratchett's +prayerfully +Preakness's +prearranged +prearranges +preassigned +Precambrian +precanceled +precancel's +precautions +precedent's +preceptor's +precipice's +precipitant +precipitate +precipitous +preciseness +precision's +precocity's +precolonial +preconceive +precursor's +predeceased +predeceases +predecessor +predestined +predestines +predicament +predicate's +predicating +predication +predicative +predictable +predictably +predictions +predictor's +predigested +predisposed +predisposes +predominant +predominate +preeminence +preexisting +prefectures +preferences +prefiguring +pregnancies +pregnancy's +prehistoric +prejudgment +prejudice's +prejudicial +prejudicing +preliminary +preliterate +prematurely +premeditate +premiership +Preminger's +premonition +premonitory +Premyslid's +preoccupied +preoccupies +preordained +prepackaged +prepackages +preparation +preparatory +prepayments +preposition +prerecorded +preregister +prerogative +presbyter's +preschooler +preschool's +presciently +prescribing +prescript's +preseason's +presentable +presentably +presenter's +presentment +preservable +preserver's +president's +presidium's +pressurized +pressurizer +pressurizes +prestigious +presumption +presumptive +presupposed +presupposes +pretender's +pretensions +pretentious +prettifying +prevaricate +preventable +preventives +prevision's +prickliness +priestesses +priestess's +priesthoods +Priestley's +priestliest +primitively +primitive's +princedom's +princeliest +Princeton's +principally +principal's +principle's +printmaking +prioritized +prioritizes +Priscilla's +privateer's +privation's +privatizing +privilege's +privileging +prizefights +prizewinner +proactively +probability +probational +probationer +probation's +problematic +proboscises +proboscis's +procedure's +proceedings +processable +processions +processor's +proclaiming +proconsular +proconsul's +procreating +procreation +procreative +Procrustean +procurators +procurement +prodigality +productions +profanation +profaneness +profanities +profanity's +professedly +professions +professor's +proficiency +proficients +profiteered +profiteer's +profiterole +profligates +profoundest +profuseness +profusion's +progenitors +prognathous +prognosis's +prognostics +programmers +programming +progressing +progression +progressive +prohibiting +Prohibition +prohibition +prohibitive +prohibitory +projectiles +projections +projector's +prokaryotic +Prokofiev's +proletarian +proletariat +proliferate +prolixity's +promenade's +promenading +prominently +promiscuity +promiscuous +promisingly +promotional +promotion's +prompting's +promptitude +promulgated +promulgates +promulgator +proneness's +pronghorn's +pronouncing +proofreader +propagating +propagation +propagators +propellants +propeller's +prophesiers +prophesying +prophetical +prophylaxes +prophylaxis +propinquity +propitiated +propitiates +proponent's +proportions +proposition +propounding +proprietary +proprieties +proprietors +propriety's +prorogation +prosaically +prosceniums +proscribing +prosecuting +prosecution +prosecutors +proselyte's +proselyting +proselytism +proselytize +prospecting +prospective +prospectors +prostituted +prostitutes +prostrating +prostration +protagonist +protections +protector's +Proterozoic +Protestants +protestants +protester's +prototype's +prototyping +protozoan's +protracting +protraction +protractors +protrusions +protuberant +provability +Provençal's +provenances +Provencal's +provender's +provenience +Providences +providently +provincials +provisional +provisioned +provision's +provocateur +provocation +provocative +provokingly +provolone's +proximity's +prudishness +prurience's +pseudonym's +psittacosis +psoriasis's +psychedelia +psychedelic +psychiatric +psychically +psychodrama +psychogenic +psychopaths +psychopathy +psychosis's +psychotic's +ptarmigan's +pterodactyl +Ptolemaic's +publication +publicist's +publicity's +publicizing +publishable +publisher's +puckishness +pudginess's +puerility's +puffiness's +pugnacity's +pulchritude +pulpiness's +pulsation's +pulverizing +punctilio's +punctilious +punctuality +punctuating +punctuation +punishingly +punishments +puppeteer's +purchasable +purchaser's +purgative's +purgatorial +purgatories +purgatory's +puritanical +Puritanisms +purportedly +purposeless +pursuance's +purulence's +pushiness's +pussyfooted +putrescence +Pygmalion's +Pyongyang's +pyrimidines +pyromaniacs +pyromania's +pyrotechnic +Pythagorean +quadrangles +quadratic's +quadrennial +quadrennium +quadrille's +quadrillion +quadrupedal +quadruped's +quadruple's +quadruplets +quadrupling +Quakerism's +qualifier's +qualitative +quantifiers +quantifying +quarantined +quarantines +quarreler's +quarrelsome +quarterback +quarterdeck +quarterlies +quarterly's +Quasimodo's +Québecois's +Quebecois's +queerness's +querulously +quesadillas +questioners +questioning +quicklime's +quickness's +quicksand's +quicksilver +quickstep's +quiescently +quietness's +quintuple's +quintuplets +quintupling +quitclaim's +quittance's +Quixotism's +quizzically +quotability +quotation's +rabbinate's +Rabelaisian +rabidness's +racecourses +racehorse's +racetrack's +racialism's +racialist's +racketeered +racketeer's +raconteur's +racquetball +radarscopes +Radcliffe's +radiation's +radicalized +radicalizes +radicchio's +radioactive +radiocarbon +radiogram's +radiography +radiologist +radiology's +radiometers +radiometric +radiophones +radiosondes +raffishness +ragamuffins +railroaders +railroading +rainmaker's +rainstorm's +rainwater's +Ramakrishna +Ramanujan's +rancidity's +rancorously +randiness's +randomizing +rangefinder +ranginess's +rapaciously +rapidness's +Rappaport's +rapporteurs +rapscallion +rapturously +rarefaction +Rasmussen's +raspberries +raspberry's +Rastafarian +ratatouille +rathskeller +ratiocinate +rationale's +rationalism +rationalist +rationality +rationalize +rattlebrain +rattlesnake +rattletraps +raucousness +raunchiness +ravishingly +razorback's +reabsorbing +reacquaints +reacquiring +reactionary +reactivated +reactivates +readability +readdressed +readdresses +readerships +readiness's +readjusting +readmission +readmitting +reaffirming +Reaganomics +realignment +realization +reallocated +reallocates +realpolitik +reanalyzing +reanimating +reanimation +reappearing +reappointed +reapportion +reappraisal +reappraised +reappraises +rearguard's +rearranging +rearresting +reascending +reasoning's +reassembled +reassembles +reasserting +reassertion +reassessing +reassigning +reassurance +reattaching +reattaining +reattempted +reauthorize +reawakening +rebellion's +rebroadcast +recalculate +recantation +recapture's +recapturing +recasting's +receivables +receptacles +reception's +receptively +receptivity +recessional +recession's +recessive's +rechartered +rechristens +recidivists +recipient's +reciprocals +reciprocate +reciprocity +recirculate +recitalists +recitations +recitatives +reckoning's +reclaimable +reclamation +recognition +recognizing +recollected +recolonized +recolonizes +recombining +recommenced +recommences +recommended +recommitted +recompensed +recompenses +recompiling +recomposing +recomputing +reconciling +recondition +reconfigure +reconfirmed +reconnected +reconnoiter +reconquered +reconsiders +reconsigned +reconstruct +recontacted +reconvening +reconverted +recording's +recoverable +recreations +recriminate +recrudesced +recrudesces +recruiter's +recruitment +rectangle's +rectangular +rectifiable +rectifier's +rectilinear +rectitude's +recuperated +recuperates +recurrences +recurrently +recursively +recyclables +recycling's +redaction's +redbreast's +redcurrants +redecorated +redecorates +rededicated +rededicates +redelivered +redeploying +redeposited +redeposit's +redesigning +redetermine +redeveloped +redirecting +redirection +rediscovers +rediscovery +redissolved +redissolves +redistricts +redlining's +redolence's +redoubtable +redoubtably +reductase's +reduction's +redundantly +reduplicate +reediness's +reeducating +reeducation +reelections +reembarking +reembodying +reemergence +reemphasize +reemploying +reenactment +reenlisting +reequipping +reestablish +reevaluated +reevaluates +reexamining +reexplained +reexporting +refactoring +refashioned +refastening +refection's +refectories +refectory's +reference's +referencing +referendums +referential +refinancing +refinements +refinishing +reflections +reflector's +reflexively +reflexive's +reflexology +reforesting +Reformation +reformation +reformative +reformatory +reformatted +reformulate +refortified +refortifies +refresher's +refreshment +refrigerant +refrigerate +refurbished +refurbishes +refurnished +refurnishes +refutations +regathering +regenerated +regenerates +regimenting +regionalism +registering +registrants +registrar's +regressions +regretfully +regrettable +regrettably +regularized +regularizes +regulations +regulator's +regurgitate +rehearing's +rehearsal's +Rehnquist's +Reichstag's +reimbursing +reincarnate +reinfecting +reinfection +reinflating +reinforcing +Reinhardt's +reinoculate +reinserting +reinsertion +reinspected +reinstalled +reinstating +reinsurance +reintegrate +reinterpret +reintroduce +reinventing +reinvention +reinvesting +reiterating +reiteration +reiterative +rejection's +rejiggering +rejoicing's +rejoinder's +rejuvenated +rejuvenates +relatedness +relativists +relaunching +relaxations +relevance's +relevancy's +reliability +religiosity +religiously +religious's +reliquaries +reliquary's +relocatable +reluctantly +remaindered +remainder's +remarriages +remastering +Rembrandt's +remeasuring +remediation +remembering +remembrance +remigrating +Remington's +reminiscent +reminiscing +remission's +remittances +remonstrant +remonstrate +remorseless +remortgaged +remortgages +remunerated +remunerates +Renaissance +renaissance +renascences +rendering's +rendition's +renegotiate +renominated +renominates +renovations +renovator's +renumbering +reoccupying +reoccurring +reorganized +reorganizes +reorienting +repackaging +repairman's +reparations +repatriated +repatriates +repayment's +repeating's +repellent's +repentantly +repertoires +repertories +repertory's +repetitions +repetitious +replaceable +replacement +replenished +replenishes +repleteness +repletion's +replicating +replication +replicators +repopulated +repopulates +reportage's +reportorial +repossessed +repossesses +reprehended +represented +repressions +reprimanded +reprimand's +reproachful +reproaching +reprobate's +reprocessed +reprocesses +reproducers +reproducing +reprovingly +reptilian's +Republicans +republicans +republished +republishes +repudiating +repudiation +repudiators +repulsion's +repulsively +repurchased +repurchases +reputations +requirement +requisite's +requisition +rerecording +rescheduled +reschedules +researchers +researching +resection's +resemblance +resentfully +resentments +reserpine's +reservation +reservist's +reservoir's +resharpened +reshuffle's +reshuffling +residence's +residencies +residency's +residential +resignation +resiliently +resistances +resistivity +resolutions +resonance's +resonator's +resourceful +respectable +respectably +respecter's +respiration +respirators +respiratory +resplendent +respondents +responsible +responsibly +restatement +restaurants +restfullest +restfulness +restitching +restitution +restiveness +Restoration +restoration +restorative +restrainers +restraining +restraint's +restricting +restriction +restrictive +restringing +restructure +resubmitted +resubscribe +resultant's +resumptions +resupplying +resurfacing +resurgences +resurrected +resurveying +resuscitate +retaliating +retaliation +retaliative +retaliatory +retardant's +retardation +retention's +retentively +reticence's +reticulated +retirements +retractable +retractions +retrenching +retribution +retributive +retrievable +retrieval's +retriever's +retroactive +retrofiring +retrofitted +retrograded +retrogrades +retrorocket +retrospects +returnables +reupholster +revaluation +revamping's +revealingly +Revelations +revelations +reverberate +reverence's +reverencing +reverential +reversion's +revetment's +revisionism +revisionist +revitalized +revitalizes +revivalists +revivifying +revocations +revoltingly +revolutions +revulsion's +Reykjavik's +rhapsodical +rhapsodized +rhapsodizes +rhetorician +rheumatic's +Rhineland's +rhinestones +rhinoplasty +rhymester's +Richelieu's +ricocheting +ridership's +ridgepole's +Riefenstahl +righteously +rightness's +rightsizing +rigidness's +rigmarole's +Rigoberto's +Rigoletto's +ringleaders +ringmasters +riotousness +riskiness's +ritualism's +ritualistic +riverbank's +riverboat's +riverside's +roadblocked +roadblock's +roadhouse's +roadrunners +Robertson's +Robespierre +robocalling +Rochester's +Rockefeller +rockiness's +Roddenberry +Rodriguez's +Rodriquez's +roguishness +roisterer's +Rollerblade +Romanesques +Romanticism +romanticism +romanticist +romanticize +roominess's +Roosevelt's +Roquefort's +Rorschach's +Rosalinda's +Rosecrans's +Rosemarie's +Rosenberg's +rosewater's +Rosicrucian +rotisseries +rotogravure +rototillers +Rotterdam's +rottweilers +rotundity's +roughhoused +roughhouses +roughnecked +roughneck's +roughness's +roundabouts +roundelay's +roundhouses +roundness's +roundworm's +roustabouts +routinizing +rowdiness's +royalties's +rubberizing +rubbernecks +ruddiness's +rudimentary +ruination's +rumbustious +ruminations +rumormonger +runaround's +Runnymede's +rusticating +rustication +rusticity's +rustiness's +rustproofed +ruthenium's +sabbaticals +Sacajawea's +saccharin's +sackcloth's +sacramental +sacrament's +sacrifice's +sacrificial +sacrificing +sacrilege's +sacristan's +sacroiliacs +saddlebag's +safeguarded +safeguard's +safekeeping +safflower's +sagaciously +sagebrush's +Sagittarius +sailboarder +sailboard's +sailcloth's +sailplane's +sainthood's +saintliness +salaciously +salamanders +salesclerks +salesgirl's +salesladies +saleslady's +salespeople +salesperson +Salisbury's +salmonellae +saltcellars +saltiness's +saltpeter's +saltshakers +saltwater's +salutations +Salvadorans +Salvadorean +Salvadorian +salvageable +salvation's +Salvatore's +Samaritan's +Samarkand's +Samsonite's +Samuelson's +sanatoriums +sanctifying +sanctioning +sanctuaries +sanctuary's +sandbaggers +sandbagging +sandblasted +sandblaster +sandblast's +sandcastles +sandiness's +sandlotters +sandpapered +sandpaper's +sandpiper's +sandstone's +sandstorm's +sandwiching +sangfroid's +Sanhedrin's +sanitarians +sanitariums +Santayana's +sappiness's +saprophytes +saprophytic +sapsucker's +Saragossa's +sarcophagus +sartorially +Saskatoon's +Sasquatches +Sasquatch's +sassafrases +sassafras's +Sassanian's +satanically +satellite's +satelliting +satiation's +satinwood's +satirically +sauciness's +saxifrage's +saxophone's +saxophonist +scaffolding +scaliness's +scandalized +scandalizes +Scandinavia +scantness's +scapegoated +scapegoat's +scapegraces +Scarborough +scarecrow's +scaremonger +scariness's +Scarlatti's +scatology's +scatterings +scattershot +scavenger's +scenarist's +Schelling's +schematic's +schematized +schematizes +Schenectady +schilling's +Schindler's +schismatics +schlemiel's +Schlesinger +schmaltzier +Schnauzer's +schnauzer's +Schneider's +schnitzel's +schnozzle's +scholarship +schoolbag's +schoolbooks +schoolboy's +schoolchild +schoolgirls +schoolhouse +schooling's +schoolmarms +schoolmates +schoolrooms +schoolyards +Schrödinger +Schrodinger +Schroeder's +Schwarzkopf +Schweppes's +Schwinger's +scientist's +Scientology +scintilla's +scintillate +sclerosis's +scoliosis's +scoreboards +scorecard's +scorekeeper +Scotchman's +Scotchmen's +Scotchwoman +Scotchwomen +scoundrel's +scoutmaster +scrabbler's +scraggliest +scrambler's +scrapbook's +scrapheap's +scrapyard's +scratchcard +scratchiest +scratchpads +scrawniness +screamingly +screechiest +screening's +screenplays +screensaver +screenshots +screwball's +screwdriver +screwworm's +scribbler's +scrimmage's +scrimmaging +scrimshawed +scrimshaw's +Scripture's +scripture's +scrivener's +scrounger's +scroungiest +scruffiness +scrumhalves +scrumptious +scrutineers +scrutinized +scrutinizes +sculpture's +sculpturing +scutcheon's +scuttlebutt +seafaring's +searchingly +searchlight +seasickness +seasonality +seasoning's +Sebastian's +seborrhea's +secession's +seclusion's +secondaries +secondarily +secondary's +secondments +secretarial +Secretariat +secretariat +secretaries +secretary's +secretion's +secretively +sectarian's +sectional's +secularists +secularized +secularizes +sedimentary +seduction's +seductively +seediness's +segregating +segregation +seismically +seismograph +seismologic +selection's +selectively +selectivity +selectman's +Selectric's +selfishness +sellotaping +semanticist +semantics's +semaphore's +semaphoring +semblance's +semicircles +semicolon's +semifinal's +semiglosses +semimonthly +seminarians +semiotics's +semiprivate +semiquavers +Semiramis's +semiretired +semiskilled +semitrailer +semivowel's +seniority's +Sennacherib +sensational +sensation's +senselessly +sensibility +sensitively +sensitive's +sensitivity +sensitizing +sensualists +Sensurround +sententious +sentience's +sentimental +sentiment's +separations +separatists +separator's +September's +Septuagints +sepulchered +sepulcher's +sequestered +sequestrate +serendipity +Serengeti's +serializing +serigraph's +seriousness +sermonizing +serration's +serviceable +serviette's +servility's +servitude's +servomotors +settlements +seventeen's +seventeenth +seventieths +severance's +sexologists +sextuplet's +sexuality's +shadiness's +shadowboxed +shadowboxes +shakedown's +Shakespeare +shakiness's +shallowness +shamanistic +shamelessly +shampooer's +shanghaiing +shantytowns +shapelessly +shapeliness +shareholder +shareware's +sharkskin's +sharpener's +sharpness's +Shcharansky +sheathing's +sheepfold's +sheepherder +sheepskin's +sheerness's +Sheetrock's +Sheffield's +shellacking +shellfire's +shellfishes +shellfish's +shenanigans +shepherdess +shepherding +Shetlands's +shibboleths +shiftlessly +shillelaghs +shinguard's +shininess's +shinsplints +Shintoism's +Shintoist's +shipboard's +shipbuilder +shipowner's +shipwrecked +shipwreck's +shipwrights +shirtfronts +shirtsleeve +shirttail's +shirtwaists +shoehorning +shoemaker's +shoeshine's +shoestrings +shogunate's +shopaholics +shopfitters +shopfitting +shopkeepers +shoplifters +shoplifting +shorebird's +shoreline's +shortcake's +shortchange +shortcoming +shortenings +shortfall's +shorthanded +shorthand's +Shorthorn's +shorthorn's +shortlisted +shortness's +shortstop's +shortwave's +shotgunning +shouldering +shovelful's +showboating +showerproof +showgrounds +showiness's +showjumping +showmanship +showpiece's +showplace's +showstopper +shrinkage's +shrubberies +shrubbery's +shutterbugs +shuttlecock +sickeningly +sideboard's +sideburns's +sidelight's +sidepiece's +sidesaddles +sidestepped +sidestroked +sidestrokes +sideswipe's +sideswiping +sidetracked +sidetrack's +sidewinders +Siegfried's +sightseeing +sightseer's +Sigismund's +signalizing +signalman's +signatories +signatory's +signature's +signboard's +significant +signorina's +signposting +Sikkimese's +silhouetted +silhouettes +silicosis's +silkiness's +silkscreens +silliness's +silversmith +Simmental's +simperingly +simpleton's +simplifying +simulacrums +simulations +simulator's +simulcasted +simulcast's +sincerity's +Singaporean +Singapore's +Singleton's +singleton's +singletrees +singsonging +singularity +Sinhalese's +sinuosity's +sinusitis's +sisterhoods +Sisyphean's +situational +situation's +sixteenth's +Sjaelland's +skateboards +skedaddle's +skedaddling +skeptically +sketchbooks +sketchiness +skinflint's +skirmishers +skirmishing +skulduggery +skydiving's +skyjacker's +skyjackings +skyrocketed +skyrocket's +skyscrapers +skywriter's +slackness's +Slackware's +slanderer's +slapstick's +slaughtered +slaughterer +slaughter's +slaveholder +slavishness +sleazeballs +sleekness's +sleeplessly +sleepover's +sleepwalked +sleepwalker +sleepwear's +sleepyheads +slenderized +slenderizes +slenderness +slickness's +slideshow's +sliminess's +slingshot's +slipcover's +slipperiest +slipstreams +Slovenian's +slovenliest +slowcoaches +smallholder +smallness's +smartness's +smartphones +smartypants +smatterings +smithereens +Smithsonian +smokehouses +smokescreen +smokestacks +smokiness's +smorgasbord +smörgåsbord +smuggling's +snakebite's +snapdragons +snorkeler's +snowballing +snowblowers +snowboarded +snowboarder +snowboard's +snowdrift's +snowfield's +snowflake's +snowiness's +snowmobiled +snowmobiles +snowplowing +snowshoeing +snowstorm's +soapiness's +soapstone's +soberness's +sobriquet's +sociability +socialism's +socialistic +socialist's +socialite's +socializing +sociologist +sociology's +sociopath's +softhearted +sogginess's +sojourner's +solemness's +solemnified +solemnifies +solemnities +solemnity's +solemnizing +solicitor's +solidifying +solidness's +soliloquies +soliloquize +soliloquy's +solipsism's +solipsistic +solitaire's +somersaults +somersetted +something's +songwriters +songwriting +soothsayers +soothsaying +sophistical +sophistries +sophistry's +Sophocles's +sophomore's +soporific's +sorceresses +sorceress's +sorriness's +sorrowfully +soulfulness +soundalikes +soundboards +soundchecks +soundlessly +soundness's +soundproofs +soundscapes +soundtracks +Sourceforge +sourdough's +sousaphones +Southampton +southeaster +Southeast's +southeast's +southerlies +southerly's +Southerners +southerners +southward's +southwester +Southwest's +southwest's +sovereign's +sovereignty +spacecrafts +spaceflight +spaceport's +spaceship's +spacesuit's +spacewalked +spacewalk's +spaciness's +spadework's +spaghetti's +spareness's +spareribs's +sparrowhawk +Spartacus's +speakeasies +speakeasy's +spearfished +spearfishes +spearfish's +spearheaded +spearhead's +spearmint's +specialisms +specialists +specialized +specializes +specialties +specialty's +specifiable +specificity +spectacle's +spectacular +spectator's +speculating +speculation +speculative +speculators +speechified +speechifies +speedboat's +speedometer +speedster's +speedwell's +spellbinder +spellchecks +spelldown's +spelunker's +spendthrift +Spenglerian +spermatozoa +spermicidal +spermicides +spherically +sphincter's +spiciness's +spiderweb's +Spielberg's +spikiness's +spillover's +spinelessly +spinnaker's +spinneret's +spinsterish +spiritually +spiritual's +spirochetes +spitefuller +Spitsbergen +splashdowns +splashiness +splattering +splayfooted +splayfoot's +splendidest +splendorous +splenectomy +splintering +splitting's +splotchiest +spluttering +spoilsports +spokesman's +spokeswoman +spokeswomen +sponsorship +spontaneity +spontaneous +spoonbill's +spoonerisms +sportscasts +sportsman's +sportswoman +sportswomen +spotlighted +spotlight's +spreadsheet +sprightlier +springboard +springbok's +Springfield +springiness +Springsteen +sprinkler's +sprinklings +squabbler's +squalidness +squandering +squatness's +squeakiness +squeamishly +squeegeeing +squirreling +Srivijaya's +stability's +stabilizers +stabilizing +stableman's +stablemates +stagehand's +stagestruck +stagflation +stagnancy's +staidness's +stainless's +staircase's +StairMaster +stairwell's +stakeholder +stalactites +stalagmites +stalemate's +stalemating +staleness's +Stalinist's +stallholder +stammerer's +stanchion's +standardize +standoffish +standpipe's +standpoints +standstills +starboard's +Starbucks's +starchiness +stargazer's +starkness's +starlight's +startlingly +starvelings +statehood's +statehouses +stateliness +statemented +statement's +stateroom's +statesman's +stateswoman +stateswomen +stationer's +statistical +statistic's +statuette's +statutorily +staunchness +steadfastly +Steadicam's +steakhouses +stealthiest +steamboat's +steamfitter +steamrolled +steamroller +steamship's +steelmakers +steelworker +steelyard's +steeplejack +steepness's +steersman's +stegosaurus +Steinbeck's +Steinmetz's +stenography +stepbrother +stepchild's +stepfathers +Stephanie's +stepladders +stepmothers +stepparents +stepsisters +stereoscope +stereotyped +stereotypes +sterility's +sterilizers +sterilizing +sternness's +stethoscope +stevedore's +Stevenson's +stewardship +stickleback +Stieglitz's +stiffener's +stiffness's +stigmatized +stigmatizes +stillbirths +stillness's +stimulant's +stimulating +stimulation +stimulative +stipendiary +stippling's +stipulating +stipulation +stitchery's +stitching's +stockbroker +Stockhausen +stockholder +Stockholm's +stockinette +stockpile's +stockpiling +stockroom's +stocktaking +stockyard's +Stolichnaya +stolidity's +stomachache +stomacher's +stonemasons +stonewalled +stoneware's +stonewashed +stonework's +stoniness's +stoplight's +stopwatches +stopwatch's +storefronts +storehouses +storekeeper +storeroom's +storyboards +storybook's +storyteller +stoutness's +stovepipe's +straddler's +straggler's +straggliest +straightens +straightest +straightway +straitening +straitlaced +strangeness +strangler's +strangulate +straplesses +strapless's +strapping's +stratagem's +strategical +strategists +stratifying +streamlined +streamlines +streetcar's +streetlamps +streetlight +Streisand's +strengthens +strenuously +stretchable +stretchered +stretcher's +stretchiest +striation's +stricture's +stridency's +strikebound +strikeout's +stringently +stringiness +stripling's +stripteased +stripteaser +stripteases +stroboscope +Stromboli's +strongboxes +strongbox's +strongholds +strongman's +strongrooms +strontium's +stroppiness +structure's +structuring +stubbornest +studentship +stultifying +stupidities +stupidity's +stutterer's +Stuttgart's +stylishness +Styrofoam's +suaveness's +subaltern's +subbasement +subbranches +subbranch's +subcategory +subcompacts +subcontract +subcultures +subdividing +subdivision +subdomain's +subdominant +subfamilies +subfamily's +subfreezing +subheadings +subjugating +subjugation +subjunctive +sublimating +sublimation +sublimity's +submarginal +submariners +submarine's +submergence +submersible +submissions +subordinate +subornation +subpoenaing +subprograms +subroutines +subscribers +subscribing +subscript's +subsections +subservient +subsidizers +subsidizing +subsistence +substance's +substandard +substantial +substantive +substations +substituent +substituted +substitutes +substrate's +subsumption +subsystem's +subtenant's +subterfuges +subtotaling +subtracting +subtraction +subtrahends +subtropical +suburbanite +subventions +subversives +successions +successor's +succinctest +succotash's +succulent's +Sudetenland +Suetonius's +suffering's +sufficiency +suffixation +suffocating +suffocation +suffragan's +suffragette +suffragists +suffusion's +sugarcane's +sugarcoated +sugarplum's +suggestible +suggestions +suitability +sulkiness's +sultanate's +summarizing +summation's +summerhouse +sumptuously +sunbather's +sunbonnet's +Sundanese's +sunflower's +sunniness's +Sunnyvale's +sunscreen's +sunstroke's +Superbowl's +supercharge +supercities +supercity's +superficial +superfluity +superfluous +Superfund's +Superglue's +superheroes +superhero's +superimpose +superintend +superiority +superlative +supermarket +supermodels +supernova's +superposing +superpowers +superscribe +superscript +superseding +supersizing +superstar's +superstates +superstores +supertanker +supervening +supervising +supervision +supervisors +supervisory +supplanting +supplements +suppliant's +supplicants +supplicated +supplicates +supportable +supporter's +supposition +suppository +suppressant +suppressing +suppression +suppressive +suppressors +suppurating +suppuration +supremacist +supremacy's +surcharge's +surcharging +surcingle's +surfboarded +surfboard's +surliness's +surmounting +surplussing +surprisings +surrealists +surrendered +surrender's +surrogacy's +surrogate's +surrounding +surveying's +survivalist +susceptible +suspender's +suspenseful +suspensions +suspicion's +Susquehanna +sustainable +swallowtail +swampland's +Swaziland's +swearword's +sweatband's +sweatshirts +sweatshop's +sweepings's +sweepstakes +sweetbreads +sweetbriers +sweetener's +sweethearts +sweetmeat's +sweetness's +swellheaded +swellhead's +swiftness's +Swinburne's +swineherd's +switchbacks +switchblade +switchboard +Switzerland +swordfishes +swordfish's +swordplay's +swordsman's +sycophantic +sycophant's +syllabicate +syllabified +syllabifies +syllogism's +syllogistic +Sylvester's +symbiosis's +symbolism's +symbolizing +symmetrical +sympathetic +sympathized +sympathizer +sympathizes +symposium's +symptomatic +synagogue's +synchronize +synchronous +syncopating +syncopation +syndicalism +syndicalist +syndicate's +syndicating +syndication +synergism's +synergistic +syntactical +synthesis's +synthesized +synthesizer +synthesizes +synthetic's +syphilitics +systematize +tabbouleh's +Tabernacles +tabernacles +tablecloths +tableland's +tablespoons +tableware's +tabulations +tabulator's +tachographs +tachometers +tachycardia +tacitness's +taciturnity +tackiness's +tactfulness +tactician's +tactility's +tagliatelle +tailgater's +taillight's +tailoring's +Taiwanese's +talebearers +talkatively +Tallahassee +Tallchief's +tambourines +Tamerlane's +tangerine's +tangibility +tantalizers +tantalizing +Tanzanian's +tarantellas +Tarantino's +tarantula's +tardiness's +Tarkenton's +tarpaulin's +taskmasters +Tasmanian's +tastelessly +tastiness's +tattletales +tattooist's +tautologies +tautologous +tautology's +taxidermist +taxidermy's +taximeter's +taxonomists +Tchaikovsky +teacupful's +teakettle's +teargassing +tearjerkers +teaspoonful +technically +technicians +Technicolor +technicolor +technique's +technocracy +technocrats +technophobe +tectonics's +tediousness +teenybopper +teetotalers +teetotalism +Tegucigalpa +telecasters +telecasting +telecommute +telegraphed +telegrapher +telegraphic +telegraph's +telekinesis +telekinetic +telemeter's +telemetries +telemetry's +telepathy's +telephoners +telephone's +telephoning +telephonist +telephony's +telephoto's +teleprinter +telescope's +telescoping +televisions +teleworkers +teleworking +tellurium's +temperament +temperately +temperature +tempestuous +temporaries +temporarily +temporary's +temporizers +temporizing +temptations +temptresses +temptress's +tenaciously +tendentious +tenderfoots +tenderizers +tenderizing +tenderloins +Tennesseans +Tennessee's +tenseness's +tentatively +tenterhooks +tenuousness +Teotihuacan +tepidness's +terahertz's +terapixel's +termagant's +terminating +termination +terminators +terminology +Terpsichore +terrarium's +terrestrial +territorial +territories +territory's +terrorism's +terrorist's +terrorizing +terseness's +tessellated +tessellates +testament's +testatrices +testatrix's +testifier's +testimonial +testimonies +testimony's +testiness's +tetrahedral +tetrahedron +tetrameters +Thackeray's +thalidomide +thanklessly +thatching's +theatergoer +theatricals +theatrics's +thenceforth +theocracies +theocracy's +theodolites +Theodoric's +theologians +theological +theoretical +theosophist +Theosophy's +theosophy's +therapeutic +therapist's +Theravada's +thereabouts +theretofore +thermometer +Thermopylae +thermostats +thesauruses +thesaurus's +thickener's +thickenings +thickheaded +thicknesses +thickness's +thighbone's +thimblefuls +thingamabob +thingamajig +thingumabob +thingummies +thirstiness +thirteenths +thirtieth's +thistledown +Thomistic's +Thorazine's +thoroughest +thoughtless +thousandths +thralldom's +thrashing's +threatening +threescores +threesome's +threshold's +thriftiness +thrillingly +throatiness +throttler's +throwaway's +throwback's +thumbnail's +thumbprints +thumbscrews +thumbtack's +Thunderbird +thunderbolt +thunderclap +thunderer's +thunderhead +ticktacktoe +Ticonderoga +tiddlywinks +tidewater's +tiebreakers +Tienanmen's +tightener's +tightfisted +tightness's +tightrope's +timberlines +timekeepers +timekeeping +timepiece's +timeservers +timeserving +timestamped +timestamp's +timetable's +timetabling +timidness's +timpanist's +tinderboxes +tinderbox's +Tinkertoy's +tinniness's +Tipperary's +tipsiness's +tiredness's +titillating +titillation +titleholder +toadstool's +toastmaster +tobacconist +tobogganers +tobogganing +Tocantins's +Tocqueville +tolerance's +tollbooth's +tomahawking +tombstone's +tomographic +tonsillitis +toolmaker's +toothache's +toothpastes +toothpick's +topdressing +topographer +topographic +topological +torchbearer +tormentor's +torpidity's +torridity's +Toscanini's +totalizator +touchdown's +touchpapers +touchscreen +touchstones +toughener's +toughness's +tournaments +tourniquets +towelette's +townhouse's +townsfolk's +townspeople +tracheotomy +trackball's +trademarked +trademark's +tradesman's +tradeswoman +tradeswomen +traditional +tradition's +Trafalgar's +traffickers +trafficking +tragedian's +tragedienne +tragicomedy +trailblazer +Trailways's +trainload's +trampolined +trampolines +tranquilest +tranquility +tranquilize +transacting +transaction +transactors +transceiver +transcended +transcribed +transcriber +transcribes +transcripts +transducers +transecting +transferals +transferred +transfigure +transfinite +transfixing +transformed +transformer +transform's +transfusing +transfusion +transgender +transiently +transient's +transistors +transitions +transitives +translating +translation +translators +translucent +transmittal +transmitted +transmitter +transmuting +transparent +transpiring +transplants +transponder +transported +transporter +transport's +transposing +transsexual +Transvaal's +transverses +trapezium's +trapezoidal +trapezoid's +trappings's +traumatized +traumatizes +traveling's +travelogues +traversal's +travestying +treacheries +treacherous +treachery's +treadmill's +treasonable +treasurer's +treatment's +Treblinka's +trematode's +tremulously +trenchantly +trencherman +trenchermen +trendsetter +trepidation +trespassers +trespassing +Trevelyan's +triangulate +triathletes +triathlon's +tribalism's +tribesman's +tribeswoman +tribeswomen +tribulation +tributaries +tributary's +triceratops +trichinosis +trickster's +triennially +triennial's +trifocals's +trilaterals +trillionths +trilobite's +trimester's +trimmings's +Trinidadian +Tripitaka's +triplicated +triplicates +triteness's +triumvirate +trivialized +trivializes +Trobriand's +troglodytes +trombonists +Trondheim's +troopship's +Tropicana's +troposphere +troubadours +troubleshot +troublesome +trousseau's +truckload's +truculently +trumpeter's +truncheon's +trusteeship +trustworthy +Tsimshian's +Tsiolkovsky +Tsitsihar's +tuberculous +tularemia's +tumbleweeds +tunefulness +Tupungato's +turbidity's +turbocharge +turboprop's +turbulently +turducken's +turgidity's +Turkestan's +turnabout's +turnarounds +turnbuckles +turnstile's +turntable's +turpitude's +turquoise's +turtledoves +turtlenecks +Tuscarora's +Tutankhamen +tutorship's +twelvemonth +twentieth's +twinkling's +Twizzlers's +tympanist's +typecasting +typescripts +typesetters +typesetting +typewriters +typewriting +typewritten +typographer +typographic +tyrannizing +tyrannosaur +ufologist's +Ukrainian's +ulcerations +ultimatum's +ultralights +ultramarine +ultramodern +ultrasounds +ultraviolet +ululation's +Ulyanovsk's +umbilicus's +unabashedly +unabridgeds +unaccounted +unaddressed +unadvisedly +unaesthetic +unalienable +unallowable +unalterable +unalterably +unambiguous +unambitious +unanimity's +unanimously +unannounced +unappealing +unashamedly +unassertive +unauthentic +unavailable +unavoidable +unavoidably +unawareness +unbalancing +unbeknownst +unbelievers +unbelieving +unblemished +unbreakable +unburdening +unbuttoning +unceasingly +uncertainly +uncertainty +unchristian +uncivilized +uncleanlier +uncleanness +uncluttered +uncollected +uncommitted +uncommonest +uncompleted +unconcealed +unconcerned +unconcern's +unconfirmed +uncongenial +unconnected +unconquered +unconscious +uncontested +unconverted +unconvinced +uncorrected +uncountable +uncrushable +uncustomary +undauntedly +undeceiving +undecidable +undecided's +undefinable +undelivered +undemanding +underacting +undercharge +undercoated +undercoat's +underexpose +underfunded +underground +undergrowth +underhanded +underline's +underling's +underlining +undermanned +undermining +underneaths +underpart's +underpasses +underpass's +underpaying +underpinned +underplayed +underrating +underscored +underscores +undershirts +undershoots +undershorts +underside's +undersigned +underskirts +understands +understated +understates +undertakers +undertaking +underthings +undertone's +undervalued +undervalues +underwear's +underweight +underwhelms +Underwood's +underworlds +underwriter +underwrites +undeserving +undesirable +undesirably +undeveloped +undeviating +undignified +undisclosed +undisguised +undissolved +undisturbed +undoubtedly +undrinkable +undulations +unemotional +unendurable +unequivocal +unessential +unethically +unexplained +unexploited +unexpressed +unfailingly +unfaltering +unfastening +unfavorable +unfavorably +unfeelingly +unfettering +unfitness's +unflappable +unflappably +unflinching +unforgiving +unforgotten +unfortified +unfortunate +unfriending +unfulfilled +unfurnished +ungainliest +ungodliness +unhappiness +unharnessed +unharnesses +unharvested +unhealthful +unhealthier +unhealthily +unhelpfully +unhurriedly +unicellular +unidiomatic +unification +unimportant +unimpressed +uninhabited +uninhibited +uninitiated +uninspiring +uninstalled +uninstaller +Unitarian's +universally +universal's +unjustified +unkindliest +unknowingly +unlikeliest +unlimbering +unloosening +unloveliest +unluckiness +unmemorable +unmentioned +unmitigated +unmotivated +unnaturally +unnecessary +unnervingly +unobservant +unobtrusive +unoffensive +unorganized +unpalatable +unpatriotic +unperceived +unperformed +unpersuaded +unperturbed +unpolitical +unpopulated +unpractical +unpracticed +unprintable +unprocessed +unpromising +unprotected +unpublished +unqualified +unreachable +unrealistic +unreality's +unreasoning +unregulated +unrehearsed +unrelenting +unremitting +unrepentant +unresistant +unrevealing +unrewarding +unrighteous +unsatisfied +unsaturated +unscheduled +unscrambled +unscrambles +unscratched +unseemliest +unsegmented +unselfishly +unshackling +unsheathing +unshockable +unsightlier +unsolicited +unsoundness +unsparingly +unspeakable +unspeakably +unspecified +unsteadiest +unstoppable +unstrapping +unsubscribe +unsupported +unsurpassed +unsuspected +unsweetened +untarnished +unteachable +unthinkable +unthinkably +untimeliest +untouchable +untraceable +untrammeled +untypically +Unukalhai's +unutterable +unutterably +unvarnished +unwarranted +unwatchable +unwelcoming +unwholesome +unwieldiest +unwillingly +unwittingly +unworthiest +upbringings +upcountry's +upholstered +upholsterer +uppercase's +uprightness +upthrusting +urination's +urologist's +urticaria's +Uruguayan's +usability's +uselessness +usherette's +utilitarian +utilization +utterance's +uttermost's +vacationers +vacationing +vacationist +vaccinating +vaccination +vacillating +vacillation +vacuousness +vagabondage +vagabonding +vagueness's +vainglory's +valediction +valedictory +Valentine's +valentine's +Valentino's +validations +validness's +valuation's +Valvoline's +Vancouver's +vandalism's +vandalizing +vanquishers +vanquishing +vapidness's +vaporizer's +variability +variation's +varicolored +variegating +variegation +vasectomies +vasectomy's +vassalage's +vegeburgers +vegetable's +vegetarians +vehemence's +vehemency's +Velasquez's +Velazquez's +velocipedes +Velásquez's +velveteen's +Velázquez's +Venezuelans +Venezuela's +vengeance's +venireman's +ventilating +ventilation +ventilators +ventricle's +ventricular +ventriloquy +venturesome +venturously +veraciously +verbalizing +verbosity's +verdigrised +verdigrises +verdigris's +vermiculite +vermilion's +Vermonter's +vernaculars +versatility +versifier's +vertebrates +vertiginous +Vespasian's +vestibule's +vestigially +vestryman's +vexatiously +viability's +vibraharp's +vibraphones +vibration's +vicariously +vicegerents +vichyssoise +viciousness +vicissitude +Vicksburg's +victimizing +Victorian's +videodisc's +videophones +videotape's +videotaping +Vientiane's +viewfinders +viewpoint's +vigilance's +vigilante's +vigilantism +vigilantist +vignettists +Vijayanagar +vinaigrette +vindicating +vindication +vindicators +violation's +violincello +violinist's +violoncello +Virginian's +virginity's +virologists +virulence's +viscosity's +viscountess +visionaries +visionary's +visitations +visualizers +visualizing +vitiation's +viticulture +vituperated +vituperates +vivaciously +Vivekananda +vividness's +vivisecting +vivisection +Vladivostok +vociferated +vociferates +voicelessly +voicemail's +volatilized +volatilizes +Voldemort's +Volgograd's +volleyballs +voltmeter's +voluntaries +voluntarily +voluntarism +voluntary's +volunteered +volunteer's +voodooism's +voraciously +vouchsafing +voyeurism's +voyeuristic +vulcanizing +vulgarian's +vulgarism's +vulgarities +vulgarity's +vulgarizers +vulgarizing +wackiness's +waggishness +Wagnerian's +wainscoting +wainwrights +waistband's +waistcoat's +waistline's +waitpersons +waitstaff's +wakefulness +wallboard's +Wallenstein +wallflowers +walloping's +wallpapered +wallpaper's +Wanamaker's +wanderlusts +warbonnet's +warehouse's +warehousing +warmblooded +warmhearted +warmonger's +warrantying +washbasin's +washboard's +washcloth's +washerwoman +washerwomen +washstand's +waspishness +wastebasket +wasteland's +watchband's +watchmakers +watchmaking +watchstraps +watchtowers +watchword's +waterbird's +waterboards +Waterbury's +watercolors +watercourse +waterfall's +Waterford's +waterfowl's +waterfronts +Watergate's +waterhole's +waterlilies +waterlily's +waterline's +waterlogged +watermarked +watermark's +watermelons +watermill's +waterproofs +watershed's +waterside's +waterspouts +waterwheels +wavelengths +wayfaring's +waywardness +wealthiness +weaponizing +weariness's +wearisomely +weathercock +weatherized +weatherizes +webmaster's +webmistress +Wednesday's +weedkillers +weeknight's +Wehrmacht's +Weierstrass +weighbridge +weightiness +weirdness's +Weissmuller +Wellingtons +wellingtons +wellsprings +westerner's +westernized +westernizes +westernmost +Westminster +whaleboat's +whalebone's +wheelbarrow +wheelbase's +wheelchairs +wheelhouses +wheelwright +whereabouts +wherefore's +wheresoever +wherewithal +whetstone's +whiffletree +whimsically +whippletree +whirligig's +Whirlpool's +whirlpool's +whirlwind's +whirlybirds +whisperer's +whiteboards +whitefishes +whitefish's +Whitehall's +Whitehead's +whitehead's +whiteness's +whitening's +whitetail's +whitewall's +whitewashed +whitewashes +whitewash's +Whitfield's +Whitsundays +whizzbang's +wholeness's +wholesalers +wholesale's +wholesaling +wholesomely +whorehouses +widemouthed +widescreens +widowhood's +Wikipedia's +Wilberforce +wildcatters +wildcatting +wildebeests +wildflowers +Wilkerson's +Wilkinson's +willfulness +willingness +willpower's +Wilsonian's +Wimbledon's +Winchesters +Windbreaker +windbreaker +windbreak's +windcheater +windchill's +windflowers +windiness's +windjammers +windmilling +windowpanes +windowsills +windscreens +windshields +windstorm's +windsurfers +windsurfing +wineglasses +wineglass's +winegrowers +winemaker's +wingspreads +Winnebago's +winsomeness +wintergreen +winterizing +wiretappers +wiretapping +Wisconsin's +wisecracked +wisecrack's +wistfulness +withdrawals +withdrawing +witheringly +withholding +witlessness +witticism's +wittiness's +Wodehouse's +wolfhound's +wolverine's +womanhood's +womanizer's +womankind's +womanlike's +womanliness +womenfolk's +Wonderbra's +wonderfully +wonderingly +wonderlands +woodblock's +woodcarvers +woodcarving +woodchuck's +woodcraft's +woodcutters +woodcutting +woodiness's +woodpeckers +Woodstock's +woodworkers +woodworking +Woolworth's +wooziness's +Worcester's +wordiness's +workaholics +workarounds +workbaskets +workbenches +workbench's +workforce's +workhorse's +workhouse's +workmanlike +workmanship +workplace's +worksheet's +workstation +worktable's +worldliness +worldview's +worriment's +worrywart's +worshiper's +worthlessly +wraparounds +wrestling's +wretchedest +wristband's +wrongdoer's +wrongdoings +wrongheaded +wrongness's +wunderkinds +Wurlitzer's +Wycherley's +Wyomingites +Xanthippe's +xenophobe's +xerographic +xylophone's +xylophonist +yachtsman's +yachtswoman +yachtswomen +yardmasters +yardstick's +Yaroslavl's +Yellowknife +Yellowstone +yesterday's +Yevtushenko +Yggdrasil's +Yorkshire's +Yossarian's +youngster's +Ypsilanti's +ytterbium's +Yugoslavian +Zachariah's +Zarathustra +zealousness +Zechariah's +zeitgeist's +Zephaniah's +zestfulness +Zhengzhou's +Zimbabweans +Zimmerman's +Zinfandel's +zinfandel's +zirconium's +zookeeper's +zoologist's +zooplankton +Zoroaster's +Zoroastrian +Zsigmondy's +aardvark's +abandoning +abattoir's +abbreviate +abdicating +abdication +abductee's +abductions +abductor's +Aberdeen's +aberration +abeyance's +abhorrence +abidance's +abjectness +abjuration +abjuratory +ablation's +ablative's +ablution's +abnegating +abnegation +abnormally +abolishing +abominable +abominably +abominated +abominates +aboriginal +Aborigines +aborigines +abortion's +abortively +aboveboard +abrasion's +abrasively +abrasive's +abridgment +abrogating +abrogation +abrogators +abruptness +abscessing +abscissa's +abscission +absconders +absconding +absentee's +absinthe's +absolutely +absolute's +absolutest +absolution +absolutism +absolutist +absorbance +absorbency +absorbents +absorption +absorptive +abstainers +abstaining +abstemious +abstention +abstinence +abstracted +abstractly +abstract's +abstrusely +absurdists +absurdness +abundances +abundantly +abutment's +Abyssinian +academia's +academical +academic's +acanthuses +acanthus's +Acapulco's +accelerate +accentuate +acceptable +acceptably +acceptance +accessible +accessibly +accessions +accidental +accident's +acclaiming +acclimated +acclimates +accolade's +accomplice +accomplish +accordance +accordions +accountant +accounting +accoutered +accredited +accretions +accumulate +accuracy's +accurately +accusation +accusative +accusatory +accusingly +accustomed +acerbating +acerbity's +Achernar's +achievable +achiever's +Achilles's +achromatic +acidifying +acidosis's +acoustical +acquainted +acquiesced +acquiesces +acquirable +acquittals +acquitting +acridity's +acrimony's +acrobatics +acrophobia +acrostic's +acrylamide +actinium's +actionable +activating +activation +activators +activeness +activism's +activist's +activities +activity's +actualized +actualizes +actuator's +adaptation +addendum's +Adderley's +addictions +additional +addition's +additive's +addressees +addressing +Adelaide's +Adenauer's +adequacy's +adequately +adherent's +adhesion's +adhesive's +Adirondack +adjacently +adjectival +adjectives +adjourning +adjudicate +adjuration +adjustable +adjuster's +adjustment +adjutant's +administer +admiration +admiringly +admissible +admissibly +admissions +admittance +admittedly +admixtures +admonished +admonishes +admonition +admonitory +adolescent +adoption's +adornments +adrenaline +Adrenalins +adrenergic +Adriatic's +Adrienne's +adroitness +adsorbents +adsorption +adulator's +adulterant +adulterate +adulterers +adulteress +adulteries +adulterous +adultery's +adumbrated +adumbrates +advantaged +advantages +Adventists +adventured +adventurer +adventures +adverbials +advertised +advertiser +advertises +advisement +advisories +advisory's +advocacy's +advocate's +advocating +aeration's +aerialists +aerobatics +aerobics's +aerodromes +Aeroflot's +aeronautic +aesthete's +aesthetics +affability +affectedly +affections +affiancing +affidavits +affiliated +affiliates +affinities +affinity's +afflatus's +afflicting +affliction +affluently +affordable +affordably +afforested +affronting +aficionado +Afrikaners +afterbirth +afterglows +afterimage +afterlives +aftermaths +afternoons +aftershave +aftershock +aftertaste +afterwards +afterwords +ageratum's +aggrandize +aggravated +aggravates +aggregated +aggregates +aggregator +aggression +aggressive +aggressors +aggrieving +agitations +agitator's +agitprop's +agnostic's +agrarian's +agreements +Agricola's +agronomist +agronomy's +aigrette's +airbrushed +airbrushes +airbrush's +aircraft's +airdropped +Airedale's +airfield's +airfreight +airiness's +airletters +airlifting +airliner's +airmailing +airplane's +airspace's +airstrikes +airstrip's +airwaves's +Alabaman's +Alabamians +alacrity's +Alamogordo +alarmingly +alarmist's +albacore's +Albanian's +albinism's +albuminous +Alcatraz's +Alcestis's +alchemists +Alcibiades +Alcindor's +alcoholics +alcoholism +alderman's +alderwoman +alderwomen +alehouse's +Aleichem's +Alembert's +Aleutian's +Alexanders +Alexandria +Algerian's +Algonquian +Algonquins +algorithms +Alhambra's +alienating +alienation +alienist's +alignments +alimentary +alimenting +Alistair's +alkalinity +alkalizing +alkaloid's +allegation +allegiance +allegories +allegorist +allegory's +allegretto +alleluia's +allergenic +allergen's +allergists +alleviated +alleviates +alleyway's +Allhallows +alliance's +alligators +alliterate +allocating +allocation +allotments +allowances +allspice's +Allstate's +allurement +alluringly +allusion's +allusively +alluvial's +alluvium's +Almighty's +almshouses +alongshore +alphabetic +alphabet's +Alphecca's +Alphonse's +Alphonso's +Alsatian's +Altamira's +altarpiece +alteration +alternated +alternates +alternator +altimeters +altitude's +altogether +altruism's +altruistic +altruist's +aluminum's +Alvarado's +amalgamate +amanuenses +amanuensis +amaranth's +amaretto's +Amarillo's +amateurish +amateurism +ambassador +ambiance's +ambition's +ambivalent +ambrosia's +ambulances +ambulating +ambulation +ambulatory +ambuscaded +ambuscades +ameliorate +amendments +amercement +American's +Amerindian +amethyst's +amiability +ammunition +amnesiac's +amnestying +amortizing +amperage's +ampersands +amphibians +amphibious +ampicillin +amplifiers +amplifying +amplitudes +amputating +amputation +Amritsar's +Amundsen's +amusements +Anabaptist +anaconda's +Anacreon's +anaerobe's +Analects's +analgesics +analogical +analogized +analogizes +analogue's +analysands +analysis's +analytical +analyzable +analyzer's +anapestics +anarchists +anathema's +Anatolia's +anatomical +anatomists +anatomized +anatomizes +Anaxagoras +ancestor's +ancestress +ancestries +ancestry's +anchorages +anchorites +ancientest +Andalusian +Andersen's +Anderson's +Andorran's +Andretti's +androgenic +androgen's +Andromache +Andropov's +anecdote's +anemically +anemometer +anesthesia +anesthetic +aneurysm's +Angelica's +angelica's +Angelico's +Angelina's +Angeline's +Angelita's +angiosperm +angleworms +Anglican's +Anglicisms +anglicisms +anglicized +anglicizes +Anglophile +anglophile +Anglophobe +anglophone +Angstrom's +angstrom's +Anguilla's +anguishing +angularity +angulation +animadvert +animalcule +animatedly +animations +animator's +anisette's +anklebones +annalist's +annexation +annihilate +Annmarie's +annotating +annotation +annotative +annotators +announcers +announcing +annoyances +annoyingly +annualized +annuitants +annulments +anointment +anorectics +anorexia's +anorexic's +answerable +antagonism +antagonist +antagonize +Antarctica +anteater's +antebellum +antecedent +antedating +antelope's +anteroom's +anthracite +anthropoid +antibiotic +antibodies +antibody's +anticancer +Antichrist +anticipate +anticlimax +anticlines +antidote's +Antietam's +antifreeze +Antigone's +antiheroes +antihero's +Antilles's +antimatter +antimony's +antipastos +antiphonal +antiphon's +antipodals +antipodean +antiproton +antiquated +antiquates +antisepsis +antiseptic +antiserums +antisocial +antitheses +antithesis +antithetic +antitoxins +antivenins +antivirals +Antoinette +Antonius's +antonymous +anything's +apartments +aperitif's +aperture's +aphelion's +aphorism's +aphoristic +apiarist's +Apocalypse +apocalypse +apocryphal +apolitical +Apollonian +apologetic +apologia's +apologists +apologized +apologizes +apoplectic +apoplexies +apoplexy's +apostasies +apostasy's +apostate's +apostatize +apostrophe +apothecary +apothegm's +apotheoses +apotheosis +Appalachia +Appaloosas +appaloosas +appareling +apparently +apparition +appearance +appeaser's +appellants +appendages +appendices +appendixes +appendix's +appertains +appetite's +appetizers +appetizing +applauders +applauding +applause's +applesauce +Appleton's +appliances +applicable +applicably +applicants +applicator +applique's +appliqué's +appointees +appointing +appointive +Appomattox +apportions +appositely +apposition +appositive +appraisals +appraisers +appraising +appreciate +apprehends +apprentice +approached +approaches +approach's +approval's +aptitude's +Apuleius's +aqualung's +aquamarine +aquanaut's +aquaplaned +aquaplanes +aquarium's +Aquariuses +Aquarius's +aquatics's +aqueduct's +arabesques +arachnid's +Araguaya's +Araucanian +Arawakan's +arbitraged +arbitrager +arbitrages +arbitrated +arbitrates +arbitrator +Arbitron's +arboretums +arborvitae +Arcadian's +archaism's +archaist's +archangels +archbishop +archdeacon +archduke's +archetypal +archetypes +archfiends +Archimedes +architects +architrave +archivists +archness's +Arcturus's +Arequipa's +Argonaut's +argument's +Arianism's +aristocrat +arithmetic +Arizonan's +Arizonians +Arkansan's +Arkansas's +armadillos +Armageddon +Armagnac's +armament's +armature's +armchair's +Armenian's +Arminius's +armistices +aromatic's +arpeggio's +arraigning +arranger's +arrhythmia +arrhythmic +arrogantly +arrogating +arrogation +arrowheads +arsonist's +Artaxerxes +arterioles +artfulness +arthritics +arthropods +artichokes +articulacy +articulate +artifact's +artificers +artifice's +artificial +artiness's +artistry's +asbestos's +ascendance +ascendancy +ascendants +ascensions +ascertains +asceticism +ascribable +ascription +asexuality +Ashcroft's +Ashikaga's +Ashkenazim +Asperger's +asperities +asperity's +aspersions +asphalting +asphodel's +asphyxia's +asphyxiate +aspidistra +aspirant's +aspirate's +aspirating +aspiration +aspirators +assailable +assailants +Assamese's +assassin's +assaulting +assemblage +assemblers +assemblies +assembling +assembly's +assertions +assessment +assessor's +asseverate +assignable +assignee's +assigner's +assignment +assignor's +assimilate +assistance +assistants +associated +associates +assonant's +assortment +assumption +assumptive +assurances +Assyrian's +astatine's +asterisked +asterisk's +asteroid's +asthmatics +astigmatic +astonished +astonishes +astounding +astringent +astrolabes +astrologer +astronauts +astronomer +astronomic +Asturias's +astuteness +Asunción's +Asuncion's +asymmetric +asymptotic +Atalanta's +Athabaskan +Athanasius +Athenian's +Atkinson's +Atlantic's +Atlantis's +atmosphere +atomically +atomizer's +atrocities +atrocity's +atrophying +atropine's +attachable +attachment +attacker's +attainable +attainment +attempting +attendance +attendants +attendee's +attentions +attenuated +attenuates +attitude's +attorney's +attractant +attracting +attraction +attractive +attributed +attributes +atypically +aubergines +Auckland's +auctioneer +auctioning +audacity's +audibility +audience's +audiometer +audiophile +audiotapes +auditioned +audition's +auditorium +augmenters +augmenting +Augsburg's +Augustan's +augustness +Augustus's +Aurelius's +Aureomycin +auscultate +auspicious +Austerlitz +Australian +Australoid +Austrian's +authorized +authorizes +authorship +autobahn's +autoclaves +autocratic +autocrat's +autodidact +autographs +autoimmune +automakers +automatics +automating +automation +automatism +automatize +automatons +automobile +automotive +autonomous +autonomy's +autopilots +autopsying +autoworker +avalanches +avaricious +Aventine's +Averroes's +aversion's +aviation's +aviatrices +aviatrixes +aviatrix's +Avicenna's +avionics's +avocations +Avogadro's +awakenings +awkwardest +axletree's +ayatollahs +Ayrshire's +Ayurveda's +Azerbaijan +Baathist's +babushka's +babyhood's +Babylonian +babysitter +baccarat's +bacchanals +bachelor's +bacillus's +backache's +backbiters +backbiting +backbitten +backboards +backbone's +backcloths +backcombed +backdating +backdrop's +backfields +backfire's +backfiring +backgammon +background +backhanded +backhander +backhand's +backlashes +backlash's +backlogged +backpacked +backpacker +backpack's +backpedals +backrest's +backseat's +backside's +backslider +backslides +backspaced +backspaces +backspin's +backstairs +backstop's +backstreet +backstroke +backtalk's +backtracks +backwardly +backwash's +backwaters +backyard's +bacteria's +badinage's +Badlands's +badlands's +badmouthed +Baedeker's +bafflement +bagatelles +bagpiper's +baguette's +Bahamanian +Bahamian's +Baha'ullah +bailiwicks +bailsman's +Bakelite's +bakeshop's +balaclavas +balalaikas +Balanchine +balderdash +baldness's +Balearic's +Balinese's +Balkhash's +balladeers +balladry's +ballasting +ballcock's +ballerinas +ballgame's +ballistics +ballooning +balloonist +ballpark's +ballplayer +ballpoints +ballroom's +ballyhooed +ballyhoo's +baluster's +balustrade +bamboozled +bamboozles +banalities +banality's +Bancroft's +bandanna's +banditry's +bandleader +bandmaster +bandoleers +bandsman's +bandstands +bandwagons +bandwidths +Bangladesh +banishment +banister's +banjoist's +bankbook's +bankcard's +banknote's +bankrolled +bankroll's +bankruptcy +bankrupted +bankrupt's +Banneker's +banqueters +banqueting +banquettes +baptistery +Baptiste's +baptizer's +Barabbas's +Barbadians +Barbados's +Barbarella +barbarians +barbarisms +barbarized +barbarizes +Barbarossa +barbecue's +barbecuing +barberries +barberry's +barbershop +barbwire's +barcaroles +Barclays's +barebacked +barefooted +barehanded +bareheaded +barelegged +bareness's +bargainers +bargaining +bargeman's +barhopping +baritone's +barkeepers +Barnabas's +barnacle's +barnstorms +barnyard's +barometers +barometric +baronage's +baronesses +baroness's +barracking +barracudas +barrenness +barrette's +barricaded +barricades +barristers +bartenders +barterer's +Bartlett's +baseball's +baseboards +baseline's +basement's +baseness's +basilica's +basilisk's +basinful's +basketball +basketry's +basketwork +Basseterre +bassinet's +bassoonist +basswood's +bastardize +bastardy's +Bastille's +Basutoland +bathhouses +bathrobe's +bathroom's +battalions +batterer's +batterings +battleaxes +battledore +battlement +battleship +Baudelaire +Baudouin's +Bavarian's +bayberries +bayberry's +Bayesian's +bayoneting +Bayreuth's +Baywatch's +bazillions +beachfront +beachheads +beanfeasts +beanpole's +beansprout +beanstalks +bearskin's +beastliest +beatifying +beatitudes +Beatrice's +Beaufort's +Beaujolais +Beaumont's +Beauregard +beautician +beautified +beautifier +beautifies +Beauvoir's +beclouding +becomingly +becquerels +bedazzling +bedchamber +bedclothes +bedeviling +bedfellows +bedizening +bedraggled +bedraggles +bedsitters +bedspreads +bedstead's +beebread's +beechnut's +beefburger +beefcake's +beefsteaks +beekeepers +beekeeping +Beerbohm's +beforehand +befriended +befuddling +beginner's +beginnings +begrudging +beguiler's +behavioral +behavior's +behemoth's +behindhand +beholder's +bejeweling +belaboring +Belarusian +beleaguers +Belgrade's +believable +believably +believer's +belittling +belladonna +belletrist +bellwether +bellyached +bellyaches +bellyful's +Belmopan's +belongings +Belshazzar +bemusement +Benacerraf +Benchley's +benchmarks +Benedict's +benefactor +beneficent +benefice's +beneficial +benefiting +Benetton's +benevolent +Benghazi's +Beninese's +Benjamin's +bentwood's +Benzedrine +bequeathed +Berenice's +Bergerac's +beriberi's +Berkeley's +Berkshires +Berliner's +Bermudan's +Bermudians +Bernadette +Bernanke's +Bernardo's +Bernbach's +Bertrand's +beseechers +beseeching +besieger's +besmearing +besmirched +besmirches +bespangled +bespangles +bespatters +bespeaking +Bessemer's +bestiality +bestiaries +bestiary's +bestirring +bestowal's +bestrewing +bestridden +bestriding +bestseller +Betelgeuse +Bethesda's +bethinking +betokening +betrayal's +betrayer's +betrothals +betrothing +betterment +beverage's +Beverley's +bewildered +bewitching +biannually +biathlon's +bickerer's +bicuspid's +bicycler's +bicyclists +biennially +biennial's +biennium's +bifocals's +bifurcated +bifurcates +bigamist's +bighearted +bigmouth's +bilabial's +bilberries +bilinguals +billboards +billfold's +Billings's +billionths +bimetallic +bindweed's +binnacle's +binoculars +binomial's +biochemist +biodegrade +biographer +biographic +biological +biologists +biomedical +bionically +biophysics +bioreactor +biorhythms +biosensors +biospheres +bipartisan +bipolarity +birdbath's +birdbrains +birdhouses +birdlime's +birdseed's +Birdseye's +Birmingham +birthday's +birthmarks +birthplace +birthrates +birthright +birthstone +Biscayne's +bisections +bisector's +bisexually +bisexual's +bishoprics +Bismarck's +Bisquick's +bitchiness +bitterness +BitTorrent +bituminous +bivouacked +biweeklies +biweekly's +Bjerknes's +blabbering +blackamoor +blackballs +Blackbeard +BlackBerry +blackberry +blackbirds +blackboard +blackening +blackguard +blackheads +blacking's +blackjacks +blacklists +blackmails +blackout's +Blackshirt +blacksmith +blacksnake +Blackstone +blackthorn +blacktop's +blancmange +blandished +blandishes +blanketing +Blantyre's +blarneying +blasphemed +blasphemer +blasphemes +blastoff's +blatancies +blatancy's +blathering +bleacher's +bleariness +bleeding's +blemishing +Blenheim's +blessing's +blindfolds +blindingly +blindsided +blindsides +blinkering +blissfully +blistering +blitheness +blithering +blithesome +blitzkrieg +blizzard's +blockaders +blockade's +blockading +blockage's +blockheads +blockhouse +bloodbaths +bloodhound +bloodiness +bloodlines +bloodstain +bloodstock +Bloomfield +Bloomsbury +blossoming +blotchiest +blowhard's +blowpipe's +blubbering +bludgeoned +bludgeon's +bluebell's +bluebird's +bluebonnet +bluebottle +bluefishes +bluefish's +bluegill's +bluejacket +blueness's +bluenose's +bluepoints +blueprints +blunderers +blundering +blurriness +blusterers +blustering +blusterous +boarding's +boardrooms +boardwalks +boastfully +boathouses +boatswains +bobbysoxer +bobolink's +bobsledded +bobsledder +bobsleighs +bobwhite's +bodyguards +bodysuit's +bodywork's +Boeotian's +Boethius's +bogeyman's +Bohemian's +bohemian's +boisterous +boldface's +boldness's +Bolivian's +bollocking +Bolsheviki +Bolsheviks +Bolshevism +Bolshevist +bolstering +bombardier +bombarding +bombshells +bondholder +bondsman's +boneheaded +bonehead's +boneshaker +Bonhoeffer +bonhomie's +Boniface's +boniness's +Bonneville +bookbinder +bookcase's +bookkeeper +bookmakers +bookmaking +bookmarked +bookmark's +bookmobile +bookplates +bookseller +bookshop's +bookstalls +bookstores +bookworm's +boomerangs +boondoggle +bootblacks +bootlegged +bootlegger +bootstraps +Bordeaux's +bordello's +borderland +borderline +borrower's +borrowings +Bosporus's +botanist's +bothersome +Botswana's +Botticelli +bottleneck +bottomless +botulism's +bouffant's +bouillon's +boulevards +bounciness +boundaries +boundary's +Bourbaki's +boutique's +bouzouki's +Bowditch's +bowdlerize +bowsprit's +bowstrings +boycotting +boyfriends +boyishness +bracelet's +bracketing +Bradbury's +Braddock's +Bradford's +Bradshaw's +Bradstreet +braggart's +Brahmanism +braiding's +brainchild +braininess +brainpower +brainstorm +brainwaves +brakeman's +Brampton's +branchlike +Brandeis's +brandished +brandishes +Brasilia's +brasseries +brassieres +brassiness +Bratislava +Brattain's +bratwursts +brawniness +brazenness +Brazilians +breadboard +breadboxes +breadbox's +breadcrumb +breadfruit +breadlines +breakables +breakage's +breakaways +breakdowns +breakfasts +breakfront +breakout's +Breakspear +breakwater +breastbone +breastfeed +breastwork +breathable +breather's +breathiest +breathless +breeding's +breezeways +breeziness +brevetting +breviaries +breviary's +Brewster's +Brezhnev's +brickbat's +bricklayer +brickyards +Bridalveil +bridegroom +bridesmaid +bridgeable +bridgehead +Bridgeport +Bridgetown +Bridgett's +bridgework +Bridgman's +bridleways +briefcases +briefing's +brigadiers +brigandage +brigantine +brightened +brightener +brightness +Brighton's +Brigitte's +brilliance +brilliancy +brilliants +Brinkley's +briquettes +Brisbane's +bristliest +Britannica +britches's +Briticisms +Britishers +Brittanies +Brittany's +Brittney's +broadcasts +broadcloth +broadening +broadsheet +broadsided +broadsides +broadsword +Broadway's +broccoli's +brochettes +brochure's +brokenness +brokerages +bronchitic +bronchitis +bronchus's +brontosaur +broodiness +broodingly +brooding's +broodmares +brooklet's +Brooklyn's +broomstick +brougham's +brouhaha's +browbeaten +brownfield +Brownian's +Browning's +brownout's +Brownshirt +brownstone +Bruckner's +bruising's +Bruneian's +brunette's +brushoff's +Brussels's +brutalized +brutalizes +Brzezinski +buccaneers +Buchanan's +Buchenwald +Buchwald's +buckaroo's +buckboards +bucketfuls +Buckingham +buckshot's +buckskin's +buckyballs +Budapest's +Buddhism's +Buddhist's +budgerigar +buffaloing +buffetings +buffoonery +buffoonish +Bugzilla's +building's +Bukharin's +Bulawayo's +Bulfinch's +Bulganin's +Bulgarians +Bulgaria's +bulkhead's +bulldogged +bulldozers +bulldozing +bulletined +bulletin's +bullfights +bullfrog's +bullheaded +bullhead's +bullhorn's +bullring's +bullshit's +Bullwinkle +Bultmann's +bumblebees +Bundesbank +bungalow's +bunghole's +bunkhouses +buoyancy's +Burberry's +burdensome +bureaucrat +burgeoning +burglaries +burglarize +burglary's +Burgoyne's +Burgundian +Burgundies +burgundies +Burgundy's +burgundy's +burlesqued +burlesques +Burlington +burnable's +burnishers +burnishing +burnoose's +Burnside's +burrower's +bursitis's +Burundians +bushmaster +Bushnell's +bushwhacks +businesses +business's +busybodies +busybody's +busyness's +busywork's +butcheries +butchering +butchery's +butterball +buttercups +butteriest +buttermilk +butternuts +buttonhole +buttonwood +buttressed +buttresses +buttress's +buzzkill's +buzzword's +byproducts +bystanders +Byzantines +caballeros +cabdrivers +Cabernet's +cablecasts +cablegrams +cabochon's +caboodle's +cabriolets +cabstand's +cachepot's +cadaverous +Cadillac's +caduceus's +Caerphilly +cafeterias +cafetieres +caffeine's +caginess's +Caiaphas's +cajolement +cajolery's +cakewalk's +calabashes +calabash's +calabooses +calamari's +calamine's +calamities +calamitous +calamity's +calcareous +calcifying +calcimined +calcimines +calculable +calculated +calculates +calculator +calculus's +Calcutta's +Calderon's +Caldwell's +calendared +calendar's +calender's +calfskin's +calibrated +calibrates +calibrator +California +Caligula's +calipering +caliphates +Callahan's +callback's +Calliope's +calliope's +Callisto's +callousing +callowness +calmness's +Caloocan's +calumniate +calumnious +Calvinisms +Calvinists +Cambodians +Cambodia's +Cambrian's +camcorders +camellia's +Camemberts +camerawork +Cameroon's +camisole's +camouflage +campaigned +campaigner +campaign's +Campanella +campaniles +Campbell's +campfire's +campground +Campinas's +campsite's +camshaft's +Canaanites +Canadian's +canalizing +Canaries's +Canberra's +canceler's +candelabra +candidates +candidness +candlewick +candyfloss +canebrakes +canister's +cannabises +cannabis's +cannelloni +cannibal's +cannonaded +cannonades +cannonball +canoeist's +canonizing +canoodling +cantaloupe +Canterbury +canticle's +cantilever +cantonment +Cantrell's +canvasback +canvassers +canvassing +capability +Capablanca +capacities +capacitors +capacity's +caparisons +capeskin's +Capetian's +Capetown's +Capistrano +capitalism +capitalist +capitalize +capitation +Capitoline +capitulate +cappuccino +capricious +Capricorns +capsicum's +capstone's +capsulized +capsulizes +captaining +captioning +captiously +captivated +captivates +captivator +Capuchin's +caramelize +carapace's +Caravaggio +Carboloy's +carbonated +carbonates +carbonized +carbonizes +carbuncles +carburetor +carcinogen +carcinomas +cardamom's +Cardenas's +cardholder +cardigan's +cardinally +cardinal's +cardiogram +cardiology +cardsharps +careerists +carefuller +caregivers +carelessly +caretakers +Caribbeans +caricature +carillon's +carjackers +carjacking +Carlsbad's +Carmella's +Carmichael +carnations +Carnegie's +carnelians +carnival's +carnivores +Carolina's +Caroline's +Carolinian +carotene's +carousal's +carousel's +carouser's +Carpathian +carpenters +carpetbags +carpooling +Carranza's +carriage's +Carrillo's +carryall's +carryovers +Carthage's +carthorses +cartilages +cartload's +cartooning +cartoonist +cartridges +cartwheels +Cartwright +caryatid's +Casablanca +Casandra's +Casanova's +Cascades's +caseharden +caseload's +casement's +caseworker +casework's +cashback's +cashbook's +cashiering +cashmere's +Cassandras +casseroled +casseroles +cassette's +Cassiopeia +castanet's +castaway's +castigated +castigates +castigator +Castillo's +castrating +castration +Castries's +casualness +casualties +casualty's +cataclysms +catacomb's +catafalque +cataleptic +Catalina's +catalogers +cataloging +catalyst's +catalyzing +catamarans +catapulted +catapult's +cataract's +catatonics +catcalling +catchall's +catchments +catchpenny +catchwords +catechisms +catechists +catechized +catechizes +categories +categorize +category's +caterwauls +cathartics +cathedrals +catheter's +Cathleen's +Catholic's +Catiline's +catnapping +Catskill's +Catullus's +Caucasians +Caucasus's +cauldron's +causerie's +causeway's +causticity +cauterized +cauterizes +cautionary +cautioning +cautiously +cavalcades +cavalierly +cavalier's +cavalryman +cavalrymen +cavitation +ceasefires +celebrants +celebrated +celebrates +celebrator +celerity's +celibacy's +celibate's +cellmate's +cellophane +cellphones +cellular's +cellulitis +cementer's +cementum's +cemeteries +cemetery's +cenobite's +cenotaph's +Cenozoic's +censorious +censorship +censurable +censurer's +centennial +centerfold +Centigrade +centigrade +centigrams +centiliter +centimeter +centipedes +centralism +centralist +centrality +centralize +centrifuge +centrism's +centrist's +centurions +ceramicist +ceramics's +ceramist's +Cerberus's +cerebellar +cerebellum +cerebrated +cerebrates +cerebrum's +cerement's +ceremonial +ceremonies +ceremony's +Cerenkov's +certifying +certitudes +cerulean's +Cesarean's +cesarean's +cessations +cesspool's +cetacean's +Chadwick's +chagrining +chainsawed +chainsaw's +chairlifts +chairman's +chairwoman +chairwomen +chalcedony +Chaldean's +chalkboard +chalkiness +challenged +Challenger +challenger +challenges +Chambers's +chambray's +chameleons +chamomiles +champagnes +championed +champion's +chancellor +chanceries +chancery's +chanciness +chandelier +Chandigarh +Chandler's +chandler's +changeable +changeably +changeless +changeling +changeover +Changsha's +channeling +channelize +chanteuses +chaparrals +chapbook's +chaperoned +chaperon's +chaplaincy +chaplain's +charabancs +characters +Charbray's +charbroils +charcoal's +Chardonnay +chardonnay +chargeable +charioteer +charisma's +charitable +charitably +charladies +charlatans +Charlene's +Charleston +charmingly +charterers +chartering +Chartism's +Chartres's +chartreuse +chasteness +chastening +chastisers +chastising +chastity's +chasuble's +chatelaine +chatroom's +chatterbox +chatterers +chattering +Chatterley +Chatterton +chattiness +chauffeurs +Chauncey's +Chautauqua +chauvinism +chauvinist +cheapening +cheapskate +Chechnya's +checkbooks +checkering +checkers's +checklists +checkmated +checkmates +checkoff's +checkout's +checkpoint +checkrooms +cheekbones +cheekiness +cheerfully +cheeriness +Cheerios's +cheesecake +cheesiness +Chekhovian +chemically +chemical's +chemurgy's +chenille's +cherishing +Cherokee's +Chesapeake +Cheshire's +chessboard +chessman's +Chesterton +chestful's +chestnut's +chevaliers +Cheyenne's +chickadees +Chickasaws +chickening +chickenpox +chickpea's +Chiclets's +chicness's +chiefdom's +chieftains +chiffonier +Chihuahuas +chihuahuas +chilblains +childbirth +childhoods +childishly +childproof +children's +chilliness +chillingly +Chimborazo +chimerical +chimpanzee +chinchilla +chinstraps +chintziest +chipmunk's +chipolatas +Chippewa's +Chiquita's +chirpiness +chirruping +chiseler's +Chisholm's +Chisinau's +chitchat's +Chittagong +chivalrous +chivalry's +chlamydiae +chlamydias +chloride's +chlorinate +chlorine's +chloroform +chocoholic +chocolates +choirboy's +choosiness +chophouses +choppering +choppiness +chopsticks +chordate's +choristers +chortler's +Chretien's +christened +Christians +Christie's +Christlike +Christoper +chromium's +chromosome +chronicled +chronicler +Chronicles +chronicles +chronology +Chrysler's +Chrysostom +Chrystal's +châtelaine +chubbiness +chuckholes +chumminess +chundering +chunkiness +chuntering +churchgoer +churchyard +churlishly +chutzpah's +ciabatta's +cicatrices +cicatrix's +cicerone's +cigarettes +cigarillos +cilantro's +cinchona's +Cincinnati +cincture's +Cinderella +Cinerama's +cinnabar's +cinnamon's +circuiting +circuitous +circuity's +circularly +circular's +circulated +circulates +circumcise +circumflex +circumvent +cirrhotics +citation's +Citibank's +citronella +civilian's +civilities +civility's +civilizing +cladding's +claimant's +clambake's +clamberers +clambering +clamminess +clampdowns +clangorous +clansman's +clanswoman +clanswomen +clapboards +clapping's +claptrap's +Clarence's +clarifying +clarinet's +clarioning +Clarissa's +classicism +classicist +classified +classifier +classifies +classiness +classmates +classrooms +clattering +Claudine's +Claudius's +Clausewitz +Clausius's +clavichord +clavicle's +cleaning's +cleanliest +cleanser's +clearances +clearing's +cleavage's +clematises +clematis's +Clemenceau +clemency's +Clementine +clementine +Clements's +clerestory +clerically +cleverness +clienteles +clientèles +Clifford's +climbing's +clincher's +clinically +clinicians +cliometric +clipboards +clipping's +cliquishly +clitorides +clitorises +clitoris's +cloakrooms +clobbering +clockworks +clodhopper +cloistered +cloister's +closeout's +clothespin +clothier's +clothing's +cloudburst +cloudiness +Clouseau's +cloverleaf +clownishly +clubfooted +clubfoot's +clubhouses +clumsiness +clustering +cluttering +Clydesdale +cnidarians +coachloads +coachman's +coadjutors +coagulants +coagulated +coagulates +coagulator +coalescent +coalescing +coalface's +coalfields +coalitions +coarseness +coarsening +coastguard +coastlines +coattail's +coauthored +coauthor's +cobwebbier +Cochabamba +cockamamie +cockatiels +cockatoo's +cockatrice +cockchafer +cockcrow's +cockerel's +cockfights +cockscombs +cocksucker +cocktail's +codifier's +codpiece's +codswallop +coercion's +coexistent +coexisting +coffeecake +coffeepots +cofferdams +cogitating +cogitation +cogitative +cogitators +cognizable +cognizance +cognomen's +cogwheel's +cohabitant +cohabiting +coherently +cohesion's +cohesively +coiffure's +coiffuring +Coimbatore +coincident +coinciding +colander's +coldness's +coleslaw's +coliseum's +collapse's +collapsing +collarbone +collarless +collateral +collations +collator's +colleagues +collecting +collection +collective +collectors +collegians +collegiate +collieries +colliery's +collisions +collocated +collocates +colloquial +colloquies +colloquium +colloquy's +Colombians +Colombia's +colonially +colonial's +colonist's +colonizers +colonizing +colonnaded +colonnades +colophon's +Coloradans +Coloradoan +Colorado's +colorant's +coloration +coloratura +colorblind +colorfully +coloring's +colorizing +colossally +colossus's +Coltrane's +Columbia's +columbines +Columbus's +columnists +Comanche's +combatants +combiner's +combings's +combusting +combustion +combustive +comeback's +comedian's +comedienne +comedown's +comeliness +comestible +comforters +comforting +comicality +commandant +commandeer +commanders +commanding +commando's +commencing +commending +commentary +commentate +commenting +commerce's +commercial +commingled +commingles +commissars +commissary +commission +commitment +committals +committees +committers +committing +commodious +commodores +commonalty +commoner's +commonness +commonweal +commotions +communally +Communions +communions +communique +Communists +communists +commutable +commutator +commuter's +compactest +compacting +compaction +compactors +companions +comparable +comparably +comparison +compassing +compassion +compatible +compatibly +compatriot +compelling +compendium +compensate +competence +competency +competitor +compiler's +complacent +complained +complainer +complaints +complected +complement +completely +completest +completing +completion +complexion +complexity +compliance +complicate +complicity +compliment +components +comporting +composedly +composer's +composited +composites +compositor +composting +compounded +compound's +comprehend +compressed +compresses +compressor +compress's +comprising +compromise +compulsion +compulsive +compulsory +CompuServe +computer's +concealers +concealing +conceiving +concentric +Concepción +Concepcion +conception +conceptual +concerning +concertina +concerting +concertize +concerto's +concession +Concetta's +concierges +conciliate +conclave's +concluding +conclusion +conclusive +concocting +concoction +concordant +concordats +Concorde's +concourses +concretely +concrete's +concreting +concretion +concubines +concurrent +concurring +concussing +concussion +concussive +condemners +condemning +condensate +condensers +condensing +condescend +condiments +conditions +condolence +conducting +conduction +conductive +conductors +confabbing +confection +conferee's +conference +conferment +conferrers +conferring +confessing +confession +confessors +confetti's +confidante +confidants +confidence +confider's +configured +configures +confirming +confiscate +conflating +conflation +conflicted +conflict's +confluence +conformers +conforming +conformism +conformist +conformity +confounded +confrere's +confronted +confrère's +Confucians +confusedly +confusions +congealing +congenital +congesting +congestion +congestive +congrats's +congregant +congregate +Congresses +congresses +Congress's +congress's +Congreve's +congruence +coniferous +conjecture +conjoiners +conjoining +conjointly +conjugally +conjugated +conjugates +conjunct's +conjurer's +connecting +connection +connective +connectors +conniption +connivance +conniver's +Connolly's +conquering +conquerors +conquest's +conscience +conscripts +consecrate +consensual +consenting +consequent +conserve's +conserving +considered +consignees +consigning +consignors +consistent +consisting +consistory +consolable +consomme's +consommé's +consonance +consonants +consorting +consortium +conspectus +conspiracy +conspiring +constables +constantly +constant's +constipate +constitute +constrains +constraint +constricts +constructs +construing +Consuelo's +consulates +consulship +consultant +consulting +consumable +consumer's +consummate +contacting +contagions +contagious +containers +containing +contemning +contempt's +contenders +contending +contenting +contention +contestant +contesting +contextual +contiguity +contiguous +continence +continents +contingent +continuing +continuity +continuous +contorting +contortion +contouring +contraband +contracted +contractor +contract's +contradict +contraflow +contrail's +contraltos +contrarian +contraries +contrarily +contrary's +contrasted +contrast's +contravene +contribute +contritely +contrition +contrivers +contriving +controlled +controller +controvert +contusions +conundrums +convalesce +convection +convective +convectors +convener's +convenient +convention +convergent +converging +conversant +conversely +converse's +conversing +conversion +converters +converting +conveyable +conveyance +conveyor's +convicting +conviction +convincing +convoluted +convulsing +convulsion +convulsive +cookbook's +cookhouses +cookware's +Coolidge's +coolness's +coonskin's +cooperated +cooperates +cooperator +coordinate +Copacabana +Copeland's +Copenhagen +Copernican +Copernicus +copperhead +Coppertone +copulating +copulation +copulative +copybook's +copycatted +copyrights +copywriter +coquetries +coquetry's +coquette's +coquetting +coquettish +Cordelia's +cordiality +cordillera +cordovan's +corduroy's +Corinthian +Coriolanus +Coriolis's +corkscrews +Corleone's +cormorants +cornball's +corncrakes +Cornelia's +cornfields +cornflakes +cornflower +cornmeal's +cornrowing +cornstalks +cornstarch +cornucopia +Cornwallis +Cornwall's +Coronado's +coronaries +coronary's +coronation +corporal's +corpsman's +corpulence +corpuscles +corralling +correctest +correcting +correction +corrective +correlated +correlates +correspond +corridor's +corrosives +corrugated +corrugates +corruptest +corrupting +corruption +Corsican's +Cortland's +corundum's +coruscated +coruscates +Corvette's +corvette's +cosigner's +cosmetic's +cosmically +cosmonauts +cosponsors +cossetting +costarring +Costello's +costliness +costumer's +costumiers +cotangents +cotillions +Cotopaxi's +Cotswold's +cottager's +cottonseed +cottontail +cottonwood +cotyledons +couchettes +councilman +councilmen +councilors +counseling +counselors +countdowns +counteract +countering +counterman +countermen +counterspy +countesses +countess's +countryman +countrymen +countywide +Couperin's +coupling's +courageous +courgettes +couriering +coursebook +coursework +courtesans +courtesies +courtesy's +courthouse +courtier's +courtliest +Courtney's +courtrooms +courtships +courtyards +couscous's +Cousteau's +couturiers +covenanted +covenant's +Coventries +Coventry's +coverage's +coverall's +covering's +coverlet's +covertness +covetously +cowcatcher +coworker's +cowpuncher +coxswain's +cozenage's +coziness's +crabbiness +crackdowns +crackheads +cracklings +crackpot's +craftiness +cragginess +cramping's +crankcases +crankiness +crankshaft +cravenness +Crawford's +crawlspace +crayfishes +crayfish's +creakiness +creameries +creamery's +creaminess +Creation's +creation's +creatively +creative's +creativity +creature's +credence's +credential +credenza's +creditable +creditably +creditor's +creepiness +cremains's +cremations +crematoria +crenelated +crenelates +creosote's +creosoting +crescendos +crescent's +Cressida's +Cretaceous +cretaceous +cretonne's +crevasse's +crewelwork +cribbage's +Crichton's +cricketers +cricketing +criminally +criminal's +crimsoning +crinkliest +crinolines +crippler's +crispbread +crispiness +crisscross +Cristina's +critically +criticisms +criticized +criticizer +criticizes +critique's +critiquing +Croatian's +crocheters +crocheting +crockery's +Crockett's +crocodiles +croissants +Cromwell's +Cronkite's +cronyism's +crookedest +crooknecks +cropland's +croquettes +crossbar's +crossbeams +crossbones +crossbow's +crossbreed +crosscheck +crosscut's +crossfires +crosshatch +crossing's +crossovers +crosspatch +crosspiece +crossroads +crosswalks +crosswinds +crosswords +crotchet's +croupier's +crowdfunds +crowfoot's +crucible's +crucifixes +crucifix's +cruciforms +crucifying +crudites's +crudités's +Cruikshank +crumbliest +crumminess +crunchiest +crusader's +Crusades's +crushingly +crustacean +crustiness +cryogenics +cryptogram +Cryptozoic +cubbyholes +cuckolding +cucumber's +cudgelings +Culbertson +culminated +culminates +cultivable +cultivar's +cultivated +cultivates +cultivator +culturally +Cumberland +cumbersome +cummerbund +Cummings's +cumulative +cunningest +Cunningham +cupboard's +cupidity's +curability +curative's +curatorial +curbstones +Curitiba's +curlicue's +curlicuing +curmudgeon +currencies +currency's +curricular +curriculum +currycombs +curtailing +curtaining +curtness's +curvaceous +curvatures +cushioning +cuspidor's +cussedness +custodians +customer's +customized +customizes +cuteness's +cutthroats +cuttlefish +cyberbully +cybercafes +cybercafés +cybernetic +cyberpunks +cyberspace +Cyclades's +cyclamen's +cyclically +cyclometer +cyclopedia +Cyclopes's +cyclotrons +cylinder's +cymbalists +cynicism's +cynosure's +Cyrillic's +cytologist +cytology's +cytosine's +dachshunds +dactylic's +Daedalus's +daffodil's +daftness's +Daguerre's +daintiness +daiquiri's +dairying's +dairymaids +dairyman's +dairywoman +dairywomen +dalliances +Dalmatians +dalmatians +Dalmatia's +damageable +Damascus's +Damocles's +dampener's +dampness's +dandelions +dandifying +dandruff's +Danielle's +dankness's +danseuse's +Danubian's +daredevils +d'Arezzo's +Darjeeling +darkener's +darkness's +darkroom's +dartboards +Dartmoor's +Darwinisms +dashboards +database's +Datamation +dateline's +datelining +daughterly +daughter's +dauntingly +davenports +Davidson's +daybreak's +daydreamed +daydreamer +daydream's +daylight's +dazzlingly +débutantes +deactivate +deadbeat's +deadbolt's +deadheaded +Deadhead's +deadline's +deadliness +deadlocked +deadlock's +deadpanned +deadwood's +deafness's +dealership +deanship's +dearness's +deathbed's +deathblows +deathtraps +deathwatch +debasement +debating's +debauchees +debauchery +debauching +debentures +debilitate +debilities +debility's +debonairly +debouching +Debouillet +debriefing +debutantes +decadently +decadent's +decampment +decanter's +decapitate +decathlete +decathlons +deceased's +decedent's +deceiver's +decelerate +December's +decennials +deceptions +deciliters +decimating +decimation +decimeters +deciphered +decision's +decisively +deckchairs +deckhand's +declaimers +declaiming +declarable +declarer's +declassify +declension +decliner's +decolonize +decomposed +decomposes +decompress +decontrols +decorating +decoration +decorative +decorators +decorously +decoupaged +decoupages +decoupling +decrease's +decreasing +decrements +decryption +Dedekind's +dedicating +dedication +dedicators +dedicatory +deductible +deductions +deepness's +deerskin's +deescalate +defacement +defalcated +defalcates +defamation +defamatory +defaulters +defaulting +defeater's +defeatists +defecating +defecation +defections +defectives +defector's +defendants +defender's +defensible +defensibly +deferments +deferral's +defiance's +deficiency +defilement +definitely +definition +definitive +deflecting +deflection +deflective +deflectors +deflowered +defogger's +defoliants +defoliated +defoliates +defoliator +deforested +defrauders +defrauding +defrayal's +defrocking +defrosters +defrosting +deftness's +degeneracy +degenerate +degradable +dehumanize +dehumidify +dehydrated +dehydrates +dehydrator +dejectedly +Delacruz's +Delawarean +Delaware's +delectable +delectably +delegate's +delegating +delegation +deletion's +deleverage +deliberate +delicacies +delicacy's +delicately +delightful +delighting +delimiters +delimiting +delineated +delineates +delinquent +deliquesce +delirium's +deliverers +deliveries +delivering +delivery's +Delmarva's +delphinium +delusional +delusion's +delusively +demagogues +demagogy's +demarcated +demarcates +Demavend's +demeanor's +dementedly +dementia's +demijohn's +demitasses +demobilize +Democratic +democratic +Democrat's +democrat's +Democritus +demodulate +demography +demolished +demolishes +demolition +demonetize +demoniacal +demonizing +demonology +demoralize +demotion's +demotivate +demulcents +demureness +demurral's +demurrer's +denaturing +dendrite's +Denebola's +denigrated +denigrates +denominate +denotation +denotative +denouement +denouncing +dentifrice +denudation +deodorants +deodorized +deodorizer +deodorizes +departed's +department +departures +dependable +dependably +dependence +dependency +dependents +depictions +depilatory +deplorable +deplorably +deployment +depolarize +deponent's +depopulate +deportee's +deportment +depositing +deposition +depositors +depository +deprecated +deprecates +depreciate +depressant +depressing +depression +depressive +depressors +deprograms +deputation +deputizing +derailleur +derailment +deregulate +derelict's +derision's +derisively +derivation +derivative +dermatitis +derogating +derogation +derogatory +derriere's +derringers +derrière's +desalinate +desalinize +descanting +descendant +descending +describers +describing +descriptor +desecrated +desecrates +deselected +deserter's +desertions +deservedly +desiccants +desiccated +desiccates +desiccator +desiderata +designated +designates +designer's +deskilling +desolately +desolating +desolation +despairing +despicable +despicably +despoilers +despoiling +despondent +destroyers +destroying +destructed +destruct's +detachable +detachment +detainee's +detainment +detectable +detectives +detector's +detentions +detergents +determined +determiner +determines +deterrence +deterrents +detestable +detestably +dethroning +detonating +detonation +detonators +detoxified +detoxifies +detracting +detraction +detractors +detriments +detritus's +Devanagari +devastated +devastates +devastator +developers +developing +deviance's +deviancy's +deviations +devilishly +deviltries +deviltry's +devitalize +devolution +Devonian's +devotional +devotion's +devoutness +dewberries +dewberry's +dewiness's +dextrose's +Dhaulagiri +diabetes's +diabetic's +diabolical +diacritics +diagnosing +diagnostic +diagonally +diagonal's +diagrammed +dialectics +dialogue's +dialysis's +diameter's +diapason's +diaphanous +diaphragms +diarrhea's +Diaspora's +diaspora's +diastase's +diastole's +diatribe's +DiCaprio's +Dickensian +dickybirds +Dictaphone +dictations +dictator's +dictionary +didgeridoo +dielectric +dieresis's +dietitians +Dietrich's +difference +difficulty +diffidence +diffracted +digerati's +digestible +digestions +digestives +diggings's +digitizing +dignifying +digressing +digression +digressive +Dijkstra's +dilatation +dilation's +dilettante +diligently +dillydally +dilution's +DiMaggio's +dimensions +diminished +diminishes +diminuendo +diminution +diminutive +dinnertime +dinnerware +dinosaur's +diocesan's +Diocletian +Diogenes's +Dionysus's +diphtheria +diphthongs +diplomatic +diplomat's +dipsomania +dipstick's +directions +directives +directness +director's +dirigibles +disability +disabusing +disaffects +disallowed +disappears +disappoint +disapprove +disarrange +disarrayed +disarray's +disaster's +disastrous +disavowals +disavowing +disbanding +disbarment +disbarring +disbelieve +disbursing +discarding +discerning +discharged +discharges +disciple's +discipline +disclaimed +disclaimer +disclosing +disclosure +discolored +discomfits +discomfort +discommode +discompose +disconcert +disconnect +discontent +discordant +discording +discounted +discounter +discount's +discourage +discoursed +discourses +discovered +discoverer +discredits +discreeter +discreetly +discrepant +discretely +discretion +discursive +discussant +discussing +discussion +disdainful +disdaining +disembarks +disembowel +disenchant +disengaged +disengages +disesteems +disfavored +disfavor's +disfigured +disfigures +disgorging +disgrace's +disgracing +disgruntle +disguise's +disguising +disgusting +dishabille +disharmony +dishcloths +dishearten +disheveled +dishonesty +dishonored +dishonor's +dishtowels +dishware's +dishwasher +disincline +disinfects +disinherit +disjointed +diskette's +dislocated +dislocates +dislodging +disloyally +disloyalty +dismantled +dismantles +dismembers +dismissals +dismissing +dismissive +dismounted +dismount's +Disneyland +disobeying +disobliged +disobliges +disordered +disorderly +disorder's +disorients +disparaged +disparages +dispassion +dispatched +dispatcher +dispatches +dispatch's +dispelling +dispensary +dispensers +dispensing +dispersing +dispersion +dispirited +displacing +displaying +displeased +displeases +disporting +disposable +disposal's +disposer's +dispossess +dispraised +dispraises +disproof's +disproving +disputable +disputably +disputants +disputer's +disqualify +disquieted +disquiet's +Disraeli's +disregards +disrespect +disrupting +disruption +disruptive +dissatisfy +dissecting +dissection +dissectors +dissembled +dissembler +dissembles +dissension +dissenters +dissenting +disservice +dissevered +dissidence +dissidents +dissimilar +dissipated +dissipates +dissociate +dissoluble +dissolving +dissonance +dissuading +dissuasion +dissuasive +distance's +distancing +distaste's +distending +distension +distention +distillate +distillers +distillery +distilling +distincter +distinctly +distorting +distortion +distracted +distraught +distressed +distresses +distress's +distribute +district's +distrusted +distrust's +disturbers +disturbing +disunion's +disuniting +disunity's +disyllabic +ditherer's +diuretic's +divergence +diversions +divestment +dividend's +divination +divinities +divinity's +divisional +division's +divisively +divorcee's +divorcée's +Dixielands +djellaba's +Djibouti's +Dniester's +Doberman's +doberman's +docility's +dockworker +dockyard's +doctorates +Doctorow's +doctrine's +docudramas +documented +document's +dogcatcher +dogfight's +doggedness +doggerel's +doghouse's +doglegging +dogmatists +dogsbodies +dogtrotted +doldrums's +dollhouses +dolomite's +dolorously +Domesday's +domestic's +domicile's +domiciling +dominantly +dominant's +dominating +domination +dominatrix +domineered +Dominicans +Dominica's +Dominick's +dominion's +Domitian's +donation's +donnybrook +doodlebugs +doohickeys +doomsayers +doomsday's +Doonesbury +doorbell's +doorkeeper +doorknob's +doorplates +doorstep's +doorstop's +dooryard's +dopiness's +dormancy's +dormouse's +Dorothea's +Dortmund's +dosimeters +dosshouses +Dostoevsky +doubloon's +doubtfully +doubtingly +doughnut's +doughtiest +Douglass's +dourness's +dovecote's +dovetailed +dovetail's +downbeat's +downdrafts +downfallen +downfall's +downgraded +downgrades +downhill's +downloaded +download's +downmarket +downplayed +downpour's +downshifts +downside's +downsizing +downspouts +downstairs +downstream +downswings +downtime's +downtown's +downtrends +downturn's +doxologies +doxology's +drabness's +draftiness +drafting's +dragooning +dérailleur +drainage's +drainboard +drainpipes +Dramamines +dramatists +dramatized +dramatizes +Drambuie's +drawback's +drawbridge +drawstring +dreadfully +dreadlocks +dreamboats +dreaminess +dreamworld +dreariness +dressage's +dressiness +dressing's +dressmaker +dribbler's +dripping's +driveler's +driveshaft +driveway's +drolleries +drollery's +droopiness +dropkick's +drowning's +drowsiness +drubbing's +drudgery's +druggist's +drugstores +druidism's +drumbeat's +drumsticks +drunkard's +druthers's +Dschubba's +Düsseldorf +duckbill's +duckboards +duckling's +duckpins's +duckweed's +Duisburg's +dulcimer's +dullness's +dumbbell's +dumbfounds +Dumbledore +dumbness's +dumbstruck +dumbwaiter +dumpling's +Dumpster's +dumpster's +dunderhead +dungaree's +dunghill's +duodecimal +duodenum's +duplicated +duplicates +duplicator +durability +Duracell's +duration's +Durkheim's +Durocher's +Dushanbe's +Dusseldorf +Dustbuster +dustsheets +Dutchman's +Dutchmen's +Dutchwoman +Duvalier's +dwarfism's +dwelling's +dyestuff's +dynamics's +dynamism's +dynamiters +dynamite's +dynamiting +dyslectics +dyslexia's +dyslexic's +dyspeptics +dysprosium +earmarking +Earnestine +earnings's +earphone's +earthbound +earthiness +earthliest +earthlings +earthquake +earthwards +earthworks +earthworms +easement's +easiness's +easterlies +easterly's +easterners +Eastwood's +eavesdrops +ebullience +ebullition +eccentrics +echinoderm +eclectic's +ecliptic's +ECMAScript +ecological +ecologists +economical +economists +economized +economizer +economizes +ecosystems +ecotourism +ecotourist +Ecuadorans +Ecuadorean +Ecuadorian +ecumenical +edginess's +edibleness +editorials +editorship +Edmonton's +educations +educator's +eeriness's +effacement +effectuate +effeminacy +effeminate +effervesce +effeteness +efficacy's +efficiency +effluent's +effortless +effrontery +effulgence +effusion's +effusively +eggbeaters +eggplant's +eggshell's +eglantines +egocentric +egoistical +egomaniacs +egomania's +Egyptian's +Egyptology +Eichmann's +eiderdowns +eigenvalue +eighteen's +eighteenth +eightieths +Einstein's +Eisenhower +Eisenstein +eisteddfod +ejaculated +ejaculates +ejection's +elaborated +elaborates +elasticity +elasticize +elderberry +election's +elective's +electorate +electrical +electrodes +electronic +electron's +elegance's +elementary +elephant's +elevations +elevator's +eleventh's +eliminated +eliminates +eliminator +ellipsis's +ellipsoids +elliptical +elongating +elongation +elopements +eloquently +Elsinore's +elucidated +elucidates +emaciating +emaciation +emanations +emancipate +emasculate +embalmer's +embankment +embargoing +embezzlers +embezzling +embittered +emblazoned +emblematic +embodiment +emboldened +embolism's +embosser's +embouchure +embowering +embrasures +embroiders +embroidery +embroiling +embryology +emendation +emigrant's +emigrating +emigration +eminence's +emissaries +emissary's +emission's +Emmanuel's +emollients +emoluments +emoticon's +empathetic +empathized +empathizes +emphasis's +emphasized +emphasizes +empiricism +empiricist +employable +employee's +employer's +employment +emporium's +empowering +empyrean's +emulations +emulator's +emulsified +emulsifier +emulsifies +emulsion's +enactments +enameler's +enamelings +enamelware +encampment +encasement +enchaining +enchanters +enchanting +enchiladas +enciphered +encircling +enclosures +encomium's +encounters +encouraged +encourages +encroached +encroaches +encrusting +encrypting +encryption +encumbered +encyclical +encystment +endangered +endearment +endeavored +endeavor's +endocrines +endogenous +endorphins +endorser's +endoscopes +endoscopic +endowments +endpoint's +Endymion's +energizers +energizing +enervating +enervation +enfeebling +enfilade's +enfilading +enforcer's +engagement +engagingly +engendered +engineered +engineer's +Englishman +Englishmen +engraver's +engravings +engrossing +engulfment +Eniwetok's +enjambment +enjoyments +enlarger's +enlightens +enlistee's +enlistment +enlivening +enmeshment +enormities +enormity's +enormously +enraptured +enraptures +enrichment +enrollment +ensconcing +ensemble's +enshrining +enshrouded +ensilage's +entailment +entangling +Enterprise +enterprise +entertains +enthralled +enthroning +enthusiasm +enthusiast +enticement +enticingly +entirety's +entombment +entomology +entourages +entrails's +entrance's +entrancing +entrapment +entrapping +entreaties +entreating +entreaty's +entrenched +entrenches +entrusting +entryphone +entryway's +enumerable +enumerated +enumerates +enumerator +enunciated +enunciates +enuresis's +envelopers +envelope's +enveloping +envenoming +environs's +envisaging +envisioned +eosinophil +ephemera's +Ephesian's +epicenters +epicureans +Epicurus's +epidemic's +epiglottis +epigraph's +epilepsy's +epileptics +epilogue's +Epimethius +Epiphanies +epiphanies +Epiphany's +epiphany's +episcopacy +episcopate +epistolary +epithelial +epithelium +epitomized +epitomizes +equability +equality's +equalizers +equalizing +equanimity +equation's +equatorial +equestrian +equipage's +equitation +equivalent +equivocate +Equuleus's +eradicable +eradicated +eradicates +eradicator +erection's +ergonomics +ergosterol +Erickson's +Eridanus's +Eritrean's +Erlenmeyer +erotically +eructation +eruption's +erysipelas +escalating +escalation +escalators +escalloped +escallop's +escapade's +escapement +escapism's +escapist's +escapology +escargot's +escarole's +escarpment +escritoire +escutcheon +esophageal +espadrille +espaliered +espalier's +especially +Espinoza's +esplanades +espousal's +espresso's +essayist's +essentials +estimate's +estimating +estimation +estimators +Estonian's +estranging +estrogen's +eternities +eternity's +Ethelred's +ethereally +Ethernet's +Ethiopians +Ethiopia's +ethnically +ethologist +ethology's +ethylene's +etiologies +etiology's +Etruscan's +eucalyptus +Eucharists +eugenicist +eugenics's +eukaryotes +eulogistic +eulogist's +eulogizers +eulogizing +euphemisms +euphonious +euphoria's +Eurasian's +Eurodollar +European's +europium's +Eurydice's +Eustachian +euthanasia +euthanized +euthanizes +evacuating +evacuation +evaluating +evaluation +evaluative +evaluators +evanescent +Evangelina +Evangeline +evangelism +Evangelist +evangelist +evangelize +Evansville +evaporated +evaporates +evaporator +evenhanded +evenness's +evensong's +eventfully +eventide's +eventually +eventuated +eventuates +Everette's +Everglades +everglades +evergreens +everyone's +everyplace +everything +everywhere +eviction's +evidence's +evidencing +evildoer's +evilness's +eviscerate +evocations +exacerbate +exactingly +exaction's +exactitude +exaggerate +exaltation +examiner's +exasperate +excavating +excavation +excavators +Excedrin's +excellence +Excellency +excellency +exceptions +excerpting +exchange's +exchanging +exchequers +excision's +excitation +excitement +excitingly +exclaiming +exclusions +exclusives +excoriated +excoriates +excrescent +excretions +exculpated +exculpates +excursions +execrating +execration +executable +executions +executives +executor's +exegesis's +exegetical +exemplar's +exemptions +exercisers +exercise's +exercising +exertion's +exfoliated +exfoliates +exhalation +exhausting +exhaustion +exhaustive +exhibiting +exhibition +exhibitors +exhilarate +exhumation +exigence's +exigencies +exigency's +exiguity's +existences +exobiology +exonerated +exonerates +exoplanets +exorbitant +exorcising +exorcism's +exorcist's +exospheres +exothermic +exotically +expandable +expansible +expansions +expatiated +expatiates +expatriate +expectancy +expedience +expediency +expedients +expediters +expediting +expedition +expendable +experience +experiment +expertness +expiration +explaining +expletives +explicable +explicated +explicates +explicitly +exploiters +exploiting +explorer's +explosions +explosives +exponent's +exportable +exporter's +exposition +expositors +expository +exposure's +expounders +expounding +expressing +expression +expressive +expressway +expulsions +expurgated +expurgates +extendable +extender's +extensible +extensions +extenuated +extenuates +exterior's +externally +external's +extincting +extinction +extinguish +extirpated +extirpates +extracting +extraction +extractive +extractors +extradited +extradites +extralegal +extramural +extraneous +extremists +extricable +extricated +extricates +extroverts +extrusions +exuberance +exultantly +exultation +exurbanite +eyeballing +eyedropper +eyeglasses +eyeglass's +eyeliner's +eyeopeners +eyeopening +eyepiece's +eyesight's +eyetooth's +eyewitness +fabricated +fabricates +fabricator +fabulously +Facebook's +facecloths +facepalmed +facilitate +facilities +facility's +facsimiled +facsimiles +factitious +factorials +factorized +factorizes +factotum's +Fahrenheit +fairground +fairness's +fairylands +Faisalabad +faithfully +faithful's +falconer's +falconry's +Falkland's +fallacious +falsehoods +falsetto's +falsifiers +falsifying +Falstaff's +falterings +familiarly +familiar's +fanaticism +fancifully +fandango's +fanlight's +fantasia's +fantasists +fantasized +fantasizes +fantasying +faradizing +farcically +farewell's +farmhand's +farmhouses +farmland's +farmsteads +farmyard's +Farragut's +farsighted +farthing's +fascicle's +fascinated +fascinates +fashioners +fashioning +Fassbinder +fastback's +fastball's +fastener's +fastenings +fastidious +fastnesses +fastness's +fatalism's +fatalistic +fatalist's +fatalities +fatality's +fatherhood +fatherland +fatherless +fathomable +fathomless +fatigues's +Faulkner's +faultiness +Fauntleroy +Faustian's +Faustino's +favorite's +favoritism +fearlessly +featherier +feathering +Februaries +February's +fecklessly +fecundated +fecundates +federalism +Federalist +federalist +federalize +federating +federation +Federico's +feebleness +feedback's +feldspar's +felicitate +felicities +felicitous +Felicity's +felicity's +fellatio's +fellowship +femaleness +femininely +feminine's +femininity +feminism's +feminist's +feminizing +Ferguson's +fermenting +Fernando's +ferocity's +ferryboats +ferryman's +fertilized +fertilizer +fertilizes +fervency's +festival's +festooning +fetchingly +fetishists +fettuccine +feverishly +fiberboard +fiberglass +fibrillate +fibrosis's +fickleness +fictitious +fidelity's +Fielding's +fiendishly +fierceness +fifteenths +fiftieth's +fighting's +Figueroa's +figuration +figurative +figurehead +figurine's +filament's +filibuster +filigree's +Filipino's +Fillmore's +filmmakers +filmstrips +filterable +filterer's +filthiness +filtrate's +filtrating +filtration +finagler's +finalist's +finality's +finalizing +financiers +findings's +fineness's +fingerings +fingerling +fingermark +fingernail +fingertips +finickiest +finisher's +Finnegan's +fireball's +firebombed +firebomb's +firebrands +firebreaks +firebricks +firedamp's +firefights +fireguards +firehouses +fireplaces +fireplug's +fireproofs +firescreen +fireside's +firestorms +firetrap's +firetrucks +firewall's +firewood's +firework's +firmaments +firmness's +firmware's +firstborns +fishbowl's +fishcake's +fishhook's +fishmonger +fishpond's +fishtailed +fishwife's +fistfights +fisticuffs +fitfulness +Fitzgerald +fixation's +fixative's +flabbiness +flaccidity +flagellant +flagellate +flagpole's +flagrantly +flagship's +flagstaffs +flagstones +flamboyant +flamenco's +flameproof +flamingo's +flammables +Flanagan's +Flanders's +flanneling +flapjack's +flashbacks +flashbulbs +flashcards +flashcubes +flashgun's +flashiness +flashing's +flashlight +flatboat's +flatfishes +flatfish's +flatfooted +flatfoot's +flatiron's +flatland's +flatness's +flattening +flatterers +flattering +flattery's +flatulence +flatware's +flatworm's +Flaubert's +flavorings +flavorless +flavorsome +flawlessly +fledglings +fleeciness +fleetingly +fleshliest +fleshpot's +Fletcher's +flextime's +flickering +flightiest +flightless +flimflam's +flimsiness +flintlocks +flippantly +flirtation +flocking's +flogging's +floodgates +floodlight +floodplain +floodwater +floorboard +flooring's +flophouses +floppiness +Florence's +Florentine +florescent +Floridan's +Floridians +floridness +flotations +flotilla's +floundered +flounder's +flourished +flourishes +flourish's +flowcharts +flowerbeds +floweriest +flowerings +flowerless +flowerpots +fluctuated +fluctuates +fluffiness +fluidity's +flummoxing +fluoresced +fluoresces +fluoridate +fluoride's +fluorine's +fluorite's +flustering +fluttering +flycatcher +flypaper's +flyspecked +flyspeck's +flyswatter +flyweights +flywheel's +folklore's +folklorist +folksiness +folksinger +folktale's +follicle's +follower's +followings +fondness's +fontanel's +foodstuffs +foolscap's +Foosball's +footballer +football's +footbridge +footfall's +foothill's +foothold's +footlights +footling's +footlocker +footnote's +footnoting +footpath's +footplates +footprints +footrace's +footrest's +footstep's +footstools +footwear's +footwork's +forbearing +forbidding +forcefully +forearming +forebear's +foreboding +forecaster +forecastle +forecast's +foreclosed +forecloses +forecourts +foredoomed +forefather +forefinger +forefoot's +forefronts +foreground +forehand's +forehead's +foreigners +forelimb's +forelock's +foremast's +forename's +forenoon's +forensic's +foreordain +forepart's +foreperson +foreplay's +forerunner +foresail's +foreseeing +foreseer's +foreshadow +foreshores +foreskin's +forestalls +Forester's +forester's +forestland +forestry's +foretasted +foretastes +forewarned +foreword's +forfeiting +forfeiture +forgathers +forgetting +forgivable +forgiver's +forklift's +formalists +formalized +formalizes +formations +formatting +formidable +formidably +formlessly +Formosan's +formulated +formulates +formulator +fornicated +fornicates +fornicator +forsythias +forthright +fortieth's +fortifiers +fortifying +fortissimo +fortnights +fortresses +fortress's +fortuitous +fortuity's +forwarders +forwardest +forwarding +fossilized +fossilizes +Foucault's +foulness's +foundation +foundering +foundlings +fountain's +Fourneyron +fourposter +foursome's +foursquare +fourteen's +fourteenth +foxglove's +foxhound's +foxhunting +foxiness's +foxtrotted +fractional +fraction's +fracture's +fracturing +fragmented +fragment's +fragrances +fragrantly +frameworks +franchised +franchisee +franchiser +franchises +Francine's +Franciscan +francium's +Francois's +Franklin's +fraternity +fraternize +fratricide +fraudsters +fraudulent +freakishly +Frederic's +Fredrick's +freebase's +freebasing +freebooter +freedman's +freeholder +freehold's +freelanced +freelancer +freelances +freeloaded +freeloader +Freemasons +freestones +freestyles +Freetown's +freeware's +freewheels +freezing's +freighters +freighting +frenziedly +frequented +frequenter +frequently +fresheners +freshening +freshman's +freshwater +fretwork's +Freudian's +fricasseed +fricassees +fricatives +frictional +friction's +friedcakes +Friedman's +friendless +friendlier +friendlies +friendly's +friendship +frightened +Frigidaire +frigidness +fripperies +frippery's +friskiness +frittering +frolickers +frolicking +frolicsome +frontage's +frontbench +frontier's +frontwards +frostbites +frostiness +frosting's +frothiness +froufrou's +frowziness +fructified +fructifies +fructose's +fruitcakes +fruiterers +fruitfully +fruitiness +fruition's +frustrated +frustrates +fugitive's +Fujiwara's +Fujiyama's +Fukuyama's +fulfilling +fullback's +fullness's +fulminated +fulminates +fumblingly +fumigant's +fumigating +fumigation +fumigators +Funafuti's +functional +functioned +function's +fundraiser +funereally +fungible's +fungicidal +fungicides +funiculars +funnyman's +furbelow's +furbishing +furloughed +furlough's +furnishing +furthering +fuselage's +fusibility +fusilier's +fusillades +fussbudget +futility's +futurism's +futuristic +futurist's +futurities +futurity's +futurology +Fuzzbuster +gabardines +gaberdines +Gabonese's +Gaborone's +Gabriela's +gadabout's +gadgetry's +gadolinium +gainsayers +gainsaying +Galilean's +Gallegos's +galleria's +Gallicisms +gallivants +Galloway's +gallstones +Galsworthy +galumphing +galvanized +galvanizes +gambling's +gamecock's +gamekeeper +gameness's +gamester's +gaminess's +Gandhian's +gangland's +ganglionic +ganglion's +gangplanks +gangrene's +gangrening +gangrenous +gangster's +Ganymede's +garbageman +garbanzo's +gardener's +gardenia's +Garfield's +gargantuan +gargoyle's +garishness +garlanding +garnisheed +garnishees +garnishing +garrisoned +Garrison's +garrison's +garroter's +gasholders +gaslight's +gasoline's +gasometers +gastronome +gastronomy +gastropods +gasworks's +gatehouses +gatekeeper +gatepost's +gatherer's +gatherings +Gatorade's +gaucheness +gauntlet's +Gaussian's +gazetteers +gazillions +gazpacho's +gearshifts +gearwheels +gelatinous +Gelbvieh's +gemologist +gemology's +gemstone's +gendarme's +generalist +generality +generalize +generating +generation +generative +generators +generosity +generously +geneticist +genetics's +geniculate +genitals's +genitive's +genocide's +gentlefolk +gentleness +gentrified +gentrifies +genuflects +geocaching +geocentric +geodesic's +Geoffrey's +geographer +geographic +geological +geologists +geometries +geometry's +geophysics +Georgetown +Georgian's +Georgina's +geothermal +geothermic +geranium's +geriatrics +Germanic's +germicidal +germicides +germinal's +germinated +germinates +Geronimo's +Gershwin's +Gertrude's +gesundheit +Gethsemane +Gettysburg +ghastliest +ghettoized +ghettoizes +Ghibelline +ghostliest +ghostwrite +ghostwrote +ghoulishly +Giacometti +Giannini's +giantesses +giantess's +Gibraltars +gigabyte's +gigapixels +gigawatt's +Gilberto's +Gillette's +Gilligan's +gimcrack's +gingersnap +gingivitis +Gingrich's +Ginsberg's +Ginsburg's +Giovanni's +girlfriend +girlhood's +Giuliani's +Giuseppe's +giveaway's +giveback's +glaciating +glaciation +gladdening +gladiators +gladiola's +gladness's +Gladstones +glamorized +glamorizes +glamouring +glasnost's +glassful's +glasshouse +glassiness +Glaswegian +glaucoma's +glibness's +glimmering +glistening +glistering +glitterati +glittering +gloaming's +gloatingly +globalists +globalized +globalizes +globulin's +gloominess +glorifying +gloriously +glossaries +glossary's +glossiness +Gloucester +glowworm's +glumness's +gluttonous +gluttony's +glycerin's +glycerol's +glycogen's +Gnosticism +goalkeeper +goalmouths +goalpost's +goalscorer +goaltender +goatherd's +goatskin's +gobsmacked +gobstopper +godchild's +godfathers +godmothers +godparents +Godspeed's +Godthaab's +Godzilla's +Goebbels's +Goethals's +Golconda's +Goldberg's +goldbricks +goldfields +goldfishes +goldfish's +Goldilocks +goldmine's +goldsmiths +Golgotha's +Gomorrah's +gondoliers +gonorrheal +Gonzales's +Gonzalez's +goodness's +Goodrich's +Goodwill's +goodwill's +Goodyear's +goofball's +gooseberry +goosebumps +goosesteps +Gordimer's +gorgeously +Gorgonzola +goriness's +gormandize +gossamer's +gossiper's +Goteborg's +gourmand's +governable +governance +government +governor's +Gracchus's +gracefully +Graciela's +graciously +gradations +gradient's +gradualism +graduate's +graduating +graduation +Graffias's +graffito's +graininess +grammarian +gramophone +grandaunts +grandchild +granddaddy +granddad's +grandeur's +grandniece +grandson's +grandstand +granduncle +granulated +granulates +grapefruit +grapevines +graphite's +graphology +grasslands +grassroots +gratefully +gratifying +gratuities +gratuitous +gratuity's +gravamen's +gravesides +gravestone +graveyards +gravimeter +gravitated +gravitates +graybeards +grayness's +greasiness +greatcoats +greediness +greenbacks +greenbelts +greenery's +greenfield +greenflies +greengages +greenhorns +greenhouse +Greenpeace +greenrooms +Greensboro +greensward +greeting's +gregarious +Gregorio's +Grenadians +grenadiers +Grenadines +Grenoble's +Gretchen's +greyhounds +gridiron's +gridlocked +gridlock's +grievances +grievously +Griffith's +grimness's +grindstone +grisliness +gristmills +grittiness +grizzliest +grogginess +grooming's +grosbeak's +grotesques +grouchiest +grounder's +groundhogs +groundings +groundless +groundnuts +groundsman +groundsmen +groundwork +grouping's +groveler's +grovelling +grubbiness +grudgingly +gruelingly +gruesomely +gruesomest +grumbler's +grumblings +grumpiness +Göteborg's +Guadeloupe +Guallatiri +Guantanamo +guaranteed +guarantees +guarantied +guaranties +guarantors +guaranty's +guardhouse +guardian's +guardrails +guardrooms +Guatemalan +Guernsey's +Guerrero's +guerrillas +guestbooks +guesthouse +guestrooms +Guggenheim +guidance's +guidebooks +guidelines +guideposts +guildhalls +guillemots +guillotine +guiltiness +Guinness's +guitarists +Gujarati's +Gujranwala +Gulliver's +gumption's +gumshoeing +gunfighter +gunfight's +gunmetal's +gunnysacks +gunpoint's +gunrunners +gunrunning +gunslinger +gunsmith's +Gustavus's +guttural's +Guyanese's +Gwendoline +gymkhana's +gymnasiums +gymnastics +gymnosperm +gynecology +gyration's +gyrfalcons +gyroscopes +gyroscopic +Habakkuk's +habiliment +habitation +habitually +habituated +habituates +hacienda's +hackneying +hacktivist +hackwork's +hailstones +hailstorms +Haiphong's +hairball's +hairdryers +hairline's +hairpieces +hairsprays +hairspring +hairstyles +halfback's +halftime's +halftone's +hallelujah +hallmarked +Hallmark's +hallmark's +Halloweens +halterneck +hamburgers +Hamilcar's +Hamilton's +hammerer's +hammerhead +hammerings +hammerlock +hammertoes +hamstrings +handball's +handbarrow +handbill's +handbook's +handbrakes +handcart's +handclasps +handcrafts +handcuffed +handcuff's +handedness +handheld's +handhold's +handicap's +handicraft +handlebars +handmaiden +handmaid's +handpicked +handrail's +handshakes +handsomely +handsomest +handspring +handstands +handwork's +handyman's +hangnail's +hangover's +Hangzhou's +hankerings +Hannibal's +Hanoverian +Hanukkah's +happenings +Hapsburg's +harangue's +haranguing +harasser's +harassment +harbingers +hardback's +hardball's +hardcovers +hardener's +hardheaded +hardliners +hardness's +hardship's +hardstands +hardtack's +hardware's +hardwood's +harebell's +harelipped +Hargreaves +harlequins +harlotry's +harmlessly +harmonicas +harmonic's +harmonious +harmoniums +harmonized +harmonizer +harmonizes +harnessing +harpooners +harpooning +harridan's +Harriett's +Harrington +Harrisburg +Harrison's +harrumphed +Hartford's +Hartline's +harvesters +harvesting +Hastings's +hatchbacks +hatcheck's +hatcheries +hatchery's +hatching's +hatchway's +hatemonger +Hatfield's +Hathaway's +Hatteras's +haughtiest +hauntingly +haversacks +Havoline's +Hawaiian's +hawthorn's +haystack's +Hayworth's +hazelnut's +haziness's +headache's +headband's +headbanger +headboards +headbutted +headcheese +headcounts +headgear's +headhunted +headhunter +headlamp's +headland's +headlights +headliners +headline's +headlining +headlock's +headmaster +headphones +headpieces +headrest's +headroom's +headship's +headsman's +headstalls +headstands +headstones +headstrong +headwaiter +headwaters +headwind's +headword's +healthcare +healthiest +hearkening +heartaches +heartbeats +heartbreak +heartening +hearthrugs +heartiness +heartlands +heartthrob +heathendom +heathenish +heathenism +heatstroke +heavenlier +heavenward +Hebraism's +Hebrides's +heckling's +hectically +hectograms +hectometer +hedgehog's +hedgerow's +hedonism's +hedonistic +hedonist's +heedlessly +Hegelian's +hegemony's +Heidelberg +heightened +Heimlich's +Heineken's +Heinlein's +Heinrich's +heirloom's +Heisenberg +helicopter +Heliopolis +heliotrope +heliport's +Hellenic's +Hellenisms +Hellespont +hellhole's +helmsman's +helplessly +helpline's +helpmate's +Helsinki's +hematite's +hematology +hemisphere +hemoglobin +hemophilia +hemorrhage +hemorrhoid +hemostat's +henceforth +henchman's +Hendrick's +Hennessy's +henpecking +hepatocyte +Hephaestus +heptagonal +heptagon's +heptathlon +Heracles's +Heraclitus +Herakles's +heraldry's +herbaceous +herbalists +herbicidal +herbicides +herbivores +Hercules's +herdsman's +hereabouts +hereafters +hereditary +heredity's +Hereford's +heretofore +heritage's +hermetical +Herminia's +hermitages +Hermosillo +herniating +herniation +heroically +Herschel's +hesitantly +hesitating +hesitation +Hesperus's +heterodoxy +heuristics +hexagram's +hexameters +Hezekiah's +Hiawatha's +hibernated +hibernates +hibernator +Hibernia's +hibiscuses +hibiscus's +hiccoughed +hideaway's +hierarchic +hieroglyph +Hieronymus +highball's +highbrow's +highchairs +highhanded +Highlander +highlander +highland's +highlights +Highness's +highness's +highroad's +hightailed +highwayman +highwaymen +hijacker's +hijackings +hilarity's +Hildebrand +Hilfiger's +hillside's +Himalaya's +Hinayana's +Hindenburg +hindrances +Hinduism's +Hindustani +hinterland +hiphuggers +Hipparchus +hippodrome +hireling's +Hirobumi's +Hirohito's +Hispanic's +Hispaniola +histamines +histograms +historians +historical +histrionic +hitchhiked +hitchhiker +hitchhikes +hoarding's +hoarseness +hobbyhorse +hobbyist's +hobgoblins +hobnailing +hobnobbing +hockshop's +hodgepodge +Hofstadter +hogshead's +Hogwarts's +Hokkaido's +holdover's +holidaying +holiness's +Hollanders +Holloway's +hollowness +hollyhocks +holocausts +Holocene's +hologram's +holographs +holography +Holstein's +holstering +homebodies +homebody's +homecoming +homeland's +homeless's +homeliness +homemakers +homemaking +homeopaths +homeopathy +homeowners +homepage's +homeroom's +homespun's +homesteads +hometown's +homeworker +homework's +homicide's +homoerotic +homogenize +homographs +homologous +homophobia +homophobic +homophones +homosexual +Honduran's +Honduras's +Honecker's +honeybee's +honeycombs +honeydew's +honeymoons +Honolulu's +honorarily +honorarium +honorifics +hoodwinked +hookworm's +hooligan's +hoosegow's +hootenanny +hopelessly +Hopewell's +horehounds +horizontal +hornblende +Hornblower +hornpipe's +horologist +horology's +horoscopes +Horowitz's +horrendous +horrifying +horseboxes +horseflesh +horseflies +horsefly's +horselaugh +horseman's +horsepower +horseshoed +horseshoes +horsetails +horsewhips +horsewoman +horsewomen +hospitable +hospitably +hospital's +hosteler's +hostelries +hostelry's +hostessing +hotblooded +hotelier's +hotfooting +hothouse's +hotplate's +Hotpoint's +Hottentots +houseboats +housebound +houseboy's +housebreak +housebroke +houseclean +housecoats +houseflies +housefly's +houseful's +households +housemaids +houseman's +housemates +houseplant +houseproud +housetop's +housewares +housewives +hovercraft +howitzer's +Hrothgar's +huarache's +huckstered +huckster's +hugeness's +Huguenot's +hullabaloo +humaneness +humanism's +humanistic +humanist's +humanities +humanity's +humanizers +humanizing +humanoid's +Humberto's +humbleness +Humboldt's +humbugging +humdingers +humidified +humidifier +humidifies +humidity's +humiliated +humiliates +humility's +humoresque +humorist's +humorously +humpbacked +humpback's +Humphrey's +hunchbacks +hundredths +Hungarians +hungriness +Hunspell's +Huntington +huntresses +huntress's +huntsman's +Huntsville +hurdling's +hurricanes +husbanding +husbandman +husbandmen +hustings's +Hutchinson +hyacinth's +hybridized +hybridizes +hydrangeas +hydraulics +hydrofoils +hydrogen's +hydrolyses +hydrolysis +hydrolyzed +hydrolyzes +hydrometer +hydrometry +hydrophone +hydroplane +hydroponic +hydroxides +hygienists +hygrometer +hymnbook's +hyperbolas +hyperbolic +Hyperion's +hyperlinks +hypermedia +hyperspace +hyphenated +hyphenates +hypnosis's +hypnotic's +hypnotists +hypnotized +hypnotizes +hypocrites +hypodermic +hypotenuse +hypotheses +hypothesis +hysteresis +hysteria's +hysterical +hysteric's +icebreaker +Icelanders +iconoclasm +iconoclast +idealism's +idealistic +idealist's +idealizing +idempotent +identified +identifier +identifies +identikits +identities +identity's +ideogram's +ideographs +ideologies +ideologist +ideologues +ideology's +idiopathic +idleness's +idolater's +idolatress +idolatrous +idolatry's +iffiness's +Ignatius's +ignition's +ignominies +ignominy's +ignorantly +Ijsselmeer +Ikhnaton's +illegality +Illinoisan +Illinois's +illiteracy +illiterate +illuminate +Illuminati +illumining +illusion's +illustrate +Ilyushin's +imaginable +imaginably +imaginings +imbalanced +imbalances +imbecile's +imbecility +imbroglios +imitations +imitator's +immaculate +immanently +immaterial +immaturely +immaturity +immemorial +immersible +immersions +immigrants +immigrated +immigrates +imminently +immobility +immobilize +immoderate +immodestly +immolating +immolation +immorality +immortally +immortal's +immunity's +immunizing +immunology +impairment +impalement +impalpable +impalpably +impaneling +impassable +impassably +impassible +impassibly +impatience +impeachers +impeaching +impeccable +impeccably +impediment +impeller's +impenitent +imperative +imperfects +imperially +imperial's +imperiling +impersonal +impervious +impetigo's +impishness +implacable +implacably +implanting +implements +implicated +implicates +implicitly +implosions +impolitely +importable +importance +importer's +importuned +importunes +imposingly +imposition +impossible +impossibly +impostor's +impostures +impotently +impounding +impoverish +imprecated +imprecates +impregnate +impresario +impressing +impression +impressive +imprimatur +imprinters +imprinting +imprisoned +improbable +improbably +impromptus +improperly +improvable +improvised +improviser +improvises +imprudence +impudently +impugner's +impunity's +impurities +impurity's +imputation +inaccuracy +inaccurate +inaction's +inactivate +inactively +inactivity +inadequacy +inadequate +inamoratas +inarguable +inartistic +inaugurals +inaugurate +inbreeding +incapacity +incarnated +incarnates +incautious +incendiary +incentives +inceptions +incestuous +inchworm's +incidences +incidental +incident's +incinerate +incipience +incision's +incisively +incitement +incivility +inclemency +inclusions +incognitos +incoherent +incommoded +incommodes +incomplete +inconstant +increase's +increasing +incredible +incredibly +increments +incubating +incubation +incubators +inculcated +inculcates +inculpable +inculpated +inculpates +incumbency +incumbents +incunabula +incurables +incursions +indecently +indecision +indecisive +indecorous +indefinite +indelicacy +indelicate +indentured +indentures +indexation +Indianan's +indicating +indication +indicative +indicators +indictable +indictment +indigenous +indigently +indigent's +indirectly +indiscreet +indisposed +indistinct +individual +indolently +Indonesian +inducement +inductance +inductee's +inductions +indulgence +industrial +industries +industry's +indwelling +inebriated +inebriates +ineducable +inefficacy +inelegance +ineligible +ineligibly +ineptitude +inequality +inequities +inequity's +inevitable +inevitably +inexorable +inexorably +inexpertly +inexpiable +infallible +infallibly +infamously +infantries +infantry's +infarction +infatuated +infatuates +infeasible +infections +infectious +infelicity +inferences +inferior's +infernally +infidelity +infielders +infighters +infighting +infiltrate +infinitely +infinite's +infinities +infinitive +infinitude +infinity's +inflatable +inflecting +inflection +inflexible +inflexibly +inflicting +infliction +inflictive +influenced +influences +informally +informants +informer's +infraction +infrared's +infrasonic +infrequent +infringing +infuriated +infuriates +infusion's +inglenooks +inglorious +ingraining +ingratiate +ingredient +inhabitant +inhabiting +inhalant's +inhalation +inhalators +inherently +inheriting +inheritors +inhibiting +inhibition +inhibitors +inhibitory +inhumanely +inhumanity +inimically +inimitable +inimitably +iniquities +iniquitous +iniquity's +initialing +initialism +initialize +initiate's +initiating +initiation +initiative +initiators +initiatory +injections +injector's +injunction +injustices +inkiness's +inkstand's +innateness +innersoles +innervated +innervates +innkeepers +innocently +Innocent's +innocent's +innovating +innovation +innovative +innovators +innovatory +innuendo's +innumeracy +innumerate +inoculated +inoculates +inoperable +inordinate +inpatients +inquietude +inquirer's +inquisitor +insanitary +insanity's +insatiable +insatiably +inscribers +inscribing +insecurely +insecurity +inseminate +insensible +insensibly +insentient +insertions +insightful +insignia's +insinuated +insinuates +insinuator +insipidity +insistence +insobriety +insolently +insolvable +insolvency +insolvents +insomniacs +insomnia's +insouciant +inspecting +inspection +inspectors +inspirited +installers +installing +Instamatic +instance's +instancing +instigated +instigates +instigator +instilling +instinct's +instituted +instituter +institutes +instructed +instructor +instrument +insularity +insulating +insulation +insulators +insurances +insurgence +insurgency +insurgents +intaglio's +intangible +intangibly +integrally +integral's +integrated +integrates +integrator +integument +intellects +Intelsat's +intended's +intensives +intentions +intentness +interacted +interbreed +interceded +intercedes +intercepts +intercom's +interdicts +interested +interest's +interfaced +interfaces +interfaith +interfered +interferes +interferon +interfiled +interfiles +interior's +interjects +interlaced +interlaces +interlards +interleave +interlined +interlines +interlinks +interlocks +interloped +interloper +interlopes +interluded +interludes +intermarry +interments +intermezzi +intermezzo +intermixed +intermixes +internally +internee's +Internet's +internists +internment +internship +Interpol's +interposed +interposes +interprets +interrupts +intersects +interstate +interstice +intertwine +interurban +interval's +intervened +intervenes +interviews +interweave +interwoven +intestinal +intestines +intimacies +intimacy's +intimately +intimate's +intimating +intimation +intimidate +intolerant +intonation +intoxicant +intoxicate +intramural +intranet's +intrastate +intrepidly +intriguers +intrigue's +intriguing +introduced +introduces +introspect +introverts +intruder's +intrusions +intuitions +inundating +inundation +invalidate +invaliding +invalidism +invalidity +invaluable +invaluably +invariable +invariably +invasion's +inveighing +inveiglers +inveigling +inventions +inventor's +inversions +inverter's +investment +investor's +inveteracy +inveterate +invigilate +invigorate +invincible +invincibly +inviolable +inviolably +invitation +invitingly +invocation +involution +ionization +ionosphere +iridescent +Irishman's +Irishmen's +Irishwoman +Irishwomen +ironclad's +ironically +ironmonger +ironware's +ironwood's +ironwork's +Iroquoians +Iroquois's +irradiated +irradiates +irrational +irregulars +irrelevant +irreligion +irresolute +irreverent +irrigating +irrigation +irritant's +irritating +irritation +irruptions +Isabella's +Isabelle's +Iscariot's +Islamism's +Islamist's +islander's +isometrics +isomorphic +isotherm's +Issachar's +issuance's +Istanbul's +Italianate +italicized +italicizes +iterations +itinerants +Izvestia's +jabberer's +jacarandas +jackbooted +jackboot's +jackhammer +jackknifed +jackknifes +jackknives +jackrabbit +Jacksonian +jackstraws +Jacobean's +Jacobite's +Jacobson's +Jacquard's +jacquard's +Jacqueline +jaggedness +Jahangir's +jailbird's +jailbreaks +jailhouses +jalapeno's +jalapeño's +jalousie's +Jamaican's +jamboree's +janitorial +Japanese's +jardiniere +jardinière +jaundice's +jaundicing +jauntiness +Javanese's +JavaScript +jawbreaker +Jaxartes's +Jayapura's +jaywalkers +jaywalking +jealousies +jealousy's +Jeanette's +Jeannine's +Jefferey's +jellybeans +jellyrolls +Jennifer's +Jennings's +jeopardize +jeopardy's +Jephthah's +jeremiad's +Jeremiah's +Jermaine's +Jeroboam's +jerrybuilt +jetliner's +jettisoned +jettison's +Jewishness +jihadist's +jimsonweed +jingoism's +jingoistic +jingoist's +jinrikisha +jitterbugs +jitteriest +jobholders +jobsworths +jockstraps +jocoseness +jocosity's +jocularity +jodhpurs's +Jogjakarta +Johannes's +johnnycake +Johnston's +Jonathan's +Jonathon's +Jordanians +Josefina's +Josephus's +journalese +journalism +journalist +journeyers +journeying +journeyman +journeymen +jousting's +joyfullest +joyfulness +joyousness +joyrider's +joystick's +jubilantly +jubilation +judgmental +judgment's +judicatory +judicature +judicially +Juggernaut +juggernaut +jugglery's +Julianne's +Juliette's +Julliard's +jumpsuit's +junction's +juncture's +Jungfrau's +junketeers +junkyard's +Jurassic's +justifying +justness's +juvenile's +juxtaposed +juxtaposes +Kafkaesque +Kalahari's +Kalevala's +Kalgoorlie +Kamehameha +kamikaze's +Kandahar's +kangaroo's +Karenina's +Kasparov's +Katheryn's +Kathleen's +Kathrine's +Katowice's +Kawabata's +Kawasaki's +kayaking's +Kazakhstan +keelhauled +keenness's +keepsake's +Keewatin's +Kemerovo's +Kendrick's +Kentuckian +Kentucky's +Kenyatta's +kerchief's +Kerensky's +kerfuffles +kerosene's +kettledrum +keybinding +keyboarded +keyboarder +keyboard's +keynoter's +keypunched +keypuncher +keypunches +keypunch's +keystone's +keystrokes +Khabarovsk +Khartoum's +Khoikhoi's +Khomeini's +Khrushchev +kibitzer's +Kickapoo's +kickback's +kickball's +kickboxing +kickstands +kidnappers +kidnapping +kielbasa's +killdeer's +kilobyte's +kilocycles +kilogram's +kiloliters +kilometers +kilowatt's +Kimberly's +kindliness +kindling's +kindnesses +kindness's +kinematics +kinetics's +kinfolks's +kingfisher +kingmakers +kingship's +Kingston's +kinsfolk's +Kinshasa's +Kirchner's +Kirghistan +Kiribati's +Kirkland's +Kishinev's +kissograms +Kitakyushu +kiwifruits +Klansman's +Klondike's +klutziness +knackering +knapsack's +kneecapped +Kngwarreye +knickers's +knickknack +knighthood +knitting's +knitwear's +knockabout +knockdowns +knockoff's +knockout's +knockwurst +knothole's +Kodachrome +Koestler's +Kohinoor's +kohlrabies +kohlrabi's +Kommunizma +kookaburra +Kornberg's +Krakatoa's +Kristina's +Kristine's +Kristopher +Krugerrand +Kulthumm's +Kuomintang +Kurosawa's +Kuznetsk's +kvetcher's +Kwakiutl's +Kyrgyzstan +laboratory +Labrador's +laburnum's +labyrinths +lacerating +laceration +lacewing's +lacework's +Lachesis's +lachrymose +lackluster +lacquering +lacrosse's +ladybird's +ladyfinger +ladylove's +Ladyship's +ladyship's +laetrile's +lagniappes +Lagrange's +Lagrangian +lakefronts +Lakeisha's +lamaseries +lamasery's +lambasting +lambency's +lambskin's +lamebrains +lameness's +lamentable +lamentably +laminate's +laminating +lamination +lampooning +lamppost's +lampshades +Lancashire +Lancelot's +landfall's +landfill's +landholder +landladies +landlady's +landless's +landline's +landlocked +landlord's +landlubber +landmark's +landmasses +landmass's +landowners +landowning +landscaped +landscaper +landscapes +landslides +landsman's +Langerhans +Langland's +Langmuir's +language's +languished +languishes +languorous +lankness's +laparotomy +lapboard's +lapidaries +lapidary's +larboard's +larcenists +larkspur's +Larousse's +laryngitis +lascivious +latchkey's +latecomers +lateness's +lateraling +latitude's +laudanum's +laughingly +laughing's +laughter's +launcher's +launchpads +launderers +laundering +Laundromat +laundromat +laundryman +laundrymen +Laurasia's +laureate's +Laurence's +lavalieres +lavatorial +lavatories +lavatory's +lavender's +lavishness +lawbreaker +lawfulness +lawgiver's +lawmaker's +lawnmowers +Lawrence's +lawrencium +laxative's +layering's +laypersons +laywoman's +laziness's +leaderless +leadership +leafleting +leafstalks +leanness's +leapfrog's +learning's +leasebacks +leaseholds +leavings's +Lebanese's +Lebesgue's +lecithin's +lecturer's +leftover's +legalese's +legalism's +legalistic +legalities +legality's +legalizing +legation's +Legendre's +legibility +legislated +legislates +legislator +legitimacy +legitimate +legitimize +leguminous +legwarmers +Leicesters +leitmotifs +leitmotivs +Lemaitre's +lemonade's +lemongrass +lengthened +lengthiest +lengthwise +lenience's +leniency's +Leninism's +Leninist's +Leonardo's +Leonidas's +leopardess +Leopoldo's +leprechaun +lesbianism +Lestrade's +lethargy's +letterbomb +letterer's +letterhead +leukemia's +leukemic's +leukocytes +leverage's +leveraging +Levesque's +leviathans +levitating +levitation +lewdness's +Lewinsky's +libation's +Liberace's +liberalism +liberality +liberalize +liberating +liberation +liberators +Liberian's +libertines +libidinous +librarians +librettist +libretto's +Libreville +licensee's +licentiate +licentious +licorice's +lieutenant +lifeboat's +lifebuoy's +lifeguards +lifelessly +lifeline's +lifesavers +lifesaving +lifestyles +lifetime's +lifework's +ligament's +ligation's +ligature's +ligaturing +lighteners +lightening +lightfaced +lighthouse +lighting's +lightnings +lightproof +lightships +likability +likelihood +likeliness +likenesses +likeness's +Lilliput's +Lilongwe's +Limbaugh's +limberness +limerick's +limitation +limousines +Limousin's +limpidness +limpness's +linchpin's +lineaments +linebacker +linesman's +lingerer's +lingerie's +lingerings +linguine's +linguistic +linguist's +liniment's +Linnaeus's +linoleum's +Linotype's +Lipizzaner +Lippmann's +lipreading +Lipscomb's +lipsticked +lipstick's +liquefying +liquidated +liquidates +liquidator +liquidized +liquidizer +liquidizes +listenable +listener's +listlessly +literacy's +literately +literate's +literati's +literature +lithograph +Lithuanian +litigant's +litigating +litigation +litigators +litterbugs +litterer's +littleness +littoral's +liturgical +liturgists +livability +livelihood +liveliness +liverworts +liverwurst +Livingston +loanword's +loathing's +lobbyist's +lobotomies +lobotomize +lobotomy's +localities +locality's +localizing +location's +locavore's +Lockheed's +locksmiths +lockstep's +Lockwood's +locomotion +locomotive +locoweed's +locution's +lodestar's +lodestones +lodgings's +loganberry +logarithms +loggerhead +logicality +logician's +logistical +logotype's +logrolling +loincloths +loiterer's +lollipop's +Lombardi's +Lombardy's +Londoner's +loneliness +lonesomely +longboat's +Longfellow +longhair's +longhand's +longhorn's +longhouses +longitudes +Longstreet +longueur's +lookalikes +loophole's +lopsidedly +loquacious +lordliness +Lordship's +lordship's +lorgnettes +Lorraine's +Lothario's +loudhailer +loudmouths +loudness's +Louisianan +Louisville +lovebird's +Lovelace's +loveliness +lovemaking +lowlanders +loyalism's +loyalist's +lubricants +lubricated +lubricates +lubricator +lubricious +Lubumbashi +lucidity's +Lucretia's +lucubrated +lucubrates +Ludhiana's +lugubrious +lukewarmly +lumberer's +lumberjack +lumberyard +luminaries +luminary's +luminosity +luminously +lumpectomy +lunchboxes +luncheon's +lunchrooms +lunchtimes +lungfishes +lungfish's +lunkhead's +Lupercalia +lusciously +lushness's +lusterless +lustrously +lutanist's +lutenist's +lutetium's +Lutheran's +Luxembourg +luxuriance +luxuriated +luxuriates +Lycurgus's +lymphatics +lymphocyte +lymphoma's +lynching's +Lynnette's +lyrebird's +lyricism's +lyricist's +Lysistrata +macadamias +macadamize +macaroni's +macaroon's +Macaulay's +MacBride's +Macedonian +macerating +maceration +machinable +machinated +machinates +machinists +machismo's +mackerel's +Mackinac's +Mackinaw's +mackinaw's +mackintosh +MacLeish's +macrocosms +Madagascan +Madagascar +Madeline's +madhouse's +madrasah's +madrassa's +madrigal's +madwoman's +maelstroms +magazine's +Magellanic +Magellan's +magician's +magistracy +magistrate +magnesia's +magnetized +magnetizes +Magnificat +magnifiers +magnifying +magnitudes +magnolia's +Magritte's +maharajahs +maharani's +maharishis +Mahavira's +Mahayana's +Mahayanist +mahoganies +mahogany's +Maidenform +maidenhair +maidenhead +maidenhood +mailbombed +Maimonides +mainframes +mainland's +mainline's +mainlining +mainmast's +mainsail's +mainspring +mainstay's +mainstream +maintained +maintainer +maisonette +Maitreya's +majolica's +majordomos +majorettes +majorities +majority's +Makarios's +makeover's +makeshifts +makeweight +Malagasy's +malamute's +Malaprop's +malarkey's +Malawian's +Malaysians +Malaysia's +malcontent +Maldives's +Maldivians +malefactor +maleficent +maleness's +malevolent +malignancy +malingered +malingerer +Malinowski +Mallarme's +Mallarmé's +malodorous +Malplaquet +Malthusian +maltreated +Mameluke's +mammalians +mammograms +manageable +management +manageress +managerial +Manasseh's +Manchester +Manchurian +Mancunians +Mandalay's +mandamuses +mandamus's +Mandarin's +mandarin's +Mandelbrot +mandible's +mandibular +Mandingo's +mandolin's +mandrake's +Mandrell's +mandrill's +maneuvered +maneuver's +mangetouts +mangrove's +manhandled +manhandles +Manhattans +maniacally +manicure's +manicuring +manicurist +manifested +manifestly +manifestos +manifest's +manifolded +manifold's +manipulate +Manitoba's +Manitoulin +mannequins +mannerisms +Mannheim's +manometers +manpower's +manservant +Mantegna's +mantilla's +mantissa's +manumitted +manuscript +mapmaker's +marabout's +maraschino +marathoner +Marathon's +marathon's +marauder's +marbleized +marbleizes +marbling's +Marcella's +Marciano's +Margaret's +margaritas +marginalia +marginally +Marguerite +mariachi's +Marianas's +Marianne's +Maricela's +Marietta's +marigold's +marinade's +marinading +marinara's +marinating +marination +marionette +Maritain's +marjoram's +Marjorie's +markdown's +marketable +marketeers +marketer's +marksman's +Marlboro's +marmoset's +Maronite's +marquesses +marquess's +marquise's +Marquita's +marriage's +Marriott's +Marseilles +marshaling +Marshall's +marshlands +marsupials +martensite +martinet's +Martinez's +martingale +Martinique +Maryanne's +Marylander +Maryland's +marzipan's +Mascagni's +mascaraing +masculines +Maserati's +masochists +Masonite's +masquerade +massacre's +massacring +Massenet's +masseuse's +mastectomy +MasterCard +mastermind +masterwork +masthead's +masticated +masticates +mastodon's +masturbate +matchbooks +matchboxes +matchbox's +matchlocks +matchmaker +matchstick +materially +material's +materiel's +maternally +matriarchs +matriarchy +matricidal +matricides +matériel's +Matterhorn +Matthews's +Matthias's +mattresses +mattress's +maturating +maturation +maturities +maturity's +maundering +Maupassant +Mauricio's +Mauritania +Mauritians +mausoleums +maverick's +Maximilian +maximizing +mayflowers +mayonnaise +mayoresses +mayoress's +Mazatlan's +McCarthy's +McCullough +McDaniel's +McDonald's +McDowell's +McFadden's +McGovern's +McGuffey's +McIntosh's +McIntyre's +McKenzie's +McKinley's +McKinney's +McKnight's +McLaughlin +McMillan's +McNamara's +McNaughton +meadowlark +meagerness +mealtime's +mealybug's +meandering +meaningful +meanness's +meantime's +measurable +measurably +meatball's +meathead's +meatloaf's +meatloaves +mechanical +mechanic's +mechanisms +mechanized +mechanizes +medalist's +medallions +meddlesome +Medellin's +mediator's +Medicaid's +medicaid's +medicament +Medicare's +medicare's +medicating +medication +medicine's +mediocrity +meditating +meditation +meditative +meekness's +meerschaum +megabyte's +megachurch +megacycles +megadeaths +megalithic +megalith's +megaphoned +megaphones +megapixels +megawatt's +melamine's +melancholy +Melanesian +melanoma's +Melchior's +Melendez's +meliorated +meliorates +mellowness +melodramas +meltdown's +Melville's +membership +membrane's +membranous +memorandum +memorial's +memorizing +menacingly +menageries +Menander's +mendacious +mendicancy +mendicants +Menelaus's +menfolks's +menhaden's +meningitis +meniscus's +Menkalinan +Mennonites +menopausal +menstruate +mensurable +menswear's +mentalists +mentioning +mercantile +Mercator's +Mercedes's +mercerized +mercerizes +merchant's +mercifully +Meredith's +mergansers +meridian's +meringue's +merrymaker +mesmerized +mesmerizer +mesmerizes +Mesolithic +mesomorphs +mesosphere +Mesozoic's +mesquite's +messengers +Messiaen's +messmate's +metabolism +metabolite +metabolize +metacarpal +metacarpus +metallurgy +metaphoric +metaphor's +metastases +metastasis +metastatic +metatarsal +metatarsus +metatheses +metathesis +meteorites +meteoroids +methanol's +methodical +Methodisms +Methodists +Methuselah +meticulous +metrically +metricated +metricates +metricized +metricizes +metronomes +metropolis +Metternich +mettlesome +Mexicali's +mezzanines +Micawber's +Michaelmas +Michelin's +Michelle's +Michelob's +Michigan's +microchips +microcosms +microdot's +microfiber +microfiche +microfilms +microlight +microloans +micrometer +Micronesia +microphone +microscope +microscopy +microwaved +microwaves +middlebrow +middlemost +Mideastern +midfielder +midnight's +midpoint's +midsection +midshipman +midshipmen +Midwestern +mightiness +mignonette +migraine's +migrations +Milagros's +mildness's +milepost's +milestones +militantly +militant's +militarily +militarism +militarist +militarize +military's +militating +militiaman +militiamen +milkmaid's +milkshakes +milkweed's +millennial +millennium +milliard's +millibar's +milligrams +Millikan's +milliliter +millimeter +milliner's +millionths +millipedes +millpond's +millrace's +millstones +millstream +millwright +milometers +Miltonic's +mimeograph +mimicker's +Minamoto's +Mindanao's +mindedness +mindlessly +minefields +mineralogy +minestrone +miniatures +minibike's +minimalism +minimalist +minimizing +miniseries +miniskirts +ministered +minister's +ministrant +ministries +ministry's +Minnelli's +Minnesotan +minorities +minority's +Minotaur's +minstrel's +minstrelsy +minuscules +minuteness +Mirabeau's +miraculous +mirthfully +misaddress +misaligned +misapplied +misapplies +misbehaved +misbehaves +miscalling +miscarried +miscarries +miscasting +miscellany +mischances +mischief's +misconduct +miscounted +miscount's +miscreants +misdealing +misdirects +misdoing's +misfeature +misfitting +misfortune +misgivings +misgoverns +misguiding +mishandled +mishandles +mishearing +mishitting +mishmashes +mishmash's +misinforms +misjudging +mislabeled +misleading +mismanaged +mismanages +mismatched +mismatches +mismatch's +misnomer's +misogamist +misogamy's +misogynist +misogynous +misogyny's +misplacing +misplaying +misprinted +misprint's +misprision +misquote's +misquoting +misreading +misreports +misshaping +missionary +missioners +Missourian +Missouri's +misspelled +misstating +mistakable +mistakenly +Mistassini +mistreated +mistresses +mistress's +mistrial's +mistrusted +mistrust's +Mitchell's +mitigating +mitigation +Mitsubishi +Mitterrand +mizzenmast +mnemonic's +mobility's +mobilizers +mobilizing +moccasin's +modalities +modeling's +moderately +moderate's +moderating +moderation +moderators +modernists +modernized +modernizer +modernizes +modernness +modifiable +modifier's +Modigliani +modishness +modulating +modulation +modulators +Mohammad's +Mohammedan +Moiseyev's +moisteners +moistening +moisture's +moisturize +molasses's +Moldavia's +moldboards +molecule's +molehill's +moleskin's +molester's +mollifying +Moluccas's +molybdenum +momentum's +monarchies +monarchism +monarchist +monarchy's +monastical +monastic's +Mondrian's +Monegasque +monetarily +monetarism +monetarist +monetizing +moneybag's +moneyboxes +moneymaker +Mongolians +Mongolia's +Mongolic's +mongoloids +mongoose's +monition's +monitoring +monkshoods +Monmouth's +monochrome +monoclonal +monodist's +monogamist +monogamous +monogamy's +monogram's +monographs +monolithic +monolith's +monologist +monologues +monomaniac +monophonic +monoplanes +monopolies +monopolist +monopolize +monopoly's +monorail's +monotheism +monotheist +monotone's +monotonous +monotony's +monoxide's +Monrovia's +Monsanto's +Monsieur's +monsieur's +Monsignors +monsignors +monstrance +Montague's +Montanan's +Montcalm's +Montenegro +Montessori +Monteverdi +Montevideo +Montgomery +Monticello +Montpelier +Montrachet +Montreal's +Montserrat +monumental +monument's +moonbeam's +moonlights +moonscapes +moonshiner +moonshines +moonshot's +moonstones +moonstruck +moonwalk's +moorland's +moralistic +moralist's +moralities +morality's +moralizers +moralizing +moratorium +Moravian's +morbidness +mordancy's +Moriarty's +Mormonisms +Moroccan's +moroseness +morpheme's +Morpheus's +morphine's +morphing's +morphology +Morrison's +mortgagees +mortgage's +mortgaging +mortgagors +morticians +mortifying +Mortimer's +mortuaries +mortuary's +mosquitoes +mosquito's +mossback's +mothballed +mothball's +motherhood +motherland +motherless +motility's +motionless +motivating +motivation +motivators +motiveless +motorbiked +motorbikes +motorboats +motorcades +motorcar's +motorcycle +motorist's +motorizing +motorman's +motormouth +Motorola's +motorway's +mountain's +mountebank +mounting's +mournfully +mourning's +mousetraps +mouthful's +mouthiness +mouthpiece +movement's +moviegoers +Mozambican +Mozambique +mozzarella +mucilage's +muckrakers +muckraking +mudguard's +mudslide's +mudslinger +Muenster's +muenster's +Muhammadan +Muhammad's +mujaheddin +mulberries +mulberry's +muleteer's +mulishness +Mulligan's +mulligan's +Mullikan's +Mulroney's +multigrain +multilevel +multimedia +multiparty +multiple's +multiplied +multiplier +multiplies +multistage +multistory +multitasks +multitudes +multiverse +mummifying +munchies's +munchkin's +municipals +munificent +munitioned +munition's +muralist's +Murasaki's +murderer's +Murmansk's +murmurer's +murmurings +muscatel's +muscularly +mushroomed +mushroom's +musicale's +musicality +musicianly +musician's +musicology +musketeers +musketry's +muskmelons +Muskogee's +Mussorgsky +mustache's +mustachios +mutability +mutational +mutation's +muteness's +mutilating +mutilation +mutilators +mutineer's +mutinously +mutterer's +mutterings +mycologist +mycology's +myelitis's +myocardial +myocardium +myopically +myrmidon's +mysterious +mystically +mystifying +mystique's +Nagasaki's +Naismith's +namelessly +nameplates +namesake's +Namibian's +Nanchang's +nanosecond +Naphtali's +Napoleonic +Napoleon's +napoleon's +narcissism +narcissist +narcolepsy +narcosis's +narcotic's +narcotized +narcotizes +narrations +narratives +narrator's +narrowness +nasality's +nasalizing +nascence's +nasturtium +nationally +national's +nationhood +Nationwide +nationwide +nativities +Nativity's +nativity's +naturalism +naturalist +naturalize +naughtiest +nauseating +nauseously +nautically +nautiluses +Nautilus's +nautilus's +navigating +navigation +navigators +naysayer's +Nazarene's +Nazareth's +Ndjamena's +Neapolitan +nearness's +neatness's +Nebraskans +Nebraska's +nebulously +necklace's +necklacing +neckline's +necromancy +necropolis +necrosis's +nectarines +needlessly +needlework +negation's +negatively +negative's +negativing +negativism +negativity +neglectful +neglecting +negligee's +negligence +negligible +negligibly +negotiable +negotiated +negotiates +negotiator +Nehemiah's +neighbored +neighborly +neighbor's +nematode's +Nembutal's +neoclassic +neologisms +neophyte's +neoplasm's +neoplastic +neoprene's +Nepalese's +nepenthe's +nephrite's +nepotism's +nepotistic +nepotist's +Nesselrode +nestling's +nethermost +netiquette +Netscape's +nettlesome +networking +neuritic's +neuritis's +neurosis's +neurotic's +neutralism +neutralist +neutrality +neutralize +neutrino's +newcomer's +newfangled +newlywed's +newsagents +newscaster +newscast's +newsdealer +newsgirl's +newsgroups +newshounds +newsletter +newspapers +newsreader +newsreel's +newsroom's +newsstands +newsweekly +Newsweek's +newsworthy +Ngaliema's +Ångström's +Nibelung's +Nicaraguan +niceness's +Nichiren's +Nicholas's +Nicklaus's +nickname's +nicknaming +Nickolas's +nicotine's +Nigerian's +Nigerien's +nightcap's +nightclubs +nightdress +nightgowns +nighthawks +nightlight +nightmares +nightshade +nightshirt +nightspots +nightstand +nightstick +nihilism's +nihilistic +nihilist's +Nijinsky's +nimbleness +nincompoop +ninepins's +nineteen's +nineteenth +ninetieths +Nintendo's +nitpickers +nitpicking +nitrogen's +Nobelist's +nobelium's +nobility's +nobleman's +noblewoman +noblewomen +nocturne's +noisemaker +nominating +nomination +nominative +nominators +nonactives +nonaligned +nonbinding +noncaloric +nonchalant +nondrinker +nonelastic +nonesuches +nonesuch's +nonevent's +nonfactual +nonferrous +nonfiction +nonmembers +nonmetal's +nonnatives +nonnuclear +nonpareils +nonpayment +nonpersons +nonplussed +nonprofits +nonscoring +nonsecular +nonsense's +nonsmokers +nonsmoking +nonstarter +nonsupport +nontaxable +nontenured +nontrivial +nonuniform +nonviolent +nonvoter's +nonwhite's +nonworking +noontide's +noontime's +Norberto's +nor'easter +normalcy's +normalized +normalizes +Normandy's +Norplant's +Norseman's +Norsemen's +northbound +Northeasts +Northerner +northerner +Northrop's +Northrup's +northwards +Northwests +Norwegians +nosebleeds +nosecone's +nosedive's +nosediving +nosiness's +notability +notarizing +notation's +notebook's +noteworthy +noticeable +noticeably +notifiable +notifier's +notionally +Nottingham +Nouakchott +nourishing +Novartis's +novelettes +novelist's +novelizing +November's +Novgorod's +novitiates +Novocain's +nowadays's +nucleating +nucleation +nucleoside +nucleotide +nuisance's +nullifying +numberless +numbness's +numeracy's +numerating +numeration +numerators +numerology +numerously +numismatic +numskull's +nurselings +nursemaids +nurseryman +nurserymen +nursling's +nurturer's +nutcracker +nuthatches +nuthatch's +NutraSweet +nutrient's +nutriments +nutritious +nutshell's +oafishness +obbligatos +obduracy's +obdurately +obediently +obeisances +obfuscated +obfuscates +obituaries +obituary's +objections +objectives +objector's +objurgated +objurgates +oblation's +obligating +obligation +obligatory +obligingly +obliterate +oblivion's +obsequious +observable +observably +observance +observer's +obsessions +obsessives +obsidian's +obsolesced +obsolesces +obsoleting +obstacle's +obstetrics +obstructed +obtainable +obtainment +obtuseness +occasional +occasioned +occasion's +Occidental +occidental +occlusions +occultists +occupant's +occupation +occupier's +occurrence +oceanfront +oceangoing +oceanology +O'Connor's +Octavian's +oculomotor +odalisques +odiousness +odometer's +Odysseus's +oenology's +oenophiles +offender's +offensives +offering's +officially +official's +officiants +officiated +officiates +officiator +offloading +offprint's +offsetting +offshoot's +offshoring +oftentimes +Oglethorpe +ohmmeter's +oilcloth's +oiliness's +oilskins's +ointment's +Okeechobee +O'Keeffe's +Okefenokee +Oklahoma's +Olajuwon's +Oldfield's +Oldsmobile +oleaginous +oleander's +oligarchic +oligarch's +Olivetti's +Olympiad's +Olympian's +Olympics's +Omdurman's +omission's +Omnipotent +omnipotent +omniscient +omnivore's +omnivorous +oncogene's +oncologist +oncology's +onlooker's +Onondaga's +onslaughts +ontogeny's +ontology's +opalescent +opaqueness +openhanded +openness's +OpenOffice +openwork's +operations +operatives +operator's +operetta's +ophthalmic +opponent's +oppositely +opposite's +Opposition +opposition +oppressing +oppression +oppressive +oppressors +opprobrium +optician's +optimism's +optimistic +optimist's +optimizing +optionally +opulence's +orangeades +orangeness +orangeries +orangery's +orangutans +Oranjestad +oratorical +oratorio's +orchestral +orchestras +ordainment +ordinances +ordinaries +ordinarily +ordinary's +ordinate's +ordination +ordnance's +Ordovician +Oregonians +organelles +organismic +organism's +organist's +organizers +organizing +Oriental's +oriental's +orientated +orientates +originally +original's +originated +originates +originator +ornamental +ornamented +ornament's +ornateness +orneriness +orotundity +O'Rourke's +orphanages +orthogonal +orthopedic +oscillated +oscillates +oscillator +osculating +osculation +ostensible +ostensibly +osteopaths +osteopathy +ostracized +ostracizes +oubliettes +outarguing +outbalance +outbidding +outboard's +outboasted +outbreak's +outburst's +outclassed +outclasses +outcropped +outdoors's +outdrawing +outfielder +outfield's +outfitters +outfitting +outflanked +outgrowing +outgrowths +outguessed +outguesses +outgunning +outhitting +outhouse's +outlandish +outlasting +outmatched +outmatches +outnumbers +outpatient +outperform +outplaying +outpointed +outpouring +outproduce +outputting +outrageous +outranking +outreached +outreaches +outreach's +outrider's +outriggers +outrunning +outscoring +outselling +outshining +outshouted +outsider's +outskirt's +outsmarted +outsourced +outsources +outspreads +outstation +outstaying +outstretch +outwearing +outweighed +outwitting +outworkers +outworking +ovenbird's +overacting +overactive +overalls's +overarming +overbite's +overbooked +overbought +overbuilds +overburden +overbuying +overcast's +overcharge +overclouds +overcoat's +overcoming +overcooked +overcrowds +overdose's +overdosing +overdrafts +overdrives +overdubbed +overeating +overexcite +overexerts +overexpose +overextend +overfilled +overflight +overflowed +overflow's +overflying +overgrazed +overgrazes +overground +overgrowth +overhanded +overhand's +overhang's +overhauled +overhaul's +overhead's +overheated +overjoying +overkill's +overlapped +overlaying +overloaded +overload's +overlooked +overlook's +overlord's +overmanned +overmaster +overmodest +overmuches +overnights +overpasses +overpass's +overpaying +overplayed +overpowers +overpraise +overpriced +overprices +overprints +overrating +overreacts +overridden +override's +overriding +overripe's +overruling +overseeing +overseer's +overshadow +overshared +overshares +overshoe's +overshoots +oversights +oversimple +oversleeps +overspends +overspread +overstated +overstates +overstayed +overstocks +overstrict +overstrung +oversubtle +oversupply +overtaking +overtaxing +overthinks +overthrown +overthrows +overtime's +overtiring +overtone's +overture's +overturned +overvalued +overvalues +overview's +overweight +overwhelms +overwinter +overworked +overwork's +overwrites +oxidizer's +oxygenated +oxygenates +oxymoron's +Ozymandias +pacemakers +pacesetter +pachyderms +pacifier's +pacifism's +pacifistic +pacifist's +packager's +packsaddle +paddocking +Paderewski +padlocking +Paganini's +paganism's +paginating +pagination +painfuller +painkiller +painlessly +paintboxes +paintbox's +paintbrush +painting's +Pakistanis +Pakistan's +palanquins +palatalize +palatially +palatinate +palatine's +palavering +paleface's +paleness's +Palestrina +palimony's +palimpsest +palindrome +palisade's +Palladio's +pallbearer +palliating +palliation +palliative +pallidness +Palmerston +palmetto's +palomino's +palpitated +palpitates +paltriness +pamphlet's +Panamanian +panatellas +pancreases +pancreas's +pancreatic +pandemic's +panderer's +panegyrics +paneling's +panelist's +panhandled +panhandler +panhandles +panorama's +panpipes's +Pantagruel +pantaloons +pantheists +Pantheon's +pantheon's +pantomimed +pantomimes +pantomimic +pantsuit's +pantyliner +pantywaist +paperbacks +paperbarks +paperboard +paperboy's +paperclips +papergirls +parabola's +Paracelsus +parachuted +parachutes +paradigm's +paradise's +paraffin's +paragraphs +Paraguayan +Paraguay's +parakeet's +paralegals +parallaxes +parallax's +paralleled +parallel's +Paralympic +paralytics +paralyzing +Paramaribo +paramecium +paramedics +parameters +parametric +paramour's +paranoiacs +paranoia's +paranoid's +paranormal +paraphrase +paraplegia +paraplegic +paraquat's +parasite's +parasitism +paratroops +parboiling +parchments +pardonable +pardonably +pardoner's +parenthood +parimutuel +Parisian's +parlance's +Parliament +parliament +Parmenides +Parmesan's +parmigiana +parodist's +paroxysmal +paroxysm's +parqueting +parricidal +parricides +Parsifal's +parsonages +partaker's +parterre's +partiality +participle +particle's +particular +partisan's +partitions +partitives +partnering +partridges +Pasadena's +Pasquale's +passageway +passbook's +passengers +passerby's +passionate +passivized +passivizes +Passover's +passphrase +passport's +password's +pasteboard +pasteurize +pastiche's +pastille's +pastoral's +pastorates +pastrami's +Patagonian +patchiness +patchworks +paternally +Paterson's +pathfinder +pathogenic +pathogen's +patience's +patientest +patisserie +patriarchs +patriarchy +patricians +Patricia's +patricides +patriotism +patrolling +patronages +patronized +patronizer +patronizes +patronymic +patterning +Paulette's +paunchiest +pauperized +pauperizes +pavement's +pavilion's +pawnbroker +pawnshop's +paycheck's +paymasters +peacefully +peacemaker +peashooter +peccadillo +pectoral's +peculating +peculation +peculators +peculiarly +pedagogues +pedagogy's +pedantry's +pederast's +pedestal's +pedestrian +pediatrics +pedicure's +pedicuring +pedicurist +pedigree's +pediment's +pedometers +pedophiles +pedophilia +peduncle's +peekaboo's +peephole's +peepshow's +pegboard's +peignoir's +pejoration +pejorative +Pekingeses +pekingeses +pellagra's +Pembroke's +pemmican's +penalizing +penchant's +pencilings +Penderecki +pendulum's +Penelope's +penetrable +penetrated +penetrates +penfriends +penicillin +peninsular +peninsulas +penitently +penitent's +penknife's +penlight's +penmanship +Pennington +pennyworth +Pennzoil's +penologist +penology's +pensioners +pensioning +pentacle's +pentagonal +Pentagon's +pentagon's +pentagrams +pentameter +Pentateuch +pentathlon +Pentecosts +penthouses +penumbra's +peppercorn +peppermint +pepperonis +perceiving +percentage +percentile +perception +perceptive +perceptual +percipient +Percival's +percolated +percolates +percolator +percussion +percussive +perdurable +peregrines +Perelman's +peremptory +perennials +perfecta's +perfectest +perfecting +perfection +perfidious +perforated +perforates +performers +performing +perfumer's +pericardia +Pericles's +perihelion +perilously +perimeters +perineum's +periodical +peripheral +periscopes +perishable +peristyles +peritoneal +peritoneum +periwinkle +perjurer's +permafrost +permanence +permanency +permanents +permeating +permeation +permission +permissive +permitting +pernicious +peroration +peroxide's +peroxiding +perpetrate +perpetuals +perpetuate +perpetuity +perplexing +perplexity +perquisite +persecuted +persecutes +persecutor +Persephone +Persepolis +persevered +perseveres +Pershing's +persiflage +persimmons +persistent +persisting +personable +personages +personally +personal's +personalty +perspiring +persuaders +persuading +persuasion +persuasive +pertaining +pertinence +pertness's +perturbing +Peruvian's +perversely +perversion +perversity +perverting +Peshawar's +pessimists +pesticides +pestilence +petabyte's +Petersen's +Peterson's +petitioned +petitioner +petition's +Petrarch's +petrifying +petrolatum +petticoats +petulantly +Phaethon's +phagocytes +phalangers +phantasmal +phantasm's +Pharisee's +pharisee's +pharmacies +pharmacist +pharmacy's +pharyngeal +phaseout's +pheasant's +phenacetin +phenomenal +phenomenon +pheromones +philanders +philatelic +Philemon's +Philippe's +philippics +Philippine +Philistine +philistine +Phillipa's +Phillips's +philosophy +phlegmatic +Phoenician +phonecards +phonically +phonograph +phosphates +phosphoric +phosphor's +phosphorus +photocells +photogenic +photograph +photometer +Photostats +photostats +phrasebook +phrasing's +phrenology +phylactery +physically +physical's +physicians +physicists +physicking +physiology +physique's +pianissimo +pianoforte +picaresque +Piccadilly +piccalilli +pickerel's +Pickford's +pickings's +pickpocket +Pickwick's +picnickers +picnicking +pictograms +pictograph +pictorials +piecrust's +Piedmont's +piercingly +piercing's +pigeonhole +piggybacks +pikestaffs +pilaster's +pilchard's +pilferer's +pilgrimage +pillager's +pillorying +pillowcase +pillowslip +pilothouse +pimiento's +pimpernels +pinafore's +Pinatubo's +pincushion +pineapples +pinfeather +pinkness's +pinnacle's +Pinochet's +pinochle's +pinpointed +pinpoint's +pinprick's +pinsetters +pinstriped +pinstripes +pinwheeled +pinwheel's +pioneering +pipeline's +pipsqueaks +piquancy's +Pirandello +piroshki's +pirouetted +pirouettes +pistachios +pistillate +Pitcairn's +pitchforks +pitchman's +pitilessly +pittance's +Pittsburgh +pizzeria's +placarding +placekicks +placements +placentals +placenta's +plagiarism +plagiarist +plagiarize +plagiary's +plainchant +plaintiffs +planeloads +planking's +plankton's +plantain's +plantation +planting's +plasterers +plastering +Plasticine +plasticity +plasticize +plateauing +plateful's +platelet's +platformed +platform's +platinum's +platitudes +platooning +platypuses +platypus's +playacting +playback's +playbill's +playbook's +playfellow +playgirl's +playgoer's +playground +playgroups +playhouses +playlist's +playmate's +playroom's +playschool +playthings +playtime's +playwright +pleadingly +pleading's +pleasanter +pleasantly +pleasantry +pleasingly +pleasure's +pleasuring +plebeian's +plebiscite +plectrum's +Pleiades's +plenitudes +pleonasm's +plethora's +pleurisy's +pliability +Pliocene's +plowshares +pluckiness +plumbing's +plummeting +plunderers +plundering +pluperfect +pluralists +pluralized +pluralizes +Plutarch's +plutocracy +plutocrats +Plymouth's +poaching's +Pocahontas +pocketbook +pocketfuls +pockmarked +pockmark's +podcasting +podiatrist +podiatry's +poetasters +poetically +poignantly +Poincare's +Poincaré's +poincianas +poinsettia +pointblank +poisoner's +poisonings +Polanski's +polarities +polarity's +polarizing +Polaroid's +polemicist +polemics's +polestar's +polisher's +politburos +politeness +politician +politicize +politico's +politics's +pollinated +pollinates +pollinator +polliwog's +pollster's +pollutants +polluter's +polonaises +polonium's +poltroon's +polyclinic +polyesters +polygamist +polygamous +polygamy's +polyglot's +polygraphs +polyhedral +polyhedron +Polyhymnia +polymath's +polymerize +Polynesian +polynomial +Polyphemus +polyphonic +polysemous +polytheism +polytheist +pomander's +Pomeranian +pompadours +ponderer's +pontifical +ponytail's +poolroom's +poorhouses +poorness's +popinjay's +Popsicle's +populace's +popularity +popularize +populating +population +populism's +populist's +porcelains +porcupines +Porfirio's +porosity's +porousness +porphyry's +porpoise's +porpoising +porridge's +porringers +portable's +portcullis +portending +portentous +portfolios +porthole's +portiere's +portioning +portière's +Portland's +portliness +portrait's +portrayals +portraying +Portsmouth +Portugal's +Portuguese +Poseidon's +positional +positioned +position's +positively +positive's +positivism +positivist +positron's +possessing +possession +possessive +possessors +possible's +postcard's +postdating +posteriors +posthumous +postilions +postlude's +postmarked +postmark's +postmaster +postmodern +postmortem +postpartum +postponing +postscript +postseason +postulated +postulates +posturings +potability +potbellied +potbellies +potbelly's +potboilers +Potemkin's +potentates +potentials +potentiate +potholders +potpourris +potsherd's +poulterers +poultice's +poulticing +poundage's +pounding's +powerboats +powerfully +powerhouse +PowerPoint +Powhatan's +practicals +practice's +practicing +practicums +Praetorian +praetorian +pragmatics +pragmatism +pragmatist +prancingly +pranksters +pratfall's +prattler's +Praxiteles +preacher's +preachiest +preachment +preamble's +preambling +prearrange +precancels +precarious +precaution +precedence +precedents +preceptors +precinct's +preciosity +preciously +precipices +precluding +preclusion +precocious +precooking +precursors +precursory +predator's +predecease +predefined +predestine +predicable +predicated +predicates +predicting +prediction +predictive +predictors +predigests +predispose +preeminent +preempting +preemption +preemptive +preexisted +prefabbing +prefecture +preferable +preferably +preference +preferment +preferring +prefigured +prefigures +preforming +prefrontal +preheating +prehensile +prehistory +prejudging +prejudiced +prejudices +premarital +premedical +premiere's +premiering +premolar's +prenatally +Prentice's +prenuptial +preordains +prepackage +prepayment +prepossess +prerecords +presbyopia +presbyters +presbytery +preschools +prescience +Prescott's +prescribed +prescribes +prescripts +preseasons +presence's +presenters +presenting +preservers +preserve's +preserving +presetting +preshrinks +presidency +presidents +presorting +pressingly +pressing's +pressman's +pressure's +pressuring +pressurize +prestige's +presumable +presumably +presuppose +pretenders +pretending +pretense's +pretension +preterit's +pretesting +Pretoria's +prettified +prettifies +prettiness +prevailing +prevalence +preventing +prevention +preventive +previewers +previewing +previously +previsions +Pribilof's +prickliest +pridefully +priesthood +priestlier +primitives +primness's +primordial +primrose's +princedoms +princelier +princesses +princess's +principals +Principe's +principled +principles +printing's +printout's +prioresses +prioress's +priorities +prioritize +priority's +prisoner's +prissiness +privateers +privations +privatized +privatizes +privileged +privileges +prizefight +probable's +procaine's +procedural +procedures +proceeding +proceeds's +processing +procession +processors +proclaimed +proclivity +proconsuls +procreated +procreates +Procrustes +proctoring +procurable +procurator +procurer's +prodigally +prodigal's +prodigious +producer's +producible +production +productive +professing +profession +professors +proffering +proficient +profitable +profitably +profiteers +profitless +profligacy +profligate +profounder +profoundly +profundity +profusions +progenitor +progestins +prognostic +programmed +programmer +progressed +progresses +progress's +prohibited +projectile +projecting +projection +projectors +prolapse's +prolapsing +prologue's +prolonging +promenaded +promenades +Promethean +Prometheus +promethium +prominence +promissory +promontory +promoter's +promotions +prompter's +promptings +promptness +promulgate +pronghorns +pronominal +pronounced +pronounces +pronuclear +proofreads +propaganda +propagated +propagates +propagator +propellant +propellers +propelling +propensity +propertied +properties +property's +prophecies +prophecy's +prophesied +prophesier +prophesies +prophesy's +prophetess +propitiate +propitious +proponents +proportion +proposal's +proposer's +propounded +proprietor +propulsion +propulsive +proroguing +proscenium +prosciutto +proscribed +proscribes +prosecuted +prosecutes +prosecutor +proselyted +proselytes +Proserpina +Proserpine +prospected +prospector +prospect's +prospectus +prospering +prosperity +prosperous +prostate's +prostheses +prosthesis +prosthetic +prostitute +prostrated +prostrates +Protagoras +protecting +protection +protective +protectors +Protestant +protestant +protesters +protesting +protocol's +protoplasm +prototypes +protozoans +protracted +protractor +protruding +protrusile +protrusion +Proudhon's +provenance +Provencals +Provence's +proverbial +Providence +providence +provider's +province's +provincial +provisions +provoker's +Prudence's +prudence's +Prudential +prudential +pruriently +Prussian's +psalmist's +psalteries +psaltery's +psephology +pseudonyms +psychiatry +psychology +psychopath +psychotics +ptarmigans +ptomaine's +pubescence +publican's +publicists +publicized +publicizes +publishers +publishing +puddling's +pudendum's +puffball's +pugilism's +pugilistic +pugilist's +pugnacious +Pulitzer's +pullback's +pullover's +pulpwood's +pulsations +pulverized +pulverizes +puncheon's +punchlines +punctually +punctuated +punctuates +puncture's +puncturing +punditry's +pungency's +puniness's +punishable +punishment +punitively +puppeteers +puppetry's +purchasers +purchase's +purchasing +purebred's +pureness's +purgatives +purifier's +Puritanism +puritanism +purloining +purporting +purposeful +purveyance +purveyor's +pushcart's +pushchairs +pushover's +pussycat's +pussyfoots +putrefying +putrescent +putterer's +puzzlement +pyorrhea's +pyramiding +Pyrenees's +pyrimidine +pyromaniac +Pythagoras +Quaalude's +quackery's +quadrangle +quadrant's +quadratics +quadrature +quadriceps +quadrilles +quadrivium +quadrupeds +quadrupled +quadruples +quadruplet +quagmire's +quaintness +Quakerisms +qualifiers +qualifying +quandaries +quandary's +quantified +quantifier +quantifies +quantities +quantity's +quarantine +quarrelers +quarreling +quartering +Quaternary +quatrain's +queasiness +queenliest +Queensland +quenchable +quencher's +quenchless +quesadilla +questioned +questioner +question's +quibbler's +quickening +quicksands +quicksteps +quiescence +quietening +quietude's +quilting's +Quintilian +quintupled +quintuples +quintuplet +quipster's +Quirinal's +quirkiness +Quisling's +quisling's +quitclaims +quotations +quotient's +rabbinical +Rabelais's +racecourse +racehorses +racetracks +Rachelle's +racialists +raciness's +racketeers +raconteurs +radarscope +radiance's +radiations +radiator's +radicalism +radicalize +radiograms +radioman's +radiometer +radiometry +radiophone +radioscopy +radiosonde +ragamuffin +raggediest +raggedness +Ragnarök's +Ragnarok's +railleries +raillery's +railroaded +railroader +railroad's +railwayman +railwaymen +raincoat's +raindrop's +rainfall's +rainmakers +rainmaking +rainstorms +rakishness +Ramayana's +rampancy's +ramrodding +ramshackle +ranching's +rancidness +Randolph's +randomized +randomizes +randomness +rankness's +ransacking +ransomer's +ransomware +rapacity's +rapeseed's +rapidity's +rappelling +rapporteur +raptness's +Rapunzel's +rareness's +Rasalgethi +Rasalhague +rashness's +Rasputin's +Rastaban's +ratcheting +ratepayers +ratifier's +rationales +rationally +rational's +rattletrap +raunchiest +ravenously +ravisher's +ravishment +Rawalpindi +Rayleigh's +Raymundo's +razorbacks +razzmatazz +reabsorbed +reacquaint +reacquired +reacquires +reactant's +reaction's +reactivate +reactivity +readership +readjusted +readmitted +readopting +reaffirmed +realigning +realizable +reallocate +realness's +reanalyses +reanalysis +reanalyzed +reanalyzes +reanimated +reanimates +reappeared +reapplying +reappoints +reappraise +rearguards +rearmament +rearranged +rearranges +rearrested +rearrest's +reascended +reasonable +reasonably +Reasoner's +reasoner's +reassemble +reassembly +reasserted +reassessed +reassesses +reassigned +reassuring +reattached +reattaches +reattained +reattempts +reawakened +rebellions +rebellious +rebounding +rebuilding +rebukingly +reburial's +rebuttal's +recaptured +recaptures +receipting +receivable +receiver's +recentness +receptacle +receptions +receptor's +recessions +recessives +recharge's +recharging +recharters +rechecking +rechristen +recidivism +recidivist +recipients +reciprocal +recitalist +recitation +recitative +recklessly +reckonings +reclaiming +reclassify +recliner's +recognized +recognizer +recognizes +recollects +recolonize +recoloring +recombined +recombines +recommence +recommends +recompense +recompiled +recomposed +recomposes +recomputed +recomputes +reconciled +reconciles +reconfirms +reconnects +reconquers +reconquest +reconsider +reconsigns +recontacts +reconvened +reconvenes +reconverts +recorder's +recordings +recounting +recourse's +recoveries +recovering +recovery's +recreant's +recreating +recreation +recrossing +recrudesce +recruiters +recruiting +rectangles +rectifiers +rectifying +recuperate +recurrence +recursions +recyclable +redactor's +redbreasts +redcurrant +redecorate +rededicate +redeemable +Redeemer's +redeemer's +redefining +redelivers +redemption +redemptive +redeployed +redeposits +redesigned +redevelops +Redgrave's +redirected +rediscover +redissolve +redistrict +redividing +redoubling +redounding +redrafting +redressing +reductions +redundancy +reeducated +reeducates +reelecting +reelection +reembarked +reembodied +reembodies +reemerging +reemployed +reenacting +reengaging +reenlisted +reentering +reequipped +reevaluate +reexamined +reexamines +reexplains +reexported +refactored +refashions +refastened +refereeing +referenced +references +referendum +referent's +referral's +referrer's +refillable +refinanced +refinances +refinement +refineries +refinery's +refinished +refinishes +reflations +reflecting +reflection +reflective +reflectors +reflexives +refocusing +reforested +reformer's +reformists +refracting +refraction +refractive +refractory +refraining +refreezing +refreshers +refreshing +refulgence +refundable +refutation +regalement +regardless +regathered +regeneracy +regenerate +regicide's +regimental +regimented +regiment's +Reginald's +regionally +registered +register's +registrant +registrars +registries +registry's +regressing +regression +regressive +regretting +regrinding +regrouping +regrowth's +regularity +regularize +regulating +regulation +regulative +regulators +regulatory +rehearings +rehearsals +rehearsing +reigniting +reimbursed +reimburses +reimposing +Reinaldo's +reindeer's +reinfected +reinflated +reinflates +reinforced +reinforces +Reinhold's +reinserted +reinspects +reinstated +reinstates +reinvented +reinvested +reiterated +reiterates +rejections +rejiggered +rejoicings +rejoinders +rejuvenate +rekindling +relabeling +relational +relation's +relatively +relative's +relativism +relativist +relativity +relaunched +relaunches +relaunch's +relaxant's +relaxation +relearning +releasable +relegating +relegation +relentless +relevantly +reliance's +reliever's +relighting +religion's +relinquish +relocating +relocation +reluctance +remainders +remarkable +remarkably +Remarque's +remarriage +remarrying +remastered +remeasured +remeasures +remediable +remedially +remembered +remigrated +remigrates +reminder's +reminisced +reminisces +remissions +remissness +remittance +remodeling +remorseful +remortgage +remoteness +remounting +remunerate +Renascence +renascence +renderings +rendezvous +renditions +renegade's +renegading +renominate +renouncing +renovating +renovation +renovators +renumbered +reoccupied +reoccupies +reoccurred +reordering +reorganize +reoriented +repackaged +repackages +repainting +repairable +repairer's +reparation +repartee's +repatriate +repayments +repeatable +repeatably +repeatedly +repeater's +repellents +repentance +repertoire +repetition +repetitive +rephrasing +replanting +replicated +replicates +replicator +repopulate +reportedly +reporter's +reposition +repository +reprehends +represents +repressing +repression +repressive +reprieve's +reprieving +reprimands +reprinting +reprisal's +reproached +reproaches +reproach's +reprobates +reproduced +reproducer +reproduces +reprograms +reproofing +reptilians +Republican +republican +republic's +repudiated +repudiates +repudiator +repugnance +repurchase +reputation +requesting +requisites +requital's +requiter's +rerecorded +reschedule +rescinding +rescission +resealable +researched +researcher +researches +research's +resections +resembling +resentment +reservedly +reservists +reservoirs +resettling +resharpens +reshipment +reshipping +reshuffled +reshuffles +residences +resident's +residual's +residuum's +resignedly +resilience +resiliency +Resistance +resistance +resister's +resistible +resistless +resistor's +resolutely +resolution +resolvable +resonances +resonantly +resonating +resonators +resorption +resounding +resource's +resourcing +respecters +respectful +respecting +respective +respelling +respirator +respondent +responding +response's +responsive +respraying +restaffing +restarting +restaurant +restfuller +restitched +restitches +restlessly +restocking +restorer's +restrained +restrainer +restraints +restricted +restroom's +restudying +resultants +resumption +resupplied +resupplies +resurfaced +resurfaces +resurgence +resurrects +resurveyed +retailer's +retainer's +retaliated +retaliates +retardants +retarder's +reteaching +rethinking +reticently +retirement +retouching +retractile +retracting +retraction +retraining +retreading +retreating +retrenched +retrenches +retrievals +retrievers +retrieve's +retrieving +retrofired +retrofires +retrofit's +retrograde +retrogress +retrospect +retrovirus +returnable +returnee's +returner's +retweeting +reunifying +revealings +reveille's +Revelation +revelation +revengeful +revenuer's +reverenced +reverences +Reverend's +reverend's +reverently +reversal's +reversible +reversibly +reversions +revertible +revetments +reviewer's +revilement +revision's +revisiting +revitalize +revivalism +revivalist +revivified +revivifies +revocation +revolution +revolvable +revolver's +reweighing +rewindable +reworkings +Reynaldo's +Reynolds's +rhapsodies +rhapsodize +rhapsody's +Rheingau's +rheostat's +rhetorical +rhetoric's +rheumatics +rheumatism +rheumatoid +Rhiannon's +rhinestone +rhinitis's +rhinoceros +rhinovirus +Rhodesia's +rhomboidal +rhomboid's +rhymesters +rhythmical +ribaldry's +Ribbentrop +riboflavin +Richardson +Richards's +Richmond's +richness's +Richthofen +ricketiest +Rickover's +rickrack's +rickshaw's +ricocheted +ricochet's +riddance's +ridgepoles +ridicule's +ridiculing +ridiculous +Riesling's +riffraff's +rifleman's +rigatoni's +rightfully +rightism's +rightist's +rightsized +rightsizes +rightwards +rigidity's +rigmaroles +rigorously +ringleader +Ringling's +ringmaster +ringside's +ringtone's +ringworm's +ripeness's +risibility +ritualized +riverbanks +riverbed's +riverboats +riverfront +riversides +roadblocks +roadhouses +roadkill's +roadrunner +roadshow's +roadside's +roadster's +roadwork's +roadworthy +roasting's +Roberson's +Robinson's +Robitussin +robocalled +robocall's +robotics's +robotizing +robustness +Rochambeau +Rochelle's +rockabilly +rocketry's +rockfall's +Rockford's +Rockwell's +Roderick's +roentgen's +roisterers +roistering +rollback's +rollicking +rollover's +romancer's +Romanesque +Romanian's +romantic's +Ronstadt's +roomette's +roommate's +Roqueforts +Rosalind's +rosebushes +rosebush's +Rosemary's +rosemary's +Rosenzweig +rosewood's +rosiness's +Rossetti's +Rotarian's +rotational +rotation's +Rothschild +rotisserie +rototiller +rottenness +Rottweiler +rottweiler +rotundness +roughage's +roughening +roughhouse +roughnecks +roulette's +roundabout +roundelays +roundhouse +roundworms +Rousseau's +roustabout +routinized +routinizes +rowdyism's +royalist's +Rubaiyat's +rubberized +rubberizes +Rubbermaid +rubberneck +rubbishing +rubidium's +Rubinstein +rucksack's +rudderless +rudeness's +rudiment's +ruefulness +ruggedness +Rukeyser's +rumbling's +ruminant's +ruminating +rumination +ruminative +Rumsfeld's +runabout's +runarounds +Rushmore's +Rustbelt's +rustically +rusticated +rusticates +rustproofs +rutabaga's +Rutherford +ruthlessly +Rutledge's +Saarinen's +sabbatical +sabotage's +sabotaging +saboteur's +saccharine +sacerdotal +Sacramento +sacraments +sacredness +sacrificed +sacrifices +sacrileges +sacristans +sacristies +sacristy's +sacroiliac +sacrosanct +saddlebags +Sadducee's +safeguards +safeness's +safflowers +sagacity's +sailboards +sailboat's +sailfishes +sailfish's +sailplanes +saintliest +Sakhalin's +Sakharov's +salacity's +salamander +salesclerk +salesgirls +salesman's +salesrooms +saleswoman +saleswomen +salience's +Salinger's +salinity's +salivating +salivation +sallowness +salmonella +Salonika's +saltcellar +saltshaker +salubrious +salutation +salutatory +Salvadoran +Salvador's +Samantha's +Samaritans +samarium's +sameness's +sampling's +sanatorium +sanctified +sanctifies +sanctimony +sanctioned +sanction's +sanctity's +sandalwood +sandbagged +sandbagger +sandbank's +sandblasts +Sandburg's +sandcastle +Sandinista +sandlotter +Sandoval's +sandpapers +sandpipers +sandstorms +sandwiched +sandwiches +sandwich's +saneness's +Sanforized +sanguinary +sanguinely +sanitarian +sanitarium +sanitation +sanitizing +Sanskrit's +Santeria's +Santiago's +sapience's +sapphire's +saprophyte +sapsuckers +Sarajevo's +Sarasota's +sarcophagi +Sardinia's +Sargasso's +Satanism's +satanism's +Satanist's +satanist's +satellited +satellites +satinwoods +satirist's +satirizing +satisfying +saturating +saturation +Saturday's +Saturnalia +satyriasis +saucepan's +sauerkraut +Saunders's +sauntering +sauropod's +Saussure's +savageness +savageries +savagery's +Savannah's +Savonarola +savoriness +Savoyard's +sawbones's +sawhorse's +saxifrages +saxophones +scabbard's +scabbiness +scaffold's +scalawag's +scallion's +scalloping +scampering +scandalize +scandalous +scandium's +scansion's +scantiness +scapegoats +scapegrace +scapular's +Scaramouch +scarceness +scarcities +scarcity's +scarecrows +scarifying +scarlatina +scarpering +scathingly +scattering +scavengers +scavenging +scenario's +scenarists +scenically +schedulers +schedule's +scheduling +schematics +schematize +Schiller's +schillings +schismatic +schizoid's +schlemiels +schlepping +Schliemann +schmaltz's +schmoozers +schmoozing +Schnabel's +schnapps's +schnauzers +schnitzels +schnozzles +Schoenberg +scholastic +schoolbags +schoolbook +schoolboys +schooldays +schoolgirl +schoolkids +schoolmarm +schoolmate +schoolroom +schoolwork +schoolyard +schooner's +Schrieffer +Schubert's +Schumann's +Schumpeter +Schuyler's +Schuylkill +Schwartz's +Schweitzer +sciatica's +scientific +scientists +scimitar's +scintillas +scissoring +scofflaw's +scolding's +scoopful's +scorcher's +scoreboard +scorecards +scorelines +scornfully +scorpion's +Scorpius's +Scorsese's +Scotland's +Scotsman's +Scotsmen's +Scotswoman +Scotswomen +Scottish's +Scottsdale +scoundrels +scouting's +scrabblers +Scrabble's +scrabble's +scrabbling +scraggiest +scragglier +scramblers +scramble's +scrambling +Scranton's +scrapbooks +scrapheaps +scrapper's +scrappiest +scrapyards +scratchier +scratchily +scratching +scratchpad +scrawniest +screamer's +screechier +screeching +screenings +screenplay +screenshot +screwballs +screwiness +screwworms +Scriabin's +scribblers +scribble's +scribbling +Scribner's +scrimmaged +scrimmages +scrimshaws +scriptural +Scriptures +scriptures +scriveners +scrofula's +scrofulous +scroungers +scroungier +scrounging +scrubber's +scrubbiest +scruffiest +scrummages +scrunchies +scrunching +scrunchy's +scrupulous +scrutineer +scrutinize +scrutiny's +sculleries +scullery's +scullion's +sculptor's +sculptress +sculptural +sculptured +sculptures +scuppering +scurrility +scurrilous +scutcheons +Scythian's +seaboard's +seacoast's +seafarer's +seafloor's +seafront's +seahorse's +sealskin's +seamanship +seamlessly +seamount's +seamstress +seaplane's +searchable +searcher's +seascape's +seashell's +seashore's +seasonable +seasonably +seasonally +seasonings +seatmate's +seawater's +seconder's +secondhand +secondment +secretions +sectarians +sectionals +sectioning +secularism +secularist +secularize +securities +security's +sedateness +sedation's +sedative's +sediment's +sedition's +seductions +seductress +sedulously +seedcase's +seedling's +seemliness +seersucker +segmenting +segregated +segregates +seigneur's +seignior's +Seinfeld's +seismology +Selassie's +selections +selectness +selector's +selenium's +Seleucid's +Seleucus's +selflessly +sellotaped +sellotapes +Selznick's +semaphored +semaphores +Semarang's +semblances +semester's +semiannual +semibreves +semicircle +semicolons +semifinals +seminarian +seminaries +seminary's +Seminole's +semiquaver +semitone's +semivowels +semiweekly +semiyearly +semolina's +sempstress +senatorial +Senegalese +senescence +senility's +senorita's +sensations +sensitives +sensitized +sensitizes +sensualist +sensuality +sensuously +sentence's +sentencing +sentiments +sentinel's +separately +separate's +separating +separation +separatism +separatist +separative +separators +Sephardi's +Septembers +septicemia +septicemic +Septuagint +sepulchers +sepulchral +sequencers +sequence's +sequencing +sequential +sequesters +seraglio's +serenade's +serenading +sereneness +serenity's +sergeant's +serialized +serializes +serigraphs +sermonized +sermonizes +serology's +serpentine +serrations +serviceman +servicemen +serviettes +servitor's +servomotor +setscrew's +setsquares +settlement +Sevastopol +seventeens +seventieth +severances +severeness +severity's +sewerage's +sexiness's +sexologist +sexology's +sextuplets +Seychelles +shabbiness +Shackleton +shadowiest +shagginess +shakedowns +shakeout's +shallowest +shambles's +shamefaced +shamefully +shampooers +shampooing +shamrock's +shanghaied +Shanghai's +Shankara's +Shantung's +shantung's +shantytown +shapeliest +sharecrops +Sharlene's +sharpeners +sharpening +shattering +sheathings +sheepdog's +sheepfolds +sheepishly +sheepskins +sheeting's +sheikdom's +shellacked +sheltering +shelving's +Shenandoah +shenanigan +Shenyang's +shepherded +Shepherd's +shepherd's +Sheppard's +Sheratan's +Sheraton's +Sheridan's +Sherlock's +Sherwood's +Shetland's +shibboleth +shiftiness +shiitake's +shillelagh +shilling's +Shillong's +shimmering +shinbone's +Shintoisms +Shintoists +shipboards +shipload's +shipmate's +shipment's +shipowners +shipping's +shipwrecks +shipwright +shipyard's +shirring's +shirtfront +shirting's +shirttails +shirtwaist +shockingly +Shockley's +shockproof +shoddiness +shoehorned +shoehorn's +shoelace's +shoemakers +shoeshines +shoestring +shoetree's +shooting's +shootout's +shopaholic +shopfitter +shopfronts +shopkeeper +shoplifted +shoplifter +shopping's +shoptalk's +shorebirds +shorelines +shortage's +shortbread +shortcakes +shortcrust +shortcut's +shortening +shortfalls +shorthorns +shortlists +shortstops +shortwaves +Shoshone's +shotgunned +shouldered +shoulder's +shovelfuls +showboated +showboat's +showcase's +showcasing +showdown's +showgirl's +showground +showpieces +showplaces +showroom's +shrapnel's +shredder's +Shreveport +shrewdness +shrillness +shrinkable +shriveling +Shropshire +shrubbiest +shuddering +shuffler's +shutdown's +shutterbug +shuttering +Shylockian +Sibelius's +Siberian's +sibilant's +Sicilian's +sicknesses +sickness's +sickroom's +Siddhartha +sideboards +sidekick's +sidelights +sideline's +sidelining +sidepieces +sidesaddle +sideshow's +sidestep's +sidestroke +sideswiped +sideswipes +sidetracks +sidewalk's +sidewall's +sidewinder +Sierpinski +sighting's +sightliest +sightseers +signaler's +signalized +signalizes +signatures +signboards +signifying +signorinas +signposted +signpost's +Sihanouk's +Sikorsky's +silencer's +silhouette +silicate's +silicone's +silkscreen +silkworm's +Silurian's +silverfish +silverware +similarity +similitude +simonizing +simpleness +simpletons +simplicity +simplified +simplifies +simplistic +Simpsons's +simulacrum +simulating +simulation +simulators +simulcasts +Sinclair's +sinecure's +sinfulness +singalongs +singleness +singletons +singletree +singsonged +singsong's +singularly +singular's +sinkhole's +Sinkiang's +sinusoidal +sisterhood +Sisyphus's +sitarist's +situations +sixpence's +sixshooter +sixteenths +sixtieth's +skateboard +skedaddled +skedaddles +skeleton's +skepticism +sketchbook +sketcher's +sketchiest +sketchpads +skillfully +skimpiness +skincare's +skinflints +skinhead's +skinniness +skippering +skirmished +skirmisher +skirmishes +skirmish's +skittering +skittishly +skullcap's +skydiver's +skyjackers +skyjacking +skylarking +skylight's +skyrockets +skyscraper +skywriters +skywriting +slackening +slanderers +slandering +slanderous +slantingly +Slashdot's +slathering +slatternly +slattern's +slaughters +Slavonic's +sleazebags +sleazeball +sleaziness +sleepiness +sleepovers +sleepwalks +sleepyhead +sleeveless +slenderest +slenderize +slideshows +slightness +slimming's +slimness's +slingbacks +slingshots +slipcase's +slipcovers +slipknot's +slippage's +slipperier +slipstream +slithering +slobbering +sloppiness +slothfully +sloucher's +slouchiest +Slovakia's +Slovenians +Slovenia's +slovenlier +slowdown's +slowness's +slowpoke's +sluggard's +sluggishly +slumbering +slumberous +slumlord's +slushiness +smallpox's +smartening +smartphone +smartwatch +smattering +smelliness +Smirnoff's +Smithson's +smocking's +smokehouse +smokestack +smoldering +Smolensk's +Smollett's +smoothie's +smoothness +smothering +smuggler's +smugness's +smuttiness +snakebites +snapdragon +snappiness +snappishly +snapshot's +snarlingly +snatcher's +sneakiness +sneakingly +sneeringly +snickering +Snickers's +sniveler's +snobbery's +snobbishly +snookering +snootiness +snorkelers +snorkeling +snottiness +snowballed +snowball's +snowbank's +Snowbelt's +snowbird's +snowblower +snowboards +snowdrifts +snowdrop's +snowfall's +snowfields +snowflakes +snowmobile +snowplowed +snowplow's +snowshoe's +snowstorms +snowsuit's +snuffboxes +snuffbox's +snugness's +soapsuds's +sobriety's +sobriquets +sociable's +socialists +socialites +socialized +socializes +sociopaths +Socrates's +Socratic's +sodomite's +sodomizing +softball's +softener's +softness's +software's +softwood's +sojourners +sojourning +solarium's +solderer's +soldiering +soldiery's +solecism's +solemnized +solemnizes +solemnness +solenoid's +soliciting +solicitors +solicitous +solicitude +solidarity +solidified +solidifies +solidity's +solitaires +solitaries +solitary's +solitude's +solstice's +solubility +solution's +solvency's +Somalian's +somberness +sombrero's +somebodies +somebody's +somersault +somerset's +somethings +somnolence +sonatina's +Sondheim's +songbird's +songbook's +songfest's +songster's +songstress +songwriter +sonogram's +sonority's +sonorously +soothingly +soothsayer +Sophoclean +sophomores +sophomoric +soporifics +Sorbonne's +sorcerer's +sordidness +sorehead's +soreness's +sororities +sorority's +soullessly +soulmate's +soundalike +soundbites +soundboard +soundcheck +sounding's +soundproof +soundscape +soundtrack +sourdoughs +sourness's +sourpusses +sourpuss's +sousaphone +southbound +Southeasts +Southerner +southerner +southern's +southpaw's +southwards +Southwests +souvenir's +sou'wester +sovereigns +spacecraft +spaceman's +spaceports +spaceships +spacesuits +spacewalks +spacewoman +spacewomen +spaciously +spadeful's +Spaniard's +spanking's +sparkler's +sparseness +sparsity's +spattering +spearheads +specialism +specialist +specialize +specific's +specifiers +specifying +specimen's +speciously +spectacles +spectating +spectators +spectrum's +speculated +speculates +speculator +speechless +speedboats +speediness +speeding's +speedsters +speedway's +speleology +spellbinds +spellbound +spellcheck +spelldowns +spelling's +spelunkers +spelunking +Spencerian +spending's +Spengler's +Spenserian +spermicide +sphagnum's +spheroidal +spheroid's +sphincters +spiderwebs +spillage's +Spillane's +spillovers +spillway's +spindliest +spinnakers +spinnerets +spinning's +spinster's +spiracle's +spiritedly +spiritless +spirituals +spirituous +spirochete +Spirograph +spitball's +spitefully +spitfire's +spittoon's +splashdown +splashiest +splattered +splatter's +splendider +splendidly +splendor's +splintered +splinter's +splittings +splotchier +splotching +spluttered +splutter's +spoilage's +spoilsport +spoliation +spongecake +sponginess +sponsoring +spookiness +spoonbills +spoonerism +spoonful's +sportiness +sportingly +sportively +sportscast +sportswear +spotlessly +spotlights +spottiness +spreadable +spreader's +springboks +springiest +springlike +springtime +sprinklers +sprinkle's +sprinkling +sprinter's +spritzer's +sprocket's +spruceness +spryness's +spuriously +sputtering +spyglasses +spyglass's +spymasters +squabblers +squabble's +squabbling +squadron's +squalidest +squandered +squareness +squashiest +squatter's +squawker's +squeaker's +squeakiest +squealer's +squeegee's +squeezable +squeezebox +squeezer's +squelching +squiggle's +squiggling +squirmiest +squirreled +squirrel's +squishiest +Srinagar's +stabbing's +stabilized +stabilizer +stabilizes +stablemate +staccato's +staffing's +Stafford's +stagecoach +stagecraft +stagehands +staggering +stagnantly +stagnating +stagnation +staircases +stairway's +stairwells +stakeout's +stalactite +stalagmite +stalemated +stalemates +Stalingrad +stalking's +stallion's +Stallone's +stalwartly +stalwart's +Stamford's +stammerers +stammering +stampede's +stampeding +stanchions +standalone +standard's +standing's +Standish's +standoff's +standout's +standpipes +standpoint +standstill +Stanford's +starbursts +starchiest +stardust's +starfishes +starfish's +stargazers +stargazing +starling's +starstruck +starvation +starveling +statecraft +statehouse +stateliest +statements +staterooms +statically +stationary +stationers +stationery +stationing +statistics +statuary's +statuesque +statuettes +Staubach's +staunchest +staunching +steadiness +steakhouse +stealthier +stealthily +steamboats +steaminess +steamrolls +steamships +steeliness +steelmaker +steelworks +steelyards +steepening +steerage's +steering's +Stefanie's +stegosauri +Steinway's +stemware's +stenciling +Stendhal's +stentorian +stepfather +Stephenson +Stephens's +stepladder +stepmother +stepparent +stepsister +stereotype +sterilized +sterilizer +sterilizes +Sterling's +sterling's +stertorous +stevedores +stewardess +stewarding +stickiness +stickler's +stickpin's +stiffeners +stiffening +stiflingly +stigmatize +stiletto's +stillbirth +stimulants +stimulated +stimulates +stimulus's +stinginess +stingray's +stinkbug's +stipulated +stipulates +Stirling's +stirringly +stochastic +stockade's +stockading +stockiness +stocking's +stockpiled +stockpiles +stockpot's +stockrooms +Stockton's +stockyards +stodginess +Stoicism's +stoicism's +stolidness +Stolypin's +stomachers +stomaching +Stonehenge +stonemason +stonewalls +stopcock's +stoplights +stopover's +stoppage's +Stoppard's +stoppering +storefront +storehouse +storerooms +storminess +storyboard +storybooks +stovepipes +stowaway's +straddlers +straddle's +straddling +Stradivari +stragglers +stragglier +straggling +straighten +straighter +straightly +straight's +strainer's +straitened +stranger's +stranglers +strangling +Strasbourg +stratagems +strategics +strategies +strategist +strategy's +stratified +stratifies +Stravinsky +strawberry +streaker's +streakiest +streamer's +streamline +streetcars +streetlamp +streetwise +strengthen +strength's +stretchers +stretchier +stretching +striations +Strickland +strictness +strictures +stridently +strikeouts +strikingly +Strindberg +stringency +stringer's +stringiest +striplings +stripper's +striptease +stroller's +stronghold +strongroom +stroppiest +structural +structured +structures +struggle's +struggling +strumpet's +strychnine +stubborner +stubbornly +studbook's +studding's +Studebaker +studiously +stuffiness +stuffing's +stultified +stultifies +stumbler's +stunningly +stupefying +stupendous +sturdiness +sturgeon's +stutterers +stuttering +Stuyvesant +stylistics +Styrofoams +subalterns +subcompact +subculture +subdivided +subdivides +subdomains +subeditors +subgroup's +subheading +subhuman's +subjecting +subjection +subjective +subjoining +subjugated +subjugates +sublease's +subleasing +subletting +sublimated +sublimates +subliminal +sublingual +submariner +submarines +submerging +submersing +submersion +submission +submissive +submitting +suborbital +suborder's +subpoenaed +subpoena's +subprogram +subroutine +subscribed +subscriber +subscribes +subscripts +subsection +subsequent +subsidence +subsidiary +subsidized +subsidizer +subsidizes +subsisting +subspecies +substances +substation +substitute +substrates +substratum +subsurface +subsystems +subtenancy +subtenants +subtending +subterfuge +subtitle's +subtitling +subtleties +subtlety's +subtopic's +subtotaled +subtotal's +subtracted +subtrahend +subtropics +suburban's +suburbia's +subvention +subversion +subversive +subverting +succeeding +successful +succession +successive +successors +succincter +succinctly +succulence +succulency +succulents +succumbing +suckling's +suctioning +Sudanese's +suddenness +sufferance +sufferer's +sufferings +sufficient +suffocated +suffocates +suffragans +suffrage's +suffragist +sugarcoats +sugarplums +suggesting +suggestion +suggestive +suitcase's +sukiyaki's +Sulawesi's +Suleiman's +sullenness +Sullivan's +sultanates +sultriness +Sumatran's +Sumerian's +summarized +summarizes +summations +summertime +summitry's +summoner's +summonsing +sunbathers +sunbathing +sunblock's +sunbonnets +sunburning +sunburst's +sundresses +sundries's +sunflowers +sunglasses +sunlight's +sunscreens +sunshade's +sunshine's +suntanning +supercargo +superego's +supergrass +superheros +superhuman +Superior's +superior's +Superman's +superman's +supermodel +supermom's +supernovae +supernovas +superposed +superposes +superpower +superseded +supersedes +supersized +supersizes +supersonic +superstars +superstate +superstore +superusers +supervened +supervenes +supervised +supervises +supervisor +superwoman +superwomen +suppertime +supplanted +supplement +suppleness +suppliants +supplicant +supplicate +supplier's +supporters +supporting +supportive +supposedly +suppressed +suppresses +suppressor +suppurated +suppurates +Surabaya's +surcease's +surceasing +surcharged +surcharges +surcingles +surefooted +sureness's +surfboards +surfeiting +surgically +Suriname's +Surinamese +surmounted +surpassing +surplice's +surplussed +surprise's +surprising +surrealism +surrealist +surrenders +surrogates +surrounded +surveyor's +survivable +survival's +survivor's +suspecting +suspenders +suspending +suspense's +suspension +suspicions +suspicious +sustaining +sustenance +Sutherland +suzerain's +suzerainty +Svalbard's +Svengali's +Sverdlovsk +swaggering +swallowing +Swammerdam +swankiness +swarthiest +swastika's +swattering +swaybacked +swayback's +swearwords +sweatbands +sweatpants +sweatshirt +sweatshops +sweatsuits +Swedenborg +sweepingly +sweeping's +sweetbread +sweetbrier +sweeteners +sweetening +sweetheart +sweetmeats +swellheads +swelling's +sweltering +swimmingly +swimming's +swimsuit's +swindler's +swineherds +Swissair's +switchable +switchback +switcher's +sybarite's +sycamore's +sycophancy +sycophants +syllable's +syllabuses +syllabus's +syllogisms +symbolical +symbolized +symbolizes +symmetries +symmetry's +sympathies +sympathize +sympathy's +symphonies +symphony's +symposiums +synagogues +syncopated +syncopates +syndicated +syndicates +syndrome's +synonymous +synonymy's +synopsis's +synthesize +synthetics +syphilis's +syphilitic +Syracuse's +systematic +systemic's +Szymborska +Tabernacle +tabernacle +tablecloth +tablelands +tablespoon +tabletop's +tabulating +tabulation +tabulators +tachograph +tachometer +taciturnly +tactically +tacticians +tactlessly +taffrail's +Tahitian's +Taichung's +tailback's +tailboards +tailcoat's +tailgaters +tailgate's +tailgating +taillights +tailpieces +tailpipe's +tailspin's +tailwind's +Tajikistan +takeover's +Taklamakan +talebearer +Taliesin's +talisman's +Talleyrand +tallness's +tallyhoing +tamarack's +tamarind's +tambourine +tameness's +tamperer's +Tamworth's +tandoori's +Tanganyika +tangential +tangerines +tangible's +Tangshan's +Tannhauser +Tannhäuser +tantalized +tantalizer +tantalizes +tantalum's +Tantalus's +tantamount +Tanzanians +Tanzania's +tapeline's +tapestries +tapestry's +tapeworm's +tarantella +tarantulas +Tarkington +tarmacadam +tarmacking +tarnishing +tarpaulins +tarragon's +tartness's +Tartuffe's +Tashkent's +taskmaster +Tasmania's +tastefully +tattletale +tattooer's +tattooists +tauntingly +tautness's +tawdriness +taxation's +taximeters +taxonomies +taxonomist +taxonomy's +taxpayer's +teaching's +teacupfuls +teakettles +tealight's +teammate's +teamster's +teamwork's +teardrop's +teargassed +tearjerker +Teasdale's +teaspoon's +technetium +technician +techniques +technocrat +technology +Tecumseh's +teenager's +teething's +teetotaler +telecaster +telecast's +telegram's +telegraphs +telegraphy +Telemachus +Telemann's +telemeters +telepathic +telephoned +telephoner +telephones +telephonic +telephotos +teleplay's +telescoped +telescopes +telescopic +teletext's +telethon's +televising +television +teleworker +telltale's +TELNETTing +temerity's +temperance +template's +temporally +temporized +temporizer +temporizes +temptation +temptingly +tenability +tenacity's +tenantry's +tendencies +tendency's +tenderfoot +tenderized +tenderizer +tenderizes +tenderloin +tenderness +tendinitis +tenement's +Tennessean +Tennyson's +tentacle's +tenterhook +tepidity's +terabyte's +terapixels +Tereshkova +termagants +terminable +terminally +terminal's +terminated +terminates +terminator +terminus's +terracotta +Terrance's +terrapin's +terrariums +terrazzo's +Terrence's +terrifying +terrorists +terrorized +terrorizes +terrycloth +Tertiary's +tessellate +testaments +testator's +testicle's +testicular +testifiers +testifying +tetchiness +tetrameter +Teutonic's +textbook's +Thaddeus's +Thailand's +thalamus's +thallium's +thankfully +Thatcher's +thatcher's +theatrical +themselves +theocratic +Theocritus +theodolite +Theodora's +Theodore's +Theodosius +theologian +theologies +theology's +theorist's +theorizing +theosophic +therapists +thereabout +thereafter +theremin's +thereunder +thermionic +thermostat +Thespian's +thespian's +Thessaly's +thiamine's +thickeners +thickening +thievery's +thieving's +thighbones +thimbleful +thinking's +thinness's +thirstiest +thirteen's +thirteenth +thirtieths +Thompson's +thorniness +Thornton's +thorougher +thoroughly +thoughtful +thousand's +thousandth +Thracian's +thrasher's +thrashings +threadbare +threader's +threadiest +threadlike +threatened +threepence +threescore +threesomes +threnodies +threnody's +thresher's +thresholds +thriftiest +thriftless +thriller's +throatiest +thromboses +thrombosis +thrombotic +thrombus's +throttlers +throttle's +throttling +throughout +throughput +throwaways +throwbacks +Thucydides +thuggery's +thumbnails +thumbprint +thumbscrew +thumbtacks +thumping's +thunderers +thundering +thunderous +Thurmond's +Thursday's +Thutmose's +thwacker's +Tiberius's +ticklishly +ticktock's +tiddlywink +tideland's +tidewaters +tidiness's +tiebreaker +tighteners +tightening +tightropes +tightwad's +timberland +timberline +Timbuktu's +timekeeper +timelessly +timeline's +timeliness +timepieces +timescales +timeserver +timeshares +timestamps +timetabled +timetables +timidity's +timorously +timpanists +tincture's +tincturing +tingling's +tininess's +Tinkerbell +tinkerer's +tinnitus's +tinplate's +Tinseltown +tinsmith's +Tintoretto +Tippecanoe +tiramisu's +tirelessly +Tiresias's +tiresomely +titanium's +Titicaca's +titillated +titillates +titivating +titivation +titmouse's +toadstools +toadyism's +tobogganed +tobogganer +toboggan's +Togolese's +toiletries +toiletry's +toilette's +tokenism's +Tokugawa's +tolerances +tolerantly +tolerating +toleration +tollbooths +tollgate's +Tolyatti's +tomahawked +tomahawk's +Tombaugh's +tombstones +tomfoolery +tomography +tomorrow's +Tompkins's +tonalities +tonality's +tonelessly +tongueless +toolmakers +toothaches +toothbrush +toothpaste +toothpicks +topicality +topography +torchlight +toreador's +tormenting +tormentors +torpedoing +Torquemada +Torrance's +torrential +Torricelli +torridness +tortellini +tortilla's +tortoise's +tortuously +torturer's +Torvalds's +totalities +totality's +totterer's +touchdowns +touchiness +touchingly +touchlines +touchpaper +touchstone +tougheners +toughening +Toulouse's +tourmaline +tournament +tourniquet +towelettes +toweling's +townhouses +Townsend's +township's +townsman's +townswoman +townswomen +toxicities +toxicity's +toxicology +trabecular +trackballs +tracksuits +traction's +trademarks +traditions +traducer's +trafficked +trafficker +tragedians +tragically +tragicomic +training's +trainloads +trainman's +traitorous +trajectory +trammeling +trampler's +trampoline +tranquiler +tranquilly +transacted +transactor +transcends +transcribe +transcript +transducer +transected +transept's +transferal +transfer's +transfixed +transfixes +transforms +transfused +transfuses +transgenic +transgress +transience +transiency +transients +transistor +transiting +transition +transitive +transitory +translated +translates +translator +transmuted +transmutes +transpired +transpires +transplant +transpolar +transports +transposed +transposes +transships +transverse +trapdoor's +trapeziums +trapezoids +Trappist's +trashcan's +trashiness +traumatize +travailing +traveler's +travelings +travelogue +traversals +traverse's +traversing +travestied +travesties +travesty's +Travolta's +treadmills +treasonous +treasurers +treasure's +Treasuries +treasuries +treasuring +Treasury's +treasury's +treatise's +treatments +trellising +trematodes +tremendous +trenchancy +trencher's +trendiness +trespassed +trespasser +trespasses +trespass's +triangle's +triangular +Triangulum +Triassic's +triathlete +triathlons +tribunal's +trichina's +trickery's +trickiness +tricksters +tricolor's +tricycle's +triennials +trifecta's +triggering +trilateral +trillion's +trillionth +trillium's +trilobites +trimaran's +trimesters +trimming's +trimness's +trimonthly +Trimurti's +Trinidad's +tripartite +triplicate +triptych's +trisecting +trisection +triumphant +triumphing +triumvir's +triviality +trivialize +troglodyte +trolleybus +Trollope's +trombone's +trombonist +troopships +tropically +troubadour +trouncer's +trousers's +trousseaux +trucking's +truckloads +truculence +truelove's +Truffaut's +Trujillo's +Trumbull's +trumpery's +trumpeters +trumpeting +truncating +truncation +truncheons +trundler's +trustfully +trustingly +truthfully +truthiness +tryptophan +Tsongkhapa +tubeless's +tubercle's +tubercular +tuberculin +tuberose's +Tulsidas's +tumbledown +tumbleweed +tumbling's +tumescence +tumidity's +tumultuous +tunelessly +tungsten's +Tunguska's +Tunisian's +tunneler's +tunnelings +Tupperware +turbofan's +turbojet's +turboprops +turbulence +turduckens +Turgenev's +turmeric's +turnabouts +turnaround +turnbuckle +turncoat's +turnover's +turnpike's +turnstiles +turntables +turpentine +turquoises +turtledove +turtleneck +Tuscaloosa +Tuscaroras +Tuskegee's +tutelage's +tutorial's +twaddler's +Tweedledee +Tweedledum +tweezers's +twentieths +twilight's +Twinkies's +twinklings +twitchiest +twittering +twopence's +tympanists +tympanum's +typeface's +typescript +typesetter +typewriter +typewrites +typicality +typography +typologies +typology's +tyrannical +tyrannized +tyrannizes +ubiquitous +ubiquity's +ufologists +ugliness's +Ukrainians +ulcerating +ulceration +ultimately +ultimate's +ultimatums +ultralight +ultrashort +ultrasonic +ultrasound +Ultrasuede +ululations +umbrella's +unabridged +unaccented +unaccepted +unaffected +unanswered +unapparent +unapproved +unarguable +unarguably +unassigned +unassisted +unassuming +unattached +unattended +unattested +unavailing +unbalanced +unbalances +unbaptized +unbearable +unbearably +unbeatable +unbecoming +unbelief's +unbeliever +unbleached +unblinking +unblocking +unblushing +unbosoming +unbothered +unbuckling +unburdened +unbuttoned +uncanniest +uncensored +unchaining +unchanging +unchastest +unclasping +uncleanest +unclearest +uncloaking +unclogging +unclothing +unclutters +uncombined +uncommoner +uncommonly +unconfined +unconsumed +uncoupling +uncovering +uncritical +uncrossing +unctuously +uncultured +undeceived +undeceives +undecideds +undeclared +undefeated +undefended +undeniable +undeniably +underacted +underarm's +underbelly +underbrush +underclass +undercoats +undercover +undercut's +underdog's +underfeeds +underfloor +underfur's +undergoing +undergrads +underlay's +underlined +underlines +underlings +underlip's +underlying +undermined +undermines +underneath +underpants +underparts +underplays +underrated +underrates +underscore +undersells +undersexed +undershirt +undershoot +undersides +undersigns +undersized +underskirt +understand +understate +understood +understudy +undertaken +undertaker +undertakes +undertones +undertow's +undervalue +underwater +underwhelm +underwired +underwires +underworld +underwrite +underwrote +undeserved +undetected +undeterred +undigested +undismayed +undisputed +undramatic +undressing +undulating +undulation +unearthing +uneasiness +uneconomic +unedifying +uneducated +unemphatic +unemployed +unenclosed +unenforced +unenviable +unequipped +unerringly +unevenness +uneventful +unexampled +unexciting +unexpected +unexplored +unfairness +unfaithful +unfamiliar +unfastened +unfeasible +unfeminine +unfettered +unfiltered +unfinished +unflagging +unflavored +unforeseen +unfreezing +unfriended +unfriendly +unfrocking +unfruitful +ungainlier +ungenerous +ungodliest +ungoverned +ungraceful +ungracious +ungrateful +ungrudging +ungulate's +unhallowed +unhampered +unhandiest +unhappiest +unhardened +unheralded +unhindered +unhitching +unholiness +unhygienic +unicameral +unicycle's +uniforming +uniformity +unilateral +Unilever's +unimpaired +unimposing +unimproved +uninfected +uninformed +uninspired +uninstalls +unintended +uninviting +uninvolved +unionism's +unionist's +unionizing +uniqueness +Uniroyal's +Unitarians +univalve's +universals +universe's +university +unkindlier +unkindness +unknowable +unknowings +unladylike +unlatching +unlawfully +unleaded's +unlearning +unleashing +unleavened +unlettered +unlicensed +unlikelier +unlikeness +unlimbered +unloosened +unlovelier +unluckiest +unmanliest +unmannerly +unmeasured +unmediated +unmerciful +unmissable +unmodified +unmolested +unmorality +unnameable +unnumbered +unobserved +unoccupied +unofficial +unoriginal +unorthodox +unperson's +unplayable +unpleasant +unpleasing +unplugging +unpolished +unpolluted +unprepared +unprompted +unprovided +unprovoked +unpunished +unquietest +unraveling +unreadable +unrealized +unrecorded +unreformed +unreleased +unreliable +unreliably +unrelieved +unremarked +unreported +unrequited +unreserved +unresolved +unrevealed +unrewarded +unromantic +unruliness +unsaddling +unsaleable +unsanitary +unschooled +unscramble +unscrewing +unscripted +unseasoned +unseeingly +unseemlier +unsettling +unshackled +unshackles +unshakable +unshakably +unsheathed +unsheathes +unsinkable +unskillful +unsnapping +unsnarling +unsociable +unsolvable +unsoundest +unspecific +unsporting +unsteadier +unsteadily +unstinting +unstopping +unstrapped +unstressed +unsuitable +unsuitably +unswerving +untalented +untangling +untenanted +unthinking +untidiness +untimelier +untiringly +untraveled +untroubled +untruthful +untwisting +unverified +unwariness +unwavering +unwearable +unweighted +unwieldier +unwinnable +unworkable +unworthier +unworthily +unwrapping +unwrinkled +unyielding +Upanishads +upbraiding +upbringing +upchucking +upheaval's +upholder's +upholsters +upholstery +upliftings +uppercut's +uprising's +uproarious +upstanding +upstarting +upstroke's +upthrust's +urbanity's +urbanizing +urbanology +urethane's +urinalyses +urinalysis +urogenital +urological +urologists +Urquhart's +Ursuline's +Uruguayans +usefulness +username's +usherettes +usurpation +utilizable +utterances +Uzbekistan +vacationed +vacationer +vacation's +vaccinated +vaccinates +vacillated +vacillates +vagabonded +vagabond's +vagrancy's +Valencia's +valentines +Valentin's +Valenzuela +Valerian's +Valhalla's +valiance's +validating +validation +validity's +Valkyrie's +Valletta's +valorously +Valparaiso +valuable's +valuations +vanadium's +vandalized +vandalizes +Vanderbilt +vanguard's +vanishings +vanquished +vanquisher +vanquishes +Vanzetti's +vapidity's +vaporizers +vaporizing +Varanasi's +variable's +variance's +variations +variegated +variegates +varietal's +varnishing +Vaseline's +vastness's +vaudeville +vaulting's +vegeburger +Vegemite's +vegetables +vegetarian +vegetating +vegetation +vegetative +vehemently +velocipede +velocities +velocity's +velodromes +Velveeta's +venality's +venation's +vendetta's +venerating +veneration +Venetian's +Venezuelan +vengefully +venomously +ventilated +ventilates +ventilator +Ventolin's +ventricles +Venusian's +veracity's +Veracruz's +verbalized +verbalizes +verbiage's +verifiable +Verlaine's +vermicelli +Vermonters +vermouth's +vernacular +Veronese's +Veronica's +veronica's +Versailles +versifiers +versifying +versioning +vertebra's +vertebrate +vertically +vertical's +Vesalius's +vesiculate +Vespucci's +vestibules +vestment's +Vesuvius's +veterinary +vexation's +vibraharps +vibrancy's +vibraphone +vibrations +vibrator's +viburnum's +vicarage's +vicegerent +vicinity's +victimized +victimizes +victimless +Victorians +Victoria's +victorious +Victrola's +victualing +videodiscs +videophone +videotaped +videotapes +Viennese's +Vietcong's +Vietminh's +Vietnamese +viewership +viewfinder +viewpoints +vigilantes +vigilantly +vignette's +vignetting +vignettist +vigorously +Vijayawada +vileness's +villager's +villainies +villainous +villainy's +Villarreal +villeinage +vindicated +vindicates +vindicator +vindictive +vineyard's +violations +violator's +violence's +violinists +virginal's +Virginians +Virginia's +virility's +virologist +virology's +virtuosity +virtuoso's +virtuously +virulently +Visayans's +viscerally +viscountcy +viscount's +visibility +Visigoth's +visitant's +visitation +visualized +visualizer +visualizes +vitality's +vitalizing +vitrifying +vituperate +vivacity's +vivarium's +Vivienne's +viviparous +vivisected +vixenishly +Vladimir's +Vlaminck's +vocabulary +vocalist's +vocalizing +vocational +vocation's +vocative's +vociferate +vociferous +voicemails +volatility +volatilize +volitional +volition's +Volkswagen +volleyball +Volstead's +Voltaire's +voltmeters +volubility +volumetric +voluminous +volunteers +voluptuary +voluptuous +Vonnegut's +voracity's +Voronezh's +vouchsafed +vouchsafes +voyageur's +vulcanized +vulcanizes +vulgarians +vulgarisms +vulgarized +vulgarizer +vulgarizes +vulnerable +vulnerably +vuvuzela's +wainscoted +wainscot's +wainwright +waistbands +waistcoats +waistlines +waitperson +waitresses +waitress's +Waldemar's +Waldensian +Waldheim's +Walgreen's +walkabouts +walkaway's +walkover's +wallflower +wallopings +wallpapers +wanderer's +wanderings +wanderlust +wantonness +warbonnets +wardresses +wardrobe's +wardroom's +warehoused +warehouses +warhorse's +wariness's +warmness's +warmongers +warplane's +warrantied +warranties +warranting +warranty's +washable's +washbasins +washboards +washbowl's +washcloths +Washington +washroom's +washstands +wassailing +Wassermann +wastefully +wastelands +wastepaper +wastewater +watchbands +watchdog's +watchfully +watchmaker +watchman's +watchstrap +watchtower +watchwords +waterbed's +waterbirds +waterboard +waterborne +watercolor +watercraft +watercress +waterfalls +waterfowls +waterfront +waterholes +wateriness +waterlines +Waterloo's +watermarks +watermelon +watermills +waterproof +watersheds +watersides +waterspout +watertight +waterway's +waterwheel +waterworks +wavelength +waveringly +waviness's +waxiness's +wayfarer's +wayfarings +waylayer's +weakener's +weakfishes +weakfish's +weakling's +weaknesses +weakness's +wealthiest +weaponized +weaponizes +weaponless +weaponry's +weathering +weatherize +weatherman +weathermen +webcasting +webisode's +webmasters +Wedgwood's +Wednesdays +weedkiller +weekenders +weekending +weeknights +weightiest +weightings +weightless +Weinberg's +Weizmann's +wellhead's +Wellington +wellington +wellness's +wellspring +Welshman's +Welshmen's +Welshwoman +werewolf's +werewolves +Wesleyan's +westerlies +westerly's +westerners +westernize +Westphalia +whaleboats +whatsoever +Wheaties's +Wheatstone +wheedler's +wheelbases +wheelchair +wheelhouse +Wheeling's +wheeziness +whensoever +wherefores +whetstones +whimpering +whipcord's +whiplashes +whiplash's +whipping's +whipsawing +whirligigs +whirlpools +whirlwinds +whirlybird +whisperers +whispering +Whistler's +whistler's +Whitaker's +whiteboard +whitecap's +Whitefield +whiteheads +Whitehorse +Whiteley's +whitener's +whitenings +whiteout's +whitetails +whitewalls +whitewater +Whitsunday +Whittier's +whittler's +whizzbangs +whodunit's +wholefoods +wholegrain +wholesaled +wholesaler +wholesales +wholewheat +whomsoever +whorehouse +wickedness +wickerwork +wideness's +widescreen +widespread +Wiesenthal +wigwagging +wildcard's +wildcatted +wildcatter +wildebeest +wilderness +wildfire's +wildflower +wildfowl's +wildlife's +wildness's +Wilfredo's +Wilhelmina +wiliness's +Willamette +Willemstad +Williamson +Williams's +williwaw's +Wilmington +Winchell's +Winchester +windbreaks +windburned +windburn's +windfall's +windflower +Windhoek's +windjammer +windlasses +windlass's +windmilled +windmill's +windowless +windowpane +windowsill +windpipe's +windscreen +windshield +windsock's +windstorms +windsurfed +windsurfer +Windward's +windward's +winegrower +winemakers +wingding's +wingspan's +wingspread +Winifred's +Winnipeg's +winnower's +winterized +winterizes +wintertime +Winthrop's +wirehair's +wirelesses +wireless's +wiretapped +wiretapper +wiriness's +wiseacre's +wisecracks +wishbone's +wishlist's +wisteria's +witchcraft +witchery's +withdrawal +witherings +withstands +witnessing +witticisms +wizardry's +wobbliness +woefullest +woefulness +Wolfgang's +wolfhounds +Wollongong +wolverines +womanizers +womanizing +womanliest +womenfolks +wonderland +wonderment +wondrously +woodbine's +woodblocks +woodcarver +woodchucks +woodcock's +woodcutter +woodenness +Woodhull's +woodland's +woodpecker +woodpile's +woodshed's +woodsiness +woodsman's +Woodward's +woodwind's +woodworker +woodwork's +woolliness +Woolongong +Worcesters +wordbook's +wordlessly +wordplay's +wordsmiths +Wordsworth +workaholic +workaround +workbasket +workbook's +workfare's +workflow's +workhorses +workhouses +workingman +workingmen +workings's +workload's +workplaces +workroom's +worksheets +workshop's +worktables +workweek's +worldliest +worldviews +wormhole's +wormwood's +worryingly +worrywarts +worshipers +worshipful +worshiping +worthiness +worthwhile +Wrangell's +wrangler's +wranglings +wraparound +wrapping's +wrathfully +wreckage's +wrestler's +wretcheder +wretchedly +wriggler's +wrinkliest +wristbands +wristwatch +wrongdoers +wrongdoing +wrongfully +wunderkind +Wycliffe's +Wyomingite +xenophobes +xenophobia +xenophobic +Xenophon's +xerography +Xiaoping's +Xochipilli +xylophones +yachting's +Yamagata's +yammerer's +yardmaster +yardsticks +yarmulke's +yearbook's +yearling's +yearning's +yellowness +yeomanry's +yesterdays +yesteryear +Yokohama's +Yorkshires +Yorktown's +Yosemite's +youngsters +Youngstown +yourselves +youthfully +Yugoslavia +Yugoslav's +Yuletide's +yuletide's +yuppifying +Zamenhof's +zaniness's +Zanzibar's +Zaporozhye +zealotry's +Zedekiah's +Zeffirelli +zeitgeists +Zephyrus's +zeppelin's +Ziegfeld's +zigzagging +Zimbabwean +Zimbabwe's +Zollverein +zookeepers +zoological +zoologists +zoophyte's +zucchini's +zwieback's +Zworykin's +Zyuganov's +Aaliyah's +aardvarks +abalone's +abandoned +abasement +abashedly +abashment +abatement +abattoirs +Abbasid's +abdicated +abdicates +abdomen's +abdominal +abductees +abducting +abduction +abductors +Abelard's +Abelson's +Abernathy +abettor's +abhorrent +abhorring +abidingly +Abidjan's +Abigail's +Abilene's +abilities +ability's +abjection +abjurer's +ablations +ablatives +ablutions +abnegated +abnegates +abolished +abolishes +abolition +abominate +Aborigine +aborigine +abortions +abounding +Abraham's +abrasions +abrasives +abridging +abrogated +abrogates +abrogator +abruptest +Absalom's +abscessed +abscesses +abscess's +abscissas +absconded +absconder +abseiling +absence's +absentees +absenting +absolutes +absolving +absorbent +absorbing +abstained +abstainer +abstinent +abstracts +absurdest +absurdist +absurdity +abundance +abusively +abutments +abysmally +Abyssinia +academe's +academics +academies +academy's +accenting +accentual +Accenture +accepting +accessing +accession +accessory +accidents +acclaimed +acclaim's +acclimate +acclivity +accolades +accompany +accordant +according +accordion +accosting +accounted +account's +accouters +accredits +accretion +accrual's +accuser's +accustoms +acerbated +acerbates +acetate's +acetone's +acetylene +Acevedo's +Achaean's +Acheson's +achievers +achieving +acidified +acidifies +acidity's +acidulous +acolyte's +Aconcagua +aconite's +acoustics +acquaints +acquiesce +acquirers +acquiring +acquittal +acquitted +acreage's +acridness +acrobatic +acrobat's +acronym's +Acropolis +acropolis +acrostics +acrylic's +Actaeon's +activated +activates +activator +activists +actresses +actress's +actuality +actualize +actuarial +actuaries +actuary's +actuating +actuation +actuators +acuteness +acyclovir +adamantly +adamant's +adaptable +adapter's +adaptions +addicting +addiction +addictive +Addison's +additions +additives +addressed +addressee +addresses +address's +Adeline's +adenine's +adenoidal +adenoid's +adeptness +adherence +adherents +adhesives +adiabatic +adjacency +adjective +adjoining +adjourned +adjudging +adjunct's +adjusters +adjusting +adjutants +admirable +admirably +admiral's +Admiralty +admiralty +admirer's +admission +admitting +admixture +adoptable +adopter's +adoptions +adoration +adoringly +adornment +Adrenalin +adrenal's +Adriana's +adsorbent +adsorbing +adulating +adulation +adulators +adulatory +adulterer +adulthood +adumbrate +advance's +advancing +advantage +Adventist +adventure +adverbial +adversary +adversely +adversest +adversity +adverting +advertise +advisable +advisably +advisedly +adviser's +advocated +advocates +Aelfric's +aerator's +aerialist +aerobatic +aerodrome +aerograms +aerosol's +aerospace +Aeschylus +aesthetes +aesthetic +affecting +affection +affianced +affiances +affidavit +affiliate +affirming +afflicted +affluence +affording +afforests +affronted +affront's +Afghani's +aforesaid +African's +Afrikaans +Afrikaner +aftercare +afterglow +afterlife +aftermath +afternoon +afterward +afterword +Agamemnon +Agassiz's +agelessly +aggravate +aggregate +aggressor +aggrieved +aggrieves +agility's +agitating +agitation +agitators +agnostics +agonizing +agrarians +agreeable +agreeably +agreement +Agrippa's +Agrippina +agronomic +Aguilar's +Aguinaldo +Aguirre's +Agustin's +Ahmadabad +Ahriman's +aigrettes +aileron's +ailment's +aimlessly +airbase's +airdromes +airdrop's +Airedales +airfare's +airfields +airflow's +airfoil's +airhead's +airlifted +airlift's +airliners +airline's +airlock's +airmailed +airmail's +airplanes +airplay's +airport's +airship's +airstrike +airstrips +airtime's +airworthy +Akhmatova +Akihito's +Alabamans +Alabama's +Alabamian +alabaster +Aladdin's +alarmists +Alaskan's +albacores +Albanians +Albania's +albatross +Alberio's +Alberta's +Alberto's +Albireo's +albumen's +albumin's +alchemist +alchemy's +Alcmena's +alcoholic +alcohol's +Alcyone's +Aldebaran +Alderamin +alehouses +Alejandra +Alejandro +alembic's +alertness +Aleutians +alewife's +Alexander +Alexandra +alfalfa's +Alfonso's +Alfonzo's +Alfreda's +Alfredo's +algebraic +algebra's +Algenib's +Algerians +Algeria's +Algieba's +Algiers's +Algonquin +algorithm +alienable +alienated +alienates +alienists +Alighieri +alighting +aligner's +alignment +alimented +aliment's +alimony's +aliveness +alkalized +alkalizes +alkaloids +Allahabad +allegedly +Allegheny +allegoric +Allegra's +allegro's +alleluias +Allende's +Allentown +allergens +allergies +allergist +allergy's +alleviate +alleyways +alliances +alligator +Allison's +allocated +allocates +allotment +allotting +allowable +allowably +allowance +allusions +alluviums +Allyson's +almanac's +Almohad's +almoner's +Almoravid +almshouse +Alnilam's +Alnitak's +alongside +aloofness +alphabets +Alphard's +Alpheratz +Alsatians +alterable +alternate +altimeter +Altiplano +altitudes +Altoids's +altruists +alumina's +alumnus's +Alvarez's +alveolars +Alzheimer +Amadeus's +amalgam's +amaranths +amaryllis +Amaterasu +amateur's +amazement +amazingly +Amazonian +amazonian +ambergris +ambiances +ambiguity +ambiguous +ambitions +ambitious +ambrosial +ambulance +ambulated +ambulates +ambuscade +ambushing +amendable +amendment +Amenhotep +amenities +amenity's +Amerasian +Americana +Americans +America's +americium +Amerind's +Ameslan's +amethysts +Amharic's +Amherst's +amidships +ammeter's +ammonia's +amnesiacs +amnesia's +amnesic's +amnestied +amnesties +amnesty's +amorality +amorously +amorphous +amortized +amortizes +amounting +ampersand +amphibian +amphora's +amplified +amplifier +amplifies +amplitude +amputated +amputates +amputee's +Amsterdam +amusement +amusingly +amylase's +anabolism +anacondas +anaerobes +anaerobic +anagram's +Anaheim's +analgesia +analgesic +analogies +analogize +analogous +analogues +analogy's +analysand +analyst's +analyzers +analyzing +Ananias's +anapestic +anapest's +anarchism +anarchist +anarchy's +Anasazi's +Anastasia +anathemas +Anatole's +Anatolian +anatomies +anatomist +anatomize +anatomy's +ancestors +ancestral +Anchorage +anchorage +anchoring +anchorite +anchorman +anchormen +anchovies +anchovy's +ancienter +anciently +ancient's +ancillary +Andalusia +Andaman's +andante's +andiron's +Andorrans +Andorra's +Andrews's +androgyny +Android's +android's +Andromeda +anecdotal +anecdotes +anemone's +aneurysms +Angeles's +angelfish +Angelia's +angelical +Angelique +Angelou's +Angevin's +angleworm +Anglicans +Anglicism +anglicism +Anglicize +anglicize +angling's +Angolan's +angostura +angstroms +anguished +anguishes +anguish's +anhydrous +Aniakchak +aniline's +animating +animation +animators +animism's +animistic +animist's +animosity +aniseed's +anklebone +Annabelle +Annabel's +annalists +Annapolis +Annapurna +annealing +annelid's +Annette's +annotated +annotates +annotator +announced +announcer +announces +annoyance +annuitant +annuities +annuity's +annulling +annulment +anodizing +anodyne's +anointing +anomalies +anomalous +anomaly's +anonymity +anonymous +anopheles +anorectic +anorexics +Anouilh's +Anselmo's +answering +antacid's +Antaeus's +Antarctic +antarctic +Antares's +anteaters +antedated +antedates +antelopes +antenatal +antenna's +anterooms +anthill's +anthology +Anthony's +anthrax's +anticking +anticline +antidotes +antigenic +antigen's +Antigua's +antiknock +antilabor +Antillean +Antioch's +Antipas's +antipasti +antipasto +antipathy +antiphons +antipodal +Antipodes +antipodes +antiquary +antiquate +antique's +antiquing +antiquity +antiserum +antitoxin +antitrust +antivenin +antivenom +antiviral +antivirus +Antoine's +Antonia's +Antoninus +Antonio's +antonym's +Antwerp's +anxieties +anxiety's +anxiously +anybodies +anybody's +anythings +apartheid +apartment +apathetic +apatite's +Apennines +aperitifs +apertures +aphasia's +aphasic's +aphelions +aphorisms +Aphrodite +apiarists +Apocrypha +apocrypha +apologias +apologies +apologist +apologize +apology's +apoptosis +apoptotic +apostates +Apostle's +apostle's +apostolic +apothegms +appalling +Appaloosa +appaloosa +apparatus +appareled +apparel's +appealing +appearing +appeasers +appeasing +appellant +appellate +appendage +appending +appertain +appetites +appetizer +applauded +applauder +applejack +Appleseed +appliance +applicant +applier's +appliquéd +appliqued +appliques +appliqués +appointed +appointee +apportion +appraisal +appraised +appraiser +appraises +apprehend +apprising +approvals +approving +apricot's +aptitudes +aptness's +Aquafresh +aqualungs +aquanauts +aquaplane +aquariums +aquatic's +aquatints +aquavit's +aqueducts +aquifer's +Aquinas's +Aquitaine +arabesque +Arabian's +arability +Arabist's +Araceli's +arachnids +Aramaic's +Arapahoes +Arapaho's +arbiter's +arbitrage +arbitrary +arbitrate +arboretum +arbutuses +arbutus's +Arcadia's +archaisms +archaists +archangel +archdukes +Archean's +archenemy +archery's +archetype +archfiend +Archibald +architect +archive's +archiving +archivist +archway's +arduously +Argentina +Argentine +Argonauts +Argonne's +arguments +Ariadne's +aridity's +Ariosto's +Aristides +Aristotle +Arizonans +Arizona's +Arizonian +Arkansans +Arkwright +Arlington +armadillo +armaments +Armando's +armatures +armband's +armchairs +Armenians +Armenia's +armhole's +armistice +armorer's +armrest's +Armstrong +Arnulfo's +aromatics +arousal's +arpeggios +arraigned +arrangers +arranging +arrears's +arresting +Arrhenius +arrival's +arrogance +arrogated +arrogates +arrowhead +arrowroot +arsenal's +arsenic's +arsonists +Artemis's +arteriole +arthritic +arthritis +arthropod +Arthurian +artichoke +article's +articular +artifacts +artificer +artifices +artillery +artisan's +artiste's +artlessly +artwork's +Ascella's +ascendant +ascending +Ascension +ascension +ascertain +ascetic's +ascribing +asexually +ashamedly +Ashanti's +Ashkhabad +Ashmolean +ashtray's +Asiatic's +asininely +asininity +asparagus +aspartame +aspersion +asphalted +asphalt's +asphodels +Aspidiske +aspirants +aspirated +aspirates +aspirator +aspirin's +Asquith's +assailant +assailing +assassins +assaulted +assaulter +assault's +assayer's +assembled +assembler +assembles +assenting +asserting +assertion +assertive +assessing +assessors +asshole's +assiduity +assiduous +assigners +assigning +assignors +assistant +assisting +assistive +associate +assonance +assonants +assorting +assuaging +assumable +assurance +assuredly +assured's +Assyrians +Assyria's +Astaire's +Astarte's +asterisks +asteroids +asthmatic +Astoria's +astounded +astraddle +Astrakhan +astrakhan +astrolabe +astrology +astronaut +astronomy +AstroTurf +asymmetry +Atacama's +Atahualpa +Atatürk's +Ataturk's +atavism's +atavistic +atavist's +atelier's +Athabasca +atheism's +atheistic +atheist's +Athenians +athlete's +athletics +Atlanta's +atomizers +atomizing +atonality +Atonement +atonement +atrocious +atrophied +atrophies +atrophy's +Atropos's +attache's +attaching +attaché's +attackers +attacking +attainder +attaining +attempted +attempt's +attendant +attendees +attenders +attending +attention +attentive +attenuate +attesting +attitudes +attorneys +attracted +attribute +attrition +Attucks's +aubergine +auctioned +auction's +audacious +audible's +audiences +audiology +audiotape +auditions +auditor's +Audubon's +augmented +augmenter +Augusta's +augustest +Augustine +Aurangzeb +Aurelia's +Aurelio's +aureole's +auricle's +auricular +Auschwitz +auspice's +austerely +austerest +austerity +Australia +Austrians +Austria's +authentic +authoress +authorial +authoring +authority +authorize +autobahns +autoclave +autocracy +autocrats +autocross +autograph +automaker +automated +automates +automatic +automaton +autonomic +autopilot +autopsied +autopsies +autopsy's +auxiliary +available +avalanche +avarice's +avenger's +averagely +average's +averaging +Avernus's +aversions +aviator's +avidity's +Avignon's +avocado's +avocation +avoidable +avoidably +avoidance +avouching +avuncular +awakening +awareness +awesomely +awestruck +awfullest +awfulness +awkwarder +awkwardly +axiomatic +axletrees +axolotl's +ayatollah +Ayyubid's +azimuth's +Aztecan's +Babbage's +Babbitt's +babbler's +babushkas +Babylonia +Babylon's +Bacardi's +bacchanal +Bacchus's +bachelors +bacillary +backaches +backbench +backbiter +backbites +backboard +backbones +backcloth +backcombs +backdated +backdates +backdrops +backfield +backfired +backfires +backhands +backhoe's +backing's +backlog's +backpacks +backpedal +backrests +backrooms +backseats +backsides +backslash +backslide +backspace +backstage +backstair +backstops +backstory +backtrack +backwards +backwater +backwoods +backyards +bacterial +bacterium +Bactria's +badgering +badminton +badmouths +badness's +Baedekers +baffler's +bagatelle +baggage's +Baggies's +bagginess +Baghdad's +bagpipers +bagpipe's +baguettes +Bahamas's +Bahamians +Bahrain's +bailiwick +bailout's +bakeshops +baklava's +baksheesh +Bakunin's +balaclava +balalaika +balance's +balancing +Balaton's +balconies +balcony's +baldfaced +baldric's +Baldwin's +balefully +Balfour's +Balkans's +balladeer +Ballard's +ballasted +ballast's +ballcocks +ballerina +ballgames +ballgirls +ballgowns +ballistic +ballooned +balloon's +balloting +ballparks +ballpoint +ballrooms +ballsiest +ballyhoos +balminess +baloney's +Balthazar +Baltimore +balusters +bamboozle +bandage's +bandaging +bandannas +bandboxes +bandbox's +bandeau's +bandoleer +bandstand +Bandung's +bandwagon +bandwidth +Bangalore +Bangkok's +banishing +banisters +banjoists +bankbooks +bankcards +banking's +banknotes +bankrolls +bankrupts +Bannister +bannock's +banqueted +banqueter +banquet's +banquette +banshee's +bantering +Banting's +baptismal +baptism's +Baptist's +baptizers +baptizing +Barbadian +Barbara's +barbarian +barbarism +barbarity +barbarize +barbarous +Barbary's +barbecued +barbecues +barbell's +barbering +Barbour's +Barbuda's +barcarole +Barcelona +Barclay's +Bardeen's +barefaced +Barents's +bargained +bargainer +bargain's +barhopped +barista's +baritones +barkeeper +barkeep's +Barkley's +barmaid's +Barnaby's +barnacled +barnacles +Barnard's +Barnaul's +Barnett's +barnstorm +barnyards +barometer +baronages +baronetcy +baronet's +baroque's +barracked +barrack's +barracuda +barrage's +barraging +barreling +barrenest +Barrera's +barrettes +Barrett's +barricade +barrier's +barrister +barroom's +Barrymore +bartender +barterers +bartering +Bartholdi +baseballs +baseboard +baselines +baseman's +basements +bashfully +bashing's +basically +basilicas +basilisks +basinfuls +bassinets +bassist's +bassoon's +basswoods +bastard's +bastion's +bathhouse +bathing's +bathmat's +bathrobes +bathrooms +Bathsheba +bathtub's +bathwater +Batista's +batiste's +batsman's +battalion +battening +batterers +batteries +battering +battery's +batting's +battleaxe +battler's +Bauhaus's +bauxite's +Bavaria's +bawdiness +bayoneted +bayonet's +Bayonne's +bazillion +bazooka's +beachhead +beachwear +beading's +beanbag's +beanfeast +beanpoles +beanstalk +beardless +Beardmore +Beardsley +bearing's +bearishly +Bearnaise +bearskins +Beasley's +beastlier +beastly's +beatified +beatifies +beating's +beatitude +Beatles's +beatnik's +Beatrix's +Beatriz's +beauteous +beautiful +beavering +becalming +Bechtel's +Beckett's +beckoning +beclouded +Becquerel +becquerel +bedaubing +bedazzled +bedazzles +bedding's +bedecking +bedeviled +bedfellow +bedimming +bedizened +Bedouin's +bedpost's +bedraggle +bedridden +bedrock's +bedroll's +bedroom's +bedside's +bedsitter +bedsore's +bedspread +bedsteads +bedtime's +Beecher's +beechnuts +Beefaroni +beefcakes +beefiness +beefsteak +beehive's +beekeeper +beeline's +Beelzebub +beeswax's +Beethoven +beetroots +befalling +befitting +befogging +befouling +befriends +befuddled +befuddles +begetters +begetting +beggaring +beggary's +beginners +beginning +begonia's +begriming +begrudged +begrudges +beguilers +beguiling +beguine's +behaviors +beheading +behemoths +beholders +beholding +behooving +Behring's +Beijing's +bejeweled +belabored +Belarus's +belatedly +beleaguer +Belfast's +Belgian's +Belgium's +believers +believing +Belinda's +belittled +belittles +Bellamy's +Bellatrix +bellboy's +Belleek's +bellhop's +bellicose +Bellini's +bellman's +bellowing +bellyache +bellyfuls +Belmont's +belonging +beloved's +Beltane's +beltway's +Belushi's +bemoaning +bemusedly +benchmark +Bendictus +benefices +benefited +benefit's +Benelux's +Bengali's +benighted +benignant +benignity +Bennett's +Bentham's +Bentley's +benumbing +benzene's +benzine's +Beowulf's +bequeaths +bequest's +bereaving +Beretta's +Bergman's +Bergson's +berkelium +Berkshire +Berliners +Berlioz's +Berlitz's +Bermudans +Bermuda's +Bermudian +Bernadine +Bernard's +Bernays's +Bernhardt +Bernice's +Bernini's +Bernoulli +Bernstein +berrylike +Bertillon +Bertram's +beryllium +Berzelius +beseecher +beseeches +beseeming +besetting +besiegers +besieging +besmeared +besotting +bespangle +bespatter +bestially +bestirred +bestowals +bestowing +bestrewed +bestrides +Bethany's +Bethlehem +bethought +Bethune's +betokened +betrayals +betrayers +betraying +betrothal +betrothed +bettering +beverages +Beveridge +Beverly's +bewailing +bewilders +bewitched +bewitches +Bhutanese +Bialystok +biathlons +bicameral +bickerers +bickering +biconcave +bicuspids +bicyclers +bicycle's +bicycling +bicyclist +bidding's +biennials +bienniums +bifurcate +bigamists +Bigfoot's +Biggles's +bighead's +bighorn's +bigmouths +bigness's +bigotries +bigotry's +bilabials +bilateral +bilingual +bilirubin +billboard +billeting +billfolds +billhooks +billiards +billing's +billion's +billionth +billowing +billycans +bimonthly +binderies +bindery's +binding's +binnacles +binocular +binomials +bioethics +biography +biologist +biology's +biomass's +bionics's +biopsying +biorhythm +biosensor +biosphere +bipartite +biplane's +birdbaths +birdbrain +birdcages +birdhouse +birdieing +biretta's +birthdays +birther's +birthmark +birthrate +biscuit's +bisecting +bisection +bisectors +bisexuals +Bishkek's +bishopric +Bismark's +bismuth's +bitchiest +bitcoin's +bitterest +bittern's +bitters's +bitumen's +bivalve's +bivouac's +bizarrely +blabbered +blackball +blackbird +Blackburn +blackened +blackface +Blackfeet +Blackfoot +blackhead +blackjack +blacklegs +blacklist +blackmail +blackness +blackouts +Blackpool +blacktops +Blackwell +bladder's +blameless +Blanchard +Blanche's +blanching +blandness +blanketed +blanket's +blankness +blarneyed +blarney's +blaspheme +blasphemy +blaster's +blastoffs +blatantly +blathered +blather's +Blavatsky +blazoning +bleachers +bleaching +bleakness +bleariest +bleeder's +bleeper's +blemished +blemishes +blemish's +blenching +blender's +blessedly +blessings +Blevins's +blighters +blighting +blinder's +blindfold +blindness +blindside +blinkered +blinker's +blintze's +blistered +blister's +blizzards +bloatware +blockaded +blockader +blockades +blockages +blocker's +blockhead +blogger's +Blondel's +Blondie's +blondness +bloodbath +bloodiest +bloodless +bloodline +bloodshed +bloodshot +bloodying +Bloomer's +bloomer's +blooper's +blossomed +blossom's +blotchier +blotching +blotter's +blowflies +blowfly's +blowgun's +blowhards +blowholes +blowjob's +blowlamps +blowout's +blowpipes +blowtorch +blowziest +blubbered +blubber's +Blucher's +bludgeons +Bluebeard +bluebells +blueberry +bluebirds +bluegills +bluegrass +bluejeans +bluenoses +bluepoint +blueprint +bluesiest +Bluetooth +bluffer's +bluffness +blundered +blunderer +blunder's +bluntness +blurriest +blusher's +blustered +blusterer +bluster's +boarder's +boardroom +boardwalk +boaster's +boathouse +boating's +boatloads +boatman's +boatswain +boatyards +Bobbitt's +bobolinks +bobsled's +bobsleigh +bobtail's +bobwhites +Boccaccio +bodacious +bodyguard +bodysuits +Boeotia's +bogyman's +Bohemians +bohemians +Bohemia's +Bojangles +boldfaced +bolivares +Bolivar's +bolivar's +Bolivians +Bolivia's +bollixing +Bollywood +Bologna's +bologna's +Bolshevik +Bolshoi's +bolstered +bolster's +boltholes +Boltzmann +bombarded +bombastic +bombast's +bombproof +bombshell +bombsites +bonanza's +Bonaparte +bondage's +bonding's +bondman's +bondwoman +bondwomen +boneheads +bonfire's +boogeyman +boogeymen +boogieing +boogieman +boohooing +bookcases +bookend's +booking's +booklet's +bookmaker +bookmarks +bookplate +bookshelf +bookshops +bookstall +bookstore +bookworms +Boolean's +boomboxes +boombox's +boomerang +boondocks +boonies's +boorishly +booster's +bootblack +bootlaces +bootleg's +bootstrap +bordellos +bordering +boredom's +boreholes +Borglum's +Borlaug's +Borobudur +Borodin's +borough's +borrowers +borrowing +borscht's +bossiness +bossism's +Bostonian +Boswell's +botanical +botanists +botcher's +bothering +bottler's +bottoming +botulinum +boudoir's +bouffants +bouillons +Boulder's +boulder's +boulevard +bouncer's +bounciest +bounder's +boundless +bounteous +bountiful +bouquet's +Bourbon's +bourbon's +bourgeois +boutiques +bouzoukis +bowlegged +bowlful's +bowline's +bowling's +bowsprits +bowstring +boxwood's +boycotted +boycott's +boyfriend +boyhood's +bracelets +bracero's +bracken's +bracketed +bracket's +Bradley's +braggarts +bragger's +Brahman's +Braille's +braille's +brainiest +brainless +brainwash +brainwave +bramble's +branching +Branden's +brander's +Brandie's +Brandon's +brandying +brashness +brasserie +brassiere +brassiest +brattiest +bratwurst +bravado's +braveness +bravery's +bravura's +brawler's +brawniest +brazening +brazier's +Brazilian +breaching +breadline +breadth's +breakable +breakages +breakaway +breakdown +breaker's +breakfast +breakneck +breakouts +breakup's +breastfed +breasting +breathers +breathier +breathing +breeder's +breezeway +breeziest +Brendan's +Brennan's +Brenner's +Brenton's +brevetted +brevity's +breweries +brewery's +brewpub's +Brianna's +bribery's +brickbats +brickwork +brickyard +Bridger's +Bridges's +Bridget's +Bridgette +bridleway +briefcase +briefings +briefness +brigade's +brigadier +Brigadoon +brigand's +Brigham's +brightens +brightest +brights's +brilliant +brimstone +brindle's +bringer's +brininess +brioche's +briquette +brisket's +briskness +bristle's +bristlier +bristling +Bristol's +Britain's +Britannia +Britannic +Briticism +Britisher +British's +Britney's +Britten's +brittle's +brittlest +broaching +broadband +broadcast +broadened +broadloom +broadness +broadside +Broadways +brocade's +brocading +brochette +brochures +broiler's +brokerage +brokering +bromide's +bromine's +bronchial +Bronson's +brooder's +broodiest +broodmare +brooklets +brothel's +brotherly +brother's +broughams +brouhahas +browbeats +brownie's +brownness +brownouts +browser's +Brubeck's +bruiser's +Brummel's +brunching +Bruneians +brunettes +Brunhilde +Brunswick +brushoffs +brushwood +brushwork +brusquely +brusquest +brutality +brutalize +brutishly +Brynner's +bubblegum +bubbliest +buccaneer +Bucharest +buckaroos +buckboard +bucketful +bucketing +buckeye's +buckler's +Buckley's +Buckner's +buckram's +bucksaw's +buckskins +buckteeth +bucktooth +buckwheat +buckyball +bucolic's +Buddhisms +Buddhists +budgetary +budgeting +Budweiser +buffaloed +buffaloes +Buffalo's +buffalo's +buffering +buffeting +buffoon's +bugaboo's +Bugatti's +bugbear's +buggering +builder's +buildings +buildup's +Bujumbura +Bukhara's +Bulgarian +Bulgari's +bulimia's +bulimic's +bulkheads +bulkiness +bulldog's +bulldozed +bulldozer +bulldozes +bulletins +bullfight +bullfinch +bullfrogs +bullheads +bullhorns +bullion's +bullishly +Bullock's +bullock's +bullpen's +bullrings +bullshits +bullwhips +bulrushes +bulrush's +bulwark's +bumblebee +bumbler's +bumpiness +bumpkin's +bumptious +bunchiest +Bundestag +bungalows +bungholes +bungler's +bunkhouse +bunting's +buoyantly +Burbank's +burdening +burdock's +burgeoned +Burgess's +burgher's +burglar's +burlesque +burliness +Burmese's +burnables +Burnett's +burnished +burnisher +burnishes +burnish's +burnooses +burnout's +burrito's +Burroughs +burrowers +burrowing +bursaries +bursary's +Burundian +Burundi's +busgirl's +busheling +Bushido's +bushiness +bushing's +bushman's +bushwhack +butchered +butcher's +buttercup +butterfat +butterfly +butterier +butteries +buttering +butternut +buttery's +buttock's +buttoning +Buxtehude +buyback's +buzzard's +buzzkills +buzzwords +bypassing +byproduct +Byronic's +bystander +Byzantine +byzantine +Byzantium +caballero +cabaret's +cabbage's +cabdriver +cabinetry +cabinet's +cablecast +cablegram +cabochons +caboose's +Cabrera's +Cabrini's +cabriolet +cabstands +cachepots +cackler's +cacophony +cadaver's +caddishly +cadence's +cadenza's +cadmium's +Caedmon's +caesura's +cafeteria +cafetiere +Cahokia's +caisson's +caitiff's +Caitlin's +cajoler's +cakewalks +calaboose +calamaris +calcified +calcifies +calcimine +calcining +calcite's +calcium's +calculate +caldera's +Caledonia +calendars +Calgary's +Calhoun's +Caliban's +caliber's +calibrate +calipered +caliper's +caliphate +Callaghan +callbacks +calling's +calliopes +callosity +calloused +callouses +callously +callowest +callusing +calorie's +calorific +calumet's +calumnies +calumny's +Calvary's +Calvert's +Calvinism +Calvinist +calypso's +Camacho's +cambering +cambium's +Cambodian +Cambrians +cambric's +Cambridge +camcorder +camelhair +camellias +Camelot's +Camembert +cameraman +cameramen +Cameron's +Cameroons +Camilla's +Camille's +camisoles +Camoens's +campaigns +campanile +campfires +camphor's +camping's +campsites +camshafts +Canaanite +Canadians +Canaletto +canalized +canalizes +canasta's +Canaveral +cancelers +canceling +cancerous +Candace's +Candice's +candidacy +candidate +Candide's +candlelit +candler's +canebrake +canisters +cankering +cankerous +canneries +cannery's +cannibals +canniness +cannonade +cannoning +canoeists +canonical +canonized +canonizes +canoodled +canoodles +Canopus's +canopying +cantabile +cantata's +canteen's +cantering +canticles +Cantonese +canvasing +canvassed +canvasser +canvasses +canvass's +canyoning +capacious +capacitor +caparison +Capella's +capillary +capitally +capital's +Capitol's +capitol's +caprice's +Capricorn +capsicums +capsizing +capstan's +capstones +capsule's +capsuling +capsulize +captaincy +captained +captain's +captioned +caption's +captivate +captive's +captivity +capture's +capturing +Capulet's +Caracalla +Caracas's +caramel's +carapaces +caravan's +caravel's +caraway's +carbide's +carbine's +carbonate +carbonize +carbuncle +carcasses +carcass's +carcinoma +cardamoms +cardamons +cardboard +Cardiff's +cardigans +cardinals +Cardozo's +cardsharp +careening +careering +careerism +careerist +carefully +caregiver +caressing +caretaker +carfare's +Caribbean +caribou's +carillons +Carissa's +carjacked +carjacker +Carlene's +carload's +Carlson's +Carlton's +Carlyle's +Carmela's +Carmelo's +Carmine's +carmine's +carnage's +carnality +Carnation +carnation +carnelian +carnivals +carnivora +carnivore +caroler's +Carolyn's +carotid's +carousals +carousels +carousers +carouse's +carousing +Carpenter +carpenter +carpentry +carpetbag +carpeting +carpooled +carpool's +carport's +carriages +Carrier's +carrier's +carrion's +Carroll's +carryalls +carrycots +carryover +cartage's +Cartesian +carthorse +Cartier's +cartilage +cartloads +cartooned +cartoon's +cartridge +cartwheel +carveries +carving's +caryatids +Casanovas +cascade's +cascading +cascara's +casebooks +caseloads +casements +cashbooks +cashiered +cashier's +Caspian's +Cassandra +Cassatt's +cassava's +casserole +cassettes +Cassidy's +Cassius's +cassock's +cassowary +Castaneda +castanets +castaways +castigate +Castilian +casting's +castoff's +castrated +castrates +casuistic +casuistry +casuist's +cataclysm +catacombs +Catalan's +catalepsy +cataloged +cataloger +catalog's +Catalonia +catalpa's +catalyses +catalysis +catalysts +catalytic +catalyzed +catalyzes +catamaran +catapults +cataracts +catarrh's +catatonia +catatonic +Catawba's +catbird's +catboat's +catcalled +catcall's +catchalls +catcher's +catchiest +catchings +catchment +catchword +catechism +catechist +catechize +caterer's +caterings +caterwaul +catfishes +catfish's +catharses +catharsis +cathartic +cathedral +Catherine +catheters +cathode's +Catholics +Cathryn's +catnapped +Catskills +cattail's +catteries +cattiness +cattleman +cattlemen +catwalk's +Caucasian +Caucasoid +caucusing +cauldrons +caulker's +causality +causation +causative +causeless +causeries +causeways +caustic's +cauterize +cautioned +caution's +cavalcade +cavaliers +cavalries +cavalry's +caveman's +Cavendish +cavernous +caviler's +cavilings +cavorting +Cayenne's +cayenne's +ceasefire +ceaseless +Ceausescu +Cebuano's +Cecelia's +Cecilia's +cedilla's +ceiling's +celandine +celebrant +celebrate +celebrity +celesta's +Celeste's +celestial +celibates +Cellini's +cellist's +cellmates +cellphone +cellulars +cellulite +celluloid +cellulose +Celsius's +cementers +cementing +cenobites +cenobitic +cenotaphs +censorial +censoring +censurers +censure's +censuring +censusing +centaur's +Centaurus +centavo's +centenary +centering +centigram +centime's +centipede +centrally +central's +centrists +centuries +centurion +century's +Cepheid's +Cepheus's +ceramic's +ceramists +cerebrate +cerebrums +cerements +certainly +certainty +certified +certifies +certitude +Cervantes +cesareans +cessation +cession's +cesspools +cetaceans +Ceylonese +Cezanne's +Chablis's +Chadian's +chaffinch +Chagall's +chagrined +chagrin's +chainsaws +chairlift +Chaitanya +Chaitin's +chalice's +chalkiest +challenge +challis's +chambered +chamber's +chameleon +chamois's +chamomile +champagne +champions +Champlain +chancel's +chanciest +chancre's +chandlers +Chandon's +Chandra's +Changchun +changer's +channeled +channel's +chanson's +chanter's +chanteuse +chantey's +Chantilly +chaparral +chapattis +chapbooks +chapeau's +chaperons +chaplains +chaplet's +Chaplin's +Chapman's +chapter's +charabanc +character +charade's +charbroil +charcoals +charger's +chariness +chariot's +charities +Charity's +charity's +charlatan +Charles's +Charley's +Charlie's +Charlotte +Charmaine +charmer's +Charmin's +charmless +Charolais +chartered +charterer +charter's +charwoman +charwomen +Charybdis +Chasity's +chassis's +chastened +chastised +chastiser +chastises +chasubles +chateau's +chatlines +chattel's +chattered +chatterer +chatter's +chattiest +Chaucer's +chauffeur +Chayefsky +cheapened +cheapness +cheater's +Chechen's +checkbook +checkered +checker's +checklist +checkmate +checkoffs +checkouts +checkroom +checkup's +Cheddar's +cheddar's +cheekbone +cheekiest +cheerer's +cheeriest +cheerio's +cheerless +cheesiest +cheetah's +Cheetos's +Cheever's +Chekhov's +Chelsea's +chemicals +chemise's +chemistry +chemist's +Chengdu's +Chennai's +cherished +cherishes +Chernenko +Chernobyl +Cherokees +cheroot's +chervil's +Chester's +chestfuls +chestiest +chestnuts +Chevalier +chevalier +Cheviot's +cheviot's +Chevrolet +Chevron's +chevron's +chewiness +Cheyennes +Chianti's +Chibcha's +Chicagoan +Chicago's +Chicana's +chicanery +chicane's +Chicano's +chickadee +Chickasaw +chickened +chicken's +chickpeas +chickweed +chicories +chicory's +chidingly +chieftain +chiffon's +chigger's +chignon's +Chihuahua +chihuahua +chilblain +childcare +childhood +childless +childlike +Chilean's +chiller's +chilliest +chillings +chillness +Chimera's +chimera's +chimney's +Chinatown +chinaware +Chinese's +Chinook's +chinstrap +chintzier +chipboard +Chipewyan +chipmunks +chipolata +chipper's +Chippewas +chippings +Chirico's +chiropody +chirpiest +chirruped +chirrup's +chiselers +chiseling +chitchats +chitinous +chlamydia +chloral's +chlordane +chlorides +chocolate +chocolaty +Choctaw's +choirboys +cholera's +Chomsky's +Chongqing +chooser's +choosiest +chophouse +choppered +chopper's +choppiest +chopstick +chorale's +chordates +chorister +choroid's +chortlers +chortle's +chortling +chorusing +chowder's +Christa's +christens +Christian +christian +Christina +Christine +Christi's +Christmas +chromatic +chromatin +chronicle +chrysalis +château's +chubbiest +chuckhole +chuckle's +chuckling +Chukchi's +Chumash's +chummiest +chundered +chunkiest +chuntered +Churchill +churchman +churchmen +churner's +chutney's +Chuvash's +ciabattas +cicerones +cigarette +cigarillo +Cimabue's +cinchonas +cinctures +cindering +cinematic +ciphering +circadian +circlet's +circuital +circuited +circuitry +circuit's +circulars +circulate +cirrhosis +cirrhotic +cistern's +citadel's +citations +Citigroup +citizenry +citizen's +Citroen's +civically +civilians +civilized +civilizes +civvies's +Claiborne +claimable +claimants +claimer's +Clairol's +clambakes +clambered +clamberer +clamber's +clammiest +clamoring +clamorous +clampdown +clangor's +clapboard +Clapeyron +clapper's +Clapton's +Clarendon +Clarice's +clarified +clarifies +clarinets +clarioned +clarion's +clarity's +classical +classic's +classiest +classless +classmate +classroom +classwork +clattered +clatter's +Claudette +Claudia's +Claudio's +clavicles +clavier's +Clayton's +cleanable +cleaner's +cleanings +cleanlier +cleanness +cleansers +cleansing +cleanup's +clearance +Clearasil +clearings +clearness +clearways +cleavages +cleaver's +Clemens's +clemently +Clement's +Clemons's +Clemson's +clenching +Cleopatra +clergyman +clergymen +clerkship +Cleveland +cleverest +Cliburn's +clickable +clicker's +clientele +clientèle +clifftops +Clifton's +climactic +climate's +climaxing +climbable +climber's +clinchers +clinching +clinger's +clingfilm +clingiest +clinician +clinker's +Clinton's +clipboard +clipper's +clippings +cloakroom +clobbered +clobber's +clockwise +clockwork +cloisonné +cloisonne +cloisters +cloistral +Clorets's +closeness +closeouts +closeting +closeup's +closing's +Closure's +closure's +clothiers +cloture's +cloudiest +cloudless +cloyingly +clubbable +clubhouse +clumpiest +clumsiest +clunker's +clunkiest +clustered +cluster's +clutching +cluttered +clutter's +cnidarian +coachload +coachwork +coadjutor +coagulant +coagulate +coalesced +coalesces +coalfaces +coalfield +coalition +coalmines +coarsened +coaster's +coastline +coating's +coatrooms +coattails +coauthors +coaxingly +cobbler's +cobwebbed +cocaine's +cochineal +Cochise's +cochlea's +Cochran's +cockade's +cockatiel +cockatoos +cockcrows +cockerels +cockfight +cockiness +Cockney's +cockney's +cockpit's +cockroach +cockscomb +cocktails +coconut's +cocooning +Cocteau's +codeine's +codfishes +codfish's +codicil's +codifiers +codifying +codpieces +coequally +coequal's +coercer's +coexisted +coffeepot +cofferdam +coffining +cogency's +cogitated +cogitates +cogitator +cognate's +cognition +cognitive +cognizant +cognomens +cogwheels +cohabited +coherence +coherency +coiffured +coiffures +coinage's +coincided +coincides +Cointreau +colanders +Colbert's +Coleman's +Coleridge +Colette's +Colgate's +coliseums +colitis's +collage's +collapsed +collapses +collard's +collaring +collating +collation +collators +colleague +collected +collector +collect's +Colleen's +colleen's +college's +collegian +colliders +colliding +Collier's +collier's +Collins's +collision +collocate +colloidal +colloid's +colluding +collusion +collusive +Cologne's +cologne's +Colombian +Colombo's +colonelcy +colonel's +colonials +colonists +colonized +colonizer +colonizes +colonnade +colophons +Coloradan +colorants +colored's +colorfast +colorists +colorized +colorizes +colorless +colorways +Colosseum +colostomy +colostrum +Columbine +columbine +columnist +comaker's +Comanches +combatant +combating +combative +combiners +combine's +combining +combusted +comebacks +comedians +comedowns +comeliest +comforted +comforter +comfort's +comically +Comintern +commanded +commander +commandos +command's +commenced +commences +commended +commented +comment's +commingle +commissar +committal +committed +committee +committer +commode's +commodity +commodore +commoners +commonest +Commons's +commotion +commune's +communing +Communion +communion +Communism +communism +Communist +communist +community +commuters +commute's +commuting +Comoros's +compacted +compacter +compactly +compactor +compact's +companies +companion +company's +compare's +comparing +compassed +compasses +compass's +compeer's +compelled +compering +competent +competing +compilers +compiling +complains +complaint +completed +completer +completes +complexes +complexly +complex's +compliant +complicit +complying +component +comported +composers +composing +composite +composted +compost's +composure +compote's +compounds +compèring +comprised +comprises +Compton's +computers +computing +comradely +comrade's +Conakry's +concavely +concavity +concealed +concealer +conceding +conceited +conceit's +conceived +conceives +concept's +concerned +concern's +concerted +concertos +concert's +concierge +concisely +concisest +concision +conclaves +concluded +concludes +concocted +concordat +Concord's +concord's +concourse +concreted +concretes +concubine +concurred +concussed +concusses +condemned +condemner +condensed +condenser +condenses +Condillac +condiment +condition +condoling +condoning +Condorcet +conducing +conducive +conducted +conductor +conduct's +conduit's +Conestoga +confabbed +conferees +conferral +conferred +conferrer +confessed +confesses +confessor +confidant +confident +confiders +confiding +configure +confine's +confining +confirmed +conflated +conflates +conflicts +confluent +conformed +conformer +confounds +confreres +confronts +confrères +Confucian +Confucius +confusers +confusing +confusion +confuting +congealed +congenial +congeries +congested +Congolese +congruent +congruity +congruous +conically +conifer's +conjoined +conjoiner +conjugate +conjuncts +conjurers +conjuring +connected +connector +Connemara +Connery's +connivers +conniving +Connors's +connoting +connubial +conquered +conqueror +conquests +Conrail's +conscious +conscript +consensus +consented +consent's +conserved +conserves +considers +consigned +consignee +consignor +consisted +console's +consoling +consonant +consorted +consortia +consort's +conspired +conspires +Constable +constable +Constance +constancy +constants +constrain +constrict +construct +construed +construes +consulate +consulted +consumers +consuming +contacted +contact's +contagion +contained +container +contemned +contended +contender +contented +contently +content's +contested +contest's +context's +Continent +continent +continual +continued +continues +continuum +contorted +contoured +contour's +contracts +contrails +contralto +contrasts +Contreras +contrived +contriver +contrives +control's +contumacy +contumely +contusing +contusion +conundrum +convector +conveners +convening +convent's +converged +converges +conversed +converses +converted +converter +convert's +convexity +conveying +conveyors +convicted +convict's +convinced +convinces +convivial +convoking +convoying +convulsed +convulses +cookbooks +cookeries +cookery's +cookhouse +cooking's +cookout's +cookwares +coolant's +coonskins +cooperage +cooperate +coopering +copacetic +copilot's +copiously +Copland's +Coppola's +copulated +copulates +copybooks +copycat's +copyist's +copyright +coquetted +coquettes +coracle's +cordage's +cordially +cordial's +cordite's +Cordoba's +cordoning +corduroys +coriander +Corinne's +Corinth's +corkscrew +Cormack's +cormorant +cornballs +cornbread +corncob's +corncrake +Corneille +Cornelius +Cornell's +cornering +cornfield +cornflour +cornice's +corniness +Corning's +Cornishes +Cornish's +cornrowed +cornrow's +cornstalk +corollary +corolla's +coronal's +coroner's +coronet's +corporals +corporate +corporeal +corpulent +corpuscle +corralled +corrected +correcter +correctly +corrector +Correggio +correlate +corridors +Corrine's +corroding +corrosion +corrosive +corrugate +corrupted +corrupter +corruptly +corsage's +corsair's +corseting +Corsica's +cortege's +cortège's +cortisone +coruscate +Corvallis +corvettes +cosigners +cosigning +cosmetics +cosmogony +cosmology +cosmonaut +cosponsor +Cossack's +cosseting +cossetted +costarred +costliest +Costner's +costumers +costume's +costumier +costuming +cotangent +coterie's +cotillion +Cotonou's +cottagers +cottage's +cottaging +cottoning +cotyledon +couchette +Coulomb's +coulomb's +Coulter's +councilor +council's +counseled +counselor +counsel's +countable +countably +countdown +countered +counter's +countless +countries +country's +couplet's +couplings +courage's +Courbet's +courgette +couriered +courier's +courser's +courteous +courtesan +courtiers +courtlier +courtroom +courtship +courtyard +couture's +couturier +covenants +coveralls +coverings +coverlets +cowardice +cowbell's +cowbird's +cowgirl's +cowhand's +cowherd's +cowhide's +cowlick's +cowling's +coworkers +cowpoke's +cowslip's +coxcomb's +coxswains +coyness's +Cozumel's +crabber's +crabbiest +crabgrass +crackdown +cracker's +crackhead +crackings +crackle's +crackling +crackpots +crackup's +craftiest +craftsman +craftsmen +craggiest +crampon's +Cranach's +cranberry +cranium's +crankcase +crankiest +Cranmer's +crappie's +crappiest +crassness +cratering +craving's +crawdad's +crawler's +crawliest +Crayola's +crayoning +craziness +creakiest +creamer's +creamiest +creations +creatives +Creator's +creator's +creatures +credenzas +crediting +creditors +credulity +credulous +creeper's +creepiest +Creighton +cremating +cremation +crematory +crenelate +creosoted +creosotes +crescendo +crescents +crestless +cretinism +cretinous +crevasses +crevice's +crewman's +cribber's +cricketer +cricket's +Crimean's +criminals +crimsoned +crimson's +crinkle's +crinklier +crinkling +crinoline +Criollo's +cripplers +cripple's +crippling +crispiest +crispness +criterion +criticism +criticize +critiqued +critiques +critter's +croakiest +Croatians +Croatia's +crocheted +crocheter +crochet's +crocodile +Croesus's +croissant +crookeder +crookedly +Crookes's +crookneck +crooner's +croplands +cropper's +croquet's +croquette +crosier's +crossbars +crossbeam +crossbows +crossbred +crosscuts +crossfire +crossings +crossness +crossover +crossroad +crosstown +crosswalk +crosswind +crosswise +crossword +crotchets +crotchety +croûton's +crouching +croupiers +croupiest +crouton's +crowbar's +crowdfund +crowfoots +Crowley's +crucially +crucibles +crucified +crucifies +cruciform +cruddiest +crudeness +crudities +crudity's +cruelness +cruelties +cruelty's +cruiser's +cruller's +crumbiest +crumble's +crumblier +crumbling +crummiest +crumpet's +crumple's +crumpling +crunchier +crunching +crupper's +crusaders +crusade's +crusading +crusher's +crustiest +crybabies +crybaby's +cryogenic +Crystal's +crystal's +Ctesiphon +Cthulhu's +cubbyhole +cubicle's +Cuchulain +cuckolded +cuckoldry +cuckold's +cucumbers +cuddliest +cudgeling +Cuisinart +cuisine's +culminate +culotte's +culprit's +cultism's +cultist's +cultivars +cultivate +culture's +culturing +culvert's +cumbering +cumulus's +cuneiform +cunninger +cunningly +cunning's +cupboards +cupcake's +Curacao's +curatives +curator's +curbing's +curbstone +curettage +curiosity +curiously +curlicued +curlicues +curliness +curling's +currant's +currently +current's +curricula +Currier's +currycomb +cursively +cursive's +cursorily +curtailed +curtained +curtain's +curtsying +curvature +cushioned +cushion's +cuspidors +custard's +custodial +custodian +custody's +customary +customers +customize +cutaneous +cutaway's +cutback's +cutesiest +cuticle's +cutlasses +cutlass's +cutlery's +cutthroat +cuttingly +cutting's +cutworm's +cyanide's +cybercafé +cybercafe +cyberpunk +cyclamens +cyclist's +cyclone's +Cyclops's +cyclops's +cyclotron +cylinders +cymbalist +Cymbeline +cynically +cynosures +Cynthia's +cypresses +cypress's +Cyprian's +Cypriot's +cytokines +cytoplasm +czarina's +czarist's +Czechia's +dabbler's +dachshund +dactylics +Dadaism's +dadaism's +dadaist's +daffiness +daffodils +Dagwood's +Dahomey's +dailiness +Daimler's +daintiest +daiquiris +dairymaid +Dakotan's +dalliance +dallier's +Dalmatian +dalmatian +damages's +damasking +damnation +damnedest +dampeners +dampening +damselfly +dancing's +dandelion +dandified +dandifies +Danelaw's +dangerous +dangler's +Daniels's +danseuses +dapperest +daredevil +darkeners +darkening +darkrooms +Darlene's +Darling's +darling's +darnedest +Darnell's +Darrell's +dartboard +Dartmouth +Darwinian +Darwinism +Darwinist +dashboard +dashiki's +dashingly +dastardly +dastard's +databases +datebooks +datelined +datelines +Daugherty +daughters +Daumier's +dauntless +dauphin's +Davenport +davenport +dawdler's +daycare's +daydreams +daylights +daytime's +dazzler's +débutante +décolleté +deaconess +deadbeats +deadbolts +deadening +deadheads +deadliest +deadlines +deadlocks +deadpan's +deafening +dealing's +Deandre's +deaneries +deanery's +deathbeds +deathblow +deathless +deathlike +deathtrap +debacle's +debarking +debarment +debarring +debatable +debater's +debauched +debauchee +debauches +debauch's +debenture +Deborah's +debouched +debouches +debriefed +debuggers +debugging +debunking +Debussy's +debutante +decadence +decadency +decadents +decagon's +Decalogue +decamping +decanters +decanting +decathlon +Decatur's +decease's +deceasing +decedents +deceitful +deceivers +deceiving +Decembers +decencies +decency's +decennial +deception +deceptive +decibel's +decidable +decidedly +deciduous +deciliter +decimal's +decimated +decimates +decimeter +deciphers +decisions +deckchair +deckhands +declaimed +declaimer +declarers +declaring +declawing +decliners +decline's +declining +declivity +decoder's +decollete +decompose +decontrol +decorated +decorates +decorator +decorum's +decoupage +decoupled +decouples +decreased +decreases +decreeing +decrement +dedicated +dedicates +dedicator +deducible +deducting +deduction +deductive +deepening +defacer's +defalcate +defamer's +defaulted +defaulter +default's +defeaters +defeating +defeatism +defeatist +defecated +defecates +defecting +defection +defective +defectors +defendant +defenders +defending +defense's +defensing +defensive +deference +deferment +deferrals +deferring +defiantly +deficient +deficit's +defiler's +definable +definer's +deflating +deflation +deflected +deflector +deflowers +defoggers +defogging +defoliant +defoliate +deforests +deforming +deformity +defrauded +defrauder +defraying +defrocked +defrosted +defroster +degassing +DeGeneres +degrading +dehydrate +Deirdre's +dejecting +dejection +Dejesus's +Delacroix +Delaney's +Delawares +delayer's +Delbert's +delegated +delegates +deletions +delftware +Delgado's +Delibes's +Delicious +delicious +delighted +delight's +Delilah's +delimited +delimiter +delineate +delinting +delirious +deliriums +delivered +deliverer +Delmonico +Delores's +Deloris's +delousing +Delphic's +Delphinus +delusions +demagogic +demagogue +demanding +demarcate +demeaning +demerit's +Demerol's +demesne's +Demeter's +Demetrius +demigod's +demijohns +demimonde +demisters +demisting +demitasse +demobbing +democracy +Democrats +democrats +demonized +demonizes +demotions +Dempsey's +demulcent +demurrals +demurrers +demurring +demystify +denatured +denatures +dendrites +denigrate +denizen's +Denmark's +denounced +denounces +denseness +densities +density's +dentistry +dentist's +dentition +denture's +deodorant +deodorize +departing +departure +dependent +depending +depicting +depiction +deplaning +depleting +depletion +deploring +deploying +deponents +deportees +deporting +deposited +depositor +deposit's +depraving +depravity +deprecate +depressed +depresses +depressor +depriving +deprogram +deputized +deputizes +derailing +deranging +derelicts +derivable +derogated +derogates +Derrick's +derrick's +Derrida's +derrieres +derringer +derrières +dervishes +dervish's +desalting +descaling +descanted +descant's +Descartes +descended +descender +descent's +described +describer +describes +descrying +Desdemona +desecrate +deselects +deserters +deserting +desertion +deserving +desiccant +desiccate +designate +designers +designing +desirable +desirably +Desiree's +desisting +deskilled +desktop's +Desmond's +desolated +desolates +despaired +despair's +desperado +desperate +despising +despoiled +despoiler +despotism +dessert's +d'Estaing +destinies +destining +destiny's +destitute +destroyed +destroyer +destructs +desuetude +desultory +detaching +detailing +detainees +detaining +detecting +detection +detective +detectors +detente's +detention +detergent +determent +determine +deterrent +deterring +detesting +dethroned +dethrones +detonated +detonates +detonator +detouring +detracted +detractor +detriment +Detroit's +deuterium +devaluing +devastate +developed +developer +deviant's +deviate's +deviating +deviation +devilment +devilries +devilry's +deviously +devolving +devotedly +devotee's +devotions +devouring +devoutest +Dewayne's +dewclaw's +dewdrop's +Dexedrine +dexterity +dexterous +diabetics +diacritic +diaereses +diaeresis +Diaghilev +diagnosed +diagnoses +diagnosis +diagonals +diagram's +dialectal +dialectic +dialect's +dialogues +diameters +diametric +diamond's +diapasons +diapering +diaphragm +diarist's +Diasporas +diasporas +diastolic +diathermy +diatribes +dichotomy +Dickens's +dickering +Dickerson +dickheads +Dickinson +Dickson's +dickybird +dictate's +dictating +dictation +dictators +diction's +diddler's +Diderot's +Didrikson +dieseling +dietaries +dietary's +dietetics +dietitian +different +differing +difficult +diffident +diffracts +diffusely +diffusing +diffusion +diffusive +digesting +digestion +digestive +digitalis +digitally +digitized +digitizes +dignified +dignifies +dignitary +dignities +dignity's +digraph's +digressed +digresses +dilator's +Dilbert's +dilemma's +diligence +Dillard's +Dillinger +dilutions +dimension +dimness's +dimwitted +dinette's +dingbat's +dinginess +dinnering +dinosaurs +diocesans +diocese's +Dionysian +diorama's +dioxide's +diphthong +diploid's +diplomacy +diploma's +diplomata +diplomats +dipsticks +dipterous +diptych's +directest +directing +direction +directive +directors +directory +Dirichlet +dirigible +dirtballs +dirtiness +disabling +disabused +disabuses +disaffect +disagreed +disagrees +disallows +disappear +disarming +disarrays +disasters +disavowal +disavowed +disbanded +disbarred +disbelief +disbursal +disbursed +disburses +discarded +discard's +discerned +discharge +disciples +disclaims +disclosed +discloses +discolors +discomfit +discorded +discord's +discounts +discourse +discovers +discovery +discredit +discussed +discusses +disdained +disdain's +disease's +disembark +disembody +disengage +disesteem +disfavors +disfigure +disgorged +disgorges +disgraced +disgraces +disguised +disguises +disgusted +disgust's +dishcloth +dishevels +dishonest +dishonors +dishpan's +dishrag's +dishtowel +dishwater +disinfect +disinters +disjoints +diskettes +dislike's +disliking +dislocate +dislodged +dislodges +dismantle +dismaying +dismember +dismissal +dismissed +dismisses +dismounts +disobeyed +disoblige +disorders +disorient +disowning +disparage +disparate +disparity +dispelled +dispensed +dispenser +dispenses +dispersal +dispersed +disperses +dispirits +displaced +displaces +displayed +display's +displease +disported +disposals +disposers +disposing +dispraise +disproofs +disproved +disproves +disputant +disputers +dispute's +disputing +disquiets +disregard +disrepair +disrepute +disrobing +disrupted +dissected +dissector +dissemble +dissented +dissenter +dissent's +dissevers +dissident +dissipate +dissolute +dissolved +dissolves +dissonant +dissuaded +dissuades +distaff's +distanced +distances +distantly +distastes +distemper +distended +distilled +distiller +distorted +distorter +distracts +districts +distrusts +disturbed +disturber +disunited +disunites +ditherers +dithering +diuretics +diurnally +divergent +diverging +diversely +diversify +diversion +diversity +diverting +divesting +dividable +dividends +divider's +diviner's +divisible +divisions +divisor's +divorcees +divorce's +divorcées +divorcing +divulging +Dixiecrat +Dixieland +dixieland +dizziness +djellabas +dobermans +docketing +docklands +dockyards +doctorate +doctoring +doctrinal +doctrines +docudrama +documents +doddering +Dodgson's +doeskin's +dogcart's +dogfights +dogfishes +dogfish's +doggonest +doggoning +doghouses +doglegged +dogmatism +dogmatist +dognapper +dogtrot's +dogwood's +dolefully +dollhouse +dolloping +Dolores's +dolphin's +doltishly +domestics +domiciled +domiciles +dominance +dominants +dominated +dominates +domineers +Domingo's +Dominguez +Dominican +Dominic's +dominions +Dominique +Donahue's +Donaldson +Donatello +donations +Donetsk's +Donizetti +Donnell's +Donovan's +doodlebug +doodler's +doohickey +Doolittle +doomsayer +doomsters +doorbells +doorjambs +doorknobs +doorman's +doormat's +doorplate +doorposts +doorsteps +doorstops +doorway's +dooryards +Doppler's +Doritos's +dormitory +Dorothy's +dosimeter +dosshouse +dossier's +Doubleday +doublet's +doubloons +doubter's +doubtless +doughiest +doughnuts +doughtier +Douglas's +dovecotes +dovetails +dowager's +dowdiness +downbeats +downdraft +downfalls +downfield +downgrade +downhills +downloads +downplays +downpours +downrange +downright +downriver +downscale +downshift +downsides +downsized +downsizes +downspout +downstage +downstate +downswing +downtrend +downturns +downwards +doyenne's +drachma's +Draconian +draconian +Dracula's +draftee's +drafter's +draftiest +draftsman +draftsmen +draggiest +dragnet's +dragonfly +dragooned +dragoon's +dragsters +drainer's +drainpipe +Dramamine +dramatics +dramatist +dramatize +draperies +drapery's +Dravidian +drawbacks +drawing's +dreamboat +dreamer's +dreamiest +dreamland +dreamless +dreamlike +dreariest +dredger's +Dreiser's +drenching +Dresden's +dresser's +dressiest +dressings +Dreyfus's +dribblers +dribble's +dribbling +driblet's +drifter's +driftnets +driftwood +driller's +drinkable +drinker's +drinkings +drippiest +drippings +Dristan's +drivelers +driveling +driveways +drizzle's +drizzling +drollness +dromedary +droopiest +Dropbox's +dropkicks +droplet's +dropout's +dropper's +droppings +dropsical +drought's +drownings +drowsiest +drubber's +drubbings +druggie's +druggists +drugstore +drumbeats +drumlin's +drummer's +drumstick +drunkards +drunkenly +dryness's +drywall's +détente's +dualism's +duality's +dubiety's +dubiously +Dubrovnik +Duchamp's +duchesses +duchess's +duckbills +ducklings +ductility +dudgeon's +duelist's +dukedom's +dulcimers +dullard's +dumbbells +dumbfound +dumpiness +dumplings +dumpsites +dumpsters +Dunedin's +dungarees +dungeon's +dunghills +Dunkirk's +duopolies +duplicate +duplicity +durance's +Durante's +duskiness +dustbin's +dustcarts +dustiness +dustpan's +dustsheet +duteously +dutifully +dweller's +dwellings +dwindling +dynamical +dynamic's +dynamited +dynamiter +dynamites +dynasties +dynasty's +dysentery +dyslectic +dyslexics +dyspepsia +dyspeptic +dysphagia +dysphoria +dysphoric +Dzungaria +eagerness +earache's +eardrum's +Earhart's +earldom's +Earlene's +Earline's +earliness +earlobe's +earmarked +earmark's +earmuff's +earnestly +Earnest's +earnest's +Earnhardt +earphones +earpieces +earplug's +earring's +earshot's +earthiest +earthlier +earthling +earthward +earthwork +earthworm +easements +eastbound +Easterner +easterner +Eastman's +eastwards +easygoing +eatable's +eavesdrop +Ebeneezer +Ebonics's +ebullient +eccentric +ecclesial +echelon's +eclectics +eclipse's +eclipsing +eclogue's +ecocide's +ecologist +ecology's +economics +economies +economist +economize +economy's +ecosystem +ecstasies +ecstasy's +Ecuadoran +Ecuador's +ecumenism +Eddington +edelweiss +Edgardo's +edibility +edifice's +edifier's +Edinburgh +edition's +editorial +Eduardo's +educating +education +educative +educators +Edwardian +Edwardo's +Edwards's +effecting +effective +effectual +effendi's +efficient +effluence +effluents +effluvium +effulgent +effusions +eggbeater +egghead's +eggplants +eggshells +eglantine +egomaniac +egotism's +egotistic +egotist's +egregious +Egyptians +Ehrenberg +Ehrlich's +eiderdown +eighteens +eightieth +Einsteins +ejaculate +ejections +ejector's +elaborate +elastic's +elation's +elbowroom +eldercare +Eleanor's +Eleazar's +electable +elections +electives +electoral +elector's +Electra's +electrics +electrify +electrode +electrons +elegantly +elegiacal +elegiac's +elemental +element's +elephants +elevating +elevation +elevators +elevenses +elevenths +eliciting +eliminate +Elisabeth +elision's +elitism's +elitist's +Elizabeth +Ellesmere +Ellington +Elliott's +ellipse's +ellipsoid +Ellison's +elocution +elongated +elongates +elopement +eloquence +elsewhere +Eltanin's +elucidate +elusively +Elysian's +Elysium's +emaciated +emaciates +emanating +emanation +Emanuel's +embalmers +embalming +embanking +embargoed +embargoes +embargo's +embarking +embarrass +embassies +embassy's +embattled +embedding +embellish +embezzled +embezzler +embezzles +embitters +emblazons +embodying +emboldens +embolisms +embossers +embossing +embowered +embrace's +embracing +embrasure +embroider +embroiled +embryonic +emerald's +emergence +emergency +Emerson's +emigrants +emigrated +emigrates +eminences +eminently +emirate's +emissions +emitter's +emollient +emolument +emoticons +emotional +emotion's +emotively +empathize +empathy's +emperor's +emphasize +emphysema +empirical +employees +employers +employing +emporiums +empowered +empresses +empress's +emptiness +emulating +emulation +emulative +emulators +emulsions +enabler's +enactment +enamelers +enameling +enamoring +encamping +Encarta's +enchained +enchanted +enchanter +enchilada +enciphers +encircled +encircles +enclave's +enclosing +enclosure +encoder's +encomiums +encompass +encounter +encourage +encrusted +encrypted +encumbers +encysting +endangers +endearing +endeavors +endemic's +endlessly +endocrine +endorphin +endorsers +endorsing +endoscope +endoscopy +endowment +endpoints +endurable +endurance +energetic +energized +energizer +energizes +enervated +enervates +enfeebled +enfeebles +enfiladed +enfilades +enfolding +enforcers +enforcing +engenders +engineers +England's +Englisher +Englishes +English's +engorging +engravers +engraving +engrossed +engrosses +engulfing +enhancers +enhancing +enigmatic +enjoining +enjoyable +enjoyably +enjoyment +enlargers +enlarging +enlighten +enlistees +enlisting +enlivened +enmeshing +ennobling +enplaning +enquirers +enrapture +enriching +Enrique's +enrolling +ensconced +ensconces +ensembles +enshrined +enshrines +enshrouds +enslaving +ensnaring +ensurer's +entailing +entangled +entangles +entente's +enteritis +entertain +enthralls +enthroned +enthrones +enthusing +entitling +entombing +entourage +entr'acte +entrained +entranced +entrances +entrant's +entrapped +entreated +entropy's +entrusted +entryways +entwining +enumerate +enunciate +enveloped +enveloper +envelopes +envenomed +enviously +envisaged +envisages +envisions +envyingly +enzymatic +epaulet's +ephedrine +ephemeral +Ephesians +Ephesus's +Ephraim's +epicenter +Epictetus +Epicurean +epicurean +epicure's +epidemics +epidermal +epidermic +epidermis +epidurals +epigram's +epigraphs +epigraphy +epileptic +epilogues +Episcopal +episcopal +episode's +epistemic +epistle's +epitaph's +epithet's +epitome's +epitomize +eponymous +epsilon's +Epstein's +equalized +equalizer +equalizes +equatable +equations +equator's +equerries +equerry's +equinoxes +equinox's +equipages +equipment +equipoise +equipping +equitable +equitably +equivocal +eradicate +Erasmus's +erasure's +erections +erectness +Erector's +erector's +eremite's +Erewhon's +ergonomic +Eritreans +Eritrea's +Ernestine +Ernesto's +erogenous +erosion's +erotica's +eroticism +erratum's +erroneous +erstwhile +eruditely +erudition +eruptions +escalated +escalates +escalator +escallops +escalopes +escapades +escapee's +escapists +escargots +escaroles +eschewing +Escondido +escorting +Esmeralda +esophagus +espaliers +Esperanto +Esperanza +espionage +esplanade +espousing +espressos +Esquire's +esquire's +essayer's +essayists +essence's +essential +Essequibo +establish +Esteban's +esteeming +Estella's +Estelle's +Esterhazy +Esterházy +estimable +estimated +estimates +estimator +Estonians +Estonia's +Estrada's +estranged +estranges +estuaries +estuary's +etching's +eternally +ethanol's +ethically +Ethiopian +ethnicity +ethnology +etiolated +etiologic +etiquette +Etruria's +etymology +eucalypti +Eucharist +euclidean +Eugenia's +Eugenie's +Eugenio's +eulogists +eulogized +eulogizer +eulogizes +Eumenides +euphemism +euphony's +Euphrates +Eurasians +Eurasia's +Euripides +Europeans +Euterpe's +euthanize +euthenics +evacuated +evacuates +evacuee's +evaluated +evaluates +evaluator +evangelic +evaporate +evasion's +evasively +evening's +eventuate +Everest's +Everett's +everglade +evergreen +EverReady +everybody +evictions +evidenced +evidences +evidently +evildoers +evildoing +evocation +evocative +evolution +exabyte's +exactness +examiners +examining +example's +exampling +Excalibur +excavated +excavates +excavator +exceeding +excellent +excelling +excelsior +excepting +exception +excerpted +excerpt's +excessive +exchanged +exchanges +Exchequer +exchequer +excisions +excitable +excitably +excitedly +exciter's +exclaimed +excluding +exclusion +exclusive +excoriate +excrement +excreta's +excreting +excretion +excretory +exculpate +excursion +excursive +excusable +excusably +execrable +execrably +execrated +execrates +executing +execution +executive +executors +executrix +exemplars +exemplary +exemplify +exempting +exemption +exercised +exerciser +exercises +Exercycle +exertions +exfoliate +exhausted +exhaust's +exhibited +exhibitor +exhibit's +exhorting +exigences +existence +exogenous +exonerate +exoplanet +exorcised +exorcises +exorcisms +exorcists +exosphere +exoticism +expanding +expanse's +expansion +expansive +expatiate +expectant +expecting +expedient +expedited +expediter +expedites +expelling +expending +expense's +expensive +expertise +expiating +expiation +expiatory +explained +expletive +explicate +exploding +exploited +exploiter +exploit's +explorers +exploring +explosion +explosive +exponents +exporters +exporting +expositor +exposures +expounded +expounder +expressed +expresses +expressly +express's +expulsion +expunging +expurgate +exquisite +extempore +extenders +extending +extension +extensive +extenuate +exteriors +externals +extincted +extirpate +extolling +extorting +extortion +extracted +extractor +extract's +extradite +extremely +extreme's +extremest +extremism +extremist +extremity +extricate +extrinsic +extrovert +extruding +extrusion +extrusive +exuberant +exudation +exurbia's +eyeballed +eyeball's +eyebrow's +eyelashes +eyelash's +eyeliners +eyeopener +eyepieces +eyesore's +eyestrain +eyewash's +Eysenck's +Ezekiel's +Faberge's +Fabergé's +fabricate +facecloth +facepalms +facetious +facsimile +factional +faction's +factoid's +factorial +factories +factoring +factorize +factory's +factotums +factually +faculties +faculty's +faddiness +faddist's +faïence's +faience's +failing's +failure's +faintness +Fairbanks +fairing's +fairway's +fairyland +faithfuls +faithless +fajitas's +Falasha's +falconers +Falklands +fallacies +fallacy's +falloff's +Fallopian +fallout's +fallowing +falsehood +falseness +falsettos +falsified +falsifier +falsifies +falsities +falsity's +faltering +Falwell's +familiars +famishing +fanatical +fanatic's +fanciable +fancier's +fanciness +fancywork +fandangos +fanfare's +fanlights +fantail's +fantasias +fantasied +fantasies +fantasist +fantasize +fantastic +fantasy's +fanzine's +Faraday's +faradized +farewells +farmhands +farmhouse +farming's +farmlands +farmstead +farmyards +farragoes +farrago's +Farrakhan +Farrell's +farrier's +farrowing +farseeing +farthings +fascicles +fascinate +fascism's +fascistic +fascist's +fashioned +fashioner +fashion's +fastbacks +fastballs +fasteners +fastening +fatalists +fatback's +fatefully +fatheaded +fathead's +fathering +fathoming +fatigue's +fatiguing +Fatimid's +fatness's +fattening +fattiness +fatuity's +fatuously +faultiest +faultless +Faustus's +fauvism's +fauvist's +favorable +favorably +favorites +fearfully +feaster's +feathered +feather's +feature's +featuring +fecundate +fecundity +federally +Federal's +federal's +federated +federates +feedbag's +feeding's +feedlot's +feelingly +feeling's +feistiest +Felecia's +Felicia's +Fellini's +fellowman +fellowmen +felonious +feminines +feminists +feminized +feminizes +fencing's +Ferdinand +fermented +ferment's +fermium's +Fernandez +ferocious +Ferrari's +Ferraro's +Ferrell's +ferreting +ferrule's +ferryboat +fertility +fertilize +fervently +festering +festivals +festively +festivity +festooned +festoon's +fetcher's +fetidness +fetishism +fetishist +fetlock's +fettering +feudalism +fewness's +Feynman's +fiancee's +fiancée's +fiberfill +Fiberglas +Fibonacci +fictional +fiction's +fiddler's +fiddliest +fidgeting +fiduciary +fiefdom's +fielder's +fieldsman +fieldsmen +fieldwork +fieriness +fifteen's +fifteenth +fiftieths +fightback +fighter's +figment's +figurines +filaments +filbert's +filenames +filigreed +filigrees +Filipinos +filleting +filling's +filliping +filminess +filmmaker +filmstrip +Filofax's +filterers +filtering +filthiest +filtrated +filtrates +finaglers +finagling +finalists +finalized +finalizes +finance's +financial +financier +financing +finding's +finesse's +finessing +fingering +fingertip +finickier +finishers +finishing +Finland's +Finnish's +firearm's +fireballs +firebombs +fireboxes +firebox's +firebrand +firebreak +firebrick +firebug's +firefight +fireflies +firefly's +Firefox's +fireguard +firehouse +firelight +fireman's +fireplace +fireplugs +firepower +fireproof +firesides +Firestone +firestorm +firetraps +firetruck +firewalls +firewater +fireworks +firmament +firstborn +firsthand +Fischer's +fishbowls +fishcakes +fisheries +fisherman +fishermen +fishery's +fishhooks +fishiness +fishing's +fishnet's +fishponds +fishtails +fishwives +fission's +fissure's +fistfight +fistful's +fistula's +fistulous +fitness's +fittingly +fitting's +Fitzroy's +fixations +fixatives +fixings's +fixture's +flabbiest +flaccidly +flagellum +flagman's +flagpoles +flagrance +flagrancy +flagships +flagstaff +flagstone +flakiness +flambeing +flamencos +flamingos +flammable +flanker's +flanneled +flannel's +flapjacks +flapper's +flareup's +flashback +flashbulb +flashcard +flashcube +flasher's +flashguns +flashiest +flatbed's +flatboats +flatbread +flatcar's +flatfoots +flatirons +flatmates +flattened +flattered +flatterer +flattop's +flatulent +flatworms +flaunting +flavorful +flavoring +fleabag's +fleabites +fledgling +fleecer's +fleeciest +fleetness +Fleischer +Fleming's +Flemish's +fleshiest +fleshlier +fleshpots +flickered +flicker's +flightier +flimflams +flimsiest +flinching +flintiest +flintlock +flippancy +flipper's +floater's +flogger's +floggings +floodgate +flophouse +floppiest +Florida's +Floridian +Florine's +florist's +Florsheim +Flossie's +flossiest +flotation +flotillas +flotsam's +flounce's +flouncing +flounders +flouter's +flowchart +flowerbed +flowerier +flowering +flowerpot +Flowers's +fluctuate +fluency's +fluffiest +flummoxed +flummoxes +fluoresce +fluorides +flurrying +flustered +fluster's +fluting's +flutist's +fluttered +flutter's +flyleaf's +flyleaves +flyover's +flypapers +flysheets +flyspecks +flyweight +flywheels +foaminess +fogginess +foghorn's +foldout's +Folgers's +foliage's +folkloric +folksiest +folktales +folkway's +follicles +followers +following +followups +Fomalhaut +fomenting +fondant's +fontanels +foodstuff +fooleries +foolery's +foolhardy +foolishly +foolproof +footage's +footballs +footfalls +foothills +footholds +footing's +footlings +footloose +footman's +footnoted +footnotes +footpaths +footplate +footprint +footraces +footrests +footsie's +footsteps +footstool +foppery's +forager's +forbear's +forbidden +forceps's +forearmed +forearm's +forebears +foreboded +forebodes +forecasts +foreclose +forecourt +foredooms +forefront +foregoing +forehands +foreheads +foreigner +foreknown +foreknows +foreleg's +forelimbs +forelocks +Foreman's +foreman's +foremasts +forenamed +forenames +forenoons +forensics +foreparts +foresails +foreseers +foreshore +foresight +foreskins +forestall +foresters +foresting +foretaste +foretells +forever's +forewarns +forewoman +forewomen +forewords +forfeited +forfeit's +forgather +forgeries +forgery's +forgetful +forging's +forgivers +forgiving +forgoer's +forgotten +forkful's +forklifts +forlornly +formalism +formalist +formality +formalize +formation +formative +formatted +Formica's +Formosa's +formulaic +formula's +formulate +fornicate +Forrest's +forsaking +Forster's +forswears +forsythia +Fortaleza +forthwith +fortieths +fortified +fortifier +fortifies +fortitude +fortnight +FORTRAN's +fortunate +fortune's +forwarded +forwarder +forwardly +forward's +fossilize +fostering +Fotomat's +foulard's +foundered +founder's +foundling +foundries +foundry's +fountains +Fourier's +fourscore +foursomes +fourteens +foxfire's +foxgloves +foxhole's +foxhounds +foxtrot's +fractal's +fractions +fractious +fractured +fractures +fragilest +fragility +fragments +Fragonard +fragrance +frailness +frailties +frailty's +framework +Francesca +Frances's +franchise +Francisca +Francisco +Francis's +Francoise +frangible +Franglais +Frankel's +Frankfort +Frankfurt +Frankie's +frankness +fraternal +fraudster +Frazier's +frazzle's +frazzling +freakiest +freckle's +freckling +Freddie's +Frederick +Fredric's +freebased +freebases +freebie's +freedom's +freeholds +freelance +freeloads +Freeman's +freeman's +Freemason +freephone +freestone +freestyle +freeway's +freewheel +freezable +freezer's +freighted +freighter +freight's +Fremont's +Frenchman +Frenchmen +frequency +frequents +freshened +freshener +freshet's +freshness +Fresnel's +fretfully +fretsaw's +fricassee +fricative +frictions +Friedan's +friedcake +friending +frigate's +frightens +frightful +frighting +frigidity +frilliest +Frisbee's +Frisian's +friskiest +frittered +fritter's +frivolity +frivolous +frizziest +frizzle's +frizzling +Frobisher +froggings +frogman's +frogmarch +frogspawn +Froissart +frolicked +frolicker +frontages +frontally +Frontenac +frontiers +frontward +Frostbelt +frostbite +frostiest +frostings +frothiest +frowziest +frugality +fruitcake +fruiterer +fruitiest +fruitless +frumpiest +frustrate +frustum's +fuchsia's +fuckheads +fuehrer's +Fuentes's +fugitives +Fujitsu's +Fukuoka's +Fulbright +fulcrum's +fulfilled +fullbacks +Fullerton +fulminate +fulsomely +fumbler's +fumigants +fumigated +fumigates +fumigator +functions +funding's +funeral's +fungibles +fungicide +funicular +funkiness +funneling +funniness +furbished +furbishes +furiously +furlong's +furloughs +furnace's +furnished +furnishes +furniture +furrier's +furriness +furring's +furrowing +furthered +furtively +fuselages +fusiliers +fusillade +fussiness +fusspot's +fustian's +fustiness +futurists +fuzzballs +fuzziness +gabardine +gabbiness +gaberdine +gabfest's +Gabrielle +Gabriel's +gadabouts +Gadsden's +Gagarin's +gainfully +gainsayer +Galahad's +Galapagos +Galatea's +Galatians +Galatia's +Galbraith +Galileans +Galilee's +Galileo's +Gallagher +gallantly +gallantry +gallant's +galleon's +gallerias +galleries +gallery's +Gallicism +gallium's +gallivant +galloping +gallows's +gallstone +galumphed +Galvani's +galvanism +galvanize +Galveston +Gambian's +gambler's +gamboling +gamecocks +gamesters +Gandalf's +Ganesha's +gangplank +gangrened +gangrenes +gangsters +Gangtok's +gangway's +gantlet's +garbage's +garbanzos +gardeners +gardenias +gardening +Gardner's +garfishes +garfish's +Garfunkel +Gargantua +gargoyles +Garibaldi +garlanded +Garland's +garland's +garment's +garnering +garnished +garnishee +garnishes +garnish's +Garrett's +Garrick's +garrisons +garroters +garrote's +garroting +garrulity +garrulous +Gascony's +gasholder +gaslights +gasohol's +gasometer +gastritis +gastropod +gatecrash +gatehouse +gateposts +gateway's +gatherers +gathering +Gatling's +gaucherie +gaudiness +Gauguin's +gauntlets +gauntness +Gautama's +Gautier's +gauziness +gavotte's +gawkiness +gayness's +gazelle's +gazetteer +gazette's +gazetting +Gaziantep +gazillion +gazumping +gearboxes +gearbox's +gearing's +gearshift +gearwheel +Gehenna's +gelatin's +gelding's +gelignite +gemstones +gendarmes +genealogy +generally +general's +generated +generates +generator +generic's +Genesis's +genesis's +Genevieve +Genghis's +geniality +genitalia +genitally +genitives +genocidal +genocides +genteelly +gentian's +gentile's +gentility +gentleman +gentlemen +genuflect +genuinely +geocached +geocaches +geodesics +geodesy's +geography +geologies +geologist +geology's +geometric +Georgette +Georgians +Georgia's +Geraldine +geraniums +Gerardo's +geriatric +Geritol's +germanium +Germany's +germicide +germinate +Gestapo's +gestapo's +gestating +gestation +gesture's +gesturing +getaway's +ghastlier +Ghazvanid +gherkin's +ghettoize +ghostlier +Giauque's +gibbering +gibberish +gibbeting +Gibraltar +giddiness +Gielgud's +gigabit's +gigabytes +gigahertz +gigapixel +gigawatts +giggler's +giggliest +Gilbert's +Gilchrist +gilding's +Gilgamesh +Gillespie +Gilliam's +Gillian's +Gilmore's +gimbals's +gimcracks +gimleting +gimmickry +gimmick's +gingering +gingham's +ginormous +ginseng's +Giorgione +giraffe's +Giraudoux +girlhoods +girlishly +Giselle's +giveaways +givebacks +gizzard's +glacially +glaciated +glaciates +glacier's +gladdened +gladiator +gladiolas +gladiolus +Gladstone +glamorize +glamorous +glamoured +glamour's +glandular +glaringly +Glasgow's +glassfuls +glassiest +glassware +glazier's +glazing's +gleamings +gleaner's +gleanings +Gleason's +gleefully +Glenlivet +gliding's +glimmered +glimmer's +glimpse's +glimpsing +glissandi +glissando +glistened +glisten's +glistered +glitching +glittered +glitter's +glitziest +gloamings +globalism +globalist +globalize +globule's +gloomiest +glorified +glorifies +glossiest +glottises +glottis's +glowering +glowingly +glowworms +glucose's +glutenous +glutinous +glutton's +gnarliest +Gnostic's +goalmouth +goalposts +goatherds +goatskins +gobbler's +goddammit +goddamned +Goddard's +goddesses +goddess's +godfather +Godhead's +godhead's +godhood's +godlessly +godliness +godmother +godparent +godsend's +Godspeeds +Godunov's +Goering's +goggles's +Goiania's +goldbrick +goldenest +goldenrod +goldfield +goldfinch +Golding's +Goldman's +goldmines +Goldsmith +goldsmith +Goldwater +Goldwyn's +Goliath's +golliwogs +Gompers's +Gomulka's +gondola's +gondolier +gonorrhea +Gonzalo's +Goodall's +goodbye's +goodliest +Goodman's +goodnight +Goodwin's +goofballs +goofiness +Goolagong +goosestep +Gorbachev +Gordian's +gorilla's +goshawk's +gosling's +gossipers +gossiping +goulashes +goulash's +gourmands +gourmet's +governess +governing +governors +grabber's +grabbiest +Graceland +graceless +grackle's +gradating +gradation +gradients +gradually +graduated +graduates +grafter's +Grafton's +Grahame's +grainiest +grammar's +Grampians +grampuses +grampus's +Granada's +granaries +granary's +grandam's +grandaunt +granddads +grandee's +grandiose +grandma's +grandness +grandpa's +grandsons +granite's +granola's +grantee's +granter's +granulate +granule's +grapeshot +grapevine +graphical +graphic's +grapnel's +grapple's +grappling +graspable +grassiest +grassland +gratified +gratifies +gratingly +grating's +gratitude +gravamens +graveling +graveness +graveside +graveyard +gravitate +gravity's +graybeard +greasiest +greatcoat +greatness +Grecian's +greediest +Greeley's +greenback +greenbelt +greengage +greenhorn +Greenland +greenmail +greenness +greenroom +Greenspan +Greenwich +greenwood +greeter's +greetings +Gregorian +Gregory's +gremlin's +Grenada's +grenade's +Grenadian +grenadier +grenadine +Grendel's +Gresham's +Gretzky's +greyhound +griddle's +gridirons +gridlocks +grievance +griever's +Griffin's +griffin's +griffon's +grillings +grimace's +grimacing +griminess +grinder's +grindings +gripper's +grisliest +gristle's +gristmill +gritter's +grittiest +grizzlier +grizzlies +grizzling +grizzly's +Grünewald +groceries +grocery's +groggiest +grommet's +Gromyko's +groomer's +groomsman +groomsmen +grooviest +Gropius's +grosbeaks +grosgrain +grossness +grotesque +Grotius's +grottiest +grouchier +grouchily +grouching +grounders +groundhog +grounding +groundnut +grouper's +groupie's +groupings +groupware +grouser's +grovelers +groveling +grovelled +growler's +grownup's +grubber's +grubbiest +grubstake +gruelings +gruesomer +gruffness +grumblers +grumble's +grumbling +Grumman's +grumpiest +Grunewald +grungiest +grunion's +Gruyere's +Gruyère's +guacamole +Guadalupe +Guamanian +Guangzhou +guanine's +Guarani's +guarani's +guarantee +guarantor +guardedly +guarder's +guardians +guardrail +guardroom +guardsman +guardsmen +Guarnieri +Guatemala +Guayaquil +Guernseys +guerrilla +guessable +guesser's +guesswork +guestbook +guestroom +Guevara's +guffawing +guidebook +guideline +guidepost +guilder's +guildhall +guileless +guillemot +Guillermo +guiltiest +guiltless +Guinean's +Guinevere +guitarist +Guiyang's +Gujarat's +gumboil's +gumdrop's +gumshoe's +gunboat's +gunfights +gunfire's +gunnery's +gunnysack +gunpowder +gunrunner +gunship's +gunshot's +gunsmiths +Gunther's +gunwale's +Guofeng's +gushingly +gusseting +gustatory +Gustavo's +Gutenberg +Guthrie's +Gutierrez +guttering +gutturals +guzzler's +Gwalior's +Gwendolyn +gymkhanas +gymnasium +gymnastic +gymnast's +gypster's +gyrations +gyrator's +gyrfalcon +gyroscope +habitable +habitat's +habituate +habitue's +habitué's +haciendas +hacking's +hackneyed +hackney's +hacksaw's +haddock's +Hadrian's +hafnium's +haggardly +haggler's +hahnium's +hailstone +hailstorm +hairballs +hairbands +hairbrush +haircloth +haircut's +hairdryer +hairgrips +hairiness +hairlines +hairnet's +hairpiece +hairpin's +hairspray +hairstyle +Haitian's +Hakluyt's +halberd's +Haldane's +Haleakala +halfbacks +halfpence +halfpenny +halftimes +halftones +halfwit's +halibut's +Halifax's +halitosis +hallmarks +hallooing +Halloween +hallowing +Hallstatt +hallway's +halogen's +haltering +haltingly +halyard's +hamburger +Hamburg's +hamburg's +Hamhung's +Hamitic's +hammerers +hammering +hammertoe +Hammett's +hammock's +Hammond's +Hammurabi +hampering +Hampshire +Hampton's +hamster's +hamstring +hamstrung +Hancock's +handbag's +handballs +handbills +handbooks +handbrake +handcar's +handcarts +handclasp +handcraft +handcuffs +handful's +handgun's +handhelds +handholds +handicaps +handiness +handiwork +handlebar +handler's +handmaids +handout's +handovers +handpicks +handrails +handsaw's +handset's +handshake +handsomer +handstand +handwoven +hanging's +hangman's +hangnails +hangout's +hangovers +hankering +Hanover's +Hanukkahs +haphazard +haplessly +haploid's +happening +happiness +harangued +harangues +harassers +harassing +harbinger +harboring +hardbacks +hardboard +hardbound +hardcover +hardeners +hardening +hardhat's +hardihood +hardiness +Harding's +hardliner +hardships +hardstand +hardtop's +hardwired +hardwoods +harebells +harelip's +Harlequin +harlequin +harmfully +harmonica +harmonics +harmonies +harmonium +harmonize +harmony's +harnessed +harnesses +harness's +harpist's +harpooned +harpooner +harpoon's +Harrell's +harridans +harrier's +Harriet's +Harrods's +harrowing +harrumphs +harshness +Hartman's +Harvard's +harvested +harvester +harvest's +hashish's +hashtag's +Hasidim's +Haskell's +hassock's +hastening +hastiness +hatchback +hatchecks +hatchet's +hatchways +hatefully +Hatsheput +hatstands +hauberk's +haughtier +haughtily +haulage's +haunter's +Hauptmann +Hausdorff +hauteur's +Havarti's +haversack +Hawaiians +Hawking's +Hawkins's +Hawthorne +hawthorns +haycock's +hayloft's +haymakers +haymaking +hayrick's +hayride's +hayseed's +haystacks +Hayward's +Haywood's +hazarding +hazardous +hazelnuts +Hazlitt's +headaches +headbands +headboard +headbutts +headcases +headcount +headdress +headfirst +headhunts +headiness +heading's +headlamps +headlands +headlight +headlined +headliner +headlines +headlocks +headman's +headphone +headpiece +headpin's +headrests +headscarf +headset's +headships +headstall +headstand +headstone +headway's +headwinds +headwords +healthful +healthier +healthily +hearing's +hearkened +hearsay's +heartache +heartbeat +heartburn +heartened +heartfelt +hearthrug +heartiest +heartland +heartless +heartsick +heartwood +heathen's +Heather's +heather's +heating's +heatproof +heatwaves +heavens's +heaviness +Heaviside +Hebraic's +Hebraisms +Hebrews's +heckler's +hectare's +hectogram +hectoring +hedgehogs +hedgehops +hedgerows +hedonists +heedfully +heehawing +heftiness +hegemonic +Heidegger +Heifetz's +heightens +heinously +heiresses +heiress's +heirlooms +Heisman's +Helicon's +heliports +hellcat's +hellebore +Hellene's +Hellenism +Hellenist +Hellenize +hellholes +hellion's +hellishly +Hellman's +Helmholtz +Heloise's +helpfully +helping's +helplines +helpmates +Helvetian +Helvetius +Hemingway +hemline's +hemlock's +hemostats +hemstitch +Henderson +Hendricks +Hendrix's +henpecked +Henrietta +Hensley's +heparin's +hepatitis +Hepburn's +heptagons +heralding +herbage's +herbalist +Herbart's +Herbert's +herbicide +herbivore +Herculean +herculean +hereabout +hereafter +Herefords +heretical +heretic's +hereunder +Heriberto +heritable +heritages +Hermitage +hermitage +Hermite's +Hernandez +herniated +herniates +Herodotus +heroics's +heroine's +heroism's +Herrera's +Herrick's +Herring's +herring's +Hershel's +Hershey's +Heshvan's +hesitance +hesitancy +hesitated +hesitates +Hessian's +heterodox +heuristic +Hewlett's +hexagonal +hexagon's +hexagrams +hexameter +Heyerdahl +Heywood's +Hezbollah +Hialeah's +hibachi's +hibernate +Hibernian +hiccoughs +hiccuping +Hickman's +hickories +hickory's +hideaways +hidebound +hideously +hideout's +hierarchy +Higgins's +highballs +highboy's +highbrows +highchair +Highlands +highlands +highlight +highroads +hightails +highway's +hijackers +hijacking +Hilario's +hilarious +Hilbert's +Hillary's +hillbilly +hilliness +hillock's +hillsides +hilltop's +Himalayan +Himalayas +Himmler's +Hindemith +hindering +hindrance +hindsight +Hinduisms +Hindustan +hipbone's +hipness's +hipster's +hirelings +Hiroshima +Hispanics +histamine +histogram +histology +historian +histories +history's +Hitachi's +Hitchcock +hitcher's +hitchhike +Hittite's +Héloise's +hoarder's +hoardings +hoarfrost +hoariness +hobbler's +hobbyists +hobgoblin +hobnailed +hobnail's +hobnobbed +Hockney's +hockshops +Hodgkin's +hoecake's +hoedown's +Hoffman's +Hogarth's +hogback's +hoggishly +hogsheads +hogwash's +Hohenlohe +Hohokam's +Hokusai's +Holbein's +Holcomb's +holding's +holdout's +holdovers +holidayed +Holiday's +holiday's +Hollander +Holland's +hollering +Hollerith +hollowest +hollowing +hollyhock +Hollywood +holmium's +Holocaust +holocaust +holograms +holograph +Holsteins +holstered +holster's +homburg's +homeboy's +homegrown +homelands +homeliest +homemaker +homeopath +homeowner +homepages +Homeric's +homerooms +homestead +hometowns +homewards +homeyness +homicidal +homicides +homiletic +hominid's +hominoids +homograph +homonym's +homophone +Hondurans +honestest +honesty's +honeybees +honeycomb +honeydews +honeymoon +honeypots +Honeywell +Honiara's +Honorable +honorable +honorably +honoree's +honorer's +honorific +hoodlum's +hoodooing +hoodwinks +hookworms +hooligans +hoosegows +Hoosier's +Hooters's +hoovering +hopefully +hopeful's +Hopkins's +hopscotch +Horacio's +Horatio's +horehound +horizon's +hormone's +hornpipes +horologic +horoscope +horrified +horrifies +horseback +horsehair +horsehide +horseless +horseplay +horseshit +horseshoe +horsetail +horsewhip +hortatory +hosanna's +hosepipes +hosiery's +hospice's +hospitals +hostage's +hostelers +hosteling +hostessed +hostesses +hostess's +hostilely +hostile's +hostility +hostler's +hotcake's +hoteliers +hotfooted +hotfoot's +hotheaded +hothead's +hothouses +hotness's +hotplates +hotshot's +Hottentot +Houdini's +hourglass +houseboat +houseboys +housecoat +housefuls +household +housemaid +housemate +houseroom +housetops +housewife +housework +housing's +Housman's +Houston's +Houyhnhnm +Hovhaness +Howells's +howitzers +howsoever +hoydenish +huaraches +Hubbard's +hucksters +huffiness +Huffman's +Huggins's +Huguenots +humanists +humanized +humanizer +humanizes +humankind +humanness +humanoids +humbler's +humblings +humbugged +humdinger +humdrum's +humerus's +humidor's +humiliate +hummock's +humongous +humorists +humorless +humpbacks +Humphreys +hunchback +hundred's +hundredth +Hungarian +Hungary's +hungering +hungriest +hunkering +hunting's +Huntley's +hurdler's +hurling's +hurrahing +hurricane +hurriedly +hurtfully +husbanded +husbandry +husband's +huskiness +Hussein's +Husserl's +Hussite's +hustler's +Huygens's +huzzahing +hyacinths +hybridism +hybridize +Hyderabad +hydrangea +hydrant's +hydrate's +hydrating +hydration +hydraulic +hydrofoil +hydrology +hydrolyze +hydroxide +hygiene's +hygienist +hymnbooks +hyperbola +hyperbole +hyperlink +hypertext +hyphenate +hyphening +hypnotics +hypnotism +hypnotist +hypnotize +hypocrisy +hypocrite +hysterics +Hyundai's +Iaccoca's +Iapetus's +Iberian's +ibuprofen +iceberg's +iceboat's +Icelander +Icelandic +Iceland's +iciness's +Idahoan's +idealists +idealized +idealizes +identical +identikit +ideograms +ideograph +ideologue +idiomatic +idolaters +idolizing +Ignacio's +ignitable +ignitions +ignoramus +ignorance +Iguassu's +ileitis's +illegally +illegal's +illegible +illegibly +illiberal +illicitly +illnesses +illness's +illogical +illumined +illumines +illusions +imagery's +imaginary +imagining +imbalance +imbeciles +imbecilic +imbiber's +imbroglio +Imhotep's +imitating +imitation +imitative +imitators +immanence +immanency +immediacy +immediate +immensely +immensity +immersing +immersion +immersive +immigrant +immigrate +imminence +immodesty +immolated +immolates +immorally +immortals +immovable +immovably +immunized +immunizes +immutable +immutably +Imodium's +Imogene's +impacting +impairing +impaneled +impartial +imparting +impasse's +impassive +impasto's +impatiens +impatient +impeached +impeacher +impeaches +impedance +impellers +impelling +impending +imperfect +imperials +imperiled +imperious +impetuous +impetuses +impetus's +impieties +impiety's +impinging +impiously +implanted +implant's +implement +implicate +imploding +imploring +implosion +implosive +impolitic +important +importers +importing +importune +imposer's +impostors +imposture +impotence +impotency +impounded +imprecate +imprecise +impressed +impresses +impress's +imprinted +imprinter +imprint's +imprisons +impromptu +improving +improvise +imprudent +impudence +impugners +impugning +impulse's +impulsing +impulsion +impulsive +imputable +inability +inamorata +inanimate +inanities +inanity's +inaptness +inaudible +inaudibly +inaugural +inboard's +incapable +incapably +incarnate +incense's +incensing +incentive +inception +incessant +inchworms +incidence +incidents +incipient +incisions +incisor's +inciter's +inclement +incline's +inclining +including +inclusion +inclusive +incognito +incommode +incorrect +increased +increases +increment +incubated +incubates +incubator +incubuses +incubus's +inculcate +inculpate +incumbent +incurable +incurably +incurious +incurring +incursion +indecency +indelible +indelibly +indemnify +indemnity +indenting +indention +indenture +indexer's +Indianans +Indiana's +Indianian +indicated +indicates +indicator +indicting +indigence +indigents +indignant +indignity +Indochina +indolence +Indonesia +inducer's +inductees +inducting +induction +inductive +indulgent +indulging +inebriate +ineffable +ineffably +inelastic +inelegant +ineptness +inertia's +inertness +inexactly +infancy's +infantile +infarct's +infatuate +infecting +infection +inference +inferiors +inferno's +inferring +infertile +infesting +infidel's +infielder +infield's +infighter +infilling +infirmary +infirmity +inflaming +inflating +inflation +inflected +inflicted +influence +influenza +informant +informers +informing +infringed +infringes +infuriate +infuser's +infusions +ingenious +ingenue's +ingenuity +ingenuous +ingesting +ingestion +inglenook +Inglewood +ingénue's +ingrained +ingrain's +ingrate's +ingresses +ingress's +ingrowing +inhabited +inhalants +inhalator +inhaler's +inherited +inheritor +inhibited +inhibitor +inhumanly +initialed +initially +initial's +initiated +initiates +initiator +injecting +injection +injectors +injurer's +injurious +injustice +inkblot's +inkling's +inkstands +inkwell's +innards's +innermost +innersole +innervate +innkeeper +innocence +innocents +innocuous +innovated +innovates +innovator +Innsbruck +innuendos +inoculate +inorganic +inpatient +inputting +inquest's +inquirers +inquiries +inquiring +inquiry's +inquorate +inscribed +inscriber +inscribes +insensate +inserting +insertion +insetting +insider's +insidious +insight's +insincere +insinuate +insipidly +insistent +insisting +insolence +insoluble +insolubly +insolvent +insomniac +inspected +inspector +inspiring +inspirits +Instagram +installed +installer +instanced +instances +instanter +instantly +instant's +instating +instigate +instilled +instincts +institute +instructs +insulated +insulates +insulator +insulin's +insulting +insurable +insurance +insured's +insurer's +insurgent +intaglios +integer's +integrals +integrate +integrity +intellect +intendeds +intending +intensely +intensest +intensify +intensity +intensive +intention +interacts +interbred +intercede +intercept +intercity +intercoms +interdict +interests +interface +interfere +interfile +interim's +interiors +interject +interlace +interlard +interline +interlink +interlock +interlope +interlude +interment +internals +internees +Internets +interning +internist +interplay +interpose +interpret +interring +interrupt +intersect +intervals +intervene +interview +interwove +intestacy +intestate +intestine +intimated +intimates +intoner's +intranets +intricacy +intricate +intrigued +intriguer +intrigues +intrinsic +introduce +introit's +introvert +intruders +intruding +intrusion +intrusive +intuiting +intuition +intuitive +Inuktitut +inundated +inundates +invader's +invalided +invalidly +invalid's +invariant +invasions +invective +inveighed +inveigled +inveigler +inveigles +inventing +invention +inventive +inventors +inventory +inversely +inverse's +inversion +inverters +inverting +investing +investors +invidious +inviolate +invisible +invisibly +invitee's +invoice's +invoicing +involving +Ionesco's +ionizer's +Iphigenia +Iqaluit's +Iquitos's +Iranian's +irascible +irascibly +irateness +Ireland's +iridium's +irksomely +Irkutsk's +ironclads +ironing's +ironstone +ironwoods +Iroquoian +irradiate +Irrawaddy +irregular +irrigable +irrigated +irrigates +irritable +irritably +irritants +irritated +irritates +irrupting +irruption +irruptive +Isfahan's +Isherwood +Ishmael's +isinglass +Islamabad +Islamic's +islanders +isolate's +isolating +isolation +isomerism +isometric +isosceles +isotherms +isotope's +isotropic +Israeli's +Israelite +isthmuses +isthmus's +Italian's +italicize +italics's +itchiness +itemizing +iterating +iteration +iterative +iterators +Ithacan's +itinerant +itinerary +Ivanhoe's +Izanagi's +Izanami's +Izhevsk's +jabberers +jabbering +jacaranda +jackasses +jackass's +jackboots +jackdaw's +jackknife +Jacklyn's +jackpot's +Jackson's +jackstraw +Jacobin's +Jacquelyn +Jacques's +Jacuzzi's +jadedness +jadeite's +jaggedest +Jagiellon +jailbirds +jailbreak +jailhouse +Jainism's +Jakarta's +jalapenos +jalapeños +jalousies +Jamaicans +Jamaica's +jambalaya +jamborees +Jamestown +Janacek's +Janelle's +Janette's +jangler's +Janissary +janitor's +Janjaweed +Jansenist +Januaries +January's +Japaneses +japanning +Jarlsberg +Jarrett's +jarringly +Jasmine's +jasmine's +jaundiced +jaundices +jauntiest +javelin's +jawbone's +jawboning +jaybird's +Jaycees's +jaywalked +jaywalker +jealously +Jeanine's +Jeannette +Jeannie's +jeeringly +jeering's +Jefferson +Jeffery's +Jeffrey's +Jehovah's +jejunum's +jellybean +jellyfish +jellylike +jellyroll +Jenifer's +Jenkins's +jeremiads +Jeremiahs +Jericho's +jerkiness +jerkwater +jeroboams +Jerrold's +jerrycans +Jerusalem +Jessica's +jestingly +jetliners +jetport's +jettisons +jeweler's +jewelries +jewelry's +Jezebel's +jiggering +jigsawing +jihadists +Jillian's +Jimenez's +jingoists +jitterbug +jitterier +jitters's +Joaquin's +jobholder +jobshares +jobsworth +Jocasta's +Jocelyn's +jockeying +jockstrap +jocularly +jocundity +jogging's +Johanna's +Johnathan +Johnathon +Johnnie's +Johnson's +joinery's +jolliness +jollity's +jonquil's +Jordanian +Josephine +Josephson +jotting's +journal's +journeyed +journeyer +journey's +jouster's +joviality +Joycean's +joyfuller +joylessly +joyridden +joyriders +joyride's +joyriding +joysticks +Juanita's +jubilee's +Judaism's +juddering +judgeship +judgments +judiciary +judicious +juggler's +jugular's +juiciness +jujitsu's +jukeboxes +jukebox's +Juliana's +jumpiness +jumpsuits +junctions +junctures +Jungian's +juniper's +junketeer +junketing +junkyards +Jupiter's +juridical +juryman's +jurywoman +jurywomen +Justice's +justice's +justified +justifies +Justine's +Justinian +Jutland's +Juvenal's +juveniles +juxtapose +kaddishes +kaddish's +Kagoshima +Kaifeng's +Kaitlin's +Kalamazoo +Kamchatka +kamikazes +Kampala's +Kampuchea +Kandinsky +kangaroos +Kannada's +Kantian's +Kaohsiung +Karachi's +Karaganda +Karakorum +karakul's +Karamazov +karaoke's +Karloff's +Kashmir's +Katelyn's +Katharine +Katherine +Kathiawar +Kathmandu +Kathryn's +Katrina's +katydid's +Kaufman's +keelhauls +keeping's +keepsakes +Keillor's +Kellogg's +Kendall's +Kenmore's +Kennedy's +kenneling +Kenneth's +Kennith's +keratin's +keratitis +kerchiefs +kerfuffle +Kerouac's +kestrel's +ketchup's +Kettering +Kevorkian +keyboards +keyhole's +Keynesian +keynoters +keynote's +keynoting +keystones +keystroke +keyword's +Kharkov's +Khayyam's +Khoisan's +Khorana's +Khwarizmi +kibbutzes +kibbutzim +kibbutz's +kibitzers +kibitzing +kickbacks +kickoff's +kickstand +kidnapped +kidnapper +kidskin's +kielbasas +Kilauea's +killdeers +killing's +killjoy's +kilobytes +kilocycle +kilograms +kilohertz +kiloliter +kilometer +kiloton's +kilowatts +Kimberley +kindliest +kindred's +kinematic +kinfolk's +kingdom's +kingliest +kingmaker +kingpin's +Kingstown +kinkiness +kinship's +kinsman's +kinswoman +kinswomen +Kipling's +kippering +Kirchhoff +Kirghizia +Kirghiz's +Kirinyaga +Kirsten's +Kisangani +Kissinger +kissoff's +kissogram +Kitchener +kitchen's +kittenish +Kiwanis's +kiwifruit +Kleenexes +Kleenex's +Klingon's +Klondikes +klutziest +knackered +knapsacks +knavery's +knavishly +kneader's +kneecap's +Knesset's +Knievel's +knighting +knitter's +knobbiest +knockdown +knocker's +knockoffs +knockouts +Knossos's +knotholes +knottiest +knowingly +knowledge +Knowles's +Knoxville +knuckle's +knuckling +Knudsen's +Koizumi's +kookiness +Korzybski +Kosciusko +koshering +Kossuth's +Kosygin's +Kowloon's +kowtowing +Krasnodar +Kremlin's +Kringle's +Krishna's +Kristen's +Kristie's +Kristin's +Kronecker +Kropotkin +krypton's +Krystal's +Kshatriya +Kubrick's +Kuibyshev +kumquat's +Kunming's +Kurdish's +Kurdistan +Kutuzov's +Kuwaiti's +Kuznets's +kvetchers +kvetching +Kwangju's +Kwanzaa's +laborer's +laborious +Labradors +laburnums +labyrinth +lacerated +lacerates +lacewings +lachrymal +lacquered +lacquer's +lactating +lactation +lactose's +laddering +Ladonna's +ladybirds +ladybug's +ladyloves +Ladyships +ladyships +Lafayette +Lafitte's +laggardly +laggard's +lagging's +lagniappe +lakefront +Lakisha's +Lakshmi's +Lamaism's +Lamarck's +lambada's +lambasted +lambastes +lambently +Lambert's +lambkin's +Lambrusco +lambskins +lambswool +lamebrain +lamenting +laminated +laminates +L'Amour's +lampblack +lamplight +lampooned +lampoon's +lampposts +lamprey's +lampshade +Lancaster +landfalls +landfills +landing's +landlines +landlords +landmarks +landmines +landowner +Landsat's +landscape +landslide +landslips +landwards +Langley's +languages +languidly +languor's +lankiness +lanolin's +Lansing's +lantern's +lanthanum +lanyard's +Lanzhou's +Laocoon's +Laotian's +lapboards +Laplace's +Laplander +Lapland's +lapwing's +Laramie's +larboards +larcenies +larcenist +larcenous +larceny's +Lardner's +largeness +largess's +larkspurs +laryngeal +lasagna's +Lascaux's +lashing's +lassitude +lastingly +Latasha's +latchkeys +latecomer +latency's +lateraled +laterally +lateral's +Lateran's +lathering +Latisha's +latitudes +Latonya's +latrine's +Latrobe's +lattice's +Latvian's +laudatory +laughable +laughably +launchers +launching +launchpad +laundered +launderer +laundress +laundries +laundry's +laureates +Laurent's +lavaliere +lavenders +Laverne's +lavishest +lavishing +Lavoisier +Lavonne's +Lawanda's +lawgivers +lawlessly +lawmakers +lawmaking +lawnmower +lawsuit's +laxatives +laxness's +layabouts +Layamon's +layaway's +layette's +layover's +laypeople +layperson +Lazarus's +lazybones +Leadbelly +leading's +leafage's +leafleted +leaflet's +leafstalk +leakage's +leakiness +Leander's +leaning's +leapfrogs +Learjet's +learnedly +learner's +leaseback +leasehold +leastwise +leather's +leavening +Lebanon's +Leblanc's +lecherous +lechery's +lectern's +lecturers +lecture's +lecturing +Lederberg +leeriness +Leeward's +leeward's +leftism's +leftist's +leftovers +leftwards +legalisms +legalized +legalizes +legatee's +legations +legendary +legginess +legging's +Leghorn's +leghorn's +legionary +legislate +legroom's +legwarmer +legwork's +Leibniz's +Leicester +Leipzig's +leisurely +leisure's +leitmotif +leitmotiv +lemming's +lemonades +Lemuria's +lengthens +lengthier +lengthily +leniently +Leningrad +Leonard's +leopard's +Leopold's +leotard's +Lepidus's +leprosy's +lesbian's +Lesotho's +lessening +Lesseps's +letdown's +lethargic +Leticia's +Letitia's +letterbox +letterers +lettering +Letterman +lettuce's +leucotomy +leukemics +leukocyte +leveler's +levelness +leveraged +leverages +Leviathan +leviathan +levitated +levitates +Leviticus +lexicon's +Lexington +liability +liaison's +libations +libeler's +liberally +liberal's +liberated +liberates +liberator +Liberians +Liberia's +liberties +libertine +liberty's +libidinal +librarian +libraries +library's +librettos +Librium's +licensees +license's +licensing +licking's +licorices +Lieberman +lifebelts +lifeblood +lifeboats +lifebuoys +lifeforms +lifeguard +lifelines +lifesaver +lifespans +lifestyle +lifetimes +lifeworks +liftoff's +ligaments +ligatured +ligatures +lightened +lightener +lighter's +lightface +lightness +lightning +lightship +lignite's +likeliest +Liliana's +Lillian's +limbering +Limburger +limeade's +limelight +limericks +limescale +limestone +limiter's +limitings +limitless +Limoges's +limousine +limpidity +Limpopo's +linchpins +Lincoln's +Lindbergh +Lindsay's +Lindsey's +lineage's +lineament +linearity +lineman's +lingerers +lingering +linguists +liniments +linkage's +linseed's +Linwood's +lionesses +lioness's +lionizing +lipreader +lipsticks +liquefied +liquefies +liqueur's +liquidate +liquidity +liquidize +liquoring +Lissajous +listeners +listening +Listerine +listing's +literally +literal's +literates +litheness +lithesome +lithium's +Lithuania +litigants +litigated +litigates +litigator +litigious +litotes's +litterbug +litterers +littering +littorals +liturgies +liturgist +liturgy's +liveliest +livelongs +Liverpool +liverwort +liveryman +liverymen +livestock +Livonia's +Ljubljana +Llewellyn +loading's +loanwords +loather's +loathings +loathsome +lobbyists +lobster's +localized +localizes +locations +locator's +locavores +Lochinvar +Lockean's +lockjaw's +lockout's +locksmith +locoweeds +locutions +lodestars +lodestone +lodging's +loftiness +logarithm +logbook's +logging's +logically +logicians +logistics +logotypes +Lohengrin +loincloth +loiterers +loitering +Lollard's +lollipops +lolloping +lollygags +Lombard's +Londoners +loneliest +longboats +longbow's +longevity +longhairs +longhorns +longhouse +longingly +longing's +longitude +Longueuil +longueurs +lookalike +lookout's +loopholes +looseness +loosening +looting's +loquacity +Loraine's +lordliest +Lordships +lordships +L'Oreal's +Lorelei's +Lorentz's +Lorenzo's +Loretta's +lorgnette +Lotharios +lotteries +lottery's +loudmouth +Louella's +Louisiana +lounger's +Lourdes's +lousiness +loutishly +lovebirds +lovechild +Lovecraft +loveliest +lowbrow's +lowdown's +Lowenbrau +lowercase +lowermost +lowlander +lowland's +lowlife's +lowliness +lowness's +loyalists +loyalties +loyalty's +lozenge's +Lubbock's +lubricant +lubricate +lubricity +Luciano's +lucidness +Lucifer's +Lucille's +Lucinda's +luckiness +Lucknow's +lucrative +Lucretius +lucubrate +Luddite's +ludicrous +Lufthansa +Luftwaffe +luggage's +lugsail's +lullabies +lullaby's +lumbago's +lumberers +lumbering +lumberman +lumbermen +Lumiere's +Lumière's +lumpiness +lunatic's +luncheons +lunchroom +lunchtime +lunkheads +luridness +Lusitania +lustfully +lustiness +lutanists +lutenists +Lutherans +luxuriant +luxuriate +luxurious +lychgates +lymphatic +lymphomas +lyncher's +lynchings +Lynette's +lyrebirds +lyrically +lyricists +Lysenko's +lysosomal +lysosomes +macadamia +macadam's +macaque's +macaronis +macaroons +MacArthur +Macbeth's +Maccabees +Maccabeus +MacDonald +Macedonia +Macedon's +macerated +macerates +machete's +machinate +machinery +machine's +machining +machinist +Macintosh +Mackenzie +mackerels +mackinaws +Macmillan +macrame's +macramé's +macrocosm +macrology +Macumba's +maddening +Madeira's +Madeleine +Madelyn's +madhouses +Madison's +madness's +Madonna's +madrasahs +madrasa's +madrassas +madrigals +Madurai's +maelstrom +maestro's +Mafioso's +mafioso's +magazines +Magdalena +Magdalene +magenta's +Maghreb's +magically +magicians +magicking +Maginot's +magnate's +magnesium +magnetism +magnetite +magnetize +magneto's +magnified +magnifier +magnifies +magnitude +magnolias +Magsaysay +maharajah +maharanis +maharishi +mahatma's +Mahfouz's +Mahican's +Maigret's +mailbag's +mailbombs +mailboxes +mailbox's +mailing's +Maillol's +maillot's +mailman's +mailshots +mainframe +mainlands +mainlined +mainlines +mainmasts +mainsails +mainstays +maintains +maintop's +majesties +majesty's +Majorca's +majordomo +majorette +makeovers +makeshift +makings's +Malabar's +Malacca's +Malachi's +malachite +maladroit +malaise's +Malamud's +malamutes +malaria's +malathion +Malawians +Malayalam +Malayan's +Malaysian +Malcolm's +Maldive's +Maldivian +Maldonado +malformed +malicious +malignant +maligning +malignity +Malinda's +malingers +mallard's +malleable +Mallomars +Mallory's +Malraux's +Maltese's +Malthus's +maltose's +maltreats +malware's +mammalian +mammogram +mammoth's +manacle's +manacling +manager's +Managua's +manatee's +Manchuria +Mancini's +Mancunian +mandala's +mandarins +mandate's +mandating +mandatory +Mandela's +mandibles +mandolins +mandrakes +mandrel's +mandrills +maneuvers +Manfred's +manganese +mangetout +manginess +mangroves +manhandle +Manhattan +manhole's +manhood's +manhunt's +manically +Manichean +manicured +manicures +manifesto +manifests +manifolds +manikin's +mankind's +manliness +mannequin +mannerism +Manning's +mannishly +manometer +mansard's +Mansfield +mansion's +mantillas +mantissas +Manuela's +mapmakers +marabou's +marabouts +Maracaibo +Maratha's +Marathi's +marathons +marauders +marauding +marbleize +Marceau's +Marcelino +Marcelo's +marcher's +Marconi's +margarine +Margarita +margarita +Margarito +Margery's +marginals +Margrethe +Margret's +mariachis +Mariana's +Mariano's +Maribel's +marigolds +marijuana +Marilyn's +marimba's +marinaded +marinades +marinated +marinates +mariner's +Marisol's +Marissa's +maritally +Maritza's +Marjory's +markdowns +marketeer +marketers +marketing +Markham's +marking's +Marlene's +Marlowe's +marmalade +Marmara's +marmoreal +marmosets +marooning +marquee's +Marquesas +marquetry +Marquette +Marquez's +marquises +Marquis's +marquis's +Marrakesh +marriages +married's +Marsala's +marshaled +marshal's +marshiest +marshland +marsupial +martially +Martial's +Martian's +Martina's +martinets +martini's +martyrdom +martyring +marveling +Marvell's +marvelous +Marxism's +Marxist's +Maryann's +Maryellen +Marylou's +Masaryk's +mascaraed +mascara's +masculine +Masefield +Mashhad's +masochism +masochist +Masonic's +masonry's +massacred +massacres +massage's +massaging +Massasoit +masseur's +masseuses +massively +masterful +mastering +Masters's +mastery's +mastheads +masticate +mastiff's +mastodons +mastoid's +matador's +matchbook +matchless +matchlock +matchwood +materials +maternity +Mathewson +Mathews's +Mathias's +Matilda's +matinee's +matinée's +Matisse's +matriarch +matricide +matrimony +mattering +Matthew's +matting's +mattock's +maturated +maturates +Maugham's +maundered +Maureen's +Mauriac's +Maurice's +Maurine's +Mauritian +Mauritius +Maurois's +Mauryan's +mausoleum +mavericks +mawkishly +maxillary +maxilla's +maximally +maximized +maximizes +maximum's +Maxwell's +Mayfair's +Mayflower +mayflower +Maynard's +mayoralty +maypole's +Mazarin's +mazurka's +Mazzini's +Mbabane's +McBride's +McCartney +McCarty's +McClain's +McClellan +McClure's +McConnell +McCormick +McDonnell +McEnroe's +McFarland +McGowan's +McGuire's +McLuhan's +McMahon's +McPherson +McQueen's +McVeigh's +Meadows's +mealiness +mealtimes +mealybugs +meandered +meander's +meaning's +meanwhile +measles's +measliest +measure's +measuring +meatballs +meatheads +meatiness +mechanics +mechanism +mechanize +medalists +medallion +meddler's +mediating +mediation +mediators +Medicaids +medically +medical's +Medicares +medicated +medicates +medicinal +medicines +meditated +meditates +medulla's +meeting's +megabit's +megabucks +megabytes +megacycle +megadeath +megahertz +megaliths +megaphone +megapixel +megastars +megaton's +megawatts +Meighen's +meiosis's +Melanesia +melange's +Melanie's +melanin's +melanomas +Melbourne +Melinda's +meliorate +Melisande +Melissa's +mellowest +mellowing +melodious +melodrama +Melpomene +meltdowns +membranes +memento's +Memling's +memorable +memorably +memorials +memorized +memorizes +Memphis's +memsahibs +menagerie +Mencius's +Mencken's +mendacity +Mendeleev +Mendelian +mendicant +mending's +Mendocino +Mendoza's +Menelik's +menfolk's +meningeal +Menkent's +Mennonite +Menominee +menopause +menorah's +Menotti's +menstrual +mentalist +mentality +menthol's +mentioned +mention's +mentoring +Menuhin's +Menzies's +Mercado's +mercenary +mercerize +merchants +merciless +mercurial +Mercuries +Mercury's +mercury's +merganser +meridians +meringues +mermaid's +Merriam's +Merrick's +Merrill's +Merrimack +merriment +merriness +Merritt's +mescaline +mesmerism +mesmerize +mesomorph +mesquites +message's +messaging +messenger +Messiah's +messiah's +Messianic +messianic +Messieurs +messieurs +messiness +messmates +mestizo's +metabolic +metacarpi +Metallica +metalwork +Metamucil +metaphors +metatarsi +meteorite +meteoroid +methadone +methane's +Methodism +Methodist +methought +metricate +metricize +metronome +Mexican's +Meyerbeer +mezzanine +Michael's +Micheal's +Michele's +Michelson +microbe's +microbial +microchip +microcode +microcosm +microdots +microfilm +microloan +Microsoft +microwave +middleman +middlemen +Middleton +Midland's +midland's +midlife's +midpoints +midriff's +midstream +midsummer +midterm's +midtown's +midweek's +Midwest's +midwifery +midwife's +midwifing +midwinter +midyear's +mightiest +migraines +migrant's +migrating +migration +migratory +Mikhail's +Mikoyan's +mildewing +Mildred's +mileage's +mileposts +milestone +Milford's +militancy +militants +militated +militates +militia's +milkiness +milkmaids +milkman's +milkshake +milksop's +milkweeds +millage's +Millard's +millennia +milliards +millibars +Millicent +milligram +milliners +millinery +milling's +million's +millionth +millipede +millponds +millraces +millstone +milometer +Milosevic +Miltiades +Miltown's +Milwaukee +mimickers +mimicking +mimicries +mimicry's +minaret's +mincemeat +mindfully +Mindoro's +mindset's +minefield +mineral's +Minerva's +miniature +minibikes +minibuses +minibus's +minicam's +minimally +minimized +minimizes +minimum's +miniskirt +ministers +minivan's +Minnesota +Minolta's +minoxidil +minster's +minstrels +mintage's +Mintaka's +minuend's +minuscule +Minuteman +minuteman +minutemen +minutia's +Miocene's +miracle's +Miranda's +mirroring +mirthless +misbehave +miscalled +mischance +miscounts +miscreant +misdeal's +misdeed's +misdirect +misdoings +miserable +miserably +misfiling +misfire's +misfiring +misfitted +misgiving +misgovern +misguided +misguides +mishandle +misinform +misjudged +misjudges +Miskito's +mislabels +mislaying +mismanage +misnaming +misnomers +misplaced +misplaces +misplayed +misplay's +misprints +misquoted +misquotes +misreport +misrule's +misruling +misshaped +misshapen +misshapes +missilery +missile's +missioner +mission's +missive's +misspeaks +misspells +misspends +misspoken +misstated +misstates +misstep's +mistake's +mistaking +mistiming +mistiness +mistletoe +mistral's +mistreats +mistrials +mistrusts +mistyping +Mitchel's +Mitford's +mitigated +mitigates +mitosis's +mixture's +mnemonics +Mnemosyne +mobilized +mobilizer +mobilizes +mobster's +moccasins +mockeries +mockery's +mockingly +modeler's +modelings +moderated +moderates +moderator +modernism +modernist +modernity +modernize +Modesto's +modesty's +modicum's +modifiers +modifying +modulated +modulates +modulator +Mogadishu +Mohamed's +moistened +moistener +moistness +Moldavian +moldboard +moldering +moldiness +molding's +Moldova's +molecular +molecules +molehills +molesters +molesting +Moliere's +mollified +mollifies +molluscan +mollusk's +Molokai's +Molotov's +Mombasa's +momentary +momentous +monarchic +monarch's +monastery +monastics +Mondale's +monetized +monetizes +moneybags +mongering +Mongolian +mongolism +Mongoloid +mongoloid +mongooses +mongrel's +moniker's +Monique's +monitions +monitored +monitor's +monkeying +monkshood +monocle's +monocular +monodists +monograms +monograph +monoliths +monologue +monomania +monomer's +monoplane +monorails +monotones +monotonic +monoxides +Monsignor +monsignor +monsoonal +monsoon's +monster's +monstrous +montage's +Montaigne +Montanans +Montana's +Monterrey +Montezuma +monthlies +monthly's +Montoya's +monuments +moocher's +moodiness +moonbeams +moonlight +moonscape +moonshine +moonshots +moonstone +moonwalks +mooring's +Moorish's +moorlands +moraine's +Morales's +moralists +moralized +moralizer +moralizes +Moravia's +morbidity +mordantly +mordant's +Mordred's +Morison's +Mormonism +morning's +Moroccans +Morocco's +morocco's +morphemes +morphemic +morphia's +mortality +mortaring +mortgaged +mortgagee +mortgages +mortgagor +mortician +mortified +mortifies +mortise's +mortising +Moseley's +Moselle's +mossbacks +mothballs +mothering +motioning +motivated +motivates +motivator +motocross +motorbike +motorboat +motorcade +motorcars +motorists +motorized +motorizes +motorways +Moulton's +mountable +mountains +mounter's +Mountie's +mountings +mourner's +mousetrap +mousiness +moussakas +mouthfeel +mouthfuls +mouthiest +mouthwash +movable's +movements +moviegoer +Mozilla's +Muawiya's +Mubarak's +muckraked +muckraker +muckrakes +muddiness +mudflat's +mudguards +mudroom's +mudslides +Mueller's +Muensters +muezzin's +muffler's +mugginess +mugging's +mugshot's +mugwump's +mulattoes +mulatto's +muleteers +mullein's +mulligans +Mullins's +mullioned +mullion's +multiform +multipart +multiples +multiplex +multitask +multitude +multiyear +mumbler's +Mumford's +mummery's +mummified +mummifies +munchkins +mundanely +municipal +munitions +Munster's +muralists +Murchison +murderers +murderess +murdering +murderous +Murdoch's +Murillo's +murkiness +murmurers +murmuring +murmurous +murrain's +muscatels +muscleman +musclemen +Muscovite +Muscovy's +musette's +Musharraf +mushiness +mushrooms +musicales +musically +musical's +musicians +musketeer +muskiness +muskmelon +muskrat's +Mussolini +mustached +mustaches +mustachio +mustang's +mustard's +mustering +mustiness +mutagenic +mutagen's +mutations +mutilated +mutilates +mutilator +mutineers +mutinying +Mutsuhito +mutterers +muttering +mutuality +muzziness +Myanmar's +Mycenaean +Mycenae's +myrmidons +MySpace's +mysteries +mystery's +mysticism +mystified +mystifies +mythology +Nabisco's +Nabokov's +nacelle's +Nahuatl's +nailbrush +Naipaul's +Nairobi's +naivete's +naiveté's +naivety's +nakedness +nameplate +namesakes +Namibians +Namibia's +Nanette's +Nanjing's +Nantucket +napalming +naphtha's +Napoleons +napoleons +Napster's +Narcissus +narcissus +narcotics +narcotize +Narmada's +narrating +narration +narrative +narrators +narrowest +narrowing +narwhal's +nasalized +nasalizes +Nashville +nastiness +Natalia's +Natalie's +Natasha's +Natchez's +Nathaniel +Nathans's +nationals +nattering +nattiness +naturally +natural's +naturists +Naugahyde +naughtier +naughtily +nauseated +nauseates +Navarre's +Navarro's +navigable +navigated +navigates +navigator +naysayers +N'Djamena +nearshore +neatening +Nebraskan +necessary +necessity +neckbands +necking's +necklaced +necklaces +necklines +necktie's +necrology +nectarine +needfully +neediness +nefarious +Nefertiti +negations +negatived +negatives +neglected +neglect's +negligees +negligent +negotiate +Negresses +Negress's +Negritude +negritude +Negroid's +neighbors +nematodes +Nemesis's +nemesis's +neodymium +Neogene's +Neolithic +neolithic +neologism +neonate's +neophilia +neophytes +neoplasms +nephritic +nephritis +nepotists +Neptune's +neptunium +nerveless +nerviness +nervously +Nescafe's +nestlings +Nestorius +netbook's +Netflix's +netting's +networked +network's +neuralgia +neuralgic +neuritics +neurology +neurotics +neutering +neutrally +neutral's +neutrinos +neutron's +Nevadan's +nevermore +newborn's +Newcastle +newcomers +newlyweds +newness's +Newport's +newsagent +newsboy's +newscasts +newsflash +newsgirls +newsgroup +newshound +newsman's +newspaper +newsprint +newsreels +newsrooms +newsstand +newswoman +newswomen +Newtonian +Niagara's +nibbler's +Nicaragua +Niccolo's +Nichole's +Nicholson +Nichols's +nickering +nicknamed +nicknames +Nicobar's +Nicodemus +Nicolas's +Nicosia's +Niebuhr's +Nielsen's +Nietzsche +Nigerians +Nigeria's +niggardly +niggard's +niggler's +nightcaps +nightclub +nightfall +nightgown +nighthawk +nightie's +nightlife +nightlong +nightmare +nightspot +nighttime +nightwear +nihilists +Nikolai's +ninepin's +nineteens +ninetieth +Nineveh's +niobium's +nippiness +Nipponese +Nirenberg +Nirvana's +nirvana's +nitpicked +nitpicker +nitrate's +nitrating +nitration +nitrite's +Nkrumah's +Nobelists +nobleness +nocturnal +nocturnes +noiseless +noisiness +nominally +nominated +nominates +nominator +nominee's +nonactive +noncombat +noncredit +nondrying +nonentity +nonevents +nonexempt +nonfading +nonflying +nonfood's +nonlethal +nonlinear +nonliving +nonmember +nonmetals +nonnative +nonpareil +nonpaying +nonperson +nonpluses +nonporous +nonprofit +nonpublic +nonracial +nonrandom +nonsexist +nonsexual +nonsmoker +nonsocial +nonuser's +nonverbal +nonviable +nonvoters +nonvoting +nonwhites +noonday's +Norbert's +Norfolk's +Noriega's +normality +normalize +Normand's +normative +Northeast +northeast +northerly +norther's +northward +Northwest +northwest +Norwegian +Norwich's +nosebleed +nosecones +nosedived +nosedives +nosegay's +Nosferatu +nostalgia +nostalgic +nostril's +nostrum's +notable's +notarized +notarizes +notations +notebooks +notepaper +nothing's +notifiers +notifying +notoriety +notorious +nourished +nourishes +novelette +novelists +novelized +novelizes +novella's +novelties +novelty's +Novembers +novitiate +Novocaine +Novocains +nowhere's +Noxzema's +nucleated +nucleates +nucleolus +nucleon's +nucleus's +nuisances +Nukualofa +nullified +nullifies +nullity's +numbering +Numbers's +numerable +numeral's +numerated +numerates +numerator +numerical +numskulls +Nunavut's +nunneries +nunnery's +nuptial's +Nuremberg +Nureyev's +nursemaid +nurseries +nursery's +nursing's +nurslings +nurturers +nurture's +nurturing +nuthouses +nutmeat's +nutpick's +nutrients +nutriment +nutrition +nutritive +nutshells +nuttiness +nuzzler's +Nyerere's +nymphet's +Oakland's +oarlock's +oarsman's +oarswoman +oarswomen +oatcake's +oatmeal's +Obadiah's +Obamacare +obbligato +obedience +obeisance +obelisk's +Oberlin's +obesity's +obfuscate +objectify +objecting +objection +objective +objectors +objurgate +oblations +obligated +obligates +obliquely +oblique's +obliquity +oblivious +obloquy's +obnoxious +O'Brien's +obscenely +obscenest +obscenity +obscurely +obscurest +obscuring +obscurity +obsequies +obsequy's +observant +observers +observing +obsessing +obsession +obsessive +obsolesce +obsoleted +obsoletes +obstacles +obstetric +obstinacy +obstinate +obstructs +obtaining +obtruding +obtrusion +obtrusive +obverse's +obviating +obviation +obviously +ocarina's +O'Casey's +occasions +occluding +occlusion +occlusive +occultism +occultist +occupancy +occupants +occupiers +occupying +occurring +Oceania's +oceanic's +Oceanside +Oceanus's +O'Connell +octagonal +octagon's +Octavia's +Octavio's +October's +octopuses +octopus's +oculist's +odalisque +oddball's +oddment's +oddness's +odometers +O'Donnell +Odyssey's +odyssey's +Oedipal's +Oedipus's +oenophile +Oersted's +offbeat's +Offenbach +offenders +offending +offense's +offensive +offerings +offertory +offhanded +OfficeMax +officer's +officials +officiant +officiate +officious +offloaded +offprints +offshoots +offspring +offstages +Ogbomosho +O'Higgins +ohmmeters +oilcloths +oilfields +oilskin's +ointments +Okhotsk's +Okinawa's +Oklahoman +Oldenburg +oldness's +oldster's +Olduvai's +oleanders +olfactory +oligarchs +oligarchy +Oligocene +oligopoly +Olivier's +Olmsted's +Olympiads +Olympians +Olympia's +Olympic's +Olympus's +Omayyad's +ombudsman +ombudsmen +omicron's +ominously +omissions +omnibuses +omnibus's +omnivores +Onassis's +oncogenes +O'Neill's +oneness's +onerously +onionskin +onlookers +onlooking +Onondagas +onrushing +Onsager's +onslaught +Ontario's +opacity's +opening's +operating +operation +operative +operators +operettas +Ophelia's +Ophiuchus +opinion's +opossum's +opponents +opportune +opposites +oppressed +oppresses +oppressor +optically +opticians +optimally +optimisms +optimists +optimized +optimizer +optimizes +optimum's +optioning +optometry +opulently +orangeade +orangutan +oration's +oratories +oratorios +oratory's +orbicular +Orbison's +orbital's +orbiter's +orchard's +orchestra +ordaining +orderings +orderlies +orderly's +ordinal's +ordinance +ordinates +oregano's +Oregonian +Orestes's +organdy's +organelle +organic's +organisms +organists +organized +organizer +organizes +organza's +orgiastic +Orientals +orientals +orientate +orienting +orifice's +origami's +originals +originate +Orinoco's +Orizaba's +Orlando's +Orleans's +ornaments +orneriest +orphanage +orphaning +Orpheus's +orthodoxy +Orville's +Orwellian +Osborne's +Osceola's +oscillate +osculated +osculates +Oshkosh's +osmosis's +ossifying +osteopath +ostracism +ostracize +ostriches +ostrich's +Ostrogoth +Ostwald's +Osvaldo's +Othello's +otherness +otherwise +O'Toole's +Ottoman's +ottoman's +oubliette +ourselves +outargued +outargues +outback's +outboards +outboasts +outbreaks +outbursts +outcast's +outcome's +outcrop's +outdoorsy +outermost +outerwear +outfacing +outfields +outfights +outfitted +outfitter +outflanks +outflow's +outfought +outfoxing +outgoings +outgrowth +outgunned +outhouses +outlasted +outlawing +outlaying +outline's +outlining +outliving +outlook's +outnumber +outpacing +outplayed +outpoints +outpost's +outputted +outracing +outrage's +outraging +outranked +outriders +outrigger +outscored +outscores +outshines +outshouts +outsiders +outside's +outsize's +outskirts +outsmarts +outsource +outspends +outspoken +outspread +outstayed +outstrips +outtake's +outvoting +outwardly +outweighs +outwitted +outworked +outworker +outwork's +ovation's +ovenbirds +ovenproof +overacted +overage's +overall's +overarmed +overawing +overbears +overbid's +overbites +overblown +overboard +overbooks +overborne +overbuild +overbuilt +overcasts +overclock +overcloud +overcoats +overcomes +overcooks +overcrowd +overdoing +overdosed +overdoses +overdraft +overdrawn +overdraws +overdress +overdrive +overdub's +overeager +overeaten +overexert +overfeeds +overfills +overflies +overflown +overflows +overgraze +overgrown +overgrows +overhands +overhangs +overhasty +overhauls +overheads +overheard +overhears +overheats +overjoyed +overladen +overlap's +overlarge +overlay's +overloads +overlooks +overlords +overlying +overnight +overplays +overpower +overprice +overprint +overrated +overrates +overreach +overreact +overrides +overruled +overrules +overrun's +overseers +oversells +oversexed +overshare +overshoes +overshoot +oversight +oversleep +overslept +overspend +overspent +overstate +overstays +oversteps +overstock +overtaken +overtakes +overtaxed +overtaxes +overthink +overthrew +overthrow +overtimes +overtired +overtires +overtones +overtures +overturns +overuse's +overusing +overvalue +overviews +overwhelm +overworks +overwrite +overwrote +oviduct's +oviparous +ovulating +ovulation +ownership +oxblood's +oxidant's +oxidation +oxidative +oxidizers +oxidizing +Oxonian's +Oxycontin +oxygenate +pabulum's +pacemaker +Pacheco's +pachyderm +Pacific's +pacifiers +pacifists +pacifying +packagers +package's +packaging +Packard's +packing's +padding's +paddler's +paddocked +paddock's +Padilla's +padlocked +padlock's +pageantry +pageant's +pageboy's +paginated +paginates +Pahlavi's +pailful's +painfully +paintball +painterly +painter's +paintings +paintwork +paisley's +pajamas's +Pakistani +paladin's +palanquin +palatable +palatal's +palatines +palavered +palaver's +palefaces +Palembang +Paleocene +Paleogene +Paleozoic +Palermo's +Palestine +palette's +palfrey's +Palikir's +Palisades +palisades +palladium +palliated +palliates +palmettos +palmistry +palmist's +Palmolive +palmtop's +Palmyra's +Palomar's +palominos +palpating +palpation +palpitate +paltriest +pampering +Pampers's +pamphlets +panacea's +panache's +Panasonic +panatella +pancake's +pancaking +pandemics +panderers +pandering +Pandora's +panegyric +panelings +panelists +Pangaea's +panhandle +panicking +Pankhurst +Panmunjom +pannier's +panoplies +panoply's +panoramas +panoramic +Pantaloon +pantheism +pantheist +pantheons +panther's +pantomime +pantsuits +pantyhose +paparazzi +paparazzo +paperback +paperbark +paperboys +paperclip +paperer's +papergirl +paperless +paperwork +papillary +papilla's +papoose's +paprika's +papyrus's +parable's +parabolas +parabolic +parachute +Paraclete +parader's +paradigms +paradises +paradoxes +paradox's +paragon's +paragraph +parakeets +paralegal +parallels +paralyses +paralysis +paralytic +paralyzed +paralyzes +paramecia +paramedic +parameter +Paramount +paramount +paramours +paranoiac +paranoids +parapet's +parasites +parasitic +parasol's +parathion +paratroop +parboiled +parceling +Parcheesi +parchment +pardoners +pardoning +paregoric +parentage +parenting +paresis's +parfait's +Parisians +parking's +Parkinson +Parkman's +parkway's +parlaying +parleying +Parmesans +Parnassus +Parnell's +parochial +parodists +parodying +parolee's +paroxysms +parqueted +parquetry +parquet's +parricide +Parrish's +parroting +parsimony +parsley's +parsnip's +parsonage +Parsons's +partakers +partaking +parterres +Parthenon +Parthia's +partially +partial's +particles +parting's +partisans +partition +partitive +partnered +partner's +partridge +parvenu's +passage's +passbooks +passenger +passersby +passingly +passing's +Passion's +passion's +passively +passive's +passivity +passivize +passkey's +Passovers +passports +passwords +Pasternak +pastern's +Pasteur's +pastiches +pastilles +pastime's +pastiness +pastorals +pastorate +pasturage +pasture's +pasturing +Patagonia +patchiest +patchouli +patchwork +patella's +patenting +paternity +pathogens +pathology +pathway's +patienter +patiently +patient's +patriarch +Patrica's +Patrice's +patrician +patricide +Patrick's +patrimony +patriotic +patriot's +patrolled +patrolman +patrolmen +patronage +patroness +patronize +patroon's +pattering +patterned +pattern's +Patterson +paucity's +Pauline's +Pauling's +paunchier +pauperism +pauperize +Pavarotti +pavements +pavilions +Pavlova's +Pavlovian +pawnshops +payback's +paychecks +payload's +paymaster +payment's +payphones +payroll's +payslip's +paywall's +Peabody's +peaceable +peaceably +peacetime +peachiest +peacock's +peafowl's +Pearlie's +pearliest +Pearson's +peasantry +peasant's +peccaries +peccary's +Pechora's +Peckinpah +pectorals +peculated +peculates +peculator +pecuniary +pedagogic +pedagogue +peddler's +pederasts +pederasty +pedestals +pediatric +pedicab's +pedicured +pedicures +pedigreed +pedigrees +pediments +pedometer +pedophile +peduncles +peeling's +peepholes +peepshows +peerage's +peeresses +peeress's +peevishly +Pegasuses +Pegasus's +pegboards +peignoirs +Peiping's +pekineses +Pekingese +pekingese +pelican's +pelleting +penalized +penalizes +penalties +penalty's +penance's +penchants +penciling +pendant's +pendent's +pendulous +pendulums +penetrate +penfriend +penguin's +peninsula +penitence +penitents +penknives +penlights +pennant's +penniless +Pensacola +pensioned +pensioner +pension's +pensively +pentacles +pentagons +pentagram +Pentecost +penthouse +Pentium's +penuche's +penumbrae +penumbras +penurious +peonage's +peppering +pepperoni +peppiness +percale's +perceived +perceives +percent's +perchance +Percheron +percolate +perdition +peregrine +perennial +perfectas +perfected +perfecter +perfectly +perfect's +perfidies +perfidy's +perforate +performed +performer +perfumers +perfumery +perfume's +perfuming +perfusion +pergola's +Periclean +perigee's +perihelia +perimeter +perinatal +periphery +periscope +perishers +perishing +peristyle +periwig's +perjurers +perjuries +perjuring +perjury's +perkiness +Perkins's +Permalloy +permanent +permeable +permeated +permeates +Permian's +permitted +permuting +peroxided +peroxides +perpetual +perplexed +perplexes +Perrier's +persecute +Perseid's +Perseus's +persevere +Persian's +persimmon +persisted +personage +personals +persona's +personify +personnel +perspired +perspires +persuaded +persuader +persuades +pertained +pertinent +perturbed +pertussis +perusal's +Peruvians +pervading +pervasive +perverted +pervert's +peskiness +pessaries +pessimism +pessimist +pestering +pesticide +pestilent +petabytes +petcock's +petiole's +petitions +petrified +petrifies +petroleum +petrology +petticoat +pettifogs +pettiness +petting's +pettishly +petulance +petunia's +Peugeot's +pfennig's +Phaedra's +phaeton's +phagocyte +phalanger +phalanges +phalanxes +phalanx's +phallus's +phantasms +phantom's +Pharaoh's +pharaoh's +Pharisaic +pharisaic +Pharisees +pharisees +pharynges +pharynx's +phaseouts +pheasants +phenomena +phenotype +pheromone +Phidias's +philander +philately +philippic +Philips's +Phillip's +philology +philter's +phisher's +phlebitis +Phoenicia +phoenixes +Phoenix's +phoenix's +phonecard +phoneme's +phonetics +phoneying +phonics's +phoniness +phonology +phosphate +phosphors +photocell +photocopy +Photostat +photostat +phrasings +phreaking +Phrygia's +Phyllis's +phylogeny +physicals +physician +physicist +physicked +physics's +physiques +pianist's +Pianola's +piaster's +pibroch's +picador's +Picasso's +piccolo's +pickaxing +pickerels +Pickering +picketers +picketing +Pickett's +pickiness +picnicked +picnicker +pictogram +pictorial +picture's +picturing +piebald's +piecemeal +piecework +piecrusts +piercings +Pierrot's +piggeries +piggishly +piggyback +pigheaded +pigmented +pigment's +pigskin's +pigtail's +pikestaff +pilasters +Pilates's +pilchards +Pilcomayo +pilferage +pilferers +pilfering +Pilgrim's +pilgrim's +pillagers +pillage's +pillaging +pillboxes +pillbox's +pillion's +pilloried +pillories +pillory's +pillowing +Pillsbury +pimento's +pimientos +pimpernel +pimpliest +pinafores +pinball's +pineapple +pinewoods +pinhead's +pinhole's +pinioning +Pinkerton +pinkeye's +pinnacles +Pinocchio +pinpoints +pinpricks +pinsetter +pinstripe +pinwheels +pioneered +pioneer's +piousness +pipelines +pipette's +pipsqueak +piquantly +Piraeus's +piranha's +piratical +pirouette +pismire's +Pissaro's +pistachio +pitapat's +pitcher's +pitchfork +piteously +pitfall's +pithiness +pitifully +pittances +Pittman's +pituitary +pityingly +Pizarro's +pizzazz's +pizzerias +pizzicati +pizzicato +placarded +placard's +placating +placation +placatory +placebo's +placekick +placement +placental +placentas +placidity +placket's +plainness +plainsman +plainsmen +plainsong +plaintiff +plaintive +planeload +planetary +plangency +planner's +plannings +plantains +planter's +plantings +plantlike +plastered +plasterer +plaster's +plastic's +plastique +Plataea's +plateaued +plateau's +platefuls +platelets +platforms +plating's +platitude +Platonism +Platonist +platooned +platoon's +platter's +plaudit's +plausible +plausibly +Plautus's +playacted +playbacks +playbills +playbooks +Playboy's +playboy's +playfully +playgirls +playgoers +playgroup +playhouse +playlists +playmates +playoff's +playpen's +playrooms +Playtex's +plaything +pleader's +pleadings +pleasings +pleasured +pleasures +plebeians +plectrums +plenaries +plenary's +plenitude +plenteous +plentiful +pleonasms +Plexiglas +pliancy's +plighting +plimsolls +Pliocenes +plodder's +ploddings +plotter's +plowman's +plowshare +pluckiest +plugholes +plumage's +plumber's +plumbings +plummeted +plummet's +plumpness +plundered +plunderer +plunder's +plunger's +pluralism +pluralist +plurality +pluralize +plushiest +plushness +plutocrat +plutonium +plywood's +pneumatic +pneumonia +poacher's +pocketful +pocketing +pockmarks +Poconos's +podcast's +Podgorica +Podhoretz +poetaster +poetesses +poetess's +poignancy +poinciana +pointedly +pointer's +pointiest +pointless +poisoners +poisoning +poisonous +Poisson's +Poitier's +Pokemon's +Pokémon's +Polaris's +polarized +polarizes +Polaroids +poleaxing +polecat's +polemical +polemic's +polestars +policeman +policemen +polishers +polishing +Politburo +politburo +politesse +political +politicos +pollack's +Pollard's +pollinate +polling's +polliwogs +Pollock's +pollsters +pollutant +polluters +polluting +pollution +Pollyanna +polonaise +Poltava's +poltroons +polyamory +polyandry +polyester +polyglots +polygonal +polygon's +polygraph +polymaths +polymeric +polymer's +Polynesia +polyphony +polythene +polyvinyl +pomanders +Pomerania +pommeling +Pompadour +pompadour +pompano's +Pompeii's +pomposity +pompously +ponderers +pondering +ponderous +poniard's +Pontiac's +Pontianak +pontiff's +pontoon's +ponytails +poolrooms +poolsides +poorboy's +poorhouse +popcorn's +popinjays +popover's +poppadoms +Poppins's +poppycock +populaces +popularly +populated +populates +populists +porcelain +porcupine +porpoised +porpoises +Porrima's +porringer +Porsche's +portables +portage's +portaging +portended +portent's +portfolio +portholes +porticoes +portico's +portieres +portioned +portion's +portières +portliest +portraits +portrayal +portrayed +portulaca +positions +positives +positrons +possessed +possesses +possessor +possibles +postage's +postboxes +postcards +postcodes +postdated +postdates +postdoc's +posterior +posterity +posthaste +postilion +posting's +postludes +postman's +postmarks +postnasal +postnatal +postponed +postpones +postulate +posture's +posturing +postwoman +postwomen +potable's +potassium +potboiler +potency's +potentate +potential +pothead's +potherb's +pothering +potholder +potholers +pothole's +potholing +pothook's +potluck's +Potomac's +potpourri +Potsdam's +potsherds +potshot's +pottage's +potteries +pottering +pottery's +pottiness +poulterer +poulticed +poultices +poultry's +poundings +Poussin's +poverty's +powdering +powerboat +powerless +PowerPC's +powwowing +practical +practiced +practices +practicum +praetor's +pragmatic +prairie's +Prakrit's +praline's +prancer's +prankster +Pratchett +pratfalls +prattlers +prattle's +prattling +prayerful +précising +preachers +preachier +preaching +Preakness +preambled +preambles +precancel +precedent +preceding +preceptor +precept's +precincts +precipice +precisely +precisest +precising +precision +precluded +precludes +precocity +precooked +precursor +predating +predators +predatory +predicate +predicted +predictor +predigest +preemie's +preempted +preexists +prefabbed +preface's +prefacing +prefatory +prefect's +preferred +prefigure +prefixing +preformed +pregame's +pregnancy +preheated +prejudged +prejudges +prejudice +prelacy's +prelate's +prelude's +premature +premiered +premieres +premier's +Preminger +premise's +premising +premium's +premixing +premolars +Premyslid +preoccupy +preordain +prepacked +preparing +prepaying +preppiest +prepuce's +prequel's +prerecord +presage's +presaging +presbyter +preschool +prescient +prescribe +prescript +preseason +presences +presented +presenter +presently +present's +preserved +preserver +preserves +preshrank +preshrink +preshrunk +president +presiding +presidium +Presley's +presorted +presser's +pressings +pressured +pressures +Preston's +presuming +preteen's +pretended +pretender +pretenses +preterits +pretested +pretext's +pretrials +prettiest +prettying +pretzel's +prevailed +prevalent +prevented +previewed +previewer +preview's +prevision +priceless +pricker's +prickle's +pricklier +prickling +priestess +Priestley +primacy's +primaries +primarily +primary's +primate's +priming's +primitive +primroses +princedom +Princeton +principal +principle +printable +printer's +printings +printouts +Priscilla +prismatic +prisoners +prissiest +privacy's +privateer +privately +private's +privatest +privation +privatize +privilege +proactive +probables +probate's +probating +probation +probity's +problem's +probosces +proboscis +procedure +proceeded +processed +processes +processor +process's +proclaims +proconsul +procreate +Procter's +proctored +proctor's +procurers +procuring +Procyon's +prodigals +prodigies +prodigy's +producers +produce's +producing +product's +profanely +profaning +profanity +professed +professes +professor +proffered +proffer's +profile's +profiling +profiteer +profiting +profusely +profusion +progeny's +progestin +prognoses +prognosis +program's +prohibits +projected +projector +project's +Prokofiev +prolapsed +prolapses +prolixity +prologues +prolonged +promenade +prominent +promise's +promising +promoters +promoting +promotion +prompters +promptest +prompting +proneness +pronghorn +pronounce +pronoun's +proofread +propagate +propane's +propelled +propeller +properest +prophetic +prophet's +proponent +proposals +proposers +proposing +propounds +propriety +prorating +prorogued +prorogues +proscribe +prosecute +proselyte +prosodies +prosody's +prospects +prospered +prostates +prostrate +protected +protector +protegees +protege's +protein's +protested +protester +protest's +Proteus's +protégées +protégé's +protocols +prototype +protozoan +protozoic +protracts +protruded +protrudes +Provençal +Provencal +provender +proverb's +provident +providers +providing +provinces +provision +proviso's +provokers +provoking +provolone +provost's +prowess's +prowler's +proximate +proximity +prudently +prudery's +prudishly +prurience +Prussians +Prussia's +psalmists +Psalter's +pseudonym +psoriasis +psychical +psychic's +psychoses +psychosis +psychotic +ptarmigan +Ptolemaic +Ptolemies +Ptolemy's +ptomaines +puberty's +pubescent +publicans +publicist +publicity +publicize +published +publisher +publishes +Puccini's +puckering +Puckett's +puckishly +pudding's +pudginess +puerility +puerperal +puffballs +puffiness +pugilists +pugnacity +Pulaski's +pullbacks +Pullman's +pullout's +pullovers +pulmonary +pulpiness +pulsating +pulsation +pulverize +pummeling +pumpkin's +punchbags +puncheons +puncher's +punchiest +punchline +punctilio +punctuate +punctured +punctures +pungently +punishing +Punjabi's +punster's +puppeteer +Purcell's +purchased +purchaser +purchases +purebreds +purgative +purgatory +purifiers +purifying +Puritan's +puritan's +purlieu's +purloined +purported +purport's +purposely +purpose's +purposing +pursuance +pursuer's +pursuit's +purulence +purveying +purveyors +purview's +pushbikes +pushcarts +pushchair +pushiness +Pushkin's +pushovers +pussycats +pussyfoot +pustule's +putrefied +putrefies +putterers +puttering +puzzler's +Pygmalion +pylorus's +Pynchon's +Pyongyang +pyramidal +pyramided +pyramid's +pyrites's +pyromania +Pyrrhic's +Pythias's +Qaddafi's +Qingdao's +Qiqihar's +quadrants +quadratic +quadrille +quadruped +quadruple +quagmires +quaintest +Quakerism +qualified +qualifier +qualifies +qualities +quality's +quantum's +quarreled +quarreler +quarrel's +quarrying +quartered +quarterly +quarter's +quartet's +Quasimodo +quatrains +quavering +quaysides +Québecois +queasiest +Quebecois +Quechua's +queenlier +queerness +quenchers +quenching +Quentin's +querulous +questions +quibblers +quibble's +quibbling +quickened +quickfire +quickie's +quicklime +quickness +quicksand +quickstep +quiescent +quietened +quietness +quietuses +quietus's +quilter's +quinidine +quinine's +quintet's +Quinton's +quintuple +quipsters +quirkiest +quislings +quitclaim +quittance +quitter's +quivering +Quixote's +Quixotism +quizzer's +quizzical +Quonset's +quotation +quotidian +quotients +rabbeting +rabbinate +rabbiting +rabidness +raccoon's +racegoers +racehorse +racetrack +raceway's +Rachael's +racialism +racialist +racketeer +racketing +raconteur +Radcliffe +radiantly +radiating +radiation +radiators +radically +radical's +radicchio +radiogram +radiology +raffishly +Raffles's +rafting's +raggedest +raggedier +ragtime's +ragweed's +railcards +railing's +railroads +railway's +raiment's +rainbow's +raincoats +raindrops +rainfalls +Rainier's +rainmaker +rainproof +rainstorm +rainwater +Raleigh's +Ramadan's +Ramanujan +rambler's +ramblings +ramekin's +ramifying +Ramirez's +rampage's +rampaging +rampantly +rampart's +ramrodded +rancher's +rancidity +rancorous +Randall's +Randell's +randiness +randomize +ranginess +Rangoon's +Rankine's +ranking's +ransacked +ransomers +ransoming +rapacious +Raphael's +rapidness +Rappaport +rappelled +rapport's +rapture's +rapturous +rarebit's +rarefying +Rasmussen +raspberry +ratcheted +ratchet's +ratepayer +ratifiers +ratifying +rationale +rationals +rationing +Ratliff's +ratline's +rattler's +rattlings +rattrap's +raucously +raunchier +raunchily +ravager's +ravages's +ravelings +ravioli's +ravishers +ravishing +rawhide's +rawness's +Rayburn's +Raymond's +razorback +reabsorbs +reachable +reacquire +reactants +reactions +reactor's +readdress +readiness +Reading's +reading's +readjusts +readopted +readout's +reaffirms +reagent's +realigned +realism's +realistic +realist's +realities +reality's +realizing +Realtor's +reanalyze +reanimate +reappears +reapplied +reapplies +reappoint +rearguard +rearrange +rearrests +rearwards +reascends +reasoners +reasoning +reasserts +reassigns +reassured +reassures +reattains +reattempt +reawakens +Rebekah's +rebelling +rebellion +rebidding +rebinding +rebirth's +reboiling +rebooting +rebounded +rebound's +rebuffing +reburials +reburying +rebuttals +rebutting +recalling +recanting +recapping +recapture +recasting +receipted +receipt's +receivers +receiving +recentest +reception +receptive +receptors +recessing +recession +recessive +recharged +recharges +recharter +rechecked +recheck's +recherché +recherche +recipient +recital's +reciter's +reckoning +reclaimed +recliners +reclining +recluse's +reclusive +recognize +recoiling +recollect +recolored +recombine +recommend +recommits +recompile +recompose +recompute +reconcile +recondite +reconfirm +reconnect +reconquer +reconsign +recontact +reconvene +reconvert +recooking +recopying +recorders +recording +recounted +recount's +recouping +recovered +recreants +recreated +recreates +recrossed +recrosses +recruited +recruiter +recruit's +rectangle +rectified +rectifier +rectifies +rectitude +rectories +rectory's +recumbent +recurrent +recurring +recursion +recursive +recycle's +recycling +redacting +redaction +redactors +redbird's +redbreast +redcoat's +reddening +redeemers +redeeming +redefined +redefines +redeliver +redeploys +redeposit +redesigns +redevelop +Redford's +redheaded +redhead's +redialing +redirects +redivided +redivides +redlining +Redmond's +redneck's +redness's +redolence +redoubled +redoubles +redoubt's +redounded +redrafted +redrawing +redressed +redresses +redress's +redskin's +reducer's +reducible +reductase +reduction +reductive +redundant +redwood's +reechoing +reediness +reediting +reeducate +reelected +reembarks +reemerged +reemerges +reemploys +reenacted +reengaged +reengages +reenlists +reentered +reentries +reentry's +reexamine +reexplain +reexports +refactors +refashion +refastens +refection +refectory +referable +referee's +reference +referents +referrals +referrers +referring +refilling +refinance +refiner's +refitting +reflating +reflation +reflected +reflector +reflexive +refocused +refocuses +refolding +reforests +reforging +reformers +reforming +reformist +refortify +refracted +refrained +refrain's +refreezes +refreshed +refresher +refreshes +refueling +refugee's +Refugio's +refulgent +refunding +refurbish +refurnish +refusal's +refutable +refuter's +regaining +regalia's +regarding +regards's +regathers +regatta's +regencies +regency's +regicides +regimen's +regiments +Reginae's +registers +registrar +regrading +regressed +regresses +regress's +regretful +regretted +regrouped +regrowing +regularly +regular's +regulated +regulates +regulator +Regulus's +rehabbing +rehanging +rehashing +rehearing +rehearsal +rehearsed +rehearses +reheating +Rehnquist +rehousing +reignited +reignites +reimburse +reimposed +reimposes +reinfects +reinflate +reinforce +Reinhardt +reinserts +reinspect +reinstall +reinstate +reinvents +reinvests +reissue's +reissuing +reiterate +rejecting +rejection +rejiggers +rejigging +rejoicing +rejoinder +rejoining +rejudging +rekindled +rekindles +relabeled +relapse's +relapsing +relater's +relations +relatives +relaxants +relaxer's +relearned +release's +releasing +relegated +relegates +relenting +relevance +relevancy +relievers +relieving +relighted +religions +religious +reliquary +relishing +relisting +relivable +reloading +relocated +relocates +reluctant +remainder +remaining +remanding +remapping +remarking +remarried +remarries +remasters +rematches +rematch's +Rembrandt +remeasure +remedying +remelting +remembers +remigrate +reminders +reminding +Remington +reminisce +remission +remitting +remnant's +remodeled +remolding +remorse's +remounted +remount's +removable +removal's +remover's +renascent +Renault's +rendering +rendition +renegaded +renegades +reneger's +renewable +renewal's +renounced +renounces +renovated +renovates +renovator +renumbers +reopening +reordered +reorder's +reorients +repackage +repacking +repainted +repairers +repairing +repairman +repairmen +reparable +repayable +repayment +repealing +repeaters +repeating +repellent +repelling +repentant +repenting +repertory +rephrased +rephrases +replacing +replanted +replaying +replenish +repleting +repletion +replica's +replicate +reportage +reporters +reporting +reposeful +repossess +reprehend +represent +repressed +represses +repricing +reprieved +reprieves +reprimand +reprinted +reprint's +reprisals +reprise's +reprising +reprobate +reprocess +reproduce +reprogram +reproofed +reproof's +reproving +reptile's +reptilian +republics +republish +repudiate +repugnant +repulse's +repulsing +repulsion +repulsive +reputable +reputably +reputedly +requested +requester +request's +Requiem's +requiem's +requiring +requisite +requiters +requiting +rereading +rerecords +rerouting +rerunning +resalable +rescinded +rescuer's +resealing +resection +reseeding +resellers +reselling +resembled +resembles +resentful +resenting +reserpine +reserve's +reserving +reservist +reservoir +resetting +resettled +resettles +reshaping +resharpen +reshipped +reshuffle +residence +residency +residents +residuals +residue's +resigning +resilient +resistant +resisters +resisting +resistors +resitting +resolve's +resolving +resonance +resonated +resonates +resonator +resorting +resounded +resourced +resources +respected +respecter +respect's +respelled +respiring +respite's +responded +responses +resprayed +restaffed +restarted +restart's +restating +restfully +restively +restocked +restorers +restoring +restrains +restraint +restricts +restrings +restrooms +restudied +restudies +restyling +resubmits +resultant +resulting +resurface +resurgent +resurrect +resurveys +retailers +retailing +retainers +retaining +retaliate +retardant +retarders +retarding +reteaches +retelling +retention +retentive +retesting +rethink's +rethought +reticence +retinue's +retiree's +retooling +retorting +retouched +retouches +retouch's +retracing +retracted +retrained +retreaded +retread's +retreated +retreat's +retrial's +retrieval +retrieved +retriever +retrieves +retrodden +retrofire +retrofits +retsina's +returnees +returners +returning +retweeted +reunified +reunifies +Reunion's +reunion's +reuniting +Reuters's +Reuther's +revaluing +revamping +revealing +reveler's +revelings +revelries +revelry's +revenge's +revenging +revenuers +revenue's +reverence +reverends +reverie's +reversals +reversely +reverse's +reversing +reversion +reverting +revetment +reviewers +reviewing +reviler's +reviser's +revisions +revisited +revival's +revocable +revolting +revolvers +revolving +revulsion +rewarding +rewarming +rewashing +reweaving +rewedding +reweighed +rewinding +rewording +reworking +rewrite's +rewriting +rewritten +Reykjavik +rhapsodic +Rhenish's +rhenium's +rheostats +rheumatic +Rhineland +rhizome's +Rhodesian +rhodium's +rhomboids +rhombuses +rhombus's +rhubarb's +rhymester +Ricardo's +Richard's +Richelieu +Richter's +ricketier +rickets's +rickshaws +ricochets +ricotta's +riderless +ridership +ridgepole +ridiculed +ridicules +Riemann's +Rieslings +rifling's +rigging's +righteous +rightists +rightmost +rightness +rightsize +rightward +rigidness +rigmarole +Rigoberto +Rigoletto +Rimbaud's +ringgit's +ringlet's +ringtones +rioting's +riotously +ripcord's +riposte's +riposting +riptide's +riskiness +risotto's +Ritalin's +ritualism +rivalries +rivalry's +riverbank +riverbeds +riverboat +Riverside +riverside +riveter's +Riviera's +rivulet's +roadbed's +roadblock +roadhouse +roadshows +roadsides +roadsters +roadway's +roadworks +roaming's +Roanoke's +roaring's +roaster's +roastings +robberies +robbery's +Robbins's +Roberta's +Roberto's +Robertson +Roberts's +Robeson's +robocalls +robotized +robotizes +robustest +Rochester +rockbound +rockeries +rocketing +rockfalls +Rockies's +rockiness +Rodgers's +Rodolfo's +Rodrick's +Rodrigo's +Rodriguez +Rodriquez +roebuck's +roentgens +Rogelio's +roguery's +roguishly +roistered +roisterer +Rolaids's +Rolando's +Rolland's +rollbacks +rollicked +Rollins's +rollovers +Rolodex's +Rolvaag's +romaine's +romancers +romance's +romancing +Romanians +Romania's +Romanov's +Romansh's +romantics +Romulus's +roofing's +rooftop's +rookeries +rookery's +roomettes +roomful's +roominess +roommates +Roosevelt +rooster's +rootkit's +rootlet's +Roquefort +Rorschach +Rosales's +Rosalie's +Rosalinda +Rosalyn's +Rosanna's +Rosanne's +Rosario's +Roseann's +rosebud's +Rosecrans +Rosella's +Rosemarie +Rosenberg +Rosendo's +Rosetta's +rosette's +rosewater +rosewoods +Rossini's +Rostand's +rostrum's +Roswell's +rotations +rottenest +Rotterdam +rotunda's +rotundity +Rouault's +roughcast +roughened +roughneck +roughness +roughshod +roundelay +roundness +roundup's +roundworm +routinely +routine's +routinize +rowboat's +rowdiness +Rowland's +Rowling's +Roxanne's +royalists +royalties +royalty's +Rozelle's +rubberize +rubbished +rubbishes +rubbish's +rubdown's +rubella's +Rubicon's +Ruchbah's +rucksacks +ruddiness +rudiments +Rudolph's +Rudyard's +ruffianly +ruffian's +ruggedest +ruination +ruinously +rumblings +ruminants +ruminated +ruminates +rummage's +rummaging +runabouts +runaround +runaway's +rundown's +running's +Runnymede +rupture's +rupturing +Rushdie's +Russell's +Russian's +rusticate +rusticity +rustiness +rustler's +rustlings +rustproof +rutabagas +Rutgers's +ruthenium +Rwandan's +Rydberg's +Saatchi's +Sabbath's +sabbath's +sabotaged +sabotages +saboteurs +Sabrina's +Sacajawea +saccharin +sackcloth +sackful's +sacking's +sacrament +sacrifice +sacrilege +sacristan +saddening +saddlebag +sadness's +safariing +Safavid's +safeguard +Safeway's +safflower +saffron's +sagacious +sagebrush +Saginaw's +saguaro's +Saharan's +sailboard +sailboats +sailcloth +sailing's +sailplane +sainthood +saintlier +saintlike +salaaming +salacious +Saladin's +Salamis's +Salazar's +Salerno's +salerooms +salesgirl +saleslady +salesroom +saliently +salient's +Salinas's +Salisbury +salivated +salivates +sallowest +Sallust's +saltboxes +saltbox's +saltine's +saltiness +saltpeter +saltwater +salvage's +salvaging +salvation +Salvatore +Salween's +Samaritan +Samarkand +samizdats +Samoset's +samovar's +Samoyed's +sampler's +samplings +Sampson's +Samsonite +Samsung's +Samuelson +samurai's +Sanchez's +sanctions +sanctuary +sanctum's +sandbag's +sandbanks +sandbar's +sandblast +sandboxes +sandbox's +Sanders's +sandhog's +sandiness +sandlot's +sandman's +sandpaper +sandpiper +sandstone +sandstorm +Sanford's +sangfroid +sangria's +Sanhedrin +sanitized +sanitizes +Sankara's +Santana's +Santayana +sapling's +sapphires +sappiness +Sapporo's +sapsucker +sapwood's +Saracen's +Saragossa +Saratov's +Sarawak's +sarcasm's +sarcastic +sarcoma's +sardine's +Sargent's +Sarnoff's +Saroyan's +sartorial +sashaying +Saskatoon +Sasquatch +sassafras +Sassanian +Sassoon's +satanical +satanists +satchel's +satellite +satiating +satiation +satiety's +satinwood +satirical +satirists +satirized +satirizes +satisfied +satisfies +saturated +saturates +Saturdays +saturnine +saucepans +sauciness +Saundra's +sauntered +saunter's +sauropods +sausage's +Sauternes +savanna's +savings's +savoriest +sawbuck's +sawdust's +sawhorses +sawmill's +saxifrage +saxophone +scabbards +scabbiest +scabies's +scaffolds +scalawags +scaleless +scaliness +scallions +scalloped +scallop's +scalpel's +scalper's +scampered +scamper's +scandal's +scanner's +scantiest +scantness +scapegoat +scapulars +scapula's +scarecrow +scarified +scarifies +scariness +Scarlatti +scarlet's +scarpered +scatology +scattered +scatter's +scavenged +scavenger +scavenges +scenarios +scenarist +scenery's +scentless +scepter's +Schedar's +scheduled +scheduler +schedules +Schelling +schematic +schemer's +scherzo's +schilling +Schindler +schizoids +schlemiel +schlepped +Schlitz's +schlock's +schmaltzy +Schmidt's +schmoozed +schmoozer +schmoozes +schmuck's +Schnauzer +schnauzer +Schneider +schnitzel +schnook's +schnozzle +scholarly +scholar's +schoolbag +schoolboy +schooling +schoolkid +schooners +Schroeder +Schultz's +schussing +Schweppes +Schwinger +Schwinn's +science's +scientist +scimitars +scintilla +scissored +scleroses +sclerosis +sclerotic +scoffer's +scofflaws +scoldings +scoliosis +scoopfuls +scooter's +scorbutic +scorchers +scorching +scorecard +scoreless +scoreline +scorner's +scorpions +Scorpio's +scotching +Scotchman +Scotchmen +Scottie's +scoundrel +scourer's +scourge's +scourging +scrabbled +scrabbler +Scrabbles +scrabbles +scraggier +scrambled +scrambler +scrambles +scramming +scrapbook +scraper's +scrapheap +scrapings +scrappers +scrappier +scrapping +scrapyard +scratched +scratches +scratch's +scrawling +scrawnier +screamers +screaming +screeched +screeches +screech's +screening +screwball +screwiest +screwworm +scribbled +scribbler +scribbles +scrimmage +scrimping +scrimshaw +scripting +Scripture +scripture +scrivener +scrolling +Scrooge's +scrooge's +scrotum's +scrounged +scrounger +scrounges +scrubbers +scrubbier +scrubbing +scruffier +scruffily +Scruggs's +scrumhalf +scrummage +scrumming +scrumping +scrunched +scrunches +scrunch's +scruple's +scrupling +scuffle's +scuffling +sculler's +Sculley's +scullions +sculpting +sculptors +sculpture +scumbag's +scummiest +scuppered +scupper's +scurrying +scurviest +scutcheon +scuttle's +scuttling +scuzziest +Scythia's +seabird's +seaboards +Seaborg's +seacoasts +seafarers +seafaring +seafloors +seafood's +seafronts +Seagram's +seagull's +seahorses +sealant's +seamounts +seaplanes +seaport's +searchers +searching +searingly +seascapes +seashells +seashores +seaside's +seasoning +seating's +seatmates +Seattle's +seawall's +seaward's +seaweed's +seaworthy +sebaceous +Sebastian +seborrhea +secateurs +secession +secluding +seclusion +seclusive +Seconal's +secondary +seconders +seconding +secrecy's +Secretary +secretary +secreting +secretion +secretive +secretory +sectarian +sectaries +sectary's +sectional +sectioned +section's +sedatives +sedentary +sediments +seditious +seducer's +seduction +seductive +Seebeck's +seedbed's +seedcases +seediness +seedlings +seedpod's +seemingly +seemliest +seepage's +seesawing +segfaults +segmented +segment's +Segovia's +segregate +Segundo's +seigneurs +seigniors +seizure's +selecting +selection +selective +selectman +selectmen +selectors +Selectric +selfishly +Selkirk's +Sellers's +selloff's +sellotape +sellout's +seltzer's +selvage's +semantics +semaphore +semblance +semesters +semibreve +semicolon +semifinal +semigloss +seminar's +Seminoles +semiotics +Semiramis +semisolid +semisweet +Semitic's +semitones +semivowel +senator's +sendoff's +Senegal's +senescent +Senghor's +seniority +Sennett's +senoritas +sensation +senseless +sensitive +sensitize +sensually +sentenced +sentences +sentience +sentiment +sentinels +separable +separably +separated +separates +separator +September +sepulcher +sequenced +sequencer +sequences +sequester +sequinned +sequoia's +Sequoya's +seraglios +Serbian's +serenaded +serenades +Serengeti +serfdom's +sergeants +serialize +serigraph +seriously +sermonize +serotonin +Serpens's +serpent's +Serrano's +serration +servant's +serveries +service's +servicing +serviette +servility +serving's +servitors +servitude +session's +setback's +setscrews +setsquare +setting's +settler's +seventeen +seventh's +seventies +seventy's +severally +several's +severance +Severus's +Seville's +Sextans's +sextant's +sextuplet +sexuality +Seyfert's +Seymour's +shabbiest +shackle's +shackling +shadiness +shading's +shadowbox +shadowier +shadowing +Shaffer's +shaggiest +shakedown +shakeouts +shakeup's +shakiness +shallot's +shallower +shallowly +shallow's +shamanism +shamble's +shambling +shambolic +shameless +shampooed +shampooer +shampoo's +shamrocks +shanghais +Shannon's +shapeless +shapelier +Shapiro's +shareable +sharecrop +shareware +Shari'a's +sharkskin +sharpened +sharpener +sharper's +sharpie's +sharpness +Sharron's +shattered +shatter's +Shavian's +shaving's +Shavuot's +Shawnee's +shearer's +sheathing +shebang's +Shebeli's +sheeniest +sheepdogs +sheepfold +sheepskin +sheerness +sheetlike +Sheetrock +Sheffield +sheikdoms +Sheldon's +shellac's +Shelley's +shellfire +shellfish +sheltered +shelter's +Shelton's +Shepard's +shepherds +sherbet's +sheriff's +Sherman's +Sherrie's +Shetlands +shiatsu's +shielding +Shields's +shiftiest +shiftless +shiitakes +Shi'ite's +Shikoku's +shillings +shimmered +shimmer's +shimmying +shinbones +shindig's +shingle's +shingling +shinguard +shininess +shinnying +Shintoism +Shintoist +shipboard +shiploads +shipmates +shipments +shipowner +shipper's +shipshape +shipwreck +shipyards +shirker's +Shirley's +shirrings +shirtless +shirttail +shitfaced +shitheads +shittiest +shivering +shocker's +shoddiest +shoehorns +shoelaces +shoemaker +shoeshine +shoetrees +shogunate +shooter's +shootings +shootouts +shopfront +shoplifts +shopper's +shorebird +shoreline +shoring's +shortages +shortcake +shortcuts +shortened +shortfall +shorthand +Shorthorn +shorthorn +shortlist +shortness +shortstop +shortwave +Shoshones +shotgun's +shoulders +shouldn't +should've +shouter's +shovelful +shoveling +showbiz's +showboats +showcased +showcases +showdowns +showering +showgirls +showiness +showing's +showman's +showoff's +showpiece +showplace +showrooms +shredders +shredding +shrewdest +shrieking +shrillest +shrilling +shrimpers +shrimping +Shriner's +shrinkage +shrinking +shriveled +shrouding +shrubbery +shrubbier +shrugging +shuddered +shudder's +shufflers +shuffle's +shuffling +shutdowns +shuteye's +shutoff's +shutout's +shuttered +shutter's +shuttle's +shuttling +Shylock's +shyness's +shyster's +Siamese's +Siberians +Siberia's +sibilants +sibling's +sibylline +Sicilians +sickbed's +sickening +sickliest +sickout's +sickrooms +sidearm's +sidebar's +sideboard +sideburns +sidecar's +sidekicks +sidelight +sidelined +sidelines +sideman's +sidepiece +sideshows +sidesteps +sideswipe +sidetrack +sidewalks +sidewalls +Siegfried +Siemens's +sightings +sightless +sightlier +sightread +sightseer +Sigismund +Sigmund's +signage's +signalers +signaling +signalize +signalman +signalmen +signatory +signature +signboard +signified +signifies +signing's +signora's +signorina +signorine +signposts +Sikkimese +silencers +silence's +silencing +silentest +Silesia's +silicates +siliceous +silicon's +silicosis +silkiness +silkworms +silliness +Silurians +silvering +Simenon's +similarly +Simmental +simmering +Simmons's +simonized +simonizes +simpatico +simpering +simpleton +Simpson's +simulacra +simulated +simulates +simulator +simulcast +Sinatra's +sincerely +sincerest +sincerity +Sindbad's +sinecures +singalong +Singapore +singing's +singles's +Singleton +singleton +singsongs +singulars +Sinhalese +sinkholes +sinuosity +sinuously +sinusitis +siphoning +sirloin's +sirocco's +sissified +Sistine's +Sisyphean +sitarists +sitemap's +sitting's +situating +situation +sixpences +sixteen's +sixteenth +sixtieths +Sjaelland +skating's +skedaddle +skeletons +skeptical +skeptic's +sketchers +sketchier +sketchily +sketching +sketchpad +skewbalds +skewering +skillet's +skimmer's +skimpiest +skinflint +skinheads +Skinner's +skinniest +skintight +skippered +skipper's +skittered +skivvying +skulker's +skullcaps +skydivers +skydiving +skyjacked +skyjacker +skylarked +skylark's +skylights +skyline's +skyrocket +skywriter +slackened +slacker's +slackness +Slackware +slagheaps +slaloming +slammer's +slandered +slanderer +slander's +slangiest +slantwise +slaphappy +slapstick +slasher's +slathered +slatterns +slaughter +slavering +slavery's +slavishly +slaying's +sleazebag +sleaziest +sledder's +sleekness +sleeper's +sleepiest +sleepless +sleepover +sleepwalk +sleepwear +sleighing +sleight's +slenderer +sleuthing +slicker's +slickness +slideshow +slightest +slighting +sliminess +slingback +slingshot +slinkiest +slipcases +slipcover +slipknots +slippages +slipper's +slipway's +slithered +slither's +slivering +slobbered +slobber's +sloppiest +slouchers +slouchier +slouching +sloughing +Slovakian +Slovene's +Slovenian +slowcoach +slowdowns +slowpokes +sludgiest +sluggards +slugger's +slumbered +slumber's +slumdog's +slumlords +slummiest +Slurpee's +slushiest +sluttiest +slyness's +smacker's +smallness +smarmiest +smartened +smartness +smasher's +smashup's +smeariest +smelliest +smelter's +Smetana's +smidgen's +smilingly +smirching +smoggiest +smokeless +smokiness +smoking's +smoldered +smolder's +smooching +smoothest +smoothies +smoothing +smothered +smother's +smudgiest +smugglers +smuggling +smuttiest +snaffle's +snaffling +snakebite +snakelike +snakeskin +snapper's +snappiest +Snapple's +snapshots +snarkiest +snarliest +snatchers +snatching +snazziest +sneaker's +sneakiest +sneerings +snickered +snicker's +sniffer's +sniffiest +sniffle's +sniffling +snifter's +snippet's +snippiest +snitching +snivelers +sniveling +snobbiest +snookered +snooker's +snooper's +snoopiest +snootiest +snorkeled +snorkeler +snorkel's +snorter's +snottiest +snowballs +snowbanks +snowbirds +snowboard +snowbound +snowdrift +snowdrops +snowfalls +snowfield +snowflake +snowiness +snowman's +snowplows +snowshoes +snowstorm +snowsuits +snuffer's +snuffle's +snuffling +snuggle's +snuggling +soaking's +soapboxes +soapbox's +soapiness +soapstone +sobbingly +soberness +sobriquet +sociables +socialism +socialist +socialite +socialize +societies +society's +sociology +sociopath +sockeye's +Socorro's +sodomites +sodomized +sodomizes +softballs +softbound +softcover +softeners +softening +softwoods +sogginess +sojourned +sojourner +sojourn's +solderers +soldering +soldiered +soldierly +soldier's +solecisms +solemness +solemnest +solemnify +solemnity +solemnize +solenoids +solicited +solicitor +solidness +solidus's +soliloquy +solipsism +solitaire +soloist's +Solomon's +solstices +soluble's +solutions +solvent's +Somalians +Somalia's +sombreros +someone's +someplace +somersets +something +sometimes +somewhats +somewhere +somnolent +sonatinas +songbirds +songbooks +songfests +Songhai's +Songhua's +songsters +sonograms +soother's +sophism's +sophistic +sophistry +sophist's +Sophocles +sophomore +soporific +soprano's +Sopwith's +sorcerers +sorceress +sorcery's +soreheads +sorghum's +sorriness +sorrowful +sorrowing +sortieing +souffle's +soufflé's +soulfully +soulmates +soundbars +soundbite +sounder's +soundings +soundless +soundness +soupcon's +soupçon's +sourdough +Southeast +southeast +southerly +southerns +Southey's +southpaws +southward +Southwest +southwest +souvenirs +sovereign +soybean's +Soyinka's +spaceport +spaceship +spacesuit +spacewalk +spaciness +spacing's +Spackle's +spadefuls +spadework +spaghetti +spammer's +spandex's +spangle's +spangling +Spanglish +Spaniards +spaniel's +Spanish's +spankings +spanner's +spareness +spareribs +sparingly +sparkiest +sparklers +sparkle's +sparkling +sparrow's +Spartacus +Spartan's +spasmodic +spastic's +spatially +spattered +spatter's +spatula's +speakeasy +speaker's +speakings +spearfish +spearhead +spearmint +specially +special's +specialty +species's +specifics +specified +specifier +specifies +specimens +speckle's +speckling +spectacle +spectated +spectates +spectator +specter's +speculate +speechify +speedboat +speeder's +speediest +speedster +speedup's +speedways +speedwell +spellbind +spelldown +speller's +spellings +spelunker +Spencer's +spendable +spender's +Spenser's +sphagnums +spherical +spheroids +sphincter +spiciness +spicule's +spiderweb +Spielberg +spiffiest +spikiness +spillages +spillover +spillways +spinach's +spindle's +spindlier +spindling +spineless +spinnaker +spinneret +spinner's +Spinoza's +spinsters +spiracles +spiraling +spiriting +spiritual +spitballs +spitfires +spittle's +spittoons +splashier +splashily +splashing +splatters +splatting +splayfeet +splayfoot +splendors +splenetic +splicer's +splinters +splintery +splinting +splitting +sploshing +splotched +splotches +splotch's +splurge's +splurging +splutters +spoiler's +Spokane's +spokesman +spokesmen +sponger's +spongiest +sponsored +sponsor's +spookiest +spoonbill +spoonfuls +sportiest +sportsman +sportsmen +spotlight +spotter's +spottiest +spousal's +spraining +sprawling +sprayer's +spreaders +spreading +sprightly +springbok +springier +springily +springing +sprinkled +sprinkler +sprinkles +sprinters +sprinting +spritzers +spritzing +sprockets +sprouting +spumoni's +spunkiest +Sputnik's +sputnik's +sputtered +sputter's +spymaster +spyware's +squabbled +squabbler +squabbles +squadrons +squalider +squalidly +squalling +squalor's +squanders +Squanto's +squashier +squashing +squatness +squatters +squattest +squatting +squawkers +squawking +squeakers +squeakier +squeakily +squeaking +squealers +squealing +squeamish +squeegeed +squeegees +squeezers +squeeze's +squeezing +squelched +squelches +squelch's +squiggled +squiggles +squintest +squinting +squirmier +squirming +squirrels +squirting +squishier +squishing +Srivijaya +stabber's +stabbings +stability +stabilize +stableman +stablemen +staccatos +stadium's +staffer's +stagehand +staggered +stagger's +staging's +stagnancy +stagnated +stagnates +staidness +stainless +staircase +stairways +stairwell +stakeouts +stalemate +staleness +Stalinist +stalker's +stalkings +stallions +stalwarts +stamina's +stammered +stammerer +stammer's +stampeded +stampedes +stamper's +stanchest +stanching +stanchion +standards +standby's +standee's +stander's +standings +standoffs +standouts +standpipe +Stanley's +Stanton's +stapler's +Staples's +starboard +Starbucks +starburst +starchier +starchily +starching +stardom's +starfruit +stargazed +stargazer +stargazes +Starkey's +starkness +starlet's +starlight +starlings +starriest +starter's +startling +startup's +starvings +statehood +stateless +statelier +statement +stateroom +stateside +statesman +statesmen +statewide +stationed +stationer +station's +statistic +statuette +stature's +statute's +statutory +staunched +stauncher +staunches +staunchly +steadfast +Steadicam +steadiest +steadying +stealth's +steamboat +steamer's +steamiest +steampunk +steamroll +steamship +steeliest +steelyard +steepened +steeple's +steepness +steerable +steersman +steersmen +Steinbeck +Steinem's +Steiner's +Steinmetz +stenciled +stencil's +Stengel's +stepchild +stepdad's +Stephanie +Stephan's +Stephen's +stepmom's +stepper's +stepson's +sterility +sterilize +sternness +sternum's +steroidal +steroid's +Stetson's +stetson's +Steuben's +stevedore +Stevenson +Stevens's +stewarded +steward's +Stewart's +sticker's +stickiest +sticklers +stickpins +stickup's +Stieglitz +stiffened +stiffener +stiffness +stiflings +stigmatic +stilettos +stillborn +stillness +stiltedly +Stilton's +Stimson's +stimulant +stimulate +stinger's +stingiest +stingrays +stinkbugs +stinker's +stinkiest +stipend's +stipple's +stippling +stipulate +stirrer's +stirrings +stirrup's +stitchery +stitching +stockaded +stockades +Stockholm +stockiest +stockings +stockists +stockpile +stockpots +stockroom +stockyard +stodgiest +stoically +Stoicisms +stolidest +stolidity +stomached +stomacher +stomach's +stonewall +stoneware +stonework +stoniness +stonkered +stopcocks +stopgap's +stoplight +stopovers +stoppable +stoppages +stoppered +stopper's +stopple's +stoppling +stopwatch +storage's +storeroom +stormiest +storybook +stoutness +stovepipe +stowage's +stowaways +straddled +straddler +straddles +straggled +straggler +straggles +straights +strainers +straining +straitens +stranding +strangely +strangers +strangest +strangled +strangler +strangles +strapless +strapping +stratagem +strategic +stratum's +stratus's +Strauss's +streakers +streakier +streaking +streamers +streaming +streetcar +Streisand +strengths +strenuous +stressful +stressing +stretched +stretcher +stretches +stretch's +striation +strictest +stricture +stridency +strikeout +striker's +strikings +stringent +stringers +stringier +stringing +stripling +strippers +stripping +strollers +strolling +Stromboli +strongbox +strongest +strongman +strongmen +strontium +strophe's +stroppier +stroppily +stropping +structure +strudel's +struggled +struggles +strumming +strumpets +strutting +stubbiest +stubble's +stuccoing +studbooks +student's +studiedly +studliest +stuffiest +stuffings +stumblers +stumble's +stumbling +stumpiest +stupefied +stupefies +stupidest +stupidity +sturdiest +sturgeons +stuttered +stutterer +stutter's +Stuttgart +Stygian's +stylishly +stylistic +stylist's +stylizing +stymieing +styptic's +Styrofoam +suasion's +suaveness +suavity's +subaltern +subarctic +subarea's +subatomic +subbranch +subdivide +subdomain +subeditor +subfamily +subgroups +subhead's +subhumans +subjected +subject's +subjoined +subjugate +subleased +subleases +sublimate +sublimely +sublimest +subliming +sublimity +submarine +submerged +submerges +submersed +submerses +submitted +submitter +subnormal +suborders +suborning +subplot's +subpoenas +subscribe +subscript +subsidies +subsiding +subsidize +subsidy's +subsisted +subsoil's +substance +substrata +substrate +subsuming +subsystem +subteen's +subtenant +subtended +subtext's +subtitled +subtitles +subtopics +subtotals +subtracts +subtropic +suburbans +subverted +succeeded +successes +successor +success's +succoring +succotash +succulent +succumbed +suckering +sucklings +Sucrets's +sucrose's +suctioned +suction's +Suetonius +sufferers +suffering +sufficing +suffixing +suffocate +Suffolk's +suffragan +suffusing +suffusion +sugarcane +sugarcoat +sugariest +sugarless +sugarplum +suggested +suggester +Suharto's +suicide's +suitcases +suiting's +Sukarno's +sulfate's +sulfide's +sulfuring +sulfurous +sulkiness +sullenest +sultana's +sultanate +sultriest +Sumatrans +Sumatra's +Sumerians +Sumeria's +summaries +summarily +summarize +summary's +summation +summering +Summers's +summoners +summoning +summonsed +summonses +summons's +sumptuous +sunbathed +sunbather +sunbathes +sunbath's +Sunbeam's +sunbeam's +Sunbelt's +sunbelt's +sunblocks +sunbonnet +sunburned +sunburn's +sunbursts +Sundanese +sundering +sundial's +sundown's +sunfishes +sunfish's +sunflower +Sunkist's +sunlamp's +sunniness +Sunnite's +Sunnyvale +sunrise's +sunroof's +sunscreen +sunshades +sunspot's +sunstroke +suntanned +superbest +Superbowl +supercity +superegos +superfine +Superfund +Superglue +superglue +superhero +superiors +supermoms +supernova +superpose +supersede +supersize +superstar +superuser +supervene +supervise +supplants +suppliant +suppliers +supplying +supported +supporter +support's +supposing +suppurate +supremacy +supremely +surceased +surceases +surcharge +surcingle +surface's +surfacing +surfboard +surfeited +surfeit's +surfing's +surgeon's +surgeries +surgery's +surliness +surmise's +surmising +surmounts +surname's +surpassed +surpasses +surplices +surpluses +surplus's +surprised +surprises +surrender +surrogacy +surrogate +surrounds +surtaxing +surtitles +surveying +surveyors +survivals +surviving +survivors +Susanna's +Susanne's +suspected +suspect's +suspended +suspender +suspicion +sustained +Suwanee's +Suzanne's +suzerains +Suzette's +swaddling +swaggered +swaggerer +swagger's +Swahili's +swallowed +swallow's +swampiest +swampland +swankiest +Swansea's +swansongs +Swanson's +swarthier +swastikas +swattered +swatter's +Swaziland +swearer's +swearword +sweatband +sweater's +sweatiest +sweatshop +sweatsuit +Swedish's +Sweeney's +sweeper's +sweepings +sweetcorn +sweetened +sweetener +sweetie's +sweetmeat +sweetness +swellhead +swellings +sweltered +swelter's +sweptback +swiftness +swimmer's +swimsuits +Swinburne +swindlers +swindle's +swindling +swineherd +swingeing +swinger's +switchers +switching +swiveling +swizzling +swooshing +swordfish +swordplay +swordsman +swordsmen +sybarites +sybaritic +sycamores +sycophant +syllabify +syllables +syllabubs +syllogism +sylphlike +Sylvester +symbioses +symbiosis +symbiotic +symbolism +symbolize +symmetric +symphonic +symposium +symptom's +synagogal +synagogue +synapse's +syncopate +syncope's +syndicate +syndromes +synergies +synergism +synergy's +synfuel's +synonym's +syntactic +syntheses +synthesis +synthetic +syringe's +syringing +sysadmins +systemics +systole's +Szilard's +Tabasco's +Tabatha's +tabbouleh +Tabitha's +tableau's +tableland +tabletops +tableware +tabloid's +tabulated +tabulates +tabulator +tacitness +Tacitus's +tackiness +tackler's +tactfully +tactician +tactility +tadpole's +Tadzhik's +taffeta's +taffrails +Tagalog's +tagline's +Tahitians +tailbacks +tailboard +tailbones +tailcoats +tailgated +tailgater +tailgates +taillight +tailoring +tailpiece +tailpipes +tailspins +tailwinds +Taiping's +Taiwanese +Taiyuan's +takeaways +takeoff's +takeout's +takeovers +takings's +Taliban's +talismans +talkative +tallboy's +Tallchief +tallier's +Tallinn's +tallyhoed +tallyho's +Talmudist +tamaracks +tamarinds +Tamerlane +Tammany's +tamoxifen +tamperers +tampering +tanager's +tanbark's +Tancred's +tangelo's +tangent's +tangerine +tangibles +Tangier's +Tanisha's +tankard's +tankful's +tanneries +tannery's +tanning's +tantalize +tantrum's +Tanzanian +tapelines +tapeworms +tapioca's +taproom's +taproot's +Tarantino +tarantula +Tarazed's +Tarbell's +tardiness +targeting +Tarkenton +tarmacked +tarnished +tarnishes +tarnish's +tarpaulin +tarragons +Tartary's +Tasmanian +tasseling +tasteless +tastiness +tasting's +tattering +tatting's +tattler's +tattooers +tattooing +tattooist +taunter's +tautening +tautology +tawdriest +taxicab's +taxidermy +taximeter +taxonomic +taxpayers +taxpaying +Tbilisi's +teacake's +teachable +teacher's +teachings +teacupful +teakettle +tealights +teammates +teamsters +tearaways +teardrops +tearfully +teargases +teargas's +tearoom's +teasingly +teaspoons +technical +technique +tectonics +tediously +teenagers +teetering +tektite's +telecasts +telegenic +telegrams +telegraph +telemeter +telemetry +teleology +telepathy +telephone +telephony +telephoto +teleplays +telesales +telescope +teletexts +telethons +teletypes +televised +televises +tellingly +telltales +tellurium +TELNETTed +temblor's +tempera's +temperate +tempering +tempest's +Templar's +templates +temporary +temporize +tempter's +temptress +tempura's +tenacious +tenancies +tenancy's +tenanting +tenderest +tendering +tenderize +tendril's +tenements +Tennessee +tenpins's +tenseness +tension's +tensity's +tentacled +tentacles +tentative +tenuity's +tenuously +tepidness +tequila's +terabit's +terabytes +terahertz +terapixel +terbium's +Terence's +termagant +terminals +terminate +termite's +ternaries +ternary's +terrace's +terracing +terrain's +terrapins +terrarium +terrazzos +Terrell's +terrier's +terrified +terrifies +territory +terrorism +terrorist +terrorize +terseness +testament +testators +testatrix +testicles +testified +testifier +testifies +testimony +testiness +tetanus's +tetchiest +tethering +textbooks +textile's +textually +texture's +texturing +Thackeray +thankless +thatchers +thatching +theater's +theatrics +Theiler's +theocracy +Theodoric +theorem's +theoretic +theorists +theorized +theorizes +Theosophy +theosophy +therapies +therapist +therapy's +Theravada +therefore +therefrom +theremins +Theresa's +Therese's +thereunto +thereupon +therewith +thermally +thermal's +thermoses +thermos's +thesaurus +Theseus's +thespians +Thespis's +thickened +thickener +thicket's +thickness +thighbone +thimble's +thingummy +thinkable +thinker's +thinner's +thirstier +thirstily +thirsting +thirteens +thirtieth +thistle's +Thomism's +Thomistic +Thomson's +Thorazine +Thoreau's +thorium's +thorniest +thought's +thousands +thralldom +thralling +thrashers +thrashing +threaders +threadier +threading +threatens +threefold +threesome +threshers +threshing +threshold +thriftier +thriftily +thrillers +thrilling +throatier +throatily +throbbing +thronging +throttled +throttler +throttles +throwaway +throwback +thrower's +thrumming +thrusting +thruway's +thulium's +thumbnail +thumbtack +thundered +thunderer +thunder's +Thurber's +Thurman's +Thursdays +thwackers +thwacking +thwarting +thymine's +thyroidal +thyroid's +Tianjin's +Tibetan's +ticketing +ticking's +tickler's +ticktocks +tidelands +tidemarks +tidewater +tideway's +tidings's +tieback's +tiebreaks +Tienanmen +Tiffany's +tightened +tightener +tightness +tightrope +tightwads +tigresses +tigress's +Tijuana's +tillage's +Tillich's +Tillman's +timbering +timbrel's +timeliest +timelines +timeout's +timepiece +timescale +timeshare +timestamp +timetable +timidness +Timothy's +timothy's +timpani's +timpanist +Timurid's +tinctured +tinctures +tinderbox +tinfoil's +tinglings +tinkerers +tinkering +Tinkertoy +tinniness +tinseling +tinsmiths +tintype's +tinware's +Tipperary +tippexing +tippler's +tipsiness +tipster's +tiptoeing +tiramisus +tiredness +Titania's +Titanic's +titillate +titivated +titivates +titlist's +tittering +Tlingit's +toadstool +toaster's +toastiest +tobacco's +toboggans +Tocantins +toddler's +toehold's +toenail's +toileting +tolerable +tolerably +tolerance +tolerated +tolerates +Tolkien's +tollbooth +tollgates +tollway's +Tolstoy's +toluene's +tomahawks +tomboyish +tombstone +tomorrows +tonearm's +tonight's +tonnage's +tonsorial +tonsure's +tonsuring +toolbar's +toolboxes +toolbox's +toolmaker +toothache +toothiest +toothless +toothpick +toothsome +topcoat's +topflight +topiary's +topically +topknot's +topmast's +topping's +topsail's +topside's +topsoil's +topspin's +toreadors +tormented +tormentor +torment's +tornadoes +tornado's +Toronto's +torpedoed +torpedoes +torpedo's +torpidity +Torrens's +torrent's +torridity +torsional +torsion's +tortillas +tortoises +Tortola's +tortoni's +Tortuga's +torturers +torture's +torturing +torturous +Toscanini +Toshiba's +totterers +tottering +touchable +touchdown +touchiest +touchings +touchline +toughened +toughener +toughie's +toughness +tourism's +touristic +tourist's +tourney's +towboat's +towelette +towelings +towheaded +towhead's +towline's +townhouse +townsfolk +townships +towpath's +towrope's +toxemia's +Toynbee's +trabecula +trabecule +traceable +traceries +tracery's +trachea's +tracing's +trackball +tracker's +trackless +tracksuit +tractable +tractably +tractor's +trademark +tradesman +tradesmen +trading's +tradition +traducers +traducing +Trafalgar +traffic's +tragedian +tragedies +tragedy's +trailer's +Trailways +trainable +trainee's +trainer's +trainload +traipse's +traipsing +traitor's +tramlines +trammeled +trammel's +tramper's +tramplers +trample's +trampling +transacts +transcend +transects +transepts +transfers +transform +transfuse +transient +transited +transit's +translate +transmits +transmute +transom's +transpire +transport +transpose +transship +Transvaal +trapdoors +trapeze's +trapezium +trapezoid +trappable +trapper's +trappings +Trappists +trashcans +trashiest +traumatic +travailed +travail's +travelers +traveling +traversal +traversed +traverses +trawler's +treachery +treacle's +treadle's +treadling +treadmill +treason's +treasured +treasurer +treasures +treatable +treatises +treatment +Treblinka +treetop's +trefoil's +trekker's +Trekkie's +trellised +trellises +trellis's +trematode +tremble's +trembling +tremolo's +tremulous +trenchant +trenchers +trenching +trendiest +Trenton's +trestle's +Trevelyan +Trevino's +triangles +triathlon +tribalism +tribesman +tribesmen +tribunals +tribune's +tributary +tribute's +tricepses +triceps's +trichinae +trickiest +trickle's +trickling +trickster +tricolors +tricycles +Trident's +trident's +triennial +Trieste's +trifectas +trifler's +trifocals +triggered +trigger's +trillions +trilobite +trilogies +trilogy's +trimarans +trimester +trimmer's +trimmings +Trinities +trinities +Trinity's +trinity's +trinket's +Tripitaka +triplet's +triplexes +triplex's +Tripoli's +tripper's +triptychs +tripwires +trireme's +trisected +Tristan's +triteness +tritium's +triumphal +triumphed +triumph's +triumvirs +trivalent +trivially +trivium's +Trobriand +trochee's +Troilus's +trolley's +trollop's +trombones +Trondheim +trooper's +troopship +Tropicana +tropics's +tropism's +Trotsky's +trotter's +trouble's +troubling +trouncers +trouncing +trouper's +trouser's +trousseau +troweling +truancy's +truanting +Truckee's +trucker's +truckle's +truckling +truckload +truculent +Trudeau's +trueloves +truffle's +trumpeted +trumpeter +trumpet's +truncated +truncates +truncheon +trundlers +trundle's +trundling +trustee's +trustiest +truther's +Tsimshian +Tsitsihar +tsunami's +Tuamotu's +tubercles +tuckering +Tucuman's +Tuesday's +tugboat's +tuition's +tularemia +tumbler's +tumbrel's +tumescent +tunefully +Tunisians +Tunisia's +tunnelers +tunneling +Tupungato +turbidity +turbine's +turbofans +turbojets +turboprop +turbulent +turducken +turgidity +Turkestan +Turkish's +turmerics +turmoil's +turnabout +turncoats +turning's +turnkey's +turnoff's +turnout's +turnovers +turnpikes +turnstile +turntable +turpitude +turquoise +Tuscany's +Tuscarora +Tussaud's +tussock's +tutorials +tutorship +twaddlers +twaddle's +twaddling +twangiest +tweediest +tweeter's +twelfth's +twentieth +twiddle's +twiddling +twiggiest +twinkle's +twinkling +twirler's +twister's +twistiest +twitchier +twitching +twittered +Twitter's +twitter's +Twizzlers +twopences +twosome's +Tylenol's +tympani's +tympanist +tympanums +Tyndale's +Tyndall's +typecasts +typefaces +typewrite +typewrote +typhoid's +typhoon's +typically +typifying +tyrannies +tyrannize +tyrannous +tyranny's +Ucayali's +Uccello's +ufologist +ufology's +Ugandan's +Ukraine's +Ukrainian +ukulele's +ulcerated +ulcerates +ultimatum +ultrahigh +ululating +ululation +Ulyanovsk +Ulysses's +umbilical +umbilicus +umbrage's +umbrellas +Umbriel's +umpteenth +unabashed +unadorned +unadvised +unaligned +unalloyed +unaltered +unanimity +unanimous +unarmored +unashamed +unbalance +unbarring +unbending +unbinding +unblocked +unbolting +unbosomed +unbounded +unbranded +unbridled +unbuckled +unbuckles +unburdens +unbuttons +uncannier +uncannily +uncapping +unceasing +uncertain +unchained +unchanged +uncharged +uncharted +unchaster +unchecked +uncivilly +unclaimed +unclasped +uncleaned +uncleaner +uncleanly +uncleared +unclearer +uncloaked +unclogged +unclothed +unclothes +unclouded +unclutter +uncoiling +uncolored +unconcern +uncorking +uncounted +uncoupled +uncouples +uncouthly +uncovered +uncrossed +uncrosses +uncrowded +uncrowned +unction's +uncurling +undamaged +undaunted +undeceive +undecided +undefined +underacts +underarms +underbids +undercoat +undercuts +underdogs +underdone +underfeed +underflow +underfoot +undergoes +undergone +undergrad +underhand +underlain +underlays +underlies +underline +underling +underlips +undermine +undermost +underpaid +underpart +underpass +underpays +underpins +underplay +underrate +underseas +undersell +undershot +underside +undersign +undersold +undertake +undertone +undertook +undertows +underused +underwear +underwent +underwire +Underwood +undesired +undiluted +undivided +undoing's +undoubted +undreamed +undressed +undresses +undress's +undulated +undulates +unearthed +unearthly +uneasiest +uneatable +unequaled +unequally +unethical +unexcited +unexcused +unexpired +unexposed +unfailing +unfairest +unfastens +unfeeling +unfeigned +unfetters +unfitness +unfitting +unfledged +unfocused +unfolding +unfounded +unfreezes +unfriends +unfrocked +unfurling +ungodlier +unguarded +unguent's +ungulates +unhandier +unhanding +unhappier +unhappily +unharness +unhatched +unhealthy +unhelpful +unhinging +unhitched +unhitches +unholiest +unhooking +unhorsing +unhurried +Unicode's +unicorn's +unicycles +uniformed +uniformly +uniform's +unimpeded +uninjured +uninstall +uninsured +uninvited +unionists +unionized +unionizes +Unitarian +unitizing +univalent +univalves +universal +universes +unkindest +unknowing +unknown's +unlabeled +unlatched +unlatches +unlearned +unleashed +unleashes +unlighted +unlikable +unlimbers +unlimited +unlivable +unloading +unlocking +unloosens +unloosing +unlovable +unluckier +unluckily +unmanlier +unmanning +unmarried +unmasking +unmatched +unmeaning +unmerited +unmindful +unmounted +unmourned +unmovable +unmusical +unnatural +unnerving +unnoticed +unopposed +unordered +unpacking +unpainted +unpersons +unpicking +unpinning +unplanned +unplugged +unplumbed +unpopular +unpressed +unquieter +unquoting +unraveled +unreality +unreeling +unrefined +unrelated +unripened +unrivaled +unrolling +unruffled +unruliest +unsaddled +unsaddles +unsalable +unscathed +unscented +unscrewed +unsealing +unseating +unsecured +unselfish +unsettled +unsettles +unshackle +unshapely +unsheathe +unsightly +unskilled +unsmiling +unsnapped +unsnarled +unsounder +unsoundly +unsparing +unspoiled +unstained +unstopped +unstudied +unsullied +untactful +untainted +untangled +untangles +untenable +untidiest +untouched +untrained +untreated +untrimmed +untruth's +untutored +untwisted +untypical +Unukalhai +unusually +unvarying +unveiling +unwariest +unwearied +unwelcome +unwilling +unwinding +unwitting +unworldly +unworried +unwrapped +unwritten +unzipping +upbraided +upchucked +upcountry +updraft's +upgrade's +upgrading +upheavals +upholders +upholding +upholster +uplifting +uploading +uppercase +uppercuts +uppermost +upraising +uprearing +uprightly +upright's +uprisings +uprooting +upsetting +upsilon's +upstaging +upstarted +upstart's +upstate's +upstrokes +upsurge's +upsurging +upswing's +upthrusts +upturning +uranium's +urbanized +urbanizes +urethra's +urgency's +urinating +urination +urologist +urology's +urticaria +Uruguayan +Uruguay's +usability +uselessly +usernames +usherette +Ustinov's +usurper's +utensil's +utilities +utility's +utilizing +Utopian's +Utrecht's +Utrillo's +utterance +uttermost +vacancies +vacancy's +vacations +vaccinate +vaccine's +vacillate +vacuity's +vacuole's +vacuously +vacuuming +vagabonds +vagarious +vaginally +vagrant's +vagueness +vainglory +valance's +Valarie's +valence's +Valencias +valencies +valency's +Valentine +valentine +Valentino +Valenti's +Valeria's +Valerie's +valiantly +validated +validates +validness +Valkyries +valuables +valuating +valuation +valueless +valveless +Valvoline +vamoosing +vampire's +Vancouver +vandalism +vandalize +Vandyke's +Vanessa's +vanguards +vanilla's +vanishing +vantage's +Vanuatu's +vapidness +vaporized +vaporizer +vaporizes +vaporware +vaquero's +variables +variances +variant's +variation +variegate +varietals +varieties +variety's +variously +varmint's +varnished +varnishes +varnish's +varsities +varsity's +vasectomy +Vaselines +vasomotor +Vasquez's +vassalage +Vatican's +Vaughan's +vaulter's +Vazquez's +vectoring +Vedanta's +vegetable +vegetated +vegetates +vehemence +vehemency +vehicle's +vehicular +Velasquez +Velazquez +velodrome +Velásquez +velveteen +Velázquez +vendettas +veneering +venerable +venerated +venerates +Venetians +Venezuela +vengeance +venireman +veniremen +venison's +ventilate +ventricle +venture's +venturing +venturous +veracious +veranda's +verbalize +verbena's +verbiages +verbosely +verbosity +verdantly +verdict's +verdigris +verdure's +verifying +veritable +veritably +Verizon's +Vermeer's +vermiform +vermilion +verminous +Vermonter +Vermont's +vernier's +verruca's +versatile +versified +versifier +versifies +versioned +version's +vertebrae +vertebral +verticals +vertigo's +vesicle's +vesicular +Vespasian +vestibule +vestige's +vestigial +vesting's +vestments +vestryman +vestrymen +veteran's +vexations +vexatious +viability +viaduct's +vibraharp +vibrantly +vibrating +vibration +vibrators +vibratory +vibrato's +viburnums +vicarages +vicarious +vicennial +Vicente's +viceregal +viceroy's +viciously +Vicksburg +victimize +Victorian +victories +victory's +victualed +victual's +videlicet +videodisc +videotape +Vientiane +Vietnam's +viewing's +viewpoint +vigesimal +vigilance +vigilante +vignetted +vignettes +vilifying +villagers +village's +villain's +villein's +Vilnius's +Vincent's +vindicate +vinegar's +vineyards +vintage's +vintner's +violating +violation +violators +violently +violinist +violist's +virginals +Virginian +virginity +virgule's +virtually +virulence +viscose's +viscosity +viscounts +Visigoths +visionary +visioning +visitants +visitor's +Vistula's +visualize +vitalized +vitalizes +vitamin's +vitiating +vitiation +vitrified +vitrifies +vitrine's +vitriolic +vitriol's +vittles's +vivacious +Vivaldi's +vivariums +vividness +vivifying +vivisects +vocable's +vocalists +vocalized +vocalizes +vocations +vocatives +voiceless +voicemail +volcanoes +volcano's +Volcker's +Voldemort +Volgograd +volleying +voltage's +voltmeter +voluntary +volunteer +voodooing +voodooism +voracious +Vorster's +voucher's +vouchsafe +Voyager's +voyager's +voyageurs +voyeurism +Vuitton's +vulcanize +vulgarest +vulgarian +vulgarism +vulgarity +vulgarize +Vulgate's +vulture's +vulturous +vuvuzelas +wackiness +wadding's +waffler's +wagerer's +waggeries +waggery's +waggishly +Wagnerian +wagoner's +wagtail's +Wahhabi's +Waikiki's +wailing's +wainscots +waistband +waistcoat +waistline +waiting's +waitstaff +wakefully +Waksman's +Waldorf's +walkabout +walkaways +walking's +Walkman's +walkout's +walkovers +walkway's +wallabies +wallaby's +Wallace's +wallboard +walleye's +Walloon's +walloping +wallowing +wallpaper +Walmart's +Walpole's +Walters's +waltzer's +Wanamaker +wanderers +wandering +wangler's +wannabees +wannabe's +wanness's +wantoning +warbler's +warbonnet +wardrobes +wardrooms +warehouse +warfare's +warhead's +warhorses +warlock's +warlord's +warmonger +warning's +warpath's +warplanes +warranted +warrant's +warrior's +warship's +warthog's +wartime's +Warwick's +Wasatch's +washables +washbasin +washboard +washbowls +washcloth +washing's +washout's +washrag's +washrooms +washstand +washtub's +waspishly +wassailed +wassail's +wastage's +wasteland +wastrel's +watchable +watchband +watchdogs +watcher's +watchword +waterbeds +waterbird +Waterbury +waterfall +Waterford +waterfowl +Watergate +waterhole +wateriest +waterlily +waterline +Waterloos +watermark +watermill +watershed +waterside +waterways +Watkins's +wattage's +Watteau's +wavebands +wavefront +wavelet's +waverer's +waxwing's +waxwork's +waybill's +wayfarers +wayfaring +waylayers +waylaying +wayside's +waywardly +weakeners +weakening +weaklings +wealthier +weaponize +weariness +wearisome +weaseling +weathered +weather's +weaving's +webbing's +webcast's +webfoot's +webinar's +webisodes +webmaster +website's +Webster's +Weddell's +wedding's +wedlock's +Wednesday +weekday's +weekended +weekender +weekend's +weeknight +weensiest +Wehrmacht +weightier +weightily +weighting +weirdie's +weirdness +welcome's +welcoming +welfare's +Welland's +wellheads +welsher's +weltering +Wendell's +westbound +Westerner +westerner +Western's +western's +westwards +wetback's +wetland's +wetness's +whacker's +whackings +whaleboat +whalebone +whaling's +Wharton's +whatnot's +wheatgerm +wheatmeal +wheedlers +wheedling +wheelbase +Wheeler's +wheelie's +wheeziest +wherefore +whereupon +wherewith +whetstone +whichever +whimpered +whimper's +whimsical +whingeing +whinnying +whipper's +whippet's +whippings +Whipple's +whipsawed +whipsaw's +whirligig +Whirlpool +whirlpool +whirlwind +whiskered +whisker's +whiskey's +whispered +whisperer +whisper's +whistlers +whistle's +whistling +whitebait +whitecaps +whitefish +Whitehall +Whitehead +whitehead +whiteners +whiteness +whitening +whiteouts +whitetail +whitewall +whitewash +Whitfield +whiting's +Whitley's +Whitman's +Whitney's +whittlers +whittling +whizkid's +whizzbang +whodunits +wholefood +wholemeal +wholeness +wholesale +wholesome +whooper's +whooshing +whopper's +whosoever +Wichita's +wickedest +widener's +widower's +widowhood +wielder's +Wiggins's +wiggler's +wiggliest +wigwagged +Wikileaks +Wikipedia +Wilbert's +Wilburn's +wildcards +wildcat's +wildfires +Wilford's +Wilfred's +Wilhelm's +Wilkerson +Wilkinson +Wilkins's +Willard's +willfully +William's +willies's +willingly +williwaws +willpower +Wilsonian +Wimbledon +windbag's +windblown +windbreak +windchill +windfalls +windiness +winding's +windmills +windowing +Windows's +windpipes +windproof +windrow's +windsocks +Windsor's +windstorm +windsurfs +windswept +wineglass +winemaker +Winesap's +Winfred's +Winfrey's +wingdings +wingnut's +wingspans +wingtip's +Winnebago +winningly +winning's +winnowers +winnowing +winsomely +winsomest +Winston's +wintering +winterize +Winters's +wintriest +wirehairs +wiretap's +Wisconsin +wiseacres +wisecrack +wishbones +wishfully +wisterias +wistfully +withdrawn +withdraws +withering +withers's +withholds +withstand +withstood +witlessly +witnessed +witnesses +witness's +wittering +witticism +wittiness +wittingly +wobbliest +Wobegon's +Wodehouse +woebegone +woefuller +wolfhound +wolfram's +wolverine +womanhood +womanized +womanizer +womanizes +womankind +womanlier +womanlike +womenfolk +Wonderbra +wonderful +wondering +Woodard's +woodblock +woodchuck +woodcocks +woodcraft +woodcut's +woodenest +woodiness +woodlands +woodlot's +woodlouse +woodman's +woodpiles +Woodrow's +woodsheds +woodsiest +Woodstock +woodwinds +woodworms +wooliness +Woolite's +woolliest +Woolworth +Wooster's +wooziness +Worcester +wordage's +wordbooks +wordiness +wording's +wordsmith +workbench +workbooks +workday's +workflows +workforce +workhorse +workhouse +working's +workloads +Workman's +workman's +workmates +workout's +workplace +workrooms +worksheet +workshops +worksites +workspace +worktable +workweeks +worldlier +worldview +worldwide +wormholes +worriedly +worrier's +worriment +worrisome +worryings +worrywart +worsening +worshiped +worshiper +worship's +worsted's +worthiest +worthless +Wozniak's +Wozzeck's +wranglers +wrangle's +wrangling +wrapper's +wrappings +wreathing +wrecker's +wrenching +wrestlers +wrestle's +wrestling +wrigglers +wriggle's +wriggling +Wrigley's +wringer's +wrinkle's +wrinklier +wrinklies +wrinkling +wrinkly's +wristband +writing's +Wroclaw's +wrongdoer +wrongness +wryness's +Wurlitzer +Wycherley +Wyoming's +Xanthippe +Xenakis's +xenophobe +Ximenes's +Xiongnu's +xylophone +yachtsman +yachtsmen +Yahtzee's +Yakutsk's +yammerers +yammering +Yangtze's +Yaobang's +Yaounde's +yardage's +yardarm's +yardman's +yardstick +yarmulkes +Yaroslavl +yearbooks +yearlings +yearnings +yeastiest +yellowest +yellowing +yellowish +Yeltsin's +Yenisei's +Yerevan's +Yesenia's +yeshiva's +yesterday +Yggdrasil +Yiddish's +yieldings +yodeler's +Yolanda's +Yonkers's +Yorkshire +Yossarian +youngster +YouTube's +Ypsilanti +ytterbium +yttrium's +Yucatan's +Yugoslavs +Yuletides +yuppified +yuppifies +Zachariah +Zachary's +Zachery's +Zambezi's +Zambian's +Zamboni's +Zapotec's +Zealand's +zealously +Zebedee's +Zechariah +zeitgeist +Zephaniah +zeppelins +zestfully +Zhengzhou +Zhivago's +Ziegler's +zigzagged +zillion's +Zimmerman +Zinfandel +zinfandel +Zionism's +Zionist's +zippering +zirconium +zookeeper +zoologist +zoology's +zoophytes +zoophytic +Zoroaster +Zsigmondy +zucchinis +Zwingli's +zymurgy's +Aachen's +aardvark +abacuses +abacus's +abalones +abandons +abashing +abattoir +abbesses +abbess's +Abbott's +abdicate +abdomens +abducted +abductee +abductor +Aberdeen +aberrant +abetting +abettors +abeyance +abhorred +abidance +abjectly +abjurers +abjuring +ablating +ablation +ablative +ablution +abnegate +abnormal +aborning +aborting +abortion +abortive +abounded +abrading +Abrams's +abrasion +abrasive +abridged +abridges +abrogate +abrupter +abruptly +abscissa +absconds +abseiled +abseil's +absences +absented +absentee +absently +absinthe +absolute +absolved +absolves +absorbed +abstains +abstract +abstruse +absurder +absurdly +abundant +abuser's +abutment +abutting +acacia's +academia +academic +Acadia's +acanthus +Acapulco +acceding +accented +accent's +accepted +accessed +accesses +access's +accident +acclaims +accolade +accorded +accord's +accosted +accost's +accounts +accouter +accredit +accruals +accruing +accuracy +accurate +accursed +accusers +accusing +accustom +acerbate +acerbity +acetates +acetonic +Achebe's +achene's +Achernar +achieved +achiever +achieves +Achilles +achingly +acidosis +acolytes +aconites +Acosta's +acoustic +acquaint +acquired +acquirer +acquires +acreages +acridest +acridity +acrimony +acrobats +acronyms +acrostic +acrylics +acting's +actinium +action's +activate +actively +active's +activism +activist +activity +actually +actuated +actuates +actuator +acuity's +acumen's +adagio's +adapters +adapting +adaption +adaptive +Addams's +addend's +addendum +Adderley +addicted +addict's +addition +additive +adducing +Adelaide +Adenauer +adenoids +adequacy +adequate +Adhara's +adherent +adhering +adhesion +adhesive +Adidas's +adjacent +adjoined +adjourns +adjudged +adjudges +adjuncts +adjuring +adjusted +adjuster +adjutant +Adkins's +admirals +admirers +admiring +admitted +admixing +admonish +Adolfo's +Adolph's +Adonises +Adonis's +adopters +adopting +adoption +adoptive +adorable +adorably +adorer's +adorning +adrenals +Adrian's +Adriatic +Adrienne +adroitly +adsorbed +adulated +adulates +adulator +adultery +advanced +advances +Advent's +advent's +adverb's +adverser +adverted +advert's +advice's +advisers +advising +advisory +advocacy +advocate +Aegean's +Aeneas's +Aeneid's +Aeolus's +aerating +aeration +aerators +aerially +aerial's +aerobics +Aeroflot +aerogram +aerosols +aesthete +affair's +affected +affect's +afferent +affiance +affinity +affirmed +affixing +afflatus +afflicts +affluent +afforded +afforest +affray's +affronts +Afghan's +afghan's +aflutter +Africans +Africa's +Agassi's +Agatha's +ageism's +ageist's +agencies +agency's +agenda's +ageratum +aggrieve +agitated +agitates +agitator +agitprop +Aglaia's +aglitter +agnostic +agonists +agonized +agonizes +agrarian +agreeing +Agricola +agronomy +aigrette +Aileen's +ailerons +ailments +airbag's +airbases +airborne +airbrush +airbuses +airbus's +aircraft +aircrews +airdrome +airdrops +Airedale +airfares +airfield +airfoils +airheads +airiness +airing's +airlifts +airliner +airlines +airlocks +airmails +airman's +airplane +airports +airships +airshows +airspace +airspeed +airstrip +airtight +airwaves +airway's +airwoman +airwomen +Alabaman +alacrity +Alaric's +alarming +alarmist +Alaskans +Alaska's +albacore +Albanian +Albany's +Albertan +Albert's +albinism +albino's +Albion's +Alcatraz +Alcestis +Alcindor +alcohols +Alcott's +alcove's +Alcuin's +alderman +aldermen +Aldrin's +aleatory +alehouse +Aleichem +Alembert +alembics +Aleppo's +alerting +Aleutian +alewives +Alexei's +Alexis's +Alford's +Alfred's +alfresco +algebras +Algerian +Alhambra +Alhena's +aliasing +alibiing +Alicia's +alienate +aliening +alienist +alighted +aligners +aligning +aliments +Alioth's +Alisha's +Alison's +Alissa's +Alistair +aliyah's +Alkaid's +alkalies +alkaline +alkali's +alkalize +alkaloid +allaying +alleging +allegory +allegros +allele's +alleluia +allergen +allergic +alleyway +alliance +allocate +allotted +allowing +alloying +allspice +Allstate +alluding +allure's +alluring +allusion +allusive +alluvial +alluvium +Almach's +almanacs +Almaty's +Almighty +almighty +almond's +almoners +Alonzo's +alpaca's +Alpert's +alphabet +Alphecca +Alphonse +Alphonso +Alpine's +Alsace's +Alsatian +Alston's +Altaic's +Altair's +Altamira +altering +Althea's +although +altitude +Altman's +altruism +altruist +Aludra's +aluminum +alumna's +Alvarado +Alvaro's +alveolar +Alyson's +Alyssa's +amalgams +Amalia's +Amanda's +amaranth +amaretto +Amarillo +amassing +amateurs +Amazon's +amazon's +ambiance +ambition +ambler's +ambrosia +ambulant +ambulate +ambushed +ambushes +ambush's +Amelia's +amenable +amenably +amending +amercing +American +Americas +Amerinds +amethyst +amicable +amicably +amidship +ammeters +ammonium +amnesiac +amnesics +amnion's +amniotic +amoeba's +amorally +amortize +amounted +amount's +Amparo's +amperage +Ampere's +ampere's +amphorae +ampule's +amputate +amputees +Amritsar +Amtrak's +amulet's +Amundsen +Anabel's +Anacin's +anaconda +Anacreon +anaerobe +anagrams +Analects +analog's +analogue +analyses +analysis +analysts +analytic +analyzed +analyzer +analyzes +anapests +anarchic +anathema +Anatolia +anatomic +ancestor +ancestry +anchored +anchor's +ancients +andantes +Andean's +Andersen +Anderson +andirons +Andorran +Andrea's +Andrei's +Andres's +Andretti +Andrew's +androgen +androids +Andropov +anecdote +anemia's +anemones +aneurysm +Angara's +Angela's +Angelica +angelica +Angelico +Angelina +Angeline +Angelita +Angelo's +angering +angina's +Angkor's +angler's +Anglia's +Anglican +Angolans +Angola's +Angora's +angora's +angriest +Angstrom +angstrom +Anguilla +Anibal's +animal's +animated +animates +animator +animists +animus's +anisette +Ankara's +anklet's +annalist +annals's +annealed +annelids +annexing +Annmarie +annotate +announce +annoying +annually +annual's +annulled +anodized +anodizes +anodynes +anointed +anorak's +anorexia +anorexic +Anselm's +Anshan's +answered +answer's +antacids +anteater +antedate +antelope +antennae +antennas +anterior +anteroom +anthem's +anther's +anthills +antibody +anticked +antidote +Antietam +antigens +Antigone +antihero +Antilles +antimony +antiphon +antiqued +antiques +antitank +antlered +antler's +Antone's +Antonius +antonyms +Antony's +antsiest +Antwan's +Anubis's +anyone's +anyplace +anything +anywhere +Apache's +apathy's +aperitif +aperture +aphasics +aphelion +aphorism +apiaries +apiarist +apiary's +apically +aplomb's +apogee's +Apollo's +apologia +apoplexy +apostasy +apostate +apostles +apothegm +appalled +apparels +apparent +appealed +appeal's +appeared +appeased +appeaser +appeases +appended +appendix +appetite +applauds +applause +Appleton +applet's +appliers +appliqué +applique +applying +appoints +apposing +apposite +appraise +apprised +apprises +approach +approval +approved +approves +apricots +aptitude +Apuleius +aqualung +aquanaut +Aquarian +aquarium +Aquarius +aquatics +aquatint +aqueduct +aquifers +Aquila's +aquiline +Aquino's +Arabians +Arabia's +Arabic's +Arabists +arachnid +Arafat's +Araguaya +Aramco's +Arapahos +Ararat's +Arawakan +Arawak's +arbiters +Arbitron +arboreal +arcade's +Arcadian +archaism +archaist +archduke +archer's +Archie's +archival +archived +archives +archness +archways +Arctic's +arctic's +Arcturus +ardently +Arequipa +argent's +arginine +Argonaut +argosies +argosy's +arguable +arguably +arguer's +argument +argyle's +Arianism +Arizonan +Arjuna's +Arkansan +Arkansas +Arlene's +Arline's +armada's +Armagnac +armament +Armand's +Armani's +armature +armbands +armchair +Armenian +armful's +armholes +Arminius +armlet's +armloads +Armonk's +armorers +armorial +armories +armoring +armory's +Armour's +armpit's +armrests +Arnhem's +Arnold's +aromatic +arousing +arpeggio +arraigns +arranged +arranger +arranges +arraying +arrested +arrest's +arrivals +arriving +arrogant +arrogate +arroyo's +arsenals +arsonist +arterial +arteries +artery's +artfully +Arthur's +articled +articles +artifact +artifice +artiness +artisans +artistes +artistic +artistry +artist's +artsiest +Arturo's +artworks +asbestos +ascended +ascent's +ascetics +ascribed +ascribes +Asgard's +ashcan's +Ashcroft +Ashgabat +Ashikaga +ashlar's +Ashlee's +Ashley's +ashram's +ashtrays +Asiatics +Asimov's +Asmara's +aspect's +Aspell's +Asperger +asperity +asphalts +asphodel +asphyxia +aspirant +aspirate +aspiring +aspirins +assailed +Assamese +assassin +assaults +assayers +assaying +assemble +Assembly +assembly +assented +assent's +asserted +assessed +assesses +assessor +assholes +assigned +assignee +assigner +assignor +assign's +Assisi's +assisted +assist's +assize's +assonant +assorted +assuaged +assuages +assuming +assureds +assuring +Assyrian +Astana's +astatine +asterisk +asteroid +asthma's +astonish +astounds +Asturias +astutely +astutest +Asunción +Asuncion +asylum's +Atalanta +atavists +ataxia's +ataxic's +ateliers +atheists +Athena's +Athene's +Athenian +Athens's +athletes +athletic +Atkinson +Atkins's +Atlantes +Atlantic +Atlantis +atomized +atomizer +atomizes +atonally +Atreus's +atrium's +atrocity +atropine +attached +attaches +attachés +attacked +attacker +attack's +attained +attempts +attended +attendee +attender +attested +Attica's +Attila's +attire's +attiring +attitude +Attlee's +attorney +attracts +attuning +atwitter +Atwood's +atypical +Aubrey's +auburn's +Auckland +auctions +audacity +audibles +audience +Audion's +auditing +audition +auditors +auditory +Audrey's +Augean's +augments +Augsburg +auguries +auguring +augury's +Augustan +auguster +augustly +August's +Augustus +auntie's +Aurelius +aureoles +auricles +Auriga's +Aurora's +aurora's +auspices +Aussie's +Austen's +austerer +Austin's +Austrian +authored +author's +autism's +autistic +autobahn +autocrat +automate +autonomy +autumnal +Autumn's +autumn's +availing +Avalon's +avatar's +avengers +avenging +Aventine +avenue's +averaged +averages +averring +Averroes +aversion +averting +Avesta's +aviaries +aviary's +aviation +aviators +aviatrix +Avicenna +avionics +avocados +Avogadro +avoiding +avouched +avouches +avowal's +avowedly +awaiting +awakened +awardees +awarding +awfuller +awning's +axletree +axolotls +Aymara's +Ayrshire +Ayurveda +azalea's +Azania's +Azazel's +azimuths +Azores's +Aztlan's +Baathist +babblers +babble's +babbling +baboon's +babushka +babyhood +Babylons +babysits +Bacall's +baccarat +bachelor +bacillus +backache +backbite +backbone +backchat +backcomb +backdate +backdoor +backdrop +backer's +backfire +backhand +backhoes +backings +backlash +backless +backlogs +backpack +backrest +backroom +backseat +backside +backslid +backspin +backstop +backtalk +backup's +Backus's +backward +backwash +backyard +bacteria +baddie's +badgered +badger's +badinage +Badlands +badlands +badman's +badmouth +Baedeker +Baffin's +bafflers +baffle's +baffling +bagful's +baggie's +baggiest +bagpiper +bagpipes +baguette +Baguio's +Baha'i's +Bahama's +Bahamian +Baikal's +bailable +Bailey's +bailiffs +bailouts +bailsman +bailsmen +Bakelite +bakeries +bakery's +bakeshop +balanced +balances +Balboa's +balboa's +Balder's +baldness +baldrics +Baldwins +Balearic +baleen's +Balinese +Balkan's +Balkhash +balkiest +balladry +ballad's +ballasts +ballcock +balletic +ballet's +ballgame +ballgirl +ballgown +balloons +balloted +ballot's +ballpark +ballroom +ballsier +ballsing +ballyhoo +balmiest +balsamic +balsam's +Baltic's +baluster +Balzac's +Bamako's +bamboo's +Banach's +banality +banana's +Bancroft +bandaged +bandages +bandanna +bandeaux +bandiest +banditry +bandit's +bandsman +bandsmen +bandying +bangle's +Bangor's +Bangui's +banished +banishes +banister +banjoist +Banjul's +bankable +bankbook +bankcard +banker's +banknote +bankroll +bankrupt +Banneker +banner's +bannocks +banquets +banshees +bantam's +bantered +banter's +banyan's +banzai's +baobab's +Baotou's +baptisms +Baptiste +Baptists +baptists +baptized +baptizer +baptizes +Barabbas +Barack's +barbacoa +Barbados +barbaric +barbecue +barbells +barbel's +barbered +barberry +Barber's +barber's +Barbie's +Barbra's +barbwire +Barclays +bareback +barefoot +bareness +barflies +barfly's +bargains +bargeman +bargemen +baristas +baritone +barium's +barkeeps +Barker's +barker's +barley's +Barlow's +barmaids +barman's +barmiest +Barnabas +barnacle +Barnes's +Barney's +Barnum's +barnyard +Baroda's +baronage +baroness +baronets +baronial +baronies +barony's +barque's +barracks +barraged +barrages +barreled +barrel's +barrener +barren's +barrette +barriers +Barrie's +barrings +barrio's +Barron's +barrooms +barrow's +bartered +barterer +barter's +Bartók's +Bartlett +Bartok's +Barton's +Baruch's +baryon's +basaltic +basalt's +baseball +baseless +baseline +basement +baseness +basilica +basilisk +basinful +basketry +basket's +Basque's +basset's +bassinet +bassists +bassoons +basswood +bastards +bastardy +baster's +Bastille +bastions +Bataan's +batching +bather's +bathetic +bathmats +bathos's +bathrobe +bathroom +bathtubs +Batman's +batman's +battened +batten's +battered +batterer +batter's +battiest +battlers +Battle's +battle's +battling +bauble's +Baudouin +Bavarian +bawdiest +Baxter's +bayberry +Bayesian +Bayeux's +Baylor's +bayonets +Bayreuth +Baywatch +bazaar's +bazookas +beaching +beacon's +beadiest +Beadle's +beadle's +beagle's +beaker's +beanbags +beanie's +beanpole +bearable +bearably +bearding +bearer's +bearings +bearlike +bearskin +beatable +beater's +beatific +beatings +beatniks +Beatrice +Beatty's +Beaufort +Beaumont +beauties +beautify +beauty's +Beauvoir +beavered +beaver's +becalmed +Becker's +Becket's +beckoned +beclouds +becoming +bedaubed +bedazzle +bedbug's +bedecked +bedevils +bedheads +bedimmed +bedizens +bedlam's +Bedouins +bedpan's +bedposts +bedrocks +bedrolls +bedrooms +bedsides +bedsores +bedstead +bedtimes +beebread +beechnut +beefcake +beefiest +beehives +beelines +beeper's +Beerbohm +beeriest +beetle's +beetling +Beeton's +beetroot +befallen +befitted +befogged +befouled +befriend +befuddle +begetter +beggared +beggarly +beggar's +beginner +begonias +begotten +begrimed +begrimes +begrudge +beguiled +beguiler +beguiles +beguines +behalf's +behalves +behaving +behavior +beheaded +behemoth +behest's +behind's +beholden +beholder +behooved +behooves +Beirut's +bejewels +Bekesy's +belabors +belaying +belching +belfries +belfry's +Belgians +Belgrade +belief's +believed +believer +believes +belittle +Belize's +bellboys +bellhops +bellowed +Bellow's +bellow's +bellyful +bellying +Belmopan +belonged +beloveds +beltways +beluga's +bemiring +bemoaned +bemusing +benching +Benchley +bendable +Bender's +bender's +bendiest +Bendix's +Benedict +benefice +benefits +Benetton +Bengal's +Benghazi +benignly +Beninese +Benita's +Benito's +Benjamin +Bennie's +Benson's +Benton's +bentwood +benumbed +bequeath +bequests +berating +Berber's +bereaved +bereaves +Berenice +Bergen's +Bergerac +Berger's +beriberi +Bering's +Berkeley +Berliner +Berlin's +Bermudan +Bermudas +Bernanke +Bernardo +Bernbach +Bernie's +berrying +Bertha's +berthing +Bertie's +Bertrand +beseemed +besieged +besieger +besieges +besmears +besmirch +besotted +besought +bespeaks +bespoken +Bessel's +Bessemer +Bessie's +bestiary +bestowal +bestowed +bestrewn +bestrews +bestride +bestrode +betaking +Bethesda +bethinks +betiding +betokens +betrayal +betrayed +betrayer +betroths +bettered +better's +Bettie's +bettor's +Bettye's +Beulah's +beveling +beverage +Beverley +bewailed +bewaring +bewigged +bewilder +Bharat's +Bhopal's +Bhutan's +Bhutto's +Bianca's +biannual +biathlon +biblical +bibulous +bicarb's +biceps's +bickered +bickerer +bicker's +biconvex +bicuspid +bicycled +bicycler +bicycles +biddable +bidder's +Biddle's +biennial +biennium +Bierce's +bifocals +bigamist +bigamous +bigamy's +biggie's +bigheads +bighorns +bigmouth +bigwig's +bikini's +bilabial +Bilbao's +bilberry +bilker's +billable +billeted +billet's +billfold +billhook +billiard +Billie's +Billings +billings +billions +billowed +billow's +billycan +Bimini's +binaries +binary's +binder's +bindings +bindweed +binnacle +binomial +biologic +biopic's +biopsied +biopsies +biopsy's +biotin's +biplanes +biracial +birching +birdbath +birdcage +birder's +birdie's +birdlike +birdlime +birdseed +Birdseye +birdsong +birdying +birettas +birthday +birthers +birthing +Biscayne +Biscay's +biscuits +bisected +bisector +bisexual +Bishop's +bishop's +Bismarck +bisque's +Bisquick +Bissau's +bistro's +bitchier +bitchily +bitching +bitcoins +bitingly +bitterer +bitterly +bitterns +bitter's +bittiest +bivalent +bivalves +bivouacs +biweekly +biyearly +Bjerknes +blabbers +blabbing +blackens +blackest +blacking +blackish +blackleg +blackout +blacktop +bladders +blagging +Blaine's +blamable +Blanca's +blanched +blanches +blandest +blandish +blankest +blankets +blanking +Blantyre +blarneys +blasters +blasting +blastoff +blatancy +blathers +blazer's +blazoned +blazon's +bleached +bleacher +bleaches +bleach's +bleakest +blearier +blearily +bleating +bleeders +bleeding +bleepers +bleeping +blenched +blenches +blenders +blending +Blenheim +blessing +blighted +blighter +blight's +blimpish +blinders +blindest +blinding +blinkers +blinking +blintzes +blintz's +blissful +blisters +blistery +blithely +blithest +blitzing +blizzard +bloaters +bloating +blobbing +blockade +blockage +blockers +blocking +bloggers +blogging +blonde's +blondest +blondish +bloodied +bloodier +bloodies +bloodily +blooding +bloomers +blooming +bloopers +blooping +blossoms +blossomy +blotched +blotches +blotch's +blotters +blotting +blouse's +blousing +blower's +blowguns +blowhard +blowhole +blowiest +blowjobs +blowlamp +blowouts +blowpipe +blowup's +blowzier +blubbers +blubbery +bludgeon +bluebell +bluebird +bluefish +bluegill +blueness +bluenose +bluesier +bluffers +bluffest +bluffing +bluing's +blunders +bluntest +blunting +blurrier +blurring +blurting +blushers +blushing +blusters +blustery +Blythe's +Boadicea +boarders +boarding +boasters +boastful +boasting +boater's +boatload +boatyard +Bobbie's +bobbin's +bobble's +bobbling +bobcat's +bobolink +bobsleds +bobtails +bobwhite +boccie's +bodega's +bodice's +bodkin's +Bodleian +bodysuit +bodywork +Boeing's +Boeotian +Boethius +Bogart's +bogeying +bogeyman +bogeymen +boggiest +boggling +bogosity +Bogota's +Bogotá's +Bohemian +bohemian +boiler's +boilings +boinking +boldface +boldness +bolero's +Boleyn's +bolivars +Bolivian +bollards +bollixed +bollixes +bollix's +bollocks +bolsters +bolthole +Bolton's +bombards +Bombay's +bomber's +bombings +bombsite +bonanzas +bonbon's +bondsman +bondsmen +bonehead +boneless +boneyard +bonfires +bonhomie +Boniface +boniness +Bonita's +bonito's +Bonner's +bonnet's +Bonnie's +bonniest +bonobo's +bonsai's +boodle's +boogie's +boohooed +boohoo's +bookable +bookcase +bookends +Booker's +bookie's +bookings +booklets +bookmark +bookshop +bookworm +boosters +boosting +bootee's +Bootes's +bootlace +bootlegs +bootless +boozer's +booziest +Bordeaux +bordello +Borden's +bordered +border's +Bordon's +Boreas's +borehole +Borges's +Borgia's +boringly +Borneo's +boroughs +borrowed +borrower +borstals +borzoi's +Bosnia's +Bosporus +bossiest +Boston's +botanist +botany's +botchers +botching +Boötes's +bothered +bother's +botnet's +Botswana +bottlers +bottle's +bottling +bottomed +bottom's +botulism +boudoirs +bouffant +bouillon +boulders +Boulez's +bouncers +bounce's +bouncier +bouncily +bouncing +boundary +bounders +bounding +bounties +bounty's +bouquets +Bourbaki +Bourbons +bourbons +boutique +bouzouki +Bovary's +bovine's +Bowditch +Bowell's +Bowers's +Bowery's +bowleg's +bowler's +bowlfuls +bowlines +Bowman's +bowman's +bowsprit +bowwow's +boxcar's +boxing's +boxrooms +boycotts +boyhoods +boyishly +bracelet +braceros +bracer's +brackets +brackish +bradawls +Bradbury +Braddock +Bradford +Bradly's +Bradshaw +braggart +braggers +bragging +Brahmani +Brahmans +Brahma's +Brahms's +braiding +Brailles +brainier +braining +braising +brakeman +brakemen +brambles +Brampton +branched +branches +Branch's +branch's +Brandeis +branders +brandied +brandies +branding +Brandi's +brandish +Brando's +Brandt's +Brandy's +brandy's +Braque's +brashest +Brasilia +brassier +brassily +Brattain +brattier +bravuras +brawlers +brawling +brawnier +brazened +brazenly +brazer's +braziers +Brazil's +Brazos's +breached +breaches +breach's +breadbox +breading +breadths +breakage +breakers +breaking +breakout +breakups +breasted +breast's +breathed +breather +breathes +breath's +Brecht's +breeches +breech's +breeders +breeding +breeze's +breezier +breezily +breezing +Bremen's +Brenda's +brethren +Breton's +brevet's +breviary +Brewer's +brewer's +brewpubs +Brewster +Brezhnev +Briana's +briber's +brickbat +brickies +bricking +bridal's +bridge's +Bridgett +bridging +Bridgman +bridle's +bridling +briefest +briefing +brigades +brigands +Briggs's +brighten +brighter +brightly +Brighton +Bright's +Brigid's +Brigitte +Brillo's +brimless +brimming +brindled +bringers +bringing +briniest +Brinkley +brioches +Brisbane +briskest +briskets +brisking +bristled +bristles +britches +Briton's +Brittany +brittler +Brittney +broached +broaches +broach's +broadens +broadest +Broadway +brocaded +brocades +broccoli +brochure +brogan's +brogue's +broilers +broiling +Brokaw's +brokenly +brokered +broker's +brollies +bromides +bromidic +bronchus +bronco's +Bronte's +bronze's +bronzing +brooches +brooch's +brooders +broodier +broodily +brooding +broody's +Brooke's +brooking +brooklet +Brooklyn +Brooks's +brothels +brothers +brougham +brouhaha +browbeat +Browne's +brownest +Brownian +Brownies +brownies +Browning +browning +brownish +brownout +browsers +browse's +browsing +Bruckner +bruisers +bruise's +bruising +bruiting +brunched +brunches +brunch's +Bruneian +Brunei's +brunet's +brunette +brushing +brushoff +brusquer +Brussels +brutally +Brutus's +Bryant's +bubble's +bubblier +bubbling +bubbly's +Buchanan +Buchwald +buckaroo +bucketed +bucket's +buckeyes +bucklers +buckle's +buckling +bucksaws +buckshot +buckskin +bucolics +Budapest +Buddha's +Buddhism +Buddhist +buddings +budgeted +budget's +budgie's +buffered +buffer's +buffeted +buffet's +buffoons +Buford's +bugaboos +bugbears +buggered +bugger's +buggiest +bugler's +Bugzilla +builders +building +buildups +Bukharin +Bulawayo +Bulfinch +Bulganin +Bulgaria +Bulgar's +bulgiest +bulimics +bulkhead +bulkiest +bulldogs +bulldoze +bulleted +bulletin +bullet's +bullfrog +bullhead +bullhorn +bullocks +bullpens +bullring +bullseye +bullshit +bullwhip +bullying +Bultmann +bulwarks +bumblers +bumbling +bummer's +bumper's +bumpiest +bumpkins +Bumppo's +Bunche's +bunchier +bunching +buncoing +bundle's +bundling +bungalow +bungee's +bunghole +bunglers +bungle's +bungling +bunion's +Bunker's +bunker's +bunkum's +Bunsen's +buntings +Bunuel's +Bunyan's +buoyancy +Burberry +burble's +burbling +burdened +burden's +bureau's +burgeons +Burger's +burger's +burghers +burglars +burglary +burgling +Burgoyne +Burgundy +burgundy +burial's +burlap's +burliest +burnable +burner's +burnoose +burnouts +Burnside +Burris's +burritos +burrowed +burrower +burrow's +bursar's +bursitis +bursting +Burton's +busboy's +busgirls +busheled +bushel's +bushiest +bushings +Bushnell +business +busing's +buskin's +busloads +buster's +bustiers +bustiest +bustle's +bustling +busybody +busyness +busywork +butane's +butchers +butchery +Butler's +butler's +buttered +butter's +buttocks +buttoned +button's +buttress +Buñuel's +buybacks +buyout's +buzzards +buzzer's +buzzkill +buzzword +Byblos's +bygone's +byline's +bypassed +bypasses +bypass's +bypath's +byplay's +byroad's +byword's +cabala's +cabana's +cabarets +cabbages +Cabernet +cabinets +cabochon +caboodle +cabooses +Cabral's +cabstand +cachepot +cachet's +cacklers +cackle's +cackling +cactus's +cadavers +caddie's +caddying +cadenced +cadences +cadenzas +cadger's +Cadillac +caduceus +Caesar's +caesuras +caffeine +caftan's +caginess +Cagney's +cagoules +cahoot's +Caiaphas +caiman's +caissons +caitiffs +cajolers +cajolery +cajoling +cakewalk +calabash +Calais's +calamari +calamine +calamity +calcined +calcines +calculus +Calcutta +calderas +Calderon +Calder's +Caldwell +calendar +calfskin +calibers +calicoes +calico's +Caligula +calipers +caliph's +callable +Callahan +Callao's +Callas's +callback +caller's +Callie's +callings +Calliope +calliope +Callisto +callower +callused +calluses +callus's +calmness +Caloocan +calories +calumets +Calvin's +calypsos +cambered +camber's +cambiums +Cambodia +Cambrian +Camden's +camellia +Camelots +camera's +Cameroon +camisole +campaign +Campbell +camper's +campfire +campiest +Campinas +Campos's +campsite +campuses +campus's +camshaft +Canaan's +Canada's +Canadian +canalize +canape's +canapé's +canard's +Canaries +canaries +canary's +Canberra +cancan's +canceled +canceler +Cancer's +cancer's +Cancun's +candidly +candlers +candle's +candling +candor's +candying +canine's +canister +cankered +canker's +cannabis +Cannes's +cannibal +canniest +cannoned +Cannon's +cannon's +canoeing +canoeist +canola's +canonize +canoodle +canopied +canopies +canopy's +cantatas +canteens +cantered +canter's +canticle +cantonal +Canton's +canton's +Cantor's +cantor's +Cantrell +Canute's +canvased +canvases +canvas's +canyon's +capacity +capering +capeskin +Capetian +Capetown +capitals +Capitols +capitols +caplet's +Capone's +Capote's +caprices +capsicum +capsized +capsizes +capstans +capstone +capsular +capsuled +capsules +captains +captions +captious +captives +captor's +captured +captures +Capuchin +carafe's +caramels +carapace +caravans +caravels +caraways +carbides +carbines +carbolic +Carboloy +carbon's +carboy's +cardamom +cardamon +Cardenas +carder's +cardigan +cardinal +Cardin's +careened +careered +career's +carefree +careless +caressed +caresses +caress's +careworn +carhop's +caribous +caries's +carillon +Carina's +caring's +carjacks +Carlin's +carloads +Carlos's +Carlsbad +Carmella +Carmen's +carmines +carnally +Carnap's +Carnegie +Carney's +carnival +Carnot's +carolers +Carole's +Carolina +Caroline +caroling +caroming +carotene +carotids +carousal +caroused +carousel +carouser +carouses +carpal's +carpel's +carper's +carpeted +carpet's +carpools +carports +carpus's +Carranza +carrel's +carriage +carriers +Carrie's +Carrillo +carrot's +carryall +carrycot +carrying +carryout +Carson's +cartel's +Carter's +carter's +Carthage +cartload +carton's +cartoons +Caruso's +Carver's +carver's +carvings +caryatid +casaba's +Casals's +Casandra +Casanova +cascaded +Cascades +cascades +cascaras +casebook +casein's +caseload +casement +casework +cashback +cashbook +cashew's +cashiers +cashless +cashmere +casing's +casino's +casket's +Caspar's +cassavas +cassette +cassia's +Cassie's +cassocks +castanet +castaway +caster's +Castillo +castings +castle's +castling +castoffs +Castor's +castor's +castrate +Castries +Castro's +casually +casual's +casualty +casuists +catacomb +Catalans +Catalina +catalogs +catalpas +catalyst +catalyze +catapult +cataract +catbirds +catboats +catcalls +catchall +catchers +catchier +catching +category +caterers +catering +catgut's +Cathay's +Cather's +catheter +Cathleen +cathodes +cathodic +Catholic +catholic +Catiline +cation's +catkin's +catnap's +catnip's +Catskill +catsuits +cattails +cattiest +cattle's +Catullus +catwalks +Caucasus +Cauchy's +caucused +caucuses +caucus's +caudally +cauldron +caulkers +caulking +causally +causerie +causer's +causeway +caustics +cautions +cautious +cavalier +caveat's +cavern's +caviar's +cavilers +caviling +caving's +cavities +cavity's +cavorted +Cavour's +Caxton's +Cayman's +Cayuga's +cayuse's +Cecile's +Cecily's +cedillas +Cedric's +ceilidhs +ceilings +celeriac +celerity +celery's +celestas +celibacy +celibate +Celina's +cellar's +cellists +cellmate +cellular +Celtic's +cemented +cementer +cement's +cementum +cemetery +cenobite +cenotaph +Cenozoic +censer's +censored +censor's +censured +censurer +censures +censused +censuses +census's +centaurs +centavos +centered +center's +centimes +centrals +centrism +centrist +cephalic +ceramics +ceramist +Cerberus +cereal's +cerebral +cerebrum +cerement +ceremony +Cerenkov +cerise's +cerium's +cermet's +cerulean +cervical +cervices +cervix's +Cesarean +cesarean +cesium's +cessions +Cessna's +cesspits +cesspool +cetacean +Ceylon's +Chadians +Chadwick +chaffing +chagrins +chaining +chainsaw +chairing +chairman +chairmen +chaise's +Chaldean +chalet's +chalices +chalkier +chalking +Chalmers +Chambers +chambers +chambray +champers +champing +champion +chancels +chancery +Chance's +chance's +chancier +chancing +chancres +Chandler +chandler +Chanel's +Chaney's +changers +change's +changing +Changsha +channels +chansons +chanters +chanteys +chanting +chapatis +chapatti +chapbook +chapeaus +chapel's +chaperon +chaplain +chaplets +chappies +chapping +chapters +charades +Charbray +charcoal +chargers +charge's +charging +chariest +chariots +charisma +charlady +Charlene +charlies +charmers +charming +Charon's +charring +charters +charting +Chartism +Chartres +chaser's +chastely +chastens +chastest +chastise +chastity +chasuble +chateaus +chateaux +chatline +chatroom +chattels +chatters +chattier +chattily +chatting +Chauncey +Chavez's +cheapens +cheapest +cheaters +cheating +Chechnya +checkbox +checkers +checking +checkoff +checkout +checksum +checkups +cheekier +cheekily +cheeking +cheeping +cheerers +cheerful +cheerier +cheerily +cheering +Cheerios +cheerios +cheese's +cheesier +cheesing +cheetahs +chemical +chemises +chemists +chemurgy +Cheney's +chenille +Cheops's +Cherie's +Cherokee +cheroots +cherries +Cherry's +cherry's +cherubic +cherubim +cherub's +Cheryl's +Cheshire +chessman +chessmen +chestful +chestier +chestnut +chevrons +chewer's +chewiest +Cheyenne +Chiantis +chicanes +chichi's +chickens +chickpea +chicle's +Chiclets +chicness +chiefdom +chiefest +chiggers +chignons +childish +children +Chileans +chillers +chillest +chillier +chilling +Chimeras +chimeras +chimeric +chimer's +chimneys +chinking +chinless +chinning +Chinooks +chintz's +chinwags +chipmunk +chippers +Chippewa +chippies +chipping +Chiquita +chirpier +chirpily +chirping +chirrups +chiseled +chiseler +chisel's +Chisholm +Chisinau +chitchat +chitin's +chitosan +chivalry +Chivas's +chivying +chloride +chlorine +chocking +Choctaws +choice's +choicest +choirboy +choker's +choleric +choler's +chompers +chomping +choosers +choosier +choosing +Chopin's +choppers +choppier +choppily +chopping +Chopra's +chorales +chorally +choral's +chordate +chorea's +choroids +chortled +chortler +chortles +chorused +choruses +chorus's +chowders +Chretien +chrism's +christen +Christie +Christ's +chrome's +chroming +chromium +Chrysler +Chrystal +châteaux +chubbier +chucking +chuckled +chuckles +chugging +chukka's +chummier +chummily +chumming +chunders +chunkier +chunking +chunters +churches +Church's +church's +churlish +churners +churning +chutneys +chutzpah +ciabatta +cicada's +cicatrix +cicerone +ciceroni +Cicero's +cilantro +cilium's +cinching +cinchona +cincture +cindered +cinder's +cinema's +Cinerama +cinnabar +cinnamon +ciphered +cipher's +circle's +circlets +circling +circuits +circuity +circular +circuses +circus's +cirque's +cirrus's +cisterns +citadels +citation +Citibank +citified +citizens +citron's +citruses +citrus's +citywide +civics's +civilian +civility +civilize +clacking +cladding +claimant +claimers +claiming +Claire's +éclair's +clambake +clambers +clammier +clammily +clamming +clamored +clamor's +clamping +Clancy's +clangers +clanging +clanking +clannish +clansman +clansmen +clappers +clapping +claptrap +claque's +Clarence +claret's +clarinet +clarions +Clarissa +Clarke's +clashing +clasping +classics +classier +classify +classing +clatters +Claude's +Claudine +Claudius +clause's +Clausius +clavicle +claviers +clayiest +cleaners +cleanest +cleaning +cleansed +cleanser +cleanses +cleanups +clearest +clearing +clearway +cleavage +cleavers +cleaving +clematis +clemency +Clements +clenched +clenches +clench's +clergies +clergy's +clerical +cleric's +clerking +cleverer +cleverly +clevises +clevis's +cliche's +cliché's +clickers +clicking +client's +Clifford +clifftop +climates +climatic +climaxed +climaxes +climax's +climbers +climbing +clinched +clincher +clinches +clinch's +clingers +clingier +clinging +clinical +clinic's +clinkers +clinking +clippers +clipping +clique's +cliquish +clitoral +clitoris +cloaca's +cloaking +clobbers +cloche's +clocking +cloddish +clogging +cloister +clomping +clonking +clopping +Clorox's +closeout +closeted +closet's +closeups +closings +closures +clothier +clothing +Clotho's +clotting +clotures +cloudier +clouding +Clouseau +clouting +clover's +Clovis's +clowning +clownish +clubbers +clubbing +clubfeet +clubfoot +clubland +clucking +clueless +clumpier +clumping +clumsier +clumsily +clunkers +clunkier +clunking +clusters +clutched +clutches +clutch's +clutters +coaching +coachman +coachmen +coalesce +coalface +coalmine +coarsely +coarsens +coarsest +coasters +coasting +coatings +coatroom +coattail +coauthor +coaxer's +Cobain's +cobalt's +cobblers +cobble's +cobbling +cobwebby +cobweb's +coccus's +coccyges +coccyx's +Cochin's +cochleae +cochlear +cochleas +cockades +cockatoo +cockcrow +cockerel +cockeyed +cockiest +cockle's +cockneys +cockpits +cocksure +cocktail +coconuts +cocooned +cocoon's +coddling +codger's +codicils +codified +codifier +codifies +codpiece +coequals +coercers +coercing +coercion +coercive +coevally +coeval's +coexists +coffee's +coffer's +Coffey's +coffined +coffin's +cogently +cogitate +Cognac's +cognac's +cognates +cognomen +cogwheel +cohabits +coheir's +coherent +cohering +cohesion +cohesive +cohort's +coiffing +coiffure +coinages +coincide +coiner's +coitus's +colander +coldness +Coleen's +coleslaw +coleuses +coleus's +Colfax's +coliseum +collagen +collages +collapse +collards +collared +collar's +collated +collates +collator +collects +colleens +colleges +collided +collider +collides +colliers +colliery +collie's +Collin's +colloids +colloquy +colluded +colludes +colognes +Colombia +colonels +colonial +colonies +colonist +colonize +colony's +colophon +Colorado +colorant +coloreds +colorful +coloring +colorist +colorize +colorway +colossal +colossus +Coltrane +Columbia +Columbus +columnar +columned +column's +comakers +Comanche +comatose +combated +combat's +comber's +combined +combiner +combines +combings +combusts +comeback +comedian +comedies +comedown +comedy's +comelier +comfiest +comfit's +comforts +coming's +comity's +commando +commands +commence +commends +comments +commerce +commie's +commodes +commoner +commonly +common's +communal +communed +communes +commuted +commuter +commutes +compacts +Compaq's +compared +compares +compeers +compered +comperes +competed +competes +compiled +compiler +compiles +complain +complete +complied +complies +comports +composed +composer +composes +composts +compotes +compound +compèred +compères +compress +comprise +computed +computer +computes +comrades +conceals +conceded +concedes +conceits +conceive +concepts +concerns +concerto +concerts +Concetta +conchies +conciser +conclave +conclude +concocts +Concorde +Concords +concrete +condemns +condense +condoled +condoles +condom's +condoned +condones +condor's +conduced +conduces +conducts +conduits +confab's +conferee +confetti +confided +confider +confides +confined +confines +confirms +conflate +conflict +conforms +confound +confrere +confront +confrère +confused +confuser +confuses +confuted +confutes +congaing +congeals +conger's +congests +congrats +Congress +congress +Congreve +conifers +conjoins +conjoint +conjugal +conjunct +conjured +conjurer +conjures +Conley's +conman's +connects +Conner's +Connie's +connived +conniver +connives +Connolly +connoted +connotes +conquers +conquest +Conrad's +consents +conserve +consider +consigns +consists +consoled +consoles +consommé +consomme +consorts +conspire +constant +construe +Consuelo +consular +consul's +consults +consumed +consumer +consumes +contacts +contains +contemns +contempt +contends +contents +contests +contexts +continua +continue +contorts +contours +contract +contrail +contrary +contrast +contrite +contrive +controls +contused +contuses +convened +convener +convenes +convents +converge +converse +converts +convexly +conveyed +conveyor +convicts +convince +convoked +convokes +convoyed +convoy's +convulse +Conway's +cookbook +cooker's +cookie's +cookouts +cookware +coolants +cooler's +Cooley's +Coolidge +coolie's +coolness +coonskin +coopered +Cooper's +cooper's +cootie's +Copeland +copier's +copilots +coping's +Copley's +copper's +copter's +Coptic's +copula's +copulate +copybook +copycats +copyists +copyleft +coquetry +coquette +coracles +corbel's +Cordelia +cordials +cordless +cordoned +cordon's +cordovan +corduroy +Corina's +Corine's +Coriolis +corker's +Corleone +cornball +corncobs +cornea's +Cornelia +cornered +corner's +cornet's +cornices +corniest +cornmeal +cornrows +Cornwall +corollas +Coronado +coronals +coronary +corona's +coroners +coronets +corporal +corpse's +corpsman +corpsmen +corpus's +corral's +corrects +corridor +corroded +corrodes +corrupts +corsages +corsairs +corseted +corset's +Corsican +corteges +Corteses +Cortes's +cortex's +cortèges +cortical +cortices +Cortland +corundum +Corvette +corvette +Corvus's +cosigned +cosigner +cosine's +cosmetic +cosmoses +cosmos's +cosseted +costar's +Costco's +Costello +costings +costlier +costumed +costumer +costumes +coteries +Cotopaxi +Cotswold +cottager +cottages +cottar's +cotter's +cottoned +Cotton's +cotton's +couching +cougar's +coughing +couldn't +could've +coulee's +coulée's +coulombs +councils +counsels +counters +countess +counties +counting +county's +Couperin +couple's +couplets +coupling +coupon's +couriers +coursers +course's +coursing +courtesy +courtier +courting +Courtney +couscous +cousin's +Cousteau +covenant +Coventry +coverage +coverall +covering +coverlet +covertly +covert's +coveting +covetous +cowardly +Coward's +coward's +cowbells +cowbirds +cowboy's +Cowell's +cowering +cowgirls +cowhands +cowherds +cowhides +Cowley's +cowlicks +cowlings +cowman's +coworker +Cowper's +cowpokes +cowpox's +cowrie's +cowsheds +cowslips +coxcombs +coxswain +coyote's +cozenage +cozening +coziness +crabbers +Crabbe's +crabbier +crabbily +crabbing +crablike +crabwise +crackers +cracking +crackled +crackles +crackpot +crackups +cradle's +cradling +craftier +craftily +crafting +craggier +crammers +cramming +cramping +crampons +craniums +crankier +crankily +cranking +crannied +crannies +cranny's +crappers +crappier +crappies +crapping +crashing +crassest +cratered +Crater's +crater's +cravat's +cravenly +craven's +cravings +crawdads +Crawford +crawlers +crawlier +crawlies +crawling +crawly's +crayfish +crayolas +crayoned +crayon's +craziest +crèche's +creakier +creakily +creaking +creamers +creamery +creamier +creamily +creaming +crease's +creasing +creating +Creation +creation +creative +creators +creature +creche's +credence +credenza +credible +credibly +credited +creditor +credit's +creepers +creepier +creepily +creeping +cremains +cremated +cremates +Creole's +creole's +creosote +crescent +Cressida +cresting +Cretan's +cretin's +cretonne +crevasse +crevices +crewel's +cribbage +cribbers +cribbing +Crichton +crickets +cricking +Crimea's +criminal +crimping +crimsons +cringe's +cringing +crinkled +crinkles +crippled +crippler +cripples +Crisco's +crisis's +crispest +crispier +crisping +Cristina +criteria +critical +critic's +critique +critters +croakier +croaking +Croatian +crochets +crockery +Crockett +crocuses +crocus's +crofters +crofting +Cromwell +Cronin's +Cronkite +Cronus's +cronyism +crooking +crooners +crooning +cropland +croppers +cropping +Crosby's +crosiers +crossbar +crossbow +crosscut +crossest +crossing +crotches +crotchet +crotch's +croûtons +crouched +crouches +crouch's +croupier +croutons +crowbars +crowding +crowfeet +crowfoot +crowning +crucible +crucifix +cruddier +crudites +crudités +cruelest +cruisers +Cruise's +cruise's +cruising +crullers +crumbier +crumbing +crumbled +crumbles +crummier +crumpets +crumpled +crumples +crunched +cruncher +crunches +crunch's +cruppers +crusaded +crusader +crusades +crushers +crushing +Crusoe's +crustier +crustily +crusting +crutches +crutch's +cryonics +crystals +Csonka's +cubicles +cubism's +cubist's +cuckolds +cuckoo's +cucumber +cuddle's +cuddlier +cuddling +cudgeled +cudgel's +cuisines +culinary +Cullen's +culottes +culpable +culpably +culprits +cultists +cultivar +cultural +cultured +cultures +culverts +cumbered +cumbrous +Cummings +Cunard's +cupboard +cupcakes +cupful's +cupidity +cupolaed +cupola's +curacies +curacy's +curare's +curate's +curating +curative +curators +curbside +curdling +curfew's +Curitiba +curium's +curler's +curlew's +curlicue +curliest +currants +currency +currents +currying +cursedly +cursor's +curtails +curtains +Curtis's +curtness +curtsied +curtsies +curtsy's +curviest +cushiest +cushions +cuspidor +cuspid's +cussedly +custards +Custer's +customer +custom's +cutaways +cutbacks +cuteness +cutesier +cuticles +cutler's +cutlet's +cutoff's +cutout's +cutter's +cuttings +cutworms +Cuvier's +Cybele's +cybersex +cyborg's +Cyclades +cyclamen +cyclical +cyclists +cyclones +cyclonic +Cyclopes +cyclopes +cygnet's +Cygnus's +cylinder +cymbal's +cynicism +cynosure +Cypriots +Cyprus's +Cyrano's +Cyrillic +cystitis +cytology +cytosine +czarinas +czarists +Czerny's +dabber's +dabblers +dabbling +Dachau's +Dacron's +dactylic +dactyl's +dadaists +Daedalus +daemonic +daemon's +daffiest +daffodil +daftness +dagger's +Daguerre +dahlia's +daintier +dainties +daintily +dainty's +daiquiri +dairying +dairyman +dairymen +Dakota's +Dalian's +Dallas's +dalliers +dallying +Dalmatia +Dalton's +damage's +damaging +Damascus +damasked +damask's +Damian's +Damien's +Damion's +damnable +damnably +Damocles +dampened +dampener +damper's +dampness +damsel's +damson's +dancer's +dander's +dandiest +dandling +dandruff +danger's +danglers +dangling +Danial's +Danielle +Daniel's +danishes +Danish's +danish's +dankness +Dannie's +Danone's +danseuse +Danton's +Danube's +Danubian +Daphne's +dapperer +dapple's +dappling +d'Arezzo +Darfur's +daringly +daring's +Darius's +darkened +darkener +darkness +darkroom +darlings +darneder +darner's +Darrel's +Darren's +Darrin's +Darrow's +Darryl's +darter's +Dartmoor +Darvon's +Darwin's +dasher's +dashikis +dastards +database +datatype +datebook +dateless +dateline +dative's +dauber's +daughter +daunting +dauphins +Davidson +Davies's +dawdlers +dawdling +Dawson's +daybed's +daybreak +daydream +daylight +Dayton's +dazzlers +dazzle's +dazzling +deacon's +deadbeat +deadbolt +deadened +Deadhead +deadhead +deadlier +deadline +deadlock +deadpans +deadwood +deafened +deafness +dealer's +dealings +Deanna's +Deanne's +deanship +dearests +dearness +dearth's +deathbed +debacles +debarked +debarred +debasing +debaters +debate's +debating +Debbie's +Debian's +debility +debiting +debonair +Debora's +debriefs +debris's +debtor's +debugged +debugger +debunked +debuting +decadent +decade's +decagons +decamped +decanted +decanter +decaying +Deccan's +deceased +deceases +decedent +deceit's +deceived +deceiver +deceives +December +decently +decibels +deciders +deciding +decimals +decimate +decipher +decision +decisive +Decker's +deckhand +declaims +declared +declarer +declares +declawed +declined +decliner +declines +decoders +decoding +decorate +decorous +decouple +decoying +decrease +decree's +decrepit +decrying +Dedekind +dedicate +deducing +deducted +deejay's +deepened +deepness +deerskin +defacers +defacing +defamers +defaming +defaults +defeated +defeater +defeat's +defecate +defected +defector +defect's +defended +defender +defensed +defenses +deferral +deferred +defiance +deficits +defilers +defile's +defiling +definers +defining +definite +deflated +deflates +deflects +deflower +defogged +defogger +deforest +deformed +defrauds +defrayal +defrayed +defrocks +defrosts +deftness +defusing +degassed +degraded +degrades +degree's +deicer's +Deidre's +deifying +deigning +Deimos's +dejected +Delacruz +Delano's +Delaware +delayers +delaying +delegate +Deleon's +deleting +deletion +delicacy +delicate +delights +Delilahs +delimits +delinted +delirium +Delius's +delivers +delivery +Delmar's +Delmarva +Delmer's +deloused +delouses +Delphi's +deluding +deluge's +deluging +delusion +delusive +delver's +demagogy +demanded +demand's +Demavend +demeaned +demeanor +demented +dementia +demerits +demesnes +demigods +demijohn +Deming's +demise's +demising +demisted +demister +demobbed +Democrat +democrat +demolish +demoniac +demonize +demoting +demotion +demurely +demurest +demurral +demurred +demurrer +denature +dendrite +Denebola +dengue's +deniable +denial's +denier's +Denise's +denizens +Dennis's +denoting +denounce +dentally +dentin's +dentists +dentures +denuding +Denver's +departed +depended +depicted +deplaned +deplanes +depleted +depletes +deplored +deplores +deployed +deponent +deported +deportee +deposing +deposits +depraved +depraves +deprived +deprives +deputies +deputing +deputize +deputy's +derailed +deranged +deranges +derelict +Derick's +deriding +derision +derisive +derisory +deriving +dermis's +Dermot's +derogate +derricks +derriere +derrière +desalted +descaled +descales +descants +descends +descents +describe +descried +descries +deselect +deserted +deserter +desert's +deserved +deserves +designed +designer +design's +desire's +desiring +desirous +desisted +deskills +desktops +desolate +despairs +despised +despises +despoils +despotic +despot's +desserts +destined +destines +destroys +destruct +detached +detaches +detailed +detail's +detained +detainee +detected +detector +detentes +deterred +detested +dethrone +detonate +detoured +detour's +detoxify +detoxing +detracts +detritus +devalued +devalues +develops +deviance +deviancy +deviants +deviated +deviates +device's +deviling +devilish +deviltry +devise's +devising +devolved +devolves +Devonian +devotees +devoting +devotion +devoured +devouter +devoutly +dewberry +dewclaws +dewdrops +dewiness +Dewitt's +dewlap's +Dexter's +dextrose +diabetes +diabetic +diabolic +diadem's +diagnose +diagonal +diagrams +dialects +dialings +dialogue +dialyses +dialysis +dialyzes +diamanté +diamante +diameter +diamonds +Dianna's +Dianne's +diapason +diapered +diaper's +diarists +diarrhea +Diaspora +diaspora +diastase +diastole +diatomic +diatom's +diatonic +diatribe +dibble's +dibbling +DiCaprio +dickered +dickey's +dickhead +dictated +dictates +dictator +dictum's +didactic +diddlers +diddling +diereses +dieresis +dieseled +diesel's +dieter's +dietetic +Dietrich +differed +diffract +diffused +diffuses +digerati +digested +digest's +digger's +diggings +digicams +digitize +digraphs +Dijkstra +dilating +dilation +dilators +dilatory +Dilberts +dilemmas +diligent +Dillon's +diluting +dilution +DiMaggio +diminish +dimity's +dimmer's +dimple's +dimpling +dimwit's +dinettes +dingbats +dinghies +dinghy's +dingiest +dingle's +dinguses +dingus's +dinkiest +dinnered +dinner's +dinosaur +diocesan +dioceses +Diogenes +Dionne's +Dionysus +dioramas +dioxides +dioxin's +diploids +diplomas +diplomat +diplopia +dipole's +Dipper's +dipper's +dippiest +dipstick +diptychs +directed +directer +directly +director +dirndl's +dirtball +dirtiest +dirtying +disabled +disables +disabuse +disagree +disallow +disarmed +disarray +disaster +disavows +disbands +disburse +discards +discerns +disciple +disclaim +disclose +discoing +discolor +discords +discount +discover +discreet +discrete +discuses +discus's +disdains +diseased +diseases +disfavor +disgorge +disgrace +disguise +disgusts +dishevel +dishonor +dishpans +dishrags +dishware +disinter +disjoint +diskette +disliked +dislikes +dislodge +disloyal +dismally +dismayed +dismay's +dismount +Disney's +disobeys +disorder +disowned +dispatch +dispense +disperse +dispirit +displace +displays +disports +disposal +disposed +disposer +disposes +disproof +disprove +disputed +disputer +disputes +disquiet +Disraeli +disrobed +disrobes +disrupts +dissects +dissents +dissever +dissolve +dissuade +distaffs +distally +distance +distaste +distends +distills +distinct +distorts +distract +distrait +distress +district +distrust +disturbs +disunion +disunite +disunity +disuse's +disusing +ditching +dithered +ditherer +dither's +dittoing +diuretic +divalent +diverged +diverges +diverted +divested +dividend +dividers +divide's +dividing +divinely +diviners +Divine's +divine's +divinest +diving's +divining +divinity +division +divisive +divisors +divorcée +divorced +divorcee +divorces +divulged +divulges +divvying +Diwali's +dizziest +dizzying +djellaba +Djibouti +Dmitri's +Dniester +Dobbin's +dobbin's +Doberman +doberman +docent's +docilely +docility +docketed +docket's +dockland +dockside +dockyard +doctoral +doctored +Doctorow +doctor's +doctrine +document +doddered +dodder's +dodger's +dodgiest +Dodoma's +Dodson's +doeskins +dogcarts +dogeared +dogfight +doggedly +doggerel +doggiest +doggoner +doggones +doghouse +dogleg's +dogmatic +dogsbody +dogsleds +dogtrots +dogwoods +doldrums +dollar's +Dollie's +dolloped +dollop's +dolmen's +dolomite +dolorous +dolphins +domain's +Domesday +domestic +domicile +dominant +dominate +domineer +Dominica +Dominick +Dominion +dominion +dominoes +domino's +Domitian +Donald's +donating +donation +dongle's +donkey's +Donner's +Donnie's +doodad's +doodlers +doodle's +doodling +doolally +Dooley's +doomsday +doomster +doorbell +doorjamb +doorknob +doormats +doorpost +doorstep +doorstop +doorways +dooryard +dopamine +dopiness +doping's +Dorcas's +Doreen's +Dorian's +dorkiest +dormancy +dormer's +dormouse +Dorothea +dorsally +Dorset's +Dorsey's +Dorthy's +Dortmund +dosage's +dossiers +dotage's +dotard's +dotcom's +dotingly +Dotson's +dottiest +Douala's +double's +doublets +doubling +doubloon +doubters +doubtful +doubting +douche's +douching +doughier +doughnut +Douglass +dourness +dovecote +dovecots +dovetail +dowagers +dowdiest +doweling +dowering +downbeat +downcast +downer's +downfall +downhill +downiest +download +downplay +downpour +downside +downsize +downtime +downtown +downturn +downward +downwind +dowser's +doxology +doyennes +doziness +drabbest +drabness +drachmas +draftees +drafters +draftier +draftily +drafting +draggier +dragging +dragnets +dragon's +dragoons +dragster +drainage +drainers +draining +dramatic +Drambuie +draper's +drawback +drawer's +drawings +drawling +dreadful +dreading +dreamers +dreamier +dreamily +dreaming +drearier +drearily +dredgers +dredge's +dredging +drenched +drenches +dressage +dressers +dressier +dressing +dribbled +dribbler +dribbles +driblets +drifters +drifting +driftnet +drillers +drilling +drinkers +drinking +drippier +dripping +driveled +driveler +drivel's +driver's +driveway +drivings +drizzled +drizzles +drogue's +drollery +drollest +drooling +droopier +drooping +dropkick +droplets +dropouts +droppers +dropping +dropsy's +droughts +drover's +drowning +drowse's +drowsier +drowsily +drowsing +drubbers +drubbing +drudgery +Drudge's +drudge's +drudging +druggies +drugging +druggist +druidism +drumbeat +drumlins +drummers +drumming +drunkard +drunkest +druthers +Dryden's +Dschubba +dubber's +dubbin's +Dubcek's +Dublin's +duckbill +duckiest +duckling +duckpins +duckweed +ductless +Dudley's +dueler's +duelings +duelists +duenna's +duffer's +dugout's +Duisburg +dukedoms +dulcimer +dullards +Dulles's +dullness +Duluth's +dumbbell +dumbness +dumdum's +dumpiest +dumpling +dumpsite +Dumpster +dumpster +Dunant's +Dunbar's +Duncan's +dungaree +dungeons +dunghill +Dunlap's +duodenal +duodenum +duplexes +duplex's +DuPont's +Duracell +Durant's +duration +Durban's +duress's +Durham's +Durkheim +Durocher +Dushanbe +duskiest +dustbins +dustcart +duster's +dustiest +Dustin's +dustless +dustpans +Dutchman +Dutchmen +dutiable +Duvalier +Dvorak's +Dvorák's +dwarfing +dwarfish +dwarfism +Dwayne's +dwellers +dwelling +Dwight's +dwindled +dwindles +dybbukim +dybbuk's +dyestuff +dynamics +dynamism +dynamite +dynamo's +dynastic +dyslexia +dyslexic +dystonia +dystopia +eagerest +eaglet's +Eakins's +earaches +earbud's +eardrums +earful's +earldoms +earliest +earlobes +earmarks +earmuffs +earner's +earnests +earnings +earphone +earpiece +earplugs +earrings +earthier +earthing +earwax's +earwig's +easement +easiness +easterly +Easter's +eastward +Eastwood +eatables +eateries +eatery's +echelons +eclair's +eclectic +eclipsed +eclipses +ecliptic +eclogues +ecologic +economic +ecstatic +eczema's +edgewise +edginess +edging's +edible's +edifices +edifiers +edifying +Edison's +editable +editions +editor's +Edmond's +Edmonton +Edmund's +educable +educated +educates +educator +Edward's +Edwina's +eeriness +Eeyore's +effacing +effected +effect's +effendis +efferent +effetely +efficacy +effigies +effigy's +effluent +effluvia +effort's +effusing +effusion +effusive +Efrain's +eggcup's +eggheads +eggnog's +eggplant +eggshell +egoism's +egoistic +egoist's +egomania +egotists +egresses +egress's +Egyptian +Eichmann +Eiffel's +eighteen +eighth's +eighties +eighty's +Eileen's +Einstein +Eisner's +ejecting +ejection +ejectors +Elaine's +Elanor's +elapsing +elastics +elatedly +Elbert's +elbowing +Elbrus's +eldritch +electing +election +elective +electors +electric +electron +elegance +elegiacs +elements +elephant +elevated +elevates +elevator +eleven's +eleventh +elicited +eligible +Elijah's +Elinor's +Eliseo's +Elisha's +elisions +elitists +elixir's +Elliot's +ellipses +ellipsis +elliptic +Elnath's +Elnora's +elodea's +Elohim's +Eloise's +elongate +eloquent +Elsinore +Elvira's +Elwood's +Elysee's +Elysée's +Elysiums +emaciate +emailing +emanated +emanates +embalmed +embalmer +embanked +embarked +embedded +embezzle +embitter +emblazon +emblem's +embodied +embodies +embolden +embolism +embossed +embosser +embosses +embowers +embraced +embraces +embroils +embryo's +emceeing +emending +emeralds +emergent +emerging +emeritus +emetic's +emigrant +emigrate +emigre's +Emilia's +Emilio's +Eminem's +Eminence +eminence +emirates +emissary +emission +emitters +emitting +Emmanuel +Emmett's +emoticon +emotions +emperors +emphases +emphasis +emphatic +empire's +employed +employee +employer +employ's +emporium +empowers +emptiest +emptying +empyrean +emulated +emulates +emulator +emulsify +emulsion +eMusic's +enablers +enabling +enacting +enameled +enameler +enamel's +enamored +encamped +encasing +enchains +enchants +encipher +encircle +enclaves +enclosed +encloses +encoders +encoding +encomium +encore's +encoring +encroach +encrusts +encrypts +encumber +encysted +endanger +endeared +endeavor +endemics +endgames +ending's +endive's +endorsed +endorser +endorses +endowing +endpoint +enduring +Endymion +energies +energize +energy's +enervate +enfeeble +enfilade +enfolded +enforced +enforcer +enforces +engaging +Engels's +engender +engineer +engine's +engorged +engorges +engram's +engraved +engraver +engraves +engulfed +enhanced +enhancer +enhances +enigma's +Eniwetok +enjoined +enjoying +Enkidu's +enlarged +enlarger +enlarges +enlisted +enlistee +enlivens +enmeshed +enmeshes +enmities +enmity's +ennobled +ennobles +enormity +enormous +enough's +enplaned +enplanes +enquirer +enraging +enriched +enriches +Enrico's +enrolled +ensconce +ensemble +enshrine +enshroud +ensign's +ensilage +enslaved +enslaves +ensnared +ensnares +ensurers +ensuring +entailed +entangle +ententes +entering +enthrall +enthrone +enthused +enthuses +enticing +entirely +entirety +entities +entitled +entitles +entity's +entombed +entrails +entrance +entrants +entreats +entreaty +entree's +entrench +entrée's +entrusts +entryway +entwined +entwines +enuresis +envelope +envelops +envenoms +enviable +enviably +environs +envisage +envision +enzyme's +Eocene's +epaulets +ephemera +Ephesian +epicures +Epicurus +epidemic +epidural +epigrams +epigraph +epilepsy +epilogue +Epiphany +epiphany +episodes +episodic +epistles +epitaphs +epithets +epitomes +epoxying +epsilons +equaling +equality +equalize +equating +equation +equators +equine's +equipage +equipped +equities +equity's +Equuleus +erasable +eraser's +erasures +erbium's +Erebus's +erectile +erecting +erection +erectors +eremites +Erhard's +Ericka's +Erickson +Eridanus +Eritrean +ermine's +Ernest's +erodible +errand's +errata's +ersatzes +ersatz's +eructing +erupting +eruption +eruptive +escalate +escallop +escalope +escapade +escapees +escape's +escaping +escapism +escapist +escargot +escarole +Escher's +eschewed +escorted +escort's +escrow's +escudo's +Eskimo's +esophagi +esoteric +espalier +especial +Espinoza +espousal +espoused +espouses +espresso +esprit's +Esquires +esquires +essayers +essaying +essayist +essences +Essene's +estate's +esteemed +esteem's +Estela's +Esther's +estimate +Estonian +estoppel +estrange +estrogen +estruses +estrus's +etcher's +etchings +eternity +ethane's +Ethelred +ethereal +Ethernet +ethics's +Ethiopia +ethnic's +ethology +ethylene +etiology +Etruscan +euchre's +euchring +Euclid's +Eugene's +eugenics +eulogies +eulogist +eulogize +eulogy's +Eunice's +eunuch's +euphoria +euphoric +Eurasian +Europa's +European +Europe's +europium +Eurydice +eutectic +evacuate +evacuees +evader's +evaluate +evasions +Evelyn's +evenings +Evenki's +evenness +evensong +eventful +eventide +eventual +Everette +evermore +everyday +everyone +evicting +eviction +evidence +evildoer +evillest +evilness +evincing +evolving +exabytes +exactest +exacting +exaction +exalting +examined +examiner +examines +exampled +examples +excavate +Excedrin +exceeded +excelled +excepted +excerpts +excesses +excess's +exchange +excise's +excising +excision +exciters +exciting +exclaims +excluded +excludes +excreted +excretes +excuse's +excusing +execrate +executed +executes +executor +exegeses +exegesis +exegetic +exemplar +exempted +exercise +exerting +exertion +exhaling +exhausts +exhibits +exhorted +exhuming +exigence +exigency +exiguity +exiguous +existent +existing +Exocet's +exoduses +Exodus's +exodus's +exorcise +exorcism +exorcist +exotic's +expanded +expanses +expected +expedite +expelled +expended +expenses +expertly +expert's +expiated +expiates +expiring +expiry's +explains +explicit +exploded +explodes +exploits +explored +explorer +explores +exponent +exported +exporter +export's +expose's +exposing +exposure +expounds +expunged +expunges +extended +extender +extent's +exterior +external +extincts +extolled +extorted +extracts +extremer +extremes +extruded +extrudes +exultant +exulting +eyeballs +eyebrows +eyeful's +eyeglass +eyelet's +eyelid's +eyeliner +eyepiece +eyesight +eyesores +eyeteeth +eyetooth +Fabian's +fabric's +fabulous +facade's +Facebook +faceless +facepalm +faceting +facially +facial's +facilely +facility +facing's +factions +factious +factoids +factored +factor's +factotum +faddists +faerie's +Faeroe's +Fafnir's +faggot's +fagoting +failings +faille's +failures +faintest +fainting +fairings +fairness +fairways +Faisal's +faithful +fajita's +falconer +falconry +falcon's +Falkland +fallback +fallible +fallibly +falloffs +fallowed +fallow's +falsetto +falsie's +Falstaff +faltered +falter's +familial +familiar +families +family's +famine's +famished +famishes +famously +fanatics +fanboy's +fanciers +fanciest +fanciful +fancying +fandango +fanfares +fanlight +Fannie's +fantails +fantasia +fanzines +faradize +farcical +farewell +farina's +Farley's +Farmer's +farmer's +farmhand +farmings +farmland +farmyard +Farragut +farriers +farrowed +Farrow's +farrow's +farthest +farthing +fascia's +fascicle +fascists +fashions +fastback +fastball +fastened +fastener +fastness +fatalism +fatalist +fatality +fatheads +fathered +fatherly +Father's +father's +fathomed +fathom's +fatigued +fatigues +Fatima's +fattened +fattiest +faucet's +Faulkner +faultier +faultily +faulting +Faustian +Faustino +fauvists +favoring +favorite +Fawkes's +fawner's +fealty's +fearless +fearsome +feasible +feasibly +feasters +feasting +feathers +feathery +featured +features +February +feckless +Federals +federals +federate +Federico +fedora's +feeblest +feedback +feedbags +feeder's +feedings +feedlots +feeler's +feelgood +feelings +feigning +feinting +feistier +feldspar +Felice's +Felicity +felicity +feline's +Felipe's +fellatio +fellow's +felonies +felony's +female's +feminine +feminism +feminist +feminize +fencer's +fender's +Fenian's +fennel's +Ferber's +Ferguson +Fergus's +Fermat's +ferments +Fernando +ferniest +ferocity +ferreted +ferret's +Ferris's +ferrules +ferrying +ferryman +ferrymen +ferule's +fervency +fervidly +fervor's +festered +fester's +festival +festoons +fetchers +fetching +fetishes +fetish's +fetlocks +fettered +fetter's +fettle's +feverish +fiancees +fiance's +fiancées +fiancé's +fiascoes +fiasco's +fibber's +fibril's +fibrin's +fibrosis +fibula's +Fichte's +ficklest +fictions +fiddlers +fiddle's +fiddlier +fiddling +fidelity +fidgeted +fidget's +fiefdoms +fielders +Fielding +fielding +Fields's +fiendish +fiercely +fiercest +fieriest +fiesta's +fifteens +fiftieth +Figaro's +fighters +fighting +figments +Figueroa +figure's +figurine +figuring +Fijian's +filament +filberts +filching +filename +filigree +filing's +Filipino +filler's +filleted +fillet's +fillings +filliped +fillip's +Fillmore +filmiest +filtered +filterer +filter's +filthier +filthily +filtrate +finagled +finagler +finagles +finale's +finalist +finality +finalize +financed +finances +finder's +findings +fineness +finery's +finespun +finessed +finesses +fingered +finger's +finial's +finished +finisher +finishes +finish's +finitely +Finley's +Finnegan +firearms +fireball +firebomb +firebugs +firedamp +fireplug +fireside +firetrap +firewall +firewood +firework +firmness +firmware +fiscally +fiscal's +fishbowl +fishcake +Fisher's +fisher's +fishhook +fishiest +fishnets +fishpond +fishtail +fishwife +fissures +fistfuls +fistulas +fitfully +fitments +fitter's +fittings +fixating +fixation +fixative +fixity's +fixtures +Fizeau's +fizziest +fizzle's +fizzling +flabbier +flabbily +flagella +flagging +flagon's +flagpole +flagrant +flagship +flailing +flakiest +flambéed +flambeed +flambe's +flambé's +flamenco +flamingo +flamings +Flanagan +Flanders +flange's +flankers +flanking +flannels +flapjack +flappers +flapping +flareups +flashers +flashest +flashgun +flashier +flashily +flashing +flatbeds +flatboat +flatcars +flatfeet +flatfish +flatfoot +Flathead +flatiron +flatland +flatlets +flatmate +flatness +flattens +flatters +flattery +flattest +flatting +flattish +flattops +flatus's +flatware +flatworm +Flaubert +flaunted +flaunt's +flavored +flavor's +flawless +fleabags +fleabite +fleapits +flecking +fleecers +fleece's +fleecier +fleecing +fleetest +fleeting +fleshier +fleshing +fleshpot +Fletcher +flexible +flexibly +flextime +flickers +flicking +flight's +flimflam +flimsier +flimsily +flinched +flinches +flinch's +flinging +flintier +flippant +flippers +flippest +flippies +flipping +flirting +flitting +floaters +floating +flocking +floggers +flogging +flooding +floodlit +flooring +floozies +floozy's +floppier +floppies +floppily +flopping +floppy's +Florence +Flores's +floret's +Floridan +floridly +florin's +florists +flossier +flossing +flotilla +flounced +flounces +flounder +flouring +flourish +flouters +flouting +flowered +flower's +flubbing +fluently +fluffier +fluffing +fluidity +flukiest +flunkies +flunking +flunky's +fluoride +fluorine +fluorite +flurried +flurries +flurry's +flushest +flushing +flusters +flutists +flutters +fluttery +flyblown +flying's +flyovers +flypaper +flypasts +flysheet +flyspeck +flytraps +flyway's +flywheel +foamiest +focusing +fodder's +fogbound +foggiest +foghorns +foible's +foisting +Fokker's +foldaway +folder's +foldouts +folklore +folksier +folktale +folkways +follicle +followed +follower +followup +Folsom's +fomented +fondants +fondling +fondness +fondue's +fontanel +foodie's +foolscap +Foosball +football +footfall +foothill +foothold +footings +footless +footling +footnote +footpath +footrace +footrest +footsies +footsore +footstep +footwear +footwork +foragers +forage's +foraging +foraying +forbears +Forbes's +forborne +forceful +forcible +forcibly +fordable +forearms +forebear +forebode +forecast +foredoom +forefeet +forefoot +foregoes +foregone +forehand +forehead +foreknew +foreknow +forelegs +forelimb +forelock +foremast +foremost +forename +forenoon +forensic +forepart +foreplay +foresail +foreseen +foreseer +foresees +foreskin +forested +Forester +forester +forestry +Forest's +forest's +foretell +foretold +forewarn +forewent +foreword +forfeits +forger's +forgings +forgiven +forgiver +forgives +forgoers +forgoing +forkfuls +forklift +formalin +formally +formal's +format's +formerly +former's +Formicas +formless +Formosan +formulae +formulas +forsaken +forsakes +forsooth +forswear +forswore +forsworn +fortieth +fortress +fortuity +fortunes +forwards +fossil's +fostered +Foster's +Foucault +foulness +founders +founding +fountain +fourfold +foursome +fourteen +fourthly +fourth's +Fowler's +foxglove +foxholes +foxhound +foxhunts +foxiness +foxtrots +fracases +fracas's +fracking +fractals +fraction +fracture +fragiler +fragment +fragrant +frailest +framer's +France's +Francine +francium +Franck's +Francois +Franco's +frankest +franking +Frankish +Franklin +Franks's +Franny's +frappe's +frappé's +Fraser's +Fraulein +frazzled +frazzles +freakier +freaking +freakish +freckled +freckles +Freddy's +Frederic +Fredrick +freebase +freebies +freeborn +freedman +freedmen +freedoms +freehand +freehold +freeload +freesias +Freetown +freeware +freeways +freewill +freezers +freeze's +freezing +Freida's +freights +Frenches +French's +frenetic +frenzied +frenzies +frenzy's +frequent +frescoes +fresco's +freshens +freshers +freshest +freshets +freshman +freshmen +Fresno's +fretsaws +fretting +fretwork +Freudian +friaries +friary's +friction +Friday's +fridge's +Frieda's +Friedman +friended +friendly +Friend's +friend's +frieze's +frigates +Frigga's +frigging +frighted +frighten +fright's +frigidly +frillier +fringe's +fringing +frippery +Frisco's +Frisians +friskier +friskily +frisking +frissons +fritters +frizzier +frizzing +frizzled +frizzles +frogging +frolic's +Fronde's +frontage +frontier +fronting +frostbit +frostier +frostily +frosting +frothier +frothing +froufrou +frowning +frowzier +frowzily +fructify +fructose +frugally +fruitful +fruitier +fruiting +fruition +frumpier +frumpish +Frunze's +frustums +fuchsias +fucker's +fuckhead +fuddle's +fuddling +fuehrers +Fugger's +fugitive +fuhrer's +Fujiwara +Fujiyama +Fukuyama +Fulani's +fulcrums +fulfills +fullback +Fuller's +fuller's +fullness +Fulton's +fumblers +fumble's +fumbling +fumigant +fumigate +Funafuti +function +funerals +funerary +funereal +funfairs +fungible +fungus's +funkiest +funneled +funnel's +funniest +funnyman +funnymen +furbelow +Furies's +furlongs +furlough +furnaces +furriers +furriest +furrowed +furrow's +furthers +furthest +fuselage +Fushun's +fusilier +fusion's +fussiest +fusspots +fustiest +futilely +futility +future's +futurism +futurist +futurity +Fuzhou's +fuzzball +fuzziest +gabbiest +gabble's +gabbling +gabfests +Gabonese +Gaborone +Gabriela +Gacrux's +gadabout +gadder's +gadflies +gadfly's +gadgetry +gadget's +Gaelic's +gaffer's +gaggle's +gaiety's +Gaiman's +gainer's +Gaines's +gainsaid +gainsays +gaiter's +galactic +Galahads +galaxies +galaxy's +galena's +Galibi's +Galilean +gallants +Gallegos +galleons +galleria +galley's +Gallic's +gallon's +galloped +gallop's +Galloway +Gallup's +Galois's +galoot's +galoshes +galosh's +galumphs +galvanic +Gambians +Gambia's +gambit's +gamblers +Gamble's +gamble's +gambling +gamboled +gambol's +gamecock +gameness +gamester +gamete's +gamine's +gaminess +gaming's +gammon's +gander's +Gandhian +Gandhi's +Ganges's +gangland +gangling +ganglion +gangrene +gangstas +gangster +gangways +gannet's +gantlets +gantries +Gantry's +gantry's +Ganymede +garage's +garaging +garbanzo +garbling +Garcia's +garcon's +gardened +gardener +gardenia +garden's +Gareth's +Garfield +gargle's +gargling +gargoyle +garishly +garlands +garlicky +garlic's +garments +garnered +Garner's +garnet's +garçon's +garret's +Garrison +garrison +garroted +garroter +garrotes +garter's +Garvey's +gasbag's +gasket's +gaslight +gasoline +Gasser's +gassiest +gasworks +gatepost +gateways +gathered +gatherer +gather's +Gatorade +Gatsby's +gauchely +gauchest +gaucho's +gaudiest +gauntest +gauntlet +Gaussian +gauziest +gavottes +Gawain's +gawkiest +gazebo's +gazelles +gazetted +gazettes +gazpacho +gazumped +Gdansk's +geekiest +geezer's +Geffen's +Gehrig's +Geiger's +geisha's +Gelbvieh +gelcap's +geldings +Geller's +Gemini's +gemology +gemstone +Genaro's +gendarme +gendered +gender's +generals +generate +generics +generous +genetics +Geneva's +genially +genitals +genitive +geniuses +genius's +genocide +genome's +genomics +gentians +gentiles +gentlest +gentling +Gentoo's +gentries +gentrify +Gentry's +gentry's +geocache +geodesic +geodetic +Geoffrey +geologic +geometer +geometry +George's +Georgian +Georgina +Gerald's +geranium +Gerard's +Gerber's +gerbil's +Germanic +German's +germinal +Geronimo +Gershwin +Gertrude +gerund's +gestalts +Gestapos +gestapos +gestated +gestates +gestural +gestured +gestures +getaways +gewgaw's +geyser's +Ghanaian +gherkins +ghetto's +ghosting +ghoulish +Giannini +giantess +gibbered +gibbeted +gibbet's +Gibbon's +gibbon's +giblet's +Gibson's +giddiest +Gideon's +Gienah's +gigabits +gigabyte +gigantic +gigawatt +gigglers +giggle's +gigglier +giggling +gigolo's +Gilberto +gilder's +Gilead's +Gillette +Gilligan +gillions +gimcrack +gimleted +gimlet's +gimmicks +gimmicky +gingered +gingerly +Ginger's +ginger's +Gingrich +ginkgoes +ginkgo's +Ginsberg +Ginsburg +Giotto's +Giovanni +giraffes +girder's +girdle's +girdling +girlhood +GitHub's +Giuliani +Giuseppe +giveaway +giveback +gizzards +glaceing +glaciate +glaciers +glacéing +gladdens +gladdest +gladiola +gladioli +gladness +gladsome +Gladys's +glamours +glance's +glancing +Glaser's +glasnost +glassful +glassier +glassily +glassing +glaucoma +glaziers +gleaming +gleaners +gleaning +Glendale +Glenda's +Glenna's +glibbest +glibness +glider's +glimmers +glimpsed +glimpses +glinting +glistens +glisters +glitched +glitches +glitch's +glitters +glittery +glitzier +gloaming +gloating +globally +globular +globules +globulin +gloomier +gloomily +Gloria's +glorious +glorying +glossary +glossier +glossies +glossily +glossing +glossy's +Glover's +glowered +glower's +glowworm +glucagon +glummest +glumness +gluten's +glutting +gluttons +gluttony +glycerin +glycerol +glycogen +gnarlier +gnarling +gnashing +gneiss's +goalie's +goalless +goalpost +goatee's +goatherd +goatskin +gobbet's +gobblers +gobble's +gobbling +goblet's +goblin's +Godard's +godawful +godchild +Godiva's +godliest +godsends +godson's +Godspeed +godspeed +Godthaab +Godzilla +Goebbels +Goethals +Goethe's +goggle's +goggling +goiter's +Golconda +Goldberg +goldener +Golden's +goldfish +Goldie's +goldmine +golfer's +Golgotha +golliwog +Gomorrah +gondolas +Gonzales +Gonzalez +goober's +goodbyes +goodlier +goodness +Goodrich +Goodwill +goodwill +Goodyear +goofball +goofiest +Google's +google's +googlies +googling +gopher's +Gordimer +Gordon's +Gorgas's +gorgeous +Gorgon's +gorgon's +gorillas +goriness +gormless +goshawks +goslings +Gospel's +gospel's +gossamer +gossiped +gossiper +gossip's +Goteborg +Gotham's +Gothic's +gouaches +gouger's +Gounod's +gourde's +gourmand +gourmets +goutiest +governed +Governor +governor +grabbers +grabbier +grabbing +Grable's +Gracchus +graceful +Graciela +Gracie's +gracious +grackles +gradable +gradated +gradates +grader's +gradient +graduate +Graffias +graffiti +graffito +grafters +grafting +Graham's +grainier +grammars +Grammy's +grandams +granddad +grandees +grandest +grandeur +grandmas +grandpas +grandson +grange's +granitic +grannies +granny's +grantees +granters +granting +granular +granules +graphics +graphing +graphite +grapnels +grappled +grapples +grasping +grassier +grassing +grateful +grater's +gratings +gratuity +gravamen +graveled +gravelly +gravel's +Graves's +gravitas +grayness +grazer's +greasers +grease's +greasier +greasily +greasing +greatest +Greece's +greedier +greedily +greenery +Greene's +greenest +greenfly +greening +greenish +greeters +greeting +Gregorio +gremlins +grenades +Grenoble +grepping +Gretchen +Gretel's +gribbles +griddles +gridiron +gridlock +grievers +grieving +grievous +griffins +Griffith +griffons +grille's +grilling +grimaced +grimaces +Grimes's +grimiest +grimmest +grimness +Grinch's +grinders +grinding +gringo's +grinning +griper's +grippers +grippe's +gripping +grislier +gritters +grittier +gritting +grizzled +grizzles +groaning +grocer's +groggier +groggily +grokking +grommets +groomers +grooming +groove's +groovier +grooving +groper's +grosbeak +grossest +grossing +grottier +grottoes +grotto's +grouched +grouches +grouch's +grounded +grounder +ground's +groupers +groupies +grouping +grousers +grouse's +grousing +grouting +groveled +groveler +Grover's +grower's +growlers +growling +grownups +growth's +grubbers +grubbier +grubbily +grubbing +grudge's +grudging +grueling +gruesome +gruffest +grumbled +grumbler +grumbles +grumpier +grumpily +Grundy's +grunge's +grungier +grunions +grunting +Gruyeres +Göteborg +guaranis +guaranty +guarders +guardian +guarding +Guelph's +Guernsey +Guerra's +Guerrero +guessers +guessing +guesting +guffawed +guffaw's +Guiana's +guidance +guider's +guilders +guileful +guiltier +guiltily +Guineans +Guinea's +guinea's +Guinness +guitar's +Guizot's +Gujarati +gulden's +Gullah's +gullet's +gullible +Gulliver +gulper's +gumballs +Gumbel's +gumboils +gumboots +gumdrops +gummiest +gumption +gumshoed +gumshoes +gunboats +gunfight +gunman's +gunmetal +gunnel's +gunner's +gunpoint +gunships +gunshots +gunsmith +gunwales +gurgle's +gurgling +Gurkha's +gurney's +gusher's +gushiest +gusseted +gusset's +gussying +Gustav's +Gustavus +gustiest +gutsiest +guttered +gutter's +guttiest +guttural +Guyana's +Guyanese +Guzman's +guzzlers +guzzling +gymkhana +gymnasts +gymslips +gypper's +gypsters +gypsum's +gyrating +gyration +gyrators +Habakkuk +habitats +habitual +habitues +habitués +hacienda +hacker's +hackle's +hackneys +hacksaws +hackwork +haddocks +Haggai's +haggises +haggis's +hagglers +haggle's +haggling +Haiphong +hairball +hairband +haircuts +hairdo's +hairgrip +hairiest +hairless +hairlike +hairline +hairnets +hairpins +Haitians +halberds +halfback +halftime +halftone +halfwits +halibuts +halite's +Halley's +Hallie's +Hallmark +hallmark +halloo's +hallowed +hallways +halogens +Halsey's +haltered +halter's +halyards +Hamburgs +hamburgs +Hamilcar +Hamill's +Hamilton +Hamlet's +hamlet's +Hamlin's +hammered +hammerer +hammer's +hammiest +hammocks +hampered +hamper's +hamsters +Hamsun's +handbags +handball +handbill +handbook +handcars +handcart +handcuff +Handel's +handfuls +handguns +handheld +handhold +handicap +handiest +handlers +handle's +handling +handmade +handmaid +handouts +handover +handpick +handrail +handsaws +handsets +handsome +handwork +handyman +handymen +hangar's +hanger's +hangings +hangnail +hangouts +hangover +Hangul's +hangup's +Hangzhou +hankered +hankie's +Hannah's +Hannibal +Hansel's +Hansen's +hansom's +Hanson's +Hanukkah +haploids +happened +happiest +Hapsburg +harangue +Harare's +harassed +harasser +harasses +Harbin's +harbored +harbor's +hardback +hardball +hardcore +hardened +hardener +hardhats +hardiest +Hardin's +hardness +hardship +hardtack +hardtops +hardware +hardwood +harebell +harelips +haricots +Harlan's +Harlem's +Harley's +harlotry +harlot's +Harlow's +harmless +harmonic +Harmon's +Harold's +Harper's +harpists +harpoons +harridan +harriers +Harriett +Harrison +Harris's +harrowed +harrow's +harrumph +harrying +harshest +Hartford +Hartline +harvests +Harvey's +Hasbro's +hashtags +hassle's +hassling +hassocks +hastened +hastiest +Hastings +hatbands +hatboxes +hatbox's +hatcheck +hatchery +hatchets +hatching +hatchway +Hatfield +Hathaway +hatred's +hatstand +Hatteras +hatter's +Hattie's +hauberks +hauler's +hauliers +haunches +haunch's +haunters +haunting +Havana's +Havoline +Hawaiian +Hawaii's +hawker's +hawser's +hawthorn +haycocks +Hayden's +haylofts +haymaker +haymow's +Haynes's +hayricks +hayrides +hayseeds +haystack +Hayworth +hazarded +hazard's +hazelnut +haziness +hazing's +headache +headband +headbutt +headcase +header's +headgear +headhunt +headiest +headings +headlamp +headland +headless +headline +headlock +headlong +headpins +headrest +headroom +headsets +headship +headsman +headsmen +headwind +headword +healer's +health's +hearer's +hearings +hearkens +hearse's +Hearst's +heartens +hearth's +heartier +hearties +heartily +hearty's +heatedly +heater's +heathens +heatwave +heavenly +heaven's +heaver's +heaviest +heavyset +Hebert's +Hebraism +Hebrew's +Hebrides +Hecate's +hecklers +heckle's +heckling +hectares +hectored +Hector's +hector's +Hecuba's +hedgehog +hedgehop +hedgerow +hedger's +hedonism +hedonist +heedless +heehawed +heehaw's +heelless +Hefner's +heftiest +Hegelian +hegemony +Hegira's +hegira's +heifer's +heighten +height's +Heimlich +Heineken +Heinlein +Heinrich +heirloom +heisting +Helena's +Helene's +Helios's +helipads +heliport +helium's +hellbent +hellcats +Hellenes +Hellenic +Heller's +hellfire +hellhole +hellions +helmeted +helmet's +helmsman +helmsmen +helper's +helpings +helpless +helpline +helpmate +Helsinki +hematite +hemlines +hemlocks +hemmer's +hemostat +henchman +henchmen +Hendrick +Henley's +hennaing +Hennessy +henpecks +Henrik's +Henson's +heptagon +Heracles +Herakles +heralded +heraldic +heraldry +herald's +Hercules +Herder's +herder's +herdsman +herdsmen +heredity +Hereford +Herero's +heresies +heresy's +heretics +hereunto +hereupon +herewith +heritage +Herman's +Hermes's +hermetic +Herminia +hermit's +hernia's +herniate +heroines +heroin's +herpes's +herrings +Herschel +Hersey's +Hesiod's +hesitant +hesitate +Hesperus +Hester's +Heston's +hetero's +Hettie's +Hewitt's +hexagons +hexagram +heyday's +Hezekiah +hiatuses +hiatus's +Hiawatha +hibachis +Hibernia +hibiscus +hiccough +hiccuped +hiccup's +hickey's +Hickok's +hideaway +hideouts +hiding's +highball +highborn +highboys +highbrow +highland +Highness +highness +highroad +hightail +highways +hijacked +hijacker +hijack's +hiking's +hilarity +Hilary's +Hilfiger +Hillel's +hilliest +hillocks +hillside +hilltops +Hilton's +Himalaya +Hinayana +hindered +hindmost +Hinduism +hinter's +Hinton's +hipbaths +hipbones +hippie's +hipsters +hiragana +hireling +Hirobumi +Hirohito +Hispanic +historic +hitchers +hitching +hitherto +Hitler's +hitter's +Hittites +hoagie's +hoarders +hoarding +hoariest +hoarsely +hoarsest +hoaxer's +Hobart's +Hobbes's +hobblers +hobble's +hobbling +hobbyist +hobnails +hockey's +hockshop +Hodges's +hoecakes +hoedowns +hogbacks +hogshead +hogtying +Hogwarts +Hohhot's +hoicking +hoisting +Hokkaido +holdalls +Holden's +Holder's +holder's +holdings +holdouts +holdover +holdup's +holidays +Holiness +holiness +holistic +Hollands +hollered +holler's +Holley's +Hollie's +Hollis's +Holloway +hollowed +hollower +hollowly +hollow's +Holman's +Holmes's +Holocene +hologram +Holstein +holsters +homage's +hombre's +homburgs +homebody +homeboys +homeland +homeless +homelier +homelike +homemade +homepage +homering +homeroom +homesick +homespun +hometown +homeward +homework +homicide +homilies +homily's +hominids +hominoid +hominy's +homonyms +honcho's +Honduran +Honduras +Honecker +honester +honestly +honeybee +honeydew +honeying +honeypot +honker's +Honolulu +honorary +honorees +honorers +honoring +Honshu's +hoodie's +hoodlums +hoodooed +hoodoo's +hoodwink +hookah's +Hooker's +hooker's +hookup's +hookworm +hooligan +Hooper's +hoopla's +hoosegow +Hoosiers +hooter's +hoovered +Hoover's +hopefuls +hopeless +Hopewell +Hopper's +hopper's +Horace's +horizons +Hormel's +hormonal +hormones +Hormuz's +hornet's +horniest +hornless +hornlike +hornpipe +horology +Horowitz +horrible +horribly +horridly +horrific +horror's +horsebox +horsefly +horseman +horsemen +horsiest +Horthy's +Horton's +hosannas +hosepipe +hosier's +hospices +hospital +hostages +hosteled +hosteler +hostelry +hostel's +hostiles +hostlers +hotbed's +hotboxes +hotbox's +hotcakes +hotelier +hotfoots +hotheads +hothouse +hotlinks +hotplate +Hotpoint +hotshots +hounding +houseboy +housefly +houseful +houseman +housemen +housetop +housings +hovering +Howard's +howdah's +Howell's +howitzer +howler's +hoyden's +Hrothgar +huarache +Hubble's +hubbub's +hubcap's +Hubert's +hubris's +huckster +huddle's +huddling +Hudson's +Huerta's +huffiest +hugeness +Hughes's +Huguenot +huller's +humanely +humanest +humanism +humanist +humanity +humanize +humanoid +Humberto +humblers +humblest +humbling +Humboldt +humbug's +humidify +humidity +humidors +humility +Hummer's +hummer's +hummocks +hummocky +hummus's +humoring +humorist +humorous +humpback +humphing +Humphrey +Humvee's +hunching +hundreds +hungered +hunger's +hungover +hungrier +hungrily +hunkered +hunkiest +Hunspell +Hunter's +hunter's +huntress +huntsman +huntsmen +hurdlers +hurdle's +hurdling +hurler's +Hurley's +hurrahed +hurrah's +hurrying +hurtling +husbands +husker's +huskiest +hussar's +hustings +hustlers +hustle's +hustling +Huston's +Hutton's +Huxley's +huzzahed +huzzah's +hyacinth +Hyades's +hybrid's +hydrants +hydrated +hydrates +hydrogen +hygienic +hymeneal +hymnal's +hymnbook +Hyperion +hyphened +hyphen's +hypnoses +hypnosis +hypnotic +hyssop's +hysteria +hysteric +iambic's +iambuses +iambus's +Ibadan's +Iberia's +Icarus's +icebergs +iceboats +icebound +iceboxes +icebox's +icecap's +iceman's +icicle's +Idahoans +idealism +idealist +idealize +identify +identity +ideogram +ideology +idiocies +idiocy's +idleness +idolater +idolatry +idolized +idolizes +Ieyasu's +iffiness +Ignatius +igniting +ignition +ignominy +ignorant +ignoring +iguana's +Ikhnaton +illegals +Illinois +illumine +illusion +illusive +illusory +Ilyushin +imaginal +imagined +imagines +imbecile +imbibers +imbibing +Imelda's +imitable +imitated +imitates +imitator +immanent +immature +immersed +immerses +imminent +immobile +immodest +immolate +immortal +immunity +immunize +immuring +impacted +impact's +impaired +impala's +impaling +impanels +imparted +impasses +impeding +impelled +impeller +impended +imperial +imperils +impetigo +impinged +impinges +impishly +implants +implicit +imploded +implodes +implored +implores +implying +impolite +imported +importer +import's +imposers +imposing +impostor +impost's +impotent +impounds +imprints +imprison +improper +improved +improves +impudent +impugned +impugner +impulsed +impulses +impunity +impurely +impurest +impurity +imputing +inaction +inactive +inasmuch +inboards +inbreeds +incensed +incenses +incest's +inchoate +Inchon's +inchworm +incident +incising +incision +incisive +incisors +inciters +inciting +inclined +inclines +included +includes +incomers +income's +incoming +increase +incubate +incurred +indebted +indecent +indented +indent's +indexers +indexing +Indianan +Indian's +indicate +indicted +Indies's +indigent +indigo's +Indira's +indirect +inditing +indium's +indolent +Indore's +inducers +inducing +inducted +inductee +indulged +indulges +industry +indwells +inedible +inequity +inerrant +inertial +inexpert +infamies +infamous +infamy's +infantry +infant's +infarcts +infected +inferior +infernal +infernos +inferred +infested +infidels +infields +infilled +infinite +infinity +inflamed +inflames +inflated +inflates +inflects +inflicts +inflow's +influxes +influx's +informal +informed +informer +infrared +infringe +infusers +infusing +infusion +ingenues +ingested +ingénues +ingrains +Ingram's +ingrates +Ingres's +Ingrid's +inguinal +inhabits +inhalant +inhalers +inhaling +inherent +inhering +inherits +inhibits +inhumane +inimical +iniquity +initials +initiate +injected +injector +injurers +injuries +injuring +injury's +inkblots +inkiness +inklings +inkstand +inkwells +inland's +inlaying +inmate's +innately +inning's +Innocent +innocent +innovate +innuendo +inositol +inputted +inquests +inquired +inquirer +inquires +inroad's +inrushes +inrush's +insanely +insanest +insanity +inscribe +inseam's +insect's +insecure +inserted +insert's +insiders +inside's +insights +insignia +insisted +insolent +insole's +insomnia +insomuch +inspects +inspired +inspires +inspirit +installs +instance +instants +instated +instates +instep's +instills +instinct +instruct +insulate +insulted +insult's +insureds +insurers +insuring +intaglio +intake's +integers +integral +Intelsat +intended +intenser +intently +intent's +interact +intercom +interest +interior +intermix +internal +interned +internee +Internet +internet +intern's +Interpol +interred +intersex +interval +interwar +intimacy +intimate +intoners +intoning +intranet +intrepid +intrigue +introits +intruded +intruder +intrudes +intuited +inundate +invaders +invading +invalids +invasion +invasive +inveighs +inveigle +invented +inventor +inverses +inverted +inverter +invert's +invested +investor +invitees +invite's +inviting +invoiced +invoices +invoking +involved +involves +inwardly +iodide's +iodine's +iodizing +Ionian's +ionizers +ionizing +ipecac's +iPhone's +Iranians +Irishman +Irishmen +ironclad +ironical +ironware +ironwood +ironwork +Iroquois +irrigate +irritant +irritate +irrupted +Irtish's +Irvine's +Irving's +Isabella +Isabelle +Isabel's +Isaiah's +Iscariot +ischemia +ischemic +Ishtar's +Isidro's +Islamism +Islamist +islander +island's +Ismael's +Ismail's +isobaric +isobar's +isolated +isolates +Isolde's +isomeric +isomer's +isotherm +isotopes +isotopic +Ispell's +Israelis +Israel's +Issachar +issuance +issuer's +Istanbul +isthmian +Itaipu's +Italians +italic's +Itasca's +itchiest +itemized +itemizes +iterated +iterates +iterator +Ithaca's +iTunes's +Izvestia +jabbered +jabberer +jabber's +jackal's +jackboot +jackdaws +jacketed +jacket's +Jackie's +jackpots +Jaclyn's +Jacobean +Jacobi's +Jacobite +Jacobson +Jacobs's +Jacquard +jacquard +jaggeder +jaggedly +Jagger's +Jaguar's +jaguar's +Jahangir +jailbird +jailer's +Jaipur's +jalapeno +jalapeño +jalopies +jalopy's +jalousie +Jamaal's +Jamaican +jamboree +jammiest +Janell's +janglers +jangle's +jangling +Janice's +Janine's +janitors +Jannie's +Jansen's +Japanese +japanned +Japura's +jarful's +jargon's +Jarred's +Jarrod's +Jarvis's +jasmines +Jasper's +jasper's +Jataka's +jaundice +jauntier +jauntily +jaunting +Javanese +javelins +Javier's +jawboned +jawbones +jawlines +Jaxartes +Jayapura +jaybirds +Jaycee's +Jayson's +jaywalks +jazziest +jealousy +Jeanette +Jeanie's +Jeanne's +Jeannine +Jeeves's +Jefferey +Jeffry's +Jekyll's +jellying +jemmying +Jenner's +jennet's +Jennie's +Jennifer +Jennings +Jensen's +jeopardy +Jephthah +Jerald's +jeremiad +Jeremiah +Jeremy's +jerkiest +jerkin's +Jermaine +Jeroboam +jeroboam +Jerold's +Jerome's +Jerrod's +jerrycan +Jersey's +jersey's +Jessie's +jester's +Jesuit's +jetliner +jetports +jetsam's +jettison +Jetway's +jewelers +jeweling +Jewell's +Jewesses +Jewess's +Jewish's +Jezebels +jiggered +jigger's +jiggle's +jiggling +jigsawed +jigsaw's +jihadist +Jimmie's +jimmying +jingle's +jingling +jingoism +jingoist +Jinnah's +jitney's +Jivaro's +Joanna's +Joanne's +jobber's +jobshare +jockeyed +Jockey's +jockey's +jocosely +jocosity +jocundly +jodhpurs +jogger's +joggle's +joggling +Johannes +Johann's +Johnie's +johnnies +Johnny's +johnny's +Johnston +joiner's +jointing +jokingly +Jolene's +jolliest +jollying +Jolson's +jolter's +Jonathan +Jonathon +jonquils +Jonson's +Joplin's +Jordan's +Josefa's +Josefina +Joseph's +Josephus +josher's +Joshua's +Josiah's +jostle's +jostling +jotter's +jottings +jounce's +jouncing +journals +journeys +jousters +jousting +jovially +Jovian's +jowliest +joyfully +Joyner's +joyously +joyrider +joyrides +joystick +Juarez's +jubilant +jubilees +Judaical +Judaisms +juddered +judgment +judicial +Judith's +Judson's +jugful's +jugglers +jugglery +juggle's +juggling +jugulars +juicer's +juiciest +jujube's +Julianne +Julian's +julienne +Juliet's +Juliette +Julius's +Julliard +jumble's +jumbling +jumper's +jumpiest +jumpsuit +junction +juncture +Juneau's +Jungfrau +jungle's +Junior's +junior's +junipers +Junker's +junker's +junketed +junket's +junkie's +junkiest +junkyard +Jurassic +juristic +jurist's +justices +Justin's +justness +juvenile +kabbalah +kabuki's +Kahlua's +Kaiser's +kaiser's +Kalahari +Kalevala +Kalmyk's +kamikaze +Kandahar +kangaroo +Kanpur's +Kansan's +Kansas's +kaolin's +Kaposi's +karaokes +karate's +Kareem's +Karenina +Karina's +Karroo's +Kashmirs +Kasparov +katakana +Katheryn +Kathie's +Kathleen +Kathrine +Katina's +Katmai's +Katowice +katydids +Kaunas's +Kaunda's +Kawabata +Kawasaki +kayaking +Kazakh's +Keaton's +kedgeree +keelhaul +Keenan's +keenness +keeper's +keepsake +Keewatin +Keisha's +Keller's +Kelley's +Kellie's +Kelsey's +Kelvin's +kelvin's +Kemerovo +Kempis's +Kendra's +Kendrick +Kennan's +kenneled +kennel's +Kenton's +Kentucky +Kenyan's +Kenyatta +Kenyon's +Keokuk's +Kepler's +kerbside +kerchief +Kerensky +Kermit's +kernel's +kerosene +kestrels +kettle's +Kevlar's +Kewpie's +keyboard +keyholes +Keynes's +keynoted +keynoter +keynotes +keypad's +keypunch +keystone +keywords +Khalid's +Khartoum +Khazar's +Khoikhoi +Khomeini +Khulna's +Khyber's +kibble's +kibbling +kibitzed +kibitzer +kibitzes +kibosh's +Kickapoo +kickback +kickball +kicker's +kickiest +kickoffs +kidder's +kiddie's +kidney's +kielbasa +kielbasi +Kigali's +Kikuyu's +killdeer +killer's +killings +killjoys +kilobyte +kilogram +kilotons +kilowatt +Kilroy's +kilter's +Kimberly +kimono's +kindlier +kindling +kindness +kinetics +kinfolks +kingdoms +kinglier +kingpins +kingship +Kingston +kinkiest +Kinney's +Kinsey's +kinsfolk +Kinshasa +kippered +kipper's +Kirchner +Kiribati +Kirkland +kirsches +kirsch's +Kishinev +Kislev's +kismet's +kissable +kisser's +kissoffs +kitchens +kitsch's +kitten's +Klansman +Klondike +kludging +klutzier +knackers +knapsack +kneaders +kneading +kneecaps +kneeling +knelling +knickers +knighted +knightly +Knight's +knight's +knitters +knitting +knitwear +knobbier +knockers +knocking +knockoff +knockout +knothole +knottier +knotting +knowable +knowings +knuckled +knuckles +knurling +Kochab's +Kodaly's +Kodiak's +Koestler +Kohinoor +kohlrabi +Kolyma's +Konrad's +kookiest +Koontz's +kopeck's +Koppel's +Korean's +Kornberg +koshered +Koufax's +kowtowed +kowtow's +Krakatoa +Krakow's +Kramer's +Kresge's +Krista's +Kristina +Kristine +Kristi's +Kristy's +Kroger's +Kruger's +Kublai's +kuchen's +Kulthumm +kumquats +Kurosawa +Kurtis's +Kuwaitis +Kuwait's +Kuznetsk +kvetched +kvetcher +kvetches +kvetch's +Kwakiutl +Kwanzaas +Kyushu's +labeling +labial's +labium's +laborers +laboring +Labrador +laburnum +lacerate +lacewing +lacework +Lachesis +lackey's +lacquers +lacrosse +lactated +lactates +lacuna's +laddered +ladder's +laddie's +lading's +Ladoga's +ladybird +ladybugs +ladylike +ladylove +Ladyship +ladyship +laetrile +laggards +lagoon's +Lagrange +Lahore's +Lakeisha +lakeside +Lakewood +Lakota's +Lamaisms +lamasery +Lamaze's +lambadas +lambaste +lambda's +lambency +lambkins +lambskin +lameness +lamented +lament's +lamina's +laminate +Lamont's +lampoons +lamppost +lampreys +Lancelot +lancer's +lancet's +landau's +landfall +landfill +landings +landlady +landless +landline +landlord +landmark +landmass +landmine +Landon's +Landry's +landslid +landslip +landsman +landsmen +landward +Langland +Langmuir +language +languish +languors +Lankan's +lankiest +lankness +lanterns +lanyards +Laotians +lapboard +lapdog's +lapidary +lappet's +laptop's +lapwings +larboard +larder's +lardiest +Laredo's +lariat's +larkspur +Larousse +Larsen's +Larson's +larynges +larynx's +lasagnas +lashings +Lassen's +Lassie's +lassie's +lassoing +latching +latchkey +lateness +laterals +latest's +Latham's +lathered +lather's +Latino's +latitude +Latoya's +latrines +latterly +latter's +latticed +lattices +Latvians +Latvia's +laudable +laudably +laudanum +Lauder's +laughing +laughter +launched +launcher +launches +launch's +launders +Laurasia +laureate +Laurel's +laurel's +Laurence +Lauren's +Laurie's +lavage's +lavatory +lavender +Lavern's +lavished +lavisher +lavishes +lavishly +lawfully +lawgiver +lawmaker +lawman's +Lawrence +Lawson's +lawsuits +lawyer's +laxative +laxity's +layabout +layering +layettes +layman's +layoff's +layout's +layovers +laywoman +laywomen +Lazaro's +laziness +leaching +leader's +leafiest +leafless +leaflets +league's +leaguing +leakages +Leakey's +leakiest +leanings +Leanna's +Leanne's +leanness +leaper's +leapfrog +learners +learning +leaser's +leashing +leathers +leathery +leavened +leaven's +leaver's +leavings +Lebanese +Lebesgue +lecher's +lecithin +lecterns +lectured +lecturer +lectures +ledger's +leeching +leeriest +leewards +leeway's +leftists +leftmost +leftover +leftward +legacies +legacy's +legalese +legalism +legality +legalize +legatees +legate's +legation +legato's +Legendre +legend's +leggiest +leggings +leghorns +legion's +legman's +Legree's +legrooms +legume's +Lehman's +Leiden's +leisured +Leland's +Lemaitre +lemmings +lemonade +Lemuel's +Lenard's +lender's +L'Enfant +lengthen +length's +lenience +leniency +Leninism +Leninist +lenitive +Lennon's +Lenoir's +Lenora's +Lenore's +Lenten's +lentil's +Leonardo +Leonel's +Leonidas +Leonid's +Leonor's +leopards +Leopoldo +leotards +lepton's +Lerner's +lesbians +lesion's +Lesley's +Leslie's +lessee's +lessened +Lessie's +lesson's +lessor's +Lester's +Lestrade +letdowns +lethally +lethargy +lettered +letterer +letter's +lettings +lettuces +leukemia +leukemic +Levant's +levelers +leveling +leverage +levering +Levesque +levier's +Levine's +levitate +Levitt's +levity's +lewdness +Lewinsky +lexicons +Lhotse's +liaising +liaisons +libation +libber's +libelers +libeling +libelous +Liberace +liberals +liberate +Liberian +libido's +libretto +Libyan's +licensed +licensee +licenses +lichen's +lickings +licorice +lifebelt +lifeboat +lifebuoy +lifeless +lifelike +lifeline +lifelong +lifespan +lifetime +lifework +lifter's +liftoffs +ligament +ligating +ligation +ligature +lightens +lighters +lightest +lighting +ligneous +likelier +likeness +likening +likewise +liking's +Lilian's +Lilith's +Lillie's +Lilliput +Lilongwe +Limbaugh +limbered +limbless +limeades +limerick +limiters +limiting +Limousin +limpet's +limpidly +limpness +linage's +linchpin +Lincolns +linden's +lineages +lineally +linearly +linefeed +linens's +linesman +linesmen +lineup's +lingered +lingerer +lingerie +linguine +linguist +liniment +lining's +linkages +linkup's +Linnaeus +linnet's +linoleum +Linotype +lintel's +lintiest +Linton's +Lionel's +lionized +lionizes +Lippmann +lipreads +Lipscomb +lipstick +Lipton's +liqueurs +liquid's +liquored +liquor's +Lisbon's +lisper's +listened +listener +listen's +listeria +Lister's +listings +listless +Liston's +litanies +litany's +litchi's +literacy +literals +literary +literate +literati +litigant +litigate +litmus's +littered +litterer +litter's +Little's +little's +littlest +Litton's +littoral +livelier +livelong +livening +liveried +liveries +liverish +livery's +liveware +living's +lizard's +Lizzie's +loadable +loader's +Loafer's +loafer's +loamiest +loaner's +loanword +loathers +loathing +lobber's +lobbying +lobbyist +lobotomy +lobsters +locale's +locality +localize +locating +location +locators +locavore +lockable +locker's +locket's +Lockheed +lockouts +lockstep +lockup's +Lockwood +locoweed +locust's +locution +lodestar +lodger's +lodgings +loftiest +logbooks +logger's +loggia's +logician +logistic +logjam's +logoff's +logotype +logout's +loitered +loiterer +lolcat's +Lolita's +lollipop +lolloped +lollygag +Lombardi +Lombardy +Londoner +London's +lonelier +lonesome +longboat +longbows +longhair +longhand +longhorn +longings +longtime +longueur +longways +Lonnie's +loofah's +looker's +lookouts +loonie's +looniest +loophole +loopiest +loosened +looter's +lopsided +lordlier +Lordship +lordship +Lorena's +Lorene's +Lorenz's +Lorraine +Lorrie's +losing's +lossless +Lothario +lotion's +Lottie's +loudness +Louisa's +Louise's +loungers +lounge's +lounging +lousiest +louvered +louver's +Louvre's +lovebird +Lovelace +loveless +lovelier +lovelies +lovelorn +lovely's +lovesick +lovingly +lowboy's +lowbrows +Lowell's +lowering +Lowery's +Lowlands +lowlands +lowliest +lowlifes +loyalest +loyalism +loyalist +Loyang's +Loyola's +lozenges +Luanda's +lubberly +lubber's +Lucian's +lucidity +Lucien's +Lucile's +Lucite's +Lucius's +luckiest +luckless +Lucretia +Luddites +Ludhiana +Ludwig's +Luella's +lugger's +lugholes +Lugosi's +lugsails +lukewarm +lumbered +lumberer +lumber's +luminary +luminous +lummoxes +lummox's +lumpiest +lunacies +lunacy's +lunatics +lunchbox +luncheon +lunching +lungfish +lungfuls +lunkhead +lupine's +lurching +Lusaka's +luscious +lushness +luster's +lustiest +lustrous +lutanist +lutenist +lutetium +Lutheran +Luther's +luxuries +luxury's +Lyallpur +lyceum's +lychgate +Lycurgus +Lydian's +lymphoid +lymphoma +lynchers +lynching +Lyndon's +Lynnette +lyrebird +lyricism +lyricist +Maalox's +mañana's +macaques +macaroni +macaroon +Macaulay +MacBride +macerate +machetes +machined +machines +machismo +Macias's +mackerel +Mackinac +Mackinaw +mackinaw +MacLeish +macron's +madame's +madcap's +maddened +Madden's +madder's +Maddox's +Madeiras +Madeline +madhouse +madman's +Madonnas +madrasah +madrasas +madrases +Madras's +madras's +madrassa +Madrid's +madrigal +madwoman +madwomen +maestros +magazine +Magellan +Maggie's +maggot's +magician +magicked +magnates +magnesia +magnetic +magnetos +magnet's +magnolia +magnum's +magpie's +Magritte +Magyar's +maharani +mahatmas +Mahavira +Mahayana +Mahicans +Mahler's +mahogany +mahout's +maidenly +maiden's +mailbags +mailbomb +Mailer's +mailer's +mailings +maillots +mailshot +Maiman's +Mainer's +mainland +mainline +mainmast +mainsail +mainstay +maintain +maintops +Maisie's +Maitreya +majestic +majolica +majoring +majority +Majuro's +Makarios +makeover +makeup's +making's +Malabo's +maladies +malady's +Malagasy +malamute +Malaprop +malarial +malarkey +Malawian +Malawi's +Malayans +Malaya's +Malaysia +Maldives +maleness +Malian's +Malibu's +malice's +maligned +malinger +mallards +Mallarmé +Mallarme +mallet's +mallow's +Malone's +Malory's +malted's +maltiest +maltreat +mamboing +Mameluke +mammal's +mammon's +mammoths +Mamore's +manacled +manacles +managers +managing +Manama's +manana's +Manasseh +manatees +Manchu's +mandalas +Mandalay +mandamus +Mandarin +mandarin +mandated +mandates +mandible +Mandingo +mandolin +mandrake +Mandrell +mandrels +mandrill +manege's +maneuver +manfully +manger's +manège's +mangiest +manglers +mangle's +mangling +mangrove +manholes +manhunts +maniacal +maniac's +manicure +manifest +manifold +manikins +Manila's +manila's +manioc's +Manitoba +Manley's +manliest +mannered +mannerly +manner's +Mannheim +manorial +manpower +mansards +mansions +Manson's +Mantegna +mantel's +mantilla +mantises +mantis's +mantissa +Mantle's +mantle's +mantling +mantra's +manually +manual's +Manuel's +manumits +manure's +manuring +Maoism's +Maoist's +mapmaker +mapper's +mappings +Maputo's +marabous +marabout +maraca's +Marathon +marathon +marauded +marauder +marble's +marbling +Marcella +Marcel's +marchers +marching +Marciano +Marcia's +Marcie's +Marcos's +Marcus's +Marduk's +Margaret +Margie's +marginal +margin's +mariachi +Marianas +Marianne +Marian's +Maricela +Marietta +marigold +marimbas +marinade +marinara +Marina's +marina's +marinate +mariners +Marine's +marine's +Marion's +Marisa's +Maritain +maritime +Mariupol +Marius's +marjoram +Marjorie +Markab's +markdown +markedly +marker's +marketed +marketer +market's +markings +markka's +Markov's +marksman +marksmen +markup's +Marlboro +Marley's +Marlin's +marlin's +Marlon's +marmoset +marmot's +Maronite +marooned +maroon's +Marple's +marquees +marque's +marquess +marquise +Marquita +marriage +marrieds +Marriott +marrow's +marrying +Marshall +marshals +Marsha's +marshier +Martel's +marten's +Martha's +Martians +martians +martinet +Martinez +martinis +Martin's +martin's +martyred +martyr's +marveled +marvel's +Marvin's +Marxisms +Marxists +Maryanne +Maryland +marzipan +Masada's +Mascagni +mascaras +mascot's +Maserati +Maseru's +masher's +mashup's +masker's +Masonite +masque's +massacre +massaged +massages +Massenet +masseurs +masseuse +Massey's +massif's +mastered +masterly +master's +masthead +mastic's +mastiffs +mastitis +mastodon +mastoids +matadors +matchbox +matching +material +materiel +maternal +Mather's +Mathew's +Mathis's +matinees +matinées +mating's +matins's +matrices +matériel +matrix's +matronly +matron's +Mattel's +mattered +matter's +Matthews +Matthias +Mattie's +mattocks +mattress +maturate +maturely +maturest +maturing +maturity +matzoh's +mauler's +maunders +Mauricio +Mauser's +maverick +maxillae +maximize +maximums +Maxine's +mayday's +mayflies +mayfly's +mayhem's +mayoress +maypoles +Maytag's +Mazama's +Mazatlan +Mazola's +mazurkas +McAdam's +McCain's +McCall's +McCarthy +McCray's +McDaniel +McDonald +McDowell +McFadden +McGovern +McGuffey +McIntosh +McIntyre +McKenzie +McKinley +McKinney +McKnight +McLean's +McLeod's +McMillan +McNamara +McNeil's +meadow's +Meagan's +meagerly +mealiest +mealtime +mealybug +meanders +meanie's +meanings +meanness +meantime +measlier +measured +measures +meatball +meathead +meatiest +meatless +meatloaf +mechanic +medalist +meddlers +meddling +Medellin +medially +median's +mediated +mediates +mediator +Medicaid +medicaid +medicals +Medicare +medicare +medicate +medicine +Medici's +medico's +medieval +Medina's +mediocre +meditate +medium's +medley's +medullas +Medusa's +meekness +meetings +meetup's +megabits +megabyte +megalith +megastar +megatons +megawatt +Meghan's +Mekong's +melamine +melanges +melanoma +Melchior +Melendez +Melisa's +Mellon's +mellowed +mellower +mellowly +melodies +Melody's +melody's +meltdown +Melton's +Melville +Melvin's +member's +membrane +mementos +memoir's +memorial +memories +memorize +memory's +memsahib +menace's +menacing +menage's +Menander +Mendel's +mender's +Mendez's +Menelaus +menfolks +menhaden +menially +menial's +meninges +meninx's +meniscus +Menkar's +Mennen's +menorahs +mensches +mensch's +menses's +menswear +mentally +mentions +mentored +mentor's +Mephisto +Mercator +Mercedes +Mercer's +mercer's +merchant +Mercia's +merciful +mercuric +Meredith +merger's +meridian +meringue +Merino's +merino's +meriting +Merlin's +Merlot's +mermaids +merman's +merriest +Merton's +Mervin's +Mesabi's +mescalin +mescal's +mesdames +mesmeric +Mesmer's +Mesozoic +mesquite +messaged +messages +Messiaen +Messiahs +messiahs +messiest +messmate +mestizos +metadata +metallic +metaphor +meteoric +meteor's +metering +methanol +methinks +method's +methyl's +metier's +metrical +mettle's +Mexicali +Mexicans +Mexico's +Meyers's +miasma's +Micawber +Michelin +Michelle +Michelob +Michel's +Michigan +Mickey's +mickey's +Mickie's +Micmac's +microbes +microdot +micron's +midair's +midday's +midden's +middle's +middling +midfield +midget's +Midlands +midlands +midnight +midpoint +midrib's +midriffs +midships +midterms +Midway's +midway's +midweeks +midwifed +midwifes +midwives +midyears +mightier +mightily +mightn't +might've +migraine +migrants +migrated +migrates +émigré's +Miguel's +mikado's +miladies +milady's +Milagros +Milanese +mildewed +mildew's +mildness +mileages +milepost +milieu's +militant +military +militate +militias +Milken's +milker's +milkiest +milkmaid +milksops +milkweed +Millay's +Miller's +miller's +Millet's +millet's +milliard +millibar +Millie's +Millikan +milliner +millings +millions +millpond +millrace +Miltonic +Milton's +mimicked +mimicker +Mimosa's +mimosa's +Minamoto +minarets +minatory +mincer's +Mindanao +mindless +mindsets +minerals +mingling +Mingus's +minibars +minibike +minicabs +minicams +minimize +minimums +mining's +minion's +minister +ministry +minivans +Minnelli +Minnie's +minnow's +Minoan's +minoring +minority +Minotaur +Minsky's +minsters +minstrel +minter's +mintiest +minuends +minuet's +Minuit's +minutely +minute's +minutest +minutiae +minuting +Mirabeau +Mirach's +miracles +mirage's +Mirfak's +Miriam's +mirrored +mirror's +mirthful +Mirzam's +misapply +miscalls +miscarry +miscasts +mischief +miscible +miscount +miscue's +miscuing +misdeals +misdealt +misdeeds +misdoing +miseries +misery's +misfiled +misfiles +misfired +misfires +misfit's +misguide +mishap's +misheard +mishears +mishmash +misjudge +mislabel +misleads +mismatch +misnamed +misnames +misnomer +misogamy +misogyny +misplace +misplays +misprint +misquote +misreads +misruled +misrules +missal's +misshape +missiles +missions +missives +Missouri +misspeak +misspell +misspend +misspent +misspoke +misstate +missteps +missuses +missus's +mistaken +mistakes +mister's +mistiest +mistimed +mistimes +mistrals +mistreat +Mistress +mistress +mistrial +mistrust +mistypes +misuse's +misusing +Mitchell +mitering +Mithra's +mitigate +mitten's +Mixtec's +mixtures +mizzen's +mnemonic +moaner's +Mobile's +mobile's +mobility +mobilize +mobsters +Mobutu's +moccasin +mocker's +modality +modelers +modeling +moderate +modernly +modern's +modestly +modicums +modified +modifier +modifies +modishly +modulate +module's +Mohacs's +mohair's +Mohammad +Mohave's +Mohawk's +moieties +moiety's +Moises's +Moiseyev +moistens +moistest +moisture +Mojave's +molasses +Moldavia +moldered +molder's +moldiest +moldings +Moldovan +molecule +molehill +moleskin +molested +molester +Molina's +Mollie's +mollusks +Molnar's +Moloch's +molter's +Moluccas +moment's +momentum +Monaco's +monarchs +monarchy +monastic +monaural +Monday's +Mondrian +Monera's +monetary +monetize +moneybag +moneybox +mongered +monger's +Mongolia +Mongolic +Mongol's +mongoose +mongrels +Monica's +monikers +monism's +monist's +monition +monitors +monitory +monkeyed +monkey's +Monmouth +monocled +monocles +monodies +monodist +monody's +monogamy +monogram +monolith +monomers +monopoly +monorail +monotone +monotony +monoxide +Monroe's +Monrovia +Monsanto +Monsieur +monsieur +monsoons +monsters +montages +Montague +Montanan +Montcalm +Montreal +monument +moochers +mooching +moodiest +moonbeam +Mooney's +moonless +moonshot +moonwalk +moorhens +moorings +moorland +moppet's +moraines +morale's +moralist +morality +moralize +morasses +morass's +Moravian +morbidly +mordancy +mordants +Moreno's +moreover +Morgan's +morgue's +Moriarty +moribund +Morita's +Morley's +Mormon's +mornings +Moroccan +Moroni's +morosely +morpheme +Morpheus +morphine +morphing +Morphy's +Morrison +Morris's +Morrow's +morrow's +morsel's +mortally +mortal's +mortared +mortar's +mortgage +Mortimer +mortised +mortises +Morton's +mortuary +Mosaic's +mosaic's +Moscow's +moseying +Mosley's +mosque's +mosquito +mossback +mossiest +mothball +mothered +motherly +mother's +motility +motioned +motion's +motivate +motive's +motley's +motliest +motorcar +motoring +motorist +motorize +motorman +motormen +Motorola +motorway +Motown's +Motrin's +mottling +mounding +mountain +mounters +Mounties +mounting +mourners +mournful +mourning +mouser's +mousiest +moussaka +mousse's +moussing +Mouthe's +mouthful +mouthier +mouthing +Mouton's +mouton's +movables +movement +movingly +Mowgli's +Mozart's +métier's +mucilage +muckiest +muckrake +muddiest +muddle's +muddling +muddying +mudflaps +mudflats +mudguard +mudpacks +mudrooms +mudslide +Muenster +muenster +muezzins +muffin's +mufflers +muffling +Mugabe's +mugful's +mugger's +muggiest +muggings +muggle's +mugshots +mugwumps +Muhammad +mukluk's +mulberry +mulching +mulcting +Mulder's +muleteer +mulishly +mullah's +Mullen's +Muller's +mullet's +Mulligan +mulligan +Mullikan +mullions +Mulroney +Multan's +multiple +multiply +Mumbai's +mumblers +mumble's +mumbling +mummer's +munchies +munching +munchkin +mundanes +Munich's +munition +Muppet's +muralist +Murasaki +murdered +murderer +murder's +Muriel's +Murine's +murkiest +Murmansk +murmured +murmurer +murmur's +Murphy's +Murray's +Murrow's +muscatel +Muscat's +muscat's +muscle's +muscling +muscular +musettes +museum's +mushiest +mushroom +Musial's +musicale +musicals +musician +musingly +musing's +muskeg's +musketry +musket's +muskie's +muskiest +Muskogee +muskoxen +muskox's +muskrats +Muslim's +muslin's +mussel's +mussiest +mustache +mustangs +mustered +muster's +mustiest +mutagens +mutant's +mutating +mutation +mutative +muteness +mutilate +mutineer +mutinied +mutinies +mutinous +mutiny's +muttered +mutterer +mutter's +mutton's +mutually +muumuu's +muzzle's +muzzling +mycology +myelitis +myopia's +Myrdal's +myriad's +myrmidon +Myrtle's +myrtle's +Mysore's +mystical +mystic's +mystique +mythical +nacelles +nacreous +Nadine's +Nagasaki +nagger's +Nagoya's +Nagpur's +Nahuatls +Naismith +Namath's +nameable +namedrop +nameless +namesake +Namibian +Nanchang +Nannie's +nanobots +Nanook's +Nansen's +Nantes's +napalmed +napalm's +Naphtali +Napier's +napkin's +Naples's +Napoleon +napoleon +napper's +nappiest +narcoses +narcosis +narcotic +Narnia's +narrated +narrates +narrator +narrowed +narrower +narrowly +narrow's +narwhals +nasality +nasalize +NASCAR's +nascence +NASDAQ's +Nashua's +Nassau's +Nasser's +nastiest +Nathan's +national +Nation's +nation's +native's +Nativity +nativity +nattered +natter's +nattiest +naturals +nature's +naturism +naturist +naught's +nausea's +nauseate +nauseous +nautical +Nautilus +nautilus +Navajoes +Navajo's +navigate +naysayer +Nazarene +Nazareth +Nazism's +Ndjamena +nearness +nearside +neatened +neatness +Nebraska +nebula's +nebulous +neckband +necklace +neckline +neckties +necroses +necrosis +necrotic +nectar's +neediest +needle's +needless +needling +negating +negation +negative +neglects +negligee +Negroids +Negros's +Nehemiah +neighbor +neighing +Nellie's +Nelsen's +Nelson's +nelson's +nematode +Nembutal +neocon's +neonatal +neonates +neophyte +neoplasm +neoprene +Nepalese +Nepali's +nepenthe +nephew's +nephrite +nepotism +nepotist +nerdiest +Nereid's +Neruda's +nerviest +Nestle's +nestling +Nestor's +netbooks +Netscape +Nettie's +nettle's +nettling +networks +neurally +neuritic +neuritis +neuronal +neuron's +neuroses +neurosis +neurotic +neutered +neuter's +neutrals +neutrino +neutrons +Nevadans +Nevada's +Nevadian +Nevsky's +Newark's +newbie's +newborns +newcomer +newfound +newlines +newlywed +Newman's +newsboys +newscast +newsgirl +newsiest +newspeak +newsreel +newsroom +Newsweek +Newton's +newton's +Ngaliema +Ångström +Nguyen's +niacin's +Niamey's +nibblers +nibble's +nibbling +Nibelung +Nicaea's +Nicene's +niceness +niceties +nicety's +Nichiren +Nicholas +nickel's +nickered +nicker's +Nicklaus +nickname +Nickolas +Nicola's +Nicole's +nicotine +Nieves's +niftiest +Nigerian +Nigerien +niggards +nigger's +nigglers +niggle's +niggling +nightcap +nighties +nihilism +nihilist +Nijinsky +Nikita's +Nikkei's +nimblest +nimbus's +Nimitz's +Nimrod's +nimrod's +ninepins +nineteen +nineties +ninety's +Nintendo +nipper's +nippiest +nipple's +Nippon's +Nissan's +nitpicks +nitrated +nitrates +nitrites +nitrogen +nitwit's +nobbling +Nobelist +nobelium +nobility +nobleman +noblemen +nobodies +nobody's +nocturne +noddle's +nodule's +Noelle's +noggin's +noisiest +nominate +nominees +nonage's +nonbasic +noncom's +nondairy +nonempty +nonesuch +nonevent +nonfatal +nonhuman +nonissue +nonlegal +nonmetal +nonrigid +nonsense +nonstick +nontoxic +nonunion +nonusers +nonvocal +nonvoter +nonwhite +noodle's +noodling +noontide +noontime +Nootka's +Norberto +Nordic's +Noreen's +normalcy +normally +normal's +Normandy +Norman's +Norplant +Norris's +Norseman +Norsemen +northern +northers +Northrop +Northrup +Norton's +Norway's +nosebags +nosecone +nosedive +nosegays +nosher's +nosiness +nostrils +nostrums +notables +notarial +notaries +notarize +notary's +notating +notation +notching +notebook +notelets +notepads +nothings +notice's +noticing +notified +notifier +notifies +notional +notion's +notworks +nougat's +Noumea's +Novartis +novelist +novelize +novellas +November +novena's +Novgorod +novice's +Novocain +nowadays +nozzle's +nuance's +nubbiest +nubbin's +Nubian's +nucleate +nucleoli +nucleons +nudism's +nudist's +nudity's +nugatory +nugget's +nuisance +numbered +number's +numbness +numeracy +numerals +numerate +numerous +numinous +numskull +nuncio's +nuptials +nurser's +nursling +nurtured +nurturer +nurtures +nutcases +nuthatch +nuthouse +nutmeats +nutmeg's +nutpicks +nutria's +nutrient +nutshell +nuttiest +nuzzlers +nuzzle's +nuzzling +nylons's +nymphets +NyQuil's +oafishly +Oakley's +oarlocks +oatcakes +Oaxaca's +obduracy +obdurate +obedient +obeisant +obelisks +Oberon's +obituary +objected +objector +object's +oblation +obligate +obliging +obliques +oblivion +oblong's +oboist's +obscener +obscured +obscurer +obscures +observed +observer +observes +obsessed +obsesses +obsidian +obsolete +obstacle +obstruct +obtained +obtruded +obtrudes +obtusely +obtusest +obverses +obviated +obviates +ocarinas +occasion +Occident +occluded +occludes +occult's +occupant +occupied +occupier +occupies +occurred +ocelot's +O'Connor +octagons +octane's +octave's +Octavian +octavo's +Octobers +ocular's +oculists +oddballs +oddities +oddity's +oddments +Odessa's +odiously +odometer +odorless +Odysseus +odysseys +oenology +oeuvre's +Ofelia's +offbeats +offended +offender +offenses +offering +officers +office's +official +offing's +offloads +offprint +offset's +offshoot +offshore +offstage +offtrack +oftenest +ofttimes +Ogilvy's +ogresses +ogress's +O'Hara's +Ohioan's +ohmmeter +oilcloth +oilfield +oiliness +oilskins +ointment +Ojibwa's +O'Keeffe +Okinawan +Oklahoma +Olajuwon +Oldfield +oldsters +oleander +Olenek's +oligarch +Oliver's +Olivetti +Olivia's +Olympiad +Olympian +Olympias +Olympics +Omdurman +omelet's +omicrons +omission +omitting +omnivore +oncogene +oncology +oncoming +Onegin's +Oneida's +O'Neil's +onlooker +Onondaga +onrushes +onrush's +onscreen +Ontarian +ontogeny +ontology +oodles's +opaquely +opaquest +opaquing +opencast +opener's +openings +openness +openwork +operable +operands +operated +operates +operatic +operator +operetta +opiate's +opinions +opossums +opponent +opposing +opposite +optician +optics's +optimism +optimist +optimize +optimums +optional +optioned +option's +opulence +Oracle's +oracle's +oracular +orangery +Orange's +orange's +orations +oratorio +orator's +orbitals +orbiters +orbiting +orchards +orchid's +ordained +ordeal's +ordering +ordinals +ordinary +ordinate +ordnance +ordure's +Oregon's +organics +organism +organist +organize +orgasmic +orgasm's +Oriental +oriental +oriented +Orient's +orient's +orifices +original +origin's +oriole's +orison's +Orkney's +ormolu's +ornament +ornately +ornerier +O'Rourke +orphaned +orphan's +Orphic's +Ortega's +Orthodox +orthodox +Orwell's +Osbert's +Osborn's +osculate +Osgood's +Oshawa's +Osiris's +osmium's +osprey's +ossified +ossifies +Oswald's +Ottawa's +ottomans +oughtn't +ouster's +outage's +outargue +outbacks +outboard +outboast +outbound +outboxes +outbox's +outbreak +outburst +outcasts +outclass +outcomes +outcries +outcrops +outcry's +outdated +outdoing +outdoors +outdrawn +outdraws +outfaced +outfaces +outfalls +outfield +outfight +outfit's +outflank +outflows +outfoxed +outfoxes +outgoing +outgrown +outgrows +outguess +outhouse +outing's +outlasts +outlawed +outlaw's +outlay's +outlet's +outliers +outlined +outlines +outlived +outlives +outlooks +outlying +outmatch +outmoded +outpaced +outpaces +outplace +outplays +outpoint +outposts +output's +outraced +outraces +outraged +outrages +outranks +outreach +outrider +outright +outscore +outsells +outset's +outshine +outshone +outshout +outsider +outsides +outsizes +outskirt +outsmart +outspend +outspent +outstays +outstrip +outtakes +outvoted +outvotes +outwards +outwears +outweigh +outworks +ovations +ovenbird +ovenware +overacts +overages +overalls +overarms +overawed +overawes +overbear +overbids +overbite +overbold +overbook +overbore +overbuys +overcame +overcast +overcoat +overcome +overcook +overdoes +overdone +overdose +overdraw +overdrew +overdubs +overeats +overfeed +overfill +overflew +overflow +overfond +overfull +overgrew +overgrow +overhand +overhang +overhaul +overhead +overhear +overheat +overhung +overjoys +overkill +overlaid +overlain +overland +overlaps +overlays +overleaf +overlies +overload +overlong +overlook +overlord +overmuch +overnice +overpaid +overpass +overpays +overplay +overrate +override +overripe +overrode +overrule +overruns +overseas +overseen +overseer +oversees +oversell +overshoe +overshot +oversize +oversold +overstay +overstep +overtake +overtime +overtire +overtone +overtook +overture +overturn +overused +overuses +overview +overwork +oviducts +ovulated +ovulates +owlishly +oxcart's +Oxford's +oxford's +oxidants +oxidized +oxidizer +oxidizes +Oxnard's +oxygen's +oxymoron +oyster's +Ozarks's +Pablum's +pablum's +pacified +pacifier +pacifies +pacifism +pacifist +Pacino's +packaged +packager +packages +packer's +packet's +paddlers +paddle's +paddling +paddocks +padlocks +paella's +Paganini +paganism +pageants +pageboys +paginate +Paglia's +pagoda's +pailfuls +painless +paintbox +painters +painting +pairings +pairwise +paisleys +Paiute's +Pakistan +palace's +paladins +palatals +palate's +palatial +palatine +palavers +paleface +paleness +palettes +palfreys +palimony +paling's +palisade +Palladio +pallet's +palliate +pallidly +pallor's +Palmer's +palmetto +palmiest +palmists +palmtops +palomino +palpable +palpably +palpated +palpates +palsying +paltrier +Pamela's +Pamirs's +pampas's +pampered +pamphlet +panaceas +Panama's +panama's +pancaked +pancakes +pancreas +pandemic +pandered +panderer +pander's +paneling +panelist +panicked +panniers +panorama +panpipes +Pantheon +pantheon +panthers +pantie's +pantries +pantry's +pantsuit +papacies +papacy's +papaya's +paperboy +paperers +papering +papillae +papist's +papooses +parables +parabola +paraders +parade's +paradigm +parading +Paradise +paradise +paraffin +paragons +Paraguay +parakeet +parallax +parallel +paralyze +paramour +Parana's +paranoia +paranoid +Paraná's +parapets +paraquat +parasite +parasols +parboils +parceled +parcel's +parching +pardners +pardoned +pardoner +pardon's +parental +parented +parent's +Pareto's +parfaits +pariah's +parietal +paring's +parishes +parish's +Parisian +parities +parity's +Parker's +parkland +parkways +parlance +parlayed +parlay's +parleyed +parley's +parlor's +Parmesan +parodied +parodies +parodist +parody's +parolees +parole's +paroling +paroxysm +parquets +parroted +parrot's +parrying +parsec's +Parsifal +parsnips +parson's +partaken +partaker +partakes +parterre +partials +particle +partings +partisan +partners +partying +parvenus +Pasadena +Pascal's +pascal's +Pasquale +passable +passably +passages +passbook +passel's +passerby +passer's +Passions +passions +passives +passkeys +Passover +passport +password +pastel's +pasterns +pastiche +pastiest +pastille +pastimes +pastoral +pastor's +pastrami +pastries +pastry's +pastured +pastures +patchier +patchily +patching +patellae +patellas +patented +patently +patent's +paternal +Paterson +pathetic +pathless +pathogen +pathos's +pathways +patience +patients +patina's +patois's +Patricia +patriots +patrol's +patron's +patroons +pattered +patterns +patter's +Patton's +Paulette +paunches +paunch's +pauper's +pavement +pavilion +paving's +pavlovas +Pavlov's +Pawnee's +pawnshop +pawpaw's +paybacks +paycheck +payday's +payloads +payments +payoff's +payola's +payout's +PayPal's +payphone +payrolls +payslips +paywalls +peaceful +peachier +peacocks +peafowls +peahen's +peanut's +pearlier +pearling +peasants +peatiest +pebble's +pebbling +pectin's +pectoral +peculate +peculiar +pedagogy +pedaling +pedantic +pedantry +pedant's +peddlers +peddling +pederast +pedestal +pedicabs +pedicure +pedigree +pediment +peduncle +peekaboo +peeler's +peelings +peeper's +peephole +peepshow +peerages +peerless +peewee's +pegboard +peignoir +Peking's +pelicans +pellagra +pelleted +pellet's +pellucid +pelvises +pelvis's +Pembroke +pemmican +penalize +penances +penchant +penciled +pencil's +pendants +pendents +pendulum +Penelope +penguins +penitent +penknife +penlight +penman's +pennants +Penney's +pennon's +Pennzoil +penology +pensions +pentacle +Pentagon +pentagon +Pentax's +Pentiums +penumbra +penury's +people's +peopling +Peoria's +peppered +pepper's +peppiest +pepsin's +peptic's +peptides +Pequot's +percales +perceive +percents +perching +Percival +Perelman +perfecta +perfects +perforce +performs +perfumed +perfumer +perfumes +pergolas +Pericles +perigees +periling +perilous +perineum +periodic +period's +perished +perisher +perishes +periwigs +perjured +perjurer +perjures +perkiest +permeate +permit's +permuted +permutes +Pernod's +peroxide +Pershing +Persians +Persia's +persists +personae +personal +personas +person's +perspire +persuade +pertains +pertness +perturbs +peruke's +perusals +perusing +Peruvian +pervaded +pervades +perverse +perverts +peseta's +Peshawar +peskiest +pessimal +pestered +pestle's +pestling +petabyte +Petain's +petard's +petcocks +petering +Petersen +Peterson +Peters's +petioles +petite's +petition +Petrarch +petrel's +petrol's +pettiest +pettifog +petulant +petunias +pewter's +peyote's +pfennigs +Pfizer's +Phaethon +phaetons +phantasm +phantoms +Pharaohs +pharaohs +Pharisee +pharisee +pharmacy +phaseout +pheasant +Phekda's +Phelps's +phenol's +phenom's +Philby's +Philemon +Philippe +Philip's +Phillipa +Phillips +Philly's +philters +Phipps's +phishers +phishing +phlegm's +phloem's +phobia's +phobic's +Phobos's +Phoebe's +phoebe's +phonemes +phonemic +phonetic +phoneyed +phoniest +phonying +phosphor +photoing +photon's +phrase's +phrasing +phylum's +physical +physic's +physique +Piaget's +pianists +pianolas +piasters +piñata's +piazza's +pibrochs +picadors +picayune +piccolos +pickaxed +pickaxes +pickax's +pickerel +picker's +picketed +picketer +picket's +Pickford +pickiest +pickings +pickle's +pickling +pickup's +Pickwick +picnic's +pictured +pictures +piddle's +piddling +pidgin's +piebalds +piecrust +Piedmont +Pierce's +piercing +Pierre's +piffle's +piffling +pigeon's +piggiest +piglet's +pigments +pigpen's +pigskins +pigsties +pigsty's +pigswill +pigtails +pilaster +Pilate's +pilchard +pileup's +pilfered +pilferer +Pilgrims +pilgrims +piling's +pillaged +pillager +pillages +pillared +pillar's +pillions +pillocks +pillowed +pillow's +piloting +pimentos +pimiento +pimple's +pimplier +pinafore +pinata's +Pinatubo +pincer's +pinching +Pincus's +Pindar's +pinewood +pinheads +pinholes +pinioned +pinion's +pinkie's +pinkness +pinnacle +Pinochet +pinochle +pinpoint +pinprick +Pinter's +pinwheel +pinyin's +pinyon's +pioneers +pipeline +pipettes +pipework +piping's +Pippin's +pippin's +piquancy +piracy's +piranhas +pirate's +pirating +pirogi's +piroshki +Pisces's +pismires +pissoirs +pistil's +pistol's +piston's +pitapats +Pitcairn +pitchers +pitching +pitchman +pitchmen +pitfalls +pitheads +pithiest +pitiable +pitiably +pitiless +pittance +pivoting +pizzeria +placards +placated +placates +placebos +placenta +placer's +placidly +placings +plackets +plagiary +plague's +plaguing +plainest +plaint's +plaiting +Planck's +planer's +planet's +plangent +planking +plankton +planners +planning +plantain +planters +planting +plaque's +plashing +plasma's +plasters +plastics +plateaus +plateful +platelet +platen's +platform +platinum +Platonic +platonic +platoons +platters +Platte's +platting +platypus +plaudits +playable +playacts +playback +playbill +playbook +playboys +player's +playgirl +playgoer +playlist +playmate +playoffs +playpens +playroom +playtime +pleaders +pleading +pleasant +pleasing +pleasure +pleating +plebeian +plectrum +pledge's +pledging +Pleiades +plenty's +pleonasm +plethora +pleura's +pleurisy +plexuses +plexus's +pliantly +pliers's +plighted +plight's +plimsoll +plinth's +Pliocene +plodders +plodding +plonkers +plonking +plopping +plosives +plotters +plotting +plover's +pluckier +pluckily +plucking +plugging +plughole +plugin's +plumbers +plumbing +plumiest +plummets +plumpest +plumping +plunders +plungers +plunge's +plunging +plunking +plural's +plushest +plushier +Plutarch +Plymouth +poachers +poaching +pocketed +pocket's +pockmark +Pocono's +podcasts +podiatry +podium's +Podunk's +poetical +poetry's +pogrom's +poignant +Poincaré +Poincare +pointers +pointier +pointing +Poiret's +Poirot's +poisoned +poisoner +poison's +Poland's +Polanski +polarity +polarize +Polaroid +poleaxed +poleaxes +polecats +polemics +polestar +police's +policies +policing +policy's +polished +polisher +polishes +Polish's +polish's +politely +politest +politico +politics +polities +polity's +polkaing +pollacks +pollards +pollen's +polliwog +pollster +polluted +polluter +pollutes +Pollux's +polonium +poltroon +polygamy +polyglot +polygons +polymath +polymers +pomade's +pomading +pomander +pommeled +pommel's +Pomona's +pompanos +Pompeian +Pompey's +pompom's +poncho's +pondered +ponderer +pongee's +poniards +pontiffs +pontoons +ponytail +pooching +poodle's +poofters +poolroom +poolside +poorness +Popeye's +popgun's +popinjay +poplar's +poplin's +popovers +poppadom +Popper's +popper's +Popsicle +populace +populate +populism +populist +populous +Porfirio +porker's +porkiest +porosity +porphyry +porpoise +porridge +portable +portaged +portages +portal's +portends +portents +Porter's +porter's +porthole +Portia's +portiere +portions +portière +Portland +portlier +portrait +portrays +Portugal +Poseidon +poseur's +positing +position +positive +positron +possible +possibly +possum's +postbags +postcard +postcode +postdate +postdocs +poster's +postings +postlude +postmark +postpaid +postpone +postural +postured +postures +potables +potash's +potatoes +potato's +potbelly +Potemkin +potently +potful's +potheads +potherbs +pothered +pother's +potholed +potholer +potholes +pothooks +potion's +potlucks +potpie's +potsherd +potshots +pottered +Potter's +potter's +pottiest +pouching +poultice +pounce's +pouncing +poundage +pounding +pourings +pouter's +powdered +powder's +Powell's +powerful +powering +Powers's +Powhatan +powwowed +powwow's +Poznan's +practice +praetors +Prague's +prairies +praise's +praising +pralines +prancers +prance's +prancing +pranging +prater's +pratfall +prattled +prattler +prattles +Pravda's +prawning +prayer's +précised +précis's +preached +preacher +preaches +preamble +preceded +precedes +precepts +precinct +precious +precised +preciser +precises +precis's +preclude +precooks +predated +predates +predator +predicts +preemies +preempts +preening +preexist +prefab's +prefaced +prefaces +prefects +prefixed +prefixes +prefix's +preforms +pregames +pregnant +preheats +prehuman +prejudge +prelates +prelim's +preludes +premed's +premiere +premiers +premised +premises +premiums +premixed +premixes +premolar +prenatal +Prensa's +Prentice +prenup's +preowned +prepared +prepares +preppier +preppies +prepping +preppy's +prepuces +prequels +presaged +presages +Prescott +presence +presents +preserve +presided +presides +presorts +pressers +pressies +pressing +pressman +pressmen +pressure +prestige +presto's +presumed +presumes +preteens +pretends +pretense +preterit +pretests +pretexts +Pretoria +pretrial +prettied +prettier +pretties +prettify +prettily +pretty's +pretzels +prevails +prevents +previews +previous +prezzies +Pribilof +priciest +prickers +pricking +prickled +prickles +prideful +priestly +priest's +priggish +primates +primer's +primeval +primmest +primness +primping +primrose +primulas +princely +Prince's +prince's +princess +Principe +printers +printing +printout +prioress +priories +priority +priory's +prisoner +prison's +prissier +prissily +pristine +privater +privates +privet's +priviest +probable +probably +probated +probates +probings +problems +procaine +proceeds +proclaim +proctors +procured +procurer +procures +prodding +prodigal +produced +producer +produces +products +profaned +profanes +proffers +profiled +profiles +profited +profit's +proforma +profound +programs +progress +prohibit +projects +prolapse +prolific +prolixly +prologue +prolongs +promised +promises +promoted +promoter +promotes +prompted +prompter +promptly +prompt's +pronouns +proofing +properer +properly +proper's +property +prophecy +prophesy +Prophets +prophets +proposal +proposed +proposer +proposes +propound +propping +prorated +prorates +prorogue +prosiest +prospect +prospers +prostate +protects +protegee +proteges +proteins +protests +protégée +protégés +protocol +proton's +protozoa +protract +protrude +proudest +Proudhon +Proust's +provable +provably +Provence +Proverbs +proverbs +provided +provider +provides +province +provisos +provoked +provoker +provokes +provosts +prowlers +prowling +proximal +Prozac's +Prudence +prudence +Pruitt's +pruner's +prurient +Prussian +psalmist +Psalms's +Psalters +psaltery +Psyche's +psyche's +psychics +psyching +psycho's +Pétain's +ptomaine +pubertal +publican +publicly +public's +puckered +pucker's +puddings +puddle's +puddling +pudendum +pudgiest +Puebla's +Pueblo's +pueblo's +puffball +puffer's +puffiest +puffin's +pugilism +pugilist +Pulitzer +pullback +puller's +pullet's +pulley's +Pullmans +pullouts +pullover +pulpiest +pulpit's +pulpwood +pulsar's +pulsated +pulsates +pumice's +pummeled +pumper's +pumpkins +punchbag +puncheon +punchers +punchier +punching +punctual +puncture +punditry +pundit's +pungency +puniness +punished +punishes +punitive +Punjab's +punsters +punter's +pupating +puppetry +puppet's +Purana's +purblind +purchase +purdah's +Purdue's +purebred +pureeing +pureness +purger's +purified +purifier +purifies +Purina's +purine's +purism's +puristic +purist's +puritans +purity's +purlieus +purloins +purple's +purplest +purplish +purports +purposed +purposes +purser's +pursuant +pursuers +pursuing +pursuits +purulent +purveyed +purveyor +pushbike +pushcart +pusher's +pushiest +pushover +pushpins +Pushtu's +pussiest +pussycat +pustular +pustules +putative +Putnam's +putout's +putsches +putsch's +puttee's +puttered +putterer +putter's +puttying +puzzlers +puzzle's +puzzling +pyorrhea +pyramids +Pyrenees +pyrite's +pyruvate +Python's +python's +Qantas's +Qatari's +Quaalude +quackery +quacking +quadrant +quaffing +quagmire +quahog's +quailing +quainter +quaintly +Quaker's +qualmish +quandary +quantify +quantity +Quaoar's +quarrels +quarried +quarries +quarry's +quarters +quartets +quarto's +quartz's +quasar's +quashing +quatrain +quavered +quaver's +Quayle's +quayside +queasier +queasily +Quebec's +queening +Queens's +queerest +queering +quelling +quenched +quencher +quenches +querying +questing +question +Quezon's +quibbled +quibbler +quibbles +quiche's +quickens +quickest +quickies +quietens +quietest +quieting +quietism +quietude +quilters +quilting +quince's +Quincy's +quinsy's +quintets +quipping +quipster +Quirinal +quirkier +quirking +Quisling +quisling +quitters +quitting +quivered +quiver's +quixotic +quizzers +quizzing +Qumran's +quoiting +quorum's +quotable +quotient +rabbeted +rabbet's +rabbinic +rabbited +rabbit's +rabble's +Rabelais +rabies's +racegoer +raceme's +raceways +Rachelle +Rachel's +racially +Racine's +raciness +racing's +racism's +racist's +racketed +racket's +radially +radial's +radiance +radiated +radiates +radiator +radicals +radioing +radioman +radiomen +radishes +radish's +radium's +radius's +Rafael's +raffia's +raffle's +raffling +rafter's +ragbag's +raggeder +raggedly +ragingly +raglan's +Ragnarök +Ragnarok +ragout's +raider's +railcard +railings +raillery +railroad +railways +rainbows +raincoat +raindrop +rainfall +rainiest +raiser's +raisin's +rakishly +rallying +Ramadans +Ramada's +Ramayana +ramblers +ramble's +rambling +ramekins +ramified +ramifies +Ramiro's +ramjet's +Ramona's +rampaged +rampages +rampancy +ramparts +ramrod's +Ramsay's +Ramses's +Ramsey's +ranchers +ranching +rancor's +Randal's +randiest +Randolph +randomly +ranger's +rangiest +rankings +Rankin's +rankling +rankness +ransacks +ransomed +ransomer +ransom's +ranter's +rantings +rapacity +rapeseed +rapidest +rapidity +rapier's +rapine's +rapist's +rappel's +rapper's +rapports +raptness +raptures +Rapunzel +Raquel's +rarebits +rarefied +rarefies +rareness +rarities +rarity's +rascally +rascal's +rasher's +rashness +raspiest +Rasputin +Rastaban +ratchets +Rather's +ratified +ratifier +ratifies +rating's +rational +rationed +ration's +ratlines +rattan's +ratter's +rattiest +rattlers +rattle's +rattling +rattraps +ravagers +ravage's +ravaging +raveling +ravening +ravenous +ravine's +raving's +raviolis +ravished +ravisher +ravishes +rawboned +RayBan's +Rayleigh +Raymundo +reabsorb +reaching +reactant +reacting +reaction +reactive +reactors +readable +reader's +readiest +readings +readjust +readmits +readopts +readouts +readying +reaffirm +Reagan's +reagents +realigns +realists +realized +realizes +realness +realty's +reamer's +reaper's +reappear +rearming +rearmost +rearrest +rearward +reascend +reasoned +Reasoner +reasoner +reason's +reassert +reassess +reassign +reassure +reattach +reattain +reawaken +rebate's +rebating +rebelled +rebirths +reboiled +rebooted +rebounds +rebuffed +rebuff's +rebuilds +rebuke's +rebuking +reburial +reburied +reburies +rebuttal +rebutted +recalled +recall's +recanted +recapped +recast's +receding +receipts +received +receiver +receives +recenter +recently +receptor +recessed +recesses +recess's +recharge +rechecks +Recife's +recipe's +recitals +reciters +reciting +reckless +reckoned +reclaims +reclined +recliner +reclines +recluses +recoiled +recoil's +recolors +recommit +recooked +recopied +recopies +recorded +recorder +record's +recounts +recouped +recourse +recovers +recovery +recreant +recreate +recruits +rectally +rector's +rectum's +recurred +recusing +recycled +recycles +redacted +redactor +redbirds +redbrick +redcap's +redcoats +reddened +redeemed +Redeemer +redeemer +redefine +redeploy +redesign +Redgrave +redheads +redialed +redial's +redirect +redivide +rednecks +redolent +redouble +redoubts +redounds +redrafts +redskins +reducers +reducing +redwoods +redyeing +Reebok's +reechoed +reechoes +reediest +reedited +reefer's +reelects +reembark +reembody +reemerge +reemploy +reenacts +reengage +reenlist +reenters +reequips +Reeves's +reexport +refacing +refactor +refasten +refereed +referees +referent +referral +referred +referrer +refiling +refilled +refill's +refiners +refinery +refining +refinish +refitted +reflated +reflates +reflects +reflexes +reflex's +refolded +reforest +reforged +reforges +reformat +reformed +reformer +reform's +refracts +refrains +refreeze +refrozen +refueled +refugees +refuge's +refunded +refund's +refusals +refuse's +refusing +refuters +refuting +regained +regaling +regarded +regard's +regather +regattas +regent's +reggae's +Reggie's +regicide +regimens +regiment +regime's +Reginald +Regina's +regional +region's +register +registry +regraded +regrades +regret's +regrinds +reground +regroups +regrowth +regulars +regulate +rehabbed +rehanged +rehashed +rehashes +rehash's +rehearse +reheated +rehiring +rehoused +rehouses +reigning +reignite +Reilly's +reimpose +Reinaldo +reindeer +reinfect +Reinhold +reinsert +reinvent +reinvest +reissued +reissues +rejected +reject's +rejigged +rejigger +rejoiced +rejoices +rejoined +rejudged +rejudges +rekindle +relabels +relapsed +relapses +relaters +relating +relation +relative +relaunch +relaxant +relaxers +relaxing +relaying +relearns +released +releases +relegate +relented +relevant +reliable +reliably +reliance +relief's +relieved +reliever +relieves +relights +religion +relining +relished +relishes +relish's +relisted +reliving +reloaded +relocate +remained +remake's +remaking +remanded +remapped +remarked +remark's +Remarque +remaster +remedial +remedied +remedies +remedy's +remelted +remember +reminded +reminder +remissly +remitted +remixing +remnants +remodels +remolded +remotely +remote's +remotest +remounts +removals +removers +remove's +removing +renaming +rendered +render's +renegade +renegers +reneging +renewals +renewing +rennet's +rennin's +Renoir's +renounce +renovate +renowned +renown's +rental's +renter's +renumber +reoccupy +reoccurs +reopened +reorders +reorging +reorient +repacked +repaints +repaired +repairer +repair's +repartee +repast's +repaving +repaying +repealed +repeal's +repeated +repeater +repeat's +repelled +repented +rephrase +repining +replaced +replaces +replants +replayed +replay's +repleted +repletes +replicas +replying +reported +reporter +report's +repose's +reposing +repriced +reprices +reprieve +reprints +reprisal +reprises +reprized +reproach +reproofs +reproved +reproves +reptiles +republic +repulsed +repulses +repute's +reputing +requests +Requiems +requiems +required +requires +requital +requited +requiter +requites +rerecord +rerouted +reroutes +resale's +rescinds +rescuers +rescue's +rescuing +resealed +research +reseeded +reseller +resemble +resented +reserved +reserves +resettle +resewing +reshaped +reshapes +resident +residing +residual +residues +residuum +resigned +resinous +resisted +resister +resistor +resist's +resizing +resoling +resolute +resolved +resolver +resolves +resonant +resonate +resorted +resort's +resounds +resource +resowing +respects +respells +respired +respires +respites +responds +response +resprays +restaffs +restarts +restated +restates +restitch +restless +restocks +restored +restorer +restores +restrain +restrict +restring +restroom +restrung +restyled +restyles +resubmit +resulted +result's +resume's +resuming +resupply +resurvey +retailed +retailer +retail's +retained +retainer +retake's +retaking +retarded +retarder +retard's +retaught +retching +retested +retest's +rethinks +reticent +retina's +retinues +retirees +retiring +retooled +retorted +retort's +retraced +retraces +retracts +retrains +retreads +retreats +retrench +retrials +retrieve +retrofit +retrying +returned +returnee +returner +return's +retweets +retyping +Reuben's +reunions +reunited +reunites +reusable +revalued +revalues +revamped +revamp's +revealed +reveille +revelers +reveling +revenged +revenges +revenuer +revenues +Reverend +reverend +reverent +Revere's +reveries +revering +reversal +reversed +reverses +revers's +reverted +reviewed +reviewer +review's +revilers +reviling +revisers +revise's +revising +revision +revisits +revivals +revivify +reviving +Revlon's +revoking +revolted +revolt's +revolved +revolver +revolves +rewarded +reward's +rewarmed +rewashed +rewashes +reweaves +rewedded +reweighs +rewind's +rewiring +reworded +reworked +rewrites +Reynaldo +Reynolds +rezoning +rhapsody +Rheingau +rheostat +rhesuses +rhesus's +rhetoric +Rhiannon +rhinitis +rhizomes +Rhodesia +Rhodes's +rhomboid +Rhonda's +rhubarbs +rhymer's +rhythmic +rhythm's +ribaldry +ribber's +ribbon's +Richards +Richie's +Richmond +richness +Rickey's +Rickie's +Rickover +rickrack +rickshaw +ricochet +riddance +Riddle's +riddle's +riddling +ridicule +riding's +Riesling +riffle's +riffling +riffraff +rifleman +riflemen +rifler's +rigatoni +rigger's +rightest +rightful +righting +rightism +rightist +rigidity +rigorous +ringer's +ringgits +ringings +ringlets +ringlike +Ringling +ringside +ringtone +ringworm +rioter's +riparian +ripcords +ripeness +ripening +Ripley's +ripoff's +riposted +ripostes +ripper's +ripple's +rippling +ripsaw's +riptides +rising's +riskiest +risottos +rissoles +ritually +ritual's +ritziest +rivaling +Rivera's +riverbed +Rivers's +riveters +riveting +Rivieras +rivieras +rivulets +Riyadh's +roaching +roadbeds +roadie's +roadkill +roadshow +roadside +roadster +roadways +roadwork +roamer's +roarer's +roasters +roasting +robber's +Robbie's +Robbin's +Roberson +Robert's +Robinson +Robles's +robocall +robotics +robotize +Robson's +robuster +robustly +Rochelle +rocker's +rocketed +rocketry +rocket's +rockfall +Rockford +rockiest +Rockne's +Rockwell +rococo's +rodent's +Roderick +Rodger's +Rodney's +roebucks +Roentgen +roentgen +rogering +Rogers's +roisters +Roland's +rollback +roller's +rollicks +rollings +rollmops +rollover +romaines +romanced +romancer +romances +Romanian +Romanies +Romano's +Romans's +romantic +Romany's +Romero's +Rommel's +Romney's +romper's +Ronald's +Ronnie's +Ronstadt +roofer's +roofless +rooftops +rookie's +roomer's +roomette +roomfuls +roomiest +roommate +Rooney's +roosters +roosting +rooter's +rootkits +rootless +rootlets +Rosalind +rosaries +rosary's +Roscoe's +Roseau's +rosebuds +rosebush +Rosemary +rosemary +rosettes +rosewood +rosiness +rosining +Roslyn's +Rossetti +roster's +Rostov's +rostrums +Rotarian +rotaries +rotary's +rotating +rotation +rotatory +rotgut's +Rothko's +rottener +rottenly +rotundas +roughage +roughens +roughest +roughing +roulette +roundels +rounders +roundest +rounding +roundish +roundups +Rourke's +Rousseau +rousting +routeing +router's +routines +rowboats +rowdiest +rowdyism +roweling +Rowena's +rowing's +rowlocks +royalist +Rubaiyat +rubato's +rubber's +rubbings +rubbishy +rubble's +rubdowns +Rubens's +Rubicons +rubicund +rubidium +rubric's +rucksack +ruckuses +ruckus's +ructions +rudder's +ruddiest +rudeness +rudiment +Rudolf's +ruefully +ruffians +ruffle's +ruffling +ruggeder +ruggedly +rugrat's +Rukeyser +ruling's +rumbaing +rumble's +rumbling +ruminant +ruminate +rummaged +rummages +rumoring +rumple's +rumpling +rumpuses +rumpus's +Rumsfeld +runabout +runaways +rundowns +runlet's +runnel's +runner's +runniest +runoff's +runtiest +runway's +Runyon's +Rupert's +rupiah's +ruptured +ruptures +rusher's +Rushmore +Ruskin's +Russel's +russet's +Russians +Russia's +Rustbelt +rustic's +rustiest +rustlers +rustle's +rustling +rutabaga +Ruthie's +ruthless +Rutledge +ruttiest +Rwandans +Rwanda's +Ryukyu's +Saarinen +Sabbaths +sabbaths +Sabina's +Sabine's +sabotage +saboteur +sachem's +sachet's +sacker's +sackfuls +sackings +sacredly +sacristy +sacrum's +Saddam's +saddened +saddlers +saddlery +saddle's +saddling +Sadducee +sadism's +sadistic +sadist's +safaried +safari's +safeness +safeties +safety's +saffrons +sagacity +saggiest +saguaros +Sahara's +Saigon's +sailboat +sailfish +sailings +sailor's +Sakhalin +Sakharov +salaamed +salaam's +salacity +Salado's +salami's +salaried +salaries +salary's +saleroom +salesman +salesmen +salience +salients +saline's +Salinger +salinity +Salish's +salivary +saliva's +salivate +Sallie's +sallower +sallying +salmon's +Salome's +Salonika +saloon's +saltiest +saltines +Salton's +salutary +salute's +saluting +Salvador +salvaged +salvages +salver's +Salyut's +Samantha +Samara's +samarium +sambaing +sameness +samizdat +Sammie's +Samoan's +samovars +sampan's +samplers +sample's +sampling +Samson's +Samuel's +samurais +séance's +Sancho's +sanctify +sanction +sanctity +sanctums +sandal's +sandbags +sandbank +sandbars +Sandburg +sander's +sandhogs +sandiest +sandlots +Sandoval +sandpits +Sandra's +sandwich +saneness +Sanger's +sanguine +sanitary +sanitize +sanity's +sanserif +Sanskrit +Santeria +Santiago +Santos's +sapience +saplings +sapphire +Sappho's +sappiest +Saracens +Sarajevo +Sarasota +sarcasms +sarcomas +sardines +Sardinia +sardonic +Sargasso +Sargon's +sarong's +Sartre's +sashayed +sashay's +sassiest +Satanism +satanism +Satanist +satanist +satchels +sateen's +satiable +satiated +satiates +satire's +satirist +satirize +satori's +satrap's +satsumas +saturate +Saturday +Saturn's +saucepan +saucer's +sauciest +saunaing +Saunders +saunters +sauropod +sausages +Saussure +sauteing +sautéing +savagely +savagery +Savage's +savage's +savagest +savaging +Savannah +savannas +savant's +saving's +Savior's +savior's +savorier +savories +savoring +savory's +Savoyard +savviest +savvying +sawbones +sawbucks +sawflies +sawfly's +sawhorse +sawmills +Sawyer's +sawyer's +Saxony's +Sayers's +saying's +scabbard +scabbier +scabbing +scabrous +scaffold +scalawag +scalding +scaliest +scallion +scallops +scalpels +scalpers +scalping +scammers +scamming +scampers +scampi's +scandals +scandium +scanners +scanning +scansion +scantest +scantier +scanties +scantily +scanting +scapulae +scapular +scarab's +scarcely +scarcest +scarcity +scarfing +scariest +scarpers +scarping +scarring +scathing +scatters +scatting +scavenge +scenario +scenting +scepters +Scheat's +schedule +schemata +schemers +scheme's +scheming +scherzos +Schick's +Schiller +schism's +schist's +schizoid +schizo's +schlep's +schmaltz +schmooze +schmucks +Schnabel +schnapps +schnooks +schnozes +schnoz's +scholars +schooled +school's +schooner +Schubert +Schulz's +Schumann +schussed +schusses +schuss's +Schuyler +Schwartz +sciatica +sciences +scimitar +Scipio's +scissors +scoffers +scoffing +scofflaw +scolding +sconce's +scoopful +scooping +scooters +scooting +Scopes's +scorched +scorcher +scorches +scorch's +scorer's +scorners +scornful +scorning +scorpion +Scorpios +Scorpius +Scorsese +scotched +Scotches +scotches +Scotch's +scotch's +Scotia's +Scotland +Scotsman +Scotsmen +Scotties +Scottish +scourers +scourged +scourges +scouring +scouters +scouting +scowling +Scrabble +scrabble +scraggly +scramble +scrammed +Scranton +scrapers +scrape's +scraping +scrapped +scrapper +scratchy +scrawled +scrawl's +screamed +screamer +scream's +screechy +screened +screen's +screwier +screwing +Scriabin +scribble +scribe's +Scribner +scrimped +scripted +script's +scrofula +scrolled +scroll's +scrooges +scrounge +scroungy +scrubbed +scrubber +scruff's +scrummed +scrumped +scrunchy +scrupled +scruples +scrutiny +scubaing +scudding +scuffing +scuffled +scuffles +scullers +scullery +sculling +scullion +sculpted +sculptor +scumbags +scummier +scumming +scuppers +scurried +scurries +scurry's +scurvier +scurvily +scurvy's +scuttled +scuttles +scuzzier +Scylla's +scythe's +Scythian +scything +seabed's +seabirds +seaboard +seaborne +seacoast +seafarer +seafloor +seafront +seagoing +seagulls +seahorse +sealants +sealer's +sealskin +seaman's +seamiest +seamless +seamount +seance's +seaplane +seaports +searched +searcher +searches +search's +seascape +seashell +seashore +seasides +seasonal +seasoned +season's +seatmate +seawalls +seawards +seawater +seaway's +seaweeds +secant's +seceding +secluded +secludes +seconded +seconder +secondly +second's +secreted +secretes +secretly +secret's +sections +sector's +securely +securest +securing +security +sedately +sedatest +sedating +sedation +sedative +sediment +sedition +seducers +seducing +sedulous +seedbeds +seedcase +seeder's +seediest +seedless +seedling +seedpods +Seeger's +seeker's +seemlier +seesawed +seesaw's +seething +segfault +segments +segueing +seigneur +seignior +seiner's +Seinfeld +seizures +Sejong's +Selassie +selected +selector +Selena's +selenium +Seleucid +Seleucus +selfie's +selfless +selfsame +Seljuk's +seller's +selloffs +sellouts +seltzers +selvages +Selznick +semantic +Semarang +semester +semiarid +seminars +seminary +Seminole +semiotic +semipros +Semite's +Semitics +semitone +semolina +Semtex's +Senate's +senate's +senators +Sendai's +sender's +sendoffs +Seneca's +senility +Senior's +senior's +senora's +senorita +sensible +sensibly +sensor's +sensuous +sentence +sentient +sentinel +sentries +sentry's +separate +Sephardi +sepsis's +septet's +septum's +sequel's +sequence +sequined +sequin's +sequitur +sequoias +seraglio +serape's +seraphic +seraph's +Serbians +Serbia's +serenade +Serena's +serenely +serenest +serenity +sergeant +Sergei's +Sergio's +serially +serial's +series's +sermon's +serology +serpents +serrated +servants +server's +serviced +services +servings +servitor +sesame's +sessions +setbacks +setscrew +settable +settee's +setter's +settings +settlers +settle's +settling +Seurat's +sevenths +severely +severest +severing +severity +Severn's +Sevres's +sewage's +Seward's +sewerage +sewing's +sexiness +sexism's +sexist's +sexology +sexpot's +sextants +sextet's +Sexton's +sexton's +sexually +shabbier +shabbily +shacking +shackled +shackles +shadiest +shadings +shadowed +shadow's +shafting +shaggier +shagging +shakeout +shaker's +shakeups +shakiest +shallots +shallows +shamanic +shaman's +shambled +shambles +shameful +shamming +shampoos +shamrock +shandies +Shanghai +shanghai +Shankara +Shanna's +shanties +Shantung +shantung +shanty's +sharer's +sharia's +Sharif's +sharking +Sharlene +Sharon's +sharpens +sharpers +Sharpe's +sharpest +sharpies +sharping +sharpish +Shasta's +shatters +Shaula's +Shauna's +shaver's +shavings +Shawna's +Shawnees +shearers +shearing +sheathed +sheathes +sheath's +sheave's +sheaving +shebangs +shebeens +shedding +Sheena's +sheenier +sheepdog +sheepish +sheerest +sheering +sheeting +sheikdom +sheikh's +Sheila's +shekel's +Shelby's +Shelia's +shellacs +shelling +Shelly's +shelters +shelving +Shenyang +Shepherd +shepherd +Sheppard +Sheratan +Sheraton +sherbets +Sheree's +Sheridan +sheriffs +Sherlock +Sherpa's +sherries +Sherri's +Sherry's +sherry's +Sherwood +Sheryl's +Shetland +Shevat's +shielded +shield's +shiftier +shiftily +shifting +shiitake +Shiite's +shilling +Shillong +Shiloh's +shimmers +shimmery +shimmied +shimmies +shimming +shimmy's +shinbone +shindigs +shiner's +shingled +shingles +shiniest +shinnied +shinnies +shinning +Shinto's +shipload +shipmate +shipment +shippers +shipping +shipyard +Shiraz's +shirkers +shirking +shirring +shirting +shithead +shitload +shittier +shitting +shivered +shiver's +shoaling +shockers +shocking +Shockley +shoddier +shoddily +shoddy's +shoehorn +shoelace +shoetree +shogun's +shooters +shooting +shootout +shoplift +shoppers +shoppe's +shopping +shoptalk +shopworn +shortage +shortcut +shortens +shortest +shorties +shorting +shortish +shorty's +Shoshone +shotguns +shoulder +shouters +shouting +shoveled +shovel's +showboat +showcase +showdown +showered +shower's +showgirl +showiest +showings +showoffs +showroom +showtime +shrapnel +shredded +shredder +shrewder +shrewdly +shrewish +shrieked +shriek's +shrift's +shrike's +shrilled +shriller +shrimped +shrimper +shrimp's +shrine's +shrink's +shrivels +shriving +shrouded +shroud's +shrugged +shrunken +shtick's +shucking +shuckses +shudders +shuffled +shuffler +shuffles +shunning +shunting +shushing +shutdown +shutoffs +shutouts +shutters +shutting +shuttled +shuttles +shysters +Sibelius +Siberian +sibilant +siblings +Sicilian +Sicily's +sickbays +sickbeds +sickened +sickie's +sickle's +sicklier +sickness +sickouts +sickroom +sidearms +sidebars +sidecars +sidekick +sideline +sidelong +sidereal +sideshow +sidestep +sidewalk +sidewall +sideways +siding's +Sidney's +sienna's +sierra's +siesta's +sifter's +sighting +signaled +signaler +signally +signal's +signer's +signet's +signings +signoras +signor's +signpost +Sigurd's +Sihanouk +Sikkim's +Sikorsky +silage's +silenced +silencer +silences +silenter +silently +silent's +silica's +silicate +silicone +silicons +silkiest +silkworm +silliest +siltiest +Silurian +silvered +silver's +Silvia's +simian's +simile's +simmered +simmer's +Simone's +simonize +simony's +simpered +simper's +simplest +simplify +Simpsons +simulate +Sinbad's +sincerer +Sinclair +Sindhi's +sinecure +sinfully +singable +singeing +Singer's +singer's +single's +singlets +singling +singsong +singular +sinister +sinkable +sinker's +sinkhole +Sinkiang +sinner's +sinology +siphoned +siphon's +sipper's +Sirius's +sirloins +siroccos +sirree's +sissiest +sisterly +sister's +Sisyphus +sitarist +sitcom's +sitemaps +sitter's +sittings +situated +situates +sixpence +sixteens +sixtieth +sizing's +sizzlers +sizzle's +sizzling +skater's +skeeters +skeletal +skeleton +skeptics +sketched +sketcher +sketches +sketch's +skewbald +skewered +skewer's +skidding +skidpans +skiing's +skillets +skillful +skimmers +skimming +skimpier +skimpily +skimping +skincare +skinhead +skinless +skinnier +skinning +skinny's +skippers +skipping +Skippy's +skirmish +skirting +skitters +skittish +skittles +skivvied +skivvies +skivvy's +Skopje's +skulkers +skulking +skullcap +skunking +skycap's +skydived +skydiver +skydives +skyjacks +Skylab's +skylarks +skylight +skylines +skywards +slabbing +slackens +slackers +slackest +slacking +slacks's +slagging +slagheap +slalomed +slalom's +slammers +slamming +slanders +slangier +slanting +slapdash +slappers +slapping +Slashdot +slashers +slashing +Slater's +slathers +slattern +slavered +slaver's +Slavic's +Slavonic +slayer's +slayings +sleaze's +sleazier +sleazily +sledders +sledding +sledge's +sledging +sleekest +sleeking +sleepers +sleepier +sleepily +sleeping +sleeting +sleeve's +sleighed +sleigh's +sleights +sleuth's +slicer's +slickers +slickest +slicking +slider's +slighted +slighter +slightly +slight's +slimiest +slimline +slimmers +slimmest +slimming +slimness +slinging +slinkier +slinking +Slinky's +slipcase +slipknot +slippage +slippers +slippery +slipping +slipshod +slipways +slithers +slithery +slitting +slivered +sliver's +Sloane's +slobbers +slobbery +slobbing +Slocum's +slogan's +slogging +sloppier +sloppily +slopping +sloshing +slothful +slotting +slouched +sloucher +slouches +slouch's +sloughed +slough's +Slovakia +Slovak's +Slovenes +Slovenia +slovenly +sloven's +slowdown +slowness +slowpoke +sludge's +sludgier +sluggard +sluggers +slugging +sluggish +sluice's +sluicing +slumbers +slumdogs +slumlord +slummier +slumming +slumping +slurping +slurring +slurry's +slushier +sluttier +sluttish +smackers +smacking +smallest +smallish +smallpox +smarmier +smartens +smartest +smarties +smarting +smarts's +smarty's +smashers +smashing +smashups +smearier +smearing +smellier +smelling +smelters +smelting +smidgens +smilax's +smiley's +smirched +smirches +smirch's +smirking +Smirnoff +smithies +Smithson +smithy's +smocking +smoggier +smoker's +Smokey's +smokiest +smolders +Smolensk +Smollett +smooched +smooches +smooch's +smoothed +smoother +smoothie +smoothly +smothers +smudge's +smudgier +smudging +smuggest +smuggled +smuggler +smuggles +smugness +smuttier +snacking +snaffled +snaffles +snagging +snailing +snakiest +snappers +snappier +snappily +snapping +snappish +snapshot +snarfing +snarkier +snarlier +snarling +snatched +snatcher +snatches +snatch's +snazzier +snazzily +sneakers +sneakier +sneakily +sneaking +sneering +sneeze's +sneezing +Snickers +snickers +snicking +Snider's +sniffers +sniffier +sniffing +sniffled +sniffles +snifters +sniper's +snippets +snippier +snipping +snitched +snitches +snitch's +sniveled +sniveler +snivel's +snobbery +snobbier +snobbish +snogging +snookers +snoopers +snoopier +snooping +Snoopy's +snootier +snootily +snooze's +snoozing +snorer's +snorkels +snorters +snorting +snottier +snottily +snowball +snowbank +Snowbelt +snowbird +snowdrop +snowfall +snowiest +snowline +snowplow +snowshed +snowshoe +snowsuit +snubbing +snuffbox +snuffers +snuffing +snuffled +snuffles +snuggest +snugging +snuggled +snuggles +snugness +Snyder's +soakings +soapiest +soapsuds +soberest +sobering +sobriety +soccer's +sociable +sociably +socially +social's +societal +socket's +sockeyes +Socrates +Socratic +soddenly +sodium's +sodomite +sodomize +sodomy's +softback +softball +softened +softener +softness +software +softwood +soggiest +soiree's +soirée's +sojourns +solace's +solacing +solarium +soldered +solderer +solder's +soldiers +soldiery +solecism +solemner +solemnly +solenoid +solicits +solidest +solidify +solidity +solitary +solitude +soloists +solstice +solubles +solute's +solution +solvable +solvency +solvents +solver's +Somalian +Somali's +somberly +sombrero +somebody +someones +somerset +sometime +someways +somewhat +Somoza's +sonata's +sonatina +Sondheim +Sondra's +songbird +songbook +songfest +songster +sonnet's +sonogram +Sonora's +sonority +sonorous +Sontag's +soothers +soothing +sootiest +Sophia's +Sophie's +sophists +soppiest +sopranos +sorbet's +Sorbonne +sorcerer +sordidly +sorehead +soreness +sorority +sorrel's +sorriest +sorrowed +sorrow's +sorter's +sortie's +souffles +soufflés +soughing +soulless +soulmate +soundbar +sounders +soundest +sounding +soupcons +soupiest +soupçons +source's +sourcing +sourness +sourpuss +southern +southpaw +souvenir +Soviet's +soviet's +Soweto's +soybeans +Spaatz's +spaceman +spacemen +spacer's +spaciest +spacious +spadeful +spadices +spadix's +spammers +spamming +spangled +spangles +Spaniard +spaniels +spanking +spanners +spanning +sparkier +sparking +sparkled +sparkler +sparkles +Sparks's +sparring +sparrows +sparsely +sparsest +sparsity +Spartans +Sparta's +spastics +spathe's +spatters +spatting +spatulas +spavined +spavin's +spawning +speakers +speaking +speargun +spearing +Spears's +specials +specie's +specific +specimen +specious +specking +speckled +speckles +spectate +specters +spectral +spectrum +speeches +speech's +speeders +speedier +speedily +speeding +speedups +speedway +spellers +spelling +Spence's +spenders +spending +Spengler +Sperry's +spewer's +sphagnum +sphere's +spheroid +sphinxes +Sphinx's +sphinx's +spiciest +spicules +spider's +spieling +spiffier +spiffing +spigot's +spikiest +spillage +Spillane +spilling +spillway +spinally +spinal's +spindled +spindles +spinet's +spiniest +spinners +spinneys +spinning +spinster +spiracle +spiraled +spirally +spiral's +spirea's +spirited +spirit's +spitball +spiteful +spitfire +spitting +spittoon +splashed +splashes +splash's +splatted +splatter +splaying +spleen's +splendid +splendor +splicers +splice's +splicing +splinted +splinter +splint's +splodges +sploshed +sploshes +splotchy +splurged +splurges +splutter +spoilage +spoilers +spoiling +spongers +sponge's +spongier +sponging +sponsors +spoofing +spookier +spooking +spooling +spoonful +spooning +spooring +sporadic +sporrans +sportier +sporting +sportive +spotless +spotters +spottier +spottily +spotting +spousals +spouse's +spouting +sprained +sprain's +sprawled +sprawl's +sprayers +spraying +spreader +spread's +spreeing +sprigged +spring's +sprinkle +sprinted +sprinter +Sprint's +sprint's +Sprite's +sprite's +spritzed +spritzer +spritzes +spritz's +sprocket +sprouted +sprout's +sprucely +spruce's +sprucest +sprucing +spryness +spunkier +spurge's +spurious +spurning +spurring +spurting +sputniks +sputters +sputum's +spyglass +squabble +squadron +squalled +squall's +squamous +squander +squarely +square's +squarest +squaring +squarish +squashed +squashes +squash's +squatted +squatter +squawked +squawker +squawk's +squeaked +squeaker +squeak's +squealed +squealer +squeal's +squeegee +squeezed +squeezer +squeezes +squelchy +Squibb's +squiggle +squiggly +squinted +squinter +squint's +squire's +squiring +squirmed +squirm's +squirrel +squirted +squirt's +squished +squishes +squish's +Srinagar +sriracha +stabbers +stabbing +stable's +stablest +stabling +staccato +Stacey's +Stacie's +stacking +stadiums +staffers +staffing +Stafford +staggers +stagiest +stagings +stagnant +stagnate +staidest +staining +stairway +stakeout +Stalin's +stalkers +stalking +stalling +stallion +Stallone +stalwart +stamen's +Stamford +stammers +stampede +stampers +stamping +stance's +stanched +stancher +stanches +standard +standbys +standees +standers +standing +Standish +standoff +standout +Stanford +stanza's +staplers +staple's +stapling +starched +starches +starch's +stardust +starer's +starfish +stargaze +starkers +starkest +starless +starlets +starling +starrier +starring +starters +starting +startled +startles +startups +starving +stashing +Staten's +static's +stations +statuary +statue's +statures +statuses +status's +statutes +Staubach +steadied +steadier +steadies +steadily +steady's +stealing +stealthy +steamers +steamier +steaming +Steele's +steelier +steeling +steepens +steepest +steeping +steeples +steerage +steering +Stefanie +Stefan's +Steinway +Stella's +stemless +stemming +stemware +stenches +stench's +stencils +Stendhal +stenosis +stepdads +Stephens +stepmoms +steppers +steppe's +stepping +stepsons +stereo's +Sterling +sterling +Sterne's +sternest +Sterno's +sternums +steroids +stetsons +stetting +Steven's +Stevie's +stewards +stickers +stickier +stickies +stickily +sticking +stickler +stickpin +stickups +sticky's +stiffens +stiffest +stiffing +stifling +stigma's +stigmata +stiletto +stillest +stilling +Stiltons +stimulus +stingers +stingier +stingily +stinging +stingray +stinkbug +stinkers +stinkier +stinking +stinting +stipends +stippled +stipples +Stirling +stirrers +stirring +stirrups +stitched +stitches +stitch's +stockade +stockier +stockily +stocking +stockist +stockpot +Stockton +stodgier +stodgily +stogie's +Stoicism +stoicism +stoker's +Stokes's +stolider +stolidly +stolon's +Stolypin +stomachs +stomping +stoner's +stoniest +stonking +stooge's +stooping +stopcock +stopgaps +stopover +stoppage +Stoppard +stoppers +stopping +stoppled +stopples +stormier +stormily +storming +stoutest +stowaway +Strabo's +straddle +strafe's +strafing +straggle +straggly +straight +strained +strainer +strain's +straiten +strait's +stranded +strand's +stranger +strangle +strapped +strategy +stratify +strawing +straying +streaked +streaker +streak's +streamed +streamer +stream's +street's +strength +stressed +stresses +stress's +stretchy +strewing +striated +stricken +stricter +strictly +stridden +strident +stride's +striding +strife's +strikers +strike's +striking +stringed +stringer +string's +stripe's +striping +stripped +stripper +striving +strobe's +stroke's +stroking +strolled +stroller +stroll's +stronger +strongly +Strong's +strophes +strophic +stropped +strudels +struggle +strummed +strumpet +strutted +Stuart's +stubbier +stubbing +stubborn +stuccoed +stuccoes +stucco's +studbook +studding +students +studio's +studious +studlier +studying +stuffier +stuffily +stuffing +stultify +stumbled +stumbler +stumbles +stumpier +stumping +stunners +stunning +stunting +stuntman +stuntmen +stupider +stupidly +stupid's +stupor's +sturdier +sturdily +sturgeon +stutters +stylists +stylized +stylizes +styluses +stylus's +stymie's +styptics +Styron's +Suarez's +subareas +Subaru's +subclass +subduing +subgroup +subheads +subhuman +subjects +subjoins +sublease +sublet's +sublimed +sublimer +sublimes +submerge +submerse +suborder +suborned +subplots +subpoena +subprime +subset's +subsided +subsides +subsists +subsonic +subspace +subsumed +subsumes +subteens +subtends +subtexts +subtitle +subtlest +subtlety +subtopic +subtotal +subtract +suburban +suburbia +suburb's +subverts +subway's +succeeds +succinct +succored +succor's +succubus +succumbs +suchlike +suckered +sucker's +suckling +suctions +Sudanese +suddenly +Sudoku's +sudsiest +suffered +sufferer +sufficed +suffices +suffixed +suffixes +suffix's +suffrage +suffused +suffuses +Sufism's +sugarier +sugaring +suggests +suicidal +suicides +suitable +suitably +suitcase +suitor's +sukiyaki +Sulawesi +Suleiman +sulfates +sulfides +sulfured +sulfuric +sulfur's +sulkiest +sullener +sullenly +Sullivan +sullying +sultanas +sultan's +sultrier +sultrily +Sumatran +Sumerian +summered +Summer's +summer's +summitry +summit's +summoned +summoner +Sumner's +Sumter's +sunbathe +sunbaths +sunbeams +sunbelts +sunblock +sunburns +sunburst +sundae's +Sundas's +Sunday's +sundecks +sundered +sundials +sundowns +sundress +sundries +sunlamps +sunlight +sunniest +Sunnites +sunrises +sunroofs +sunset's +sunshade +sunshine +sunshiny +sunspots +suntan's +suntraps +superber +superbly +superego +Superior +superior +Superman +superman +supermen +supermom +supernal +supinely +supper's +supplant +supplest +supplied +supplier +supplies +supply's +supports +supposed +supposes +suppress +supremos +Surabaya +surcease +surefire +sureness +sureties +surety's +surfaced +surfaces +surfeits +surfer's +surgeons +surgical +Suriname +surliest +surmised +surmises +surmount +surnames +surplice +surprise +surrey's +surround +surtaxed +surtaxes +surtax's +surtitle +surveyed +surveyor +survey's +survival +survived +survives +survivor +Susana's +suspects +suspends +suspense +Sussex's +sustains +sutler's +Sutton's +suture's +suturing +suzerain +Suzhou's +Suzuki's +Svalbard +sveltest +Svengali +Sèvres's +swabbing +swaddled +swaddles +swaggers +swagging +Swahilis +swallows +swampier +swamping +Swanee's +swankest +swankier +swankily +swanking +swanning +swansong +swapping +swarming +swashing +swastika +swatches +swatch's +swathe's +swathing +swatters +swatting +swayback +swearers +swearing +sweaters +sweatier +sweating +sweats's +Sweden's +sweepers +sweeping +sweetens +sweetest +sweeties +sweetish +swellest +swelling +swelters +swerve's +swerving +swiftest +swigging +swilling +swimmers +swimming +swimsuit +swimwear +swindled +swindler +swindles +swingers +swinging +swirling +swishest +swishing +Swissair +switched +switcher +switches +switch's +swiveled +swivel's +swizzled +swizzles +swooning +swooping +swooshed +swooshes +swoosh's +swotting +sybarite +sycamore +Sydney's +syllabic +syllable +syllabub +syllabus +Sylvia's +Sylvie's +symbolic +symbol's +symmetry +sympathy +symphony +symptoms +synapses +synaptic +syndrome +synfuels +synonyms +synonymy +synopses +synopsis +synoptic +synovial +syntax's +syphilis +Syracuse +Syriac's +Syrian's +syringed +syringes +sysadmin +systemic +system's +systoles +systolic +Tabascos +tableaux +tabletop +tablet's +tabloids +tabooing +Tabrizes +Tabriz's +tabulate +taciturn +tacker's +tackiest +tacklers +tackle's +tackling +Tacoma's +tactical +tactic's +tactless +tadpoles +Taejon's +taffrail +Tagalogs +tagger's +taglines +Tagore's +Tahitian +Tahiti's +Taichung +tailback +tailbone +tailcoat +tailgate +tailless +tailored +tailor's +tailpipe +tailspin +tailwind +tainting +Taipei's +Taiwan's +takeaway +takeoffs +takeouts +takeover +taking's +Talbot's +talcum's +talented +talent's +Taliesin +talisman +talker's +talkie's +talkiest +tallboys +Talley's +talliers +tallness +tallow's +tallyhos +tallying +Talmudic +Talmud's +tamale's +tamarack +Tamara's +tamarind +Tameka's +tameness +Tamera's +Tamika's +Tammie's +Tammuz's +Tampax's +tampered +tamperer +tampon's +Tamworth +tanagers +tandem's +tandoori +tangelos +tangents +tangible +tangibly +Tangiers +tangiest +tangle's +tangling +tangoing +Tangshan +tankards +tanker's +tankfuls +Tanner's +tanner's +tannin's +tantalum +Tantalus +tantra's +tantrums +Tanzania +Taoism's +Taoist's +tapeline +tapering +tapestry +tapeworm +tapper's +tappet's +taprooms +taproots +Tarawa's +tarballs +tardiest +targeted +Target's +target's +tariff's +tarmac's +tarpon's +tarragon +tarriest +tarrying +tarsal's +tarsus's +tartan's +tartaric +tartar's +tartiest +tartness +Tartuffe +Tarzan's +tasering +Tashkent +Tasmania +Tasman's +tasseled +tassel's +tasteful +taster's +tastiest +tastings +tatami's +tattered +tatter's +tattiest +tattlers +tattle's +tattling +tattooed +tattooer +tattoo's +taunters +taunting +Tauruses +Taurus's +tautened +tautness +tavern's +tawdrier +tawdrily +Tawney's +tawniest +taxation +taxicabs +taxiways +taxonomy +taxpayer +Taylor's +teacakes +teachers +teaching +teacup's +tealight +teammate +teamster +teamwork +teapot's +tearaway +teardrop +teariest +tearooms +Teasdale +teasel's +teaser's +teaspoon +teatimes +tectonic +Tecumseh +tedium's +teenager +teeniest +teetered +teeter's +teething +teetotal +Teflon's +tektites +telecast +telegram +Telemann +teleplay +teleport +teletext +telethon +Teletype +teletype +televise +telexing +Teller's +teller's +telltale +Telugu's +temblors +temerity +temperas +tempered +temper's +tempests +template +temple's +temporal +tempters +tempting +tenacity +tenanted +tenantry +tenant's +tendency +tendered +tenderer +tenderly +tender's +tendon's +tendrils +tenement +tennis's +Tennyson +tenoning +tenpin's +tensions +tentacle +tenure's +tenuring +tepidity +tequilas +terabits +terabyte +Teresa's +teriyaki +Terkel's +terminal +terminus +termites +terraced +terraces +terrains +Terrance +Terran's +terrapin +terrazzo +Terrence +terrible +terribly +terriers +Terrie's +terrific +terrines +terror's +Tertiary +tertiary +Tessie's +testable +testates +testator +tester's +testicle +testiest +testings +testis's +tetchier +tetchily +tethered +tether's +Tethys's +Tetons's +Teutonic +Teuton's +Texaco's +textbook +textiles +textural +textured +textures +Thaddeus +Thailand +thalamus +Thales's +Thalia's +thallium +Thames's +thankful +thanking +thatched +Thatcher +thatcher +thatches +thatch's +theaters +Thebes's +theism's +theistic +theist's +Thelma's +thematic +Theodora +Theodore +theology +theorems +theories +theorist +theorize +theory's +therefor +theremin +thermals +Theron's +thesauri +thesis's +Thespian +thespian +Thessaly +thiamine +thickens +thickest +thickets +thickset +thievery +thieving +thievish +thimbles +Thimbu's +thingies +thinkers +thinking +thinners +thinness +thinnest +thinning +thirsted +thirst's +thirteen +thirties +thirty's +thistles +Thomas's +Thompson +thoracic +thoraxes +thorax's +thornier +Thornton +thorough +Thorpe's +thoughts +thousand +Thrace's +Thracian +thralled +thrall's +thrashed +thrasher +thrashes +thrash's +threaded +threader +thread's +threaten +threat's +threnody +threshed +thresher +threshes +thresh's +thrift's +thrilled +thriller +thrill's +thriving +throat's +throbbed +thrombus +throne's +thronged +throng's +throttle +throwers +throwing +thrummed +thrushes +thrush's +thrust's +thruways +thudding +thuggery +thuggish +thumbing +thumping +thunders +thundery +Thurmond +Thursday +Thutmose +thwacked +thwacker +thwack's +thwarted +thwart's +thymuses +thymus's +thyroids +Tiberius +Tibetans +ticker's +ticketed +ticket's +ticklers +tickle's +tickling +ticklish +ticktock +tidbit's +tiddlers +tideland +tidemark +tideways +tidiness +tiebacks +tiebreak +tigerish +tightens +tightest +tights's +tightwad +Tigris's +tiling's +tillable +tiller's +Tilsit's +timbered +timber's +timbrels +timbre's +Timbuktu +timeless +timelier +timeline +timeouts +timeworn +timezone +timidest +timidity +timing's +timorous +tincture +tinder's +tingeing +tingle's +tingling +tininess +tinkered +tinkerer +tinker's +tinkle's +tinkling +tinniest +tinnitus +tinplate +tinseled +tinsel's +tinsmith +tintypes +tipper's +tippet's +tippexed +tippexes +tipplers +tipple's +tippling +tipsiest +tipsters +tiptoe's +tiptop's +tirade's +tiramisu +tiredest +tireless +Tiresias +tiresome +Tirolean +Tishri's +tissue's +titanium +tither's +Titian's +titian's +Titicaca +titivate +titlists +titmouse +tittered +titter's +tittle's +Tlaloc's +toadying +toadyism +toasters +toastier +toasties +toasting +tobaccos +Tobago's +toboggan +toccatas +tocsin's +toddlers +toddle's +toddling +toecap's +toeholds +toenails +toffee's +together +toggle's +toggling +Togolese +toiler's +toileted +toiletry +toilet's +toilette +toilsome +tokenism +Tokugawa +Tokyoite +Toledo's +tolerant +tolerate +tollgate +tollways +Toltec's +Tolyatti +tomahawk +tomatoes +tomato's +Tombaugh +tombolas +tomboy's +tomcat's +Tomlin's +Tommie's +tomorrow +Tompkins +tomtit's +tonality +tonearms +toneless +Tongan's +tongue's +tonguing +tonnages +tonsil's +tonsured +tonsures +toolbars +tooter's +toothier +toothily +tootling +tootsies +topcoats +Topeka's +topknots +topmasts +topnotch +topology +topper's +toppings +toppling +topsails +topsides +torching +toreador +torments +torpidly +torpor's +torque's +torquing +Torrance +torrents +Torres's +torridly +tortilla +tortoise +tortuous +tortured +torturer +tortures +Torvalds +tossup's +totaling +totality +tottered +totterer +totter's +toucan's +touchier +touchily +touching +toughens +toughest +toughies +toughing +Toulouse +toupee's +tourists +touristy +tourneys +tousling +towboats +toweling +towering +towheads +towhee's +towlines +Townes's +townie's +Townsend +township +townsman +townsmen +towpaths +towropes +toxicity +Toyoda's +Toyota's +tracer's +Tracey's +tracheae +tracheal +Tracie's +tracings +trackers +tracking +traction +tractors +trader's +tradings +traduced +traducer +traduces +traffics +trailers +trailing +trainees +trainers +training +trainman +trainmen +traipsed +traipses +traitors +Trajan's +tramcars +trammels +tramming +trampers +tramping +trampled +trampler +tramples +tramways +trance's +tranches +tranquil +transact +transect +transept +transfer +transfix +transits +transmit +transoms +trapdoor +trapezes +trappers +trapping +Trappist +trashcan +trashier +trashing +trauma's +travails +traveled +traveler +travel's +traverse +travesty +Travis's +Travolta +trawlers +trawling +treading +treadled +treadles +treasure +Treasury +treasury +treaties +treating +treatise +treaty's +treble's +trebling +treeless +treelike +treeline +treetops +trefoils +trekkers +trekking +trembled +trembles +tremolos +tremor's +trenched +trencher +trenches +trench's +trendier +trendies +trendily +trending +trendy's +trespass +trestles +Trevor's +triage's +trialing +triangle +Triassic +tribunal +tribunes +tributes +trichina +Tricia's +trickery +trickier +trickily +tricking +trickled +trickles +tricolor +tricycle +tridents +trifecta +triflers +trifle's +trifling +triggers +trilbies +trilby's +trilling +trillion +trillium +trimaran +trimmers +trimmest +trimming +trimness +Trimurti +Trinidad +trinkets +triple's +triplets +tripling +tripodal +tripod's +trippers +Trippe's +tripping +triptych +tripwire +triremes +trisects +Trisha's +Triton's +triumphs +triumvir +trivet's +trivia's +trochaic +trochees +troika's +Trojan's +trolleys +trolling +Trollope +trollops +trombone +tromping +troopers +trooping +trophies +trophy's +tropical +tropic's +tropisms +trotters +trotting +troubled +troubles +trough's +trounced +trouncer +trounces +troupers +troupe's +trouping +trousers +troweled +trowel's +truanted +truant's +truckers +trucking +truckled +truckles +trudge's +trudging +truelove +Truffaut +truffles +truism's +Trujillo +Truman's +Trumbull +trumpery +trumpets +trumping +truncate +trundled +trundler +trundles +trunking +trussing +trustees +trustful +trustier +trusties +trusting +trusty's +truthers +truthful +tryingly +tryout's +trysting +tsarists +tsetse's +tsunamis +Tswana's +Tuareg's +tubbiest +tubeless +tubercle +tuberose +tuberous +tubful's +tubing's +Tubman's +tubule's +tuckered +Tucker's +tucker's +Tucson's +Tuesdays +tufter's +tugboats +Tulane's +Tulsidas +tumblers +tumble's +tumbling +tumbrels +tumidity +tumorous +tumult's +tundra's +tuneless +tuneup's +tungsten +Tunguska +Tungus's +Tunisian +tunneled +tunneler +tunnel's +Tunney's +tuppence +tuppenny +turbaned +turban's +turbines +turbofan +turbojet +turbot's +tureen's +Turgenev +turgidly +Turing's +Turkey's +turkey's +Turkic's +turmeric +turmoils +turncoat +Turner's +turner's +turnings +turnip's +turnkeys +turnoffs +turnouts +turnover +turnpike +Turpin's +turreted +turret's +turtle's +Tuscan's +Tuscon's +Tuskegee +tussle's +tussling +tussocks +tussocky +tutelage +tutelary +tutorial +tutoring +Tuvaluan +Tuvalu's +tuxedo's +twaddled +twaddler +twaddles +twangier +twanging +tweaking +tweedier +tweeds's +tweeters +tweeting +tweezers +twelfths +twelve's +twenties +twenty's +twerking +twiddled +twiddles +twiggier +twigging +twilight +twiner's +twinge's +twinging +Twinkies +twinkled +twinkles +twinning +twinsets +twirlers +twirling +twisters +twistier +twisting +twitched +twitches +twitch's +twitters +twittery +twitting +twofer's +twopence +twopenny +twosomes +tycoon's +tympanic +tympanum +typecast +typeface +typesets +typhoons +typhus's +typified +typifies +typing's +typist's +typology +tyrannic +tyrant's +Tyrolean +Tyrone's +Ubangi's +ubiquity +Ubuntu's +Ugandans +Uganda's +ugliness +Uighur's +ukuleles +ulcerate +ulcerous +Ulster's +ulster's +ulterior +ultimate +ululated +ululates +umbilici +umbrella +umlaut's +umpire's +umpiring +unabated +unafraid +unawares +unbarred +unbeaten +unbelief +unbiased +unbidden +unblocks +unbolted +unbosoms +unbroken +unbuckle +unburden +unbutton +uncalled +uncapped +uncaring +uncaught +unchains +unchaste +uncial's +unclasps +uncloaks +unclothe +uncoiled +uncombed +uncommon +uncooked +uncorked +uncouple +uncovers +unctions +unctuous +uncurled +underact +underage +underarm +underbid +undercut +underdog +underfed +underfur +underlay +underlie +underlip +underpay +underpin +undersea +undertow +underway +undies's +undimmed +undoings +undulant +undulate +unearned +unearths +unease's +uneasier +uneasily +unedited +unending +unerring +UNESCO's +unevenly +unfading +unfairer +unfairly +unfasten +unfetter +unfilled +unfitted +unfixing +unfolded +unforced +unformed +unframed +unfreeze +unfriend +unfrocks +unfrozen +unfunded +unfurled +ungainly +Ungava's +ungentle +ungraded +unguents +unguided +ungulate +unhanded +unharmed +unhealed +unheated +unheeded +unhinged +unhinges +unholier +unhooked +unhorsed +unhorses +UNICEF's +unicorns +unicycle +uniforms +unifying +Unilever +unionism +Unionist +unionist +unionize +uniquely +uniquest +Uniroyal +unisex's +unison's +Unitas's +unitedly +unitized +unitizes +univalve +universe +unjustly +unkinder +unkindly +unknowns +unlacing +unlawful +unleaded +unlearns +unlikely +unlimber +unlisted +unloaded +unlocked +unloosed +unloosen +unlooses +unlovely +unloving +unmaking +unmanned +unmarked +unmarred +unmasked +unmissed +unneeded +unnerved +unnerves +unopened +unpacked +unpaired +unpeeled +unpeople +unperson +unpicked +unpinned +unplaced +unproved +unproven +unquoted +unquotes +unravels +unreeled +unrest's +unripest +unrolled +unrulier +unsaddle +unsafely +unsafest +unsalted +unsavory +unsaying +unscrews +unsealed +unseated +unseeded +unseeing +unseemly +unseen's +unsettle +unshaken +unshaped +unshaven +unsifted +unsigned +unsnarls +unsocial +unsoiled +unsolved +unsorted +unsought +unspoken +unstable +unstably +unstated +unsteady +unstraps +unstrung +unsubtle +unsuited +unswayed +untangle +untanned +untapped +untasted +untaught +untended +untested +untidier +untidily +untimely +untiring +untitled +untoward +untruest +untruths +untwists +unusable +unvaried +unveiled +unversed +unvoiced +unwanted +unwarier +unwarily +unwashed +unwieldy +unwisely +unwisest +unwonted +unworthy +unyoking +unzipped +upbeat's +upbraids +upchucks +upcoming +update's +updating +Updike's +updrafts +upending +upgraded +upgrades +upheaval +uphill's +upholder +Upjohn's +upkeep's +upland's +uplifted +uplift's +uploaded +upmarket +uppercut +upraised +upraises +upreared +uprights +uprising +uproar's +uprooted +upshot's +upside's +upsilons +upstaged +upstages +upstairs +upstarts +upstream +upstroke +upsurged +upsurges +upswings +uptake's +upthrust +uptick's +uptown's +upturned +upturn's +upwardly +uracil's +Urania's +Uranus's +urbanely +urbanest +urbanity +urbanize +urchin's +uremia's +ureter's +urethane +urethrae +urethral +urgently +urinal's +urinated +urinates +Urquhart +Ursula's +Ursuline +Urumqi's +usefully +Usenet's +username +ushering +usurer's +usurious +usurpers +usurping +Utahan's +utensils +uterus's +utilized +utilizes +utmost's +Utopians +Utopia's +utopia's +uttering +uvular's +uxorious +vacantly +vacating +vacation +vaccines +vacuoles +vacuumed +vacuum's +vagabond +vagaries +vagary's +vagina's +vagrancy +vagrants +valances +Valdez's +valences +Valencia +Valentin +Valerian +Valery's +valeting +Valhalla +valiance +validate +validity +valise's +Valium's +Valkyrie +Valletta +valley's +Valois's +valorous +Valéry's +valuable +valuated +valuates +valuer's +valvular +vamoosed +vamooses +vampires +vanadium +Vandal's +vandal's +vanguard +vanillas +vanished +vanishes +vanities +vanity's +vanquish +vantages +Vanzetti +vapidity +vaporize +vaporous +vaqueros +Varanasi +Varese's +Vargas's +variable +variably +variance +variants +varicose +varietal +varlet's +varmints +vascular +Vaseline +vassal's +Vassar's +vastness +Vauban's +Vaughn's +vaulters +vaulting +vaunting +Veblen's +vectored +vector's +veejay's +veganism +Vegemite +vegetate +veggie's +vehement +vehicles +Velcro's +vellum's +velocity +velour's +Velveeta +velvet's +venality +venation +vendetta +vendible +vendor's +veneered +veneer's +venerate +venereal +Venetian +vengeful +Venice's +venomous +Ventolin +ventured +ventures +Venusian +veracity +Veracruz +verandas +verbally +verbal's +verbatim +verbenas +verbiage +verboten +verdicts +Verdun's +verger's +verified +verifies +verities +verity's +Verlaine +vermin's +vermouth +verniers +Vernon's +Verona's +Veronese +Veronica +veronica +verrucae +verrucas +versions +vertebra +vertexes +vertex's +vertical +vertices +Vesalius +vesicles +vesper's +Vespucci +vessel's +vestal's +vestiges +vestment +vestries +vestry's +Vesuvius +veterans +vexation +Viacom's +viaducts +Viagra's +vibrancy +vibrated +vibrates +vibrator +vibratos +viburnum +vicarage +viceroys +vicinity +Vickie's +victim's +Victoria +Victor's +victor's +Victrola +victuals +vicuña's +vicuna's +videoing +videotex +Vienna's +Viennese +Vietcong +Vietminh +viewer's +viewings +vigilant +vignette +vigorous +Viking's +viking's +vileness +vilified +vilifies +villager +villages +villains +villainy +villeins +Villon's +villus's +Vilyui's +vincible +vinegary +vineyard +Vinson's +vintages +vintners +violable +violated +violates +violator +violence +Violet's +violet's +violin's +violists +viperous +viragoes +virago's +Virgie's +Virgil's +virginal +Virginia +virgin's +virgules +virility +virology +virtue's +virtuoso +virtuous +virulent +visage's +Visayans +visceral +viscount +viscus's +Vishnu's +Visigoth +visioned +vision's +visitant +visiting +visitors +visually +visual's +vitality +vitalize +vitals's +vitamins +vitiated +vitiates +vitreous +vitrines +vivacity +vivarium +Vivian's +vividest +Vivienne +vivified +vivifies +vivisect +vixenish +vizier's +Vladimir +Vlaminck +Vlasic's +vocables +vocalist +vocalize +vocation +vocative +voidable +volatile +volcanic +volition +volleyed +volley's +Volstead +voltages +Voltaire +volume's +volute's +vomiting +Vonnegut +voodooed +voodoo's +voracity +Voronezh +vortexes +vortex's +votaries +votary's +vouchers +vouching +voyagers +voyage's +voyageur +voyaging +voyeur's +Vulcan's +vulgarer +vulgarly +Vulgates +vultures +vuvuzela +Wabash's +wackiest +waddle's +waddling +waders's +wafflers +waffle's +waffling +wagerers +wagering +waggle's +waggling +Wagner's +wagoners +wagtails +wailer's +wainscot +waiter's +waitress +waiver's +wakening +Waldemar +Walden's +Waldheim +Walesa's +Walgreen +walkaway +Walker's +walker's +walkouts +walkover +walkways +Waller's +wallet's +walleyed +walleyes +Wallis's +walloped +wallop's +wallowed +wallow's +walnut's +walruses +walrus's +Walter's +Walton's +waltzers +waltzing +wampum's +wandered +wanderer +wanglers +wangle's +wangling +Wankel's +wannabee +wannabes +wantoned +wantonly +wanton's +wapiti's +warblers +warble's +warbling +warden's +warder's +wardress +wardrobe +wardroom +warheads +Warhol's +warhorse +wariness +Waring's +warlocks +warlords +warmer's +warmness +warmth's +Warner's +warnings +warpaint +warpaths +warplane +warrants +warranty +Warren's +warren's +warriors +Warsaw's +warships +warthogs +wartiest +washable +washbowl +washer's +washiest +washings +washouts +washrags +washroom +washtubs +wassails +wasteful +waster's +wastrels +watchdog +watchers +watchful +watching +watchman +watchmen +waterbed +waterier +watering +Waterloo +Waters's +waters's +waterway +Watson's +wattle's +wattling +Watusi's +waveband +waveform +wavelets +wavelike +waverers +wavering +waviness +waxiness +waxwings +waxworks +waybills +wayfarer +waylayer +waysides +weakened +weakener +weakfish +weakling +weakness +wealth's +weaponry +weapon's +wearable +wearer's +weariest +wearings +wearying +weaseled +weaselly +weasel's +weathers +Weaver's +weaver's +webcam's +webcasts +Webern's +webinars +webisode +weblog's +websites +Websters +weddings +wedgie's +Wedgwood +weeder's +weediest +weedless +weekdays +weekends +weeklies +weekly's +weenie's +weeniest +weensier +weeper's +weepiest +weepings +weevil's +weighing +weighted +weight's +Weinberg +weirdest +weirdies +weirdo's +Weizmann +welcomed +welcomes +weldable +welder's +Weldon's +welkin's +Weller's +Welles's +wellhead +wellness +welshers +welshing +Welshman +Welshmen +weltered +welter's +werewolf +Wesleyan +Wesley's +Wessex's +Wesson's +westerly +Westerns +westerns +Weston's +westward +wetbacks +wetlands +wetter's +wetwares +Weyden's +whackers +whacking +whaler's +whammies +whamming +whammy's +whatever +whatsits +Wheaties +wheedled +wheedler +wheedles +wheelies +Wheeling +wheeling +wheeze's +wheezier +wheezily +wheezing +whelming +whelping +whenever +wherever +wherries +wherry's +whetting +whiffing +whimpers +whimsies +whimsy's +whiner's +whingers +whinging +whiniest +whinnied +whinnies +whinny's +whipcord +whiplash +whippers +whippets +whipping +whipsaws +whirling +whirring +whiskers +whiskery +whiskeys +whisking +whispers +whistled +Whistler +whistler +whistles +Whitaker +whitecap +Whiteley +whitened +whitener +whiteout +whitey's +whitings +Whittier +whittled +whittler +whittles +whizzing +whodunit +whomever +whoopees +whoopers +whooping +whooshed +whooshes +whoosh's +whoppers +whopping +whoreish +whupping +wickeder +wickedly +wicker's +wicket's +wideners +wideness +widening +widowers +widowing +wielders +wielding +Wiemar's +wiener's +wienie's +Wiesel's +wifeless +wigeon's +wigglers +wiggle's +wigglier +wiggling +wiglet's +Wigner's +wigwag's +wigwam's +Wilbur's +Wilcox's +wildcard +wildcats +Wilder's +wildfire +wildfowl +wildlife +wildness +Wilfredo +wiliness +Wilkes's +Williams +Willie's +Willis's +williwaw +willow's +Wilmer's +Wilson's +Wilton's +wimpiest +wimple's +wimpling +Wimsey's +Winchell +winching +windbags +windburn +winder's +Windex's +windfall +Windhoek +windiest +windlass +windless +windmill +windowed +window's +windpipe +windrows +windsock +Windsors +windsurf +windup's +Windward +windward +wineries +winery's +wingding +wingless +winglike +wingnuts +wingspan +wingtips +Winifred +winker's +Winkle's +winkle's +winkling +winnable +winner's +Winnie's +winnings +Winnipeg +winnowed +winnower +winsomer +wintered +winter's +Winthrop +wintrier +wirehair +wireless +wiretaps +wiriness +wiring's +wisdom's +wiseacre +wiseguys +wishbone +wisher's +wispiest +wisteria +witchery +witching +withdraw +withdrew +withered +withheld +withhold +within's +wittered +wittiest +wizardly +wizardry +wizard's +wobble's +wobblier +wobbling +woefully +Wolfgang +Wolsey's +womanish +womanize +wombat's +wondered +Wonder's +wonder's +wondrous +wonkiest +woodbine +woodcock +woodcuts +woodener +woodenly +Woodhull +woodiest +woodland +woodlice +woodlots +woodpile +woodshed +woodsier +woodsman +woodsmen +Woodward +woodwind +woodwork +woodworm +woofer's +woolen's +woollier +woollies +woolly's +Wooten's +wooziest +wordbook +wordiest +wordings +wordless +wordplay +workable +workaday +workbook +workdays +worker's +workfare +workflow +workings +workload +workmate +workouts +workroom +workshop +worksite +worktops +workup's +workweek +wormhole +wormiest +wormwood +worriers +worrying +worsened +worships +worsting +worthier +worthies +worthily +worthy's +wouldn't +would've +wounding +Wovoka's +wracking +wraith's +Wrangell +wrangled +wrangler +wrangles +wrappers +wrapping +wrasse's +wrathful +wreaking +wreathed +wreathes +wreath's +wreckage +wreckers +wrecking +wrenched +wrenches +wrench's +wresting +wrestled +wrestler +wrestles +wretched +wretches +wretch's +wriggled +wriggler +wriggles +Wright's +wright's +wringers +wringing +wrinkled +wrinkles +writable +writer's +writhe's +writhing +writings +wrongest +wrongful +wronging +wussiest +Wycliffe +Xanadu's +Xavier's +XEmacs's +Xenophon +xeroxing +Xerxes's +Xiaoping +Xuzhou's +yachting +Yahweh's +Yakima's +Yamagata +Yamaha's +yammered +yammerer +yammer's +Yangon's +Yankee's +yardages +yardarms +yarmulke +yarrow's +yashmaks +Yataro's +yawner's +Yeager's +yearbook +yearlies +yearling +yearlong +yearly's +yearning +yeastier +yellowed +yellower +yellow's +Yemeni's +Yemenite +yeomanry +yeoman's +Yerkes's +yeshivas +yielding +yodelers +yodeling +yogurt's +Yokohama +Yorkie's +Yorktown +Yoruba's +Yosemite +youngest +youngish +yourself +youthful +yuckiest +Yugoslav +Yuletide +yuletide +yummiest +Yunnan's +yuppie's +Yvette's +Yvonne's +Zagreb's +Zambians +Zambia's +Zamenhof +Zamora's +zaniness +Zanuck's +Zanzibar +Zapata's +zapper's +zealotry +zealot's +Zedekiah +Zedong's +Zenger's +zenith's +zeolites +zephyr's +Zephyrus +zeppelin +zestiest +Zhukov's +Ziegfeld +zigzag's +zillions +Zimbabwe +zincking +zinger's +zingiest +zinnia's +Zionisms +Zionists +Ziploc's +zippered +zipper's +zippiest +zircon's +zither's +zodiacal +zodiac's +Zoloft's +zombie's +zoning's +zoophyte +Zürich's +zucchini +Zululand +Zurich's +zwieback +Zworykin +zydeco's +zygote's +Zyrtec's +Zyuganov +Aaliyah +Aaron's +abalone +abandon +abashed +abashes +abasing +abating +Abbasid +Abbas's +abbey's +abbot's +abbrevs +abdomen +abducts +Abdul's +Abelard +Abelson +abetted +abettor +abiding +Abidjan +Abigail +Abilene +ability +abjured +abjurer +abjures +ablated +ablates +Abner's +abode's +abolish +aborted +abounds +above's +abraded +abrades +Abraham +Abram's +abreast +abridge +Absalom +abscess +abscond +abseils +absence +absents +absolve +absorbs +abstain +Abuja's +abusers +abuse's +abusing +abusive +abutted +abysmal +abyssal +abysses +abyss's +acacias +academe +academy +acceded +accedes +accents +accepts +acclaim +accords +accosts +account +Accra's +accrual +accrued +accrues +accused +accuser +accuses +acerbic +acetate +acetone +Acevedo +Achaean +achenes +Acheson +achiest +achieve +achoo's +acidify +acidity +acolyte +aconite +acorn's +acquire +acquits +acreage +acrider +acridly +acrobat +acronym +Acrux's +acrylic +Actaeon +actions +actives +Acton's +actor's +actress +actuary +actuate +Acuff's +acutely +acute's +acutest +adage's +adagios +adamant +Adams's +Adana's +adapted +adapter +addable +addenda +addends +adder's +addicts +Addie's +Addison +addling +address +adduced +adduces +Adela's +Adele's +Adeline +adenine +adenoid +adeptly +adept's +adhered +adheres +adieu's +adipose +adjoins +adjourn +adjudge +adjunct +adjured +adjures +adjusts +Adler's +adman's +admiral +admired +admirer +admires +admixed +admixes +adobe's +Adolf's +adopted +adopter +adorers +adoring +adorned +adrenal +Adriana +adsorbs +adulate +adult's +advance +Advents +advents +adverbs +adverse +adverts +Advil's +advised +adviser +advises +aegis's +Aelfric +aerated +aerates +aerator +aerials +aerie's +aerobic +aerosol +Aesop's +affable +affably +affairs +affects +affirms +affixed +affixes +affix's +afflict +affords +affrays +affront +Afghani +Afghans +afghans +African +against +agape's +Agassiz +agate's +agave's +ageists +ageless +agendas +agent's +Aggie's +agilely +agility +aging's +agitate +Agnes's +Agnew's +agonies +agonist +agonize +agony's +Agrippa +aground +Aguilar +Aguirre +Agustin +Ahmad's +Ahmed's +Ahriman +Aiken's +aileron +ailment +Aimee's +aimless +airbags +airbase +airbeds +aircrew +airdrop +Aires's +airfare +airflow +airfoil +airguns +airhead +airiest +airings +airless +airlift +airline +airlock +airmail +airplay +airport +airship +airshow +airsick +airtime +airways +Aisha's +aisle's +aitches +aitch's +Akbar's +Akihito +Akita's +Akiva's +Akkad's +Akron's +Alabama +Aladdin +Alamo's +Alana's +alarmed +alarm's +Alaskan +Albania +Albee's +Alberio +Alberta +Alberto +albinos +Albireo +albumen +albumin +album's +alchemy +Alcmena +Alcoa's +alcohol +alcoves +Alcyone +Aldan's +Alden's +alder's +alembic +alerted +alertly +alert's +Aleut's +alewife +alfalfa +Alfonso +Alfonzo +Alfreda +Alfredo +algebra +Algenib +Algeria +Alger's +Algieba +Algiers +Algol's +aliased +aliases +alias's +alibied +alibi's +Alice's +aliened +alien's +alights +aligned +aligner +aliment +alimony +Aline's +Alisa's +aliyahs +alkyd's +Allah's +Allan's +allayed +alleged +alleges +Allegra +allegro +alleles +Allende +Allen's +allergy +alley's +Allie's +Allison +allover +allowed +alloyed +alloy's +alluded +alludes +allured +allures +allying +Allyson +almanac +Almohad +almonds +almoner +Alnilam +Alnitak +aloha's +aloofly +alpacas +Alphard +alpha's +alpines +already +alright +Alsop's +Altai's +altar's +altered +Altoids +Alton's +alumina +alumnae +alumnus +Alvarez +Alvin's +Alyce's +Amadeus +Amado's +amalgam +Amaru's +amassed +amasses +amateur +Amati's +amatory +amaze's +amazing +Amazons +amazons +Amber's +amber's +ambient +amblers +amble's +ambling +amended +amenity +amerced +amerces +America +Amerind +Ameslan +Amharic +Amherst +amiable +amiably +amide's +Amiga's +amigo's +Amish's +amity's +Amman's +ammeter +ammonia +amnesia +amnesic +amnesty +amnions +Amoco's +amoebae +amoebas +amoebic +amorous +amounts +amour's +amperes +amphora +amplest +amplify +ampules +amputee +amulets +amusing +Amway's +amylase +amyloid +anagram +Anaheim +analogs +analogy +analyst +analyze +Ananias +anapest +anarchy +Anasazi +Anatole +anatomy +anchors +anchovy +ancient +Andaman +andante +Andes's +andiron +Andorra +Andre's +Andrews +Android +android +anemone +Angeles +Angelia +angelic +Angelou +Angel's +angel's +angered +anger's +Angevin +Angie's +anglers +Angle's +angle's +angling +Anglo's +Angolan +Angoras +angoras +angrier +angrily +angst's +anguish +angular +Angus's +aniline +animals +animate +anime's +animism +animist +anionic +anion's +aniseed +anise's +Anita's +ankle's +anklets +Annabel +Annam's +anneals +annelid +Annette +annexed +annexes +annex's +Annie's +annoyed +annuals +annuity +annular +anode's +anodize +anodyne +anoints +anomaly +anoraks +another +Anouilh +Anselmo +answers +antacid +Antaeus +Antares +anteing +antenna +anthems +anthers +anthill +Anthony +anthrax +antic's +antigen +Antigua +Antioch +Antipas +antique +antiwar +antlers +Antoine +Antonia +Antonio +Anton's +antonym +antsier +Antwerp +anvil's +anxiety +anxious +anybody +anymore +anytime +anyways +anywise +Anzac's +ANZUS's +aorta's +Apaches +apatite +apelike +aphasia +aphasic +aphelia +aphid's +apishly +aplenty +apogees +Apollos +apology +Apostle +apostle +appalls +apparel +appeals +appears +appease +appends +applaud +Apple's +apple's +applets +applied +applier +applies +appoint +apposed +apposes +apprise +approve +apricot +April's +apron's +apropos +aptness +aquatic +aquavit +aqueous +aquifer +Aquinas +Arabian +Arabist +Araby's +Araceli +Aramaic +Arapaho +arbiter +arbor's +arbutus +arcades +Arcadia +archaic +Archean +archers +archery +archest +arching +archive +archway +arctics +Ardabil +Arden's +ardor's +arduous +arena's +Argonne +argon's +Argos's +argot's +arguers +arguing +Argus's +argyles +Ariadne +aridity +Ariel's +Arieses +Aries's +Ariosto +arising +Arius's +Arizona +armadas +Armando +armband +Armenia +armfuls +armhole +armlets +armload +armored +armorer +armor's +armpits +armrest +Arneb's +Arnulfo +aroma's +arousal +aroused +arouses +arraign +arrange +arrases +arras's +arrayed +array's +arrears +arrests +arrival +arrived +arrives +Arron's +arrow's +arroyos +arsenal +arsenic +arson's +Artemis +article +Artie's +artiest +artisan +artiste +artists +artless +artsier +artwork +Aruba's +arugula +Aryan's +Asama's +Ascella +ascends +ascents +ascetic +ASCII's +ascot's +ascribe +aseptic +asexual +ashamed +Ashanti +ashcans +ashiest +ashlars +ashrams +ashtray +Asian's +Asiatic +aside's +asinine +askance +asocial +Asoka's +aspects +Aspen's +aspen's +asphalt +aspic's +aspired +aspires +aspirin +Asquith +Assad's +assails +Assam's +assault +assayed +assayer +assay's +assents +asserts +asset's +asshole +assigns +assists +assizes +assorts +assuage +assumed +assumes +assured +assures +Assyria +Astaire +Astarte +aster's +Aston's +Astoria +Astor's +astound +astride +astuter +asunder +Aswan's +asylums +Atacama +Atari's +Atatürk +Ataturk +atavism +atavist +ataxics +atelier +atheism +atheist +athirst +athlete +athwart +atishoo +Atlanta +Atlases +atlases +Atlas's +atlas's +Atman's +atoll's +atomize +atoning +Atria's +atrophy +Atropos +attaché +attache +attacks +attains +attar's +attempt +attends +attests +Attic's +attic's +attired +attires +attract +Attucks +attuned +attunes +auction +Auden's +audible +audibly +audio's +audited +auditor +audit's +Audra's +Audubon +auger's +aught's +augment +augured +augur's +Augusta +Augusts +aunties +aurally +Aurelia +Aurelio +aureole +auricle +auroras +auspice +Aussies +austere +Austins +austral +Austria +authors +autopsy +autumns +auxin's +availed +avail's +avarice +avatars +avenged +avenger +avenges +avenues +average +Avernus +averred +averted +Avery's +aviator +avidity +Avignon +Avila's +avionic +Avior's +avocado +avoided +avowals +avowing +AWACS's +awaited +awakens +awaking +awarded +awardee +award's +awesome +awfully +awkward +awnings +axially +axiom's +axolotl +Ayala's +Ayers's +Ayyubid +azaleas +Azana's +azimuth +Aztecan +Aztec's +azure's +Baath's +Babbage +Babbitt +babbled +babbler +babbles +Babel's +babel's +babiest +baboons +babying +babyish +Babylon +babysat +babysit +Bacardi +Bacchic +Bacchus +bacilli +backbit +backers +backhoe +backing +backlog +backups +Bacon's +bacon's +Bactria +baddest +baddies +Baden's +badgers +badge's +badness +baffled +baffler +baffles +bagel's +bagfuls +baggage +baggier +Baggies +baggies +baggily +bagging +Baghdad +bagpipe +Bahamas +Bahia's +Bahrain +baileys +bailiff +bailing +bailout +Baird's +bairn's +baiting +baize's +Baker's +baker's +baklava +Bakunin +balance +Balaton +balboas +balcony +baldest +baldies +balding +baldric +Baldwin +baleful +baler's +Balfour +Balkans +balkier +balking +ballads +Ballard +ballast +ballets +balling +balloon +ballots +ballsed +ballses +balmier +baloney +balsams +balsa's +Bambi's +bamboos +banally +bananas +bandage +bandbox +bandeau +bandied +bandier +bandies +banding +bandits +Bandung +baneful +banging +Bangkok +bangles +banjo's +bankers +banking +Banks's +banners +banning +bannock +banns's +banquet +banshee +bantams +banters +Banting +Bantu's +banyans +banzais +baobabs +baptism +Baptist +baptist +baptize +Barbara +Barbary +barbell +barbels +barbers +barbies +barbing +Barbour +Barbuda +Barclay +Bardeen +Barents +barfing +bargain +barge's +barging +barhops +barista +barkeep +barkers +barking +Barkley +barmaid +barmier +Barnaby +Barnard +Barnaul +Barnett +barneys +baronet +baron's +baroque +barques +barrack +barrage +barrels +barrens +Barrera +barre's +Barrett +barrier +barring +barrios +barroom +barrows +Barry's +barters +Barthes +Barth's +baryons +basally +Basel's +baseman +basemen +bashful +bashing +Basho's +BASIC's +basic's +Basie's +Basil's +basil's +basin's +basis's +baskets +basking +Basques +basques +Basra's +bassets +bassist +bassoon +basso's +bastard +basters +basting +bastion +batched +batches +batch's +Bates's +bathers +bathe's +bathing +bathmat +bathtub +batik's +Batista +batiste +baton's +batsman +batsmen +battens +batters +battery +battier +batting +battled +battler +battles +baubles +Bauer's +Bauhaus +bauxite +Bavaria +bawdier +bawdily +bawling +Bayamon +Bayer's +Bayes's +bayonet +Bayonne +bayou's +bazaars +bazooka +beached +beaches +Beach's +beach's +beacons +beadier +beading +beadles +beagles +beakers +beaming +beanbag +beanies +beaning +bearded +Beard's +beard's +bearers +bearing +bearish +Beasley +beastly +beast's +beaters +beatify +beating +Beatles +beatnik +Beatrix +Beatriz +beaut's +beavers +bebop's +becalms +because +Bechtel +Beckett +beckons +Becky's +becloud +becomes +bedaubs +bedbugs +bedding +bedecks +bedevil +bedhead +bedizen +bedlams +Bedouin +bedpans +bedpost +bedrock +bedroll +bedroom +bedside +bedsits +bedsore +bedtime +Beebe's +Beecher +beeches +beech's +beefier +beefing +beehive +beeline +beepers +beeping +beerier +beeswax +beetled +beetles +befalls +befouls +beggars +beggary +begging +Begin's +begonia +begrime +beguile +beguine +begum's +Behan's +behaved +behaves +beheads +behests +behinds +beholds +behoove +Behring +beige's +Beijing +being's +bejewel +belabor +Belarus +belated +Belau's +belayed +belched +belches +belch's +Belem's +Belfast +Belgian +Belgium +beliefs +believe +Belinda +Bellamy +Bella's +bellboy +Belleek +belle's +bellhop +bellied +bellies +belling +Bellini +bellman +bellmen +bellows +belly's +Belmont +belongs +beloved +Beltane +belting +beltway +belugas +Belushi +belying +bemired +bemires +bemoans +bemused +bemuses +benched +benches +bench's +benders +bendier +bending +beneath +benefit +Benelux +Benet's +Bengali +Bengals +Benin's +Bennett +Benny's +Bentham +Bentley +benumbs +benzene +benzine +Beowulf +bequest +berated +berates +Berbers +bereave +beret's +Beretta +Bergman +Bergson +Beria's +Berle's +Berlins +Berlioz +Berlitz +Bermuda +Bernard +Bernays +Bernese +Bernice +Bernini +Berra's +berried +berries +Berry's +berry's +berserk +Berta's +berthed +berth's +Bertram +Beryl's +beryl's +beseech +beseems +besides +besiege +besmear +besom's +bespeak +bespoke +bestial +besting +bestirs +bestows +bestrew +betaken +betakes +betel's +Bethany +Bethe's +bethink +Bethune +betided +betides +betimes +betoken +betrays +betroth +Betsy's +betters +Bette's +betting +bettors +Betty's +between +betwixt +beveled +bevel's +Beverly +bevvies +bewails +bewared +bewares +bewitch +Beyer's +bezel's +biasing +Bible's +bible's +bicarbs +bicep's +bickers +bicycle +bidders +biddies +bidding +biddy's +Biden's +bidet's +biffing +bifocal +Bigfoot +biggest +biggies +biggish +Biggles +bighead +bighorn +bight's +bigness +bigoted +bigotry +bigot's +bigwigs +bijou's +biker's +bikinis +Bilbo's +bilge's +bilious +bilkers +bilking +billets +billies +billing +billion +billows +billowy +Billy's +billy's +bimbo's +binders +bindery +binding +binge's +bingo's +binning +Bioko's +biology +biomass +bionics +biopics +biotech +bipedal +biped's +biplane +bipolar +birched +birches +birch's +birders +birdied +birdies +birding +biretta +birthed +birther +birth's +biscuit +bisects +Bishkek +bishops +Bismark +bismuth +bison's +bistros +bitched +bitches +bitch's +bitcoin +biter's +bitmaps +bittern +bitters +bittier +bitumen +bivalve +bivouac +bizarre +Bizet's +Bjork's +blabbed +blabber +blacked +blacken +blacker +blackly +black's +bladder +blade's +blagged +blahs's +Blair's +Blake's +blame's +blaming +Blanche +blander +blandly +blanked +blanker +blanket +blankly +blank's +blare's +blaring +blarney +blasted +blaster +blast's +blatant +blather +Blatz's +blazers +blaze's +blazing +blazons +bleaker +bleakly +bleated +bleat's +bleeder +bleeped +bleeper +bleep's +blemish +blended +blender +blend's +blessed +blesses +Blevins +Bligh's +blights +blimp's +blinded +blinder +blindly +blind's +blini's +blinked +blinker +blink's +blintze +bliss's +blister +blither +blitzed +blitzes +blitz's +blivets +bloated +bloater +blobbed +Bloch's +blocked +blocker +block's +blogged +blogger +bloke's +blokish +Blondel +blonder +blondes +Blondie +blond's +blooded +blood's +bloomed +Bloomer +bloomer +Bloom's +bloom's +blooped +blooper +bloop's +blossom +blotchy +blotted +blotter +bloused +blouses +blowers +blowfly +blowgun +blowier +blowing +blowjob +blowout +blowups +blubber +Blucher +blueish +bluet's +bluffed +bluffer +bluffly +bluff's +blunder +blunted +blunter +bluntly +blurb's +blurred +blurted +blushed +blusher +blushes +blush's +bluster +boarded +boarder +board's +boasted +boaster +boast's +boaters +boating +boatman +boatmen +bobbies +bobbing +bobbins +Bobbi's +Bobbitt +bobbled +bobbles +Bobby's +bobby's +bobcats +bobsled +bobtail +bodegas +bodging +bodices +bodkins +Boeotia +boffins +bogeyed +bogey's +boggier +bogging +boggled +boggles +bogie's +bogyman +bogymen +Bohemia +boilers +boiling +boinked +Boise's +boldest +boleros +Bolivar +bolivar +Bolivia +bollard +Bologna +bologna +bolshie +Bolshoi +bolster +bolting +boluses +bolus's +bombard +bombast +bombers +bombing +bonanza +bonbons +bondage +bonding +bondman +bondmen +boner's +bonfire +bonging +bongo's +boniest +bonitos +bonkers +bonking +bonnets +bonnier +bonobos +bonuses +bonus's +boobies +boobing +booby's +boodles +boogers +boogied +boogies +boohoos +bookend +bookies +booking +bookish +booklet +Boolean +Boole's +boombox +boomers +booming +Boone's +boonies +boorish +boosted +booster +boost's +bootees +Booth's +booth's +booties +booting +bootleg +booty's +boozers +booze's +boozier +boozing +bopping +borax's +borders +boredom +borer's +Borglum +Boris's +Borlaug +Borodin +boron's +borough +borrows +borscht +borstal +borzois +Bosch's +Bosnian +bosom's +bossier +bossily +bossing +bossism +Bostons +Boswell +botanic +botched +botcher +botches +botch's +bothers +botnets +bottled +bottler +bottles +bottoms +boudoir +bough's +Boulder +boulder +bounced +bouncer +bounces +bounded +bounden +bounder +bound's +bouquet +Bourbon +bourbon +bovines +bowel's +Bowen's +bower's +Bowie's +bowlegs +bowlers +bowlful +bowline +bowling +bowwows +boxcars +boxer's +boxiest +boxlike +boxroom +boxwood +boycott +Boyer's +boyhood +Boyle's +bracero +bracers +brace's +bracing +bracken +bracket +bract's +bradawl +Bradley +Brady's +bragged +bragger +Bragg's +Brahe's +Brahman +Brahmas +braided +braid's +Braille +braille +brained +Brain's +brain's +braised +braises +brake's +braking +bramble +brambly +branded +Branden +brander +Brandie +Brandon +brand's +Brant's +brasher +brashly +brasses +brass's +bravado +bravely +bravery +brave's +bravest +braving +bravo's +bravura +brawled +brawler +brawl's +brawn's +braying +brazens +brazers +brazier +brazing +breaded +bread's +breadth +breaker +break's +breakup +bream's +breasts +breathe +breaths +breathy +breeder +breed's +breezed +breezes +Brendan +Brennan +Brenner +Brenton +Brent's +Brest's +Brett's +breve's +brevets +brevity +brewers +brewery +brewing +brewpub +Brianna +Brian's +bribers +bribery +bribe's +bribing +Brice's +bricked +brickie +brick's +bridals +bride's +bridged +Bridger +Bridges +bridges +Bridget +bridled +bridles +briefed +briefer +briefly +brief's +brier's +brigade +brigand +Brigham +brights +brimful +brimmed +brindle +brine's +bringer +brinier +brink's +brioche +brisked +brisker +brisket +briskly +bristle +bristly +Bristol +Britain +British +Britney +Britons +Britten +brittle +Britt's +broaden +broader +broadly +broad's +brocade +Brock's +brogans +brogues +broiled +broiler +broil's +brokers +bromide +bromine +bronchi +broncos +bronc's +Bronson +Bronx's +bronzed +bronzes +brooded +brooder +brood's +brooked +Brookes +brook's +broom's +brothel +brother +broth's +brought +browned +browner +Brownie +brownie +Brown's +brown's +browsed +browser +browses +Brubeck +Bruce's +Bruegel +bruin's +bruised +bruiser +bruises +bruited +Brummel +brunets +Bruno's +brunt's +brushed +brushes +brush's +brusque +brute's +brutish +Bryan's +Bryce's +Brynner +Bryon's +bubbled +bubbles +Buber's +buckets +buckeye +bucking +buckled +buckler +buckles +Buckley +Buckner +buckram +bucksaw +bucolic +Buddhas +buddies +budding +Buddy's +buddy's +budgets +budgies +budging +Buffalo +buffalo +buffers +buffets +buffing +buffoon +Buffy's +bugaboo +Bugatti +bugbear +buggers +buggery +buggier +buggies +bugging +buggy's +buglers +bugle's +bugling +Buick's +builder +build's +buildup +builtin +Bukhara +bulbous +Bulgari +bulge's +bulgier +bulging +bulimia +bulimic +bulkier +bulking +bulldog +bullets +bullied +bullies +bulling +bullion +bullish +Bullock +bullock +bullpen +bully's +bulrush +bulwark +bumbags +bumbled +bumbler +bumbles +bummers +bummest +bumming +bumpers +bumpier +bumping +bumpkin +bunched +bunches +bunch's +buncoed +bunco's +bundled +bundles +bungees +bunging +bungled +bungler +bungles +Bunin's +bunions +bunkers +bunking +bunnies +bunny's +bunting +buoyant +buoying +Burbank +burbled +burbles +burbs's +Burch's +burdens +burdock +bureaus +burgeon +burgers +Burgess +burgher +burgh's +burglar +burgled +burgles +burials +burka's +Burke's +Burks's +burlier +Burma's +Burmese +burners +Burnett +burning +burnish +burnout +Burns's +burping +burring +burrito +burro's +burrows +bursars +bursary +Bursa's +bursa's +burst's +Burundi +burying +busbies +busboys +busby's +Busch's +busgirl +bushels +Bushido +bushier +bushing +bushman +bushmen +busiest +buskers +busking +buskins +busload +busters +bustier +busting +bustled +bustles +busying +butcher +butches +butch's +butlers +butters +buttery +butte's +butties +butting +buttock +buttons +buyback +buyer's +buyouts +buzzard +buzzers +buzzing +Byers's +bygones +bylaw's +bylines +bypaths +byroads +Byronic +Byron's +byway's +bywords +cabal's +cabanas +cabaret +cabbage +cabbies +cabbing +cabby's +cabinet +cabin's +cable's +cabling +caboose +Cabot's +Cabrera +Cabrini +cacao's +cache's +cachets +caching +cackled +cackler +cackles +cadaver +caddied +caddies +caddish +cadence +cadenza +cadet's +Cadette +cadgers +cadging +Cadiz's +cadmium +cadre's +caducei +Caedmon +Caesars +caesura +caftans +cagiest +cagoule +Cahokia +cahoots +caimans +cairn's +Cairo's +caisson +caitiff +Caitlin +cajoled +cajoler +cajoles +Cajun's +calcify +calcine +calcite +calcium +calculi +caldera +Caleb's +Calgary +Calhoun +Caliban +caliber +caliper +caliphs +calking +calla's +callers +calling +callous +calmest +calming +caloric +calorie +calumet +calumny +Calvary +Calvert +calving +calypso +calyxes +calyx's +Camacho +cambers +cambial +cambium +cambric +Camelot +Camel's +camel's +cameo's +cameras +Cameron +Camilla +Camille +Camoens +campers +camphor +campier +camping +Camry's +Camus's +canal's +canapes +canapés +canards +canasta +cancans +cancels +Cancers +cancers +Candace +Candice +candida +Candide +candied +candies +candled +candler +candles +Candy's +candy's +caner's +canines +cankers +cannery +cannier +cannily +canning +cannons +canoe's +Canon's +canon's +Canopus +cantata +canteen +canters +canting +cantons +cantors +canto's +Cantu's +canvass +canyons +capable +capably +Capek's +Capella +capered +caper's +Capet's +capital +Capitol +capitol +caplets +capon's +capping +Capra's +caprice +Capri's +capsize +capstan +capsule +captain +caption +captive +captors +capture +Capulet +Caracas +carafes +caramel +carat's +caravan +caravel +caraway +carbide +carbine +carbons +carboys +carcass +carders +cardiac +cardies +Cardiff +carding +Cardozo +careens +careers +careful +carer's +caret's +Carey's +carfare +cargoes +cargo's +carhops +caribou +Carib's +carious +Carissa +carjack +Carla's +Carlene +carload +Carlo's +Carlson +Carlton +Carlyle +Carly's +Carmela +Carmelo +Carmine +carmine +carnage +carnies +carny's +carob's +caroled +caroler +Carol's +carol's +Carolyn +caromed +carom's +carotid +carouse +carpals +carpels +carpers +carpets +carping +carpool +carport +carrels +carried +Carrier +carrier +carries +carrion +Carroll +carrots +carroty +carry's +carsick +cartage +cartels +carters +Cartier +carting +cartons +cartoon +carvers +carvery +carving +casabas +cascade +cascara +Casey's +cashews +cashier +cashing +casings +casinos +Casio's +caskets +Caspian +Cassatt +cassava +cassias +Cassidy +Cassius +cassock +casters +caste's +casting +castled +castles +castoff +castors +casuals +casuist +Catalan +catalog +catalpa +catarrh +Catawba +catbird +catboat +catcall +catcher +catches +catch's +catered +caterer +catfish +cathode +Cathryn +Cathy's +cations +catkins +catlike +catnaps +catsuit +cattail +cattery +cattier +cattily +catting +catwalk +caulked +caulker +caulk's +causers +cause's +causing +caustic +caution +cavalry +caveats +caveman +cavemen +caverns +caviled +caviler +cavil's +cavorts +Cayenne +cayenne +Cayugas +cayuses +cease's +ceasing +Cebuano +Cecelia +Cecilia +Cecil's +cecum's +cedar's +ceder's +cedilla +ceilidh +ceiling +celesta +Celeste +Celia's +cellars +Cellini +cellist +cello's +Celsius +Celtics +cements +censers +censors +censure +centaur +centavo +centers +centime +Central +central +century +Cepheid +Cepheus +ceramic +cereals +cerebra +Ceres's +certain +certify +Cesar's +cession +cesspit +Cetus's +Cezanne +Chablis +Chadian +chaffed +chaff's +chafing +Chagall +chagrin +chained +chain's +chaired +chair's +chaises +Chaitin +Chaldea +chalets +chalice +chalked +chalk's +challis +chamber +chamois +champed +champ's +chanced +chancel +chances +chancre +Chandon +Chandra +changed +changer +changes +Chang's +channel +chanson +chanted +chanter +chantey +chant's +chaos's +chaotic +chapati +chapeau +chapels +chaplet +Chaplin +Chapman +chapped +chapter +charade +chard's +charged +charger +charges +charier +charily +chariot +Charity +charity +Charles +Charley +Charlie +charlie +charmed +charmer +Charmin +charm's +charred +charted +charter +chart's +chasers +Chase's +chase's +chasing +Chasity +chasm's +chassis +chasten +chaster +chateau +chatted +chattel +chatter +Chaucer +cheapen +cheaper +cheaply +cheated +cheater +cheat's +Chechen +checked +checker +check's +checkup +Cheddar +cheddar +cheeked +cheek's +cheeped +cheep's +cheered +cheerer +cheerio +Cheer's +cheer's +cheesed +cheeses +cheetah +Cheetos +Cheever +Chekhov +Chelsea +chemise +chemist +chemo's +Chengdu +Chennai +Cheri's +cherish +cheroot +chert's +cherubs +chervil +chess's +chested +Chester +chest's +Cheviot +cheviot +Chevron +chevron +Chevy's +chewers +chewier +chewing +Chianti +Chiba's +Chibcha +Chicago +Chicana +chicane +Chicano +chicest +chichis +chicken +chick's +chicory +chiding +chiefer +chiefly +chief's +chiffon +chigger +chignon +child's +Chilean +Chile's +chilies +chili's +chilled +chiller +chill's +Chimera +chimera +chimers +chime's +chiming +chimney +chimp's +Chimu's +China's +china's +chine's +Chinese +chinked +chink's +chinned +Chinook +chino's +Ch'in's +chintzy +chinwag +chipped +chipper +chippie +Chirico +chirped +chirp's +chirrup +chisels +chive's +chivied +chivies +Chloe's +chloral +chocked +chock's +Choctaw +choicer +choices +choir's +chokers +choke's +choking +cholera +chomped +chomper +chomp's +Chomsky +chooser +chooses +chopped +chopper +chorale +chorals +chordal +chord's +chore's +choroid +chortle +chowder +chowing +Chris's +Christa +Christi +Christs +chromed +chromes +chronic +château +chucked +chuckle +Chuck's +chuck's +chuffed +chugged +Chukchi +chukkas +Chumash +chummed +chump's +chunder +Chung's +chunked +chunk's +chunter +churl's +churned +churner +churn's +chute's +chutney +Chuvash +chyme's +cicadas +cider's +cigar's +Cimabue +cinched +cinches +cinch's +cinders +Cindy's +cinemas +ciphers +Cipro's +Circe's +circled +circles +circlet +circuit +cirques +Cisco's +cistern +citadel +citizen +Citroen +citrons +civet's +civilly +civvies +clacked +clack's +claimed +claimer +claim's +Clairol +Clair's +éclairs +clamber +clammed +clamors +clamped +clamp's +clanged +clanger +clangor +clang's +clanked +clank's +clapped +clapper +Clapton +claques +Clara's +Clare's +clarets +Clarice +clarify +clarion +clarity +Clark's +clashed +clashes +clash's +clasped +clasp's +classed +classes +classic +class's +éclat's +clatter +Claudia +Claudio +clausal +clauses +Claus's +clavier +clawing +clayier +Clayton +cleaned +cleaner +cleanly +cleanse +cleanup +cleared +clearer +clearly +clear's +cleat's +cleaved +cleaver +cleaves +cleft's +Clemens +Clement +clement +Clemons +Clemson +clerics +clerked +clerk's +clewing +Cliburn +clichéd +cliched +cliches +clichés +clicked +clicker +click's +clients +Cliff's +cliff's +Clifton +climate +climbed +climber +climb's +clime's +Cline's +clinger +cling's +clinics +clinked +clinker +clink's +Clinton +Clint's +clipped +clipper +cliques +cliquey +Clive's +cloacae +cloaked +cloak's +clobber +cloches +clocked +clock's +clogged +clomped +clone's +cloning +clonked +clonk's +clopped +Clorets +closely +close's +closest +closets +closeup +closing +Closure +closure +clothed +clothes +cloth's +clotted +cloture +clouded +cloud's +clouted +clout's +clovers +clove's +clowned +clown's +cloying +clubbed +clubber +clucked +cluck's +clumped +clump's +clunked +clunker +clunk's +cluster +clutter +Clyde's +coached +coaches +coach's +coaling +coarsen +coarser +coastal +coasted +coaster +coast's +coating +coaxers +coaxial +coaxing +cobbers +cobbled +cobbler +cobbles +cobnuts +COBOL's +cobra's +cobwebs +cocaine +Cochise +cochlea +Cochran +cockade +cockier +cockily +cocking +cockles +Cockney +cockney +cockpit +cocoa's +coconut +cocoons +Cocteau +codding +coddled +coddles +codeine +coder's +codex's +codfish +codgers +codices +codicil +coequal +coerced +coercer +coerces +coevals +coexist +coffees +coffers +coffins +cogency +cognacs +cognate +cohabit +Cohan's +coheirs +Cohen's +cohered +coheres +cohorts +coiffed +coiling +coinage +coiners +coining +Colbert +Colby's +coldest +Coleman +Colette +Colgate +colicky +colic's +Colin's +colitis +collage +collard +collars +collate +collect +Colleen +colleen +college +collide +Collier +collier +collies +Collins +colloid +collude +Cologne +cologne +Colombo +colonel +colones +Colon's +colon's +colored +color's +colossi +coltish +columns +comaker +combats +combers +combine +combing +combo's +Combs's +combust +comedic +comer's +comet's +comfier +comfits +comfort +comical +comic's +comings +command +comma's +commend +comment +commies +commits +commode +Commons +commons +commune +commute +Comoran +Comoros +compact +company +compare +compass +compeer +compels +compere +compete +compile +comping +complex +comport +compose +compost +compote +compère +Compton +compute +comrade +Comte's +Conakry +Conan's +concave +conceal +concede +conceit +concept +concern +concert +conchie +conch's +concise +concoct +Concord +concord +concurs +concuss +condemn +condign +condole +condoms +condone +condors +condo's +conduce +conduct +conduit +confabs +confers +confess +confide +confine +confirm +conform +confuse +confute +congaed +conga's +congeal +congers +congest +Congo's +conical +conic's +conifer +conjoin +conjure +conkers +conking +connect +Connery +conning +connive +Connors +connote +conquer +Conrail +consent +consign +consing +consist +console +consort +consuls +consult +consume +contact +contain +contemn +contend +content +contest +context +contort +contour +control +contuse +convene +convent +convert +conveys +convict +convoke +convoys +cookers +cookery +Cooke's +cookies +cooking +cookout +coolant +coolers +coolest +coolies +cooling +coopers +cooping +Coors's +cooties +copay's +copiers +copilot +copings +copious +Copland +coppers +coppery +copping +Coppola +copra's +copse's +copters +copulas +copycat +copying +copyist +coracle +coral's +corbels +cordage +cordial +cording +cordite +Cordoba +cordons +corer's +Corey's +Corfu's +corgi's +Corinne +Corinth +corkage +corkers +corking +Cormack +corncob +corneal +corneas +Cornell +corners +cornets +cornice +cornier +cornily +Corning +corning +Cornish +cornrow +corolla +coronal +coronas +coroner +coronet +Corot's +corpora +corpses +corps's +corrals +correct +corries +Corrine +corrode +corrupt +corsage +corsair +corsets +Corsica +cortege +cortège +Cosby's +coshing +cosigns +cosines +cosplay +Cossack +cossets +costars +costing +Costner +costume +coterie +Cotonou +cottage +cottars +cotters +cottons +cottony +couched +couches +couch's +cougars +coughed +cough's +coulees +coulées +Coulomb +coulomb +Coulter +council +counsel +counted +counter +country +count's +coupe's +coupled +couples +couplet +coupons +courage +Courbet +courier +coursed +courser +courses +courted +courtly +court's +cousins +couture +coven's +covered +cover's +coverts +coveted +covey's +cowards +cowbell +cowbird +cowboys +cowered +cowgirl +cowhand +cowherd +cowhide +cowlick +cowling +cowpats +cowpoke +cowries +cowshed +cowslip +coxcomb +coyness +coyotes +coypu's +cozened +coziest +Cozumel +crabbed +crabber +cracked +cracker +crackle +crackly +crack's +crackup +cradled +cradles +crafted +Craft's +craft's +Craig's +crammed +crammer +cramped +crampon +cramp's +Cranach +Crane's +crane's +cranial +craning +cranium +cranked +crank's +Cranmer +crape's +crapped +crapper +crappie +craps's +crashed +crashes +crash's +crasser +crassly +craters +crate's +crating +cravats +cravens +craving +crawdad +crawled +crawler +crawl's +Crayola +crayola +crayons +craze's +crazier +crazies +crazily +crazing +crazy's +crèches +creaked +creak's +creamed +creamer +cream's +creased +creases +created +creates +Creator +creator +creches +Crecy's +credits +credo's +creed's +Creek's +creek's +creel's +creeper +creep's +cremate +creme's +Creoles +creoles +Creon's +crepe's +cress's +crested +Crest's +crest's +Cretans +Crete's +cretins +crevice +crewing +crewman +crewmen +cribbed +cribber +cricked +cricket +Crick's +crick's +crier's +Crimean +crime's +crimped +crimp's +crimson +cringed +cringes +crinkle +crinkly +Criollo +cripple +crisped +crisper +crisply +crisp's +critics +critter +croaked +croak's +Croatia +Croat's +Croce's +crochet +crocked +crock's +Croesus +crofter +crone's +cronies +crony's +crooked +Crookes +crook's +crooned +crooner +croon's +cropped +cropper +croquet +crosier +crossed +crosser +crosses +crossly +Cross's +cross's +croûton +croup's +crouton +crowbar +crowded +crowd's +crowing +Crowley +crowned +crown's +crucial +crucify +crudely +crude's +crudest +crudity +crueler +cruelly +cruelty +cruet's +crufted +cruised +cruiser +cruises +cruller +crumbed +crumble +crumbly +crumb's +crumpet +crumple +crunchy +crupper +crusade +cruse's +crushed +crusher +crushes +crush's +crustal +crusted +crust's +crybaby +cryings +cryptic +crypt's +Crystal +crystal +Cthulhu +Cuban's +cuber's +cubical +cubicle +cubists +cubit's +cuboids +cuckold +cuckoos +cuddled +cuddles +cudgels +cuffing +cuisine +culling +culotte +culprit +cultism +cultist +culture +culvert +cumbers +cumin's +cumming +cumulus +cunning +cupcake +cupfuls +Cupid's +cupid's +cupolas +cupping +curaçao +curable +Curacao +curacao +curated +curates +curator +curbing +curdled +curdles +curer's +curfews +curia's +Curie's +curie's +curio's +curious +curlers +curlews +curlier +curling +currant +current +curried +Currier +curries +Curry's +curry's +curse's +cursing +cursive +cursors +cursory +curtail +curtain +curtest +curve's +curvier +curving +cushier +cushion +cuspids +cussing +custard +custody +customs +cutaway +cutback +cuticle +cutie's +cutlass +cutlers +cutlery +cutlets +cutoffs +cutouts +cutters +cutting +cutup's +cutworm +Cuzco's +cyanide +cyborgs +cycle's +cycling +cyclist +cyclone +Cyclops +cyclops +cygnets +cymbals +cynical +cynic's +Cynthia +cypress +Cyprian +Cypriot +Cyril's +Cyrus's +czarina +czarism +czarist +Czechia +Czech's +dabbers +dabbing +dabbled +dabbler +dabbles +dacha's +Dacrons +dactyls +Dadaism +dadaism +dadaist +daddies +daddy's +daemons +daffier +daftest +daggers +Dagwood +dahlias +Dahomey +dailies +daily's +Daimler +dairies +dairy's +daisies +Daisy's +daisy's +Dakar's +Dakotan +Dakotas +Daley's +dallied +dallier +dallies +damaged +damages +damasks +damming +damning +Damon's +dampens +dampers +dampest +damping +damsels +damsons +Danae's +Danaë's +dancers +dance's +dancing +dandier +dandies +dandify +dandled +dandles +dandy's +Danelaw +dangers +danging +dangled +dangler +dangles +Daniels +dankest +Danny's +Dante's +dappled +dapples +Darby's +Darcy's +Daren's +darer's +daresay +Darin's +Dario's +darkens +darkest +darkies +Darla's +Darlene +Darling +darling +Darnell +darners +darning +Darrell +darters +Darth's +darting +Daryl's +dashers +dashiki +dashing +dastard +dater's +datives +datum's +daubers +daubing +Daumier +daunted +dauphin +Davao's +David's +Davis's +davit's +dawdled +dawdler +dawdles +Dawes's +Dawkins +dawning +daybeds +daycare +daylong +daytime +dazedly +dazzled +dazzler +dazzles +deacons +deadens +deadest +deadpan +deafens +deafest +dealers +dealing +Deana's +Deandre +deanery +Deann's +dearest +dearies +dearths +deary's +deathly +Death's +death's +debacle +debarks +debased +debases +debated +debater +debates +debauch +Debby's +debited +debit's +Deborah +debouch +Debra's +debrief +debtors +debunks +Debussy +debuted +debut's +decades +decaffs +decaf's +decagon +decal's +decamps +decants +Decatur +decayed +decay's +Decca's +decease +deceits +deceive +decency +decibel +decided +decider +decides +decimal +decking +deckles +declaim +declare +declaws +decline +decoded +decoder +decodes +decor's +decorum +decoyed +decoy's +decreed +decrees +decried +decries +deduced +deduces +deducts +deeding +deejays +deeming +Deena's +deepens +deepest +Deere's +defaced +defacer +defaces +defamed +defamer +defames +default +defeats +defects +defends +defense +deffest +defiant +deficit +defiled +defiler +defiles +defined +definer +defines +deflate +deflect +Defoe's +deforms +defraud +defrays +defrock +defrost +deftest +defunct +defused +defuses +defying +degases +Degas's +degrade +degrees +deicers +deicing +deified +deifies +deigned +Deirdre +deism's +deistic +deist's +deities +deity's +dejects +Dejesus +Delaney +delayed +delayer +delay's +Delbert +deleted +deletes +delft's +Delgado +Delhi's +Delia's +Delibes +delight +Delilah +delimit +deliver +Della's +Delores +Deloris +delouse +Delphic +Delta's +delta's +deluded +deludes +deluged +deluges +delvers +delving +demands +demeans +demerit +Demerol +demesne +Demeter +demigod +demised +demises +demists +demoing +demonic +demon's +demoted +demotes +demotic +demount +Dempsey +demurer +demur's +Deneb's +denials +deniers +denim's +Denis's +denizen +Denmark +Denny's +denoted +denotes +densely +densest +density +denting +dentist +denture +denuded +denudes +denying +departs +depends +depicts +deplane +deplete +deplore +deploys +deports +deposed +deposes +deposit +depot's +deprave +depress +deprive +depth's +deputed +deputes +derails +derange +derbies +Derby's +derby's +Derek's +derided +derides +derived +derives +Derrick +derrick +Derrida +dervish +desalts +descale +descant +descend +descent +deserts +deserve +designs +desired +Desiree +desires +desists +deskill +desktop +Desmond +despair +despise +despite +despoil +despots +dessert +destine +destiny +destroy +details +detains +detects +detente +detests +detours +detoxed +detoxes +detox's +detract +Detroit +deuce's +devalue +develop +deviant +deviate +devices +deviled +devilry +devil's +Devin's +devious +devised +devises +devolve +Devon's +devoted +devotee +devotes +devours +Dewar's +Dewayne +dewclaw +dewdrop +Dewey's +dewiest +dewlaps +Dhaka's +dhoti's +diadems +diagram +dialect +dialing +diamond +Diana's +Diane's +Diann's +diapers +diaries +diarist +diary's +diatoms +dibbled +dibbles +diciest +Dickens +dickens +dickers +dickeys +Dickson +dictate +diction +diddled +diddler +diddles +diddums +Diderot +Diego's +diesels +dietary +dieters +dieting +differs +diffing +diffuse +digests +diggers +digging +digicam +digital +digit's +dignify +dignity +digraph +digress +Dijon's +diktats +dilated +dilates +dilator +Dilbert +dilemma +Dillard +dillies +dilly's +diluent +diluted +dilutes +dimmers +dimmest +dimming +dimness +dimpled +dimples +dimwits +Dinah's +dinar's +diner's +dinette +dingbat +dingier +dingily +dinging +dingles +dingoes +dingo's +dinkier +dinkies +dinky's +dinners +dinning +diocese +diode's +diorama +dioxide +dioxins +diploid +diploma +dipoles +dippers +dippier +dipping +diptych +Dirac's +directs +direful +dirge's +dirndls +dirtied +dirtier +dirties +dirtily +disable +disarms +disavow +disband +disbars +discard +discern +discoed +discord +disco's +discuss +disdain +disease +disgust +dishing +dishpan +dishrag +dislike +dismays +dismiss +disobey +disowns +dispels +display +disport +dispose +dispute +disrobe +disrupt +dissect +dissent +dissing +distaff +distant +distend +distill +distort +disturb +disused +disuses +ditched +ditches +ditch's +dithers +ditties +dittoed +ditto's +ditty's +diurnal +divan's +diverge +diver's +diverse +diverts +divests +divided +divider +divides +divined +diviner +divines +divisor +divorce +divot's +divulge +divvied +divvies +divvy's +Dixie's +Dixon's +dizzied +dizzier +dizzies +dizzily +dobbing +dobbins +Dobro's +docents +dockers +dockets +docking +doctors +dodders +doddery +dodgems +dodgers +Dodge's +dodge's +dodgier +dodging +Dodgson +doeskin +doesn't +doffing +dogcart +dogfish +doggier +doggies +dogging +doggone +doggy's +dogie's +doglegs +doglike +dogma's +dogsled +dogtrot +dogwood +doilies +doily's +doing's +Dolby's +doleful +dollars +dollies +dolling +dollops +Dolly's +dolly's +dolmens +Dolores +dolor's +dolphin +doltish +domains +Domingo +Dominic +Donahue +donated +donates +Donetsk +donging +dongles +donkeys +Donna's +Donnell +Donne's +donning +donnish +Donny's +donor's +Donovan +doodads +doodahs +doodled +doodler +doodles +dooming +doorman +doormat +doormen +doorway +doper's +dopiest +Doppler +Doric's +Doris's +Doritos +dorkier +dormant +dormers +dormice +Dorothy +dosages +dossers +dossier +dossing +dotards +dotcoms +doter's +dottier +dotting +Douay's +doubled +doubles +doublet +doubted +doubter +doubt's +douched +douches +dough's +doughty +Douglas +dourest +Douro's +dousing +dovecot +Dover's +dowager +dowdier +dowdies +dowdily +doweled +dowel's +dowered +dower's +downers +downier +downing +Downs's +Downy's +dowries +dowry's +dowsers +dowsing +doyenne +doyen's +Doyle's +dozen's +dozenth +doziest +drabber +drachma +Draco's +Dracula +drafted +draftee +drafter +draft's +dragged +dragnet +dragons +dragoon +drained +drainer +drain's +Drake's +drake's +drama's +Drano's +drapers +drapery +drape's +draping +drastic +dratted +drawers +drawing +drawled +drawl's +dreaded +dread's +dreamed +dreamer +dream's +dredged +dredger +dredges +dregs's +Dreiser +Dürer's +Dresden +dressed +dresser +dresses +dress's +Dreyfus +dribble +driblet +drier's +drifted +drifter +drift's +drilled +driller +drill's +drinker +drink's +dripped +Dristan +drivels +drivers +drive's +driving +drizzle +drizzly +drogues +droller +drone's +droning +drooled +drool's +drooped +droop's +Dropbox +droplet +dropout +dropped +dropper +dross's +drought +drovers +drove's +drowned +drowsed +drowses +drubbed +drubber +drudged +drudges +drugged +druggie +druid's +drumlin +drummed +drummer +drunken +drunker +drunk's +drupe's +dryad's +dryer's +dryness +drywall +détente +dualism +duality +Duane's +Dubai's +dubbers +dubbing +Dubhe's +dubiety +dubious +ducat's +Duchamp +duchess +duchies +duchy's +duckier +duckies +ducking +ducky's +ductile +ducting +dudgeon +duelers +dueling +duelist +duennas +duffers +duffing +Duffy's +dugouts +dukedom +dullard +dullest +dulling +Dumas's +dumbest +Dumbo's +dumdums +dummies +dummy's +dumpers +dumpier +dumping +dunce's +Dunedin +dungeon +dunging +dunking +Dunkirk +Dunne's +dunnest +dunning +duodena +duopoly +duper's +durable +durably +durance +Duran's +Durante +Durer's +Durex's +Durhams +Duroc's +durum's +duskier +dustbin +dusters +dustier +dusting +dustman +dustmen +dustpan +Dusty's +Dutch's +duteous +dutiful +duvet's +Dvina's +dwarfed +dwarf's +dweeb's +dweller +dwindle +dybbuks +dying's +Dylan's +dynamic +dynamos +dynasty +Dyson's +eagerer +eagerly +eagle's +eaglets +earache +earbuds +eardrum +earfuls +Earhart +earldom +Earlene +Earle's +earlier +Earline +earlobe +earmark +earmuff +earners +Earnest +earnest +earning +earplug +earring +earshot +earthed +earthen +earthly +earth's +earwigs +easel's +easiest +Eastern +eastern +Easters +Eastman +eatable +eater's +Eaton's +Ebert's +Ebola's +Ebonics +ebonies +Ebony's +ebony's +echelon +echidna +echoing +eclairs +eclat's +eclipse +eclogue +ecocide +ecology +economy +Ecstasy +ecstasy +Ecuador +edamame +Eddie's +eddying +edema's +Edgardo +Edgar's +edger's +edgiest +edgings +edibles +edict's +edifice +edified +edifier +edifies +Edith's +editing +edition +editors +Edsel's +Eduardo +educate +educing +Edwardo +Edwards +Edwin's +eeriest +effaced +effaces +effects +effendi +Effie's +efforts +effused +effuses +Efren's +eggcups +egghead +egoists +egotism +egotist +egret's +Egypt's +Ehrlich +eider's +eighths +eight's +ejected +ejector +eland's +elapsed +elapses +elastic +elating +elation +elbowed +elbow's +elderly +elder's +Eldon's +Eleanor +Eleazar +elected +elector +Electra +elect's +elegant +elegiac +elegies +elegy's +element +Elena's +elevate +elevens +Elgar's +Elias's +elicits +eliding +Eliot's +Elisa's +Elise's +elision +elite's +elitism +elitist +elixirs +Eliza's +Ellen's +Ellie's +Elliott +ellipse +Ellison +Ellis's +Elmer's +elodeas +eloping +Elroy's +Elsie's +Eltanin +Elton's +eluding +elusive +elver's +Elvia's +Elvin's +Elvis's +Elway's +Elysian +Elysium +Emacs's +emailed +email's +emanate +Emanuel +embalms +embanks +embargo +embarks +embassy +ember's +emblems +embower +embrace +embroil +embryos +emcee's +emended +emerald +emerged +emerges +emerita +Emerson +Emery's +emery's +emetics +emigres +Emile's +Emily's +eminent +emirate +emitted +emitter +emoji's +Emory's +emoting +emotion +emotive +empathy +emperor +empires +empiric +employs +empower +empress +emptied +emptier +empties +emptily +empty's +emulate +enabled +enabler +enables +enacted +enamels +enamors +encamps +Encarta +encased +encases +enchain +enchant +enclave +enclose +encoded +encoder +encodes +encored +encores +encrust +encrypt +encysts +endears +endemic +endgame +endings +endives +endless +endmost +endorse +endowed +enduing +endured +endures +endways +enema's +enemies +enemy's +enfolds +enforce +engaged +engages +engines +England +English +engorge +engrams +engrave +engross +engulfs +enhance +enigmas +enjoins +enjoyed +enlarge +enlists +enliven +ennoble +ennui's +Enoch's +enplane +enraged +enrages +Enrique +enrolls +Enron's +ensigns +enslave +ensnare +ensuing +ensured +ensurer +ensures +entails +entente +enteral +entered +enteric +enthuse +enticed +entices +entitle +entombs +entrant +entraps +entreat +entrees +entrées +entries +entropy +entrust +entry's +entwine +envelop +envenom +envious +envoy's +envying +enzymes +epaulet +Epcot's +Ephesus +Ephraim +epicure +epigram +episode +Epistle +epistle +epitaph +epithet +epitome +epochal +epoch's +epoxied +epoxies +epoxy's +epsilon +Epsom's +Epson's +Epstein +equable +equably +equaled +equally +equal's +equated +equates +equator +equerry +equines +equinox +erasers +erasing +Erasmus +erasure +Erato's +erected +erectly +Erector +erector +erelong +eremite +Erewhon +ergot's +Erica's +Erich's +Erick's +Erika's +Eritrea +ermines +Ernesto +Ernie's +Ernst's +eroding +erosion +erosive +erotica +erotics +errands +erratas +erratic +erratum +Errol's +error's +eructed +erudite +erupted +ErvIn's +Erwin's +escaped +escapee +escapes +eschews +escorts +escrows +escudos +Eskimos +espouse +espying +Esquire +esquire +essayed +essayer +essay's +essence +Essen's +Essex's +Essie's +estates +Esteban +esteems +Estella +Estelle +Ester's +ester's +Estes's +Estonia +Estrada +estrous +estuary +etchers +etching +eternal +ethanol +Ethan's +Ethel's +ether's +ethical +ethic's +ethnics +ethos's +ethyl's +Etruria +etude's +euchred +euchres +Eugenia +eugenic +Eugenie +Eugenio +Euler's +eunuchs +euphony +Eurasia +Euterpe +evacuee +evaders +evading +Evans's +evasion +evasive +evenest +evening +event's +Everest +Everett +Evert's +Evian's +evicted +evident +evilest +eviller +evinced +evinces +Evita's +evoking +evolved +evolves +Ewing's +exabyte +exacted +exacter +exactly +exalted +examine +example +exceeds +excepts +excerpt +excised +excises +excited +exciter +excites +exclaim +exclude +excreta +excrete +excused +excuses +execute +exempts +exerted +exhaled +exhales +exhaust +exhibit +exhorts +exhumed +exhumes +exigent +exile's +exiling +existed +exiting +exotica +exotics +expands +expanse +expects +expends +expense +experts +expiate +expired +expires +explain +explode +exploit +explore +exports +exposed +exposes +expound +express +expunge +extends +extents +extinct +extorts +extract +extra's +extreme +extrude +exuding +exulted +exurban +exurbia +exurb's +Exxon's +eyeball +eyebrow +eyefuls +eyelash +eyeless +eyelets +eyelids +eyesore +eyewash +Eysenck +Ezekiel +Fabergé +Faberge +Fabians +fable's +fabrics +facades +faceted +facet's +facials +facings +faction +factoid +factors +factory +factual +faculty +faddish +faddist +faïence +faeries +faffing +fagging +faggots +Fagin's +fagot's +faience +failing +failure +fainest +fainted +fainter +faintly +faint's +fairest +fairies +fairing +fairway +fairy's +Faith's +faith's +fajitas +faker's +fakir's +Falasha +falcons +fallacy +falling +falloff +fallout +fallows +falsely +falsest +falsies +falsify +falsity +falters +Falwell +famines +fanatic +fanboys +fancied +fancier +fancies +fancily +fancy's +fanfare +fannies +fanning +Fanny's +fanny's +fantail +fantasy +fanzine +Faraday +farad's +faraway +farce's +Fargo's +farmers +farming +farrago +Farrell +farrier +farrows +Farsi's +farther +farting +fascias +fascism +fascist +fashion +fastens +fastest +fasting +Fatah's +fatally +fatback +fateful +Fates's +fathead +Fathers +fathers +fathoms +fatigue +Fatimid +fatness +fattens +fattest +fattier +fatties +fatty's +fatuity +fatuous +fatwa's +faucets +faulted +fault's +fauna's +Faust's +Faustus +fauvism +fauvist +favored +favor's +fawners +fawning +fearful +fearing +feasted +feaster +feast's +feather +feature +febrile +feces's +Federal +federal +FedEx's +fedoras +feebler +feedbag +feeders +feeding +feedlot +feelers +feeling +feigned +feinted +feint's +Felecia +Felicia +felines +Felix's +fellers +fellest +felling +Fellini +fellows +felon's +felting +females +femoral +femur's +fencers +fence's +fencing +fenders +fending +ferment +Fermi's +fermium +fernier +Ferrari +Ferraro +Ferrell +ferrets +ferried +ferries +ferrous +ferrule +ferry's +fertile +ferules +fervent +fessing +festers +festive +festoon +fetched +fetcher +fetches +fetlock +fetters +fetuses +fetus's +feuding +fevered +fever's +fewness +Feynman +fiancée +fiancee +fiances +fiancés +fibbers +fibbing +fiber's +fibrils +fibroid +fibrous +fibulae +fibular +fiche's +fichu's +fickler +fiction +fictive +ficus's +fiddled +fiddler +fiddles +Fidel's +fidgets +fidgety +fiefdom +fielded +fielder +field's +fiend's +fiercer +fierier +fiestas +fifer's +fifteen +fifthly +fifth's +fifties +fifty's +fighter +fight's +figment +figured +figures +Fijians +filbert +filched +filches +filer's +filings +fillers +fillets +fillies +filling +fillips +filly's +filmier +filming +Filofax +filters +filth's +finagle +finales +finally +final's +finance +finches +Finch's +finch's +finders +finding +finesse +fingers +finials +finical +finicky +finises +finis's +finking +Finland +Finnish +Fiona's +firearm +firebox +firebug +firefly +Firefox +fireman +firemen +firer's +firings +firmest +firming +firstly +first's +firth's +fiscals +Fischer +fishers +fishery +fishier +fishily +fishing +fishnet +fissile +fission +fissure +fistful +fistula +Fitch's +fitment +fitness +fitters +fittest +fitting +Fitzroy +fixable +fixated +fixates +fixedly +fixer's +fixings +fixture +fizzier +fizzing +fizzled +fizzles +fjord's +flaccid +flack's +flagged +flagman +flagmen +flagons +flailed +flail's +flair's +flake's +flakier +flaking +flamage +flambes +flamers +flame's +flaming +flanges +flanked +flanker +flank's +flannel +flapped +flapper +flare's +flareup +flaring +flashed +flasher +flashes +flash's +flask's +flatbed +flatcar +flatlet +flatted +flatten +flatter +flattop +Flatt's +flaunts +flavors +flawing +flaying +fleabag +fleapit +flecked +fleck's +fledged +fleeced +fleecer +fleeces +fleeing +fleeted +fleeter +fleetly +fleet's +Fleming +Flemish +fleshed +fleshes +fleshly +flesh's +flexing +flexion +flicked +flicker +flick's +flier's +flights +flighty +fling's +Flint's +flint's +flipped +flipper +flirted +flirt's +flitted +floated +floater +float's +flocked +flock's +flogged +flogger +flooded +flooder +flood's +floored +floor's +flopped +Flora's +flora's +florets +Florida +Florine +florins +florist +Flory's +flossed +flosses +Flossie +floss's +flotsam +flounce +flouncy +floured +flour's +flouted +flouter +flout's +Flowers +flowers +flowery +flowing +Floyd's +flubbed +fluency +fluffed +fluff's +fluidly +fluid's +fluke's +flukier +flume's +flummox +flunked +flunk's +flushed +flusher +flushes +flush's +fluster +flute's +fluting +flutist +flutter +fluvial +fluxing +flyable +flyaway +flyby's +flyleaf +Flynn's +flyover +flypast +flytrap +flyways +foaling +foamier +foaming +fobbing +focally +focused +focuses +focus's +fodders +foggier +foggily +fogging +foghorn +fogyish +foibles +foiling +foisted +folders +folding +foldout +Foley's +Folgers +foliage +folio's +folkway +follies +follows +folly's +foments +fondant +Fonda's +fondest +fondled +fondles +fondues +foodies +foolery +fooling +foolish +footage +footers +footing +footman +footmen +footsie +foppery +foppish +foraged +forager +forages +forayed +foray's +forbade +forbear +forbids +forbore +forceps +force's +forcing +fording +forearm +foreign +foreleg +Foreman +foreman +foremen +foresaw +foresee +forests +forever +forfeit +forgave +forgers +forgery +forge's +forgets +forging +forgive +forgoer +forgoes +forgone +forkful +forking +forlorn +formals +formats +Formica +forming +Formosa +formula +Forrest +forsake +forsook +Forster +forte's +forties +fortify +FORTRAN +fortune +forty's +forum's +forward +forwent +Fosse's +fossils +fosters +Fotomat +foulard +foulest +fouling +founded +founder +foundry +fount's +Fourier +fourths +fowling +foxfire +foxhole +foxhunt +foxiest +foxtrot +foyer's +fracked +fractal +fragile +frailer +frailly +frailty +framers +frame's +framing +Frances +Francis +franc's +franked +Frankel +franker +Frankie +frankly +Frank's +frank's +frantic +Franz's +frappes +fraud's +fraught +fraying +Frazier +frazzle +freaked +freak's +freckle +freckly +Freda's +Freddie +Fredric +freebie +freedom +freeing +Freeman +freeman +freemen +freesia +freeway +freezer +freezes +freight +Fremont +Freon's +freshen +fresher +freshet +freshly +Fresnel +fretful +fretsaw +fretted +Freud's +Freya's +friable +friar's +Fridays +fridges +Friedan +Friends +friends +friezes +frigate +frigged +frights +frilled +frill's +fringed +fringes +Frisbee +Frisian +frisked +frisson +Frito's +fritter +Fritz's +fritz's +frizzed +frizzes +frizzle +frizzly +frizz's +frock's +Frodo's +frogman +frogmen +frolics +Fromm's +frond's +frontal +fronted +front's +frosh's +frosted +Frost's +frost's +frothed +froth's +froward +frowned +frown's +fruited +fruit's +frump's +frustum +fryer's +fuchsia +Fuchs's +fuckers +fucking +fuddled +fuddles +fudge's +fudging +fuehrer +fueling +Fuentes +fugue's +fuhrers +Fujitsu +Fukuoka +fulcrum +fulfill +fullers +fullest +fulling +fulsome +fumbled +fumbler +fumbles +fumiest +funding +Fundy's +funeral +funfair +fungoid +fungous +funkier +funking +funnels +funnest +funnier +funnies +funnily +funny's +furbish +furious +furling +furlong +furnace +furnish +furor's +furrier +furring +furrows +further +furtive +furze's +fusee's +fusible +fusions +fussier +fussily +fussing +fusspot +fustian +fustier +futon's +futures +futzing +fuzzier +fuzzily +fuzzing +gabbier +gabbing +gabbled +gabbles +gabfest +Gable's +gable's +Gabon's +Gabriel +gadders +gadding +gadgets +Gadsden +gaffers +gaffe's +gaffing +Gagarin +gagging +gaggles +gainers +gainful +gaining +gainsay +gaiters +Galahad +Galatea +Galatia +Galen's +Galilee +Galileo +gallant +galleon +gallery +galleys +galling +gallium +gallons +gallops +Gallo's +gallows +galoots +galumph +Galvani +Gamay's +Gambian +gambits +gambled +gambler +gambles +gambols +gametes +gametic +gamiest +gamines +gamin's +gamma's +Gamow's +gamut's +Gandalf +ganders +Ganesha +ganging +ganglia +gangsta +Gangtok +gangway +gannets +gantlet +garaged +garages +garbage +garbing +garbled +garbles +Garbo's +garcons +gardens +Gardner +garfish +gargled +gargles +Garland +garland +garment +garners +garnets +garnish +garçons +garrets +Garrett +Garrick +garrote +Garry's +garters +Garth's +Garza's +gasbags +Gascony +gaseous +gashing +gaskets +gasohol +gasping +gassier +gassing +gastric +gateaux +Gates's +gateway +gathers +Gatling +gator's +Gatun's +gaucher +gauchos +gaudier +gaudily +gauge's +gauging +Gauguin +Gaulish +gaunter +Gauss's +Gautama +Gautier +gauze's +gauzier +gavel's +Gavin's +gavotte +gawkier +gawkily +gawking +gawping +Gayle's +gayness +gazebos +gazelle +gazer's +gazette +gazumps +Gödel's +gearbox +gearing +gecko's +geekier +geezers +Gehenna +gelatin +gelding +gelling +Geminis +genders +general +generic +geneses +Genesis +genesis +genetic +Genet's +Genghis +genie's +genital +genning +Genoa's +genomes +genre's +genteel +gentian +gentile +gentled +gentler +gentles +genuine +genus's +geode's +geodesy +geology +Georges +Georgia +Gerardo +gerbils +Geritol +germane +Germans +Germany +Gerry's +gerunds +gestalt +Gestapo +gestapo +gestate +gesture +getaway +getting +Getty's +getup's +gewgaws +geysers +Ghana's +ghastly +Ghats's +Ghent's +gherkin +ghettos +ghosted +ghostly +ghost's +ghoul's +giant's +Giauque +gibbers +gibbets +gibbons +gibbous +Gibbs's +giblets +giddier +giddily +Gielgud +gifting +gigabit +gigging +giggled +giggler +giggles +gigolos +Gilbert +Gilda's +gilders +gilding +Giles's +Gilliam +Gillian +gillies +gillion +Gilmore +gimbals +gimlets +gimme's +gimmick +gimping +gingers +gingery +gingham +ginning +Ginny's +ginseng +Ginsu's +giraffe +girders +girding +girdled +girdles +girlish +girth's +girting +Giselle +given's +giver's +givings +gizmo's +gizzard +glacéed +glaceed +glacial +glacier +gladden +gladder +glade's +glamour +glanced +glances +glandes +gland's +glans's +glare's +glaring +Glasgow +glassed +glasses +Glass's +glass's +Glaxo's +glaze's +glazier +glazing +gleamed +gleam's +gleaned +gleaner +Gleason +gleeful +Glenn's +glenoid +glibber +gliders +glide's +gliding +glimmer +glimpse +glinted +glint's +glisten +glister +glitter +glitz's +gloated +gloat's +globe's +globing +globule +gloom's +gloried +glories +glorify +glory's +glossed +glosses +gloss's +glottal +glottis +glove's +gloving +glowers +glowing +glucose +gluiest +glummer +glutted +glutton +gnarled +gnarl's +gnashed +gnashes +gnash's +gnawing +gnocchi +gnome's +gnomish +Gnostic +goading +goalies +goatees +gobbets +gobbing +gobbled +gobbler +gobbles +goblets +goblins +goddamn +Goddard +goddess +Godel's +Godhead +godhead +godhood +godless +godlier +godlike +Godot's +godsend +godsons +Godunov +Goering +gofer's +goggled +goggles +Gogol's +Goiania +going's +goiters +Golan's +Golda's +Golding +Goldman +Goldwyn +golfers +golfing +Golgi's +Goliath +gollies +golly's +Gomez's +Gompers +Gomulka +gonadal +gonad's +gondola +goner's +gonging +Gonzalo +goobers +Goodall +goodbye +goodies +goodish +Goodman +goods's +Goodwin +goody's +goofier +goofing +googled +googles +gooiest +goose's +goosing +gophers +Gordian +Goren's +Gorey's +gorge's +gorging +gorgons +goriest +gorilla +Gorky's +gorse's +goshawk +gosling +Gospels +gospels +gossips +gossipy +gotchas +Gothics +gouache +Gouda's +gougers +gouge's +gouging +goulash +Gould's +gourdes +gourd's +gourmet +goutier +governs +gowning +grabbed +grabber +Grace's +grace's +gracing +grackle +gradate +graders +grade's +grading +gradual +Grady's +grafted +grafter +Grafton +graft's +Grahame +grahams +Grail's +grained +grain's +grammar +grampus +Granada +granary +grandam +grandee +grander +grandly +grandma +grandpa +grand's +granges +granite +granola +granted +grantee +granter +Grant's +grant's +granule +grape's +graphed +graphic +graph's +grapnel +grapple +grasped +grasp's +grassed +grasses +Grass's +grass's +graters +grate's +gratify +grating +gratins +gravels +gravely +grave's +gravest +gravies +graving +gravity +gravy's +grayest +graying +grayish +grazers +graze's +grazing +greased +greaser +greases +greater +greatly +great's +grebe's +Grecian +greed's +Greek's +Greeley +greened +greener +greenly +Green's +green's +Greer's +greeted +greeter +Gregg's +Gregory +gremlin +Grenada +grenade +Grendel +grepped +Gresham +Greta's +Gretzky +gribble +griddle +grief's +Grieg's +grieved +griever +grieves +Griffin +griffin +griffon +grilled +grilles +grill's +grimace +grime's +grimier +griming +grimmer +Grimm's +grinder +grind's +gringos +grinned +gripers +gripe's +griping +gripped +gripper +gristle +gristly +grist's +grits's +gritted +gritter +grizzle +grizzly +groaned +groan's +groat's +grocers +grocery +groin's +grokked +grommet +Gromyko +groomed +groomer +groom's +grooved +grooves +gropers +grope's +groping +Gropius +grossed +grosser +grosses +grossly +Gross's +gross's +Grosz's +Grotius +grouchy +grounds +grouped +grouper +groupie +group's +groused +grouser +grouses +grouted +grout's +grovels +grove's +growers +growing +growled +growler +growl's +grownup +growths +grubbed +grubber +grudged +grudges +gruel's +gruffer +gruffly +grumble +Grumman +grump's +grunges +grunion +grunted +grunt's +Gruyere +Gruyère +guanine +guano's +Guarani +guarani +guarded +guarder +guard's +guava's +Gucci's +guessed +guesser +guesses +guess's +guested +guest's +Guevara +guffaws +guiders +guide's +guiding +guilder +guild's +guile's +guilt's +Guinean +guineas +guise's +guitars +Guiyang +Gujarat +gulag's +gulches +gulch's +guldens +gullets +gullies +gulling +gully's +gulpers +gulping +gumball +gumboil +gumboot +gumbo's +gumdrop +gummier +gumming +gumshoe +gunboat +gunfire +gunnels +gunners +gunnery +gunning +gunny's +gunship +gunshot +Gunther +gunwale +Guofeng +guppies +guppy's +Gupta's +gurgled +gurgles +gurneys +gushers +gushier +gushing +gussets +gussied +gussies +Gustavo +gustier +gustily +gusting +gusto's +Guthrie +gutless +gutsier +gutters +guttier +gutting +guvnors +guzzled +guzzler +guzzles +Gwalior +gymnast +gymslip +gyppers +gypping +Gypsies +gypsies +gypster +Gypsy's +gypsy's +gyrated +gyrates +gyrator +Haber's +habitat +habit's +habitué +habitue +hackers +hacking +hackish +hackles +hackney +hacksaw +Hadar's +haddock +Hades's +Hadrian +Hafiz's +hafnium +Hagar's +haggard +haggish +haggled +haggler +haggles +Hague's +hahnium +Haida's +Haifa's +haiku's +hailing +haircut +hairdos +hairier +hairnet +hairpin +Haitian +Haiti's +hajji's +Hakka's +Hakluyt +halal's +halberd +halcyon +Haldane +Haley's +halfway +halfwit +halibut +Halifax +halloos +hallows +hallway +halogen +haloing +Halon's +halters +halting +halving +halyard +Haman's +Hamburg +hamburg +Hamhung +Hamitic +hamlets +hammers +Hammett +hammier +hamming +hammock +Hammond +hampers +Hampton +hamster +Hancock +handbag +handcar +handful +handgun +handier +handily +handing +handled +handler +handles +handout +handsaw +handset +Handy's +Haney's +hangars +hangdog +hangers +hanging +hangman +hangmen +hangout +hangups +hankers +hankies +Hanna's +Hanoi's +Hanover +hansoms +hapless +haploid +happens +happier +happily +harbors +hardens +hardest +hardhat +hardier +hardily +Harding +hardtop +Hardy's +harelip +harem's +haricot +harking +harlots +harmful +harming +harmony +harness +Harpies +harpies +harping +harpist +harpoon +Harpy's +harpy's +Harrell +harried +harrier +harries +Harriet +Harrods +harrows +Harry's +harsher +harshly +Harte's +Hartman +Harvard +harvest +hashing +hashish +hashtag +Hasidim +Haskell +hassled +hassles +hassock +hastens +haste's +hastier +hastily +hasting +hatband +hatched +hatches +hatchet +hatch's +hateful +hater's +hatpins +hatreds +hatters +hatting +hauberk +haughty +haulage +haulers +haulier +hauling +haunted +haunter +haunt's +Hausa's +hauteur +Havanas +Havarti +Havel's +haven's +haven't +havoc's +hawkers +Hawking +hawking +Hawkins +hawkish +hawsers +haycock +Haydn's +Hayek's +Hayes's +hayloft +haymows +hayrick +hayride +hayseed +Hayward +haywire +Haywood +hazards +Hazel's +hazel's +hazer's +haziest +hazings +Hazlitt +headers +headier +headily +heading +headman +headmen +headpin +headset +headway +healers +healing +healthy +heaping +hearers +hearing +hearken +hearsay +hearses +hearten +hearths +heart's +heaters +heathen +Heather +heather +Heath's +heath's +heating +heavens +heavers +heave's +heavier +heavies +heavily +heaving +heavy's +Hebraic +Hebrews +heckled +heckler +heckles +hectare +hectors +hedgers +hedge's +hedging +heedful +heeding +heehaws +heeling +heftier +heftily +hefting +Hegel's +hegiras +Heidi's +heifers +Heifetz +heights +Heine's +heinous +Heinz's +heiress +Heisman +heisted +heist's +Helen's +Helga's +helical +helices +Helicon +helipad +helix's +hellcat +Hellene +hellion +hellish +Hellman +hello's +helluva +helmets +Heloise +helot's +helpers +helpful +helping +helve's +hemline +hemlock +hemmers +hemming +Hench's +Hendrix +hennaed +henna's +henpeck +Henri's +Henry's +Hensley +heparin +hepatic +Hepburn +heppest +heralds +herbage +herbals +Herbart +Herbert +herders +herding +heretic +Hermite +hermits +hernial +hernias +Herod's +heroics +heroine +heroins +heroism +heron's +Herrera +Herrick +Herring +herring +herself +Hershel +Hershey +Hertz's +hertz's +Herzl's +Heshvan +Hesse's +Hessian +hessian +heteros +hewer's +Hewlett +hexagon +heydays +Heywood +Hialeah +hibachi +hiccups +hickeys +Hickman +hickory +Hicks's +hideous +hideout +hider's +hidings +Higgins +highboy +highers +highest +highway +hijab's +hijacks +hiker's +Hilario +Hilbert +Hilda's +Hillary +hillier +hillock +hilltop +Himmler +himself +hinders +Hindi's +Hindu's +Hines's +hinge's +hinging +hinters +hinting +hipbath +hipbone +hipness +hippest +hippies +hipping +hippo's +hipster +Hiram's +hirsute +hissing +history +Hitachi +hitched +hitcher +hitches +hitch's +Hitlers +hitters +hitting +Hittite +Héloise +Hmong's +hoagies +hoarded +hoarder +hoard's +hoarier +hoarser +hoaxers +hoaxing +hobbies +hobbits +hobbled +hobbler +hobbles +Hobbs's +hobby's +hobnail +hobnobs +hocking +Hockney +Hodge's +Hodgkin +hoecake +hoedown +Hoffa's +Hoffman +Hogan's +hogan's +Hogarth +hogback +hogging +hoggish +hogtied +hogties +hogwash +Hohokam +hoicked +hoisted +hoist's +hokiest +hokum's +Hokusai +Holbein +Holcomb +holdall +holders +holding +holdout +holdups +Holiday +holiday +holiest +Holland +hollers +hollies +hollows +Holly's +holly's +holmium +holster +Holst's +homages +hombres +homburg +homeboy +homered +Homeric +Homer's +homer's +homey's +homiest +hominid +homonym +honchos +Honda's +honer's +honesty +honeyed +honey's +Honiara +honkers +honkies +honking +honky's +honored +honoree +honorer +honor's +hooch's +hoodies +hooding +hoodlum +hoodoos +hooey's +hoofers +hoofing +hookahs +hookers +Hooke's +hooking +hookups +hooky's +hooping +Hoosier +Hooters +hooters +hooting +Hoovers +hoovers +hopeful +Hopkins +hoppers +hopping +Horacio +Horatio +horde's +hording +horizon +hormone +Horne's +hornets +hornier +horrify +horrors +horse's +horsier +horsing +Horus's +hosanna +Hosea's +hosiers +hosiery +hospice +hostage +hostels +hostess +hostile +hosting +hostler +hotbeds +hotcake +hotel's +hotfoot +hothead +hotkeys +hotlink +hotness +hotpots +hotshot +hottest +hotties +hotting +Houdini +hounded +hound's +houri's +House's +house's +housing +Housman +Houston +hovel's +hovered +howbeit +howdahs +Howells +however +howlers +howling +hoydens +Hoyle's +Huang's +Hubbard +hubbies +hubbubs +hubby's +hubcaps +Huber's +huddled +huddles +huffier +huffily +huffing +Huffman +hugging +Huggins +hulking +hullers +hulling +humaner +humanly +human's +humbled +humbler +humbles +humbugs +humdrum +humeral +humerus +humidly +humidor +hummers +humming +hummock +humored +humor's +humphed +humping +humus's +hunched +hunches +hunch's +hundred +Hungary +hungers +hunkers +hunkier +hunters +hunting +Huntley +hurdled +hurdler +hurdles +hurlers +hurling +Huron's +hurrahs +hurried +hurries +hurry's +Hurst's +hurtful +hurting +hurtled +hurtles +husband +hushing +huskers +huskier +huskies +huskily +husking +husky's +hussars +Hussein +Husserl +hussies +Hussite +hussy's +hustled +hustler +hustles +hutches +hutch's +Huygens +huzzahs +hybrids +hydrant +Hydra's +hydra's +hydrate +hydro's +hydrous +hyena's +hygiene +Hymen's +hymen's +hymnals +hymning +hyphens +Hyundai +Iaccoca +iambics +Iapetus +Iberian +Ibiza's +Iblis's +Ibsen's +Icahn's +iceberg +iceboat +icecaps +Iceland +icicles +iciness +icing's +ickiest +ictus's +Idahoan +Idahoes +Idaho's +ideally +ideal's +idiom's +idiotic +idiot's +idler's +idolize +idyllic +idyll's +iffiest +igloo's +Ignacio +igneous +ignited +ignites +ignoble +ignobly +ignored +ignores +iguanas +Iguassu +ileitis +Ilene's +ileum's +Iliad's +ilium's +illegal +illicit +illness +imagery +image's +imagine +imaging +imagoes +imago's +imbibed +imbiber +imbibes +imbuing +Imhotep +imitate +immense +immerse +immoral +immured +immures +Imodium +Imogene +impacts +impairs +impalas +impaled +impales +impanel +imparts +impasse +impasto +impeach +impeded +impedes +impends +imperil +impetus +impiety +impinge +impious +implant +implied +implies +implode +implore +imports +imposed +imposer +imposes +imposts +impound +impress +imprint +improve +impugns +impulse +impurer +imputed +imputes +inanely +inanest +inanity +inaptly +inboard +inbound +inboxes +inbox's +inbreed +inbuilt +incense +inching +incised +incises +incisor +incited +inciter +incites +incline +include +incomer +incomes +incubus +indents +indexed +indexer +indexes +index's +Indiana +Indians +India's +indices +indicts +indited +indites +indoors +Indra's +induced +inducer +induces +inducts +indulge +Indus's +indwell +indwelt +ineptly +inertia +inertly +inexact +infancy +infants +infarct +infects +inferno +infests +infidel +infield +infills +inflame +inflate +inflect +inflict +inflows +informs +infused +infuser +infuses +ingenue +ingests +ingénue +ingot's +ingrain +ingrate +ingress +ingrown +inhabit +inhaled +inhaler +inhales +inhered +inheres +inherit +inhibit +inhuman +initial +injects +injured +injurer +injures +inkblot +inkiest +inkling +inkwell +inlay's +inlet's +inmates +innards +innings +Inonu's +input's +inquest +inquire +inquiry +inroads +insaner +inseams +insects +inserts +inset's +inshore +insider +insides +insight +insipid +insists +insofar +insoles +inspect +inspire +install +instant +instate +instead +insteps +instill +insular +insulin +insults +insured +insurer +insures +intakes +integer +Intel's +intends +intense +intents +interim +interns +intoned +intoner +intones +intrans +introit +intro's +intrude +intuits +Inuit's +inuring +invaded +invader +invades +invalid +Invar's +inveigh +invents +inverse +inverts +invests +invited +invitee +invites +invoice +invoked +invokes +involve +inwards +iodides +iodized +iodizes +Ionesco +Ionians +Ionic's +ionized +ionizer +ionizes +Iowan's +ipecacs +Ipswich +Iqaluit +Iqbal's +Iquitos +Iranian +Iraqi's +irately +Ireland +Irene's +iridium +Irisher +Irish's +irksome +Irkutsk +ironies +ironing +irony's +irrupts +Irvin's +Irwin's +Isaac's +Isfahan +Ishim's +Ishmael +Isiah's +Islamic +Islam's +islands +islet's +isobars +isolate +isomers +isotope +Israeli +Israels +Issac's +issuers +issue's +issuing +isthmus +Isuzu's +Italian +italics +Italy's +itchier +itching +itemize +iterate +Ithacan +Ivanhoe +Ivorian +ivories +Ivory's +ivory's +Izaak's +Izanagi +Izanami +Izhevsk +Izmir's +jabbers +jabbing +jabot's +jackals +jackass +jackdaw +jackets +jacking +Jacklyn +jackpot +Jackson +Jacky's +Jacobin +Jacob's +Jacques +Jacuzzi +jadedly +jadeite +jaggies +jaguars +jailers +jailing +Jaime's +Jainism +Jakarta +Jamaica +Jamal's +Jamar's +Jamel's +James's +Jamie's +jammier +jamming +Janacek +Janelle +Janet's +Janette +jangled +jangler +jangles +Janie's +Janis's +janitor +Janna's +January +Janus's +Japan's +japan's +Jared's +jarfuls +Jarrett +jarring +Jasmine +jasmine +Jason's +jaunted +jaunt's +javelin +jawbone +jawline +jaybird +Jaycees +Jayne's +jaywalk +jazzier +jazzing +jealous +Jeanine +Jeannie +jeans's +jeering +Jeffery +Jeffrey +Jehovah +jejunum +jellied +jellies +jelling +jelly's +jemmied +jemmies +Jenifer +Jenkins +Jenna's +jennets +jennies +Jenny's +jenny's +Jericho +jerkier +jerkily +jerking +jerkins +jerky's +Jerri's +Jerrold +Jerry's +Jerseys +jerseys +Jesse's +Jessica +jesters +jesting +Jesuits +Jesus's +jetport +jetties +jetting +jetty's +jeweled +jeweler +jewelry +Jewel's +jewel's +Jewry's +Jezebel +jibbing +Jidda's +jiffies +jiffy's +jiggers +jigging +jiggled +jiggles +jigsaws +jihad's +Jilin's +Jillian +jilting +Jimenez +jimmied +jimmies +Jimmy's +jimmy's +Jinan's +jingled +jingles +jinking +jinni's +Jinny's +jinxing +jitneys +jitters +jittery +Joann's +Joaquin +jobbers +jobbing +jobless +Jocasta +Jocelyn +jockeys +jocular +Jodie's +joggers +jogging +joggled +joggles +Johanna +Johnnie +Johnson +Johns's +joiners +joinery +joining +jointed +jointly +joint's +joist's +joker's +jokiest +jollied +jollier +jollies +jollily +jollity +jolly's +jolters +jolting +Jonah's +Jonas's +Jones's +jonquil +Jorge's +Josef's +Josephs +joshers +joshing +Josie's +jostled +jostles +Josue's +jotters +jotting +Joule's +joule's +jounced +jounces +journal +journey +journos +jousted +jouster +joust's +jowlier +Joycean +Joyce's +joyless +joyride +joyrode +Juana's +Juanita +Jubal's +jubilee +Judah's +Judaism +Judases +Judas's +judders +Judea's +judge's +judging +jugfuls +jugging +juggled +juggler +juggles +jugular +juicers +juice's +juicier +juicily +juicing +jujitsu +jujubes +jukebox +julep's +Jules's +Juliana +Julia's +Julie's +Julio's +jumbled +jumbles +jumbo's +jumpers +jumpier +jumpily +jumping +junco's +Jungian +jungles +Juniors +juniors +juniper +Junkers +junkers +junkets +junkier +junkies +junking +junta's +Jupiter +juridic +jurists +juror's +Jurua's +juryman +jurymen +justest +Justice +justice +justify +Justine +Jutland +jutting +Juvenal +Kaaba's +Kabul's +kaddish +Kafka's +kahunas +Kaifeng +Kaisers +kaisers +Kaitlin +Kampala +Kannada +Kansans +Kantian +kapok's +kappa's +Karachi +karakul +karaoke +karat's +Karen's +Karin's +Karla's +Karloff +karma's +Karol's +Karyn's +Kasai's +Kasey's +Kashmir +Katelyn +Kathryn +Kathy's +Katie's +Katrina +katydid +Kauai's +Kaufman +kayaked +kayak's +Kayla's +kayoing +Kazakhs +Kazan's +kazoo's +Keats's +kebab's +keeling +keenest +keening +keepers +keeping +Keillor +Keith's +Kelli's +Kellogg +Kelly's +kelvins +Kendall +Kenmore +Kennedy +kennels +Kenneth +kenning +Kennith +Kenny's +Kenyans +Kenya's +Keogh's +keratin +kernels +Kerouac +Kerri's +Kerry's +kestrel +ketches +ketch's +ketchup +ketones +kettles +Keven's +Kevin's +keyhole +keynote +keypads +keyword +khaki's +Kharkov +Khayyam +Khmer's +Khoisan +Khorana +Khufu's +kibbled +kibbles +kibbutz +kickers +kickier +kicking +kickoff +kidders +kiddies +kidding +kiddish +kiddo's +kidnaps +kidneys +kidskin +Kieth's +Kilauea +killers +killing +killjoy +kilning +kiloton +kimonos +kindest +kindled +kindles +kindred +kinetic +kinfolk +kingdom +kingpin +kinkier +kinkily +kinking +Kinko's +kinship +kinsman +kinsmen +kiosk's +Kiowa's +Kipling +kippers +kipping +Kirby's +Kirghiz +Kirov's +Kirsten +kissers +kissing +kissoff +kitchen +kitschy +kittens +kitties +kitting +Kitty's +kitty's +Kiwanis +Klaus's +klaxons +Kleenex +Klein's +Klimt's +Kline's +Klingon +kludged +kludges +klutzes +klutz's +Kmart's +knacker +knack's +Knapp's +knavery +knave's +knavish +kneaded +kneader +kneecap +kneeing +knelled +knell's +Knesset +knicker +Knievel +knife's +knifing +knights +knishes +knish's +knitted +knitter +knobbly +knocked +knocker +knock's +knoll's +Knopf's +Knossos +knotted +knowing +Knowles +knuckle +Knudsen +knurled +knurl's +Knuth's +koala's +Kodak's +Koizumi +Kojak's +Kongo's +kookier +kopecks +Koranic +Koran's +Koreans +Korea's +koshers +Kossuth +Kosygin +Kowloon +kowtows +kraal's +Kraft's +kraut's +Krebs's +Kremlin +krill's +Kringle +Krishna +Kristen +Kristie +Kristin +króna's +krona's +krone's +Krupp's +krypton +Krystal +Kubrick +kuchens +kudos's +kudzu's +kumquat +Kunming +Kurdish +Kusch's +Kutuzov +Kuwaiti +Kuznets +Kwangju +Kwanzaa +Kyoto's +Laban's +labeled +label's +labials +labored +laborer +labor's +Lacey's +laciest +lackeys +lacking +laconic +lacquer +lactate +lacteal +lactose +lacunae +ladders +laddies +laddish +ladings +ladle's +ladling +Ladonna +ladybug +Lafitte +lager's +laggard +lagging +lagoons +Lagos's +laird's +laity's +Laius's +Lajos's +Lakisha +Lakshmi +Lamaism +Lamarck +Lamar's +lambada +lambdas +lambent +Lambert +lambing +lambkin +laments +laminae +laminar +lamming +L'Amour +lampoon +lamprey +Lanai's +lanai's +lancers +Lance's +lance's +lancets +lancing +landaus +landing +Landsat +Langley +languid +languor +Lanka's +lankest +lankier +Lanny's +lanolin +Lansing +lantern +lanyard +Lanzhou +Laocoon +Laotian +lapdogs +lapel's +lapin's +Laplace +Lapland +lappets +lapping +lapse's +lapsing +laptops +lapwing +Laramie +larceny +larches +larch's +larders +lardier +larding +Lardner +largely +large's +largess +largest +largish +largo's +lariats +larking +Larry's +larva's +lasagna +Lascaux +laser's +lashing +Lassa's +lassies +lassoed +lasso's +lasting +Latasha +latched +latches +latch's +latency +lateral +Lateran +latex's +lathers +lathery +lathe's +lathing +latices +Latiner +Latinos +Latin's +Latisha +Latonya +latrine +Latrobe +latte's +lattice +Latvian +lauding +laughed +laugh's +launder +laundry +Laura's +laurels +Laurent +Lauri's +Laval's +Laverne +Lavonne +Lawanda +lawless +lawsuit +lawyers +laxness +Layamon +layaway +layered +layer's +layette +Layla's +layoffs +layouts +layover +layup's +Lazarus +laziest +lazying +leached +leaches +Leach's +leaders +leading +leafage +leafier +leafing +leaflet +leagued +leagues +leakage +leakier +leaking +Leander +leanest +leaning +Leann's +leapers +leaping +Learjet +learned +learner +Leary's +leasers +lease's +leashed +leashes +leash's +leasing +least's +leather +leavens +leavers +leave's +leaving +Lebanon +Leblanc +lechers +lechery +leching +lectern +lecture +ledgers +ledge's +leeched +leeches +leech's +Leeds's +leerier +leering +Leeward +leeward +leftest +lefties +leftism +leftist +lefty's +legally +legal's +legatee +legates +legatos +legends +Leger's +leggier +legging +Leghorn +leghorn +legible +legibly +legions +legless +legroom +legumes +legwork +Leibniz +Leigh's +Leila's +Leipzig +leisure +Lelia's +lemming +lemon's +Lemuria +lemur's +lenders +lending +lengths +lengthy +lenient +Lenin's +Lenny's +lentils +Leola's +Leonard +Leona's +leonine +leopard +Leopold +leotard +leper's +Lepidus +Lepke's +leprosy +leprous +leptons +Lepus's +Leroy's +lesbian +lesions +Lesotho +lessees +lessens +Lesseps +lessons +lessors +letdown +Letha's +Lethe's +Leticia +Letitia +letters +letting +lettuce +letup's +leucine +levee's +leveled +leveler +levelly +level's +levered +lever's +leviers +levying +lewdest +Lewis's +lexical +lexicon +Lexus's +Lhasa's +liaised +liaises +liaison +libbers +Libby's +libeled +libeler +libel's +Liberal +liberal +Liberia +liberty +libidos +library +Libra's +Librium +Libyans +Libya's +license +lichens +licitly +licking +Lidia's +lidless +liefest +Liege's +liege's +lifer's +lifters +lifting +liftoff +ligated +ligates +lighted +lighten +lighter +lightly +light's +lignite +likable +likened +lilac's +Liliana +Lilia's +Lille's +Lillian +Lilly's +lilting +limbers +limbo's +limeade +limiest +limited +limiter +limit's +limning +Limoges +limpest +limpets +limping +Limpopo +Lincoln +Linda's +lindens +Lindsay +Lindsey +Lindy's +lineage +lineman +linemen +linen's +liner's +lineups +lingers +lingoes +lingo's +lingual +linings +linkage +linking +linkman +linkmen +linkups +linnets +linseed +lintels +lintier +linting +Linus's +Linuxes +Linux's +Linwood +lioness +lionize +lipid's +Lippi's +lipread +liquefy +liqueur +liquids +liquors +lisle's +lispers +lisping +lissome +listens +listing +Liszt's +litchis +literal +liter's +lithely +lithest +lithium +litotes +litters +littler +liturgy +livable +livened +liver's +Livia's +lividly +livings +Livonia +lizards +Lizzy's +llama's +llano's +Lloyd's +loaders +loading +Loafers +loafers +loafing +loamier +loaners +loaning +loathed +loather +loathes +lobbers +lobbied +lobbies +lobbing +lobby's +lobster +locales +locally +local's +located +locates +locator +Lockean +lockers +Locke's +lockets +locking +lockjaw +lockout +lockups +locus's +locusts +lodgers +Lodge's +lodge's +lodging +Loewe's +Loewi's +Loews's +loftier +loftily +lofting +Logan's +logbook +loggers +loggias +logging +logical +logic's +logiest +login's +logjams +logoffs +logon's +logouts +Loire's +loiters +lolcats +Lollard +lollies +lolling +lollops +Lombard +loner's +longbow +longest +longing +longish +loofahs +lookers +looking +lookout +looming +loonier +loonies +loony's +loopier +looping +loosely +loosens +loosest +loosing +looters +looting +Lopez's +lopping +Loraine +lording +L'Oreal +Lorelei +Loren's +Lorentz +Lorenzo +Loretta +Lorie's +lorises +loris's +Lorna's +Lorre's +lorries +lorry's +loser's +losings +lotions +lottery +lotto's +lotuses +lotus's +loudest +Louella +Louie's +Louis's +lounged +lounger +lounges +Lourdes +louring +louse's +lousier +lousily +lousing +loutish +louvers +lovable +lovably +lover's +lowborn +lowboys +lowbrow +lowdown +lowered +lowland +lowlier +lowlife +lowness +loyaler +loyally +loyalty +lozenge +Luann's +lubbers +Lubbock +Lucas's +Luciano +Lucia's +lucidly +Lucifer +Lucille +Lucinda +Lucio's +Lucites +luckier +luckily +lucking +Lucknow +lucre's +Luddite +luffing +Luger's +luggage +luggers +lugging +lughole +lugsail +Luigi's +Luisa's +lullaby +lulling +Lully's +lumbago +lumbers +Lumiere +Lumière +lumpier +lumping +lumpish +lunatic +lunched +lunches +lunch's +lunge's +lungful +lunging +lupines +Lupus's +lupus's +lurched +lurches +lurch's +Luria's +luridly +lurkers +lurking +lushest +lustful +lustier +lustily +lusting +Luzon's +lyceums +Lycra's +Lydians +Lydia's +Lyell's +lying's +Lyman's +lymph's +lynched +lyncher +lynches +Lynch's +Lynda's +Lynette +Lynne's +Lyons's +lyrical +lyric's +Lysenko +Lysol's +Mabel's +Mable's +macabre +macadam +Macao's +macaque +macaw's +Macbeth +Macedon +machete +machine +macho's +Macon's +macramé +macrame +macrons +macro's +Macumba +madam's +madcaps +maddens +madders +maddest +madding +Madeira +Madelyn +Madge's +Madison +madness +Madonna +madrasa +Madurai +maestro +Mafia's +mafia's +mafiosi +Mafioso +mafioso +magenta +maggots +maggoty +Maghreb +magical +magic's +Maginot +magma's +magnate +magneto +magnets +magnify +magnums +Magog's +Magoo's +magpies +magus's +Magyars +mahatma +Mahdi's +Mahfouz +Mahican +mahouts +maidens +Maigret +mailbag +mailbox +mailers +mailing +Maillol +maillot +mailman +mailmen +maiming +Mainers +Maine's +maintop +maize's +Majesty +majesty +Majorca +majored +majorly +Major's +major's +Maker's +maker's +makeups +makings +Malabar +Malacca +Malachi +malaise +Malamud +malaria +Malayan +Malay's +Malcolm +Maldive +malefic +Malians +maligns +Malinda +mallard +mallets +Mallory +mallows +Malraux +Malta's +malteds +Maltese +Malthus +maltier +malting +maltose +malware +mamba's +mamboed +mambo's +Mamet's +Mamie's +mammals +mammary +mamma's +mammies +mammoth +mammy's +manacle +managed +manager +manages +Managua +mananas +manatee +Manchus +Mancini +mandala +mandate +Mandela +mandrel +Mandy's +Manet's +Manfred +manga's +mangers +mange's +mangier +mangled +mangler +mangles +mangoes +mango's +manhole +manhood +manhunt +maniacs +mania's +manic's +manikin +Manilas +maniocs +mankind +manlier +manlike +manna's +manners +Manning +manning +mannish +manor's +mansard +manse's +mansion +manta's +mantels +mantled +mantles +mantras +manuals +Manuela +manumit +manured +manures +Maoisms +Maoists +Maori's +maple's +mappers +mapping +marabou +maracas +Maratha +Marathi +Marat's +marauds +marbled +marbles +Marceau +Marcelo +marched +marcher +Marches +marches +March's +march's +Marci's +Marconi +Marco's +Marcuse +Marcy's +Margery +Marge's +margins +Margo's +Margret +Mariana +Mariano +Maria's +maria's +Maribel +Marie's +Marilyn +marimba +marinas +mariner +Marines +marines +Marin's +Mario's +Marisol +Maris's +Marissa +marital +Maritza +Marjory +markers +markets +Markham +marking +markkaa +Marks's +markups +Marla's +Marlene +marlins +Marlowe +Marmara +marmots +Marne's +maroons +marquee +marques +Marquez +Marquis +marquis +married +marries +marring +marrows +Marsala +marshal +marshes +Marsh's +marsh's +Marta's +martens +Martial +martial +Martian +martian +Martina +martini +martins +martyrs +Marty's +Marva's +Marvell +marvels +Marxian +Marxism +Marxist +Maryann +Marylou +Masai's +Masaryk +mascara +mascots +maser's +mashers +Mashhad +mashing +mashups +maskers +masking +Masonic +masonic +masonry +Mason's +mason's +masques +massage +masseur +massifs +massing +massive +Masters +masters +mastery +mastiff +mastoid +matador +matched +matches +match's +Mathews +Mathias +Matilda +matinée +matinee +Matisse +matrons +matters +matte's +Matthew +matting +mattock +matured +maturer +matures +matzohs +matzo's +matzoth +Maude's +maudlin +Maugham +maulers +mauling +maunder +Maura's +Maureen +Mauriac +Maurice +Maurine +Maurois +Mauro's +Mauryan +mauve's +maven's +Mavis's +mawkish +maxilla +maximal +maxim's +maximum +Maxwell +Mayan's +maybe's +maydays +Mayer's +Mayfair +Maynard +mayoral +mayor's +Maypole +maypole +Mayra's +Mazarin +Mazda's +mazurka +Mazzini +Mbabane +Mbini's +McBride +McCarty +McClain +McClure +McCoy's +McEnroe +McGee's +McGowan +McGuire +McKay's +McKee's +McLuhan +McMahon +McQueen +McVeigh +Meade's +Meadows +meadows +mealier +meander +meanest +meanies +meaning +Meany's +meany's +measles +measure +meatier +Mecca's +mecca's +medal's +Medan's +meddled +meddler +meddles +Medea's +medians +Media's +media's +mediate +medical +medicos +medic's +mediums +medleys +medulla +medusae +meekest +meeting +meetups +megabit +Megan's +megaton +Meier's +Meighen +Meiji's +meiosis +meiotic +Mejia's +melange +Melanie +melanin +Melba's +melding +melee's +Melinda +Melissa +mellows +melodic +melon's +melting +Melva's +members +memento +Memling +memoirs +Memphis +menaced +menaces +menages +Mencius +Mencken +menders +mending +Mendoza +Menelik +Menes's +menfolk +menials +menisci +Menkent +menorah +Menotti +Mensa's +menthol +mention +mentors +Menuhin +Menzies +meowing +Merak's +Mercado +mercers +mercies +Merck's +Mercury +mercury +mercy's +mergers +merging +merinos +merited +merit's +Merle's +mermaid +Merriam +Merrick +merrier +Merrill +merrily +Merritt +mescals +meshing +meson's +message +Messiah +messiah +messier +messily +messing +mestizo +metaled +metal's +meteors +metered +meter's +methane +methods +metiers +metrics +metro's +Meuse's +mewling +Mexican +Meyer's +mezzo's +Mfume's +Miami's +miasmas +Micah's +Michael +Micheal +Michele +mickeys +Micky's +Micmacs +microbe +microns +micro's +Midas's +middens +middies +middles +middy's +Mideast +midge's +midgets +Midland +midland +midlife +midmost +midribs +midriff +midsize +midst's +midterm +midtown +midways +midweek +Midwest +midwife +midyear +miffing +might's +migrant +migrate +émigrés +mikados +Mikhail +Mikoyan +Milan's +mildest +mildews +Mildred +mileage +miler's +Miles's +Milford +milieus +militia +milkers +milkier +milking +milkman +milkmen +milksop +millage +Millard +millers +milling +million +Mills's +Milne's +milting +Miltown +mimetic +mimicry +mimic's +mimosas +minaret +mincers +mince's +mincing +minders +mindful +minding +Mindoro +mindset +Mindy's +mineral +miner's +Minerva +mingled +mingles +minibar +minibus +minicab +minicam +minimal +minim's +minimum +minions +minivan +minnows +Minoans +Minolta +minored +minor's +Minos's +Minot's +Minsk's +minster +mintage +Mintaka +minters +mintier +minting +minuend +minuets +minuses +minus's +minuted +minuter +minutes +minutia +Miocene +miracle +mirages +Miranda +miriest +mirrors +mirth's +miscall +miscast +miscued +miscues +misdeal +misdeed +misdoes +misdone +miserly +miser's +misfile +misfire +misfits +mishaps +mishear +mishits +Miskito +mislaid +mislays +mislead +misname +misplay +misread +misrule +missals +missile +missing +mission +missive +misstep +Missy's +mistake +misters +mistier +mistily +mistime +misting +mistook +mistral +mistype +Misty's +misused +misuses +Mitchel +Mitch's +mitered +miter's +Mitford +mitoses +mitosis +mitotic +mittens +Mitty's +Mitzi's +mitzvah +mixable +mixer's +mixture +Mizar's +mizzens +mêlée's +moaners +moaning +mobbing +mobiles +Mobil's +mobster +mocha's +mockers +mockery +mocking +modal's +modding +modeled +modeler +model's +modem's +moderns +Modesto +modesty +modicum +modular +modules +modulus +Mogul's +mogul's +Mohamed +Mohaves +Mohawks +Mohegan +moiling +Moira's +moire's +moisten +moister +moistly +Mojaves +molar's +molders +moldier +molding +Moldova +molests +Moliere +mollies +mollify +mollusk +Molly's +molly's +Molokai +Molotov +molters +molting +Mombasa +momenta +moments +mommies +mommy's +Monacan +monarch +Mondale +Mondays +Monet's +moneyed +money's +mongers +Mongols +mongols +mongrel +moniker +Monique +monists +monitor +monkeys +monkish +monocle +monodic +monomer +monsoon +monster +montage +Montana +Monte's +monthly +month's +Montoya +Monty's +mooched +moocher +mooches +mooch's +moodier +moodily +Moody's +mooning +moonlit +Moore's +moorhen +mooring +Moorish +moose's +mooting +moped's +moper's +mopiest +moppets +mopping +moraine +Morales +morally +moral's +Moran's +Moravia +moray's +mordant +Mordred +moreish +morel's +mores's +Morgans +morgues +Morin's +Morison +Mormons +morning +Morocco +morocco +moronic +moron's +morphed +morphia +morrows +morsels +Morse's +mortals +mortars +mortify +mortise +mosaics +Moseley +Moselle +Moses's +moseyed +moshing +mosques +mossier +Mosul's +motel's +motet's +mothers +motif's +motiles +motions +motives +motleys +motlier +motored +motor's +mottled +mottles +mottoes +motto's +Moulton +mounded +mound's +mounted +mounter +Mountie +Mount's +mount's +mourned +mourner +mousers +mouse's +mousier +mousing +moussed +mousses +mouthed +mouth's +movable +mover's +movie's +mower's +moxie's +Mozilla +métiers +Muawiya +Mubarak +muckier +mucking +mucus's +muddied +muddier +muddies +muddily +muddled +muddles +mudflap +mudflat +mudpack +mudroom +Mueller +muezzin +muffing +muffins +muffled +muffler +muffles +mufti's +mugfuls +muggers +muggier +mugging +muggins +muggles +mugshot +mugwump +Mujib's +mukluks +mulatto +mulched +mulches +mulch's +mulcted +mulct's +mullahs +mullein +mullets +mulling +Mullins +mullion +Multics +mumbled +mumbler +mumbles +Mumford +mummers +mummery +mummies +mummify +mummy's +mumps's +munched +munches +munchie +Munch's +mundane +munging +Munoz's +Munro's +Munster +mural's +Murat's +murders +Murdoch +Murillo +murkier +murkily +murmurs +murrain +muscats +muscled +muscles +Muscovy +musette +museums +mushers +mushier +mushing +musical +music's +musings +muskegs +muskets +muskier +muskies +muskrat +Muslims +mussels +mussier +mussing +mustang +mustard +musters +mustier +mustily +mustn't +must've +mutable +mutably +mutagen +mutants +mutated +mutates +mutters +muttony +muumuus +Muzak's +muzzily +muzzled +muzzles +Myanmar +Mycenae +Myers's +Mylar's +Myles's +myriads +Myrna's +Myron's +myrrh's +myrtles +MySpace +mystery +mystics +mystify +NAACP's +nabbing +Nabisco +nabob's +Nabokov +nacelle +nacho's +nacre's +Nader's +Nadia's +nadir's +naffest +NAFTA's +naggers +nagging +nagware +Nahuatl +Nahum's +naiad's +nailing +Naipaul +Nairobi +naively +naivest +naiveté +naivete +naivety +nakedly +Namibia +Nanak's +Nancy's +Nanette +Nanjing +nannies +nanny's +nanobot +Naomi's +napalms +naphtha +napkins +napless +nappers +nappier +nappies +napping +nappy's +Napster +Narmada +narrate +narrows +narwhal +nasally +nasal's +nascent +nastier +nastily +Natalia +Natalie +Natasha +Natchez +Nathans +nations +natives +natters +nattier +nattily +natural +natures +naughts +naughty +Nauru's +Navajos +Navarre +Navarro +navel's +navvies +Nazca's +Nazisms +nearest +nearing +neatens +neatest +nebulae +nebular +necking +necktie +needful +needier +needing +needled +needles +needn't +negated +negates +Negev's +neglect +Negress +Negroes +Negroid +negroid +Negro's +Nehru's +neighed +neigh's +neither +Nelda's +Nelly's +nelsons +nemeses +Nemesis +nemesis +neocons +Neogene +neonate +Nepalis +Nepal's +nephews +Neptune +nerdier +nerve's +nervier +nerving +nervous +Nescafe +nesting +nestled +nestles +netball +netbook +Netflix +netters +netting +nettled +nettles +network +neurons +neuters +neutral +neutron +Nevadan +Nevis's +nevus's +newbies +newborn +newel's +newline +newness +Newport +newsboy +newsier +newsman +newsmen +newtons +Nexis's +nexuses +nexus's +Niagara +nibbled +nibbler +nibbles +Niccolo +niche's +Nichole +Nichols +nickels +nickers +nicking +nickles +Nicobar +Nicolas +Nicosia +Niebuhr +niece's +Nielsen +niftier +Nigel's +Nigeria +Niger's +niggard +nigga's +niggers +niggled +niggler +niggles +nighest +nightie +nightly +night's +Nikki's +Nikolai +Nikon's +nimbler +nimrods +ninepin +Nineveh +ninja's +ninnies +ninny's +ninth's +Niobe's +niobium +nippers +nippier +nipping +nipples +Nirvana +nirvana +Nisan's +Nisei's +nisei's +niter's +nitpick +nitrate +nitrite +nitwits +Nivea's +Nixon's +Nkrumah +nobbled +nobbles +Nobel's +Noble's +noble's +noblest +nodding +noddles +NoDoz's +nodular +nodules +Noemi's +noggins +noise's +noisier +noisily +noising +noisome +Nokia's +Nolan's +nomadic +nomad's +nominal +nominee +nonacid +nonages +nonce's +noncoms +nonfood +nonplus +nonskid +nonslip +nonstop +nonuser +nonzero +noodled +noodles +noonday +noose's +NORAD's +Norbert +Nordics +Norfolk +Noriega +Normand +Normans +Norma's +Norse's +norther +North's +north's +Norwich +nosebag +nosegay +noshers +noshing +nosiest +nostril +nostrum +notable +notably +notated +notates +notched +notches +notch's +notelet +notepad +nothing +noticed +notices +notions +notwork +nougats +nourish +novella +novel's +novelty +novenas +novices +nowhere +noxious +Noxzema +Noyce's +Noyes's +nozzles +nuanced +nuances +nubbier +nubbins +Nubia's +nuclear +nucleic +nucleon +nucleus +nudge's +nudging +nudists +nuggets +nullify +nullity +Numbers +numbers +numbest +numbing +numeral +numeric +Nunavut +nuncios +Nunez's +Nunki's +nunnery +nuptial +Nureyev +nursers +nursery +nurse's +nursing +nurture +nutcase +nutmeat +nutmegs +nutpick +nutrias +nutters +nuttier +nutting +nuzzled +nuzzler +nuzzles +Nyasa's +nybbles +Nyerere +nylon's +nymphet +nymphos +nymph's +Oakland +oakum's +oarlock +oarsman +oarsmen +oasis's +oatcake +Oates's +oatmeal +Obadiah +Obama's +obelisk +Oberlin +obesity +obeying +objects +obliged +obliges +oblique +oblongs +obloquy +oboists +O'Brien +obscene +obscure +obsequy +observe +obtains +obtrude +obtuser +obverse +obviate +obvious +ocarina +O'Casey +Occam's +occlude +Oceania +oceanic +ocean's +Oceanus +ocelots +ocher's +Ochoa's +o'clock +octagon +octanes +octaves +Octavia +Octavio +octavos +octet's +October +octopus +oculars +oculist +oddball +oddment +oddness +Odell's +Odets's +odium's +odorous +Odyssey +odyssey +Oedipal +oedipal +Oedipus +Oersted +oeuvres +offal's +offbeat +offends +offense +offered +offer's +offhand +officer +offices +offings +offline +offload +offsets +offside +offsite +oftener +Ogden's +ogler's +ogreish +Ohioans +oilcans +oiliest +oilskin +oinking +Ojibwas +okapi's +Okayama +okaying +Okhotsk +Okinawa +oldie's +oldness +oldster +Olduvai +Olive's +olive's +Olivier +Ollie's +Olmec's +Olmsted +Olsen's +Olson's +Olympia +Olympic +Olympus +Omaha's +Omani's +Omayyad +omega's +omelets +omicron +ominous +omitted +omnibus +Onassis +onboard +Oneal's +Onega's +Oneidas +O'Neill +oneness +onerous +oneself +onetime +ongoing +Onion's +onion's +Onsager +onset's +onshore +onstage +Ontario +ooziest +opacity +opaqued +opaquer +opaques +opcodes +openers +openest +opening +operand +opera's +operate +Ophelia +opiates +opining +opinion +opium's +opossum +opposed +opposes +oppress +Oprah's +optical +optic's +optimal +optimum +options +opulent +oracles +oranges +orating +oration +orators +oratory +Orbison +orbital +orbited +orbiter +orbit's +orchard +orchids +ordains +ordeals +ordered +orderly +order's +ordinal +oregano +Orestes +organdy +organic +organ's +organza +orgasms +oriel's +orients +orifice +origami +origins +Orinoco +orioles +Orion's +orisons +Oriya's +Orizaba +Orlando +Orleans +Orlon's +orotund +orphans +Orpheus +orrises +orris's +Ortiz's +Orval's +Orville +Osage's +Osaka's +Osborne +Oscar's +Osceola +Oshkosh +osier's +Osman's +osmosis +osmotic +ospreys +ostlers +ostrich +Ostwald +Osvaldo +Othello +other's +O'Toole +Ottawas +otter's +Ottoman +ottoman +Ouija's +ounce's +ousters +ousting +outages +outback +outbids +outcast +outcome +outcrop +outdoes +outdone +outdoor +outdraw +outdrew +outface +outfall +outfits +outflow +outgoes +outgo's +outgrew +outgrow +outguns +outhits +outings +outlaid +outlast +outlaws +outlays +outlets +outlier +outline +outlive +outlook +outpace +outplay +outpost +outputs +outrace +outrage +outrank +outruns +outsell +outsets +outside +outsize +outsold +outstay +outtake +outvote +outward +outwear +outwith +outwits +outwore +outwork +outworn +ovarian +ovaries +ovary's +ovation +overact +overage +overall +overarm +overate +overawe +overbid +overbuy +overdid +overdub +overdue +overeat +overfed +overfly +overjoy +overlap +overlay +overlie +overpay +overran +overrun +oversaw +oversea +oversee +overtax +overtly +overuse +oviduct +ovoid's +ovulate +ovule's +Owens's +owlet's +owner's +oxblood +oxbow's +oxcarts +Oxfords +oxfords +oxidant +oxidase +oxide's +oxidize +Oxonian +oxtails +oxymora +oysters +Ozark's +ozone's +Ozzie's +Pablo's +Pabst's +pabulum +pacer's +Pacheco +paciest +Pacific +pacific +package +Packard +packers +packets +packing +paddies +padding +paddled +paddler +paddles +paddock +paddy's +Padilla +padlock +padre's +paean's +paellas +pagan's +pageant +pageboy +pager's +pagodas +Pahlavi +Paige's +pailful +Paine's +painful +paining +painted +painter +paint's +pairing +paisley +Paiutes +pajamas +palaces +paladin +palatal +palates +palaver +palazzi +palazzo +Palermo +palette +Paley's +palfrey +Palikir +palings +pallets +palling +palmate +palmier +palming +palmist +palmtop +Palmyra +Palomar +palpate +palsied +palsies +palsy's +Pampers +pampers +panacea +panache +Panamas +panamas +pancake +panda's +panders +Pandora +paneled +panel's +Pangaea +panicky +panic's +pannier +panning +panoply +pansies +Pansy's +pansy's +panther +panties +panting +Panza's +papayas +papered +paperer +paper's +papilla +papists +papoose +pappies +pappy's +paprika +papyrus +parable +paraded +parader +parades +paradox +paragon +parapet +parasol +parboil +parcels +parched +parches +pardner +pardons +parents +parer's +pareses +paresis +parfait +pariahs +parings +Paris's +parka's +parking +Parkman +parkour +Parks's +parkway +parlays +parleys +parlors +parlous +Parnell +paroled +parolee +paroles +parotid +parquet +parried +parries +parring +Parrish +parrots +parry's +parsecs +parsing +parsley +parsnip +Parsons +parsons +partake +Parthia +partial +partied +parties +parting +partner +partook +partway +party's +parvenu +Pascals +pascals +paschal +pasha's +passage +passels +passers +passing +Passion +passion +passive +passkey +pasta's +pastels +pastern +paste's +Pasteur +pastier +pasties +pastime +pasting +pastors +pasture +pasty's +patched +patches +patch's +patella +Patel's +patents +pathway +patient +patinas +patio's +Patna's +Patrica +Patrice +Patrick +patriot +patrols +patrons +patroon +patsies +Patsy's +patsy's +pattern +patters +patties +patting +Patti's +Patty's +patty's +paucity +Paula's +Pauline +Pauling +Pauli's +paunchy +paupers +pause's +pausing +pavings +Pavlova +pavlova +Pawnees +pawning +pawpaws +payable +payback +paydays +payee's +payer's +payload +payment +Payne's +payoffs +payouts +payroll +payslip +paywall +payware +Peabody +Peace's +peace's +peaches +peach's +peacock +peafowl +peahens +peaking +Peale's +pealing +peanuts +pearled +Pearlie +Pearl's +pearl's +Pearson +Peary's +peasant +peatier +pebbled +pebbles +pecan's +peccary +Pechora +peckers +pecking +peckish +Pecos's +pedaled +pedalos +pedal's +pedants +peddled +peddler +peddles +pedicab +Pedro's +peeking +peelers +peeling +peepers +peeping +peerage +peeress +peering +peeve's +peeving +peevish +peewees +peewits +Pegasus +pegging +Peggy's +Peiping +Pekings +pekoe's +pelagic +Pelee's +pelican +pellets +pelmets +pelting +penalty +penance +pencils +pendant +pendent +pending +penguin +penises +penis's +pennant +pennies +penning +pennons +Penny's +penny's +pension +pensive +Pentium +penuche +peonage +peonies +peony's +peopled +peoples +Pepin's +peppers +peppery +peppier +pepping +Pepsi's +peptics +peptide +Pepys's +percale +percent +perched +perches +perch's +Percy's +Perez's +perfect +perfidy +perform +perfume +pergola +perhaps +perigee +periled +peril's +perinea +periods +periwig +perjure +perjury +perkier +perkily +perking +Perkins +Permian +perming +permits +permute +Peron's +Perot's +perplex +Perrier +Perry's +Perseid +Perseus +Persian +persist +persona +persons +perspex +pertain +pertest +Perth's +perturb +perukes +perusal +perused +peruses +pervade +pervert +pesetas +peskier +peskily +pessary +pesters +pestled +pestles +pesto's +petaled +petal's +petards +petcock +petered +Peter's +peter's +petiole +petites +Petra's +petrels +petrify +pettier +pettily +petting +pettish +Petty's +petunia +Peugeot +pewee's +pewit's +pewters +pfennig +Phaedra +phaeton +phalanx +phallic +phallus +phantom +Pharaoh +pharaoh +pharynx +phase's +phasing +phenoms +phial's +Phidias +Philips +Phillip +philter +phished +phisher +phlox's +phobias +phobics +phoebes +Phoenix +phoenix +phoneme +phone's +phonics +phonied +phonier +phonies +phoning +phony's +photoed +photons +photo's +phrasal +phrased +phrases +Phrygia +Phyllis +physics +physios +pianist +Pianola +pianola +piano's +piaster +piñatas +piazzas +pibroch +picador +picante +Picasso +piccolo +pickers +pickets +Pickett +pickier +picking +pickled +pickles +pickups +picnics +picot's +picture +piddled +piddles +pidgins +piebald +piece's +piecing +pierced +pierces +Pierrot +piety's +pigeons +piggery +piggier +piggies +pigging +piggish +piggy's +piglets +pigment +pigpens +pigskin +pigtail +piker's +pilaf's +Pilates +pileups +pilfers +Pilgrim +pilgrim +pilings +pillage +pillars +pillbox +pilling +pillion +pillock +pillory +pillows +piloted +pilot's +pimento +pimping +pimpled +pimples +pinatas +pinball +pincers +pinched +pinches +pinch's +pinging +pinhead +pinhole +piniest +pinions +pinkest +pinkeye +pinkies +pinking +pinkish +pinko's +pinnate +pinnies +pinning +pinon's +pinto's +pinup's +pinyons +pioneer +piñon's +piously +piper's +pipette +pipit's +pipping +pippins +piquant +pique's +piquing +Piraeus +piranha +pirated +pirates +pismire +Pissaro +pissers +pissing +pissoir +pistils +pistols +pistons +pitapat +pitched +pitcher +pitches +pitch's +piteous +pitfall +pithead +pithier +pithily +pitiful +piton's +pitting +Pittman +Pitts's +pitying +pivotal +pivoted +pivot's +pixel's +pixie's +Pizarro +pizza's +pizzazz +placard +placate +placebo +placers +place's +placing +placket +plagued +plagues +plaid's +plainer +plainly +plain's +plaints +plaited +plait's +planers +plane's +planets +planing +planked +plank's +planned +planner +plantar +planted +planter +plant's +plaques +plashed +plashes +plash's +plaster +plastic +Plataea +plateau +platens +plate's +Plath's +plating +platoon +Plato's +platted +platter +platy's +plaudit +Plautus +playact +Playboy +playboy +players +playful +playing +playoff +playpen +Playtex +plaza's +pleaded +pleader +pleased +pleases +pleated +pleat's +plebe's +plectra +pledged +pledges +plenary +plenums +pleurae +pliable +pliancy +plights +plinths +Pliny's +plodded +plodder +plonked +plonker +plopped +plosive +plotted +plotter +plovers +plowing +plowman +plowmen +plucked +pluck's +plugged +plugins +plumage +plumbed +plumber +plumb's +plume's +plumier +pluming +plummet +plumped +plumper +plumply +plump's +plunder +plunged +plunger +plunges +plunked +plunk's +plurals +plusher +plushly +plush's +Pluto's +pluvial +plywood +poached +poacher +poaches +pockets +pocking +Poconos +podcast +podding +podiums +poesy's +poetess +poetics +pogroms +pointed +pointer +point's +poise's +poising +poisons +Poisson +Poitier +Pokemon +poker's +pokey's +pokiest +Pokémon +Polaris +poleaxe +polecat +polemic +policed +polices +polio's +politer +politic +polkaed +polka's +pollack +Pollard +pollard +polling +Pollock +pollute +Polly's +Poltava +polygon +polymer +polyp's +pomaded +pomades +pommels +pommies +pompano +Pompeii +pompoms +pompous +Ponce's +ponchos +poncing +ponders +ponging +poniard +Pontiac +pontiff +pontoon +ponying +pooched +pooches +pooch's +poodles +poofter +poohing +Poole's +pooling +Poona's +pooping +poorboy +poorest +popcorn +popguns +poplars +popover +poppa's +poppers +poppets +poppies +popping +Poppins +poppy's +popular +popup's +porches +porch's +porcine +porgies +porgy's +porkers +porkier +porkies +porky's +porno's +Porrima +Porsche +portage +portals +portend +portent +porters +portico +porting +portion +Porto's +portray +poser's +poseurs +poshest +posited +posse's +possess +possums +postage +postbag +postbox +postdoc +posters +posties +posting +postman +postmen +posture +postwar +potable +potency +potfuls +pothead +potherb +pothers +pothole +pothook +potions +potluck +Potomac +potpies +Potsdam +potshot +pottage +potters +pottery +pottier +potties +potting +Potts's +potty's +pouched +pouches +pouch's +pouffes +poultry +pounced +pounces +pounded +Pound's +pound's +pouring +Poussin +pouters +pouting +poverty +powders +powdery +powered +PowerPC +power's +powwows +Prada's +Prado's +praetor +Praia's +prairie +praised +praises +Prakrit +praline +pranced +prancer +prances +pranged +prank's +praters +prate's +prating +prattle +Pratt's +prawned +prawn's +prayers +praying +preachy +precast +precede +precept +precise +precook +predate +predawn +predict +preemie +preempt +preened +prefabs +preface +prefect +prefers +preform +pregame +preheat +prelacy +prelate +prelims +prelude +premeds +premier +premise +premium +prenups +prepaid +prepare +prepays +prepped +prepuce +prequel +presage +present +presets +preside +Presley +presort +pressed +presser +presses +pressie +press's +Preston +prestos +presume +preteen +pretend +preterm +pretest +pretext +pretzel +prevail +prevent +preview +preying +prezzie +Priam's +priapic +Price's +price's +pricier +pricing +pricked +pricker +prickle +prickly +prick's +pride's +priding +prier's +priests +primacy +primary +primate +primers +prime's +priming +primmer +primped +primula +princes +printed +printer +print's +prior's +prism's +prisons +prithee +Prius's +privacy +Private +private +privets +privier +privies +privily +privy's +prize's +prizing +probate +probe's +probing +probity +problem +proceed +process +Procter +proctor +procure +Procyon +prodded +prodigy +produce +product +profane +profess +proffer +profile +profits +profuse +progeny +program +project +prolong +promise +promo's +promote +prompts +pronged +prong's +pronoun +proofed +proof's +propane +propels +prophet +propose +propped +prorate +prosaic +prose's +prosier +prosody +prosper +protean +protect +protege +protein +protest +Proteus +protégé +protons +prouder +proudly +proverb +provide +proving +proviso +provoke +Provo's +provost +prowess +prowled +prowler +prowl's +proxies +proxy's +Prozacs +Pôrto's +prudent +prudery +prude's +prudish +pruners +prune's +pruning +Prussia +Pryor's +psalm's +Psalter +pseudos +pshaw's +psyched +psyches +psychic +psychos +psych's +Ptolemy +puberty +pubes's +pubis's +publish +Puccini +puckers +Puckett +puckish +pudding +puddled +puddles +pudenda +pudgier +pueblos +puerile +puffers +puffier +puffing +puffins +Puget's +Pulaski +pullers +pullets +pulleys +pulling +Pullman +pullout +pulpier +pulping +pulpits +pulsars +pulsate +pulse's +pulsing +pumices +pummels +pumpers +pumping +pumpkin +punched +puncher +punches +Punch's +punch's +pundits +pungent +Punic's +puniest +Punjabi +punkest +punnets +punning +punster +punters +punting +pupated +pupates +pupil's +puppets +puppies +pupping +puppy's +Purcell +puree's +purgers +purge's +purging +Purim's +purines +purists +Puritan +puritan +purlieu +purling +purloin +purpler +purples +purport +purpose +purring +pursers +purse's +pursing +pursued +pursuer +pursues +pursuit +Purus's +purveys +purview +Pusan's +Pusey's +pushers +pushier +pushily +pushing +Pushkin +pushpin +pussier +pussies +pussy's +pustule +Putin's +putouts +putrefy +puttees +putters +puttied +putties +putting +putty's +puzzled +puzzler +puzzles +Pygmies +pygmies +Pygmy's +pygmy's +pylon's +pyloric +pylorus +Pynchon +Pyotr's +pyramid +Pyrexes +Pyrex's +pyrites +Pyrrhic +Pythias +pythons +Qaddafi +Qataris +Qatar's +Qingdao +Qiqihar +quacked +quack's +quaffed +quaff's +quahogs +quailed +quail's +Quakers +quake's +quaking +qualify +quality +qualm's +quangos +quantum +quark's +quarrel +quarter +quartet +quartos +quart's +quasars +quashed +quashes +quavers +quavery +Quechua +queened +queenly +Queen's +queen's +queered +queerer +queerly +queer's +quelled +Quentin +queried +queries +query's +quested +quest's +queue's +queuing +quibble +quiches +quicken +quicker +quickie +quickly +quick's +quieted +quieten +quieter +quietly +quiet's +quietus +quill's +quilted +quilter +quilt's +quinces +quinine +Quinn's +quintet +Quinton +quint's +quipped +quire's +quirked +quirk's +quirt's +Quito's +quitter +quivers +quivery +Quixote +quizzed +quizzer +quizzes +quoin's +quoited +quoit's +quondam +Quonset +quorate +quorums +quota's +quote's +quoting +Rabat's +rabbets +rabbi's +rabbits +rabbles +rabidly +Rabin's +raccoon +racemes +racer's +raceway +Rachael +raciest +racists +rackets +racking +radar's +raddled +radials +radians +radiant +radiate +radical +radioed +radio's +radon's +raffish +raffled +Raffles +raffles +rafters +rafting +raggedy +ragging +raglans +ragouts +ragtags +ragtime +ragweed +ragwort +raiders +raiding +railing +railway +raiment +rainbow +Rainier +rainier +raining +raisers +raise's +raising +raisins +rajah's +Raleigh +rallied +rallies +rally's +Ralph's +Ramadan +rambled +rambler +rambles +Rambo's +ramekin +ramie's +Ramirez +ramjets +ramming +Ramon's +Ramos's +rampage +rampant +rampart +ramping +ramrods +ranched +rancher +ranches +ranch's +Randall +Randell +randier +Randi's +randoms +Randy's +ranee's +rangers +range's +rangier +ranging +Rangoon +rankest +Rankine +ranking +rankled +rankles +ransack +ransoms +ranters +ranting +Raoul's +raper's +Raphael +rapider +rapidly +rapid's +rapiers +rapists +rappels +rappers +rapping +rapport +raptors +rapture +rarebit +rascals +rashers +rashest +raspier +rasping +ratbags +ratchet +rater's +ratings +rations +ratio's +Ratliff +ratlike +ratline +rattans +ratters +rattier +ratting +rattled +rattler +rattles +rattrap +raucous +raunchy +ravaged +ravager +ravages +raveled +Ravel's +ravel's +ravened +raven's +ravines +ravings +ravioli +rawhide +rawness +Rayburn +Raymond +rayon's +razor's +razzing +reached +reaches +reach's +reacted +reactor +readers +readied +readier +readies +readily +Reading +reading +readmit +readopt +readout +reagent +realest +realign +realism +realist +reality +realize +realm's +Realtor +reamers +reaming +reapers +reaping +reapply +rearing +rearmed +reasons +rebated +rebates +Rebekah +rebel's +rebinds +rebirth +reboils +reboots +rebound +rebuffs +rebuild +rebuilt +rebuked +rebukes +rebuses +rebus's +recalls +recants +recap's +recasts +receded +recedes +receipt +receive +recheck +recipes +recital +recited +reciter +recites +reckons +reclaim +recline +recluse +recoils +recolor +recooks +records +recount +recoups +recover +recross +recruit +rectify +rectors +rectory +recto's +rectums +recused +recuses +recycle +redacts +redbird +redcaps +redcoat +reddens +reddest +reddish +redeems +Redford +redhead +redials +Redmond +redneck +redness +redoing +redoubt +redound +redraft +redrawn +redraws +redress +redskin +reduced +reducer +reduces +redwood +reedier +reedits +reefers +reefing +reeking +reelect +reeling +reenact +reenter +reentry +reequip +Reese's +reeve's +reeving +refaced +refaces +referee +reffing +refiled +refiles +refills +refined +refiner +refines +refit's +reflate +reflect +refocus +refolds +reforge +reforms +refract +refrain +refresh +refroze +refuels +refugee +refuges +Refugio +refunds +refusal +refused +refuses +refuted +refuter +refutes +regains +regaled +regales +regalia +regally +regards +regatta +regency +regents +regexps +regex's +regimen +regimes +Reginae +regions +regnant +Regor's +regrade +regress +regrets +regrind +regroup +regrown +regrows +regular +Regulus +rehab's +rehangs +reheard +rehears +reheats +rehired +rehires +rehouse +Reich's +reigned +reign's +reining +reissue +rejects +rejoice +rejoins +rejudge +relabel +relapse +related +relater +relates +relaxed +relaxer +relaxes +relayed +relay's +relearn +release +relents +reliant +relic's +reliefs +relieve +relight +relined +relines +relists +relived +relives +reloads +relying +remains +remakes +remands +remarks +remarry +rematch +remelts +reminds +remixed +remixes +remnant +remodel +remolds +remorse +remoter +remotes +remount +removal +removed +remover +removes +Remus's +renamed +renames +Renault +renders +rending +Renee's +reneged +reneger +reneges +renewal +renewed +rentals +renters +renting +reoccur +reopens +reorder +reorged +reorg's +repacks +repaint +repairs +repasts +repaved +repaves +repeals +repeats +repents +repined +repines +replace +replant +replays +replete +replica +replied +replies +reply's +reports +reposed +reposes +repress +reprice +reprint +reprise +reproof +reprove +reptile +repulse +reputed +reputes +request +Requiem +requiem +require +requite +rereads +reroute +rerun's +resales +rescind +rescued +rescuer +rescues +reseals +reseeds +resells +resents +reserve +reset's +resewed +reshape +reships +resided +resides +residua +residue +resigns +resin's +resists +resized +resizes +resoled +resoles +resolve +resorts +resound +resowed +respect +respell +respire +respite +respond +respray +restaff +restart +restate +restful +resting +restive +restock +restore +restudy +restyle +results +resumed +resumes +retails +retains +retaken +retakes +retards +retched +retches +reteach +retells +retests +rethink +retinal +retinas +retinue +retired +retiree +retires +retools +retorts +retouch +retrace +retract +retrain +retread +retreat +retrial +retried +retries +retro's +retsina +returns +retweet +retying +retyped +retypes +reunify +Reunion +reunion +reunite +reuse's +reusing +Reuters +Reuther +revalue +revamps +reveals +reveled +reveler +revelry +revel's +revenge +revenue +revered +reveres +reverie +reverse +reverts +reviews +reviled +reviler +reviles +revised +reviser +revises +revisit +revival +revived +revives +revoked +revokes +revolts +revolve +revue's +revving +rewards +rewarms +reweave +reweigh +rewinds +rewired +rewires +rewords +reworks +rewound +rewoven +rewrite +rewrote +Reyes's +Reyna's +rezoned +rezones +Rhenish +rhenium +rheum's +Rhine's +rhino's +rhizome +Rhoda's +rhodium +rhombus +Rhone's +rhubarb +rhymers +rhyme's +rhyming +rhythms +ribbers +ribbing +ribbons +Ricardo +ricer's +Richard +richest +Richter +rickets +rickety +ricking +Ricky's +ricotta +ridding +riddled +riddles +rider's +ridge's +ridging +Riemann +riffing +riffled +riffles +riflers +rifle's +rifling +rifting +Rigel's +riggers +rigging +Riggs's +righted +righter +rightly +right's +rigidly +rigor's +Riley's +Rilke's +Rimbaud +rimless +rimming +ringers +ringgit +ringing +ringlet +Ringo's +rinse's +rinsing +rioters +rioting +riotous +ripcord +ripened +ripoffs +riposte +rippers +ripping +rippled +ripples +ripsaws +riptide +riser's +risible +risings +riskier +riskily +risking +risotto +rissole +Ritalin +rituals +ritzier +rivaled +rivalry +rival's +Rivas's +river's +riveted +riveter +rivet's +Riviera +riviera +rivulet +riyal's +Rizal's +roached +roaches +Roach's +roach's +roadbed +roadies +roadway +roamers +roaming +Roanoke +roarers +roaring +roasted +roaster +roast's +robbers +robbery +robbing +Robbins +Robby's +Roberta +Roberto +Roberts +Robeson +Robin's +robin's +robotic +robot's +Robyn's +Rocco's +Rocha's +Roche's +rockers +rockery +rockets +rockier +Rockies +rocking +Rocky's +rodents +rodeo's +Rodgers +Rodin's +Rodolfo +Rodrick +Rodrigo +roebuck +Rogelio +rogered +Roger's +Roget's +roguery +rogue's +roguish +roiling +roister +Rojas's +Rolaids +Rolando +Rolex's +Rolland +rollers +rollick +rolling +Rollins +rollmop +Rolodex +Rolvaag +romaine +romance +Romania +Romanov +Roman's +roman's +Romansh +Romeo's +romeo's +rompers +romping +Romulus +Ronda's +rondo's +Ronny's +Rontgen +roofers +roofing +rooftop +rookery +rookies +rooking +roomers +roomful +roomier +rooming +roosted +rooster +roost's +rooters +rooting +rootkit +rootlet +roper's +ropiest +Rosales +Rosalie +Rosalyn +Rosanna +Rosanne +Rosario +Roseann +roseate +rosebud +Rosella +Rosendo +Rosetta +rosette +Rosie's +rosiest +rosined +rosin's +Rossini +Rostand +rosters +rostrum +Roswell +rotated +rotates +rotor's +rotters +rotting +rotunda +Rouault +rouge's +roughed +roughen +rougher +roughly +rough's +rouging +rounded +roundel +rounder +roundly +round's +roundup +rousing +rousted +routers +route's +routine +routing +Rover's +rover's +rowboat +rowdier +rowdies +rowdily +rowdy's +roweled +rowel's +rower's +Rowland +Rowling +rowlock +Roxanne +Roxie's +royally +Royal's +royal's +royalty +Royce's +Rozelle +rubatos +rubbers +rubbery +rubbing +rubbish +rubdown +rubella +Ruben's +Rubicon +rubiest +Rubik's +Rubin's +ruble's +rubrics +Ruchbah +rucking +rudders +ruddier +Rudolph +Rudyard +ruffian +ruffing +ruffled +ruffles +Rufus's +rugby's +rugrats +ruining +ruinous +ruler's +rulings +rumbaed +rumba's +rumbled +rumbles +rummage +rummest +rummy's +rumored +rumor's +rumpled +rumples +runaway +rundown +runlets +runnels +runners +runnier +running +runoffs +runtier +runways +rupee's +rupiahs +rupture +Rushdie +rushers +rushing +Russell +russets +Russian +Russo's +rustics +rustier +rusting +rustled +rustler +rustles +Rusty's +Rutan's +Rutgers +ruttier +rutting +Rwandan +Rwandas +Rydberg +Ryder's +Saatchi +Sabbath +sabbath +saber's +Sabik's +Sabin's +sable's +sabot's +sabra's +Sabre's +Sabrina +Sacco's +sachems +sachets +Sachs's +sackers +sackful +sacking +Sadat's +saddens +saddest +saddled +saddler +saddles +Sadie's +sadists +sadness +safaris +Safavid +Safeway +saffron +Sagan's +saggier +sagging +Saginaw +saguaro +Saharan +Sahel's +sahib's +sailing +sailors +sainted +saintly +saint's +Saiph's +Sakai's +Sakha's +salaams +salable +Saladin +salad's +Salamis +salamis +Salas's +Salazar +Salem's +Salerno +salient +Salinas +salines +sallied +sallies +Sallust +Sally's +sally's +salmons +salon's +saloons +salsa's +saltbox +saltest +saltier +saltine +salting +saluted +salutes +salvage +salvers +salve's +salving +salvo's +Salween +Samar's +sambaed +samba's +Sammy's +Samoans +Samoa's +samosas +Samoset +samovar +Samoyed +sampans +sampled +sampler +samples +Sampson +Samsung +samurai +séances +Sanchez +sanctum +sandals +sandbag +sandbar +sandbox +Sanders +sanders +sandhog +sandier +sanding +sandlot +sandman +sandmen +sandpit +Sandy's +Sanford +sangria +Sankara +Sanka's +Santana +Santa's +sapiens +sapient +sapless +sapling +sappers +sappier +sapping +Sapporo +sapwood +Saracen +Sarah's +Saran's +saran's +Saratov +Sarawak +sarcasm +sarcoma +sardine +Sargent +sarge's +sarnies +Sarnoff +sarongs +Saroyan +Sarto's +Sasha's +sashays +sassier +sassing +Sassoon +satanic +Satan's +satchel +satiate +satiety +satin's +satires +satiric +satisfy +satraps +satsuma +satyric +satyr's +saucers +sauce's +saucier +saucily +saucing +Saudi's +saunaed +sauna's +Saundra +saunter +saurian +sausage +sautéed +sauteed +saute's +sauté's +savable +savaged +savager +savages +savanna +savants +saver's +savings +saviors +savored +savor's +Savoy's +savoy's +savvied +savvier +savvies +savvy's +sawbuck +sawdust +sawmill +sawyers +Saxon's +sayings +scabbed +scabies +scagged +scalars +Scala's +scalded +scald's +scalene +scale's +scalier +scaling +scallop +scalped +scalpel +scalper +scalp's +scammed +scammer +scamper +scamp's +scandal +scanned +scanner +scanted +scanter +scantly +scapula +scarabs +scarcer +scare's +scarfed +scarf's +scarier +scarify +scarily +scaring +scarlet +scarped +scarper +scarp's +scarred +scarves +scatted +scatter +scenery +scene's +scented +scent's +scepter +Schedar +schemed +schemer +schemes +scherzo +schisms +schizos +schleps +Schlitz +schlock +Schmidt +schmoes +schmo's +schmuck +schnook +scholar +schools +Schultz +schwa's +Schwinn +sciatic +science +scion's +scissor +scoffed +scoffer +scoff's +scolded +scold's +sconces +scone's +scooped +scoop's +scooted +scooter +scope's +scoping +scorers +score's +scoring +scorned +scorner +scorn's +Scorpio +scotchs +Scottie +Scott's +scoured +scourer +scourge +scouted +scouter +scout's +scowled +scowl's +scraggy +scrag's +scraped +scraper +scrapes +scrapie +scrappy +scrap's +scratch +scrawls +scrawly +scrawny +screams +screech +screeds +screens +scree's +screwed +screw's +scribal +scribes +scrimps +scrim's +scrip's +scripts +scrod's +scrolls +Scrooge +scrooge +scrotal +scrotum +scrubby +scrub's +scruffs +scruffy +Scruggs +scrumps +scrumpy +scrunch +scruple +scubaed +scuba's +scudded +scuffed +scuffle +scuff's +sculled +sculler +Sculley +scull's +sculpts +scumbag +scummed +scupper +scurf's +scuttle +scythed +scythes +Scythia +seabeds +seabird +Seaborg +seafood +Seagram +seagull +sealant +sealers +sealing +seamier +seaming +seances +seaport +searing +Sears's +seasick +seaside +seasons +seating +Seattle +seawall +seaward +seaways +seaweed +secants +seceded +secedes +seclude +Seconal +seconds +secrecy +secrete +secrets +sectary +section +sectors +secular +secured +securer +secures +sedan's +sedated +sedater +sedates +Seder's +sedge's +Sedna's +seduced +seducer +seduces +Seebeck +seedbed +seeders +seedier +seeding +seedpod +seeings +seekers +seeking +seeming +seepage +seeping +seesaws +seethed +seethes +segment +Segovia +Segre's +segue's +seguing +Segundo +Segways +Seiko's +seiners +Seine's +seine's +seining +seismic +seizing +seizure +selects +selfies +selfish +Selim's +Selkirk +Sellers +sellers +selling +selloff +sellout +Selma's +seltzer +selvage +semen's +seminal +seminar +semipro +Semites +Semitic +Senates +senates +senator +senders +sending +sendoff +Senecas +Senegal +Senghor +seniors +senna's +Sennett +senoras +senor's +sense's +sensing +sensors +sensory +sensual +Seoul's +sepal's +sepia's +Sepoy's +septets +sequels +sequins +sequoia +Sequoya +serapes +seraphs +Serbian +serener +serfdom +serge's +serials +serif's +serious +sermons +Serpens +serpent +Serrano +Serra's +serrate +serried +serum's +servant +servers +servery +serve's +service +servile +serving +servo's +sesames +session +setback +Seton's +settees +setters +setting +settled +settler +settles +setup's +Seuss's +seven's +seventh +seventy +several +severed +severer +Severus +Seville +sewer's +sexiest +sexists +sexless +sexpots +Sextans +sextant +sextets +sexting +sextons +Seyfert +Seymour +shacked +shackle +shack's +shade's +shadier +shadily +shading +shadows +shadowy +Shaffer +shafted +shaft's +shagged +Shaka's +shakers +shake's +shakeup +shakier +shakily +shaking +shale's +shallot +shallow +shamans +shamble +shame's +shaming +shammed +shampoo +Shana's +Shane's +shank's +Shannon +shapely +shape's +shaping +Shapiro +shard's +sharers +share's +Shari'a +shariah +sharing +Shari's +sharked +shark's +sharped +sharpen +sharper +sharpie +sharply +Sharp's +sharp's +Sharron +shatter +Shaun's +shavers +shave's +Shavian +shaving +Shavuot +shawl's +Shawnee +Shawn's +sheaf's +sheared +shearer +shear's +sheathe +sheaths +sheaved +sheaves +shebang +Sheba's +shebeen +Shebeli +sheen's +sheep's +sheered +sheerer +sheer's +sheet's +sheikhs +sheilas +shekels +Sheldon +shelf's +shellac +shelled +sheller +Shelley +Shell's +shell's +shelter +Shelton +shelved +shelves +Sheol's +Shepard +sherbet +sheriff +Sheri's +Sherman +Sherrie +shewing +shiatsu +Shields +shields +shifted +shift's +Shi'ite +Shiites +Shikoku +shilled +shill's +shimmed +shimmer +shindig +shiners +shine's +shingle +shinier +shining +shinned +Shintos +shipped +shipper +shire's +shirked +shirker +Shirley +shirred +shirr's +shirted +shirt's +shitted +Shiva's +shivers +shivery +shoaled +shoal's +shoat's +shocked +shocker +shock's +shoeing +shoguns +shooing +shooter +shoot's +shopped +shopper +shoppes +shore's +shoring +shorted +shorten +shorter +shortly +Short's +short's +shotgun +shouted +shouter +shout's +shovels +shove's +shoving +showbiz +showers +showery +showier +showily +showing +showman +showmen +showoff +shred's +Shrek's +shrew's +shrieks +shrikes +shrills +shrilly +shrimps +Shriner +shrines +shrinks +shrived +shrivel +shriven +shrives +shrouds +shrubby +shrub's +shrug's +shticks +shucked +shuck's +shudder +shuffle +Shula's +shunned +shunted +shunt's +shushed +shushes +shuteye +shutoff +shutout +shutter +shuttle +Shylock +shyness +shyster +Siamese +Siberia +sibling +Sibyl's +sibyl's +siccing +sickbay +sickbed +sickens +sickest +sickies +sicking +sickish +sickles +sicko's +sickout +sidearm +sidebar +sidecar +sideman +sidemen +sidings +sidle's +sidling +siege's +Siemens +Sierras +sierras +siestas +sieve's +sieving +sifters +sifting +sighing +sighted +sightly +sight's +sigma's +Sigmund +signage +signals +signers +signets +signify +signing +signora +signore +signori +signors +Sikhism +Silas's +silence +silents +Silesia +silicon +silkier +silkily +sillier +sillies +silly's +siltier +silting +Silva's +silvers +silvery +Simenon +simians +similar +similes +simmers +Simmons +Simon's +simpers +simpler +simplex +Simpson +Sinai's +Sinatra +sincere +Sindbad +sinew's +singers +singe's +Singh's +singing +singled +singles +singlet +sinkers +sinking +sinless +sinners +sinning +sinuous +sinuses +sinus's +Sioux's +siphons +sippers +sipping +siren's +sirloin +sirocco +sisal's +sissier +sissies +sissy's +sisters +Sistine +sitar's +sitcoms +sitemap +sitters +sitting +situate +Sivan's +sixfold +sixteen +sixth's +sixties +sixty's +sizable +sizzled +sizzler +sizzles +skaters +skate's +skating +skeeter +skeet's +skein's +skeptic +sketchy +skewers +skewing +skibobs +skidded +skidpan +skier's +skiffle +skiff's +skilled +skillet +skill's +skimmed +skimmer +skimped +skinful +skinned +Skinner +skipped +skipper +skirted +skirt's +skitter +skittle +skivers +skiving +skoal's +skulked +skulker +skull's +skunked +skunk's +skycaps +skydive +skyjack +skylark +skyline +Skype's +skyward +slabbed +slacked +slacken +slacker +slackly +slack's +slagged +slaking +slaloms +slammed +slammer +slander +slang's +slanted +slant's +slapped +slapper +slashed +slasher +slashes +slash's +slate's +slather +slating +slatted +slavers +slavery +slave's +slaving +slavish +slayers +slaying +sleazes +sledded +sledder +sledged +sledges +sleeked +sleeker +sleekly +sleeper +sleep's +sleeted +sleet's +sleeved +sleeves +sleighs +sleight +slender +sleuths +slewing +slicers +slice's +slicing +slicked +slicker +slickly +slick's +sliders +slide's +sliding +slights +slime's +slimier +slimmed +slimmer +sling's +slipped +slipper +slipway +slither +slitter +slivers +Sloan's +slobbed +slobber +slogans +slogged +sloop's +slope's +sloping +slopped +slops's +sloshed +sloshes +sloth's +slotted +slouchy +sloughs +Slovaks +Slovene +slovens +slowest +slowing +slugged +slugger +sluiced +sluices +slumber +slumdog +slummed +slummer +slumped +slump's +slurped +Slurpee +slurp's +slurred +slush's +slyness +smacked +smacker +smack's +smaller +Small's +small's +smarted +smarten +smarter +smartly +smart's +smashed +smasher +smashes +smash's +smashup +smeared +smear's +smelled +smell's +smelted +smelter +smelt's +Smetana +smidgen +smile's +smileys +smiling +smirked +smirk's +Smith's +smith's +smiting +smitten +smocked +smock's +smokers +smoke's +smokier +smoking +smolder +smoochy +smooths +smother +smudged +smudges +smugger +smuggle +Smuts's +snacked +snack's +snaffle +snafu's +snagged +snailed +snail's +Snake's +snake's +snakier +snaking +snapped +snapper +Snapple +snare's +snarfed +snaring +snarled +snarl's +Snead's +sneaked +sneaker +sneak's +sneered +sneer's +sneezed +sneezes +Snell's +snicked +snicker +snidely +snidest +sniffed +sniffer +sniffle +sniff's +snifter +snipers +snipe's +sniping +snipped +snippet +snips's +snivels +snogged +snood's +snooker +snooped +snooper +snoop's +snoot's +snoozed +snoozes +snorers +snore's +snoring +snorkel +snorted +snorter +snort's +snout's +snowier +snowing +snowman +snowmen +snubbed +snuffed +snuffer +snuffle +snuffly +snuff's +snugged +snugger +snuggle +soaking +soapbox +soapier +soaping +soaring +Soave's +sobbing +sobered +soberer +soberly +socials +society +sockets +sockeye +socking +Socorro +sodding +Soddy's +Sodom's +Sofia's +softens +softest +softies +softy's +soggier +soggily +soignée +soignee +soiling +soirees +soirées +sojourn +solaced +solaces +solaria +solders +soldier +solicit +solider +solidly +solid's +solidus +Solis's +soloing +soloist +Solomon +Solon's +soluble +solutes +solvent +solvers +solving +Somalia +Somalis +somatic +someday +somehow +someone +someway +Somme's +sonar's +sonatas +Songhai +Songhua +Sonia's +Sonja's +sonnets +sonnies +Sonny's +sonny's +Sonya's +soonest +soothed +soother +soothes +sooth's +sootier +sophism +sophist +soppier +sopping +soprano +Sopwith +sorbets +sorcery +sorghum +sorrels +sorrier +sorrily +sorrows +sorters +sortied +sorties +sorting +sottish +soufflé +souffle +soughed +sough's +soulful +sounded +sounder +soundly +sound's +soupcon +soupier +souping +soupçon +sourced +sources +sourest +souring +sourish +Sousa's +souse's +sousing +Southey +South's +south's +soviets +sower's +soybean +Soyinka +Soyuz's +sozzled +spacers +space's +spacial +spacier +spacing +Spackle +spade's +spading +Spahn's +Spain's +spammed +spammer +spandex +spangle +spangly +spaniel +Spanish +spanked +spank's +spanned +spanner +sparely +spare's +sparest +sparing +sparked +sparkle +sparkly +spark's +sparred +sparrow +sparser +Spartan +spartan +spasm's +spastic +spate's +spathes +spatial +spatted +spatter +spatula +spawned +spawn's +spaying +speaker +speared +spear's +special +species +specify +specked +speckle +speck's +specs's +specter +spectra +speeder +speed's +speedup +Speer's +spelled +speller +spell's +Spencer +spender +Spenser +sperm's +spewers +spewing +spheres +Spica's +spice's +spicier +spicily +spicing +spicule +spiders +spidery +spieled +spiel's +spiffed +spigots +spike's +spikier +spiking +spilled +spill's +spinach +spinals +spindle +spindly +spine's +spinets +spinier +spinner +spinney +Spinoza +Spinx's +spirals +spireas +spire's +spirits +Spiro's +spite's +spiting +spitted +spittle +Spitz's +splashy +splat's +splayed +splay's +spleens +spliced +splicer +splices +spliffs +splines +splints +split's +splodge +splotch +splurge +Spock's +spoiled +spoiler +spoil's +Spokane +spoke's +sponged +sponger +sponges +sponsor +spoofed +spoof's +spooked +spook's +spooled +spool's +spooned +spoon's +spoored +spoor's +spore's +sporing +sporran +sported +sport's +spotlit +spotted +spotter +spousal +spouses +spouted +spout's +sprains +sprat's +sprawls +sprayed +sprayer +spray's +spreads +spree's +spriest +sprig's +springs +springy +sprints +sprites +sprouts +spruced +sprucer +spruces +spume's +spuming +spumoni +spunk's +spurned +spurred +spurted +spurt's +Sputnik +sputnik +sputter +spyware +squab's +squad's +squalid +squalls +squally +squalor +Squanto +squared +squarer +squares +squashy +squat's +squawks +squaw's +squeaks +squeaky +squeals +squeeze +squelch +squib's +squidgy +squid's +squiffy +squints +squired +squires +squirms +squirmy +squirts +squishy +stabbed +stabber +stabled +stabler +stables +Staci's +stacked +stack's +Stacy's +stadium +Stael's +staffed +staffer +staff's +stage's +stagger +stagier +staging +staider +staidly +stained +stain's +stair's +stake's +staking +stalest +staling +stalked +stalker +stalk's +stalled +stall's +stamens +stamina +stammer +stamped +stamper +stamp's +stances +standby +standee +stander +stand's +Stanley +Stanton +stanzas +staph's +stapled +stapler +Staples +staples +starchy +stardom +starers +stare's +staring +starker +Starkey +starkly +Stark's +starlet +starlit +starred +Starr's +started +starter +startle +start's +startup +starved +starves +stashed +stashes +stash's +stately +state's +statics +stating +station +statues +stature +statute +staunch +stave's +staving +stayers +staying +stead's +steak's +steal's +stealth +steamed +steamer +steam's +steed's +steeled +steel's +steeped +steepen +steeper +steeple +steeply +steep's +steered +steer's +Steinem +Steiner +Stein's +stein's +stellar +stemmed +stencil +Stengel +steno's +stent's +stepdad +Stephan +Stephen +stepmom +stepped +stepper +steppes +stepson +stereos +sterile +sterner +sternly +Stern's +stern's +sternum +steroid +Stetson +stetson +stetted +Steuben +Stevens +Steve's +steward +Stewart +stewing +sticker +stick's +stickup +stiffed +stiffen +stiffer +stiffly +stiff's +stifled +stifles +stigmas +stile's +stilled +stiller +still's +stilted +Stilton +stilt's +Stimson +stimuli +Stine's +stinger +sting's +stinker +stink's +stinted +stint's +stipend +stipple +stirred +stirrer +stirrup +stoat's +stocked +stock's +stogies +stoical +Stoic's +stoic's +stokers +stoking +stole's +stolons +stomach +stomped +stomp's +stoners +Stone's +stone's +stonier +stonily +stoning +stooges +stool's +stooped +stoop's +stopgap +stopped +stopper +stopple +storage +store's +storied +stories +storing +stork's +stormed +storm's +story's +stoup's +stouter +stoutly +Stout's +stout's +stove's +stowage +Stowe's +stowing +strafed +strafes +strains +straits +strands +strange +strap's +stratum +stratus +Strauss +strawed +straw's +strayed +stray's +streaks +streaky +streams +streets +strep's +stretch +strewed +strewth +stria's +strides +striker +strikes +strings +stringy +striped +stripes +stripey +strip's +striven +strives +strobes +stroked +strokes +strolls +strophe +stroppy +strop's +strudel +strum's +strut's +Stuarts +stubbed +stubble +stubbly +studded +student +studied +studies +studios +study's +stuffed +stuff's +stumble +stumped +stump's +stunned +stunner +stunted +stunt's +stupefy +stupids +stupors +stutter +Stygian +style's +styling +stylish +stylist +stylize +stymied +stymies +styptic +suasion +suavely +suavest +suavity +subaqua +subarea +subbing +subdued +subdues +subhead +subject +subjoin +sublets +sublime +submits +suborns +subplot +subsets +subside +subsidy +subsist +subsoil +subsume +subteen +subtend +subtext +subtler +suburbs +subvert +subways +subzero +succeed +success +succors +succubi +succumb +suckers +sucking +suckled +suckles +Sucre's +Sucrets +sucrose +suction +Sudan's +Sudra's +sudsier +suede's +suffers +suffice +Suffolk +suffuse +sugared +sugar's +suggest +Suharto +suicide +suite's +suiting +suitors +Sukarno +sulfa's +sulfate +sulfide +sulfurs +sulkier +sulkies +sulkily +sulking +sulky's +Sulla's +sullied +sullies +sultana +sultans +sumac's +Sumatra +Sumeria +summary +Summers +summers +summery +summing +summits +summons +sunbath +Sunbeam +sunbeam +sunbeds +Sunbelt +sunbelt +sunburn +sundaes +Sundays +sundeck +sunders +sundial +sundown +sunfish +sunhats +Sunkist +sunlamp +sunless +sunnier +sunning +Sunni's +Sunnite +sunrise +sunroof +sunsets +sunspot +suntans +suntrap +sunup's +super's +suppers +supping +suppler +support +suppose +supreme +supremo +Surat's +surface +surfeit +surfers +surfing +surgeon +surgery +surge's +surging +surlier +surmise +surname +surpass +surplus +surreal +surreys +surveys +survive +Surya's +Susanna +Susanne +Susan's +sushi's +Susie's +suspect +suspend +sussing +sustain +sutlers +sutured +sutures +Suwanee +Suzanne +Suzette +svelter +swabbed +swaddle +swagged +swagger +Swahili +swain's +swallow +swami's +swamped +swamp's +swanked +swanker +swank's +swanned +Swansea +Swanson +swapped +sward's +swarmed +swarm's +swarthy +swashed +swashes +swash's +swathed +swathes +swath's +swatted +swatter +swaying +Swazi's +swearer +sweated +sweater +sweat's +Swede's +swede's +Swedish +Sweeney +sweeper +sweep's +sweeten +sweeter +sweetie +sweetly +Sweet's +sweet's +swelled +sweller +swell's +swelter +swerved +swerves +swifter +swiftly +Swift's +swift's +swigged +swilled +swill's +swimmer +swindle +swine's +swinger +swing's +swinish +swipe's +swiping +swirled +swirl's +swished +swisher +swishes +swish's +Swisses +Swiss's +swivels +swizzle +swollen +swooned +swoon's +swooped +swoop's +sword's +swotted +Sybil's +Sykes's +sylphic +sylph's +symbols +symptom +synapse +syncing +syncope +synergy +synfuel +Synge's +synod's +synonym +Syrians +Syria's +syringe +syrup's +systems +systole +Szilard +Tabasco +Tabatha +tabbies +tabbing +tabby's +Tabitha +tabla's +tableau +table's +tablets +tabling +tabloid +tabooed +taboo's +tabor's +tabular +tachyon +tacitly +Tacitus +tackers +tackier +tacking +tackled +tackler +tackles +tactful +tactics +tactile +tadpole +Tadzhik +Taegu's +taffeta +taffies +taffy's +Tagalog +taggers +tagging +tagline +Tagus's +Tahoe's +taiga's +tailing +tailors +Taine's +tainted +taint's +Taiping +Taiyuan +takeoff +takeout +taker's +takings +talents +Taliban +talkers +talkier +talkies +talking +tallboy +tallest +tallied +tallier +tallies +Tallinn +tallish +tallowy +tallyho +tally's +Talmuds +talon's +taluses +talus's +tamable +tamales +tamer's +Tamil's +Tammany +Tammi's +Tammy's +Tampa's +tampers +tamping +tampons +Tamra's +tanager +tanbark +Tancred +tandems +Taney's +tangelo +tangent +Tangier +tangier +tangled +tangles +tangoed +tango's +T'ang's +Tania's +Tanisha +tankard +tankers +tankful +tanking +tanners +tannery +tannest +tanning +tansy's +tantrum +Tanya's +Taoisms +Taoists +tapered +taper's +tapioca +tapir's +tappers +tappets +tapping +taproom +taproot +Tarazed +tarball +Tarbell +tardier +tardily +targets +tariffs +Tarim's +tarmacs +tarnish +tarot's +tarpons +tarried +tarrier +tarries +tarring +tarsals +tartans +tartars +Tartary +tartest +tarting +tasered +taser's +Tasha's +taskbar +tasking +tassels +tasters +taste's +tastier +tastily +tasting +tatamis +Tatar's +tater's +tatters +tattier +tatties +tatting +tattled +tattler +tattles +tattoos +Tatum's +taunted +taunter +taunt's +taupe's +tautens +tautest +taverns +tawnier +tawny's +taxable +taxer's +taxicab +taxiing +taxiway +Tbilisi +teabags +teacake +teacher +teaches +teacups +teaming +teapots +tearful +teargas +tearier +tearing +tearoom +teasels +teasers +tease's +teasing +teatime +techies +teddies +Teddy's +tedious +teeming +teenage +teenier +teeters +teethed +teethes +Teflons +tektite +telexed +telexes +telex's +tellers +tellies +telling +telly's +TELNETs +temblor +tempera +tempers +tempest +temping +Templar +temples +tempo's +tempted +tempter +tempura +tenable +tenably +tenancy +tenants +tenders +tending +tendons +tendril +tenet's +tenfold +tenners +tenoned +tenon's +tenor's +tenpins +tensely +tense's +tensest +tensile +tensing +tension +tensity +tensors +tenthly +tenth's +tenting +tenuity +tenuous +tenured +tenures +tepee's +tepidly +tequila +terabit +terbium +Terence +terming +termini +termite +ternary +terrace +terrain +Terra's +Terrell +terrier +terrify +terrine +Terri's +terrors +Terry's +terry's +tersely +tersest +Tesla's +Tessa's +testate +testers +testier +testify +testily +testing +tetanus +tethers +tetra's +Teutons +Tevet's +Texan's +Texas's +textile +texting +textual +texture +thalami +thane's +Thanh's +thanked +Thant's +Tharp's +that'll +thawing +theater +theft's +Theiler +theists +theme's +theorem +therapy +thereat +thereby +therein +thereof +thereon +there's +Theresa +Therese +thereto +thermal +Thermos +thermos +therm's +Theseus +Thespis +theta's +they'll +they're +they've +thicken +thicker +thicket +thickly +thickos +thick's +thief's +Thieu's +thieved +thieves +thigh's +thimble +Thimphu +thing's +thinker +thinned +thinner +thirdly +third's +thirsts +thirsty +thistle +thither +thole's +Thomism +Thomson +thong's +Thoreau +thorium +thorn's +Thoth's +thought +thralls +threads +thready +threats +three's +thrifts +thrifty +thrills +thrived +thrives +throats +throaty +throb's +throe's +thrombi +thrones +throngs +through +thrower +throw's +thrum's +thrusts +thruway +thudded +Thule's +thulium +thumbed +thumb's +thumped +thump's +thunder +Thurber +Thurman +thwacks +thwarts +thyme's +thymine +thyroid +thyself +Tianjin +tiara's +Tiber's +Tibetan +Tibet's +tibia's +tickers +tickets +ticking +tickled +tickler +tickles +tidally +tidbits +tiddler +tideway +tidiest +tidings +tidying +tieback +tiepins +Tiffany +tiffing +tiger's +tighten +tighter +tightly +tigress +Tijuana +tilapia +tilde's +tiler's +tillage +tillers +Tillich +tilling +Tillman +tilting +timbers +timbrel +timbres +timeout +timer's +Timex's +timider +timidly +timings +Timmy's +Timon's +Timor's +Timothy +timothy +timpani +Timurid +Timur's +tinfoil +tinge's +tinging +tingled +tingles +tiniest +tinkers +tinkled +tinkles +tinnier +tinning +tinsels +tinting +tintype +tinware +tippers +tippets +tipping +tippled +tippler +tipples +tipsier +tipsily +tipster +tiptoed +tiptoes +tiptops +tirades +tireder +tiredly +Tirol's +Tisha's +tissues +Titania +Titanic +titanic +Titan's +titan's +titches +tithers +tithe's +tithing +title's +titling +titlist +titmice +titters +titties +tittles +titular +Titus's +tizzies +tizzy's +Tlingit +toadied +toadies +toady's +toasted +toaster +toast's +tobacco +Tobit's +toccata +tocsins +today's +toddies +toddled +toddler +toddles +toddy's +toecaps +toehold +toenail +toerags +toffees +togging +toggled +toggles +toilers +toilets +toiling +Tokay's +token's +Tokyo's +Toledos +Tolkien +tolling +tollway +Tolstoy +toluene +Tomas's +tombing +tombola +tomboys +tomcats +Tommy's +Tomsk's +tomtits +tonally +tonearm +toner's +Tongans +Tonga's +tonging +tongued +tongues +Tonia's +tonic's +toniest +tonight +tonnage +tonne's +tonsils +tonsure +Tonto's +Tonya's +toolbar +toolbox +tooling +toolkit +tooters +toothed +tooth's +tooting +tootled +tootles +tootsie +topazes +topaz's +topcoat +topiary +topical +topic's +topknot +topless +topmast +topmost +toppers +topping +toppled +topples +topsail +topside +topsoil +topspin +Topsy's +toque's +Torah's +torched +torches +torch's +torment +tornado +Toronto +torpedo +torqued +torques +Torrens +torrent +torsion +torso's +torte's +Tortola +tortoni +Tortuga +torture +Tosca's +Toshiba +tossers +tossing +tossups +totaled +totally +total's +totemic +totem's +totters +totting +toucans +touched +touches +touch's +toughed +toughen +tougher +toughie +toughly +tough's +toupees +touring +tourism +tourist +tourney +tousled +tousles +touting +towards +towboat +toweled +towel's +towered +tower's +towhead +towhees +towline +townees +townies +towpath +towrope +toxemia +toxin's +toyboys +Toynbee +tracers +tracery +trace's +trachea +tracing +Traci's +tracked +tracker +track's +tractor +tract's +Tracy's +traders +trade's +trading +traduce +traffic +tragedy +trailed +trailer +trail's +trained +trainee +trainer +train's +traipse +traitor +trait's +tramcar +trammed +trammel +tramped +tramper +trample +tramp's +tramway +trances +tranche +transit +transom +trapeze +trapped +trapper +trashed +trashes +trash's +traumas +travail +travels +trawled +trawler +trawl's +treacle +treacly +treadle +tread's +treason +treated +treat's +trebled +trebles +treeing +treetop +trefoil +trekked +trekker +Trekkie +trellis +tremble +tremolo +tremors +trended +trend's +Trenton +Trent's +tresses +tress's +trestle +Trevino +triad's +trialed +trial's +tribe's +tribune +tribute +triceps +trice's +tricked +trickle +trick's +Trident +trident +trier's +Trieste +trifled +trifler +trifles +trigger +trike's +trilled +trill's +trilogy +trimmed +trimmer +Trina's +Trinity +trinity +trinket +tripe's +tripled +triples +triplet +triplex +tripods +Tripoli +tripped +tripper +trireme +trisect +Tristan +tritely +tritest +tritium +triumph +trivets +trivial +trivium +trochee +trodden +troikas +Troilus +Trojans +trolled +trolley +trollop +troll's +tromped +trooped +trooper +troop's +trope's +tropics +tropism +troth's +Trotsky +trotted +trotter +trouble +troughs +trounce +trouped +trouper +troupes +trouser +trout's +trove's +trowels +trowing +truancy +truants +truce's +trucked +Truckee +trucker +truckle +truck's +Trudeau +trudged +trudges +Trudy's +truffle +truisms +trumped +trumpet +Trump's +trump's +trundle +trunk's +trussed +trusses +truss's +trusted +trustee +trust's +truther +Truth's +truth's +tryouts +trysted +tryst's +tsetses +tsunami +Tuamotu +tubbier +tuber's +tubfuls +tubular +tubules +tuckers +tucking +Tucuman +étude's +Tudor's +Tuesday +tufters +tufting +tugboat +tugging +tuition +tulip's +tulle's +Tulsa's +tumbled +tumbler +tumbles +tumbrel +tummies +tummy's +tumor's +tumults +tundras +tuneful +tuner's +tuneups +tunic's +Tunisia +Tunis's +tunnels +tunnies +tunny's +tuque's +turbans +turbine +turbo's +turbots +tureens +turfing +Turin's +turkeys +Turkics +Turkish +turmoil +turners +turning +turnips +turnkey +turnoff +turnout +turrets +turtles +Tuscany +Tussaud +tussled +tussles +tussock +tutored +tutor's +Tutsi's +tutting +tutti's +tuxedos +twaddle +Twain's +twain's +twanged +twang's +tweaked +tweak's +Tweed's +tweed's +tweeted +tweeter +tweet's +twelfth +twelves +twerked +twerp's +twiddle +twiddly +twigged +Twila's +twilled +twill's +twiners +twine's +twinged +twinges +twining +twinkle +twinkly +twinned +twinset +twirled +twirler +twirl's +twisted +twister +twist's +twitchy +twitted +Twitter +twitter +twofers +twofold +twosome +Tycho's +tycoons +Tylenol +Tyler's +tympani +Tyndale +Tyndall +typeset +typhoid +typhoon +typical +typists +tyranny +tyrants +Tyree's +Tyson's +Ucayali +Uccello +Udall's +udder's +ufology +Ugandan +ugliest +ukase's +Ukraine +ukulele +ulcer's +ulsters +ultra's +ululate +Ulysses +umbel's +umber's +umbrage +umbra's +Umbriel +umiak's +umlauts +umpired +umpires +umpteen +unaided +unalike +unarmed +unasked +unaware +unbaked +unbends +unbinds +unblock +unbolts +unbosom +unbound +unbowed +uncanny +uncased +unchain +uncivil +unclasp +unclean +unclear +uncle's +uncloak +unclogs +uncoils +uncorks +uncouth +uncover +uncross +unction +uncured +uncurls +undated +undergo +undoing +undress +undying +unearth +uneaten +unequal +unfazed +unfixed +unfixes +unfolds +unfrock +unfroze +unfunny +unfurls +unglued +ungodly +unguent +unhands +unhandy +unhappy +unheard +unhinge +unhitch +unhooks +unhorse +Unicode +unicorn +unified +unifies +uniform +Union's +union's +uniquer +unitary +unities +uniting +unitize +unity's +unkempt +unknown +unlaced +unlaces +unladen +unlatch +unlearn +unleash +unlined +unloads +unlocks +unloose +unloved +unlucky +unmakes +unmanly +unmasks +unmeant +unmixed +unmoral +unmoved +unnamed +unnerve +unpacks +unpaved +unpicks +unplugs +unquiet +unquote +unrated +unravel +unready +unreels +unriper +unrolls +unsafer +unsaved +unscrew +unseals +unseats +unshorn +unsnaps +unsnarl +unsound +unspent +unstops +unstrap +unstuck +untamed +untried +untruer +untruly +untruth +untwist +untying +unusual +unveils +unwaged +unwinds +unwiser +unwound +unwoven +unwraps +unyoked +unyokes +upbeats +upbraid +upchuck +updated +updater +updates +updraft +upended +upfront +upgrade +uphills +upholds +uplands +uplifts +uploads +upper's +upraise +uprears +upright +upriver +uproars +uproots +upscale +upset's +upshots +upsides +upsilon +upstage +upstart +upstate +upsurge +upswing +uptakes +uptempo +upticks +uptight +Upton's +uptrend +upturns +upwards +Urals's +uranium +urbaner +Urban's +urchins +ureters +urethra +urgency +Uriah's +Uriel's +urinals +urinary +urinate +urine's +urology +Uruguay +usage's +useless +Usenets +ushered +usher's +Ustinov +usually +usual's +usurers +usurped +usurper +usury's +Utahans +utensil +uterine +utility +utilize +Utopian +Utopias +utopias +Utrecht +Utrillo +uttered +utterly +uveitis +uvulars +uvula's +Uzbek's +vacancy +vacated +vacates +vaccine +vacuity +vacuole +vacuous +vacuums +Vader's +Vaduz's +vaginae +vaginal +vaginas +vagrant +vaguely +vaguest +vainest +valance +Valarie +valence +valency +Valenti +Valeria +Valerie +valeted +valet's +valiant +validly +valises +Valiums +Vallejo +valleys +valor's +valuate +valuers +value's +valuing +valve's +valving +vamoose +vamping +vampire +Vance's +Vandals +vandals +Vandyke +Vanessa +vanilla +vanning +vantage +Vanuatu +vapidly +vapor's +vaquero +variant +variate +variety +various +varlets +varmint +varnish +varsity +varying +Vasquez +vassals +vastest +Vatican +vatting +Vaughan +vaulted +vaulter +vault's +vaunted +vaunt's +Vazquez +vectors +Vedanta +veejays +veering +vegan's +Vegas's +veggies +vegging +vehicle +veiling +veining +velar's +Velcros +Velez's +Velma's +velours +velum's +velvety +venally +vending +vendors +veneers +venison +venom's +venting +ventral +venture +venue's +Venuses +Venus's +veranda +verbals +verbena +verbose +verdant +Verde's +verdict +Verdi's +verdure +vergers +verge's +verging +veriest +Verizon +Vermeer +Vermont +Verna's +Verne's +vernier +verruca +verse's +versify +versing +version +verso's +vertigo +verve's +vesicle +vespers +vessels +vestals +Vesta's +vestige +vesting +vetches +vetch's +veteran +vetoing +vetting +viaduct +viand's +vibes's +vibrant +vibrate +vibrato +vicar's +Vicente +viceroy +Vichy's +vicious +Vicki's +Vicky's +victims +victors +victory +victual +vicuñas +vicunas +Vidal's +videoed +video's +Vietnam +viewers +viewing +vigil's +vigor's +Vikings +vikings +village +villain +Villa's +villa's +villein +Vilma's +Vilnius +Vincent +Vince's +vinegar +vintage +vintner +vinyl's +Viola's +viola's +violate +violent +violets +violins +violist +viper's +vireo's +virgins +Virgo's +virgule +virtual +virtues +viruses +virus's +visages +visaing +viscera +viscose +viscous +visible +visibly +visions +visited +visitor +visit's +visor's +vista's +Vistula +visuals +vitally +vitamin +vitiate +Vitim's +vitrify +vitrine +vitriol +vittles +Vitus's +Vivaldi +vivaria +vivider +vividly +vixen's +viziers +vocable +vocalic +vocally +vocal's +vodka's +Vogue's +vogue's +voguish +voice's +voicing +voiding +voile's +volcano +Volcker +Volga's +volleys +voltage +voltaic +Volta's +voluble +volubly +volumes +volutes +Volvo's +vomited +vomit's +Vonda's +voodoos +Vorster +voter's +vouched +voucher +vouches +vowel's +voyaged +Voyager +voyager +voyages +voyeurs +Vuitton +Vulgate +vulpine +vulture +vulva's +wabbits +wackest +wackier +wacko's +wadding +waddled +waddles +wader's +wafer's +waffled +waffler +waffles +wafting +wagered +wagerer +wager's +waggery +wagging +waggish +waggled +waggles +wagoner +wagon's +wagtail +Wahhabi +Waikiki +wailers +wailing +waist's +waiters +Waite's +waiting +waivers +waiving +wakeful +wakened +wakings +Waksman +waldoes +Waldorf +Waldo's +Wales's +walkers +walkies +walking +Walkman +walkout +walkway +wallaby +Wallace +wallahs +wallets +walleye +wallies +walling +Walloon +wallops +wallows +Walls's +Walmart +walnuts +Walpole +Walsh's +Walters +waltzed +waltzer +waltzes +waltz's +Wanda's +wanders +wangled +wangler +wangles +wankers +wanking +wannabe +wanness +wannest +wanting +wantons +wapitis +warbled +warbler +warbles +wardens +warders +warding +warfare +warhead +wariest +warlike +warlock +warlord +warmers +warmest +warming +warmish +warning +warpath +warping +warrant +warrens +warring +warrior +warship +warthog +wartier +wartime +Warwick +Wasatch +washers +washier +washing +washout +washrag +washtub +waspish +wassail +wastage +wasters +waste's +wasting +wastrel +watched +watcher +watches +watch's +watered +water's +Watkins +wattage +Watteau +wattled +wattles +Watts's +Waugh's +wavelet +wavered +waverer +waver's +waviest +waxiest +waxwing +waxwork +waybill +waylaid +waylays +Wayne's +wayside +wayward +weakens +weakest +weakish +wealthy +weaning +weapons +wearers +wearied +wearier +wearies +wearily +wearing +weasels +weather +weavers +weave's +weaving +webbing +webcams +webcast +Weber's +webfeet +webfoot +webinar +weblogs +website +Webster +Weddell +wedding +wedge's +wedgies +wedging +wedlock +weeders +weedier +weeding +weekday +weekend +Weeks's +weenier +weenies +weening +weepers +weepier +weepies +weeping +weepy's +weevils +weighed +weigh's +weights +weighty +Weill's +weirder +weirdie +weirdly +weirdos +Weiss's +welcome +welders +welding +welfare +Welland +wellies +welling +Wells's +welshed +welsher +welshes +Welsh's +welters +welting +wenches +wench's +Wendell +wending +Wendi's +Wendy's +weren't +Wesak's +Western +western +wetback +wetland +wetness +wetters +wettest +wetting +wetware +Wezen's +whacked +whacker +whack's +whalers +whale's +whaling +whammed +wharf's +Wharton +wharves +whatnot +whatsit +wheal's +wheaten +wheat's +wheedle +wheeled +Wheeler +wheeler +wheelie +wheel's +wheezed +wheezes +whelked +whelk's +whelmed +whelped +whelp's +whereas +whereat +whereby +wherein +whereof +whereon +where's +whereto +whether +whetted +whiffed +whiff's +while's +whiling +whimper +whiners +whine's +whinged +whinger +whinges +whinier +whining +whipped +whipper +whippet +Whipple +whipsaw +whirled +whirl's +whirred +whisked +whisker +whiskey +whisk's +whiskys +whisper +whistle +whist's +whitens +White's +white's +whitest +whiteys +whither +whiting +whitish +Whitley +Whitman +Whitney +whittle +whizkid +whizzed +whizzes +whoever +whole's +whooped +whoopee +whooper +whoop's +whopped +whopper +whore's +whoring +whorish +whorled +whorl's +whupped +Wicca's +Wichita +wickers +wickets +widened +widener +widgets +widowed +widower +widow's +width's +wielded +wielder +wieners +wienies +wigging +Wiggins +wiggled +wiggler +wiggles +wight's +wiglets +wigwags +wigwams +Wilbert +Wilburn +Wilda's +wildcat +Wilde's +wildest +wilds's +Wiles's +Wiley's +Wilford +Wilfred +Wilhelm +wiliest +Wilkins +Willard +Willa's +willful +William +willies +willing +willows +willowy +Willy's +Wilma's +wilting +wimpier +wimping +wimpish +wimpled +wimples +wince's +winched +winches +winch's +wincing +windbag +winders +windier +windily +winding +Windows +windows +windrow +Windsor +windups +Winesap +Winfred +Winfrey +wingers +winging +wingnut +wingtip +winiest +winkers +winking +winkled +winkles +winners +winning +winnows +winsome +Winston +Winters +winters +wiper's +wiretap +wiriest +wiseguy +wishers +wishful +wishing +wispier +wistful +witched +witches +witch's +withers +withe's +withing +without +witless +witness +witters +wittier +wittily +witting +wizards +wizened +wobbled +wobbles +Wobegon +Wolfe's +Wolff's +wolfing +wolfish +wolfram +womanly +woman's +wombats +wombles +women's +wonders +wonkier +Woodard +woodcut +woodier +woodies +wooding +woodlot +woodman +woodmen +Woodrow +Woods's +woods's +woody's +wooer's +woofers +woofing +woolens +Woolf's +Woolite +Wooster +woozier +woozily +wordage +wordier +wordily +wording +workday +workers +working +Workman +workman +workmen +workout +workshy +works's +worktop +workups +worldly +world's +wormier +worming +Worms's +worried +worrier +worries +worry's +worsens +worse's +worship +worsted +worst's +worth's +Wotan's +wouldst +wounded +wounder +wound's +Wozniak +Wozzeck +wracked +wrack's +wraiths +wrangle +wrapped +wrapper +wrasses +wrath's +wreaked +wreathe +wreaths +wrecked +wrecker +wreck's +wrested +wrestle +wrest's +wriggle +wriggly +wrights +Wrigley +wringer +wring's +wrinkle +wrinkly +wrist's +writers +writhed +writhes +writing +written +Wroclaw +wronged +wronger +wrongly +wrong's +wrought +wryness +Wuhan's +wurst's +wussier +wussies +wussy's +Wyatt's +Wyeth's +Wylie's +Wyoming +WYSIWYG +Xenakis +Xenia's +xenon's +xeroxed +Xeroxes +xeroxes +Xerox's +xerox's +Xhosa's +Xi'an's +Ximenes +Xingu's +Xiongnu +xterm's +xxxviii +xylem's +yachted +yacht's +Yahoo's +yahoo's +Yahtzee +yakking +Yakut's +Yakutsk +Yalow's +Yalta's +yammers +Yangtze +Yankees +yanking +Yaobang +Yaounde +yapping +Yaqui's +yardage +yardarm +yardman +yardmen +yashmak +Yates's +yawners +yawning +yearned +yeast's +Yeats's +yelling +yellows +yellowy +yelping +Yeltsin +Yemenis +Yemen's +Yenisei +Yerevan +Yesenia +yeshiva +yessing +Yiddish +yielded +yield's +yipping +yodeled +yodeler +yodel's +yogurts +yokel's +Yolanda +Yonkers +younger +Young's +young's +youth's +YouTube +yowling +Ypres's +yttrium +Yucatan +yucca's +yuckier +yukking +Yukon's +yummier +yuppies +yuppify +Zachary +Zachery +Zaire's +Zairian +Zambezi +Zambian +Zamboni +zaniest +Zapotec +Zappa's +zappers +zapping +Zealand +zealots +zealous +Zebedee +zebra's +Zelig's +Zelma's +zeniths +zeolite +zephyrs +zeroing +zestful +zestier +Zhdanov +Zhivago +Ziegler +Ziggy's +zigzags +zilch's +zillion +zincked +zingers +zingier +zinging +zinnias +Zionism +Zionist +zippers +zippier +zipping +zircons +zithers +zloties +zloty's +zodiacs +Zomba's +zombies +zonally +zoology +zooming +Zorro's +Zosma's +Zukor's +Zwingli +zygotes +zygotic +zymurgy +Aachen +abacus +abased +abases +abated +abates +abbe's +abbess +abbeys +abbots +Abbott +abbrev +abbé's +Abby's +abduct +Abel's +abhors +abides +abject +abjure +ablate +ablaze +ablest +abloom +aboard +abodes +aborts +abound +abrade +Abrams +abroad +abrupt +abseil +absent +absorb +absurd +abused +abuser +abuses +acacia +Acadia +accede +accent +accept +access +accord +accost +accrue +accuse +acetic +acetyl +Achebe +achene +ache's +achier +aching +acidic +acidly +acid's +ACLU's +acme's +acne's +acorns +Acosta +acquit +acre's +across +ACTH's +acting +action +active +actors +Acts's +actual +acuity +acumen +acuter +acutes +adages +adagio +Adam's +Adan's +adapts +Adar's +Addams +addend +adders +addict +adding +addled +addles +adduce +Aden's +adepts +Adhara +adhere +Adidas +adieus +adjoin +adjure +adjust +Adkins +admins +admire +admits +adobes +Adolfo +Adolph +Adonis +adopts +adored +adorer +adores +adorns +Adrian +adrift +adroit +adsorb +adults +Advent +advent +adverb +advert +advice +advise +adware +adze's +Aegean +Aeneas +Aeneid +Aeolus +aerate +aerial +aeries +affair +affect +affirm +afford +affray +Afghan +afghan +afield +aflame +afloat +afraid +afresh +Africa +Afro's +afters +agar's +Agassi +agates +Agatha +ageism +ageist +agency +agenda +agents +aghast +agings +Aglaia +agleam +Agni's +Agra's +agreed +agrees +ague's +Ahab's +ahchoo +Aida's +aide's +aiding +AIDS's +Aileen +ailing +aiming +Ainu's +airbag +airbed +airbus +airier +airily +airing +airman +airmen +airway +aisles +Ajax's +akimbo +Alan's +Alaric +alarms +Alar's +Alaska +Albany +Alba's +albeit +Albert +albino +Albion +albums +Alcott +alcove +Alcuin +alders +Aldo's +Aldrin +Alec's +Aleppo +alerts +Aleuts +Alexei +Alexis +Alex's +Alford +Alfred +alga's +Alhena +alibis +Alicia +aliens +alight +aligns +Alioth +Alisha +Alison +Alissa +aliyah +Alkaid +alkali +alkyds +allays +allege +allele +alleys +allied +Allies +allies +allots +allows +alloys +allude +allure +ally's +Almach +Alma's +Almaty +almond +almost +alms's +aloe's +alohas +Alonzo +alpaca +Alpert +alphas +Alpine +alpine +Alpo's +Alps's +Alsace +Alston +Altaic +Altair +altars +Alta's +alters +Althea +Altman +alto's +Aludra +alumna +alumni +alum's +Alvaro +Alva's +always +Alyson +Alyssa +Amalia +Amanda +amazed +amazes +Amazon +amazon +ambled +ambler +ambles +ambush +Amelia +amends +Amen's +amerce +amides +Amie's +amigos +amines +ammo's +amnion +amoeba +amoral +Amos's +amount +amours +Amparo +Ampere +ampere +ampler +ampule +Amtrak +amulet +Amur's +amused +amuses +Anabel +Anacin +anally +analog +anchor +Andean +Andrea +Andrei +Andres +Andrew +Andy's +anemia +anemic +Angara +Angela +Angelo +angels +angers +angina +Angkor +angled +angler +Angles +angles +Anglia +Angola +Angora +angora +Anibal +animal +animus +anions +Ankara +ankh's +ankles +anklet +annals +Anna's +anneal +Anne's +annoys +annual +annuls +anodes +anoint +anorak +Anselm +Anshan +answer +ante's +anthem +anther +antics +anti's +antler +Antone +Antony +antrum +Antwan +Anubis +anuses +anus's +anvils +anyhow +anyone +anyway +aortas +aortic +Apache +apathy +apexes +apex's +aphids +apiary +Apia's +apical +apiece +aplomb +apogee +Apollo +appall +appeal +appear +append +apples +applet +appose +approx +Aprils +aprons +apse's +aptest +aqua's +Aquila +Aquino +Arabia +Arabic +arable +Arab's +Arafat +Aragon +Aral's +Aramco +Ararat +Arawak +arbors +arcade +arcane +arched +archer +arches +Archie +archly +arch's +arcing +Arctic +arctic +ardent +ardors +area's +arenas +aren't +Ares's +argent +Argo's +argosy +argots +argued +arguer +argues +argyle +aria's +aridly +aright +arisen +arises +Arjuna +Arlene +Arline +armada +Armand +Armani +armful +armies +arming +armlet +Armonk +armors +armory +Armour +armpit +army's +Arnhem +Arnold +Arno's +aromas +Aron's +around +arouse +arrant +arrays +arrest +arrive +arrows +arroyo +arsing +artery +artful +Arthur +artier +artist +Arturo +arum's +Aryans +ascend +ascent +ASCIIs +ascots +Asgard +ashcan +Ashe's +ashier +ashing +ashlar +Ashlee +Ashley +ashore +ashram +Asiago +Asians +Asia's +asides +Asimov +asking +aslant +asleep +Asmara +aspect +Aspell +aspens +aspics +aspire +assail +assays +assent +assert +assess +assets +assign +Assisi +assist +assize +assort +assume +assure +Astana +astern +asters +asthma +astral +astray +astute +asylum +ataxia +ataxic +Athena +Athene +Athens +Atkins +atolls +atomic +atom's +atonal +atoned +atones +Atreus +atrial +atrium +attach +attack +attain +attend +attest +Attica +attics +Attila +attire +Attlee +attune +Atwood +Aubrey +auburn +Audion +audios +Audi's +audits +Audrey +Augean +augers +aughts +augurs +augury +August +august +auntie +aunt's +aura's +aureus +Auriga +Aurora +aurora +Aussie +Austen +Austin +author +autism +auto's +Autumn +autumn +avails +Avalon +avatar +avaunt +avenge +avenue +averse +averts +Avesta +aviary +avidly +Avis's +avoids +Avon's +avouch +avowal +avowed +awaits +awaken +awakes +awards +aweigh +awhile +awning +awoken +AWOL's +axioms +axis's +axle's +axon's +Axum's +ayah's +Aymara +azalea +Azania +Azazel +Azores +Azov's +Aztecs +Aztlan +azures +baaing +Baal's +babble +Babels +babels +babe's +babied +babier +babies +baboon +baby's +Bacall +Bach's +backed +backer +back's +backup +Backus +badder +baddie +badger +badges +badman +badmen +Baez's +Baffin +baffle +bagels +bagful +bagged +baggie +Baguio +Baha'i +Bahama +baht's +Baikal +bailed +Bailey +bailey +bail's +bairns +baited +bait's +bakers +bakery +bake's +baking +Baku's +Balboa +balboa +balded +Balder +balder +baldly +baleen +balers +bale's +baling +Bali's +Balkan +balked +balk's +ballad +balled +ballet +ballot +Ball's +ball's +ballsy +balm's +balsam +balsas +Baltic +Balzac +Bamako +bamboo +Banach +banana +banded +bandit +band's +bane's +banged +banger +bangle +Bangor +bang's +Bangui +banish +banjos +Banjul +banked +banker +bank's +banned +banner +bantam +banter +Bantus +banyan +banzai +baobab +Baotou +Barack +barbed +barbel +Barber +barber +Barbie +barbie +Barbra +barb's +bardic +bard's +barely +barest +barfed +barfly +barf's +barged +barges +barhop +baring +barium +barked +Barker +barker +bark's +barley +Barlow +barman +barmen +Barnes +Barney +barney +barn's +Barnum +Baroda +barons +barony +barque +barred +barrel +barren +barres +Barrie +barrio +Barron +barrow +Barr's +barter +Bartók +Bartok +Barton +Bart's +Baruch +baryon +basalt +basely +base's +basest +bashed +bashes +bash's +BASICs +basics +basing +basins +basked +basket +Basque +basque +basses +basset +bassos +Bass's +bass's +basted +baster +bastes +bast's +Bataan +bathed +bather +bathes +bathos +bath's +batiks +bating +Batman +batman +batmen +batons +batted +batten +batter +Battle +battle +Batu's +bauble +baud's +Baum's +bawd's +bawled +bawl's +Baxter +Bayeux +baying +Baylor +bayous +bazaar +beacon +beaded +Beadle +beadle +bead's +beagle +beaked +beaker +beak's +beamed +beam's +beaned +beanie +Bean's +bean's +beards +bearer +bear's +beasts +beaten +beater +beat's +Beatty +Beau's +beau's +beauts +beauty +beaver +bebops +becalm +became +Becker +Becket +beckon +Beck's +beck's +become +bedaub +bedbug +bedded +bedder +bedeck +Bede's +bedims +bedlam +bedpan +bedsit +beefed +beef's +beeped +beeper +beep's +beer's +beetle +Beeton +beet's +beeves +befall +befell +befits +befogs +before +befoul +begets +beggar +begged +begins +begone +begums +behalf +behave +behead +beheld +behest +behind +behold +beings +Beirut +Bekesy +Bela's +belays +belfry +belied +belief +belies +Belize +belled +belles +Bellow +bellow +Bell's +bell's +belong +belted +belt's +beluga +bemire +bemoan +bemuse +Bender +bender +Bendix +bend's +Bengal +benign +Benita +Benito +Bennie +Benson +Benton +bent's +benumb +Benz's +benzyl +berate +Berber +bereft +berets +Bergen +Berger +Berg's +berg's +Bering +Berlin +berm's +Bernie +Bern's +Bertha +berths +Bertie +Bert's +beryls +beseem +besets +beside +besoms +besots +Bessel +Bessie +Bess's +bested +bestir +bestow +Best's +best's +betake +beta's +betcha +Beth's +betide +betook +betray +better +Bettie +bettor +Bettye +Beulah +bevels +bevies +bevy's +bewail +beware +beyond +bezels +Bharat +Bhopal +Bhutan +Bhutto +Bianca +biased +biases +bias's +Bibles +bibles +bicarb +biceps +bicker +bidden +bidder +Biddle +bidets +biding +Bierce +bier's +biffed +bigamy +bigger +biggie +bights +bigots +bigwig +bijoux +bikers +bike's +biking +bikini +Biko's +Bilbao +bile's +bilges +bilked +bilker +billed +billet +Billie +billow +Bill's +bill's +bimbos +Bimini +binary +binder +bind's +binged +binges +binman +binmen +binned +bionic +biopic +biopsy +biotin +bipeds +birded +birder +birdie +Bird's +bird's +Biro's +births +Biscay +bisect +Bishop +bishop +bisque +Bissau +bistro +bitchy +biters +bite's +biting +bitmap +BITNET +bitten +bitter +blab's +blacks +bladed +blades +blah's +Blaine +blamed +blamer +blames +blammo +Blanca +blanch +blanks +blared +blares +blasts +blazed +blazer +blazes +blazon +bleach +bleary +bleats +bleeds +bleeps +blench +blends +bletch +blight +blimey +blimps +blinds +blinis +blinks +blintz +blip's +blithe +blivet +bloats +blob's +blocks +bloc's +blog's +blokes +blonde +blonds +bloods +bloody +blooms +bloops +blotch +blot's +blotto +blouse +blower +blow's +blowup +blowzy +blue's +bluest +bluesy +bluets +bluffs +bluing +bluish +blunts +blurbs +blurry +blur's +blurts +Blythe +boards +boar's +Boas's +boasts +boated +boater +boat's +bobbed +Bobbie +bobbin +bobble +bobcat +boccie +bock's +bodega +bodged +bodges +bodice +bodied +bodies +bodily +boding +bodkin +body's +Boeing +Boer's +boffin +Bogart +bogeys +bogged +boggle +bogies +Bogotá +Bogota +Bohr's +boiled +boiler +boil's +boinks +bola's +bolder +boldly +bolero +bole's +Boleyn +bollix +boll's +bolted +Bolton +bolt's +Bombay +bombed +bomber +bomb's +bonbon +bonces +bonded +Bond's +bond's +boners +bone's +bonged +bongos +bong's +bonier +boning +Bonita +bonito +bonked +Bonner +bonnet +Bonnie +Bonn's +bonobo +Bono's +bonsai +boobed +boob's +boodle +booger +boogie +boohoo +booing +booked +Booker +bookie +book's +boomed +boomer +boom's +boon's +boor's +boosts +booted +bootee +Bootes +booths +boot's +boozed +boozer +boozes +bopped +Borden +border +Bordon +Boreas +borers +bore's +Borges +Borgia +Borg's +boring +Bork's +Borneo +Born's +borrow +Boru's +borzoi +Bose's +bosh's +Bosnia +bosoms +bosomy +bossed +bosses +boss's +Boston +botany +Boötes +bother +botnet +bottle +bottom +boughs +bought +boules +Boulez +bounce +bouncy +bounds +bounty +bout's +Bovary +bovine +bovver +Bowell +bowels +Bowers +bowers +Bowery +bowing +bowled +bowleg +bowler +bowl's +Bowman +bowman +bowmen +bowwow +boxcar +boxers +boxier +boxing +Boyd's +boyish +bozo's +braced +bracer +braces +bracts +Bradly +Brad's +brad's +brae's +brag's +Brahma +Brahms +braids +brains +brainy +braise +braked +brakes +Branch +branch +Brandi +Brando +brands +Brandt +Brandy +brandy +Bran's +bran's +Braque +brassy +brat's +bratty +braved +braver +braves +bravos +brawls +brawny +brayed +Bray's +bray's +brazed +brazen +brazer +brazes +Brazil +Brazos +breach +breads +breaks +breams +breast +breath +Brecht +breech +breeds +breeze +breezy +Bremen +Brenda +Breton +Bret's +breves +brevet +brewed +Brewer +brewer +brew's +Brexit +Briana +bribed +briber +bribes +bricks +bridal +brides +bridge +bridle +briefs +briers +Brie's +brie's +Briggs +Bright +bright +Brigid +brig's +Brillo +brim's +brings +brinks +brisks +Briton +Brit's +Brno's +broach +broads +brogan +brogue +broils +Brokaw +broken +broker +brolly +bronco +broncs +Bronte +bronze +brooch +broods +broody +Brooke +Brooks +brooks +brooms +broths +Browne +browns +brow's +browse +bruins +bruise +bruits +brunch +Brunei +brunet +brutal +brutes +Brut's +Brutus +Bryant +bubble +bubbly +buboes +bubo's +bucked +bucket +buckle +Buck's +buck's +budded +Buddha +budged +budges +budget +budgie +buffed +buffer +buffet +buff's +Buford +bugged +bugger +bugled +bugler +bugles +builds +bulb's +Bulgar +bulged +bulges +bulked +bulk's +bulled +bullet +bull's +bumbag +bumble +bummed +bummer +bumped +bumper +Bumppo +bump's +Bunche +bunchy +buncos +bundle +bunged +bungee +bungle +bung's +bunion +bunked +Bunker +bunker +bunk's +bunkum +Bunsen +bunted +bunt's +Bunuel +Bunyan +buoyed +buoy's +burble +burden +bureau +Burger +burger +burghs +burgle +burg's +burial +buried +buries +burkas +burlap +burled +Burl's +burl's +burned +burner +burn's +burped +burp's +burred +Burris +burros +burrow +Burr's +burr's +bursae +bursar +bursts +Burton +Burt's +busboy +bushed +bushel +bushes +Bush's +bush's +busied +busier +busies +busily +busing +busked +busker +buskin +buss's +busted +buster +bustle +bust's +butane +Butler +butler +butted +butter +buttes +button +butt's +Buñuel +buyers +buying +buyout +buzzed +buzzer +buzzes +buzz's +Byblos +bygone +bylaws +byline +bypass +bypath +byplay +Byrd's +byroad +byte's +byways +byword +cabals +cabana +cabbed +cabers +cabins +cabled +cables +Cabral +cacaos +cached +caches +cachet +cackle +cactus +caddie +cadets +cadged +cadger +cadges +cadres +Caesar +cafe's +café's +caftan +Cage's +cage's +cagier +cagily +caging +Cagney +cahoot +caiman +Cain's +cairns +cajole +Cajuns +cake's +caking +Calais +Calder +calf's +calico +caliph +Cali's +calked +calk's +Callao +Callas +callas +called +caller +Callie +callow +call's +callus +calmed +calmer +calmly +calm's +calved +calves +Calvin +camber +Camden +camels +cameos +camera +camped +camper +Campos +camp's +campus +Canaan +Canada +canals +canapé +canape +canard +canary +cancan +cancel +Cancer +cancer +Cancun +candid +candle +candor +caners +cane's +canine +caning +canker +canned +Cannes +Cannon +cannon +cannot +canoed +canoes +canola +canons +canopy +canted +canter +Canton +canton +Cantor +cantor +cantos +cant's +Canute +canvas +canyon +capers +cape's +Caph's +caplet +Capone +capons +capo's +Capote +capped +captor +carafe +Cara's +carats +carbon +carboy +carded +carder +cardie +Cardin +cardio +card's +careen +career +carers +care's +caress +carets +carhop +Caribs +caries +Carina +caring +Carlin +Carlos +Carl's +Carmen +carnal +Carnap +Carney +Carnot +carobs +Carole +carols +caroms +carpal +carped +carpel +carper +carpet +carp's +carpus +carrel +Carrie +carrot +Carr's +Carson +carted +cartel +Carter +carter +carton +cart's +Caruso +carved +Carver +carver +carves +Cary's +casaba +Casals +casein +Case's +case's +cashed +cashes +cashew +Cash's +cash's +casing +casino +casket +cask's +Caspar +cassia +Cassie +caster +castes +castle +Castor +castor +Castro +cast's +casual +catchy +caters +catgut +Cathay +Cather +cation +catkin +catnap +catnip +Cato's +catted +cattle +Catt's +Cauchy +caucus +caudal +caught +caulks +causal +caused +causer +causes +caveat +cavern +cavers +cave's +caviar +cavils +caving +cavity +cavort +Cavour +cawing +Caxton +Cayman +Cayuga +Cayuse +cayuse +ceased +ceases +Cebu's +Cecile +Cecily +cedars +ceders +ceding +Cedric +celebs +celery +Celina +cellar +celled +cellos +cell's +Celtic +Celt's +cement +censer +censor +census +center +cent's +cereal +Cerf's +cerise +cerium +cermet +cervix +cesium +Cessna +Ceylon +Chad's +chafed +chafes +chaffs +chains +chairs +chaise +chalet +chalks +chalky +champs +Chance +chance +chancy +Chanel +Chaney +change +Chan's +chants +chapel +chappy +chap's +charge +charms +Charon +char's +charts +chased +chaser +chases +chasms +chaste +chat's +chatty +Chavez +cheapo +cheats +checks +cheeks +cheeky +cheeps +cheers +cheery +cheese +cheesy +chef's +Cheney +Chen's +Cheops +Cherie +Cherry +cherry +cherub +Cheryl +chests +chesty +chewed +chewer +chew's +chicer +chichi +chicks +chicle +chic's +chided +chides +chiefs +chills +chilly +chimed +chimer +chimes +chimps +chines +chinks +chinos +Chin's +chin's +chintz +chippy +chip's +chirps +chirpy +chisel +chitin +chit's +Chivas +chives +chocks +choice +choirs +choked +choker +chokes +choler +chomps +choose +choosy +Chopin +choppy +Chopra +chop's +choral +chords +chorea +chores +chorus +chosen +Chou's +chowed +chow's +chrism +Christ +chrome +chubby +chub's +chucks +chug's +chukka +chummy +chumps +chum's +chunks +chunky +Church +church +churls +churns +chutes +cicada +Cicero +ciders +cigars +cilium +cinder +cinema +cipher +circle +circus +cirque +cirrus +cite's +cities +citing +citric +citron +citrus +city's +civets +civics +clacks +claims +éclair +Claire +clammy +clamor +clamps +clam's +Clancy +clangs +clanks +clan's +clap's +claque +claret +Clarke +clasps +classy +Claude +clause +clawed +claw's +clayey +Clay's +clay's +cleans +clears +cleats +cleave +clef's +clefts +Clem's +clench +Cleo's +clergy +cleric +clerks +clever +clevis +clewed +clew's +cliché +cliche +clicks +client +cliffs +climax +climbs +climes +clinch +clings +clingy +clinic +clinks +Clio's +clip's +clique +clit's +cloaca +cloaks +cloche +clocks +clod's +clog's +clomps +clonal +cloned +clones +clonks +clop's +Clorox +closed +closer +closes +closet +clothe +Clotho +cloths +clot's +clouds +cloudy +clouts +cloven +clover +cloves +Clovis +clowns +cloyed +club's +clucks +clue's +cluing +clumps +clumpy +clumsy +clunks +clunky +clutch +clxvii +coaled +coal's +coarse +coasts +coated +coat's +coaxed +coaxer +coaxes +Cobain +cobalt +cobber +cobble +Cobb's +cobnut +COBOLs +cobras +cobweb +coca's +coccis +coccus +coccyx +Cochin +cocked +cockle +cock's +cocoas +cocoon +coco's +coda's +codded +coddle +coders +code's +codger +codify +coding +codons +Cody's +coed's +coerce +coeval +coffee +coffer +Coffey +coffin +cogent +Cognac +cognac +coheir +cohere +cohort +coho's +coif's +coiled +coil's +coined +coiner +coin's +coital +coitus +Coke's +coke's +coking +cola's +colder +coldly +cold's +Coleen +Cole's +coleus +coleys +Colfax +collar +collie +Collin +colloq +colons +colony +colors +Colt's +colt's +column +coma's +combat +combed +comber +combos +comb's +comedy +comely +comers +come's +comets +comfit +comics +coming +comity +commas +commie +commit +common +Como's +Compaq +comped +compel +comply +compos +comp's +conchs +concur +condom +condor +condos +cone's +coneys +confab +confer +congas +conger +Cong's +conics +coning +conked +conker +conk's +Conley +conman +conned +Conner +Connie +Conn's +Conrad +consed +conses +consul +contra +convex +convey +convoy +Conway +cony's +cooing +cooked +cooker +cookie +Cook's +cook's +cooled +cooler +Cooley +coolie +coolly +cool's +coon's +cooped +Cooper +cooper +coop's +cootie +coot's +cope's +copied +copier +copies +coping +Copley +copped +copper +copses +copter +Coptic +copula +copy's +corals +Cora's +corbel +corded +cordon +cord's +corers +core's +corgis +Corina +Corine +coring +corked +corker +cork's +corm's +cornea +corned +corner +cornet +corn's +corona +corpse +corpus +corral +corrie +corset +Cortes +cortex +Corvus +Cory's +coshed +coshes +cosign +cosine +cosmic +cosmos +cosset +costar +Costco +costed +costly +cost's +Cote's +cote's +cottar +cotter +Cotton +cotton +cougar +coughs +coulée +coulee +coulis +counts +county +coupes +couple +coupon +coup's +course +courts +cousin +covens +covers +covert +cove's +covets +coveys +Coward +coward +cowboy +Cowell +cowers +cowing +Cowley +cowl's +cowman +cowmen +cowpat +Cowper +cowpox +cowrie +coxing +coyest +coyote +coypus +cozens +cozier +cozies +cozily +cozy's +Crabbe +crabby +crab's +cracks +cradle +crafts +crafty +craggy +crag's +cramps +craned +cranes +cranks +cranky +cranny +crapes +crappy +crap's +crated +Crater +crater +crates +cravat +craved +craven +craves +crawls +crawly +craw's +crayon +Cray's +crazed +crazes +crèche +creaks +creaky +creams +creamy +crease +create +creche +credit +credos +creeds +Creeks +creeks +creels +creeps +creepy +Cree's +cremes +Creole +creole +crepes +crests +Cretan +cretin +crewed +crewel +crew's +crib's +cricks +criers +crikey +Crimea +crimes +crimps +cringe +cripes +Crisco +crises +crisis +crisps +crispy +critic +croaks +croaky +Croats +crocks +crocus +crofts +crones +Cronin +Cronus +crooks +croons +crop's +Crosby +crotch +crouch +croupy +crowds +crowed +crowns +Crow's +crow's +cruddy +cruder +crud's +cruets +crufts +crufty +Cruise +cruise +crumbs +crumby +crummy +crunch +cruses +Crusoe +crusts +crusty +crutch +cruxes +Crux's +crux's +Cruz's +crying +crypts +Csonka +Cubans +Cuba's +cubers +cube's +cubing +cubism +cubist +cubits +cuboid +cuckoo +cuddle +cuddly +cudgel +cuffed +cuff's +culled +Cullen +cull's +cult's +cumber +cumuli +Cunard +cunt's +cupful +cupids +cupola +cuppas +cupped +cupric +curacy +curare +curate +curbed +curb's +curdle +curd's +curers +cure's +curfew +curiae +curies +curing +curios +curium +curled +curler +curlew +curl's +cursed +curses +cursor +curter +Curtis +curtly +Curt's +curtsy +curved +curves +cuspid +cusp's +cussed +cusses +cuss's +Custer +custom +cutely +cutest +cutesy +cuteys +cuties +cutler +cutlet +cutoff +cutout +cutter +cutups +Cuvier +cyan's +Cybele +cyborg +cycled +cycles +cyclic +cygnet +Cygnus +cymbal +cynics +Cyprus +Cyrano +cystic +cyst's +czar's +Czechs +Czerny +dabbed +dabber +dabble +dace's +dachas +Dachau +Dacron +dactyl +Dada's +dadoes +dado's +daemon +dafter +daftly +dagger +dagoes +dahlia +dainty +daises +dais's +Dakota +Dale's +dale's +Dalian +Dali's +Dallas +Dalton +damage +damask +Dame's +dame's +Damian +Damien +Damion +dammed +dammit +damned +damn's +damped +dampen +damper +damply +damp's +damsel +damson +Dana's +danced +dancer +dances +dander +dandle +Dane's +danged +danger +dangle +Danial +Daniel +Danish +danish +danker +dankly +Dannie +Danone +Danton +Danube +Daphne +dapper +dapple +darers +Dare's +dare's +Darfur +daring +Darius +darken +darker +darkie +darkly +dark's +darned +darner +darn's +Darrel +Darren +Darrin +Darrow +Darryl +darted +darter +dart's +Darvon +Darwin +dashed +dasher +dashes +dash's +daters +date's +dating +dative +daubed +dauber +daub's +daunts +Dave's +Davids +Davies +davits +Davy's +dawdle +dawned +Dawn's +dawn's +Dawson +daybed +Dayton +daze's +dazing +dazzle +DBMS's +deacon +deaden +deader +deadly +dead's +deafen +deafer +dealer +deal's +Deanna +Deanne +Dean's +dean's +dearer +dearly +dear's +dearth +deaths +deaves +debark +debars +debase +debate +Debbie +Debian +debits +Debora +debris +Debs's +debtor +debt's +debugs +debunk +debuts +decade +decaff +decafs +decals +decamp +decant +decays +Deccan +deceit +decent +decide +decked +Decker +deckle +deck's +declaw +decode +decors +decoys +decree +deduce +deduct +deeded +deed's +deejay +deemed +deepen +deeper +deeply +deep's +deer's +deface +defame +defeat +defect +defend +defers +deffer +defied +defies +defile +define +defogs +deform +defray +defter +deftly +defuse +degree +deiced +deicer +deices +Deidre +deigns +Deimos +deists +deject +Delano +delays +Deleon +delete +delint +deli's +Delius +Dell's +dell's +Delmar +Delmer +Delphi +deltas +delude +deluge +deluxe +delved +delver +delves +demand +demean +Deming +demise +demist +demobs +demode +demoed +demons +demo's +demote +demure +demurs +Denali +Dena's +Deng's +dengue +denial +denied +denier +denies +denims +Denise +Dennis +denote +denser +dental +dented +dentin +dent's +denude +Denver +Deon's +depart +depend +depict +deploy +deport +depose +depots +Depp's +depths +depute +deputy +derail +Derick +deride +derive +dermal +dermis +Dermot +desalt +descry +desert +design +desire +desist +desk's +despot +detach +detail +detain +detect +deters +detest +detour +deuces +device +devils +Devi's +devise +devoid +devote +devour +devout +dewier +Dewitt +dewlap +Dexter +dharma +dhotis +dhow's +diadem +dialed +dialog +Dial's +dial's +Dianna +Dianne +diaper +diatom +dibble +dibs's +dicier +dicing +dicker +dickey +Dick's +dick's +dictum +diddle +diddly +didn't +didoes +Dido's +dido's +Diem's +diesel +dieted +dieter +diet's +diffed +differ +digest +digger +digits +dike's +diking +diktat +dilate +dildos +Dillon +dill's +dilute +dime's +dimity +dimmed +dimmer +dimple +dimply +dimwit +dinars +Dina's +diners +dinged +dinghy +dingle +ding's +dingus +dining +dinker +dinned +dinner +Dino's +dint's +diodes +Dionne +Dion's +Dior's +dioxin +dipole +dipped +Dipper +dipper +dipsos +direct +direly +direst +dirges +Dirk's +dirk's +dirndl +dirt's +disarm +disbar +discos +disc's +discus +dished +dishes +dish's +disk's +dismal +dismay +Disney +disown +dispel +dissed +distal +disuse +dither +dittos +ditzes +ditz's +divans +diva's +divers +divert +dive's +divest +divide +Divine +divine +diving +divots +Diwali +Dmitri +démodé +doable +dobbed +Dobbin +dobbin +docent +docile +docked +docker +docket +dock's +Doctor +doctor +dodder +doddle +dodged +dodgem +dodger +dodges +Dodoma +dodo's +Dodson +doer's +doffed +doge's +dogged +dogies +dogleg +dogmas +Doha's +doings +Dole's +dole's +doling +dollar +dolled +Dollie +dollop +doll's +dolmen +dolt's +domain +dome's +doming +domino +Donald +Dona's +dona's +donate +donged +dongle +dong's +donkey +donned +Donner +Donnie +Donn's +donors +donuts +doodad +doodah +doodle +Dooley +doomed +doom's +door's +dopa's +dopers +dope's +dopier +doping +Dora's +Dorcas +Doreen +Dorian +dories +dork's +dormer +dorm's +dorsal +Dorset +Dorsey +Dorthy +dory's +dosage +dose's +dosing +dossed +dosser +dosses +dotage +dotard +dotcom +doters +doting +Dotson +dotted +Douala +double +doubly +doubts +douche +doughy +Doug's +dourer +dourly +doused +douses +dove's +dovish +dowels +dowers +downed +downer +down's +dowsed +dowser +dowses +doyens +dozens +doze's +dozier +dozily +dozing +drably +drab's +drafts +drafty +draggy +dragon +drag's +drains +drakes +dramas +dram's +draped +draper +drapes +drawer +drawls +draw's +dray's +dreads +dreams +dreamy +dreary +dredge +drench +dressy +Drew's +driers +driest +drifts +drills +drinks +drippy +drip's +drivel +driven +driver +drives +drogue +droids +drolly +droned +drones +drools +droops +droopy +drop's +dropsy +drover +droves +drowns +drowse +drowsy +Drudge +drudge +druggy +drug's +druids +drum's +drunks +drupes +dryads +Dryden +dryers +drying +dubbed +dubber +dubbin +Dubcek +Dublin +ducats +ducked +duck's +duct's +dude's +duding +Dudley +dueled +dueler +duel's +duenna +duet's +duffed +duffer +duff's +dugout +Duke's +duke's +dulcet +dulled +duller +Dulles +Duluth +dumber +dumbly +dumbos +dumdum +dumped +dumper +dump's +Dunant +Dunbar +Duncan +dunces +Dundee +dune's +dunged +dung's +dunked +dunk's +Dunlap +dunned +dunner +Dunn's +dupers +dupe's +duping +duplex +DuPont +Durant +Durban +duress +Durham +during +Duse's +dusk's +dusted +duster +Dustin +dust's +duties +duty's +duvets +Dvorak +Dvorák +dwarfs +Dwayne +dweebs +dwells +Dwight +dyadic +dybbuk +dyeing +Dyer's +dyer's +dyke's +dynamo +eagles +eaglet +Eakins +earbud +earful +Earl's +earl's +earned +earner +Earp's +earths +earthy +earwax +earwig +easels +ease's +easier +easily +easing +Easter +East's +east's +eaters +eatery +eating +eave's +eBay's +ebbing +Eben's +Ebro's +echoed +echoes +echoic +echo's +eclair +ecru's +eczema +Edam's +Edda's +eddied +eddies +Eddy's +eddy's +edemas +Eden's +edgers +edge's +edgier +edgily +edging +edible +edicts +Edison +edited +editor +edit's +Edmond +Edmund +Edna's +educed +educes +Edward +Edwina +eerier +eerily +Eeyore +efface +effect +effete +effigy +effing +efflux +effort +effuse +Efrain +eggcup +egging +eggnog +Eggo's +egoism +egoist +egress +egrets +eiders +Eiffel +eighth +eights +eighty +Eileen +Eire's +Eisner +either +ejects +Elaine +Elam's +elands +Elanor +elan's +elapse +elated +elates +Elba's +Elbert +Elbe's +elbows +Elbrus +elders +eldest +elects +eleven +elfish +elicit +elided +elides +Elijah +Elinor +Eliseo +Elisha +elites +elixir +Ella's +Elliot +Elma's +Elmo's +Elnath +Elnora +elodea +Elohim +Eloise +eloped +elopes +Eloy's +Elsa's +eluded +eludes +Elul's +Elva's +elvers +Elvira +elvish +Elwood +Elysée +Elysee +emails +embalm +embank +embark +embeds +embers +emblem +embody +emboss +embryo +emceed +emcees +emends +emerge +emetic +emigre +Emilia +Emilio +Emil's +Eminem +emir's +Emma's +Emmett +Emmy's +emojis +emoted +emotes +empire +employ +eMusic +enable +enacts +enamel +enamor +encamp +encase +encode +encore +encyst +endear +ending +endive +endows +endued +endues +endure +enemas +energy +enfold +engage +Engels +engine +engram +engulf +Enid's +Enif's +enigma +enjoin +enjoys +Enkidu +enlist +enmesh +enmity +Enos's +enough +enrage +enrich +Enrico +enroll +ensign +ensued +ensues +ensure +entail +enters +entice +entire +entity +entomb +entrap +entrée +entree +envied +envies +envoys +envy's +enzyme +Eocene +eolian +epee's +epic's +epochs +equals +equate +equine +equips +equity +erased +eraser +erases +erbium +Erebus +erects +Erhard +Ericka +Eric's +Erie's +Erik's +Erin's +Erises +Eris's +Erma's +ermine +Erna's +Ernest +eroded +erodes +Eroses +Eros's +erotic +errand +errant +errata +erring +errors +ersatz +Erse's +eructs +erupts +Esau's +escape +Escher +eschew +escort +escrow +escudo +Eskimo +espied +espies +ESPN's +esprit +essays +Essene +estate +esteem +Estela +esters +Esther +estrus +etched +etcher +etches +ethane +ethics +ethnic +Etna's +Eton's +Etta's +etudes +euchre +Euclid +Eugene +Eula's +eulogy +Eunice +eunuch +eureka +Europa +Europe +euro's +evaded +evader +evades +Evan's +Evelyn +evened +evener +Evenki +evenly +even's +events +evicts +eviler +evilly +evil's +evince +evoked +evokes +evolve +ewer's +exacts +exalts +exam's +exceed +excels +except +excess +excise +excite +excuse +exec's +exempt +exerts +exeunt +exhale +exhort +exhume +exiled +exiles +exists +exited +exit's +Exocet +Exodus +exodus +exon's +exotic +expand +expats +expect +expels +expend +expert +expire +expiry +export +expo's +expose +extant +extend +extent +extols +extort +extras +exuded +exudes +exults +exurbs +Eyck's +eyeful +eyeing +eyelet +eyelid +Eyre's +Ezra's +Fabian +fabled +fables +fabric +facade +face's +facets +facial +facile +facing +factor +fact's +fade's +fading +faerie +Faeroe +faffed +Fafnir +fagged +faggot +fagots +Fahd's +failed +faille +fail's +fainer +faints +fairer +fairly +fair's +Faisal +faiths +fajita +fakers +fake's +faking +fakirs +falcon +fallen +fallow +fall's +falser +falsie +falter +fame's +family +famine +famish +famous +fanboy +fandom +fanged +fang's +fanned +Fannie +farads +farces +fare's +farina +faring +Farley +farmed +Farmer +farmer +farm's +faro's +Farrow +farrow +farted +fart's +fascia +fasted +fasten +faster +fast's +fate's +Father +father +fathom +Fatima +fating +fatsos +fatten +fatter +fatwas +faucet +faults +faulty +faunas +faun's +favors +Fawkes +fawned +fawner +fawn's +faxing +Faye's +fayest +fazing +FDIC's +fealty +feared +fear's +feasts +feat's +fecund +fedora +Feds's +feeble +feebly +feeder +feed's +feeler +feel's +feigns +feints +feisty +Felice +feline +Felipe +fellas +felled +feller +fellow +fell's +felons +felony +felted +felt's +female +femurs +fenced +fencer +fences +fended +fender +Fenian +fennel +Ferber +Fergus +Fermat +Fern's +fern's +ferret +ferric +Ferris +ferule +fervid +fervor +fessed +fesses +festal +fester +fest's +feta's +fete's +feting +fetish +fetter +fettle +feudal +feuded +feud's +fevers +fewest +fezzes +fiancé +fiance +fiasco +Fiat's +fiat's +fibbed +fibber +fibers +fibril +fibrin +fibula +FICA's +fiches +Fichte +fichus +fickle +fiddle +fiddly +fidget +Fido's +fief's +Fields +fields +fiends +fierce +fiesta +fifers +fife's +fifths +Figaro +fights +figure +Fijian +Fiji's +filers +file's +filial +filing +filled +filler +fillet +fillip +fill's +filmed +film's +filter +filthy +finale +finals +finder +find's +finely +finery +fine's +finest +finger +finial +fining +finish +finite +finked +fink's +Finley +finned +Finn's +firers +fire's +firing +firmed +firmer +firmly +firm's +firsts +firths +fiscal +fished +Fisher +fisher +fishes +fish's +Fisk's +fist's +fitful +fitted +fitter +fivers +five's +fixate +fixers +fixing +fixity +Fizeau +fizzed +fizzes +fizzle +fizz's +fjords +flabby +flab's +flacks +flagon +flag's +flails +flairs +flaked +flakes +flak's +flambé +flambe +flamed +flamer +flames +flange +flanks +flan's +flap's +flared +flares +flashy +flasks +flatly +flat's +flatus +flaunt +flavor +flawed +flaw's +flaxen +flax's +flayed +flea's +flecks +fleece +fleecy +fleets +fleshy +flexed +flexes +flex's +flicks +fliers +fliest +flight +flimsy +flinch +flings +flints +flinty +flippy +flip's +flirts +flirty +flit's +floats +flocks +floe's +floods +floors +floozy +floppy +flop's +floral +floras +Flores +floret +florid +florin +flossy +flours +floury +flouts +flowed +flower +flow's +flub's +fluent +flue's +fluffs +fluffy +fluids +flukes +flumes +flunks +flunky +flurry +fluted +flutes +fluxed +fluxes +flux's +flybys +flying +flyway +FNMA's +foaled +foal's +foamed +foam's +fobbed +Foch's +fodder +fogged +fogies +fogy's +foible +foiled +foil's +foists +Fokker +folded +folder +fold's +folios +folk's +folksy +follow +Folsom +foment +fonder +fondle +fondly +fondue +font's +foobar +foodie +food's +fooled +fool's +footed +footer +footie +foot's +forage +forays +Forbes +forbid +forced +forces +forded +Ford's +ford's +forego +fore's +Forest +forest +forged +forger +forges +forget +forgot +forked +fork's +formal +format +formed +former +formic +form's +fortes +fort's +forums +fossil +Foster +foster +fought +fouled +fouler +foully +foul's +founds +founts +four's +Fourth +fourth +fowled +Fowler +fowl's +foxier +foxily +foxing +foyers +fracas +fracks +framed +framer +frames +France +Franck +Franco +francs +Franks +franks +Franny +Fran's +frappé +frappe +Fraser +frat's +frauds +Frauen +Frau's +frayed +fray's +freaks +freaky +Freddy +Fred's +freely +freest +freeze +Freida +French +french +frenzy +fresco +Fresno +fret's +Frey's +friars +friary +Friday +fridge +Frieda +Friend +friend +frieze +Frigga +fright +frigid +frills +frilly +fringe +Frisco +frisks +frisky +frizzy +frocks +frog's +frolic +Fronde +fronds +fronts +frosts +frosty +froths +frothy +frowns +frowzy +frozen +frugal +fruits +fruity +frumps +frumpy +Frunze +fryers +Frye's +frying +fête's +ftpers +ftping +fucked +fucker +fuck's +fuddle +fudged +fudges +fueled +fuel's +Fugger +fugues +fuhrer +Fuji's +Fulani +fulled +Fuller +fuller +full's +Fulton +fumble +fume's +fumier +fuming +funded +fund's +fungal +fungus +funked +funk's +funnel +funner +Furies +furies +furled +furl's +furors +furred +furrow +fury's +fusees +fuse's +Fushun +fusing +fusion +fussed +fusses +fuss's +futile +futons +future +futzed +futzes +Fuzhou +fuzzed +fuzzes +fuzz's +gabbed +gabble +gabled +gables +Gacrux +gadded +gadder +gadfly +gadget +Gaea's +Gaelic +Gael's +gaffed +gaffer +gaffes +gaff's +Gage's +gagged +gaggle +Gaia's +gaiety +Gail's +Gaiman +gained +gainer +Gaines +gain's +gaiter +gait's +gala's +Galaxy +galaxy +galena +Gale's +gale's +Galibi +galled +galley +Gallic +gallon +gallop +Gall's +gall's +Gallup +Galois +galoot +galore +galosh +Gambia +gambit +Gamble +gamble +gambol +gamely +game's +gamest +gamete +gamier +gamine +gaming +gamins +gammas +gammon +gamuts +gander +Gandhi +ganged +Ganges +gang's +gannet +Gantry +gantry +gape's +gaping +garage +garbed +garble +garb's +Garcia +garcon +garden +Gareth +gargle +garish +garlic +Garner +garner +garnet +garçon +garret +garter +Garvey +Gary's +gasbag +gashed +gashes +gash's +gasket +gasman +gasmen +gasped +gasp's +gassed +Gasser +gasses +gateau +gate's +gather +gating +gators +Gatsby +GATT's +gauche +gaucho +gauged +gauges +Gaul's +gavels +Gawain +gawked +gawped +gayest +Gaza's +gazebo +gazers +gaze's +gazing +gazump +Gdansk +geared +gear's +geckos +geddit +geeing +geek's +geezer +Geffen +Gehrig +Geiger +geisha +gelcap +gelded +gelled +Geller +Gemini +Genaro +Gena's +gender +genera +Gene's +gene's +Geneva +genial +genies +genius +genned +Genoas +genome +genres +gentle +gently +Gentoo +Gentry +gentry +gent's +geodes +George +Gerald +Gerard +Gerber +gerbil +Gere's +German +germ's +gerund +gewgaw +geyser +ghat's +ghetto +ghosts +ghouls +giants +gibber +gibbet +Gibbon +gibbon +gibe's +gibing +giblet +Gibson +Gideon +Gide's +Gienah +gifted +gift's +gigged +giggle +giggly +gigolo +Gila's +gilded +gilder +gild's +Gilead +gillie +Gill's +gill's +Gilman +gilt's +gimlet +gimmes +gimped +gimp's +Gina's +Ginger +ginger +ginkgo +ginned +Gino's +Giotto +girded +girder +girdle +girl's +girted +girths +girt's +Gish's +gist's +GitHub +givens +givers +giving +Giza's +gizmos +glaces +glacés +glades +gladly +glad's +Gladys +glance +glands +glared +glares +Glaser +glassy +glazed +glazes +gleams +gleans +glee's +Glenda +Glenna +Glen's +glen's +glibly +glided +glider +glides +glints +glitch +glitzy +gloats +global +globed +globes +glob's +gloomy +gloppy +glop's +Gloria +glossy +gloved +Glover +gloves +glowed +glower +glow's +glue's +gluier +gluing +glumly +gluons +gluten +glut's +glycol +gnarls +gnarly +gnat's +gnawed +gneiss +gnomes +gnomic +goaded +goad's +goalie +goal's +goatee +goat's +gobbed +gobbet +gobble +Gobi's +goblet +goblin +Godard +Godiva +godson +goer's +Goethe +gofers +Goff's +goggle +goings +goiter +Golden +golden +Goldie +gold's +golfed +golfer +golf's +gonads +goners +gonged +gong's +goober +goodly +Good's +good's +goofed +goof's +Google +google +googly +gooier +gook's +goon's +goop's +goosed +gooses +Gopher +gopher +Gordon +Gore's +gore's +Gorgas +gorged +gorges +Gorgon +gorgon +gorier +gorily +goring +gorp's +Gospel +gospel +gossip +gotcha +Gotham +Gothic +Goth's +gotten +Goudas +gouged +gouger +gouges +Gounod +gourde +gourds +gout's +govern +gowned +gown's +Goya's +grabby +Grable +grab's +graced +graces +Gracie +graded +grader +grades +grad's +grafts +Graham +graham +grains +grainy +Grammy +gram's +grands +grange +granny +grants +grapes +graphs +grasps +grassy +grated +grater +grates +gratin +gratis +graved +gravel +graven +graver +Graves +graves +gravid +grayed +grayer +Gray's +gray's +grazed +grazer +grazes +grease +greasy +greats +grebes +Greece +greedy +Greeks +Greene +Greens +greens +greets +Greg's +Gretel +Grey's +grid's +griefs +grieve +grille +grills +grimed +Grimes +grimes +grimly +Grinch +grinds +gringo +grin's +griped +griper +gripes +grippe +grip's +grisly +Gris's +grit's +gritty +groans +groats +grocer +groggy +grog's +groins +grooms +groove +groovy +groped +groper +gropes +grotto +grotty +grouch +ground +groups +grouse +grouts +grovel +Grover +groves +grower +growls +growth +Grozny +grubby +grub's +grudge +grumps +grumpy +Grundy +grunge +grungy +grunts +Grus's +Guam's +guards +guavas +Guelph +Guerra +guests +guffaw +guff's +Guiana +guided +guider +guides +guilds +guilty +Guinea +guinea +guises +guitar +Guizot +gulags +gulden +gulf's +Gullah +gulled +gullet +gull's +gulped +gulper +gulp's +Gumbel +gumbos +gummed +gunk's +gunman +gunmen +gunned +gunnel +gunner +gurgle +Gurkha +gurney +guru's +gushed +gusher +gushes +gush's +gusset +Gustav +gusted +gust's +gutted +gutter +guvnor +Guyana +guying +Guzman +guzzle +Gwen's +Gwyn's +gypped +gypper +gypsum +gyrate +gyro's +gyve's +gyving +Haas's +habits +hacked +hacker +hackle +hack's +hadn't +haft's +Haggai +haggis +haggle +Hahn's +Haidas +hailed +hail's +hairdo +haired +hair's +hajjes +hajjis +hajj's +hake's +Hale's +halest +half's +haling +halite +Halley +Hallie +halloo +hallow +Hall's +hall's +haloed +halo's +Halsey +Hals's +halted +halter +halt's +halved +halves +Hamill +Hamlet +hamlet +Hamlin +hammed +hammer +hamper +Hamsun +handed +Handel +handle +hand's +hangar +hanged +hanger +hang's +Hangul +hangup +hanker +hankie +Hank's +hank's +Hannah +Hansel +Hansen +hansom +Hanson +Hans's +Hanuka +happen +Harare +harass +Harbin +harbor +harden +harder +Hardin +hardly +harems +hare's +haring +harked +Harlan +Harlem +Harley +harlot +Harlow +harmed +Harmon +harm's +Harold +harped +Harper +harp's +Harris +harrow +Hart's +hart's +Harvey +Hasbro +hashed +hashes +hash's +hasn't +hasp's +hassle +hasted +hasten +hastes +hatbox +haters +hate's +hating +hatpin +hatred +hatted +hatter +Hattie +hauled +hauler +haul's +haunch +haunts +Havana +havens +have's +having +Hawaii +hawing +hawked +hawker +hawk's +hawser +Hayden +haying +haymow +Haynes +Hays's +hazard +hazels +hazers +haze's +hazier +hazily +hazing +hazmat +headed +header +Head's +head's +healed +healer +health +heaped +heap's +hearer +hearse +Hearst +hearth +hearts +hearty +heated +heater +heaths +heat's +heaved +heaven +heaver +heaves +Hebert +Hebe's +Hebrew +Hecate +heckle +heck's +hectic +Hector +hector +Hecuba +hedged +hedger +hedges +heeded +heed's +heehaw +heeled +heel's +Heep's +Hefner +hefted +heft's +Hegira +hegira +heifer +height +heir's +heists +Helena +Helene +Helios +helium +Heller +hellos +hell's +helmet +helm's +helots +helped +helper +help's +helves +heme's +hemmed +hemmer +hempen +hemp's +Henley +hennas +Henrik +Henson +hepper +herald +Hera's +herbal +herb's +herded +Herder +herder +herd's +hereby +herein +hereof +hereon +Herero +here's +heresy +hereto +Herman +Hermes +hermit +hernia +heroes +heroic +heroin +herons +hero's +herpes +Herr's +Hersey +Hesiod +Hess's +Hester +Heston +hetero +Hettie +hewers +hewing +Hewitt +hexing +heyday +hiatus +hiccup +hickey +Hickok +hick's +hidden +hiders +hide's +hiding +hieing +higher +highly +high's +hijabs +hijack +hikers +hike's +hiking +Hilary +Hillel +Hill's +hill's +Hilton +hilt's +hinder +hind's +Hindus +hinged +hinges +hinted +hinter +Hinton +hint's +hipped +hipper +hippie +hippos +hire's +hiring +hissed +hisses +Hiss's +hiss's +hither +Hitler +hitter +hive's +hiving +hoagie +hoards +hoarse +hoaxed +hoaxer +hoaxes +hoax's +Hobart +Hobbes +hobbit +hobble +hobnob +hobo's +hocked +hockey +hock's +Hodges +hoeing +hoer's +Hoff's +hogans +hogged +hogtie +Hohhot +hoicks +hoists +hokier +hoking +Holden +Holder +holder +hold's +holdup +hole's +holier +holing +holism +holler +Holley +Hollie +Hollis +hollow +Holman +Holmes +Holt's +homage +hombre +homely +homers +home's +homeys +homier +homily +homing +hominy +homo's +honcho +honers +hone's +honest +honeys +honing +honked +honker +honk's +honors +Honshu +hooded +hoodie +hoodoo +Hood's +hood's +hoofed +hoofer +hoof's +hookah +hooked +Hooker +hooker +hook's +hookup +hooped +Hooper +hoopla +hoop's +hooray +hooted +hooter +hoot's +Hoover +hoover +hooves +Hope's +hope's +hoping +Hopi's +hopped +Hopper +hopper +Horace +hora's +horded +hordes +Hormel +Hormuz +horned +hornet +Horn's +horn's +horrid +horror +horsed +horses +horsey +Horthy +Horton +hose's +hosier +hosing +hosted +hostel +Host's +host's +hotbed +hotbox +hotels +hotkey +hotpot +hots's +hotted +hotter +hottie +hounds +houris +hourly +hour's +housed +houses +hovels +hovers +Howard +howdah +Howell +Howe's +howled +howler +howl's +Howrah +how're +hoyden +HSBC's +HTML's +Hubble +hubbub +hubcap +Hubert +hubris +Huck's +huddle +Hudson +Huerta +Huey's +huffed +Huff's +huff's +hugely +hugest +hugged +Hughes +Hugh's +Hugo's +hula's +hulk's +hulled +huller +Hull's +hull's +humane +humans +humble +humbly +humbug +humeri +Hume's +hummed +Hummer +hummer +hummus +humors +humped +humphs +hump's +Humvee +hunger +hungry +Hung's +hunker +hunk's +hunted +Hunter +hunter +Hunt's +hunt's +hurdle +hurled +hurler +Hurley +hurl's +hurrah +hurtle +hurt's +hushed +hushes +hush's +husked +husker +husk's +hussar +hustle +Huston +Hutton +Hutu's +Huxley +huzzah +Hyades +hybrid +Hyde's +hydras +hyenas +hymens +hymnal +hymned +hymn's +hype's +hyphen +hyping +hypo's +hyssop +Iago's +iambic +iamb's +iambus +Ibadan +Iberia +ibexes +ibex's +ibidem +ibises +ibis's +Icarus +ICBM's +icebox +icecap +iceman +icemen +icicle +iciest +icings +ickier +iconic +icon's +Idahos +ideals +idea's +ides's +idiocy +idioms +idiots +idlers +idle's +idlest +idling +idol's +idylls +Ieyasu +iffier +igloos +ignite +ignore +Igor's +iguana +IKEA's +Iliads +imaged +images +imam's +imbibe +imbued +imbues +Imelda +immune +immure +IMNSHO +impact +impair +impala +impale +impart +impede +impels +impend +imperf +impish +import +impose +impost +impugn +impure +impute +Imus's +inaner +inborn +inbred +Inca's +incest +inched +inches +Inchon +inch's +incing +incise +incite +income +incurs +indeed +indent +Indian +indict +Indies +indies +indigo +Indira +indite +indium +indoor +Indore +induce +induct +Indy's +Ines's +Inez's +infamy +infant +infect +infers +infest +infill +infirm +inflow +influx +inform +info's +infuse +Inge's +ingest +ingots +Ingram +Ingres +Ingrid +inhale +inhere +inject +injure +injury +inkier +inking +inlaid +inland +inlays +inlets +inline +inmate +inmost +innate +inning +inputs +inroad +inrush +insane +inseam +insect +insert +insets +inside +insist +insole +instar +instep +insult +insure +intact +intake +intend +intent +interj +intern +inters +intone +intros +intuit +Inuits +inured +inures +invade +invent +invert +invest +invite +invoke +inward +iodide +iodine +iodize +Ionian +Ionics +ionize +iota's +Iowans +Iowa's +iPad's +ipecac +iPhone +iPod's +Iran's +Iraqis +Iraq's +ireful +irenic +irides +irises +Iris's +iris's +irking +Irma's +ironed +ironic +iron's +irrupt +Irtish +Irvine +Irving +Isabel +Isaiah +Ishtar +Isidro +Isis's +Islams +island +isle's +islets +Ismael +Ismail +isobar +Isolde +isomer +Ispell +Israel +issued +issuer +issues +Itaipu +italic +Itasca +itched +itches +itch's +item's +Ithaca +itself +iTunes +Ivan's +Ives's +Iyar's +Izod's +jabbed +jabber +jabots +jackal +jacked +jacket +Jackie +Jack's +jack's +Jaclyn +Jacobi +Jacobs +jade's +jading +jagged +Jagger +Jaguar +jaguar +jailed +jailer +jail's +Jain's +Jaipur +Jake's +jalopy +Jamaal +jamb's +Jame's +Jami's +jammed +Jana's +Janell +Jane's +jangle +Janice +Janine +Jannie +Jansen +japans +jape's +japing +Japura +jarful +jargon +Jarred +jarred +Jarrod +Jarvis +Jasper +jasper +Jataka +jato's +jaunts +jaunty +Java's +java's +Javier +jawing +Jaycee +Jayson +jazzed +jazzes +jazz's +Jeanie +Jeanne +Jean's +jean's +Jedi's +Jeep's +jeep's +jeered +jeer's +Jeeves +Jeffry +Jeff's +jejuna +jejune +Jekyll +jelled +jellos +Jenner +jennet +Jennie +Jensen +Jerald +Jeremy +Jeri's +jerked +jerkin +jerk's +Jerold +Jerome +Jerrod +Jersey +jersey +Jessie +Jess's +jested +jester +jest's +Jesuit +jetsam +jetted +Jetway +Jewell +jewels +Jewess +Jewish +jibbed +jibe's +jibing +jiff's +jigged +jigger +jiggle +jiggly +jigsaw +jihads +Jill's +jilted +jilt's +Jimmie +jingle +jingly +jinked +Jinnah +jinxed +jinxes +jinx's +jitney +Jivaro +jive's +jiving +Joanna +Joanne +Joan's +jobbed +jobber +Jobs's +Jockey +jockey +Jock's +jock's +jocose +jocund +Jodi's +Jody's +Joel's +Joey's +jogged +jogger +joggle +Johann +Johnie +Johnny +johnny +John's +john's +joined +joiner +join's +joints +joists +jojoba +jokers +joke's +jokier +joking +Jolene +Jolson +jolted +jolter +jolt's +Jonahs +Joni's +Jonson +Joplin +Jordan +Josefa +Joseph +Jose's +joshed +josher +joshes +Josh's +josh's +Joshua +Josiah +jostle +jotted +jotter +joules +jounce +jouncy +journo +jousts +Jove's +jovial +Jovian +jowl's +joyful +joying +Joyner +joyous +Juan's +Juarez +Judaeo +Judaic +judder +Judd's +Jude's +judged +Judges +judges +Judith +judo's +Judson +Judy's +jugful +jugged +juggle +juiced +juicer +juices +jujube +juleps +Julian +Julies +Juliet +Julius +July's +jumble +jumbos +jumped +jumper +jump's +juncos +Juneau +June's +jungle +Jung's +Junior +junior +junked +Junker +junker +junket +junkie +junk's +Juno's +juntas +juries +jurist +jurors +jury's +juster +Justin +justly +jute's +jutted +kaboom +kabuki +Kahlua +kahuna +Kaiser +kaiser +Kalb's +kale's +Kali's +Kalmyk +Kama's +Kane's +Kano's +Kanpur +Kansan +Kansas +Kant's +kaolin +Kaposi +kappas +Kara's +karate +karats +Kareem +Karina +Kari's +Karl's +karmic +Karo's +Karroo +kart's +Kate's +Kathie +Katina +Katmai +Katy's +Kaunas +Kaunda +kayaks +Kaye's +kayoed +kayo's +Kazakh +kazoos +Keaton +kebabs +Keck's +keeled +keel's +Keenan +keened +keener +keenly +keen's +keeper +keep's +Keisha +Keller +Kelley +Kellie +kelp's +Kelsey +Kelvin +kelvin +Kempis +Kemp's +Kendra +Kennan +kenned +kennel +keno's +Kenton +Kent's +Kenyan +Kenyon +Keokuk +kepi's +Kepler +Keri's +Kermit +kernel +Kern's +Kerr's +ketone +kettle +Kevlar +Kewpie +keying +Keynes +keypad +khakis +Khalid +Khan's +khan's +Khazar +Khulna +Khyber +kibble +kibitz +kibosh +kicked +kicker +kick's +kidded +kidder +kiddie +kiddos +Kidd's +kidnap +kidney +Kiel's +Kiev's +Kigali +Kikuyu +killed +killer +kill's +kilned +kiln's +kilo's +Kilroy +kilted +kilter +kilt's +kimono +kinase +kinder +kindle +kindly +kind's +kingly +King's +king's +kinked +kink's +Kinney +Kinsey +kiosks +Kiowas +kipped +kipper +Kirk's +kirsch +Kislev +kismet +kissed +kisser +kisses +kiss's +kite's +kith's +kiting +kitsch +kitted +kitten +kiwi's +Klan's +klaxon +Klee's +kludge +kluged +kluges +klutzy +knacks +knaves +kneads +kneels +knee's +knells +knifed +knifes +Knight +knight +knit's +knives +knobby +knob's +knocks +knolls +knot's +knotty +Knox's +knurls +Knuths +koalas +Kobe's +Kochab +Koch's +Kodaly +Kodiak +Kohl's +kola's +Kolyma +Kong's +Konrad +kook's +Koontz +kopeck +Koppel +Korans +Korean +Kory's +kosher +Koufax +kowtow +kraals +Krakow +Kramer +krauts +Kresge +Kris's +Krista +Kristi +Kristy +krónur +Kroc's +Kroger +kroner +kronor +kronur +Kruger +Kublai +kuchen +kudzus +Kuhn's +Kurd's +Kurtis +Kurt's +Kuwait +kvetch +Kwan's +Kyle's +Kyushu +labels +labial +labile +labium +labors +lace's +lacier +lacing +lacked +lackey +lack's +lactic +lacuna +Lacy's +ladder +laddie +ladies +lading +ladled +ladles +Ladoga +Lady's +lady's +lagers +lagged +lagoon +Lahore +lairds +lair's +lake's +Lakota +lama's +Lamaze +lambda +lambed +Lamb's +lamb's +lamely +lament +lamers +lame's +lamest +lamina +laming +lammed +Lamont +lamp's +lanais +Lana's +lanced +lancer +lances +lancet +landau +landed +lander +Landon +Landry +Land's +land's +Lane's +lane's +Lang's +Lankan +lanker +lankly +élan's +Laos's +lapdog +lapels +lapins +lapped +lappet +Lapp's +lapsed +lapses +laptop +Lara's +larded +larder +lard's +Laredo +larger +larges +largos +lariat +larked +lark's +Larsen +Larson +Lars's +larvae +larval +larynx +lasers +lashed +lashes +lash's +lasing +Lassen +lasses +Lassie +lassie +lassos +lass's +lasted +lastly +last's +lately +latent +latest +Latham +lathed +lather +lathes +lath's +Latina +Latino +Latins +latish +Latoya +latter +lattes +Latvia +lauded +Lauder +Laud's +laud's +Laue's +laughs +launch +Laurel +laurel +Lauren +Laurie +lavage +lava's +Lavern +laving +lavish +lawful +lawman +lawmen +lawn's +Lawson +lawyer +laxest +laxity +layers +laying +layman +laymen +layoff +layout +layups +Lazaro +laze's +lazied +lazier +lazies +lazily +lazing +leaded +leaden +leader +lead's +leafed +leaf's +league +Leah's +leaked +Leakey +leak's +leaned +leaner +Leanna +Leanne +Lean's +lean's +leaped +leaper +leap's +learns +Lear's +leased +leaser +leases +leaved +leaven +leaver +leaves +leched +lecher +leches +lech's +Leda's +ledger +ledges +leek's +leered +leer's +leeway +lefter +left's +legacy +legals +legate +legato +legend +legged +legion +legman +legmen +Lego's +Legree +legume +Lehman +Leiden +Leif's +Leland +Lela's +lemmas +lemons +lemony +Lemuel +lemurs +Lenard +Lena's +lender +length +Lennon +Lenoir +Lenora +Lenore +Leno's +lenses +lens's +Lenten +lentil +Lent's +Leonel +Leonid +Leonor +Leon's +lepers +lepton +Lerner +Lesa's +lesion +Lesley +Leslie +lessee +lessen +lesser +Lessie +lesson +lessor +less's +Lester +Leta's +lethal +letter +letups +Levant +levees +levels +levers +levied +levier +levies +Levine +Levi's +Levitt +levity +Levy's +levy's +lewder +lewdly +lexers +Lhasas +Lhotse +liable +liaise +liar's +libber +libels +libido +Libras +Libyan +lichen +licked +lick's +lidded +lido's +lieder +lied's +liefer +lieges +lien's +lieu's +lifers +life's +lifted +lifter +lift's +ligate +lights +lignin +likely +likens +like's +likest +liking +lilacs +Lila's +Lilian +lilies +Lilith +Lillie +lilted +lilt's +Lily's +lily's +Lima's +limber +limbos +limb's +lime's +limeys +limier +liming +limits +limned +limo's +limped +limper +limpet +limpid +limply +limp's +linage +Lina's +linden +Lind's +lineal +linear +linens +liners +line's +lineup +linger +ling's +lining +linked +linker +link's +linkup +linnet +linted +lintel +Linton +lint's +Lionel +lion's +lipids +lipped +Lipton +liquid +liquor +lira's +Lisa's +Lisbon +lisped +lisper +lisp's +listed +listen +Lister +Liston +list's +litany +litchi +liters +lither +litmus +litter +Little +little +Litton +lively +livens +livers +livery +livest +living +Livy's +lizard +Liza's +Lizzie +llamas +llanos +loaded +loader +load's +loafed +Loafer +loafer +loaf's +loam's +loaned +loaner +loan's +loathe +loaves +lobbed +lobber +lobe's +locale +locals +locate +locked +locker +locket +lock's +lockup +locums +locust +lode's +lodged +lodger +lodges +Lodz's +lofted +loft's +loge's +logged +logger +loggia +logier +logins +logjam +logoff +logons +logo's +logout +loin's +Lois's +loiter +Loki's +Lola's +lolcat +Lolita +lolled +lollop +Lome's +London +lonely +loners +longed +longer +Long's +long's +Lonnie +loofah +looked +looker +look's +lookup +loomed +loom's +loonie +loon's +looped +loop's +loosed +loosen +looser +looses +looted +looter +loot's +lope's +loping +lopped +Lora's +lorded +lordly +Lord's +lord's +Lorena +Lorene +Lorenz +lore's +Lori's +Lorrie +losers +losing +losses +loss's +lotion +Lottie +Lott's +louche +louder +loudly +loughs +Louisa +Louise +lounge +loured +loused +louses +lout's +louver +Louvre +lovely +lovers +Love's +love's +loveys +loving +lowboy +Lowell +lowers +Lowery +Lowe's +lowest +lowing +lowish +Loyang +Loyd's +Loyola +Luanda +luau's +lubber +lube's +lubing +Luce's +Lucian +Lucien +Lucile +Lucite +Lucius +lucked +luck's +Lucy's +Ludwig +Luella +luffed +lugged +lugger +Lugosi +Luis's +Luke's +Lula's +lulled +lull's +Lulu's +lumbar +lumber +lummox +lumped +lumpen +lump's +lunacy +Luna's +lunged +lunges +lung's +Lupe's +lupine +lure's +luring +lurked +lurker +Lusaka +lusher +lushes +lushly +lush's +lusted +luster +lust's +lute's +Luther +Luvs's +luxury +Lvov's +lyceum +Lydian +Lyle's +Lyly's +Lyme's +Lyndon +Lynn's +lynxes +lynx's +Lyon's +Lyra's +lyre's +lyrics +Maalox +mañana +macaws +Mace's +mace's +Mach's +mach's +Macias +macing +Mack's +macron +macros +Macy's +madame +madams +madcap +Madden +madden +madder +Maddox +madman +madmen +Madras +madras +Madrid +Mafias +mafias +mage's +Maggie +maggot +magics +magi's +magnet +magnum +magpie +Magyar +Mahler +mahout +maiden +maid's +mailed +Mailer +mailer +mail's +Maiman +maimed +Mainer +mainly +main's +Maisie +maizes +majors +Majuro +makers +make's +makeup +making +Malabo +malady +Malawi +Malaya +Malays +Male's +male's +Malian +Malibu +malice +malign +Mali's +mallet +mallow +mall's +Malone +Malory +malted +malt's +mama's +mambas +mambos +mammal +mammon +Mamore +manage +Manama +manana +Manchu +manege +mane's +manful +manège +manged +manger +mangle +maniac +manias +manics +Manila +manila +manioc +Mani's +Manley +manned +manner +Mann's +manors +manqué +manque +manses +Manson +mantas +mantel +mantes +mantis +Mantle +mantle +mantra +manual +Manuel +manure +Manx's +many's +Maoism +Maoist +Maoris +maples +mapped +mapper +Maputo +maraca +Mara's +maraud +marble +Marcel +Marcia +Marcie +Marcos +Marc's +Marcus +Marduk +mare's +Margie +margin +Margot +Marian +Marina +marina +Marine +marine +Marion +Mari's +Marisa +Marius +Markab +marked +marker +market +markka +Markov +Mark's +mark's +markup +Marley +Marlin +marlin +Marlon +marl's +marmot +maroon +Marple +marque +marred +marrow +Marses +Marsha +marshy +Mars's +Martel +marten +Martha +Martin +martin +mart's +martyr +marvel +Marvin +Marx's +Mary's +Masada +mascot +masers +Maseru +mashed +masher +mashes +mash's +mashup +masked +masker +mask's +Masons +masons +masque +massed +Masses +masses +Massey +massif +Mass's +mass's +masted +Master +master +mastic +mast's +maters +mate's +mateys +Mather +Mathew +Mathis +mating +matins +matrix +matron +matted +Mattel +matter +mattes +Mattie +Matt's +mature +matzoh +matzos +matzot +Maud's +Maui's +mauled +mauler +maul's +Mauser +mavens +maxima +maxims +Maxine +maxing +maxi's +Mayans +Maya's +maybes +mayday +mayfly +mayhem +mayn't +mayors +Mayo's +mayo's +Mays's +Maytag +Mazama +maze's +Mazola +McAdam +McCain +McCall +McCray +McLean +McLeod +McNeil +meadow +Mead's +mead's +Meagan +meager +meal's +meaner +meanie +meanly +mean's +measly +meat's +Meccas +meccas +medals +meddle +medial +median +medias +Medici +medico +medics +Medina +medium +medley +Medusa +medusa +meed's +meeker +meekly +meet's +meetup +Meghan +Meir's +Mekong +melded +meld's +melees +Melisa +Mellon +mellow +Melody +melody +melons +melted +Melton +melt's +Melvin +member +meme's +memoir +memory +memo's +menace +menage +mended +Mendel +mender +Mendez +mend's +Mengzi +menial +meninx +Menkar +Mennen +mensch +menses +mental +mentor +menu's +meowed +meow's +Mercer +mercer +Mercia +merely +mere's +merest +merged +merger +merges +Merino +merino +merits +Merlin +Merlot +merman +mermen +Merton +Mervin +Mesabi +Mesa's +mesa's +mescal +meshed +meshes +mesh's +Mesmer +mesons +messed +messes +mess's +metals +meteor +meters +mete's +method +methyl +metier +meting +metric +metros +mettle +mewing +mewled +mews's +Mexico +Meyers +mezzos +Miamis +miasma +mica's +Michel +Mich's +Mickey +mickey +Mickie +Mick's +Micmac +micron +micros +midair +midday +midden +middle +midges +midget +MIDI's +midi's +midrib +Midway +midway +mien's +miffed +mighty +émigré +Miguel +mikado +Mike's +mike's +miking +milady +milder +mildew +mildly +mild's +milers +mile's +milf's +milieu +milked +Milken +milker +milk's +Millay +milled +Miller +miller +Millet +millet +Millie +Mill's +mill's +Milo's +milted +Milton +milt's +mime's +mimics +miming +Mimi's +Mimosa +mimosa +minced +mincer +minces +minded +minder +mind's +miners +mine's +mingle +Ming's +Mingus +minima +minims +mining +minion +mini's +mink's +Minnie +minnow +Minoan +minors +Minsky +minted +minter +mint's +minuet +Minuit +minute +minxes +minx's +Mirach +mirage +Mira's +mire's +Mirfak +Miriam +mirier +miring +Miro's +mirror +Mirzam +miscue +misdid +misers +misery +misfit +mishap +mishit +mislay +misled +missal +missed +misses +miss's +missus +misted +Mister +mister +mist's +misuse +miters +mite's +Mithra +mitral +mitten +mitt's +mixers +mixing +Mixtec +mizzen +mêlées +moaned +moaner +moan's +moated +moat's +mobbed +Mobile +mobile +Mobutu +mochas +mocked +mocker +modals +modded +models +modems +modern +mode's +modest +modify +modish +module +modulo +Moet's +Moguls +moguls +Mohacs +mohair +Mohave +Mohawk +Moho's +moiety +moiled +moil's +moires +Moises +Mojave +molars +molded +molder +mold's +mole's +molest +Molina +Mollie +Moll's +moll's +Molnar +Moloch +molted +molten +molter +molt's +moment +Monaco +Mona's +Monday +Monera +moneys +monger +Mongol +mongol +Monica +monies +monism +monist +monkey +Monk's +monk's +monody +mono's +Monroe +months +Mont's +mood's +Moog's +mooing +mooned +Mooney +Moon's +moon's +moored +Moor's +moor's +mooted +mopeds +mopers +mope's +mopier +moping +mopish +mopped +moppet +morale +morals +morass +morays +morbid +morels +Moreno +More's +more's +Morgan +morgue +Morita +Morley +Mormon +morn's +Moroni +morons +Moro's +morose +morphs +Morphy +Morris +Morrow +morrow +morsel +mortal +mortar +Morton +Mort's +Mosaic +mosaic +Moscow +moseys +moshed +moshes +Mosley +mosque +mosses +Moss's +moss's +mostly +most's +motels +mote's +motets +mother +moth's +motifs +motile +motion +motive +motley +motors +Motown +Motrin +mottle +Mott's +moue's +mounds +mounts +mourns +moused +mouser +mouses +mousse +Mouthe +mouths +mouthy +Mouton +mouton +movers +move's +movies +moving +mowers +Mowgli +mowing +Mozart +métier +much's +mucked +muck's +mucous +muddle +muesli +muffed +muffin +muffle +muff's +muftis +Mugabe +mugful +mugged +mugger +muggle +Muir's +mukluk +mulcts +Mulder +mule's +mulish +mullah +mulled +Mullen +Muller +mullet +Multan +Mumbai +mumble +mummer +munged +Munich +Muppet +murals +Murcia +murder +Muriel +Murine +murk's +murmur +Murphy +Murray +Murrow +Muscat +muscat +muscle +muscly +Muse's +muse's +museum +mushed +musher +mushes +mush's +Musial +musics +musing +muskeg +musket +muskie +muskox +musk's +Muslim +muslin +mussed +mussel +musses +muss's +muster +must's +mutant +mutate +mutely +mute's +mutest +muting +mutiny +mutter +mutton +mutt's +mutual +muumuu +muzzle +Mylars +myna's +myopia +myopic +Myra's +Myrdal +myriad +Myrtle +myrtle +myself +Mysore +mystic +Myst's +mythic +myth's +nabbed +nabobs +nachos +Nadine +nadirs +naffer +nagged +nagger +Nagoya +Nagpur +Nagy's +naiads +naif's +nailed +nail's +Nair's +naiver +Namath +namely +name's +naming +Nannie +Nanook +Nansen +Nantes +napalm +nape's +Napier +napkin +Naples +napped +napper +narc's +Narnia +narrow +nasals +NASA's +NASCAR +NASDAQ +Nash's +Nashua +Nassau +Nasser +Nate's +Nathan +Nation +nation +native +NATO's +natter +nature +naught +nausea +Navajo +navels +nave's +navies +navy's +Nazi's +Nazism +NCAA's +Neal's +neap's +nearby +neared +nearer +nearly +neaten +neater +neatly +nebula +necked +neck's +nectar +needed +needle +need's +negate +Negros +neighs +Neil's +Nellie +Nell's +Nelsen +Nelson +nelson +neocon +neon's +Nepali +nephew +nerd's +Nereid +Nerf's +Nero's +Neruda +nerved +nerves +nested +Nestle +nestle +Nestor +nest's +nether +netted +netter +Nettie +nettle +neural +neuron +neuter +Nevada +Neva's +Nevsky +Newark +newbie +newels +newest +Newman +NeWSes +news's +Newton +newton +newt's +next's +Nguyen +niacin +Niamey +nibble +Nicaea +nicely +Nicene +Nice's +nicest +nicety +niches +nicked +nickel +nicker +nickle +Nick's +nick's +Nicola +Nicole +nieces +Nieves +niggas +niggaz +nigger +niggle +nigher +nights +Nike's +Nikita +Nikkei +Nile's +nimble +nimbly +nimbus +Nimitz +Nimrod +nimrod +Nina's +nine's +ninety +ninjas +ninths +nipped +nipper +nipple +Nippon +Nissan +Nita's +nitric +nitwit +nixing +Noah's +nobble +nobler +nobles +nobody +nodded +noddle +node's +nodule +Noelle +Noel's +noel's +noggin +noised +noises +Nola's +nomads +Nome's +nonage +Nona's +noncom +nonfat +noodle +nookie +nook's +noon's +nooses +Nootka +Nora's +Nordic +Noreen +normal +Norman +norm's +Norris +Norths +Norton +Norway +nose's +noshed +nosher +noshes +nosh's +nosier +nosily +nosing +notary +notate +note's +notice +notify +noting +notion +nougat +Noumea +noun's +Nova's +nova's +novels +novena +novene +novice +noways +nowise +nozzle +nuance +nubbin +Nubian +nubile +nuclei +nude's +nudest +nudged +nudges +nudism +nudist +nudity +nugget +nuke's +nuking +numbed +number +numbly +nuncio +nursed +nurser +nurses +nutmeg +nutria +nutted +nutter +nuzzle +nybble +nylons +nympho +nymphs +NyQuil +oafish +Oahu's +Oakley +oaring +oath's +oats's +Oaxaca +Oberon +obeyed +obit's +object +oblate +oblige +oblong +oboe's +oboist +obsess +obtain +obtuse +occult +occupy +occurs +oceans +ocelot +ockers +octane +octave +octavo +octets +ocular +oddest +oddity +odds's +Oder's +Odessa +Odin's +odious +Odis's +Odom's +odored +odor's +oeuvre +Ofelia +offend +offers +office +offing +offish +offset +Ogilvy +oglers +ogle's +ogling +ogre's +ogress +O'Hara +Ohioan +Ohio's +OHSA's +oilcan +oilier +oiling +oilman +oilmen +oinked +oink's +Oise's +Ojibwa +okapis +okay's +okra's +Olaf's +Olav's +oldest +oldies +oldish +Olenek +Olen's +oleo's +Olga's +Olin's +Oliver +olives +Olivia +Omahas +Omanis +Oman's +Omar's +omegas +omelet +omen's +Omsk's +once's +Onegin +Oneida +O'Neil +onions +online +onrush +onsets +onside +onsite +onuses +onus's +onward +onyxes +onyx's +oodles +oohing +Oort's +ooze's +oozier +oozing +Opal's +opal's +opaque +opcode +OPEC's +Opel's +opened +opener +openly +open's +operas +opiate +opined +opines +oppose +optics +optima +opting +option +opuses +opus's +Oracle +oracle +orally +oral's +Orange +orange +Oran's +orated +orates +orator +orbits +orchid +ordain +ordeal +orders +ordure +Oregon +Oreo's +organs +orgasm +orgies +orgy's +oriels +Orient +orient +origin +Orin's +oriole +orison +Orkney +Orlons +Orly's +ormolu +ornate +ornery +orphan +Orphic +Ortega +Orwell +orzo's +Osages +Osbert +Osborn +Oscars +Osgood +OSHA's +Oshawa +osiers +Osiris +Oslo's +osmium +osprey +ossify +ostler +Oswald +others +otiose +Otis's +Ottawa +otters +Otto's +Ouijas +ounces +ousted +ouster +outage +outbid +outbox +outcry +outdid +outfit +outfox +outgun +outhit +outing +outlaw +outlay +outlet +output +outran +outrun +outset +outwit +ouzo's +oval's +oven's +overdo +overly +over's +Ovid's +ovoids +ovular +ovules +ovum's +Owen's +owlets +owlish +owners +owning +oxbows +oxcart +Oxford +oxford +oxides +Oxnard +oxtail +Oxus's +oxygen +oyster +Ozarks +Paar's +Pablum +pablum +pacers +Pace's +pace's +pacier +pacify +pacing +Pacino +packed +packer +packet +pack's +pact's +Padang +padded +paddle +padres +paeans +paella +pagans +pagers +Page's +page's +paging +Paglia +pagoda +pail's +pained +pain's +paints +paired +pair's +Paiute +pajama +palace +palate +palely +pale's +palest +paling +palish +palled +pallet +pallid +pallor +pall's +palmed +Palmer +palm's +paltry +Pamela +Pamirs +pampas +pamper +Panama +panama +pandas +pander +panels +pane's +pang's +panics +panned +panted +pantie +pantos +pantry +pant's +papacy +papa's +papaya +papers +papery +papist +papyri +parade +Paraná +Parana +para's +parcel +pardon +parent +parers +Pareto +pariah +paring +parish +parity +parkas +parked +Parker +Park's +park's +parlay +parley +parlor +parody +parole +parred +parrot +Parr's +parsec +parsed +parser +parses +parson +parted +partly +part's +PASCAL +Pascal +pascal +pashas +passed +passel +passer +passes +passim +pass's +pastas +pasted +pastel +pastes +pastie +pastor +pastry +past's +patchy +patent +Pate's +pate's +pathos +path's +patina +patine +patios +patois +patrol +patron +patted +patter +Patton +Paul's +paunch +pauper +paused +pauses +paving +Pavlov +pawing +pawl's +pawned +Pawnee +pawn's +pawpaw +payday +payees +payers +paying +payoff +payola +payout +PayPal +PCMCIA +peaces +peachy +peahen +peaked +peak's +pealed +peal's +peanut +pearls +pearly +pear's +peat's +pebble +pebbly +pecans +pecked +pecker +Peck's +peck's +pectic +pectin +pedalo +pedals +pedant +peddle +peeing +peeked +peek's +peeled +peeler +Peel's +peel's +peen's +peepbo +peeped +peeper +peep's +peered +peer's +peeved +peeves +peewee +peewit +pegged +peke's +Peking +Pele's +pelf's +pellet +pelmet +pelted +pelt's +pelvic +pelvis +Pena's +pencil +pended +penile +penman +penmen +penned +Penney +pennon +Penn's +Pentax +penury +peon's +people +Peoria +pepped +pepper +pepsin +peptic +Pequot +perils +period +perish +perked +perk's +Perl's +permed +permit +Perm's +perm's +Pernod +Persia +person +perter +pertly +peruke +Peru's +peruse +épée's +peseta +peso's +pester +pestle +pest's +Petain +petals +petard +Peters +peters +Pete's +petite +petrel +petrol +petted +pewees +pewits +pewter +peyote +Pfizer +phages +phalli +phased +phases +Phekda +Phelps +phenol +phenom +phials +Philby +Philip +Philly +Phil's +Phipps +phlegm +phloem +phobia +phobic +Phobos +Phoebe +phoebe +phoned +phones +phonic +phooey +photon +photos +phrase +phylum +physic +physio +Piaf's +Piaget +pianos +piñata +piazza +pica's +pickax +picked +picker +picket +pickle +pick's +pickup +picnic +picots +Pict's +piddle +piddly +pidgin +pieced +pieces +pieing +Pierce +pierce +Pierre +pier's +piffle +pigeon +pigged +piglet +pigpen +pigsty +pikers +Pike's +pike's +piking +pilafs +Pilate +pile's +pileup +pilfer +piling +pillar +pilled +pillow +pill's +pilots +pimped +pimple +pimply +pimp's +pinata +pincer +Pincus +Pindar +pine's +pinged +ping's +pinier +pining +pinion +pinked +pinker +pinkie +pinkos +pink's +pinned +pinons +Pinter +pintos +pint's +pinups +Pinyin +pinyin +pinyon +piñons +pipers +pipe's +piping +pipits +pipped +Pippin +pippin +piqued +piques +piracy +pirate +pirogi +Pisa's +Pisces +pissed +pisser +pisses +piss's +pistes +pistil +pistol +piston +pita's +pith's +pitied +pities +pitons +pittas +pitted +Pitt's +pity's +Pius's +pivots +pixels +pixies +pizzas +placed +placer +places +placid +plague +plaice +plaids +plains +plaint +plaits +planar +Planck +planed +planer +planes +planet +planks +plan's +plants +plaque +plasma +plated +platen +plates +plat's +Platte +platys +played +player +play's +plazas +pleads +plea's +please +pleats +plebby +plebes +pledge +plenty +plenum +pleura +plexus +pliant +pliers +plight +plinth +plonks +plop's +plot's +plover +plowed +plow's +ploy's +plucks +plucky +plugin +plug's +plumbs +plumed +plumes +plummy +plumps +plum's +plunge +plunks +plural +pluses +plushy +plus's +plying +pocked +pocket +pock's +Pocono +podded +podium +Podunk +poem's +poetic +poetry +poet's +Pogo's +pogrom +points +pointy +Poiret +Poirot +poised +poises +poison +pokers +poke's +pokeys +pokier +poking +Poland +Pole's +pole's +police +policy +poling +polios +Polish +polish +polite +polity +polkas +Polk's +polled +pollen +poll's +Pollux +Polo's +polo's +polyps +pomade +pommel +Pomona +Pompey +pompom +pomp's +ponced +ponces +poncho +ponder +pond's +pone's +ponged +pongee +ponied +ponies +pony's +poodle +poof's +poohed +Pooh's +pooh's +pooing +pooled +pool's +pooped +poop's +poorer +poorly +Pope's +pope's +Popeye +popgun +poplar +poplin +poppas +popped +Popper +popper +poppet +popups +pore's +poring +porker +pork's +porn's +porous +portal +ported +Porter +porter +Portia +portly +Port's +port's +posers +pose's +poseur +posher +posies +posing +posits +posses +possum +postal +posted +poster +postie +Post's +post's +posy's +potash +potato +potent +potful +pother +potion +potpie +potted +Potter +potter +pouffe +pounce +pounds +poured +pouted +pouter +pout's +powder +Powell +Powers +powers +powwow +Poznan +Prague +praise +pram's +prance +prangs +pranks +prated +prater +prates +Pravda +prawns +prayed +prayer +précis +preach +precis +preens +prefab +prefer +prefix +prelim +premed +premix +Prensa +prenup +prepay +preppy +prep's +preset +presto +pretax +pretty +prewar +preyed +prey's +priced +prices +pricey +pricks +prided +prides +priers +priest +prig's +primal +primed +primer +primes +primly +primps +Prince +prince +prints +prions +priors +priory +prisms +prison +prissy +privet +prized +prizes +probed +probes +prod's +profit +prof's +proles +prolix +promos +prompt +prom's +prongs +pronto +proofs +propel +proper +prop's +proton +Proust +proved +proven +proves +prowls +prow's +Prozac +prudes +Pruitt +pruned +pruner +prunes +Prut's +prying +Psalms +psalms +pseudo +pseuds +pseudy +pshaws +Psyche +psyche +psycho +psychs +Ptah's +Pétain +public +puce's +pucker +Puck's +puck's +puddle +Puebla +Pueblo +pueblo +Puerto +puffed +puffer +puffin +puff's +Pugh's +puke's +puking +puling +pulled +puller +pullet +pulley +pull's +pulped +pulpit +pulp's +pulsar +pulsed +pulses +puma's +pumice +pummel +pumped +pumper +pump's +punchy +pundit +punier +punish +Punjab +punker +punk's +punned +punnet +punted +punter +punt's +pupa's +pupate +pupils +pupped +puppet +Purana +purdah +Purdue +pureed +purees +purely +purest +purged +purger +purges +purify +Purims +Purina +purine +purism +purist +purity +purled +purl's +purple +purred +purr's +pursed +purser +purses +pursue +purvey +pushed +pusher +pushes +push's +Pushtu +pusses +puss's +Putnam +putout +putrid +putsch +putted +puttee +putter +putt's +putzes +Puzo's +puzzle +pwning +Pyle's +pylons +pylori +pyre's +pyrite +Python +python +Qantas +Qatari +quacks +quad's +quaffs +quahog +quails +quaint +quaked +Quaker +quakes +qualms +quango +quanta +Quaoar +quarks +quarry +quarto +quarts +quartz +quasar +quaver +Quayle +quay's +queasy +Quebec +Queens +queens +queers +quells +quench +quests +queued +queues +Quezon +quiche +quid's +quiets +quiffs +quills +quilts +quince +Quincy +quines +quinoa +quinsy +quints +quip's +quires +quirks +quirky +quirts +quiver +quiz's +Qumran +quoins +quoits +quorum +quotas +quoted +quotes +QWERTY +qwerty +rabbet +rabbis +rabbit +rabble +rabies +raceme +racers +race's +Rachel +racial +racier +racily +Racine +racing +racism +racist +racked +racket +rack's +radars +radial +radian +radios +radish +radium +radius +Rafael +raffia +raffle +rafted +rafter +raft's +raga's +ragbag +rage's +ragged +raging +raglan +ragout +ragtag +raided +raider +raid's +railed +rail's +rained +rain's +raised +raiser +raises +raisin +rajahs +rake's +raking +rakish +Ramada +Rama's +ramble +ramify +Ramiro +ramjet +rammed +Ramona +ramp's +ramrod +Ramsay +Ramses +Ramsey +rancid +rancor +Randal +random +Rand's +rand's +ranees +ranged +ranger +ranges +ranked +ranker +Rankin +rankle +rankly +rank's +ransom +ranted +ranter +rant's +rapers +rape's +rapids +rapier +rapine +raping +rapist +rapped +rappel +rapper +raptly +raptor +Raquel +rarefy +rarely +rarest +raring +rarity +rascal +rasher +rashes +rashly +rash's +rasped +rasp's +raster +ratbag +raters +rate's +Rather +rather +ratify +rating +ration +ratios +rattan +ratted +ratter +rattle +rattly +Raul's +ravage +ravels +ravens +ravers +rave's +ravine +raving +ravish +rawest +RayBan +razing +razors +razzed +razzes +razz's +reacts +reader +read's +Reagan +realer +really +realms +real's +realty +reamed +reamer +ream's +reaped +reaper +reared +rearms +rear's +reason +Reba's +rebate +rebels +rebids +rebind +reboil +reboot +reborn +rebuff +rebuke +rebury +rebuts +recall +recant +recaps +recast +recces +recede +recent +recess +Recife +recipe +recite +reckon +recoil +recons +recook +recopy +record +recoup +rectal +rector +rectos +rectum +recurs +recuse +redact +redcap +redden +redder +redeem +redial +redoes +redone +redraw +redrew +reduce +redyed +redyes +Reebok +reecho +reedit +Reed's +reed's +reefed +reefer +reef's +reeked +reek's +reeled +reel's +Reeves +reeves +reface +refers +reffed +refile +refill +refine +refits +reflex +refold +reform +refuel +refuge +refund +refuse +refute +regain +regale +regard +regent +regexp +reggae +Reggie +regime +Regina +region +regret +regrew +regrow +rehabs +rehang +rehash +rehear +reheat +rehire +rehung +Reid's +reigns +Reilly +reined +rein's +reject +rejigs +rejoin +relaid +relate +relays +relent +relics +relied +relief +relies +reline +relish +relist +relive +reload +remade +remain +remake +remand +remaps +remark +remedy +remelt +remind +remiss +remits +remold +remote +remove +rename +Rena's +render +renege +Rene's +renews +rennet +rennin +Renoir +Reno's +renown +rental +rented +renter +rent's +reopen +reorgs +repack +repaid +repair +repast +repave +repays +repeal +repeat +repels +repent +repine +replay +report +repose +repute +reread +reruns +resale +rescue +reseal +reseed +resell +resend +resent +resets +resewn +resews +reship +reside +resign +resins +resist +resits +resize +resold +resole +resort +resown +resows +rested +rest's +result +resume +retail +retain +retake +retard +retell +retest +retied +reties +retina +retire +retold +retook +retool +retort +retrod +retros +return +retype +Reuben +reused +reuses +revamp +Reva's +reveal +revels +reverb +Revere +revere +revers +revert +review +revile +revise +revive +Revlon +revoke +revolt +revues +revved +reward +rewarm +rewash +reweds +rewind +rewire +reword +rework +rewove +rezone +Rhea's +rhea's +Rhee's +rhesus +rheumy +rhinos +Rhodes +Rhonda +rhymed +rhymer +rhymes +rhythm +rial's +ribald +ribbed +ribber +ribbon +ricers +Rice's +rice's +richer +riches +Richie +richly +Rich's +rich's +ricing +ricked +Rickey +Rickie +Rick's +rick's +Rico's +ridden +Riddle +riddle +riders +Ride's +ride's +ridged +ridges +riding +Riel's +rifest +riffed +riffle +riff's +rifled +rifler +rifles +rifted +rift's +Riga's +rigged +rigger +righto +rights +rigors +riling +rill's +rime's +riming +rimmed +rind's +ringed +ringer +ring's +rink's +rinsed +rinses +Rios's +rioted +rioter +riot's +ripely +ripens +ripest +Ripley +ripoff +ripped +ripper +ripple +ripply +ripsaw +risers +rise's +rising +risked +risk's +risqué +risque +Rita's +rite's +ritual +Ritz's +rivals +Rivera +Rivers +rivers +rivets +riving +Riyadh +riyals +roadie +road's +roamed +roamer +roan's +roared +roarer +roar's +roasts +robbed +robber +Robbie +Robbin +Robert +robe's +robing +robins +Robles +robots +Robson +Robt's +robust +rocked +rocker +rocket +Rockne +Rock's +rock's +rococo +rodent +rodeos +Rodger +Rodney +Roeg's +Rogers +rogers +rogues +roiled +Roku's +Roland +role's +rolled +roller +roll's +Romano +Romans +Romany +romeos +Romero +Rome's +Rommel +Romney +romped +romper +romp's +Ronald +rondos +Ronnie +rood's +roofed +roofer +roof's +rooked +rookie +rook's +roomed +roomer +room's +Rooney +roosts +rooted +rooter +Root's +root's +ropers +rope's +ropier +roping +Rory's +rosary +Rosa's +Roscoe +Roseau +Rose's +rose's +rosier +rosily +rosins +Roslyn +Ross's +roster +Rostov +rotary +rotate +ROTC's +rote's +rotgut +Rothko +Roth's +rotors +rotted +rotten +rotter +rotund +roue's +rouged +rouges +roughs +rounds +Rourke +roué's +roused +rouses +rousts +routed +router +routes +rout's +rovers +Rove's +roving +rowans +rowels +Rowena +rowers +Rowe's +rowing +Roxy's +royals +rubato +rubbed +rubber +rubble +Rubens +rube's +rubier +rubies +rubles +rubric +Ruby's +ruby's +ruched +rucked +ruckus +rudder +rudely +rudest +Rudolf +Rudy's +rueful +ruffed +ruffle +ruffly +ruff's +rugged +rugger +rugrat +Ruhr's +ruined +ruin's +Ruiz's +rulers +rule's +ruling +rumbas +rumble +rummer +rumors +rumple +rumply +rump's +rumpus +rune's +rung's +runlet +runnel +runner +runoff +runt's +runway +Runyon +rupees +Rupert +rupiah +ruse's +rushed +rusher +rushes +Rush's +rush's +Ruskin +rusk's +Russel +russet +Russia +Russ's +rusted +rustic +rustle +rust's +Ruthie +Ruth's +rutted +Rwanda +Ryan's +Ryukyu +Saab's +Saar's +sabers +Sabina +Sabine +sables +sabots +sabras +sachem +sachet +sacked +sacker +sack's +sacred +sacrum +Saddam +sadden +sadder +saddle +Sade's +sadhus +sadism +sadist +Sadr's +safari +safely +safe's +safest +safety +saga's +sagely +sage's +sagest +sagged +sago's +Sahara +sahibs +Saigon +sailed +sailor +sail's +saints +sake's +Saki's +Saks's +salaam +Salado +salads +salami +salary +sale's +saline +Salish +saliva +Salk's +Sallie +sallow +salmon +Salome +salons +saloon +salsas +salted +salter +Salton +SALT's +salt's +salute +salved +salver +salves +salvos +Salyut +Samara +sambas +Sammie +Samoan +samosa +sampan +sample +Samson +Samuel +Sana's +séance +Sancho +sandal +sanded +sander +Sandra +Sand's +sand's +sanely +sanest +Sanger +Sang's +sanity +Santos +sapped +sapper +Sappho +Sara's +sarges +Sargon +sari's +sarnie +sarong +SARS's +Sartre +sashay +sashes +sash's +sassed +sasses +sass's +sateen +sating +satiny +satire +satori +satrap +Saturn +satyrs +sauced +saucer +sauces +Saudis +Saul's +saunas +sautes +sautés +Savage +savage +savant +savers +save's +saving +Savior +savior +savors +savory +savoys +sawfly +sawing +Sawyer +sawyer +Saxons +Saxony +Sayers +saying +scabby +scab's +scad's +scalar +scalds +scaled +scales +scalps +scampi +scamps +scam's +scan's +scants +scanty +scarab +scarce +scared +scares +scarfs +scarps +scar's +scat's +scatty +scenes +scenic +scents +Scheat +schema +scheme +Schick +schism +schist +schizo +schlep +schnoz +school +Schulz +schuss +schwas +scions +Scipio +scoffs +scolds +sconce +scones +scoops +scoots +scoped +Scopes +scopes +scorch +scored +scorer +scores +scorns +Scotch +scotch +Scotia +Scot's +scours +scouts +scowls +scow's +scrags +scrams +scrape +scraps +scrawl +scream +screed +screen +screes +screws +screwy +scribe +scrimp +scrims +scrips +script +scrogs +scroll +scrota +scrubs +scruff +scrump +scrums +SCSI's +scubas +Scud's +scud's +scuffs +sculls +sculpt +scummy +scum's +scurfy +scurry +scurvy +scuzzy +Scylla +scythe +seabed +sealed +sealer +seal's +seaman +seamed +seamen +seam's +seance +Sean's +search +seared +sear's +season +seated +seat's +seaway +secant +secede +second +secret +sector +sect's +secure +sedans +sedate +Seders +seduce +seeded +seeder +seed's +Seeger +seeing +seeker +seemed +seemly +seeped +seer's +seesaw +seethe +Sega's +segued +segues +Segway +seined +seiner +seines +seized +seizes +Sejong +seldom +select +Selena +selfie +self's +Seljuk +seller +sell's +selves +semi's +Semite +Semtex +Senate +senate +Sendai +sender +Seneca +senile +Senior +senior +senora +senors +sensed +senses +sensor +sentry +sepals +sepsis +septal +septet +septic +Sept's +septum +sequel +sequin +serape +seraph +Serbia +Serb's +Serena +serene +serest +serf's +Sergei +Sergio +serial +series +serifs +serine +sermon +serous +serums +served +server +serves +servos +sesame +Seth's +settee +setter +settle +setups +Seurat +sevens +severe +Severn +severs +Sevres +sewage +Seward +sewers +sewing +sexier +sexily +sexing +sexism +sexist +sexpot +sextet +Sexton +sexton +sexual +SGML's +shabby +shacks +shaded +shades +shadow +shad's +shafts +shaggy +shag's +Shah's +shah's +shaken +Shaker +shaker +shakes +shalom +shaman +shamed +shames +sham's +shandy +shanks +Shanna +shan't +shanty +shaped +shapes +shards +shared +sharer +shares +sharia +Sharif +sharks +Sharon +Sharpe +sharps +Shasta +Shaula +Shauna +shaved +shaven +shaver +shaves +shawls +Shawna +Shaw's +shay's +shears +Shea's +sheath +sheave +shed's +Sheena +sheeny +sheers +sheets +sheikh +Sheila +sheila +shekel +Shelby +Shelia +she'll +shells +Shelly +shelve +Sheree +Sherpa +Sherri +Sherry +sherry +Sheryl +Shevat +shewed +shield +shiest +shifts +shifty +Shiite +shills +Shiloh +shimmy +shim's +shined +shiner +shines +shinny +shin's +Shinto +ship's +Shiraz +shires +shirks +shirrs +shirts +shirty +shit's +shitty +shiver +shiv's +shoals +shoats +shocks +shoddy +shoe's +shogun +shooed +shoots +shoppe +shop's +shored +shores +shorts +shorty +shot's +should +shouts +shoved +shovel +shoves +showed +shower +show's +shrank +shreds +shrewd +shrews +shriek +shrift +shrike +shrill +shrimp +shrine +shrink +shrive +shroud +shrubs +shrugs +shrunk +shtick +shucks +shunts +shyest +shying +Siam's +sibyls +sicced +Sicily +sicked +sicken +sicker +sickie +sickle +sickly +sickos +side's +siding +sidled +sidles +Sidney +SIDS's +sieges +sienna +sierra +siesta +sieved +sieves +sifted +sifter +sighed +sigh's +sights +sigmas +signal +signed +signer +signet +signor +sign's +Sigurd +Sikh's +Sikkim +silage +silent +silica +silken +silk's +sill's +silo's +silted +silt's +silver +Silvia +simian +simile +simmer +Simone +simony +simper +simple +simply +Sims's +Sinbad +Sindhi +sine's +sinews +sinewy +sinful +singed +Singer +singer +singes +single +singly +sing's +sinker +sink's +sinned +sinner +siphon +sipped +sipper +sirens +sire's +siring +Sirius +sirrah +sirree +sister +sitars +sitcom +site's +siting +sitter +Siva's +sixths +size's +sizing +sizzle +skated +skater +skates +skeins +sketch +skewed +skewer +skew's +skibob +skid's +skiers +skiffs +skiing +skills +skimps +skimpy +skim's +skinny +skin's +Skippy +skip's +skirts +skit's +skived +skiver +skives +skivvy +skoals +Skopje +skulks +skulls +skunks +skycap +Skye's +skying +Skylab +slab's +slacks +slag's +slaked +slakes +slalom +slam's +slangy +slants +slap's +slated +Slater +slates +slat's +slaved +slaver +slaves +Slavic +Slav's +slaw's +slayed +slayer +sleaze +sleazy +sledge +sled's +sleeks +sleeps +sleepy +sleets +sleety +sleeve +sleigh +sleuth +slewed +slew's +sliced +slicer +slices +slicks +slider +slides +sliest +slight +slings +slinks +Slinky +slinky +slippy +slip's +slit's +sliver +Sloane +slob's +Slocum +sloe's +slogan +slog's +sloops +sloped +slopes +sloppy +slop's +sloths +slot's +slouch +slough +Slovak +sloven +slowed +slower +slowly +sludge +sludgy +slue's +slug's +sluice +sluing +slummy +slumps +slum's +slurps +slurry +slur's +slushy +slut's +slutty +smacks +smalls +smarmy +smarts +smarty +smears +smeary +smells +smelly +smelts +smilax +smiled +smiles +smiley +smirch +smirks +smites +smiths +smithy +smocks +smoggy +smog's +smoked +smoker +smokes +Smokey +smokey +smooch +smooth +smudge +smudgy +smugly +smurfs +smut's +smutty +Smyrna +snacks +snafus +snag's +snails +snaked +snakes +snappy +snap's +snared +snares +snarfs +snarks +snarky +snarls +snarly +snatch +snazzy +sneaks +sneaky +sneers +sneeze +snicks +Snider +snider +sniffs +sniffy +sniped +sniper +snipes +snippy +snip's +snitch +snit's +snivel +snobby +snob's +snoods +snoops +Snoopy +snoopy +snoots +snooty +snooze +snored +snorer +snores +snorts +snot's +snotty +snouts +snowed +Snow's +snow's +snub's +snuffs +snugly +snug's +Snyder +soaked +soak's +soaped +soap's +soared +soar's +sobbed +sobers +soccer +social +socked +socket +sock's +soda's +sodded +sodden +sodium +sodomy +soever +sofa's +soften +softer +softly +Soho's +soigné +soigne +soiled +soil's +soirée +soiree +solace +solder +solely +solemn +sole's +solidi +solids +soling +soloed +solo's +solute +solved +solver +solves +Somali +somber +Somoza +sonars +sonata +Sondra +song's +sonnet +Sonora +Sontag +Sony's +sooner +soothe +soot's +Sophia +Sophie +sopped +sorbet +sordid +sorely +sore's +sorest +sorrel +sorrow +sorted +sorter +sortie +sort's +Sosa's +Soto's +soughs +sought +soul's +sounds +souped +soup's +source +soured +sourer +sourly +sour's +soused +souses +Souths +Soviet +soviet +sowers +Soweto +sowing +Spaatz +spaced +spacer +spaces +spacey +spaded +spades +spadix +Spam's +spam's +spanks +span's +spared +sparer +spares +Sparks +sparks +sparky +spar's +sparse +Sparta +spasms +spates +spathe +spat's +spavin +spawns +spayed +speaks +Spears +spears +specie +specif +specks +spec's +speech +speeds +speedy +spells +Spence +spends +sperms +Sperry +spewed +spewer +spew's +sphere +Sphinx +sphinx +spiced +spices +spider +spiels +spiffs +spiffy +spigot +spiked +spikes +spills +spinal +spines +spinet +spin's +spiral +spirea +spires +spirit +spited +spites +spit's +splash +splats +splays +spleen +splice +spliff +spline +splint +splits +splosh +spoils +spoken +spokes +sponge +spongy +spoofs +spooks +spooky +spools +spoons +spoors +spored +spores +sports +sporty +spot's +spotty +spouse +spouts +sprain +sprang +sprats +sprawl +sprays +spread +spreed +sprees +sprier +sprigs +spring +Sprint +sprint +Sprite +sprite +spritz +sprogs +sprout +spruce +sprung +spryly +spud's +spumed +spumes +spunks +spunky +spurge +spurns +spur's +spurts +sputum +spying +squabs +squads +squall +square +squash +squats +squawk +squaws +squeak +squeal +Squibb +squibs +squids +squint +squire +squirm +squirt +squish +stable +stably +stab's +Stacey +Stacie +stacks +staffs +staged +stages +stag's +stains +stairs +staked +stakes +staled +staler +stales +Stalin +stalks +stalls +stamen +stamps +stance +stanch +stands +Stan's +stanza +staple +starch +stared +starer +stares +starry +star's +starts +starve +stasis +stated +Staten +stater +States +states +static +stat's +statue +status +staved +staves +stayed +stayer +stay's +steads +steady +steaks +steals +steams +steamy +steeds +Steele +steels +steely +steeps +steers +Stefan +steins +Stella +stem's +stench +stenos +stents +steppe +step's +stereo +Sterne +Sterno +sterns +Steven +Stevie +stewed +stew's +sticks +sticky +stiffs +stifle +stigma +stiles +stills +stilts +stings +stingy +stinks +stinky +stints +stir's +stitch +stoats +stocks +stocky +stodge +stodgy +stogie +Stoics +stoics +stoked +stoker +Stokes +stokes +stolen +stoles +stolid +stolon +stomps +stoned +stoner +stones +stooge +stools +stoops +stop's +stored +stores +storks +storms +stormy +stoups +stouts +stoves +stowed +Strabo +strafe +strain +strait +strand +straps +strata +strati +straws +strays +streak +stream +street +stress +strewn +strews +striae +strict +stride +strife +strike +string +stripe +strips +stripy +strive +strobe +strode +stroke +stroll +Strong +strong +strops +strove +struck +strums +strung +struts +Stuart +stubby +stub's +stucco +studio +studly +stud's +stuffs +stuffy +stumps +stumpy +stunts +stupid +stupor +sturdy +styled +styles +stylus +stymie +Styron +Styx's +Suarez +suaver +Subaru +subbed +subdue +sublet +submit +suborn +subset +subtle +subtly +suburb +subway +succor +sucked +sucker +suckle +suck's +sudden +Sudoku +suds's +suet's +Suez's +suffer +suffix +Sufi's +Sufism +sugars +sugary +suited +suites +suitor +suit's +Sukkot +sulfur +sulked +sulk's +sullen +sultan +sultry +summat +summed +Summer +summer +summit +summon +Sumner +sumo's +sump's +Sumter +sunbed +sundae +Sundas +Sunday +sunder +sundry +Sung's +sunhat +sunken +sunlit +sunned +Sunnis +sunset +suntan +superb +supers +supine +supped +supper +supple +supply +surely +surest +surety +surfed +surfer +surf's +surged +surges +surrey +surtax +survey +Susana +SUSE's +sussed +susses +Sussex +sutler +suttee +Sutton +suture +Suva's +Suzhou +Suzuki +Suzy's +svelte +Sven's +Sèvres +swab's +swag's +swains +swamis +swamps +swampy +Swanee +swanks +swanky +swan's +swap's +swards +swarms +swatch +swathe +swaths +swat's +swayed +sway's +Swazis +swears +sweats +sweaty +Sweden +Swedes +swedes +sweeps +sweets +swells +swerve +swifts +swig's +swills +swim's +swines +swings +swiped +swipes +swirls +swirly +switch +swivel +swoons +swoops +swoosh +swords +Sydney +sylphs +sylvan +Sylvia +Sylvie +symbol +synced +sync's +synods +syntax +synths +Syriac +Syrian +syrups +syrupy +sysops +system +tabbed +tablas +tabled +tables +tablet +taboos +tabors +Tabriz +tacked +tacker +tackle +tack's +Tacoma +taco's +tactic +tact's +Taejon +Taft's +tagged +tagger +Tagore +Tahiti +taigas +tailed +tailor +tail's +Tainan +taints +Taipei +Taiwan +takers +take's +taking +Talbot +talc's +talcum +talent +tale's +talked +talker +talkie +talk's +taller +Talley +tallow +Talmud +talons +tamale +Tamara +Tameka +tamely +Tamera +tamers +tamest +Tamika +Tamils +taming +Tami's +Tammie +Tammuz +Tampax +tamped +tamper +tampon +tandem +tangle +tangos +tang's +tanked +tanker +tank's +tanned +Tanner +tanner +tannin +tantra +Taoism +Taoist +tapers +tape's +taping +tapirs +tapped +tapper +tappet +Tara's +Tarawa +tare's +Target +target +tariff +taring +tarmac +tarn's +taro's +tarots +tarpon +tarp's +tarred +tarsal +tarsus +tartan +tartar +tarted +tarter +tartly +tart's +Tarzan +tasers +tasked +task's +Tasman +tassel +Tass's +tasted +taster +tastes +tatami +Tatars +taters +Tate's +tatted +tatter +tattie +tattle +tattoo +taught +taunts +Taurus +tauten +tauter +tautly +tavern +tawdry +Tawney +taxers +taxied +taxing +taxi's +taxman +taxmen +Taylor +teabag +teacup +teak's +teal's +teamed +team's +teapot +teared +tear's +teased +teasel +teaser +teases +teat's +techie +techno +tech's +tedium +teeing +teemed +teen's +teeter +teethe +Teflon +Tehran +Teller +teller +Tell's +TELNET +telnet +Telugu +temped +temper +temple +tempos +temp's +tempts +tenant +tended +tender +tendon +tenets +tenner +tennis +Tenn's +tenons +tenors +tenpin +tensed +tenser +tenses +tensor +tented +tenths +tent's +tenure +tepees +Teresa +Teri's +Terkel +termed +termly +term's +tern's +Terran +Terrie +terror +Terr's +terser +Tessie +Tess's +tested +tester +testes +testis +test's +tetchy +tether +Tethys +Tetons +tetras +Teuton +Texaco +Texans +texted +text's +Thad's +Thai's +Thales +Thalia +Thames +thanes +thanks +Thar's +thatch +that'd +that's +thawed +thaw's +Thea's +Thebes +thefts +theirs +theism +theist +Thelma +themed +themes +thence +then's +theory +therms +Theron +theses +thesis +thetas +thew's +they'd +thicko +thieve +thighs +Thimbu +things +thingy +thinks +thinly +thirds +thirst +thirty +tholes +Thomas +thongs +thorax +thorns +thorny +Thorpe +Thor's +though +thou's +Thrace +thrall +thrash +thread +threat +threes +thresh +thrice +thrift +thrill +thrive +throat +throbs +throes +throne +throng +thrown +throws +thrums +thrush +thrust +thud's +thug's +thumbs +thumps +thunks +thwack +thwart +thymus +tiaras +tibiae +tibial +ticked +ticker +ticket +tickle +tick's +tidbit +tiddly +Tide's +tide's +tidied +tidier +tidies +tidily +tiding +tidy's +tiepin +tiered +tier's +tiffed +tiff's +tigers +tights +Tigris +tildes +tilers +tile's +tiling +tilled +tiller +till's +Tilsit +tilted +tilt's +timber +timbre +timely +timers +time's +timing +Tina's +tinder +tine's +tinged +tinges +tingle +tingly +Ting's +ting's +tinier +tinker +tinkle +tinned +tinpot +tinsel +tinted +tint's +tipped +tipper +tippet +tippex +tipple +tiptoe +tiptop +tirade +Tirane +tire's +tiring +Tishri +tissue +Titans +titans +titchy +tithed +tither +tithes +Titian +titian +titled +titles +Tito's +titter +tittle +Tlaloc +toad's +toasts +toasty +Tobago +Toby's +tocsin +toddle +Todd's +toecap +toeing +toerag +toffee +tofu's +togaed +toga's +togged +toggle +Togo's +togs's +toiled +toiler +toilet +toil's +Tojo's +tokens +toke's +toking +Toledo +tole's +tolled +toll's +Toltec +tomato +tombed +tomboy +tomb's +tomcat +tome's +Tomlin +Tommie +tomtit +toners +tone's +Tongan +tonged +tong's +tongue +tonics +tonier +toning +Toni's +tonnes +tonsil +Tony's +tooled +tool's +tooted +tooter +toothy +tootle +toot's +topees +Topeka +topics +topped +topper +topple +toques +Torahs +Tories +torpid +torpor +torque +Torres +torrid +torsos +tortes +tort's +Tory's +tossed +tosser +tosses +toss's +tossup +totals +totems +tote's +toting +Toto's +totted +totter +toucan +touché +touche +touchy +toughs +toupee +toured +tour's +tousle +touted +tout's +toward +towels +towers +towhee +towing +townee +Townes +townie +town's +toxins +toyboy +toying +Toyoda +Toyota +traced +tracer +traces +Tracey +Tracie +tracks +tracts +traded +trader +trades +tragic +trails +trains +traits +Trajan +tramps +tram's +trance +Tran's +transl +trap's +trashy +trauma +travel +Travis +trawls +tray's +treads +treats +treaty +treble +tree's +trek's +tremor +trench +trends +trendy +Trevor +Trey's +trey's +triads +triage +trials +tribal +tribes +Tricia +tricks +tricky +triers +trifle +trig's +trikes +trilby +trills +trimly +trim's +trio's +triple +triply +tripod +tripos +Trippe +trip's +Trisha +triter +Triton +trivet +trivia +troika +Trojan +trolls +tromps +troops +tropes +trophy +tropic +trot's +trough +troupe +trouts +troves +trowed +trowel +Troyes +Troy's +truant +truces +trucks +trudge +true's +truest +truing +truism +Truman +trumps +trunks +trusts +trusty +truths +trying +tryout +trysts +tsetse +Tswana +Tuareg +tuba's +tubers +tube's +tubful +tubing +Tubman +tubule +tucked +Tucker +tucker +tuck's +Tucson +études +Tudors +Tues's +tufted +tufter +tuft's +tugged +Tulane +tulips +Tull's +tumble +tumors +Tums's +tumult +tuna's +tundra +tuners +tune's +tuneup +Tungus +tunics +tuning +tunnel +Tunney +Tupi's +tuples +tuques +turban +turbid +turbos +turbot +turd's +tureen +turfed +turf's +turgid +Turing +Turkey +turkey +Turkic +Turk's +turned +Turner +turner +turnip +turn's +Turpin +turret +turtle +Tuscan +Tuscon +tushes +tush's +tusked +tusk's +tussle +tutors +tutted +tuttis +Tutu's +tutu's +Tuvalu +tuxedo +twangs +twangy +tweaks +tweeds +tweedy +tweets +twelve +twenty +twerks +twerps +twiggy +twig's +twilit +twined +twiner +twines +twinge +twinks +twin's +twirls +twirly +twists +twisty +twitch +twit's +twofer +tycoon +tyke's +type's +typhus +typify +typing +typist +typo's +tyrant +Tyre's +Tyrone +tyro's +Ubangi +Ubuntu +UCLA's +udders +Uganda +uglier +Uighur +ukases +ulcers +ulna's +Ulster +ulster +ultimo +ultras +umbels +umbras +umiaks +umlaut +umping +umpire +unable +unbars +unbend +unbent +unbind +unbolt +unborn +uncaps +uncial +unclad +uncles +unclog +uncoil +uncool +uncork +uncurl +undies +undoes +undone +unduly +unease +uneasy +UNESCO +uneven +unfair +unfits +unfold +unfurl +Ungava +unhand +unholy +unhook +unhurt +UNICEF +Unions +unions +unique +unisex +unison +Unitas +united +unites +unit's +Unixes +UNIX's +unjust +unkind +unlace +unless +unlike +unload +unlock +unmade +unmake +unmans +unmask +unpack +unpaid +unpick +unpins +unplug +unread +unreal +unreel +unrest +unripe +unroll +unruly +unsafe +unsaid +unsays +unseal +unseat +unseen +unsent +unshod +unsnap +unsold +unstop +unsung +unsure +untidy +untied +unties +untold +untrod +untrue +unused +unveil +unwary +unwell +unwind +unwise +unworn +unwrap +unyoke +unzips +upbeat +update +Updike +upends +upheld +uphill +uphold +Upjohn +upkeep +upland +uplift +upload +upmost +uppers +upping +uppish +uppity +uprear +uproar +uproot +upsets +upshot +upside +uptake +uptick +uptown +upturn +upward +upwind +uracil +Ural's +Urania +Uranus +urbane +urchin +Urdu's +urea's +uremia +uremic +ureter +Urey's +urgent +urge's +urging +urinal +Uris's +Ursa's +ursine +Ursula +Urumqi +usable +usages +USDA's +useful +Usenet +user's +ushers +USSR's +usurer +usurps +Utahan +Utah's +uterus +utmost +Utopia +utopia +utters +uvular +uvulas +vacant +vacate +vacuum +vagary +vagina +vaguer +vainer +vainly +Valdez +Valery +vale's +valets +valise +Valium +valley +Valois +Valéry +valued +valuer +values +valved +valves +vamped +vamp's +Vandal +vandal +vane's +Vang's +vanish +vanity +vanned +vaping +vapors +vapory +Varese +Vargas +varied +varies +varlet +vase's +vassal +Vassar +vaster +vastly +vast's +vatted +Vauban +Vaughn +vaults +vaunts +veal's +Veblen +vector +Veda's +veejay +veep's +veered +veer's +vegans +Vega's +vegged +vegges +veggie +veiled +veil's +veined +vein's +velars +Vela's +Velcro +veld's +vellum +velour +velvet +vended +vendor +veneer +venial +Venice +Venn's +venous +vented +vent's +venues +Vera's +verbal +verb's +Verdun +verged +verger +verges +verier +verify +verily +verity +vermin +vernal +Vernon +Vern's +Verona +versed +verses +versos +versus +vertex +vesper +vessel +vestal +vested +vestry +vest's +vetoed +vetoes +veto's +vetted +vexing +viable +viably +Viacom +Viagra +vial's +viands +vibe's +vicars +vice's +vicing +Vickie +victim +Victor +victor +vicuña +vicuna +videos +Vienna +viewed +viewer +view's +vigils +Viking +viking +Vila's +vilely +vilest +vilify +villas +Villon +villus +Vilyui +vine's +vino's +vinous +Vinson +vinyls +violas +Violet +violet +violin +viol's +vipers +virago +vireos +Virgie +Virgil +virgin +Virgos +virile +virtue +visaed +visage +Visa's +visa's +viscid +viscus +vise's +Vishnu +vising +vision +visits +visors +vistas +visual +vitals +vita's +Vito's +vivace +viva's +Vivian +vivify +vixens +vizier +Vlad's +Vlasic +vocals +vodkas +vogues +voiced +voices +voided +void's +vole's +volley +volt's +volume +volute +vomits +voodoo +vortex +votary +voters +vote's +voting +votive +vowels +vowing +voyage +voyeur +Vulcan +vulgar +vulvae +Wabash +wabbit +wacker +wackos +wack's +Waco's +wadded +waddle +waders +Wade's +wade's +wadges +wading +wadi's +wafers +waffle +wafted +waft's +wagers +wage's +wagged +waggle +waging +Wagner +wagons +waif's +wailed +wailer +wail's +wain's +waists +waited +waiter +wait's +waived +waiver +waives +wakens +Wake's +wake's +waking +Walden +waldos +Wald's +wale's +Walesa +waling +walked +Walker +walker +walk's +wallah +walled +Waller +wallet +Wallis +wallop +wallow +Wall's +wall's +walnut +walrus +Walter +Walton +Walt's +wampum +wander +wand's +wane's +wangle +Wang's +waning +wanked +Wankel +wanker +wanner +wanted +wanton +want's +wapiti +warble +warded +warden +warder +Ward's +ward's +Ware's +ware's +Warhol +warier +warily +Waring +warmed +warmer +warmly +warmth +warned +Warner +warped +warp's +warred +Warren +warren +Warsaw +wart's +wasabi +washed +washer +washes +Wash's +wash's +wasn't +WASP's +wasp's +wasted +waster +wastes +Waters +waters +watery +Watson +WATS's +wattle +Watt's +watt's +Watusi +wavers +wave's +wavier +waving +waxier +waxing +waylay +wazoos +weaken +weaker +weakly +weal's +wealth +weaned +weapon +wearer +wear's +weasel +weaved +Weaver +weaver +weaves +webbed +Webb's +webcam +Webern +weblog +wedded +wedder +wedged +wedges +wedgie +weeded +weeder +weed's +weeing +weekly +week's +weened +weenie +weensy +weeper +weepie +weep's +weevil +weft's +weighs +weight +weirdo +weir's +welded +welder +Weldon +weld's +welkin +welled +Weller +Welles +wellie +well's +welted +welter +welt's +wended +Wesley +Wessex +Wesson +Weston +West's +west's +wetter +Weyden +whacks +whaled +whaler +whales +whammy +wham's +what's +wheals +wheels +wheeze +wheezy +whelks +whelms +whelps +whence +when's +wheres +wherry +whey's +whiffs +Whig's +whiled +whiles +whilom +whilst +whim's +whimsy +whined +whiner +whines +whinge +whinny +whip's +whirls +whir's +whisks +whited +whiten +whiter +Whites +whites +whitey +whit's +whiz's +wholes +who'll +wholly +whoops +whoosh +who're +whores +whorls +who've +wicked +wicker +wicket +wick's +widely +widens +widest +widget +widows +widths +wields +Wiemar +wiener +wienie +Wiesel +wifely +wife's +wigeon +wigged +wiggle +wiggly +wights +wiglet +Wigner +wigwag +wigwam +wiki's +Wilbur +Wilcox +Wilder +wilder +wildly +wild's +wile's +wilier +wiling +Wilkes +willed +Willie +Willis +willow +Will's +will's +Wilmer +Wilson +wilted +Wilton +wilt's +wimped +wimple +wimp's +Wimsey +winced +winces +winded +winder +Windex +window +wind's +windup +winery +wine's +winged +winger +wing's +winier +wining +winked +winker +Winkle +winkle +wink's +winner +Winnie +winnow +wino's +winter +wintry +wipers +wipe's +wiping +wireds +wire's +wirier +wiring +wisdom +wisely +Wise's +wise's +wisest +wished +wisher +wishes +wish's +wising +wisp's +withal +withed +wither +withes +within +wits's +witted +witter +Witt's +wiving +wizard +woad's +wobble +wobbly +wodges +woeful +wold's +wolfed +Wolf's +wolf's +Wolsey +wolves +wombat +womble +womb's +Wonder +wonder +Wong's +wonk's +wonted +wont's +wooded +wooden +Wood's +wood's +woodsy +wooers +woofed +woofer +woof's +wooing +woolen +woolly +wool's +Wooten +worded +word's +worked +worker +work's +workup +worlds +wormed +worm's +worsen +worsts +worthy +wort's +wotcha +woulds +wounds +Wovoka +wowing +wracks +wraith +wrap's +wrasse +wreaks +wreath +wrecks +wrench +Wren's +wren's +wrests +wretch +Wright +wright +wrings +wrists +writer +writes +writhe +writ's +wrongs +wryest +wursts +wusses +wuss's +Wynn's +Xanadu +Xavier +XEmacs +Xerxes +Xian's +Xmases +Xmas's +Xuzhou +xxviii +xxxiii +xxxvii +xylene +Yacc's +yachts +yahoos +Yahweh +Yakima +yakked +Yale's +Yalu's +Yamaha +yammer +Yangon +Yang's +yang's +yanked +Yankee +Yank's +yank's +yapped +yard's +yarn's +yarrow +Yataro +yawing +yawl's +yawned +yawner +yawn's +yaws's +Yeager +yeah's +yearly +yearns +year's +yeasts +yeasty +yegg's +yelled +yellow +yell's +yelped +yelp's +Yemeni +yeoman +yeomen +Yerkes +yessed +yeti's +yields +yipped +yippee +YMCA's +Ymir's +yobbos +Yoda's +yodels +yoga's +yogi's +yogurt +yokels +yoke's +yoking +Yoko's +yolked +yolk's +yonder +Yong's +yore's +Yorkie +York's +Yoruba +you'll +you're +youths +you've +yowled +yowl's +Yuan's +yuan's +yuccas +Yugo's +yukked +Yule's +yule's +Yuma's +Yunnan +yuppie +Yuri's +yurt's +Yves's +Yvette +Yvonne +YWCA's +Zagreb +Zambia +Zamora +Zane's +zanier +zanies +Zanuck +zany's +Zapata +zapped +zapper +Zara's +zealot +zeal's +zebras +zebu's +Zedong +Zeke's +Zenger +zenith +zenned +Zeno's +zephyr +zeroed +zeroes +zero's +zeroth +Zest's +zest's +zeta's +Zeus's +Zhukov +Zibo's +zigzag +zinc's +zinged +zinger +zing's +zinnia +Zion's +Ziploc +zipped +zipper +zircon +zither +zlotys +zodiac +Zola's +Zoloft +zombie +zone's +zoning +zonked +zoomed +zoom's +Zorn's +zoster +zounds +Zürich +Zulu's +Zuni's +Zurich +zydeco +zygote +Zyrtec +Aaron +aback +abaft +abase +abash +abate +Abbas +abbes +abbey +abbot +abbés +ABC's +Abdul +abeam +Abe's +abets +abhor +abide +abler +ABM's +Abner +abode +abort +about +above +Abram +abs's +Abuja +abuse +abuts +abuzz +abyss +Accra +ace's +ached +aches +achoo +acids +acing +acmes +acorn +acres +acrid +Acrux +acted +Acton +actor +act's +Acuff +acute +adage +Adams +Adana +adapt +Ada's +added +adder +Addie +addle +Adela +Adele +adept +adieu +adios +adiós +Adler +adman +admen +admin +admit +admix +adobe +Adolf +adopt +adore +adorn +ado's +ADP's +adult +Advil +adzes +aegis +aerie +Aesop +AFAIK +AFC's +affix +afire +afoot +afoul +Afros +after +again +Agana +agape +agate +agave +agent +age's +Aggie +aggro +agile +aging +aglow +Agnes +Agnew +agony +agree +ahead +Ahmad +Ahmed +aided +aides +aid's +Aiken +ailed +aimed +Aimee +aim's +ain't +aired +Aires +air's +Aisha +aisle +aitch +Akbar +Akita +Akiva +Akkad +Akron +alack +Alamo +Alana +alarm +Albee +alb's +album +Alcoa +Aldan +Alden +alder +alert +ale's +Aleut +algae +algal +Alger +Algol +alias +alibi +Alice +alien +align +alike +Aline +Ali's +Alisa +alive +alkyd +Allah +Allan +allay +Allen +alley +Allie +allot +allow +alloy +all's +aloes +aloft +aloha +alone +along +aloof +aloud +alpha +alp's +Alsop +Altai +altar +alter +Alton +altos +alums +Alvin +Alyce +Amado +Amaru +amass +Amati +amaze +Amber +amber +ambit +amble +AMD's +amend +amide +Amiga +amigo +amine +amino +Amish +amiss +amity +Amman +Amoco +among +amour +ample +amply +amp's +amuse +Amway +Amy's +Ana's +Andes +Andre +anent +Angel +angel +anger +Angie +Angle +angle +Anglo +angry +angst +Angus +anime +anion +anise +Anita +ankhs +ankle +Annam +annex +Annie +annoy +Ann's +annul +anode +anons +ANSIs +anted +antes +antic +antis +Anton +ant's +antsy +anvil +Anzac +ANZUS +AOL's +aorta +apace +apart +ape's +aphid +aping +apish +Apple +apple +apply +app's +April +apron +Apr's +apses +apter +aptly +aquas +Arabs +Araby +Ara's +arbor +arced +arc's +Arden +ardor +areal +areas +arena +are's +argon +Argos +argot +argue +Argus +arias +Ariel +Aries +arise +Arius +Ark's +ark's +armed +armor +arm's +Arneb +aroma +arose +arras +array +Arron +arrow +arsed +arson +Artie +Art's +art's +artsy +Aruba +arums +Aryan +Asama +ASCII +ascot +ashed +ashen +ashes +ash's +Asian +aside +asked +askew +ASL's +Asoka +ASPCA +Aspen +aspen +aspic +asp's +Assad +Assam +assay +asses +asset +assoc +ass's +aster +astir +Aston +Astor +Aswan +Atari +atilt +Atlas +atlas +Atman +ATM's +atoll +atoms +atone +ATP's +Atria +atria +attar +Attic +attic +Auden +audio +audit +Audra +auger +aught +Aug's +augur +auk's +aunts +aural +auras +autos +auxin +avail +Ava's +avast +avers +avert +Avery +Ave's +avian +Avila +Avior +avoid +avows +AWACS +await +awake +award +aware +awash +awe's +awful +awing +awl's +awn's +awoke +axial +axing +axiom +axles +axons +ayahs +Ayala +Ayers +aye's +Azana +Aztec +AZT's +azure +baaed +Baals +baa's +Baath +Babel +babel +babes +baccy +backs +Bacon +bacon +Baden +badge +badly +bad's +bagel +baggy +bag's +Bahia +bahts +bails +Baird +bairn +baits +baize +baked +Baker +baker +bakes +balds +baldy +baled +baler +bales +balks +balky +balls +bally +balms +balmy +balsa +Bambi +banal +bands +bandy +banes +bangs +banjo +Banks +banks +banns +ban's +Bantu +barbs +bards +bared +barer +bares +barfs +barge +barks +barmy +barns +baron +barre +Barry +bar's +Barth +basal +based +Basel +baser +bases +Basho +BASIC +basic +Basie +Basil +basil +basin +basis +basks +Basra +basso +baste +batch +bated +Bates +bates +bathe +baths +batik +baton +bat's +batty +bauds +Bauer +bawds +bawdy +bawls +bayed +Bayer +Bayes +bayou +bay's +BBB's +BBC's +BBSes +Beach +beach +beads +beady +beaks +beams +beans +Beard +beard +bears +beast +beats +beaus +beaut +bebop +becks +Becky +bedim +bed's +Beebe +beech +beefs +beefy +beeps +beers +beery +bee's +beets +befit +befog +began +begat +beget +Begin +begin +begot +begum +begun +Behan +beige +being +Belau +belay +belch +Belem +belie +Bella +belle +bells +belly +below +belts +bench +bends +bendy +Benet +Benin +Benny +Ben's +bents +beret +bergs +Beria +berks +Berle +berms +Berra +Berry +berry +Berta +berth +Beryl +beryl +beset +besom +besot +bests +betas +betel +Bethe +bet's +Betsy +Bette +Betty +bevel +bevvy +Beyer +bey's +bezel +bhaji +Bible +bible +bib's +bicep +Bic's +biddy +Biden +bides +bidet +bid's +biers +biffs +bight +bigot +bijou +biked +biker +bikes +Bilbo +bilge +bilks +bills +Billy +billy +bimbo +binds +binge +bingo +bin's +Bioko +bio's +biped +birch +birds +birth +bison +bitch +biter +bites +bit's +bitty +Bizet +biz's +Bjork +blabs +black +blade +blags +blahs +Blair +Blake +blame +bland +blank +blare +blasé +blase +blast +blats +Blatz +blaze +bleak +blear +bleat +bleed +bleep +blend +bless +Bligh +blimp +blind +bling +blini +blink +blips +bliss +blitz +bloat +blobs +Bloch +block +blocs +blogs +bloke +blond +blood +Bloom +bloom +bloop +blots +blown +blows +blowy +BLT's +blued +bluer +blues +bluet +bluff +blunt +blurb +blurs +blurt +blush +BMW's +board +boars +boa's +boast +boats +Bobbi +Bobby +bobby +Bob's +bob's +boded +bodes +bodge +bod's +Boers +boffo +bogey +boggy +bogie +bogon +bog's +bogus +boils +boink +Boise +bolas +boles +bolls +bolts +bolus +bombs +bonce +bonds +boned +boner +bones +bongo +bongs +bonks +bonny +bonus +boobs +booby +booed +books +Boole +booms +Boone +boons +boors +boo's +boost +Booth +booth +boots +booty +booze +boozy +bop's +borax +bored +borer +bores +Borgs +Boris +borne +boron +Bosch +bosom +bossy +botch +Botox +bough +bound +bouts +bowed +bowel +Bowen +bower +Bowie +bowls +bow's +boxed +boxen +boxer +boxes +box's +Boyer +Boyle +boy's +bozos +brace +bract +brads +Brady +braes +Bragg +brags +Brahe +braid +Brain +brain +brake +brand +Brant +bra's +brash +brass +brats +brave +bravo +brawl +brawn +brays +braze +bread +break +bream +breed +Brent +Brest +Brett +breve +brews +Brian +bribe +Brice +brick +bride +brief +brier +Bries +brigs +brill +brims +brine +bring +brink +briny +brisk +Brits +Britt +broad +Brock +broil +broke +bronc +Bronx +brood +brook +broom +bro's +broth +Brown +brown +brows +Bruce +bruin +bruit +Bruno +brunt +brush +brute +Bryan +Bryce +Bryon +BSD's +Btu's +Buber +bub's +bucks +Buddy +buddy +budge +Bud's +bud's +buffs +Buffy +buggy +bugle +bug's +Buick +build +built +bulbs +bulge +bulgy +bulks +bulky +bulls +bully +bumph +bumps +bumpy +bum's +bunch +bunco +bungs +Bunin +bunks +bunny +bun's +bunts +buoys +burbs +Burch +burgh +burgs +burka +Burke +Burks +burls +burly +Burma +Burns +burns +burnt +burps +burro +burrs +bur's +Bursa +bursa +burst +busby +Busch +bused +buses +bushy +busks +bus's +busts +busty +butch +butte +butts +butty +buxom +buyer +buy's +Byers +bye's +bylaw +byres +Byron +bytes +byway +cabal +cabby +caber +cabin +cable +Cabot +cab's +cacao +cache +cacti +cadet +cadge +Cadiz +cadre +CAD's +cad's +cafes +caffs +cafés +caged +cages +cagey +Cains +cairn +Cairo +Cajun +caked +cakes +Caleb +Calif +calks +calla +calls +calms +Cal's +calve +calyx +Camel +camel +cameo +camps +campy +Camry +cam's +Camus +Canad +canal +Candy +candy +caned +caner +canes +canny +canoe +Canon +canon +Can's +can's +canst +can't +canto +cants +Cantu +caped +Capek +caper +capes +Capet +capon +capos +Capra +Capri +cap's +carat +carbs +cards +cared +carer +cares +caret +Carey +cargo +Carib +Carla +Carlo +Carly +carny +carob +Carol +carol +carom +carpi +carps +carry +car's +carts +carve +cased +cases +Casey +Casio +casks +caste +casts +catch +cater +Cathy +cat's +catty +caulk +cause +caved +caver +caves +cavil +cawed +caw's +cay's +CBC's +CBS's +cease +cecal +Cecil +cecum +cedar +ceded +ceder +cedes +celeb +Celia +cello +cells +Celts +cents +CEO's +Ceres +certs +Cesar +Cetus +CFC's +chads +chafe +chaff +chain +chair +chalk +champ +Chang +chant +chaos +chaps +chard +charm +chars +chart +chary +Chase +chase +chasm +chats +cheap +cheat +check +cheek +cheep +Cheer +cheer +chefs +chemo +Cheri +chert +Che's +chess +chest +Chevy +chews +chewy +Chiba +chick +chide +chief +child +Chile +chili +chill +chime +chimp +Chimu +Ch'in +China +china +chine +chink +chino +chins +chips +chirp +Chi's +chi's +chits +chive +chivy +Chloe +chock +chocs +choir +choke +chomp +chops +chord +chore +chose +chows +Chris +chubs +Chuck +chuck +chugs +chump +chums +Chung +chunk +churl +churn +chute +chyme +ciaos +CIA's +cider +Cid's +cigar +cilia +cinch +Cindy +Cipro +circa +Circe +cirri +Cisco +cited +cites +civet +civic +civil +clack +claim +Clair +clamp +clams +clang +clank +clans +claps +Clara +Clare +Clark +clash +clasp +class +éclat +Claus +claws +clean +clear +cleat +clefs +cleft +clerk +clews +click +Cliff +cliff +climb +clime +Cline +cling +clink +Clint +clips +clits +Clive +cloak +clock +clods +clogs +clomp +clone +clonk +clops +close +cloth +clots +cloud +clout +clove +clown +cloys +clubs +cluck +clued +clues +clump +clung +clunk +clvii +clxii +clxiv +clxix +clxvi +Clyde +CNN's +CNS's +coach +coals +coast +coats +COBOL +cobra +cob's +cocci +cocks +cocky +cocoa +cocos +codas +coded +coder +codes +codex +codon +cod's +coeds +cog's +Cohan +Cohen +cohos +coifs +coils +coins +coked +Cokes +cokes +colas +Colby +colds +coley +colic +Colin +Colon +colon +color +Col's +colts +comas +combo +Combs +combs +Comdr +comer +comes +comet +comfy +comic +comma +compo +comps +Comte +Conan +conch +condo +coned +cones +conga +Congo +conic +conks +con's +contd +cooed +Cooke +cooks +cools +coons +coops +Coors +coo's +coots +copay +coped +copes +copra +cop's +copse +coral +cords +cored +corer +cores +Corey +Corfu +corgi +corks +corms +corns +corny +Corot +corps +Cosby +cos's +costs +cotes +cot's +couch +cough +could +count +coupe +coups +court +coven +cover +coves +covet +covey +cowed +cower +cowls +cow's +coxed +coxes +Cox's +coyer +coyly +coypu +Coy's +cozen +CPA's +CPI's +CPR's +CPU's +crabs +crack +Craft +craft +crags +Craig +cramp +crams +Crane +crane +crank +crape +craps +crash +crass +crate +crave +crawl +craws +crays +craze +crazy +creak +cream +Crecy +credo +Creed +creed +Creek +creek +creel +creep +Crees +creme +Creon +crepe +crept +cress +Crest +crest +Crete +crews +cribs +Crick +crick +cried +crier +cries +crime +crimp +crisp +croak +Croat +Croce +crock +croft +crone +crony +crook +croon +crops +Cross +cross +croup +crowd +crown +Crows +crows +CRT's +crude +cruel +cruet +cruft +crumb +cruse +crush +crust +crypt +cry's +CST's +Cuban +cubed +cuber +cubes +cubic +cubit +cub's +cud's +cue's +cuffs +cuing +culls +cults +cumin +cum's +cunts +Cupid +cupid +cuppa +cup's +curbs +curds +cured +curer +cures +curia +Curie +curie +curio +curls +curly +Curry +curry +cur's +curse +curve +curvy +cushy +cusps +cuter +cutey +cutie +cut's +cutup +Cuzco +CVS's +cycle +cynic +Cyril +Cyrus +cysts +czars +Czech +dab's +daces +dacha +daddy +dad's +daffy +dagos +daily +dairy +Daisy +daisy +Dakar +Dalai +dales +Daley +dally +dames +damns +Damon +damps +dam's +Danaë +Danae +dance +dandy +Danes +dangs +Danny +Dan's +Dante +Darby +Darcy +dared +Daren +darer +dares +Darin +Dario +Darla +darns +Darth +darts +Daryl +dated +dater +dates +DAT's +datum +daubs +daunt +Davao +David +Davis +davit +Dawes +dawns +Dayan +Day's +day's +dazed +dazes +dding +DDS's +deals +dealt +Deana +Deann +deans +dears +deary +Death +death +debar +Debby +debit +Debra +deb's +debts +debug +debut +decaf +decal +decay +Decca +DECed +decks +decor +decoy +decry +Dec's +deeds +deems +Deena +deeps +Deere +Dee's +defer +Defoe +defog +Degas +degas +deice +deify +deign +deism +deist +Deity +deity +delay +delft +Delhi +Delia +delis +Della +dells +Del's +Delta +delta +delve +demob +demon +demos +demur +Deneb +denim +Denis +Denny +den's +dense +dents +depot +depth +Derby +derby +Derek +desks +deter +detox +deuce +devil +Devin +Devon +Dewar +Dewey +dew's +Dhaka +dhoti +dhows +dials +Diana +Diane +Diann +diary +diced +dices +dicey +dicks +dicta +didst +Diego +die's +diets +diffs +digit +dig's +Dijon +diked +dikes +dildo +dills +dilly +dimer +dimes +dimly +Dinah +dinar +dined +diner +dines +dingo +dings +dingy +dinky +din's +diode +dippy +dip's +dipso +Dirac +direr +dirge +dirks +dirty +disco +discs +dishy +disks +Dis's +dis's +ditch +ditsy +ditto +ditty +divan +divas +dived +diver +dives +divot +divvy +Dixie +Dixon +Dix's +dizzy +DMD's +DNA's +Dobro +dobro +docks +doc's +Dodge +dodge +dodgy +dodos +doers +Doe's +doe's +doffs +doges +doggy +dogie +dogma +dog's +doily +doing +Dolby +doled +doles +dolls +Dolly +dolly +dolor +dolts +domed +domes +donas +dongs +Donna +Donne +Donny +donor +Don's +don's +don't +dooms +doors +doped +doper +dopes +dopey +Doric +Doris +dorks +dorky +dorms +dosed +doses +DOS's +doted +doter +dotes +Dot's +dot's +dotty +Douay +doubt +dough +Douro +douse +Dover +doves +dowdy +dowel +dower +Downs +downs +Downy +downy +dowry +Dow's +dowse +doyen +Doyle +dozed +dozen +dozes +drabs +Draco +draft +drags +drain +Drake +drake +drama +drams +drank +Drano +drape +drawl +drawn +draws +drays +dread +dream +drear +dregs +Dürer +dress +dried +drier +dries +drift +drill +drink +drips +drive +droid +droll +drone +drool +droop +drops +dross +drove +drown +drubs +drugs +druid +drums +drunk +drupe +dryad +dryer +dryly +dry's +Duane +Dubai +Dubhe +dub's +ducal +ducat +duchy +ducks +ducky +ducts +duded +dudes +dud's +duels +due's +duets +duffs +Duffy +dukes +dulls +dully +Dumas +Dumbo +dumbo +dummy +dumps +dumpy +dunce +dunes +dungs +dunks +Dunne +dunno +dun's +duo's +duped +duper +dupes +duple +Duran +Durer +Durex +Duroc +durst +durum +dusky +dusts +Dusty +dusty +Dutch +dutch +duvet +Dvina +DVR's +dwarf +dweeb +dwell +dwelt +dyers +dye's +dying +dykes +Dylan +Dyson +eager +eagle +eared +Earle +earls +early +earns +ear's +earth +eased +easel +eases +Easts +eaten +eater +Eaton +eaves +ebbed +ebb's +Ebert +Ebola +Ebony +ebony +ECG's +echos +eclat +Eco's +Edams +Eddie +edema +Edens +Edgar +edged +edger +edges +edict +edify +Edith +edits +EDP's +Edsel +educe +Edwin +EEC's +EEG's +eel's +eerie +effed +Effie +Efren +egged +egg's +ego's +egret +Egypt +eider +eight +eject +EKG's +eking +eland +elate +elbow +elder +Eldon +elect +elegy +Elena +elfin +ELF's +elf's +Elgar +Elias +elide +Eliot +Eli's +Elisa +Elise +elite +Eliza +elk's +Ellen +Ellie +Ellis +ell's +Elmer +elm's +elope +Elroy +Elsie +Elton +elude +elver +elves +Elvia +Elvin +Elvis +Elway +Emacs +email +embed +ember +emcee +emend +Emery +emery +Emile +Emily +emirs +emits +emoji +Emory +emo's +emote +empty +emu's +enact +ended +endow +end's +endue +enema +enemy +ENE's +Eng's +enjoy +ennui +Enoch +Enron +ensue +enter +entry +envoy +eon's +EPA's +Epcot +epees +epics +epoch +epoxy +Epsom +Epson +equal +equip +equiv +era's +erase +Erato +erect +ergot +erg's +Erica +Erich +Erick +Erika +Ernie +Ernst +erode +erred +Errol +error +eruct +erupt +ErvIn +Erwin +ESE's +ESP's +Esq's +essay +Essen +Essex +Essie +Ester +ester +Estes +EST's +eta's +Ethan +Ethel +ether +ethic +ethos +ethyl +etude +EULAs +Euler +euros +evade +Evans +Eva's +evens +event +Evert +every +Eve's +eve's +Evian +evict +evils +Evita +evoke +ewers +ewe's +Ewing +exact +exalt +exams +excel +execs +exert +exile +exist +exits +exons +expat +expel +expos +extol +extra +exude +exult +exurb +Exxon +eye's +fable +faced +faces +facet +facts +faddy +faded +fades +fad's +faffs +Fagin +fagot +fag's +fails +faint +fairs +fairy +Faith +faith +faked +faker +fakes +fakir +falls +false +famed +fancy +fangs +Fanny +fanny +fan's +FAQ's +farad +farce +fared +fares +Fargo +farms +Farsi +farts +fasts +Fatah +fatal +fated +Fates +fates +fat's +fatso +fatty +fatwa +fault +fauna +fauns +Faust +faves +favor +fawns +faxed +faxes +fax's +fayer +Fay's +fay's +fazed +fazes +FBI's +FDR's +fears +feast +feats +Feb's +fecal +feces +FedEx +Fed's +fed's +feeds +feels +fee's +feign +feint +Felix +fella +fells +felon +felts +femur +fence +fends +fen's +feral +Fermi +ferns +ferny +ferry +fests +fetal +fetch +feted +fetes +fetid +fetus +feuds +fever +fewer +few's +Fez's +fez's +FHA's +fiats +fiber +fib's +fiche +fichu +ficus +Fidel +fiefs +field +fiend +fiery +fifer +fifes +fifth +fifty +fight +fig's +filch +filed +filer +files +filet +fills +filly +films +filmy +filth +final +Finch +finch +finds +fined +finer +fines +finis +finks +Finns +finny +fin's +Fiona +fired +firer +fires +firms +fir's +first +firth +fishy +fists +Fitch +fitly +fit's +fiver +fives +fixed +fixer +fixes +fix's +fizzy +fjord +flack +flags +flail +flair +flake +flaky +flame +flank +flans +flaps +flare +flash +flask +flats +Flatt +flaws +flays +fleas +fleck +flees +fleet +flesh +flick +flied +flier +flies +fling +Flint +flint +flips +flirt +flits +float +flock +floes +flogs +flood +floor +flops +Flora +flora +Flory +Flo's +floss +flour +flout +flown +flows +Floyd +flubs +flues +fluff +fluid +fluke +fluky +flume +flung +flunk +flu's +flush +flute +flyby +Flynn +fly's +foals +foams +foamy +fob's +focal +focus +foe's +foggy +fog's +foils +foist +folds +Foley +folic +folio +folks +folly +Fonda +fonts +foods +fools +foots +footy +fop's +foray +force +fords +fores +forge +forgo +forks +forms +forte +forth +forts +forty +forum +fossa +Fosse +fouls +found +fount +fours +fowls +foxed +Foxes +foxes +Fox's +fox's +foyer +frack +frags +frail +frame +franc +Frank +frank +Franz +frats +fraud +frays +freak +Freda +freed +freer +frees +Freon +fresh +frets +Freud +Freya +friar +fried +fries +frigs +frill +Fri's +frisk +Frito +Fritz +fritz +frizz +frock +Frodo +frogs +Fromm +frond +front +frosh +Frost +frost +froth +frown +froze +fruit +frump +fryer +Fry's +fry's +FSF's +FSLIC +fêtes +Fuchs +fucks +fudge +fuels +fugal +fuggy +fugue +fulls +fully +fumed +fumes +funds +Fundy +fungi +funks +funky +funny +fun's +furls +furor +furry +fur's +furze +fused +fusee +fuses +fussy +fusty +futon +fuzzy +gabby +Gable +gable +Gabon +gab's +Gaels +gaffe +gaffs +gag's +gaily +gains +gaits +galas +Galen +gales +Gallo +galls +gal's +Gamay +gamed +gamer +games +gamin +gamma +gammy +Gamow +gamut +gangs +ganja +gaped +gapes +Gap's +gap's +Garbo +garbs +Garry +gar's +Garth +Garza +gases +gasps +gas's +gassy +gated +Gates +gates +gator +Gatun +gaudy +gauge +Gauls +gaunt +Gauss +gauze +gauzy +gavel +Gavin +gawks +gawky +gawps +gayer +Gayle +Gay's +gay's +gazed +gazer +gazes +GCC's +Gödel +GDP's +gears +gecko +geeks +geeky +geese +gelds +gelid +gel's +gem's +genes +Genet +genie +genii +Genoa +genre +Gen's +gents +genus +geode +Geo's +germs +Gerry +Ger's +Getty +getup +Ghana +Ghats +ghats +Ghent +ghost +ghoul +GHQ's +giant +Gibbs +gibed +gibes +giddy +gifts +gig's +Gilda +gilds +Giles +gills +Gil's +gilts +gimme +gimps +gimpy +Ginny +gin's +Ginsu +girds +girls +girly +giros +girth +girts +gites +given +giver +gives +gizmo +glacé +glace +glade +glads +gland +glans +glare +Glass +glass +Glaxo +glaze +gleam +glean +Glenn +glens +glide +glint +glitz +gloat +globe +globs +gloom +glory +gloss +glove +glows +glued +glues +gluey +gluon +gluts +glyph +GMT's +gnarl +gnash +gnats +gnaws +gnome +GNP's +GnuPG +GNU's +gnu's +goads +goals +Goa's +goats +gob's +Godel +godly +Godot +God's +god's +goers +gofer +Gogol +Gog's +going +Golan +Golda +golds +golfs +Golgi +golly +Gomez +gonad +goner +gongs +gonks +gonna +gonzo +goods +goody +gooey +goofs +goofy +gooks +goons +goo's +goose +GOP's +gored +Goren +gores +Gorey +gorge +Gorky +gorps +gorse +Goths +goths +gotta +Gouda +gouge +Gould +gourd +gouty +gowns +grabs +Grace +grace +grade +grads +Grady +graft +Grail +grail +grain +grams +grand +grans +Grant +grant +grape +graph +grasp +Grass +grass +grate +grave +gravy +grays +graze +great +grebe +greed +Greek +Green +green +Greer +greet +Gregg +greps +Greta +grids +grief +Grieg +grill +grime +Grimm +grimy +grind +grins +gripe +grips +grist +grits +groan +groat +groin +groks +groom +grope +Gross +gross +Grosz +group +grout +grove +growl +grown +grows +grubs +gruel +grues +gruff +grump +grunt +GTE's +guano +guard +guava +Gucci +guess +guest +guide +Guido +guild +guile +guilt +GUI's +guise +gulag +gulch +gulfs +gulls +gully +gulps +gumbo +gummy +gum's +gunge +gungy +gunky +gunny +gun's +guppy +Gupta +gurus +gushy +Gus's +gussy +gusto +gusts +gusty +gut's +gutsy +gutty +guyed +Guy's +guy's +gym's +gyp's +Gypsy +gypsy +gyros +gyved +gyves +Haber +habit +hacks +Hadar +Hades +hadst +Hafiz +hafts +Hagar +hag's +Hague +Haida +Haifa +haiku +hails +hairs +hairy +Haiti +hajji +hakes +Hakka +halal +haled +haler +hales +Haley +halls +Halon +halon +halos +Hal's +halts +halve +Haman +hammy +Ham's +ham's +hands +Handy +handy +Haney +hangs +hanks +Hanna +Hanoi +Han's +haply +happy +hap's +Hardy +hardy +hared +harem +hares +harks +harms +harps +Harpy +harpy +Harry +harry +harsh +Harte +harts +hasps +haste +hasty +hatch +hated +hater +hates +hat's +hauls +haunt +Hausa +Havel +haven +haves +havoc +hawed +Hawks +hawks +haw's +Haydn +hayed +Hayek +Hayes +Hay's +hay's +hazed +Hazel +hazel +hazer +hazes +HBO's +hdqrs +heads +heady +heals +heaps +heard +hears +heart +Heath +heath +heats +heave +heavy +hedge +heeds +heels +hefts +hefty +Hegel +Heidi +Heine +Heinz +heirs +heist +Helen +Helga +helix +he'll +hello +helms +helot +helps +helve +hem's +hence +Hench +henna +Henri +Henry +hen's +herbs +herds +Herod +heron +Hertz +hertz +Herzl +Hesse +hewed +hewer +hexed +hexes +hex's +Hicks +hicks +hided +hider +hides +highs +hijab +hiked +hiker +hikes +Hilda +hills +hilly +hilts +Hindi +hinds +Hindu +Hines +hinge +hings +hints +hippo +hippy +hip's +Hiram +hired +hires +hitch +hit's +hived +hives +HIV's +Hmong +HMO's +hoard +hoary +Hobbs +hobby +hobos +hob's +hocks +Hodge +hod's +hoers +hoe's +Hoffa +Hogan +hogan +hog's +hoick +hoist +hoked +hokes +hokey +hokum +holds +holed +holes +holey +Holly +holly +Holst +homed +Homer +homer +homes +homey +homos +Honda +honed +honer +hones +honey +honks +honky +honor +hon's +hooch +hoods +hooey +hoofs +Hooke +hooks +hooky +hoops +hoots +hoped +hopes +Hopis +hop's +horas +horde +Horne +horns +horny +horse +Horus +Hosea +hosed +hoses +Hosts +hosts +hotel +hotly +hound +houri +hours +House +house +hovel +hover +how'd +howdy +howls +how's +Hoyle +Huang +hubby +Huber +hub's +HUD's +hue's +huffs +huffy +huger +hug's +Hui's +hulas +hulks +hulls +human +humid +humor +humph +humps +hum's +humus +hunch +hunks +hunky +Hun's +hunts +hurls +Huron +hurry +Hurst +hurts +husks +husky +Hus's +hussy +hutch +hut's +Hydra +hydra +hydro +hyena +hying +Hymen +hymen +hymns +hyped +hyper +hypes +hypos +iambi +iambs +Ian's +Ibiza +Iblis +IBM's +Ibo's +Ibsen +Icahn +ICBMs +ice's +icier +icily +icing +icons +ictus +Idaho +Ida's +ideal +ideas +idiom +idiot +idled +idler +idles +idols +idyll +igloo +Ike's +Ila's +Ilene +ileum +Iliad +ilium +ilk's +ill's +illus +image +imago +imams +imbue +IMF's +impel +imper +imply +imp's +inane +inapt +Ina's +inbox +Incas +inced +incur +index +India +indie +Indra +Indus +inept +inert +infer +infix +infra +ingot +ING's +inked +ink's +inlay +inlet +inner +innit +inn's +Inonu +input +inset +instr +Intel +inter +intro +Inuit +inure +Invar +ioctl +Ionic +ionic +ion's +iotas +IOU's +Iowan +Iowas +Iqbal +Iraqi +IRA's +Ira's +irate +Irene +ire's +Irish +irked +irons +irony +IRS's +Irvin +Irwin +Isaac +Ishim +Isiah +Islam +isles +islet +ism's +isn't +ISO's +Issac +issue +Isuzu +Italy +itchy +items +it'll +Ito's +Iva's +ivied +ivies +Ivory +ivory +Ivy's +ivy's +Izaak +Izmir +jabot +jab's +jacks +Jacky +Jacob +jaded +jades +jag's +jails +Jaime +Jamal +Jamar +jambs +Jamel +James +Jamie +jammy +jam's +Janet +Janie +Janis +Janna +Jan's +Janus +Japan +japan +japed +japes +Jap's +Jared +jar's +Jason +jatos +jaunt +Javas +jawed +jaw's +Jayne +Jay's +jay's +jazzy +jeans +Jed's +jeeps +jeers +jello +jells +jelly +jemmy +Jenna +Jenny +jenny +jerks +jerky +Jerri +Jerry +Jesse +jests +Jesus +jet's +jetty +Jewel +jewel +Jewry +Jew's +JFK's +jibed +jibes +jib's +Jidda +jiffs +jiffy +jig's +jihad +Jilin +jilts +Jimmy +jimmy +Jim's +Jinan +jinks +jinni +Jinny +jived +jives +Joann +Job's +job's +jocks +Jodie +Joe's +joeys +jog's +Johns +johns +joins +joint +joist +joked +joker +jokes +jokey +jolly +jolts +Jonah +Jonas +Jones +Jon's +Jorge +Josef +Josie +Josue +jot's +Joule +joule +joust +jowls +jowly +Joyce +joyed +Joy's +joy's +Juana +Jubal +Judah +Judas +Judea +judge +jug's +juice +juicy +julep +Jules +Julia +Julie +Julio +jumbo +jumps +jumpy +junco +Junes +junks +Jun's +junta +juror +Jurua +jut's +Kaaba +Kabul +Kafka +kanji +Kan's +kapok +kappa +kaput +karat +Karen +Karin +Karla +karma +Karol +karts +Karyn +Kasai +Kasey +Kathy +Katie +Kauai +kayak +Kayla +kayos +Kay's +Kazan +kazoo +Keats +kebab +keels +keens +keeps +keg's +Keith +Kelli +Kelly +Kenny +Ken's +ken's +Kenya +Keogh +kepis +Kerri +Kerry +ketch +Keven +Kevin +keyed +Key's +key's +KFC's +KGB's +khaki +khans +Khmer +Khufu +kicks +kicky +kiddo +kid's +Kieth +kikes +kills +kilns +kilos +kilts +Kim's +kinda +kinds +kines +Kings +kings +kinks +kinky +kin's +kiosk +Kiowa +Kip's +kip's +Kirby +Kirov +kited +kites +Kit's +kit's +Kitty +kitty +kiwis +KKK's +Klaus +Klein +Klimt +Kline +kluge +klutz +Kmart +knack +Knapp +knave +knead +kneed +kneel +knees +knell +knelt +knife +knish +knits +knobs +knock +knoll +Knopf +knots +known +knows +knurl +Knuth +koala +koans +Kodak +Kojak +kolas +Kongo +kooks +kooky +Koran +Korea +korma +kraal +Kraft +kraut +Krebs +krill +króna +krona +krone +Krupp +kudos +kudzu +Kusch +Kyoto +Laban +label +labia +labor +lab's +laced +laces +Lacey +lacks +lac's +laded +laden +lades +ladle +lad's +lager +Lagos +lag's +laird +lairs +laity +Laius +Lajos +lakes +Lamar +lamas +lambs +lamed +lamer +lames +lamps +lam's +Lanai +lanai +Lance +lance +lands +lanes +Lanka +lanky +Lanny +LAN's +Lao's +lapel +lapin +Lapps +lap's +lapse +larch +lards +lardy +large +largo +larks +Larry +larva +lased +laser +lases +Lassa +lasso +lasts +latch +later +latex +lathe +laths +Latin +Lat's +latte +lauds +laugh +Laura +Lauri +Laval +laved +laves +lawns +law's +laxer +laxly +layer +Layla +lay's +layup +lazed +lazes +LBJ's +LCD's +Leach +leach +leads +leafs +leafy +leaks +leaky +Leann +leans +leaps +learn +Leary +Lea's +lea's +lease +leash +least +leave +ledge +LED's +leech +Leeds +leeks +leers +leery +Lee's +lee's +lefts +lefty +legal +Leger +leggy +legit +leg's +Leigh +Leila +lei's +Lelia +lemma +lemme +lemon +lemur +lends +Lenin +Lenny +Len's +lento +Lents +Leola +Leona +Leo's +leper +Lepke +lepta +Lepus +Leroy +Les's +Letha +Lethe +let's +letup +levee +level +lever +Levis +Lewis +Lew's +lexer +lexis +Lexus +Lhasa +liars +Libby +libel +Libra +lib's +Libya +licit +licks +Lidia +lidos +lid's +Liege +liege +liens +Lie's +lie's +Lieut +lifer +lifts +light +liked +liken +liker +likes +lilac +Lilia +Lille +Lilly +lilos +lilts +Limbo +limbo +limbs +limed +limes +limey +limit +limns +limos +limps +Linda +Lindy +lined +linen +liner +lines +lingo +lings +links +Lin's +lints +linty +Linus +Linux +lions +lipid +Lippi +lippy +lip's +lisle +lisps +lists +Liszt +liter +lithe +lived +liven +liver +lives +Livia +livid +Liz's +Lizzy +llama +llano +LLB's +LLD's +Lloyd +loads +loafs +loamy +loans +loath +lobar +lobby +lobed +lobes +lob's +local +Locke +locks +locos +locum +locus +lodes +Lodge +lodge +Loewe +Loewi +Loews +lofts +lofty +Logan +loges +logic +login +logon +logos +log's +loins +Loire +lolls +lolly +loner +longs +Lon's +looks +looms +loons +loony +loops +loopy +loose +loots +loped +lopes +Lopez +Lords +lords +Loren +Lorie +loris +Lorna +Lorre +lorry +loser +loses +Lot's +lot's +lotto +lotus +lough +Louie +Louis +lours +Lou's +louse +lousy +louts +loved +lover +loves +lovey +lowed +lower +lowly +low's +lox's +loyal +LPN's +LSD's +Luann +luaus +lubed +lubes +Lucas +Lucia +lucid +Lucio +lucks +lucky +lucre +luffs +Luger +luges +lug's +Luigi +Luisa +lulls +Lully +lulus +lumen +lumps +lumpy +lunar +lunch +lunge +lungs +Lupus +lupus +lurch +lured +lures +lurgy +Luria +lurid +lurks +lusts +lusty +lutes +Luzon +Luz's +lxvii +Lycra +Lydia +Lyell +lye's +lying +Lyman +lymph +Lynch +lynch +Lynda +Lynne +Lyons +lyres +lyric +Lysol +LyX's +ma'am +Mabel +Mable +Macao +macaw +maced +maces +macho +Macon +macro +Mac's +mac's +Madam +madam +Madge +madly +mad's +Mae's +Mafia +mafia +mages +magic +magma +Magog +Magoo +mag's +Magus +magus +Mahdi +maids +mails +maims +Maine +mains +Mai's +maize +Major +major +Maker +maker +makes +Malay +males +malls +Malta +malts +malty +mamas +mamba +mambo +Mamet +Mamie +mamma +mammy +Mandy +maned +manes +Manet +manga +mange +mango +mangy +mania +manic +manky +manly +manna +manor +Man's +man's +manse +manta +Maori +Mao's +maple +map's +Marat +March +march +Marci +Marco +Marcy +mares +Marge +marge +Margo +Maria +maria +Marie +Marin +Mario +Maris +Marks +marks +Marla +Marne +marry +Mar's +Marsh +marsh +Marta +marts +Marty +Marva +Masai +maser +masks +Mason +mason +masts +match +mated +mater +mates +matey +mat's +matte +matzo +Maude +mauls +Maura +Mauro +mauve +maven +Mavis +maw's +maxed +maxes +maxim +maxis +Max's +max's +Mayan +Mayas +maybe +Mayer +mayor +Mayra +May's +may's +mayst +Mazda +mazes +MBA's +Mbini +McCoy +McGee +MCI's +McKay +McKee +Meade +meals +mealy +means +meant +Meany +meany +meats +meaty +Mecca +mecca +medal +Medan +Medea +Media +media +medic +meets +Megan +MEGOs +Meg's +Meier +Meiji +Mejia +Melba +melds +melee +melon +Mel's +melts +Melva +memes +memos +mends +Menes +men's +Mensa +menus +meows +Merak +Merck +mercy +meres +merge +merit +Merle +merry +mesas +meson +messy +metal +meted +meter +metes +meths +metro +Meuse +mewed +mewls +mew's +Meyer +mezzo +MFA's +Mfume +MGM's +Miami +Mia's +Micah +micks +Micky +micro +Midas +middy +midge +midis +midst +miens +miffs +might +MiG's +miked +mikes +Milan +milch +miler +Miles +miles +milfs +milks +milky +Mills +mills +Milne +mil's +milts +mimed +mimes +mimic +mince +minds +Mindy +mined +miner +mines +mingy +minim +minis +minks +minor +Minos +Minot +Min's +Minsk +mints +minty +minus +mired +mires +Mir's +mirth +misdo +miser +Missy +mists +Misty +misty +Mitch +miter +mites +MIT's +mitts +Mitty +Mitzi +mixed +mixer +mixes +mix's +Mizar +mêlée +moans +moats +Mobil +mob's +mocha +mocks +modal +model +modem +modes +mod's +Moe's +moggy +Mogul +mogul +moils +Moira +moire +moist +molar +molds +moldy +moles +molls +Molly +molly +molts +mommy +mom's +Monet +money +monks +Mon's +Monte +month +Monty +mooch +moods +Moody +moody +mooed +moons +Moore +Moors +moors +moo's +moose +moots +moped +moper +mopes +mopey +mop's +moral +Moran +moray +morel +mores +Morin +morns +moron +morph +Morse +Moses +mosey +mossy +Mosul +motel +motes +motet +moths +motif +motor +mot's +motto +moues +mound +Mount +mount +mourn +mouse +mousy +mouth +moved +mover +moves +movie +mowed +mower +mow's +moxie +MRI's +MSG's +MST's +MTV's +mucks +mucky +mucus +muddy +mud's +muffs +mufti +muggy +mug's +Mujib +mulch +mulct +mules +mulls +multi +mummy +mumps +Munch +munch +mungs +Munoz +Munro +mural +Murat +murks +murky +mused +muses +mushy +music +musky +mussy +musts +musty +muted +muter +mutes +mutts +Muzak +muzak +muzzy +MVP's +Myers +Mylar +Myles +mynas +Myrna +Myron +myrrh +myths +NAACP +naans +nabob +nacho +nacre +Nader +Nadia +nadir +NAFTA +nag's +Nahum +naiad +naifs +nails +naive +naked +named +names +Nam's +Nanak +Nancy +nanny +Nan's +Naomi +napes +nappy +nap's +narcs +narky +nasal +nasty +natal +natch +Nat's +natty +Nauru +naval +navel +naves +navvy +nay's +Nazca +Nazis +NBA's +NBC's +neaps +nears +neath +necks +Ned's +needs +needy +ne'er +Negev +Negro +negro +Nehru +neigh +Nelda +Nelly +Nepal +nerds +nerdy +nerve +nervy +nests +net's +never +Nevis +Nev's +nevus +newel +newer +newly +new's +newsy +newts +Nexis +nexus +NFL's +NHL's +nib's +nicer +niche +nicks +niece +niffy +nifty +Nigel +Niger +nigga +night +Nikki +Nikon +nil's +nimbi +NIMBY +nimby +nines +ninja +ninny +ninth +Niobe +nippy +nip's +Nisan +Nisei +nisei +niter +nitro +nit's +Nivea +nixed +nixes +Nixon +nix's +Nobel +Noble +noble +nobly +nodal +noddy +nodes +NoDoz +nod's +Noels +noels +Noemi +Noe's +nohow +noise +noisy +Nokia +Nolan +nomad +nonce +nooks +nooky +noose +NORAD +Norma +norms +Norse +North +north +nosed +noses +notch +noted +notes +nouns +novae +novas +novel +Nov's +noway +now's +Noyce +Noyes +NPR's +NSA's +nubby +Nubia +nub's +nuder +nudes +nudge +nuked +nukes +nulls +numbs +Nunez +Nunki +nun's +nurse +nut's +nutty +Nyasa +nylon +nymph +oaf's +oaken +oak's +oakum +oared +oar's +oases +oasis +OAS's +oaten +Oates +oaths +oat's +Obama +obese +obeys +obi's +obits +oboes +Occam +occur +ocean +ocher +Ochoa +ocker +octal +octet +Oct's +odder +oddly +Odell +ode's +Odets +odium +odors +offal +offed +offer +often +Ogden +ogled +ogler +ogles +ogres +ohm's +oiled +oil's +oinks +okapi +okays +OKing +okras +Ola's +olden +older +oldie +old's +ole's +Olive +olive +Ollie +Olmec +olé's +Olsen +Olson +Omaha +Omani +OMB's +omega +omens +omits +Oneal +Onega +one's +Onion +onion +Ono's +onset +oohed +oomph +oozed +oozes +opals +opens +opera +opine +oping +opium +Oprah +opted +optic +orals +Ora's +orate +orbit +orb's +orc's +order +ore's +organ +oriel +Orion +Oriya +Orlon +orris +Orr's +Ortiz +Orval +Osage +Osaka +Oscar +osier +Osman +other +otter +ought +Ouija +ounce +ousts +outdo +outed +outer +outgo +outré +outre +out's +outta +ouzos +ovals +ovary +ovate +ovens +overs +overt +ovoid +ovule +Owens +owing +owlet +owl's +owned +owner +oxbow +oxide +Ozark +ozone +Ozzie +Pablo +Pabst +paced +pacer +paces +pacey +packs +PAC's +pacts +paddy +padre +pad's +paean +pagan +paged +pager +pages +Paige +pails +Paine +pains +paint +pairs +paled +paler +pales +Paley +palls +pally +palms +palmy +pal's +palsy +Pam's +panda +panel +panes +pangs +panic +Pan's +pan's +Pansy +pansy +panto +pants +Panza +papal +papas +paper +pappy +pap's +paras +parch +PARCs +pared +parer +pares +Paris +parka +Parks +parks +parky +parry +par's +parse +parts +party +pasha +passé +passe +pasta +paste +pasts +pasty +patch +Patel +pates +paths +patio +Patna +Pat's +pat's +Patsy +patsy +Patti +Patty +patty +Paula +Pauli +pause +paved +paves +pawed +pawls +pawns +paw's +payed +payee +payer +Payne +pay's +PBS's +PCP's +Peace +peace +peach +peaks +peaky +Peale +peals +Pearl +pearl +pears +Peary +pea's +peaty +pecan +pecks +Pecos +pedal +Pedro +peeks +peels +peens +peeps +peers +pee's +peeve +Peggy +Peg's +peg's +Pei's +pekes +pekoe +Pelee +pelts +penal +pence +pends +penis +Penna +Penny +penny +Pen's +pen's +peons +peony +Pepin +peppy +pep's +Pepsi +Pepys +perch +Percy +Perez +peril +perks +perky +Perls +perms +Peron +Perot +Perry +Perth +pervs +épées +pesky +pesos +pesto +pests +petal +Peter +peter +Petra +PET's +pet's +Petty +petty +pewee +pewit +pew's +phage +phase +PhD's +phial +phi's +phish +phlox +phone +phony +photo +phyla +piano +picks +picky +picot +pic's +piece +piers +pie's +piety +piggy +pig's +piing +piked +piker +pikes +pilaf +piled +piles +pills +pilot +pimps +pinch +pined +pines +piney +pings +pinko +pinks +pinny +pinon +pin's +pinto +pints +pinup +piñon +pious +piped +piper +pipes +pipit +pip's +pique +piste +pitas +pitch +pithy +piton +pit's +pitta +Pitts +pivot +pixel +pixie +pix's +pizza +place +plaid +plain +plait +plane +plank +Plano +plans +plant +plash +plate +Plath +Plato +plats +platy +plays +plaza +plead +pleas +pleat +plebe +plebs +plied +plies +Pliny +plods +plonk +plops +PLO's +plots +plows +ploys +pluck +plugs +plumb +plume +plump +plums +plumy +plunk +plush +Pluto +ply's +PMing +PMS's +poach +pocks +pod's +poems +Poe's +poesy +poets +point +poi's +poise +poked +poker +pokes +pokey +polar +poled +Poles +poles +polio +polka +polls +Polly +Pol's +pol's +polyp +polys +pommy +Ponce +ponce +poncy +ponds +pones +pongs +pooch +pooed +poofs +poohs +Poole +pools +Poona +poops +popes +poppa +poppy +pop's +popup +porch +pored +pores +porgy +porky +porno +Porto +ports +posed +poser +poses +posit +posse +posts +pot's +Potts +potty +pouch +poufs +Pound +pound +pours +pouts +power +POW's +poxes +pox's +Prada +Prado +Praia +prams +prang +prank +prate +prats +Pratt +prawn +prays +PRC's +preen +preps +press +preys +Priam +Price +price +prick +pride +pried +prier +pries +prigs +prime +primp +print +prion +prior +prism +Prius +privy +prize +probe +prods +profs +prole +promo +proms +prone +prong +proof +props +pro's +prose +prosy +proud +prove +Provo +prowl +prows +proxy +Pôrto +prude +prune +Pryor +pry's +psalm +pseud +pshaw +psi's +PST's +psych +PTA's +pubes +pubic +pubis +pub's +pucks +pudgy +puffs +puffy +Puget +pug's +puked +pukes +pukka +puled +pules +pulls +pulps +pulpy +pulse +pumas +pumps +Punch +punch +Punic +punks +pun's +punts +pupae +pupal +pupil +puppy +pup's +puree +purer +purge +Purim +purls +purrs +purse +Purus +Pusan +Pusey +pushy +pus's +pussy +Putin +put's +putts +putty +PVC's +pwned +Pygmy +pygmy +pylon +Pym's +Pyotr +pyres +Pyrex +pyxes +pyx's +pzazz +Qatar +Qom's +quack +quads +quaff +quail +quake +quaky +qualm +quark +quart +quash +quasi +quays +Queen +queen +queer +quell +query +quest +queue +quick +quids +quiet +quiff +quill +quilt +quine +Quinn +quins +quint +quips +quire +quirk +quirt +quite +Quito +quits +quoin +quoit +quota +quote +quoth +Rabat +rabbi +rabid +Rabin +raced +racer +races +racks +radar +radii +radio +radon +rad's +Rae's +RAF's +rafts +ragas +raged +rages +ragga +rag's +raids +rails +rains +rainy +raise +rajah +raked +rakes +rally +Ralph +Rambo +ramie +Ramon +Ramos +ramps +RAM's +ram's +ranch +Randi +Randy +randy +ranee +range +rangy +ranks +rants +Raoul +raped +raper +rapes +rapid +rap's +rared +rarer +rares +rasps +raspy +Rasta +rated +rater +rates +ratio +rat's +ratty +raved +Ravel +ravel +raven +raver +raves +rawer +raw's +rayon +Ray's +ray's +razed +razes +razor +RCA's +reach +react +reads +ready +realm +reals +reams +reaps +rearm +rears +rebel +rebid +rebus +rebut +recap +recce +rec'd +recon +rec's +recto +recur +redid +red's +redye +reeds +reedy +reefs +reeks +reels +Reese +reeve +refer +refit +ref's +regal +regex +Regor +rehab +Reich +reign +reins +rejig +relax +relay +relic +remap +remit +remix +REM's +rem's +Remus +renal +rends +Renee +renew +rents +reorg +repay +repel +reply +rep's +reran +rerun +resat +reset +resew +resin +resit +resow +rests +retch +retie +retro +retry +reuse +revel +rev's +revue +rewed +Rex's +Reyes +Reyna +rheas +rheum +Rhine +rhino +Rhoda +Rhode +Rhone +rho's +rhyme +rials +rib's +riced +ricer +rices +ricks +Ricky +rider +rides +ridge +ridgy +rifer +riffs +rifle +rifts +Rigel +Riggs +Right +right +rigid +rigor +rig's +riled +riles +Riley +Rilke +rills +rimed +rimes +rim's +rinds +Ringo +rings +rinks +rinse +Rio's +riots +ripen +riper +rip's +risen +riser +rises +risks +risky +rites +ritzy +rival +Rivas +rived +riven +river +rives +rivet +riyal +Rizal +RNA's +Roach +roach +roads +roams +roans +roars +roast +Robby +robed +robes +Robin +robin +robot +Rob's +Robyn +Rocco +Rocha +Roche +rocks +Rocky +rocky +rodeo +Rodin +Rod's +rod's +roe's +Roger +roger +Roget +rogue +roils +Rojas +roles +Rolex +rolls +Roman +roman +Romeo +romeo +Romes +romps +ROM's +Ronda +rondo +Ronny +Ron's +roods +roofs +rooks +rooms +roomy +roost +roots +roped +roper +ropes +roses +Rosie +rosin +rotas +rotor +rot's +roues +rouge +rough +round +roués +rouse +roust +route +routs +roved +Rover +rover +roves +rowan +rowdy +rowed +rowel +rower +row's +Roxie +Royal +royal +Royce +Roy's +RSFSR +Ruben +rubes +Rubik +Rubin +ruble +rub's +rucks +ruddy +ruder +rue's +ruffs +Rufus +rugby +rug's +ruing +ruins +ruled +ruler +rules +rumba +rummy +rumor +rumps +rum's +runes +rungs +runic +runny +run's +runts +runty +rupee +rural +ruses +rushy +rusks +Russo +rusts +Rusty +rusty +Rutan +rut's +rutty +Ryder +rye's +saber +Sabik +Sabin +sable +sabot +sabra +Sabre +Sacco +Sachs +sacks +sacra +sac's +Sadat +sades +sadhu +Sadie +sadly +safer +safes +Sagan +sagas +sager +sages +saggy +sag's +Sahel +sahib +sails +saint +Saiph +saith +Sakai +Sakha +salad +Salas +Salem +sales +Sally +sally +salon +Sal's +salsa +salts +salty +salve +salvo +Samar +samba +sames +samey +Sammy +Samoa +SAM's +Sam's +San'a +sands +Sandy +sandy +saner +sangs +Sanka +San's +Santa +sappy +SAP's +sap's +Sarah +Saran +saran +sarge +saris +sarky +Sarto +Sasha +sassy +Satan +satay +sated +sates +satin +Sat's +satyr +sauce +saucy +Saudi +sauna +sauté +saute +saved +saver +saves +savor +Savoy +savoy +savvy +sawed +saw's +saxes +Saxon +sax's +say's +scabs +scads +scags +Scala +scald +scale +scalp +scaly +scamp +scams +scans +scant +scare +scarf +scarp +scars +scary +scats +scene +scent +schmo +schwa +scion +scoff +scold +scone +scoop +scoot +scope +score +scorn +Scots +Scott +scour +scout +scowl +scows +scrag +scram +scrap +scree +screw +scrim +scrip +scrod +scrog +scrub +scrum +scuba +scuds +scuff +scull +scums +scurf +seals +seams +seamy +Sears +sears +sea's +SEATO +seats +sebum +SEC's +sec's +sects +sec'y +sedan +Seder +sedge +sedgy +Sedna +seeds +seedy +seeks +seems +seeps +seers +see's +Segre +segue +Seiko +Seine +seine +seize +Selim +sells +Selma +semen +semis +sends +senna +senor +sense +Seoul +sepal +sepia +Sepoy +septa +Serbs +serer +serfs +serge +serif +Serra +serum +serve +servo +Seton +Set's +set's +setts +setup +Seuss +seven +sever +sewed +sewer +sexed +sexes +sex's +shack +shade +shads +shady +shaft +shags +shahs +Shaka +shake +shaky +shale +shall +shalt +shame +shams +Shana +Shane +shank +shape +shard +share +Shari +shark +Sharp +sharp +Shaun +shave +shawl +Shawn +shays +sheaf +shear +Sheba +she'd +sheds +sheen +sheep +sheer +sheet +shelf +Shell +shell +Sheol +Sheri +she's +shewn +shews +shied +shier +shies +shift +shill +shims +shine +shins +shiny +ships +shire +shirk +shirr +shirt +shits +Shiva +shivs +shoal +shoat +shock +shoes +shone +shook +shoos +shoot +shops +shore +Short +short +shots +shout +shove +shown +shows +showy +shred +Shrek +shrew +shrub +shrug +shuck +Shula +shuns +shunt +shush +shuts +shyer +shyly +shy's +Sibyl +sibyl +sicko +sicks +sided +sides +sidle +Sid's +siege +sieve +sifts +sighs +sight +sigma +signs +Sikhs +Silas +silks +silky +sills +silly +silos +silts +silty +Silva +Simon +sim's +Sinai +since +sines +sinew +singe +Singh +sings +sinks +sin's +sinus +Sioux +sip's +sired +siren +sires +Sir's +sir's +sisal +sises +sis's +sissy +sitar +sited +sites +Sivan +sixes +six's +sixth +sixty +sized +sizer +sizes +ska's +skate +skeet +skein +skews +skids +skied +skier +skies +skiff +skill +skimp +skims +skins +skint +skips +skirt +ski's +skits +skive +skoal +skuas +skulk +skull +skunk +Skype +sky's +slabs +slack +slags +slain +slake +slams +slang +slant +slaps +slash +slate +slats +slave +Slavs +slays +sleds +sleek +sleep +sleet +slept +slews +slice +slick +slide +slier +slime +slims +slimy +sling +slink +slips +slits +Sloan +slobs +sloes +slogs +sloop +slope +slops +slosh +sloth +slots +slows +slued +slues +slugs +slump +slums +slung +slunk +slurp +slurs +slush +sluts +slyly +smack +Small +small +smart +smash +smear +smell +smelt +smile +smirk +smite +Smith +smith +smock +smogs +smoke +smoky +smote +smurf +Smuts +smuts +snack +snafu +snags +snail +Snake +snake +snaky +snaps +snare +snarf +snark +snarl +Snead +sneak +sneer +Snell +snick +snide +sniff +snipe +snips +snits +snobs +snogs +snood +snoop +snoot +snore +snort +snots +snout +snows +snowy +snubs +snuff +snugs +soaks +soaps +soapy +soars +Soave +sober +SOB's +sob's +socks +sodas +Soddy +Sodom +sod's +sofas +Sofia +softy +soggy +soils +solar +soled +soles +solid +Solis +Solon +solos +Sol's +sol's +solve +Somme +sonar +songs +Sonia +sonic +Sonja +Sonny +sonny +Son's +son's +Sonya +sooth +sooty +soppy +SOP's +sop's +sorer +sores +sorry +sorta +sorts +SOSes +SOS's +sot's +sough +souks +souls +sound +soups +soupy +sours +sou's +Sousa +souse +South +south +sowed +sower +sow's +soy's +Soyuz +space +spade +Spahn +Spain +spake +spams +spank +spans +spare +spark +spars +spa's +spasm +spate +spats +spawn +spays +speak +spear +speck +specs +speed +Speer +spell +spend +spent +sperm +spews +Spica +spice +spics +spicy +spied +spiel +spies +spiff +spike +spiky +spill +spine +spins +Spinx +spiny +spire +Spiro +spiry +spite +spits +Spitz +spivs +splat +splay +split +Spock +spoil +spoke +spoof +spook +spool +spoon +spoor +spore +sport +spots +spout +sprat +spray +spree +sprig +sprog +spuds +spume +spumy +spunk +spurn +spurs +spurt +sputa +spy's +squab +squad +squat +squaw +squib +squid +SSE's +SSW's +stabs +Staci +stack +Stacy +Stael +staff +stage +stags +stagy +staid +stain +stair +stake +stale +stalk +stall +stamp +stand +stank +staph +stare +Stark +stark +Starr +stars +start +stash +state +stats +stave +stays +stdio +stead +steak +steal +steam +steed +steel +steep +steer +Stein +stein +stems +steno +stent +steps +Stern +stern +stets +Steve +stews +stick +sties +stiff +stile +still +stilt +Stine +sting +stink +stint +stirs +stoat +stock +Stoic +stoic +stoke +stole +stomp +Stone +stone +stony +stood +stool +stoop +stops +store +stork +storm +story +stoup +Stout +stout +stove +Stowe +stows +strap +straw +stray +strep +strew +stria +strip +strop +strum +strut +stubs +stuck +studs +study +stuff +stump +stung +stunk +stuns +stunt +Stu's +style +styli +sty's +suave +sub's +sucks +Sucre +Sudan +Sudra +sudsy +suede +Sue's +suety +sugar +suing +Sui's +suite +suits +sulfa +sulks +sulky +Sulla +sully +sumac +sumps +sum's +Sunni +sunny +Sun's +sun's +sunup +super +suppl +supra +sup's +Surat +surer +surfs +surge +surly +Surya +Susan +sushi +Susie +SVN's +swabs +swags +swain +swami +swamp +swank +swans +swaps +sward +swarm +swash +swath +swats +sways +Swazi +swear +sweat +Swede +swede +sweep +Sweet +sweet +swell +swept +Swift +swift +swigs +swill +swims +swine +swing +swipe +swirl +swish +Swiss +Switz +swizz +swoon +swoop +sword +swore +sworn +swots +swung +Sybil +Sykes +sylph +syncs +Synge +synod +synth +Syria +syrup +sysop +tabby +tabla +table +taboo +tabor +tab's +tacit +tacks +tacky +tacos +Tad's +tad's +Taegu +taffy +tag's +Tagus +Tahoe +taiga +tails +Taine +taint +taken +taker +takes +tales +talks +talky +tally +talon +talus +tamed +tamer +tames +Tamil +Tammi +Tammy +Tampa +tamps +Tamra +tam's +Taney +T'ang +tango +tangs +tangy +Tania +tanks +tan's +tansy +Tanya +Tao's +tapas +taped +taper +tapes +tapir +tap's +tardy +tared +tares +Tarim +tarns +taros +tarot +tarps +tarry +tar's +tarsi +tarts +tarty +taser +Tasha +tasks +taste +tasty +Tatar +tater +tatty +Tatum +taunt +taupe +tau's +tawny +taxed +taxer +taxes +taxis +taxon +tax's +teach +teaks +teals +teams +tears +teary +tea's +tease +teats +techs +Teddy +teddy +Ted's +teems +teens +teeny +tee's +teeth +telex +tells +telly +Tempe +tempo +temps +tempt +tench +tends +tenet +tenon +tenor +ten's +tense +tenth +tents +tepee +tepid +terms +terns +Terra +Terri +Terry +terry +terse +Tesla +TESOL +Tessa +tests +testy +tetra +Tet's +Tevet +Texan +Texas +TeXes +Tex's +texts +Thais +thane +Thanh +thank +Thant +Tharp +thaws +thees +theft +their +theme +there +therm +these +theta +thews +thick +thief +Thieu +thigh +thine +thing +think +thins +third +thole +thong +thorn +those +Thoth +thous +three +threw +throb +throe +throw +thrum +thuds +thugs +Thule +thumb +thump +thunk +Thurs +thyme +tiara +Tia's +Tiber +Tibet +tibia +ticks +tic's +tidal +tided +tides +tiers +tie's +tiffs +tiger +tight +tilde +tiled +tiler +tiles +tills +tilts +timed +timer +times +Timex +timid +Timmy +Timon +Timor +Tim's +Timur +tines +tinge +tings +tinny +tin's +tints +tip's +tipsy +tired +tires +Tirol +Tisha +Titan +titan +titch +tithe +title +tit's +titty +Titus +tizzy +TKO's +TLC's +TNT's +toads +toady +toast +Tobit +today +toddy +Tod's +TOEFL +toe's +toffs +togas +tog's +toils +Tokay +toked +token +tokes +Tokyo +tolls +Tomas +tombs +tomes +Tommy +Tom's +tom's +Tomsk +tonal +toned +toner +tones +Tonga +tongs +Tonia +tonic +tonne +ton's +Tonto +Tonya +tools +tooth +toots +topaz +topee +topic +top's +Topsy +toque +Torah +torch +tor's +torso +torte +torts +torus +Tosca +total +toted +totem +totes +tot's +touch +tough +tours +touts +towed +towel +tower +towns +tow's +toxic +toxin +toyed +toy's +trace +Traci +track +tract +Tracy +trade +trail +train +trait +tramp +trams +trans +traps +trash +trawl +trays +tread +treas +treat +treed +trees +treks +trend +Trent +tress +trews +treys +triad +trial +tribe +trice +trick +tried +trier +tries +trike +trill +trims +Trina +trios +tripe +trips +trite +troll +tromp +trons +troop +trope +troth +trots +trout +trove +trows +troys +truce +truck +Trudy +trued +truer +trues +trugs +truly +Trump +trump +trunk +truss +trust +Truth +truth +try's +tryst +tubal +tubas +tubby +tubed +tuber +tubes +tub's +tucks +étude +Tudor +tufts +tug's +tulip +tulle +Tulsa +tumid +tummy +tumor +tunas +tuned +tuner +tunes +tunic +Tunis +tunny +tun's +tuple +tuque +turbo +turds +turfs +turfy +Turin +Turks +turns +turps +tusks +tutor +Tut's +tut's +Tutsi +tutti +tutus +tuxes +tux's +Twain +twain +twang +TWA's +twats +tweak +Tweed +tweed +tween +tweet +twerk +twerp +twice +twigs +Twila +twill +twine +twink +twins +twirl +twist +twits +twixt +two's +Tycho +tying +tykes +Tyler +typed +types +typos +Tyree +tyros +Tyson +UBS's +Udall +udder +Ufa's +UFO's +UHF's +ukase +ulcer +ulnae +ulnar +ultra +umbel +umber +umbra +umiak +umped +ump's +unbar +unbid +uncap +uncle +uncut +under +undid +undue +unfed +unfit +unfix +unify +Union +union +unite +units +unity +unlit +unman +unmet +unpin +unsay +unset +untie +until +unwed +unzip +upend +UPI's +upped +upper +upset +UPS's +Upton +Urals +Urban +urban +urged +urges +Uriah +Uriel +urine +urn's +usage +USA's +users +use's +usher +using +usual +usurp +usury +uteri +Ute's +utter +uvula +Uzbek +Uzi's +Vader +Vaduz +vague +vagus +vales +valet +valid +valor +Val's +value +valve +vamps +Vance +vanes +Van's +van's +vaped +vapes +vapid +vapor +vases +vasts +VAT's +vat's +vault +vaunt +VAXes +VCR's +Vedas +veeps +veers +vegan +Vegas +veges +veg's +veils +veins +velar +velds +Velez +Velma +velum +venal +vends +venom +vents +venue +Venus +verbs +Verde +Verdi +verge +Verna +Verne +versa +verse +verso +verve +Vesta +vests +vetch +vet's +vexed +vexes +VFW's +VHF's +vials +viand +vibes +vicar +viced +vices +Vichy +Vicki +Vicky +Vic's +Vidal +video +views +vigil +vigor +viler +Villa +villa +villi +Vilma +vim's +Vince +vines +vinyl +Viola +viola +viols +viper +VIP's +viral +vireo +Virgo +virus +visas +vised +vises +visit +visor +VISTA +vista +vitae +vital +Vitim +Vitus +vivas +vivid +vixen +VLF's +vocab +vocal +vodka +Vogue +vogue +voice +voids +voilà +voila +voile +voles +Volga +Volta +volts +Volvo +vomit +Vonda +voted +voter +votes +vouch +vowed +vowel +vow's +vulva +vying +wacko +wacks +wacky +waded +wader +wades +wadge +wadis +wad's +wafer +wafts +waged +wager +wages +wagon +wag's +waifs +wails +wains +waist +Waite +waits +waive +waked +waken +wakes +Waldo +waldo +waled +Wales +wales +walks +Walls +walls +wally +Walsh +waltz +Wanda +wands +waned +wanes +wanks +wanly +wanna +wants +wards +wares +warez +warms +warns +warps +war's +warts +warty +washy +wasps +waste +watch +water +Watts +watts +Waugh +waved +waver +waves +waxed +waxen +waxes +wax's +Wayne +way's +wazoo +weals +weans +wears +weary +weave +Weber +Web's +web's +wedge +Wed's +weeds +weedy +Weeks +weeks +weens +weeny +weeps +weepy +wee's +weest +wefts +weigh +Weill +weird +weirs +Wei's +Weiss +welds +we'll +Wells +wells +welly +Welsh +welsh +welts +wench +Wendi +wends +Wendy +wen's +we're +Wesak +Wests +wetly +wet's +we've +Wezen +whack +whale +whams +wharf +whats +wheal +wheat +wheel +whelk +whelm +whelp +whens +where +whets +which +whiff +Whigs +while +whims +whine +whiny +whips +whirl +whirs +whisk +whist +White +white +whits +who'd +whole +whoop +whops +whore +whorl +WHO's +who's +whose +whoso +whups +why'd +why's +Wicca +wicks +widen +wider +widow +width +wield +wight +wig's +Wii's +wikis +Wilda +Wilde +wilds +wiled +Wiles +wiles +Wiley +Willa +wills +Willy +willy +Wilma +wilts +wimps +wimpy +wince +winch +winds +windy +wined +wines +wings +winks +winos +win's +wiped +wiper +wipes +wired +wires +wised +wiser +wises +wisps +wispy +witch +withe +wit's +witty +wived +wives +WNW's +wodge +woe's +woken +wok's +wolds +Wolfe +Wolff +wolfs +woman +wombs +women +wonks +wonky +won's +won't +Woods +woods +woody +wooed +wooer +woofs +Woolf +woozy +words +wordy +works +world +Worms +worms +wormy +worry +worse +worst +worth +Wotan +would +wound +woven +wowed +wow's +wrack +wraps +wrath +wreak +wreck +wrens +wrest +wring +wrist +write +writs +wrong +wrote +wroth +wrung +wryer +wryly +WSW's +Wuhan +wurst +wussy +WWW's +Wyatt +Wyeth +Wylie +xcvii +Xenia +xenon +Xerox +xerox +Xhosa +Xi'an +Xians +Xingu +xrefs +xterm +xviii +xxiii +xxvii +xxxii +xxxiv +xxxix +xxxvi +xylem +yacht +Yahoo +yahoo +yak's +Yakut +y'all +Yalow +Yalta +yam's +Yanks +yanks +yap's +Yaqui +yards +Yaren +yarns +Yates +yawed +yawls +yawns +yaw's +yeahs +yearn +years +yea's +yeast +Yeats +yeggs +yells +yelps +Yemen +yen's +yep's +yeses +yes's +yetis +yew's +yield +yikes +yin's +yip's +yobbo +yodel +yogic +yogis +yoked +yokel +yokes +yolks +yonks +you'd +Young +young +yours +you's +youth +yowls +Ypres +yucca +yucky +yukky +Yukon +yuk's +Yules +Yumas +yummy +yup's +yurts +Zaire +Zappa +zappy +zap's +zebra +zebus +zed's +Zelig +Zelma +Zen's +zeros +zests +zesty +zetas +Ziggy +zilch +zincs +zines +zings +zingy +Zions +zippy +zip's +zit's +zloty +Zoe's +Zomba +zonal +zoned +zones +zooms +zoo's +zorch +Zorro +Zosma +Zukor +Zulus +AA's +abbé +abbe +abbr +Abby +ABCs +abed +Abel +abet +able +ably +ABMs +AB's +abut +acct +aced +aces +ache +achy +acid +ACLU +acme +acne +acre +AC's +Ac's +ACTH +Acts +acts +acyl +Adam +Adan +Adar +Adas +adds +Aden +AD's +ad's +advt +adze +afar +AFDC +Afro +agar +aged +ages +Agni +agog +Agra +Ag's +ague +Ahab +ahem +ahoy +Aida +aide +AIDS +aids +ails +aims +Ainu +airs +airy +AI's +ajar +Ajax +akin +Alan +Alar +Alas +alas +Alba +albs +Aldo +Alec +ales +Alex +alga +ally +Alma +alms +aloe +Alpo +Alps +alps +Al's +also +Alta +alto +alts +alum +Alva +Amen +amen +Amer +amid +Amie +ammo +amok +Amos +amps +AM's +Am's +Amur +anal +Andy +anew +ankh +Anna +Anne +anon +ANSI +ante +anti +ants +anus +aped +apes +apex +Apia +apps +AP's +apse +aqua +Arab +Aral +arch +arcs +area +Ares +ares +Argo +aria +arid +Ariz +arks +arms +army +Arno +Aron +Ar's +arts +arty +arum +ASAP +asap +Ashe +ashy +Asia +asks +asps +As's +assn +asst +atom +atop +At's +Attn +attn +atty +Audi +auks +aunt +aura +Au's +auto +avdp +aver +avid +Avis +Avon +avow +Av's +away +awed +awes +awls +awns +AWOL +awry +axed +axes +Axis +axis +axle +axon +ax's +Axum +ayah +ayes +Azov +AZ's +Baal +baas +babe +baby +Bach +back +bade +Baez +bags +baht +bail +bait +bake +Baku +bald +bale +Bali +balk +Ball +ball +balm +band +bane +bang +bani +bank +bans +baps +barb +bard +bare +barf +bark +barn +Barr +bars +Bart +BA's +Ba's +base +bash +bask +Bass +bass +bast +bate +bath +bats +Batu +baud +Baum +bawd +bawl +bays +BB's +BC's +bdrm +bead +beak +beam +Bean +bean +bear +beat +Beau +beau +Beck +beck +Bede +beds +beef +been +beep +beer +bees +beet +begs +Bela +Belg +Bell +bell +belt +bend +bent +Benz +Berg +berg +berk +berm +Bern +Bert +Be's +Bess +Best +best +beta +Beth +bets +bevy +beys +bias +bibs +bide +bids +bier +biff +bike +Biko +bile +bilk +Bill +bill +bind +bins +biog +biol +BIOS +bios +Bird +bird +Biro +Bi's +bi's +bite +bits +Bk's +blab +blag +blah +blat +bldg +bled +blew +blip +blob +bloc +blog +blot +blow +BLTs +blue +blur +Blvd +blvd +BM's +boar +Boas +boas +boat +bobs +bock +bode +bods +body +Boer +boga +bogs +Bohr +boil +bola +bold +bole +boll +bolt +bomb +Bond +bond +bone +bong +bonk +Bonn +Bono +bony +boob +book +boom +boon +boor +boos +boot +bops +bore +Borg +Bork +Born +born +Boru +Bose +bosh +boss +both +bots +bout +bowl +bows +boxy +Boyd +boys +bozo +BPOE +BP's +Brad +brad +brae +brag +Bran +bran +bras +brat +Bray +bray +bred +Bret +brew +Brie +brie +brig +brim +Brit +Brno +Bros +bros +brow +Br's +Brut +BSDs +BS's +bubo +bubs +Buck +buck +buds +buff +bugs +bulb +bulk +bull +bumf +bump +bums +bung +bunk +buns +bunt +buoy +burg +Burl +burl +burn +burp +Burr +burr +burs +Burt +bury +Bush +bush +busk +buss +bust +busy +buts +butt +buys +buzz +byes +BYOB +Byrd +byre +by's +byte +cabs +cads +café +cafe +caff +Cage +cage +Cain +cake +calf +Cali +calk +call +calm +came +camp +cams +cane +cans +cant +cape +Caph +capo +caps +Capt +capt +Cara +card +CARE +care +Carl +carp +Carr +cars +cart +Cary +Ca's +Case +case +Cash +cash +cask +cast +Cato +cats +Catt +CATV +cave +caws +cays +CCTV +CD's +Cd's +Cebu +ceca +cede +cell +Celt +cent +Cerf +cert +Ce's +Cf's +Chad +chad +Chan +chap +char +chat +chef +chem +Chen +chew +chge +chic +Chin +chin +chip +chis +chit +choc +chop +Chou +chow +chub +chug +chum +ciao +cine +Ci's +cite +city +clad +clam +clan +clap +claw +Clay +clay +clef +Clem +Cleo +clew +clii +Clio +clip +clit +clix +clod +clog +clop +clot +cloy +Cl's +club +clue +clvi +clxi +Cmdr +Cm's +coal +coat +coax +Cobb +cobs +coca +cock +coco +coda +code +cods +Cody +coed +cogs +coho +coif +coil +coin +coir +Coke +coke +COLA +cola +cold +Cole +coll +Colo +cols +Colt +colt +coma +comb +come +comm +Como +comp +cone +Cong +conj +conk +Conn +cons +cont +cony +Cook +cook +cool +coon +coop +coos +coot +cope +cops +copy +Cora +cord +core +Cork +cork +corm +corn +Corp +corp +corr +Cory +CO's +Co's +cosh +cost +Cote +cote +cots +coup +cove +cowl +cows +cozy +crab +crag +cram +crap +craw +Cray +cray +cred +Cree +crew +crib +crop +Crow +crow +Cr's +CRTs +crud +Crux +crux +Cruz +CT's +Cuba +cube +cubs +cuds +cued +cues +cuff +cull +cult +cums +cunt +cups +curb +curd +cure +curl +curs +Curt +curt +Cu's +cusp +cuss +cute +cuts +cyan +cyst +czar +dabs +dace +Dada +dado +dads +daft +dago +dags +dais +Dale +dale +Dali +Dame +dame +damn +damp +dams +Dana +Dane +dang +dank +Dare +dare +dark +darn +dart +DA's +dash +data +date +daub +Dave +Davy +Dawn +dawn +days +daze +DBMS +DC's +dded +DD's +DDTs +dead +deaf +deal +Dean +dean +dear +Debs +debs +debt +deck +DECs +deed +deem +deep +deer +deft +defy +deli +Dell +dell +demo +Dena +Deng +dens +dent +deny +Deon +Depp +dept +derv +desk +Devi +dewy +dhow +Dial +dial +diam +Dias +dibs +dice +Dick +dick +dict +Dido +dido +died +Diem +dies +diet +diff +digs +dike +dill +dime +dims +Dina +dine +ding +dink +Dino +dins +dint +Dion +Dior +dips +dire +Dirk +dirk +dirt +Di's +disc +dish +disk +dist +ditz +diva +dive +DMCA +dobs +dock +docs +dodo +doer +does +doff +doge +dogs +Doha +Dole +dole +doll +dolt +dome +Dona +dona +done +dong +Donn +Dons +dons +doom +door +dopa +dope +Dora +dork +dorm +dory +do's +dose +dosh +doss +dost +dote +doth +dots +Doug +dour +dove +down +doze +dozy +DP's +drab +drag +dram +drat +draw +dray +Drew +drew +drip +drop +drub +drug +drum +drys +dual +dubs +duck +duct +dude +duds +duel +dues +duet +duff +Duke +duke +dull +duly +dumb +dump +dune +dung +dunk +Dunn +duns +duos +dupe +Duse +dusk +dust +duty +DVDs +DVRs +dyed +Dyer +dyer +dyes +dyke +Dy's +each +Earl +earl +earn +Earp +ears +ease +East +east +easy +eats +eave +eBay +ebbs +Eben +Ebro +eccl +echo +ecol +econ +ecru +ecus +Edam +Edda +Eddy +eddy +Eden +edge +edgy +edit +Edna +Ed's +ed's +educ +eels +e'en +EEOC +e'er +effs +egad +Eggo +eggs +egos +Eire +eked +ekes +Elam +elan +Elba +Elbe +elem +elev +elks +Ella +ells +Elma +Elmo +elms +Eloy +Elsa +else +Elul +Elva +emfs +Emil +emir +emit +Emma +Emmy +emos +em's +emus +encl +ency +ends +Enid +Enif +Enos +en's +envy +eons +epee +epic +eras +ergo +ergs +Eric +Erie +Erik +Erin +Eris +Erma +Erna +Eros +errs +Er's +Erse +erst +Esau +ESPN +espy +etas +etch +Etna +Eton +Etta +EULA +Eula +euro +Eu's +Evan +even +ever +eves +evil +ewer +ewes +exam +excl +exec +exes +exit +exon +expo +ex's +Eyck +eyed +eyes +Eyre +Ezra +face +fact +fade +fads +faff +fags +Fahd +fail +fain +fair +fake +fall +fame +fang +fans +FAQs +fare +farm +faro +fart +fa's +fast +fate +fats +faun +faux +fave +fawn +Faye +fays +faze +FDIC +fear +feat +Feds +feds +feed +feel +fees +feet +fell +felt +fend +fens +Fern +fern +Fe's +fess +fest +feta +fete +feud +Fiat +fiat +fibs +FICA +Fido +fief +fife +FIFO +figs +Fiji +file +fill +film +filo +find +fine +fink +Finn +fins +fire +firm +firs +fish +Fisk +fist +fits +five +fizz +flab +flag +flak +flan +flap +flat +flaw +flax +flay +flea +fled +flee +flew +flex +flip +flit +floe +flog +flop +flow +flub +flue +flux +FM's +Fm's +FNMA +foal +foam +fobs +Foch +foes +FOFL +fogs +fogy +foil +fold +folk +foll +fond +font +food +fool +foot +fops +fora +Ford +ford +fore +fork +form +fort +foul +four +fowl +foxy +frag +Fran +frat +Frau +fray +Fred +free +freq +fret +Frey +frig +frog +from +Fr's +Frye +fête +ftps +fuck +FUDs +fuel +Fuji +full +fume +fums +fumy +fund +funk +furl +furn +furs +fury +fuse +fuss +futz +fuzz +FWIW +gabs +gads +Gaea +Gael +gaff +gaga +Gage +gags +Gaia +Gail +gain +gait +gala +Gale +gale +Gall +gall +gals +Gama +game +gamy +gang +gape +gaps +garb +gars +Gary +Ga's +gash +gasp +gate +GATT +Gaul +gave +gawd +gawk +gawp +gays +Gaza +gaze +GB's +Gd's +gear +geed +geek +gees +geld +gels +gems +Gena +Gene +gene +gens +gent +geog +geom +Gere +germ +GE's +Ge's +gets +ghat +ghee +gibe +Gide +gift +GIGO +gigs +Gila +gild +Gill +gill +gilt +gimp +Gina +Gino +gins +gird +girl +giro +girt +Gish +gist +gite +gits +give +Giza +glad +glam +glee +Glen +glen +glib +glob +glop +glow +glue +glum +glut +GMAT +GM's +gnat +gnaw +gnus +goad +goal +goat +Gobi +gobs +gods +goer +goes +Goff +gold +golf +gone +gong +gonk +Good +good +goof +gook +goon +goop +Gore +gore +gorp +gory +go's +gosh +Goth +goth +gout +govt +gown +Goya +GP's +grab +grad +gram +gran +Gray +gray +Greg +grep +grew +Grey +grid +grim +grin +grip +Gris +grit +grog +grok +grow +grub +grue +Grus +Guam +guff +gulf +gull +gulp +gums +gunk +guns +guru +gush +gust +guts +guvs +guys +Gwen +Gwyn +gyms +gyps +gyro +gyve +Haas +hack +haft +hags +Hahn +hail +hair +hajj +hake +Hale +hale +half +Hall +hall +halo +Hals +halt +hams +hand +hang +Hank +hank +Hans +hard +hare +hark +harm +harp +Hart +hart +Ha's +hash +hasp +hast +hate +hath +hats +haul +have +hawk +haws +Hays +hays +haze +hazy +HDMI +HDTV +Head +head +heal +heap +hear +heat +Hebe +heck +he'd +heed +heel +Heep +heft +heir +held +hell +helm +help +heme +hemp +hems +hens +Hera +herb +herd +here +hero +Herr +hers +He's +he's +Hess +hews +HF's +Hf's +Hg's +hgwy +hick +hide +hied +hies +high +hike +Hill +hill +hilt +hims +hind +hing +hint +hips +hire +Hiss +hiss +hist +hits +hive +hiya +hoax +hobo +hobs +hock +hods +hoed +hoer +hoes +Hoff +hogs +hoke +hold +hole +hols +Holt +holy +home +homo +hone +Hong +honk +hons +Hood +hood +hoof +hook +hoop +hoot +Hope +hope +Hopi +hops +hora +Horn +horn +Ho's +ho's +hose +hosp +Host +host +hots +hour +hove +Howe +howl +hows +HP's +HQ's +HSBC +HTML +HTTP +hubs +Huck +hued +hues +Huey +Huff +huff +huge +Hugh +Hugo +hugs +hula +hulk +Hull +hull +Hume +hump +hums +Hung +hung +hunk +Huns +Hunt +hunt +hurl +hurt +hush +husk +huts +Hutu +Hyde +hymn +hype +hypo +Hz's +Iago +iamb +ibex +ibid +ibis +ICBM +iced +ices +icky +icon +idea +idem +ides +idle +idly +idol +ID's +id's +IEEE +iffy +if's +Igor +IKEA +ilea +ilia +ilks +I'll +ills +imam +IMHO +imps +Imus +Inca +inch +incl +incs +Indy +Ines +Inez +info +Inge +inks +inky +inns +INRI +In's +in's +Inst +inst +into +ions +Io's +iota +Iowa +iPad +iPod +IQ's +Iran +Iraq +IRAs +Iris +iris +irks +Irma +iron +Ir's +ISBN +ISIS +Isis +isle +isms +Ital +ital +itch +it'd +item +it's +Ivan +I've +Ives +IV's +Iyar +Izod +jabs +Jack +jack +jade +jags +jail +Jain +Jake +jamb +Jame +Jami +jams +Jana +Jane +jape +Japs +jars +jato +Java +java +jaws +jays +jazz +Jean +jean +Jedi +Jeep +jeep +jeer +jeez +Jeff +jell +Jeri +jerk +Jess +jest +jets +Jews +jibe +jibs +jiff +jigs +Jill +jilt +jink +jinn +jinx +jive +Joan +Jobs +jobs +Jock +jock +Jodi +Jody +Joel +Joey +joey +jogs +John +john +join +joke +jolt +Joni +Jo's +Jose +Josh +josh +jots +Jove +jowl +joys +JPEG +Jr's +Juan +Judd +Jude +judo +Judy +jugs +July +jump +June +Jung +junk +Juno +jury +just +jute +juts +Kalb +kale +Kali +Kama +kana +Kane +Kano +Kans +Kant +Kara +Kari +Karl +Karo +kart +Kate +Katy +Kaye +kayo +KB's +Kb's +Keck +keel +keen +keep +kegs +kelp +Kemp +keno +kens +Kent +kepi +kept +Keri +Kern +Kerr +keys +Khan +khan +kick +Kidd +kids +Kiel +Kiev +kike +kill +kiln +kilo +kilt +kind +kine +King +king +kink +kips +Kirk +kiss +kite +kith +kits +kiwi +Klan +Klee +knee +knew +knit +knob +knot +know +Knox +koan +Kobe +Koch +Kohl +kohl +kola +Kong +kook +Kory +KO's +Kris +Kroc +Kr's +Kuhn +Kurd +Kurt +Kwan +Kyle +Ky's +labs +lace +lack +Lacy +lacy +lade +lads +Lady +lady +lags +laid +lain +lair +lake +lama +Lamb +lamb +lame +lamp +lams +élan +Lana +Land +land +Lane +lane +Lang +lank +Laos +Lapp +laps +Lara +lard +lark +Lars +La's +la's +lase +lash +lass +last +late +lath +lats +Laud +laud +Laue +lava +lave +lavs +lawn +laws +lays +laze +lazy +lead +leaf +Leah +leak +Lean +lean +leap +Lear +leas +lech +Leda +leek +leer +lees +Left +left +Lego +legs +Leif +leis +Lela +Lena +lend +Leno +lens +Lent +lent +Leon +Leos +Le's +Lesa +less +lest +Leta +lets +Levi +Levy +levy +lewd +LGBT +LG's +liar +lice +lick +lido +lids +lied +lief +lien +lies +lieu +life +LIFO +lift +like +Lila +lilo +lilt +Lily +lily +Lima +limb +lime +limn +limo +limp +limy +Lina +Lind +line +ling +link +lino +lint +lion +lips +lira +lire +Li's +Lisa +lisp +list +lite +live +Livy +Liza +load +loaf +loam +loan +lobe +lobs +loci +lock +loco +lode +Lodz +loft +loge +LOGO +logo +logs +logy +loin +Lois +Loki +Lola +loll +Lome +lone +Long +long +look +loom +loon +loop +loos +loot +lope +lops +Lora +Lord +lord +lore +Lori +lorn +lose +loss +lost +lots +Lott +loud +lour +lout +Love +love +Lowe +lows +Loyd +LPNs +LP's +LSAT +luau +lube +Luce +luck +Lucy +ludo +luff +luge +lugs +Luis +Luke +Lula +lull +Lulu +lulu +lump +Luna +lung +Lupe +lure +lurk +Lu's +lush +lust +lute +Luvs +lvii +Lvov +lxii +lxiv +lxix +lxvi +Lyle +Lyly +Lyme +Lynn +lynx +Lyon +Lyra +lyre +Mace +mace +Mach +mach +Mack +macs +Macy +made +mads +mage +Magi +magi +mags +maid +mail +maim +main +make +Male +male +Mali +mall +malt +mama +mams +mane +Mani +Mann +mans +Manx +many +maps +Mara +Marc +mare +Mari +Mark +mark +marl +Mars +mars +mart +Marx +Mary +MA's +ma's +masc +MASH +mash +mask +Mass +mass +mast +mate +math +mats +Matt +Maud +Maui +maul +maws +maxi +Maya +Mayo +mayo +Mays +maze +MB's +Mb's +MD's +Md's +mdse +Mead +mead +meal +mean +meas +meat +meed +meek +meet +mega +MEGO +megs +Meir +meld +melt +meme +memo +mend +menu +meow +mere +Mesa +mesa +mesh +mess +meta +mete +meth +mewl +mews +mfrs +Mg's +mica +mice +Mich +Mick +mick +mics +MIDI +midi +mien +miff +Mike +mike +mild +mile +milf +milk +Mill +mill +Milo +mils +milt +mime +Mimi +mind +mine +Ming +mini +mink +Minn +mint +minx +MIPS +Mira +mire +Miro +MIRV +miry +MI's +mi's +misc +Miss +miss +mist +mite +mitt +mkay +Mlle +Mmes +Mn's +moan +moat +mobs +mock +mode +mods +Moet +Moho +moil +mold +mole +Moll +moll +molt +moms +Mona +Monk +monk +mono +Mons +Mont +MOOC +mood +Moog +Moon +moon +Moor +moor +moos +moot +mope +mops +More +more +morn +Moro +Mort +Mo's +mosh +Moss +moss +most +mote +moth +mots +Mott +moue +move +mows +MPEG +MP's +Mr's +Mses +Msgr +MS's +mtge +MT's +much +muck +muff +mugs +Muir +mule +mull +mung +murk +mu's +Muse +muse +mush +musk +muss +must +mute +mutt +myna +Myra +Myst +myth +naan +nabs +naff +nags +Nagy +naif +nail +Nair +name +nape +naps +narc +nark +nary +Na's +NASA +Nash +Nate +natl +NATO +nave +Navy +navy +nays +Nazi +Nb's +NCAA +Nd's +Neal +neap +near +neat +Nebr +neck +need +Neil +Nell +neon +nerd +Nerf +Nero +NE's +Ne's +nest +nets +neut +Neva +nevi +NeWS +news +newt +next +nibs +Nice +nice +Nick +nick +niff +nigh +Nike +Nile +Nina +nine +nips +Ni's +Nita +nits +NLRB +Noah +nobs +node +nods +Noel +noel +noes +Nola +Nome +Nona +none +nook +noon +nope +Nora +norm +Norw +No's +no's +nose +nosh +nosy +note +noun +nous +Nova +nova +nowt +Np's +NSFW +nubs +nude +nuke +null +numb +nuns +nu's +nuts +NW's +NYSE +oafs +Oahu +oaks +oars +oath +oats +obey +obis +obit +oboe +Ob's +odds +Oder +odes +Odin +Odis +Odom +odor +OD's +o'er +offs +ogle +ogre +Ohio +ohms +oh's +OHSA +oiks +oils +oily +oink +Oise +okay +OKed +Okla +okra +OK's +Olaf +Olav +Olen +oleo +oles +Olga +Olin +Oman +Omar +omen +omit +om's +Omsk +once +ones +only +onto +onus +onyx +oohs +oops +Oort +ooze +oozy +Opal +opal +OPEC +oped +Opel +open +opes +op's +opts +opus +oral +Oran +orbs +orcs +Oreg +Oreo +ores +orgy +orig +Orin +Orly +orzo +OSes +OSHA +Oslo +OS's +Os's +Otis +OTOH +Otto +ouch +ours +oust +outs +ouzo +oval +oven +over +Ovid +ovum +owed +Owen +owes +owls +owns +oxen +ox's +Oxus +Oz's +Paar +Pace +pace +pack +pact +pacy +pads +Page +page +paid +pail +pain +pair +pale +pall +palm +pals +pane +pang +pans +pant +papa +paps +para +PARC +pare +Park +park +Parr +pars +part +PA's +Pa's +pa's +pass +past +Pate +pate +path +pats +Paul +pave +pawl +pawn +paws +pays +Pb's +PC's +Pd's +épée +peak +peal +pear +peas +peat +Peck +peck +pecs +peed +peek +Peel +peel +peen +peep +peer +pees +pegs +peke +Pele +pelf +pelt +Pena +pend +Penn +pens +pent +peon +peps +perk +Perl +Perm +perm +pert +Peru +perv +peso +pest +Pete +pets +pews +phat +phew +Phil +phis +phys +Piaf +pica +pick +pics +Pict +pied +pier +pies +pigs +Pike +pike +pile +pill +pimp +pine +ping +pink +pins +pint +pipe +pips +pi's +Pisa +piss +pita +pith +pits +Pitt +pity +Pius +PJ's +pj's +Pkwy +pkwy +plan +plat +play +plea +pleb +plod +plop +plot +plow +ploy +plug +plum +plus +PMed +PM's +Pm's +pock +pods +poem +poet +Pogo +poke +poky +Pole +pole +Polk +poll +Polo +polo +pols +poly +pomp +poms +pond +pone +pong +pony +poof +Pooh +pooh +pool +poop +poor +poos +Pope +pope +pops +pore +pork +porn +Port +port +Po's +pose +posh +poss +Post +post +posy +pots +pouf +pour +pout +pram +prat +pray +pref +prep +Pres +pres +prey +prig +prim +prob +prod +Prof +prof +prom +pron +prop +pros +prov +prow +Pr's +Prut +psis +PS's +psst +Ptah +Pt's +pubs +puce +Puck +puck +puds +puff +Pugh +pugs +puke +pule +pull +pulp +puma +pump +punk +puns +punt +puny +pupa +pups +pure +purl +purr +Pu's +push +puss +puts +putt +putz +Puzo +pwns +Pyle +pyre +quad +quay +ques +quid +quin +quip +quit +quiz +quot +race +rack +racy +rads +raft +raga +rage +rags +raid +rail +rain +rake +Rama +ramp +RAMs +rams +Rand +rand +rang +rank +rant +rape +raps +rapt +rare +Ra's +rash +rasp +rate +rats +Raul +rave +rays +raze +razz +Rb's +RCMP +rcpt +read +real +ream +reap +rear +Reba +recd +redo +reds +Reed +reed +reef +reek +reel +refs +rehi +Reid +rein +REIT +rely +REMs +rems +Rena +rend +Rene +Reno +rent +reps +Re's +re's +resp +rest +Reva +revs +RFCs +Rf's +Rhea +rhea +Rhee +rhos +Rh's +rial +ribs +Rice +rice +Rich +rich +Rick +rick +Rico +Ride +ride +rids +Riel +rife +riff +rift +Riga +rigs +rile +rill +rime +rims +rind +ring +rink +Rios +riot +ripe +rips +RISC +rise +risk +Rita +rite +Ritz +rive +RN's +Rn's +road +roam +roan +roar +robe +robs +Robt +Rock +rock +rode +rods +Roeg +roes +ROFL +roil +Roku +role +roll +Rome +romp +rood +roof +rook +room +Root +root +rope +ropy +Rory +Rosa +Rose +rose +Ross +rosy +rota +ROTC +rote +Roth +rots +roué +roue +rout +roux +Rove +rove +Rowe +rows +Roxy +RSVP +RTFM +rube +rubs +Ruby +ruby +ruck +rude +Rudy +rued +rues +ruff +rugs +Ruhr +ruin +Ruiz +rule +rump +rums +rune +rung +runs +runt +Ru's +ruse +Rush +rush +rusk +Russ +rust +Ruth +ruts +RV's +Ryan +Saab +Saar +sack +sacs +Sade +Sadr +safe +saga +sage +sago +sags +said +sail +sake +Saki +Saks +sale +Salk +SALT +salt +same +Sana +Sand +sand +sane +Sang +sang +sank +sans +saps +Sara +sari +SARS +SASE +sash +Sask +sass +sate +Saul +save +saws +says +Sb's +scab +scad +scag +scam +Scan +scan +scar +scat +Scot +scow +SC's +Sc's +SCSI +Scud +scud +scum +seal +seam +Sean +sear +seas +seat +secs +sect +secy +seed +seek +seem +seen +seep +seer +sees +Sega +self +sell +semi +send +sens +sent +Sept +Serb +sere +serf +SE's +Se's +Seth +sets +sett +sewn +sews +sexy +SGML +shad +shag +Shah +shah +sham +Shaw +shay +Shea +shed +shes +shew +shim +shin +ship +shit +shiv +shod +shoe +shoo +shop +shot +show +shpt +shun +shut +Siam +sick +sics +side +SIDS +sift +sigh +sign +Sikh +silk +sill +silo +silt +Sims +sims +sine +sing +sink +sins +sips +sire +Sirs +sirs +Si's +site +sits +Siva +size +skew +skid +skim +skin +skip +skis +skit +skua +Skye +slab +slag +slam +slap +slat +Slav +slaw +slay +sled +slew +slid +slim +slip +slit +slob +sloe +slog +slop +slot +slow +slue +slug +slum +slur +slut +smog +Sm's +smug +smut +snag +snap +snip +snit +snob +snog +snot +Snow +snow +Sn's +snub +snug +soak +soap +soar +sobs +sock +soda +sods +sofa +soft +Soho +soil +sold +sole +solo +sols +some +song +sons +Sony +soon +soot +soph +sops +sore +sort +Sosa +Soto +sots +souk +soul +soup +sour +sous +sown +sows +Spam +spam +Span +span +spar +spas +spat +spay +SPCA +spec +sped +spew +spic +spin +spit +spiv +spot +spry +spud +spun +spur +Sr's +stab +stag +Stan +star +stat +stay +stem +step +stet +stew +stir +STOL +stop +stow +stub +stud +stun +Styx +subj +subs +such +suck +suds +sued +sues +suet +Suez +Sufi +suit +sulk +sumo +sump +sums +Sung +sung +sunk +Suns +suns +supp +sups +Supt +supt +sure +surf +SUSE +suss +Suva +Suzy +Sven +swab +swag +SWAK +swam +swan +swap +SWAT +swat +sway +Swed +swig +swim +swiz +swot +SW's +swum +sync +tabs +tack +taco +tact +tads +Taft +tags +tail +take +talc +tale +tali +talk +tall +tame +Tami +tamp +tams +tang +tank +tans +tape +taps +Tara +tare +tarn +taro +TARP +tarp +tars +tart +Ta's +task +Tass +Tate +tats +taus +taut +taxa +taxi +TB's +Tb's +tbsp +Tc's +teak +teal +team +tear +teas +teat +tech +teds +teed +teem +teen +tees +TEFL +Tell +tell +temp +tend +Tenn +tens +tent +Teri +term +tern +Terr +terr +Te's +TESL +Tess +test +text +TGIF +Thad +Thai +than +Thar +that +thaw +Thea +thee +them +then +thew +they +thin +this +Thor +thou +thru +Th's +thud +thug +Thur +thus +tick +tics +Tide +tide +tidy +tied +tier +ties +tiff +tile +till +tilt +time +Tina +tine +Ting +ting +tins +tint +tiny +tips +tire +Ti's +ti's +Tito +tits +tizz +Tl's +Tm's +tnpk +toad +Toby +Todd +toed +toes +toff +tofu +toga +Togo +togs +toil +Tojo +toke +told +tole +toll +tomb +tome +toms +tone +tong +Toni +tons +Tony +tony +took +tool +toot +topi +tops +tore +torn +tors +tort +Tory +tosh +toss +tote +Toto +tots +tour +tout +town +tows +toys +trad +tram +Tran +trap +tray +tree +trek +Trey +trey +trig +trim +trio +trip +trod +tron +trot +trow +Troy +troy +true +trug +ttys +tuba +tube +tubs +tuck +Tues +tuft +tugs +Tull +Tums +tums +tuna +tune +tuns +Tupi +turd +turf +Turk +turn +Tu's +tush +tusk +tuts +Tutu +tutu +TV's +twas +twat +twee +twig +twin +twit +twos +tyke +type +typo +Tyre +tyro +Ty's +UCLA +UFOs +ugly +UK's +ulna +umps +undo +unis +unit +univ +UNIX +Unix +UN's +unto +upon +Ural +Urdu +urea +Urey +urge +uric +Uris +URLs +urns +Ur's +Ursa +USAF +USCG +USDA +used +user +uses +USIA +USMC +USPS +US's +USSR +Utah +Utes +UT's +UV's +Uzis +vacs +vain +vale +vamp +vane +Vang +vans +vape +vars +vary +Va's +vase +vast +vats +VD's +veal +Veda +veep +veer +Vega +veil +vein +Vela +vela +veld +vend +Venn +vent +Vera +verb +Vern +vert +very +vest +veto +vets +vial +vibe +vice +vied +vies +view +viii +Vila +vile +vine +vino +viol +VIPs +VI's +Visa +visa +vise +vita +Vito +viva +Vlad +void +VoIP +vole +vols +volt +vote +vows +VTOL +Vulg +wack +Waco +Wade +wade +wadi +wads +waft +wage +wags +waif +wail +wain +wait +Wake +wake +Wald +wale +walk +Wall +wall +Walt +wand +wane +Wang +wank +want +Ward +ward +Ware +ware +warm +warn +warp +wars +wart +wary +Wash +wash +WASP +wasp +wast +WATS +Watt +watt +Wave +wave +wavy +waxy +ways +weak +weal +wean +wear +Webb +webs +we'd +weds +weed +week +ween +weep +weer +wees +weft +weir +weld +well +welt +wend +wens +went +wept +were +West +west +wets +wham +what +whee +when +whet +whew +whey +Whig +whim +whip +whir +whit +whiz +whoa +whom +whop +whup +whys +wick +wide +wife +WiFi +wigs +wiki +wild +wile +Will +will +wilt +wily +wimp +wind +wine +wing +wink +wino +wins +winy +wipe +wire +wiry +Wisc +Wise +wise +wish +wisp +wist +with +wits +Witt +wive +wkly +Wm's +woad +woes +wogs +woke +woks +wold +Wolf +wolf +womb +Wong +wonk +wont +Wood +wood +woof +wool +woos +wops +word +wore +work +worm +worn +wort +wove +wows +wrap +Wren +wren +writ +Wu's +wuss +WWII +Wynn +xcii +xciv +xcix +xcvi +Xe's +Xian +xiii +xi's +XL's +Xmas +xref +xvii +xxii +xxiv +xxix +xxvi +xxxi +xxxv +Yacc +yaks +Yale +Yalu +yams +Yang +yang +Yank +yank +yaps +yard +yarn +yawl +yawn +yaws +Yb's +yeah +year +yeas +yegg +yell +yelp +yens +yeps +yest +yeti +yews +yids +yipe +yips +YMCA +YMHA +Ymir +YMMV +yobs +Yoda +yoga +yogi +yoke +Yoko +yolk +Yong +yore +York +your +yous +yowl +Yuan +yuan +yuck +Yugo +yuks +Yule +yule +Yuma +yups +Yuri +yurt +Yves +YWCA +YWHA +Zane +zany +zaps +Zara +zeal +zebu +zeds +Zeke +Zeno +Zens +zens +zero +Zest +zest +zeta +Zeus +Zibo +Zika +zinc +zine +zing +Zion +zips +zits +Zn's +Zola +zone +zoom +zoos +Zorn +Zr's +Zulu +Zuni +AAA +aah +ABA +ABC +Abe +ABM +ABS +abs +ace +ACT +act +Ada +ADC +ADD +add +adj +ADM +Adm +ado +ADP +ads +adv +AFB +AFC +AFN +Afr +AFT +aft +age +ago +aha +aid +ail +aim +air +AIs +aka +Ala +alb +ale +Ali +all +alp +alt +AMA +AMD +amp +amt +Amy +Ana +and +Ann +ans +ant +any +AOL +APB +APC +ape +API +APO +app +APR +Apr +apt +Ara +ARC +arc +are +Ark +ark +arm +arr +Art +art +A's +ash +ask +ASL +asp +ass +ate +ATM +ATP +Ats +ATV +Aug +auk +aux +Ava +Ave +ave +avg +AVI +awe +awl +awn +aye +AZT +baa +bad +bag +bah +ban +bap +bar +bat +bay +BBB +BBC +bbl +BBQ +BBS +bed +bee +beg +Ben +bet +bey +BFF +BIA +Bib +bib +Bic +bid +big +bin +bio +bis +bit +biz +BLT +Blu +BMW +boa +Bob +bob +bod +bog +boo +bop +bot +bow +box +boy +bpm +bps +bra +bro +brr +B's +BSA +BSD +BTU +Btu +BTW +bub +Bud +bud +bug +bum +bun +bur +bus +but +buy +bxs +bye +cab +CAD +cad +CAI +Cal +cal +CAM +cam +Can +can +CAP +cap +car +cat +caw +cay +CBC +CBS +CCU +CDC +CDs +CDT +CEO +CFC +CFO +CGI +Che +chg +Chi +chi +chm +CIA +CID +Cid +cir +cit +CNN +CNS +cob +COD +Cod +cod +cog +COL +Col +col +Com +com +con +coo +cop +cor +cos +cot +cow +Cox +cox +Coy +coy +CPA +cpd +CPI +Cpl +cpl +CPO +CPR +cps +CPU +CRT +cry +C's +CST +ctn +ctr +cub +cud +cue +cum +cup +cur +cut +CVS +cwt +dab +dad +dag +dam +Dan +DAR +DAT +Day +day +dbl +DDS +dds +DDT +DEA +deb +DEC +Dec +Dee +def +deg +Del +Dem +den +dew +DHS +did +die +dig +dim +din +dip +Dir +Dis +dis +div +Dix +DMD +DMZ +DNA +DOA +DOB +dob +doc +DOD +DOE +Doe +doe +dog +Don +don +DOS +dos +DOT +Dot +dot +Dow +doz +dpi +DPs +DPT +dpt +dry +D's +DST +DTP +dub +dud +due +dug +duh +DUI +dun +duo +DVD +DVR +DWI +dye +ear +eat +ebb +ECG +Eco +ecu +EDP +eds +EDT +EEC +EEG +eek +eel +EEO +eff +EFL +EFT +egg +ego +eke +EKG +ELF +elf +Eli +elk +ell +elm +emf +emo +ems +EMT +emu +enc +end +ENE +Eng +ens +EOE +eon +EPA +ERA +era +ere +erg +err +E's +ESE +ESL +ESP +esp +Esq +ESR +EST +est +ETA +eta +etc +ETD +Eur +Eva +Eve +eve +ewe +exp +ext +eye +FAA +fab +fad +fag +fan +FAQ +far +fat +fax +Fay +fay +FBI +FCC +FDA +FDR +Feb +Fed +fed +fee +fem +fen +fer +few +fey +Fez +fez +FHA +fib +fie +fig +fin +fir +fit +fix +Fla +Flo +flt +flu +fly +FMs +fob +foe +fog +fol +foo +fop +for +Fox +fox +FPO +fps +Fri +fro +Fry +fry +F's +FSF +FTC +ftp +FUD +fug +fum +fun +fur +fut +FWD +fwd +fwy +FYI +gab +gad +gag +gal +GAO +Gap +gap +gar +gas +Gay +gay +GCC +GDP +GED +gee +gel +gem +Gen +gen +Geo +Ger +get +GHQ +GHz +GIF +gig +Gil +gin +git +GMO +GMT +GNP +GNU +gnu +Goa +gob +God +god +Gog +goo +GOP +got +gov +GPA +GPO +GPS +GPU +G's +GSA +GTE +GUI +gum +gun +Gus +gut +guv +Guy +guy +gym +gyp +had +hag +haj +Hal +Ham +ham +Han +hap +has +hat +Haw +haw +Hay +hay +HBO +HDD +Heb +hem +hen +hep +her +hes +hew +hex +hey +hgt +HHS +hid +hie +him +hip +his +hit +HIV +h'm +hmm +HMO +HMS +hob +hod +hoe +hog +Hon +hon +hop +hos +hot +HOV +how +HPV +HRH +hrs +H's +HST +Hts +hub +HUD +hue +hug +huh +Hui +hum +Hun +Hus +hut +hwy +Ian +IBM +Ibo +ICC +Ice +ice +ICU +icy +I'd +Ida +IDE +IDs +ids +IED +ifs +iii +Ike +Ila +ilk +Ill +ill +I'm +IMF +IMO +imp +Ina +Inc +inc +Ind +ind +inf +ING +ink +inn +INS +ins +int +ion +IOU +IPA +IPO +IRA +Ira +IRC +ire +irk +IRS +I's +isl +ism +ISO +ISP +ISS +Ito +its +IUD +Iva +IVF +IVs +Ivy +ivy +jab +jag +jam +Jan +Jap +jar +jaw +Jay +jay +JCS +jct +Jed +jet +Jew +jew +JFK +jib +jig +Jim +Job +job +Joe +jog +Jon +jot +Joy +joy +Jpn +J's +jug +Jul +Jun +jun +jut +Kan +Kay +keg +Ken +ken +Key +key +KFC +KGB +kHz +KIA +kid +Kim +kin +Kip +kip +Kit +kit +KKK +kph +K's +kWh +Lab +lab +lac +lad +lag +lam +LAN +Lao +lap +Las +Lat +lat +lav +law +lax +lay +LBJ +lbs +lbw +LCD +LCM +LDC +Lea +lea +LED +led +Lee +lee +leg +lei +Len +Leo +Les +let +Lew +lib +lid +Lie +lie +lii +Lin +lip +liq +lit +lix +Liz +LLB +LLD +LNG +lob +log +Lon +loo +lop +Los +Lot +lot +Lou +low +lox +LPG +LPN +L's +LSD +Ltd +ltd +lug +lux +Luz +lvi +LVN +lxi +lye +LyX +Mac +mac +mad +Mae +mag +Mai +Maj +mam +Man +man +Mao +map +Mar +mar +mas +mat +maw +Max +max +May +may +MBA +MCI +MDT +med +Meg +meg +meh +Mel +men +mes +met +mew +Mex +MFA +mfg +mfr +MGM +Mgr +mgr +MHz +MIA +Mia +mic +mid +MiG +mil +Min +min +Mir +MIT +mix +mks +Mme +mob +mod +Moe +moi +mom +Mon +moo +mop +mos +mot +mow +mpg +mph +MRI +Mrs +M's +MSG +MST +MSW +mtg +MTV +mud +mug +mum +mun +mus +MVP +mys +nab +nae +nag +nah +Nam +Nan +nap +Nat +nay +NBA +NBC +NBS +NCO +née +Neb +Ned +nee +neg +NEH +net +Nev +new +NFC +NFL +NHL +nib +NIH +nil +nip +nit +nix +nob +nod +Noe +non +nor +Nos +nos +not +Nov +NOW +now +NPR +NRA +NRC +N's +NSA +NSC +NSF +nth +nub +nun +nus +nut +NWT +NYC +oaf +oak +oar +OAS +oat +obi +obj +obs +och +OCR +Oct +odd +ode +ODs +OED +off +oft +ohm +oho +ohs +oik +oil +OKs +olé +Ola +old +ole +OMB +oms +one +Ono +Ont +ooh +ope +opp +ops +opt +Ora +orb +orc +Ore +ore +org +Orr +O's +OTB +OTC +our +out +ova +owe +owl +own +PAC +pad +pah +pal +Pam +Pan +pan +pap +par +pas +Pat +pat +paw +pay +PBS +PBX +PCB +PCP +PCs +pct +PDF +PDQ +PDT +pea +pee +Peg +peg +Pei +Pen +pen +pep +per +PET +pet +pew +PFC +Pfc +PGP +PhD +phi +pic +pie +pig +PIN +pin +pip +pis +pit +pix +pkg +pkt +PLO +ply +PMS +PMs +pod +Poe +poi +Pol +pol +pom +poo +pop +pot +POW +pow +pox +ppm +ppr +PPS +PRC +PRO +pro +pry +P's +psi +PST +PTA +PTO +pub +pud +pug +pun +pup +pus +put +PVC +Pvt +pvt +pwn +Pym +pyx +QED +Qom +qts +qty +qua +Que +quo +rad +Rae +RAF +rag +rah +RAM +ram +ran +rap +rat +raw +Ray +ray +RBI +RCA +RDA +rec +red +ref +reg +rel +REM +rem +Rep +rep +res +Rev +rev +Rex +RFC +RFD +rho +rib +rid +RIF +rig +rim +Rio +RIP +rip +riv +RNA +Rob +rob +Rod +rod +roe +ROM +Rom +Ron +rot +row +Roy +rpm +rps +R's +RSI +RSV +Rte +rte +rub +rue +rug +rum +run +rut +RVs +Rwy +rye +SAC +sac +sad +sag +Sal +SAM +Sam +San +SAP +sap +SAT +Sat +sat +saw +sax +say +SBA +sch +sci +SDI +sea +SEC +Sec +sec +see +Sen +sen +Sep +seq +Set +set +sew +sex +Sgt +she +shh +shy +sic +Sid +sim +sin +sip +Sir +sir +sis +sit +six +SJW +ska +ski +sky +SLR +sly +SOB +sob +Soc +soc +sod +Sol +sol +Son +son +SOP +sop +SOS +SOs +sot +sou +sow +soy +spa +SPF +spy +SQL +sqq +SRO +S's +SSA +SSE +ssh +SSS +SST +SSW +Sta +STD +std +Ste +Stu +sty +sub +Sue +sue +Sui +sum +Sun +sun +sup +SUV +SVN +syn +tab +Tad +tad +tag +tam +tan +Tao +tap +tar +tat +tau +tax +TBA +tbs +TDD +tea +Ted +ted +tee +tel +ten +Tet +TeX +Tex +THC +the +tho +Thu +thy +Tia +tic +tie +til +Tim +tin +tip +tit +TKO +TLC +TNT +Tod +toe +tog +Tom +tom +ton +too +top +tor +tot +tow +toy +TQM +try +T's +tsp +tub +Tue +tug +tum +tun +Tut +tut +tux +TVA +TVs +TWA +two +Twp +twp +TWX +UAR +UAW +UBS +Ufa +UFO +ugh +UHF +uhf +ult +ump +uni +UPC +UPI +UPS +ups +URL +urn +U's +USA +USB +use +USN +USO +USP +USS +usu +UTC +Ute +Uzi +vac +Val +val +Van +van +var +VAT +vat +VAX +VCR +VDT +VDU +veg +vet +vex +VFW +VGA +VHF +vhf +VHS +via +Vic +vie +vii +vim +VIP +viz +VLF +vlf +VOA +vol +vow +V's +WAC +Wac +wad +wag +wan +war +was +wax +way +Web +web +Wed +wed +wee +Wei +wen +wet +WHO +who +why +wig +Wii +win +Wis +wit +wiz +WMD +WNW +woe +wog +wok +won +woo +wop +wot +wow +wpm +wry +W's +WSW +WTO +WWI +WWW +Wyo +xci +Xes +xii +xis +xiv +xix +XML +xor +X's +xvi +xxi +XXL +xxv +xxx +yak +yam +yap +yaw +yea +yen +yep +yer +yes +yet +yew +yid +yin +yip +yob +yon +you +yow +yrs +Y's +yuk +yum +yup +zap +zed +Zen +zen +zip +zit +Zoe +zoo +Z's +Zzz +AA +AB +ab +AC +Ac +ac +AD +ad +AF +Ag +ah +AI +AK +AL +Al +AM +Am +am +an +AP +AR +Ar +As +as +At +at +Au +AV +Av +av +aw +ax +AZ +BA +Ba +BB +BC +Be +be +bf +Bi +bi +Bk +bk +bl +BM +BO +BP +BR +Br +BS +bu +bx +by +CA +Ca +ca +CB +Cb +cc +CD +Cd +Ce +CF +Cf +cf +cg +Ch +ch +Ci +ck +Cl +cl +Cm +cm +CO +Co +co +Cr +Cs +cs +CT +Ct +ct +Cu +cu +CV +cw +CZ +DA +dB +db +DC +dc +DD +dd +DE +DH +DI +Di +DJ +do +DP +Dr +Du +Dy +dz +ea +EC +Ed +ed +eh +EM +em +en +ER +Er +er +Es +es +ET +EU +Eu +ex +fa +FD +Fe +ff +FL +fl +FM +Fm +Fr +fr +ft +FY +GA +Ga +GB +Gd +GE +Ge +GI +Gk +GM +gm +go +GP +Gr +gr +gs +gt +GU +Ha +ha +He +he +HF +Hf +hf +Hg +HI +hi +HM +Ho +ho +HP +hp +HQ +HR +hr +HS +HT +ht +Hz +IA +Ia +ID +id +IE +if +ii +IL +IN +In +in +Io +IP +IQ +Ir +is +IT +It +it +IV +iv +ix +JD +jg +Jo +JP +Jr +jr +JV +KB +Kb +KC +kc +kg +kl +km +kn +KO +KP +Kr +KS +Ks +ks +kt +kW +kw +KY +Ky +LA +La +la +lb +LC +Le +LG +lg +Li +LL +ll +Ln +lo +LP +Lr +ls +Lt +Lu +MA +ma +MB +Mb +MC +MD +Md +ME +Me +me +Mg +mg +MI +mi +Mk +ml +MM +mm +MN +Mn +MO +Mo +mo +MP +mp +Mr +MS +Ms +ms +MT +Mt +mt +mu +MW +my +Na +NB +Nb +NC +ND +Nd +NE +Ne +NF +NH +Ni +NJ +NM +No +no +NP +Np +NR +NS +NT +nu +NV +NW +NY +NZ +OB +Ob +ob +OD +OE +of +OH +oh +oi +OJ +OK +om +ON +on +op +OR +or +OS +Os +OT +ow +ox +Oz +oz +PA +Pa +pa +Pb +PC +PD +Pd +pd +PE +pf +PG +pg +pH +pi +pk +Pl +pl +PM +Pm +pm +PO +Po +PP +pp +PR +Pr +pr +PS +PT +Pt +pt +Pu +PW +PX +QA +QB +QC +QM +qr +qt +Ra +Rb +RC +RD +Rd +rd +Re +re +RF +Rf +Rh +RI +rm +RN +Rn +RP +RR +rs +rt +Ru +RV +Rx +Ry +SA +Sb +SC +Sc +SD +SE +Se +SF +sf +sh +Si +SJ +SK +Sm +Sn +SO +so +Sp +Sq +sq +Sr +SS +ST +St +st +SW +TA +Ta +ta +TB +Tb +tb +Tc +TD +Te +Th +Ti +ti +Tl +TM +Tm +TN +tn +to +tr +ts +Tu +TV +TX +Ty +uh +UK +UL +um +UN +up +Ur +US +us +UT +Ut +UV +VA +Va +vb +VD +VF +VG +VI +vi +VJ +VP +vs +VT +Vt +WA +WC +we +WI +wk +Wm +WP +wt +Wu +WV +WW +WY +Xe +xi +XL +XS +xv +xx +ya +Yb +yd +ye +yo +yr +YT +Zn +Zr +Zs +A +a +B +b +C +c +D +d +E +e +F +f +G +g +H +h +I +i +J +j +K +k +L +l +M +m +N +n +O +o +P +p +Q +q +R +r +S +s +T +t +U +u +V +v +W +w +X +x +Y +y +Z +z diff --git a/benchmarks/regexes/dictionary/english/sorted.txt b/benchmarks/regexes/dictionary/english/sorted.txt new file mode 100644 index 0000000..0dbd021 --- /dev/null +++ b/benchmarks/regexes/dictionary/english/sorted.txt @@ -0,0 +1,123115 @@ +A +a +AA +AAA +Aachen +Aachen's +aah +Aaliyah +Aaliyah's +aardvark +aardvark's +aardvarks +Aaron +Aaron's +AA's +AB +ab +ABA +aback +abacus +abacuses +abacus's +abaft +abalone +abalone's +abalones +abandon +abandoned +abandoning +abandonment +abandonment's +abandons +abase +abased +abasement +abasement's +abases +abash +abashed +abashedly +abashes +abashing +abashment +abashment's +abasing +abate +abated +abatement +abatement's +abates +abating +abattoir +abattoir's +abattoirs +abbé +Abbas +Abbasid +Abbasid's +Abbas's +abbe +abbe's +abbes +abbess +abbesses +abbess's +abbey +abbey's +abbeys +abbot +abbot's +abbots +Abbott +Abbott's +abbr +abbrev +abbreviate +abbreviated +abbreviates +abbreviating +abbreviation +abbreviation's +abbreviations +abbrevs +abbé's +abbés +Abby +Abby's +ABC +ABC's +ABCs +abdicate +abdicated +abdicates +abdicating +abdication +abdication's +abdications +abdomen +abdomen's +abdomens +abdominal +abduct +abducted +abductee +abductee's +abductees +abducting +abduction +abduction's +abductions +abductor +abductor's +abductors +abducts +Abdul +Abdul's +Abe +abeam +abed +Abel +Abelard +Abelard's +Abel's +Abelson +Abelson's +Aberdeen +Aberdeen's +Abernathy +Abernathy's +aberrant +aberration +aberrational +aberration's +aberrations +Abe's +abet +abets +abetted +abetting +abettor +abettor's +abettors +abeyance +abeyance's +abhor +abhorred +abhorrence +abhorrence's +abhorrent +abhorrently +abhorring +abhors +abidance +abidance's +abide +abides +abiding +abidingly +Abidjan +Abidjan's +Abigail +Abigail's +Abilene +Abilene's +abilities +ability +ability's +abject +abjection +abjection's +abjectly +abjectness +abjectness's +abjuration +abjuration's +abjurations +abjuratory +abjure +abjured +abjurer +abjurer's +abjurers +abjures +abjuring +ablate +ablated +ablates +ablating +ablation +ablation's +ablations +ablative +ablative's +ablatives +ablaze +able +abler +ablest +abloom +ablution +ablution's +ablutions +ably +ABM +ABM's +ABMs +abnegate +abnegated +abnegates +abnegating +abnegation +abnegation's +Abner +Abner's +abnormal +abnormalities +abnormality +abnormality's +abnormally +aboard +abode +abode's +abodes +abolish +abolished +abolishes +abolishing +abolition +abolitionism +abolitionism's +abolitionist +abolitionist's +abolitionists +abolition's +abominable +abominably +abominate +abominated +abominates +abominating +abomination +abomination's +abominations +aboriginal +aboriginal's +aboriginals +Aborigine +aborigine +Aborigine's +Aborigines +aborigine's +aborigines +aborning +abort +aborted +aborting +abortion +abortionist +abortionist's +abortionists +abortion's +abortions +abortive +abortively +aborts +abound +abounded +abounding +abounds +about +above +aboveboard +above's +abracadabra +abracadabra's +abrade +abraded +abrades +abrading +Abraham +Abraham's +Abram +Abram's +Abrams +Abrams's +abrasion +abrasion's +abrasions +abrasive +abrasively +abrasiveness +abrasiveness's +abrasive's +abrasives +abreast +abridge +abridged +abridges +abridging +abridgment +abridgment's +abridgments +abroad +abrogate +abrogated +abrogates +abrogating +abrogation +abrogation's +abrogations +abrogator +abrogator's +abrogators +abrupt +abrupter +abruptest +abruptly +abruptness +abruptness's +AB's +ABS +abs +Absalom +Absalom's +abscess +abscessed +abscesses +abscessing +abscess's +abscissa +abscissa's +abscissas +abscission +abscission's +abscond +absconded +absconder +absconder's +absconders +absconding +absconds +abseil +abseiled +abseiling +abseil's +abseils +absence +absence's +absences +absent +absented +absentee +absenteeism +absenteeism's +absentee's +absentees +absenting +absently +absentminded +absentmindedly +absentmindedness +absentmindedness's +absents +absinthe +absinthe's +absolute +absolutely +absoluteness +absoluteness's +absolute's +absolutes +absolutest +absolution +absolution's +absolutism +absolutism's +absolutist +absolutist's +absolutists +absolve +absolved +absolves +absolving +absorb +absorbance +absorbed +absorbency +absorbency's +absorbent +absorbent's +absorbents +absorbing +absorbingly +absorbs +absorption +absorption's +absorptive +abs's +abstain +abstained +abstainer +abstainer's +abstainers +abstaining +abstains +abstemious +abstemiously +abstemiousness +abstemiousness's +abstention +abstention's +abstentions +abstinence +abstinence's +abstinent +abstract +abstracted +abstractedly +abstractedness +abstractedness's +abstracting +abstraction +abstraction's +abstractions +abstractly +abstractness +abstractnesses +abstractness's +abstract's +abstracts +abstruse +abstrusely +abstruseness +abstruseness's +absurd +absurder +absurdest +absurdist +absurdist's +absurdists +absurdities +absurdity +absurdity's +absurdly +absurdness +absurdness's +Abuja +Abuja's +abundance +abundance's +abundances +abundant +abundantly +abuse +abused +abuser +abuser's +abusers +abuse's +abuses +abusing +abusive +abusively +abusiveness +abusiveness's +abut +abutment +abutment's +abutments +abuts +abutted +abutting +abuzz +abysmal +abysmally +abyss +abyssal +abysses +Abyssinia +Abyssinian +Abyssinian's +Abyssinia's +abyss's +AC +Ac +ac +acacia +acacia's +acacias +academe +academe's +academia +academia's +academic +academical +academically +academician +academician's +academicians +academic's +academics +academies +academy +academy's +Acadia +Acadia's +acanthus +acanthuses +acanthus's +Acapulco +Acapulco's +accede +acceded +accedes +acceding +accelerate +accelerated +accelerates +accelerating +acceleration +acceleration's +accelerations +accelerator +accelerator's +accelerators +accent +accented +accenting +accent's +accents +accentual +accentuate +accentuated +accentuates +accentuating +accentuation +accentuation's +Accenture +Accenture's +accept +acceptability +acceptability's +acceptable +acceptableness +acceptableness's +acceptably +acceptance +acceptance's +acceptances +acceptation +acceptation's +acceptations +accepted +accepting +accepts +access +accessed +accesses +accessibility +accessibility's +accessible +accessibly +accessing +accession +accessioned +accessioning +accession's +accessions +accessories +accessorize +accessorized +accessorizes +accessorizing +accessory +accessory's +access's +accident +accidental +accidentally +accidental's +accidentals +accident's +accidents +acclaim +acclaimed +acclaiming +acclaim's +acclaims +acclamation +acclamation's +acclimate +acclimated +acclimates +acclimating +acclimation +acclimation's +acclimatization +acclimatization's +acclimatize +acclimatized +acclimatizes +acclimatizing +acclivities +acclivity +acclivity's +accolade +accolade's +accolades +accommodate +accommodated +accommodates +accommodating +accommodatingly +accommodation +accommodation's +accommodations +accompanied +accompanies +accompaniment +accompaniment's +accompaniments +accompanist +accompanist's +accompanists +accompany +accompanying +accomplice +accomplice's +accomplices +accomplish +accomplished +accomplishes +accomplishing +accomplishment +accomplishment's +accomplishments +accord +accordance +accordance's +accordant +accorded +according +accordingly +accordion +accordionist +accordionist's +accordionists +accordion's +accordions +accord's +accords +accost +accosted +accosting +accost's +accosts +account +accountability +accountability's +accountable +accountancy +accountancy's +accountant +accountant's +accountants +accounted +accounting +accounting's +account's +accounts +accouter +accoutered +accoutering +accouterments +accouterments's +accouters +Accra +Accra's +accredit +accreditation +accreditation's +accredited +accrediting +accredits +accretion +accretion's +accretions +accrual +accrual's +accruals +accrue +accrued +accrues +accruing +acct +acculturate +acculturated +acculturates +acculturating +acculturation +acculturation's +accumulate +accumulated +accumulates +accumulating +accumulation +accumulation's +accumulations +accumulative +accumulator +accumulator's +accumulators +accuracy +accuracy's +accurate +accurately +accurateness +accurateness's +accursed +accursedness +accursedness's +accusation +accusation's +accusations +accusative +accusative's +accusatives +accusatory +accuse +accused +accuser +accuser's +accusers +accuses +accusing +accusingly +accustom +accustomed +accustoming +accustoms +ace +aced +acerbate +acerbated +acerbates +acerbating +acerbic +acerbically +acerbity +acerbity's +ace's +aces +acetaminophen +acetaminophen's +acetate +acetate's +acetates +acetic +acetone +acetone's +acetonic +acetyl +acetylene +acetylene's +Acevedo +Acevedo's +Achaean +Achaean's +ache +Achebe +Achebe's +ached +achene +achene's +achenes +Achernar +Achernar's +ache's +aches +Acheson +Acheson's +achier +achiest +achievable +achieve +achieved +achievement +achievement's +achievements +achiever +achiever's +achievers +achieves +achieving +Achilles +Achilles's +aching +achingly +achoo +achoo's +achromatic +achy +acid +acidic +acidified +acidifies +acidify +acidifying +acidity +acidity's +acidly +acidosis +acidosis's +acid's +acids +acidulous +acing +acknowledge +acknowledged +acknowledges +acknowledging +acknowledgment +acknowledgment's +acknowledgments +ACLU +ACLU's +acme +acme's +acmes +acne +acne's +acolyte +acolyte's +acolytes +Aconcagua +Aconcagua's +aconite +aconite's +aconites +acorn +acorn's +acorns +Acosta +Acosta's +acoustic +acoustical +acoustically +acoustics +acoustics's +acquaint +acquaintance +acquaintance's +acquaintances +acquaintanceship +acquaintanceship's +acquainted +acquainting +acquaints +acquiesce +acquiesced +acquiescence +acquiescence's +acquiescent +acquiescently +acquiesces +acquiescing +acquirable +acquire +acquired +acquirement +acquirement's +acquirer +acquirers +acquires +acquiring +acquisition +acquisition's +acquisitions +acquisitive +acquisitively +acquisitiveness +acquisitiveness's +acquit +acquits +acquittal +acquittal's +acquittals +acquitted +acquitting +acre +acreage +acreage's +acreages +acre's +acres +acrid +acrider +acridest +acridity +acridity's +acridly +acridness +acridness's +acrimonious +acrimoniously +acrimoniousness +acrimoniousness's +acrimony +acrimony's +acrobat +acrobatic +acrobatically +acrobatics +acrobatics's +acrobat's +acrobats +acronym +acronym's +acronyms +acrophobia +acrophobia's +Acropolis +acropolis +acropolises +acropolis's +across +acrostic +acrostic's +acrostics +Acrux +Acrux's +acrylamide +acrylic +acrylic's +acrylics +AC's +Ac's +ACT +act +Actaeon +Actaeon's +acted +ACTH +ACTH's +acting +acting's +actinium +actinium's +action +actionable +action's +actions +activate +activated +activates +activating +activation +activation's +activator +activator's +activators +active +actively +activeness +activeness's +active's +actives +activism +activism's +activist +activist's +activists +activities +activity +activity's +Acton +Acton's +actor +actor's +actors +actress +actresses +actress's +Acts +act's +acts +Acts's +actual +actualities +actuality +actuality's +actualization +actualization's +actualize +actualized +actualizes +actualizing +actually +actuarial +actuaries +actuary +actuary's +actuate +actuated +actuates +actuating +actuation +actuation's +actuator +actuator's +actuators +Acuff +Acuff's +acuity +acuity's +acumen +acumen's +acupressure +acupressure's +acupuncture +acupuncture's +acupuncturist +acupuncturist's +acupuncturists +acute +acutely +acuteness +acuteness's +acuter +acute's +acutes +acutest +acyclovir +acyclovir's +acyl +AD +ad +Ada +adage +adage's +adages +adagio +adagio's +adagios +Adam +adamant +adamantly +adamant's +Adam's +Adams +Adams's +Adan +Adana +Adana's +Adan's +adapt +adaptability +adaptability's +adaptable +adaptation +adaptation's +adaptations +adapted +adapter +adapter's +adapters +adapting +adaption +adaptions +adaptive +adapts +Adar +Adar's +Ada's +Adas +ADC +ADD +add +addable +Addams +Addams's +added +addend +addenda +addend's +addends +addendum +addendum's +adder +Adderley +Adderley's +adder's +adders +addict +addicted +addicting +addiction +addiction's +addictions +addictive +addict's +addicts +Addie +Addie's +adding +Addison +Addison's +addition +additional +additionally +addition's +additions +additive +additive's +additives +addle +addled +addles +addling +address +addressable +addressed +addressee +addressee's +addressees +addresses +addressing +address's +adds +adduce +adduced +adduces +adducing +Adela +Adelaide +Adelaide's +Adela's +Adele +Adele's +Adeline +Adeline's +Aden +Adenauer +Adenauer's +adenine +adenine's +adenocarcinoma +adenoid +adenoidal +adenoid's +adenoids +Aden's +adept +adeptly +adeptness +adeptness's +adept's +adepts +adequacy +adequacy's +adequate +adequately +adequateness +adequateness's +Adhara +Adhara's +adhere +adhered +adherence +adherence's +adherent +adherent's +adherents +adheres +adhering +adhesion +adhesion's +adhesive +adhesiveness +adhesiveness's +adhesive's +adhesives +adiabatic +Adidas +Adidas's +adieu +adieu's +adieus +adios +adipose +Adirondack +Adirondack's +Adirondacks +Adirondacks's +adiós +adj +adjacency +adjacency's +adjacent +adjacently +adjectival +adjectivally +adjective +adjective's +adjectives +adjoin +adjoined +adjoining +adjoins +adjourn +adjourned +adjourning +adjournment +adjournment's +adjournments +adjourns +adjudge +adjudged +adjudges +adjudging +adjudicate +adjudicated +adjudicates +adjudicating +adjudication +adjudication's +adjudications +adjudicative +adjudicator +adjudicator's +adjudicators +adjudicatory +adjunct +adjunct's +adjuncts +adjuration +adjuration's +adjurations +adjure +adjured +adjures +adjuring +adjust +adjustable +adjusted +adjuster +adjuster's +adjusters +adjusting +adjustment +adjustment's +adjustments +adjusts +adjutant +adjutant's +adjutants +Adkins +Adkins's +Adler +Adler's +ADM +Adm +adman +adman's +admen +admin +administer +administered +administering +administers +administrate +administrated +administrates +administrating +administration +administration's +administrations +administrative +administratively +administrator +administrator's +administrators +admins +admirable +admirably +admiral +admiral's +admirals +Admiralty +admiralty +admiralty's +admiration +admiration's +admire +admired +admirer +admirer's +admirers +admires +admiring +admiringly +admissibility +admissibility's +admissible +admissibly +admission +admission's +admissions +admit +admits +admittance +admittance's +admitted +admittedly +admitting +admix +admixed +admixes +admixing +admixture +admixture's +admixtures +admonish +admonished +admonishes +admonishing +admonishment +admonishment's +admonishments +admonition +admonition's +admonitions +admonitory +ado +adobe +adobe's +adobes +adolescence +adolescence's +adolescences +adolescent +adolescent's +adolescents +Adolf +Adolfo +Adolfo's +Adolf's +Adolph +Adolph's +Adonis +Adonises +Adonis's +adopt +adoptable +adopted +adopter +adopter's +adopters +adopting +adoption +adoption's +adoptions +adoptive +adopts +adorable +adorableness +adorableness's +adorably +adoration +adoration's +adore +adored +adorer +adorer's +adorers +adores +adoring +adoringly +adorn +adorned +adorning +adornment +adornment's +adornments +adorns +ado's +ADP +ADP's +adrenal +Adrenalin +adrenaline +adrenaline's +Adrenalin's +Adrenalins +adrenalin's +adrenal's +adrenals +adrenergic +Adrian +Adriana +Adriana's +Adrian's +Adriatic +Adriatic's +Adrienne +Adrienne's +adrift +adroit +adroitly +adroitness +adroitness's +AD's +ad's +ads +adsorb +adsorbed +adsorbent +adsorbent's +adsorbents +adsorbing +adsorbs +adsorption +adsorption's +adsorptions +adulate +adulated +adulates +adulating +adulation +adulation's +adulator +adulator's +adulators +adulatory +adult +adulterant +adulterant's +adulterants +adulterate +adulterated +adulterates +adulterating +adulteration +adulteration's +adulterer +adulterer's +adulterers +adulteress +adulteresses +adulteress's +adulteries +adulterous +adultery +adultery's +adulthood +adulthood's +adult's +adults +adumbrate +adumbrated +adumbrates +adumbrating +adumbration +adumbration's +adv +advance +advanced +advancement +advancement's +advancements +advance's +advances +advancing +advantage +advantaged +advantageous +advantageously +advantage's +advantages +advantaging +Advent +advent +Adventist +Adventist's +Adventists +adventitious +adventitiously +Advent's +Advents +advent's +advents +adventure +adventured +adventurer +adventurer's +adventurers +adventure's +adventures +adventuresome +adventuress +adventuresses +adventuress's +adventuring +adventurism +adventurist +adventurists +adventurous +adventurously +adventurousness +adventurousness's +adverb +adverbial +adverbially +adverbial's +adverbials +adverb's +adverbs +adversarial +adversaries +adversary +adversary's +adverse +adversely +adverseness +adverseness's +adverser +adversest +adversities +adversity +adversity's +advert +adverted +adverting +advertise +advertised +advertisement +advertisement's +advertisements +advertiser +advertiser's +advertisers +advertises +advertising +advertising's +advertorial +advertorial's +advertorials +advert's +adverts +advice +advice's +Advil +Advil's +advisability +advisability's +advisable +advisably +advise +advised +advisedly +advisement +advisement's +adviser +adviser's +advisers +advises +advising +advisories +advisory +advisory's +advocacy +advocacy's +advocate +advocated +advocate's +advocates +advocating +advt +adware +adze +adze's +adzes +Aegean +Aegean's +aegis +aegis's +Aelfric +Aelfric's +Aeneas +Aeneas's +Aeneid +Aeneid's +Aeolus +Aeolus's +aerate +aerated +aerates +aerating +aeration +aeration's +aerator +aerator's +aerators +aerial +aerialist +aerialist's +aerialists +aerially +aerial's +aerials +aerie +aerie's +aeries +aerobatic +aerobatics +aerobatics's +aerobic +aerobically +aerobics +aerobics's +aerodrome +aerodrome's +aerodromes +aerodynamic +aerodynamically +aerodynamics +aerodynamics's +Aeroflot +Aeroflot's +aerogram +aerograms +aeronautic +aeronautical +aeronautics +aeronautics's +aerosol +aerosol's +aerosols +aerospace +aerospace's +Aeschylus +Aeschylus's +Aesculapius +Aesculapius's +Aesop +Aesop's +aesthete +aesthete's +aesthetes +aesthetic +aesthetically +aestheticism +aestheticism's +aesthetics +aesthetics's +AF +AFAIK +afar +AFB +AFC +AFC's +AFDC +affability +affability's +affable +affably +affair +affair's +affairs +affect +affectation +affectation's +affectations +affected +affectedly +affecting +affectingly +affection +affectionate +affectionately +affection's +affections +affect's +affects +afferent +affiance +affianced +affiances +affiancing +affidavit +affidavit's +affidavits +affiliate +affiliated +affiliate's +affiliates +affiliating +affiliation +affiliation's +affiliations +affinities +affinity +affinity's +affirm +affirmation +affirmation's +affirmations +affirmative +affirmatively +affirmative's +affirmatives +affirmed +affirming +affirms +affix +affixed +affixes +affixing +affix's +afflatus +afflatus's +afflict +afflicted +afflicting +affliction +affliction's +afflictions +afflicts +affluence +affluence's +affluent +affluently +afford +affordability +affordable +affordably +afforded +affording +affords +afforest +afforestation +afforestation's +afforested +afforesting +afforests +affray +affray's +affrays +affront +affronted +affronting +affront's +affronts +Afghan +afghan +Afghani +Afghani's +Afghanistan +Afghanistan's +Afghan's +Afghans +afghan's +afghans +aficionado +aficionado's +aficionados +afield +afire +aflame +afloat +aflutter +AFN +afoot +aforementioned +aforesaid +aforethought +afoul +Afr +afraid +afresh +Africa +African +African's +Africans +Africa's +Afrikaans +Afrikaans's +Afrikaner +Afrikaner's +Afrikaners +Afro +Afrocentric +Afrocentrism +Afrocentrism's +Afro's +Afros +AFT +aft +after +afterbirth +afterbirth's +afterbirths +afterburner +afterburner's +afterburners +aftercare +aftercare's +aftereffect +aftereffect's +aftereffects +afterglow +afterglow's +afterglows +afterimage +afterimage's +afterimages +afterlife +afterlife's +afterlives +aftermarket +aftermarket's +aftermarkets +aftermath +aftermath's +aftermaths +afternoon +afternoon's +afternoons +afters +aftershave +aftershave's +aftershaves +aftershock +aftershock's +aftershocks +aftertaste +aftertaste's +aftertastes +afterthought +afterthought's +afterthoughts +afterward +afterwards +afterword +afterword's +afterwords +Ag +again +against +Agamemnon +Agamemnon's +Agana +agape +agape's +agar +agar's +Agassi +Agassi's +Agassiz +Agassiz's +agate +agate's +agates +Agatha +Agatha's +agave +agave's +age +aged +ageism +ageism's +ageist +ageist's +ageists +ageless +agelessly +agelessness +agelessness's +agencies +agency +agency's +agenda +agenda's +agendas +agent +agent's +agents +ageratum +ageratum's +age's +ages +Aggie +Aggie's +agglomerate +agglomerated +agglomerate's +agglomerates +agglomerating +agglomeration +agglomeration's +agglomerations +agglutinate +agglutinated +agglutinates +agglutinating +agglutination +agglutination's +agglutinations +aggrandize +aggrandized +aggrandizement +aggrandizement's +aggrandizes +aggrandizing +aggravate +aggravated +aggravates +aggravating +aggravatingly +aggravation +aggravation's +aggravations +aggregate +aggregated +aggregate's +aggregates +aggregating +aggregation +aggregation's +aggregations +aggregator +aggregator's +aggregators +aggression +aggression's +aggressive +aggressively +aggressiveness +aggressiveness's +aggressor +aggressor's +aggressors +aggrieve +aggrieved +aggrieves +aggrieving +aggro +aghast +agile +agilely +agility +agility's +aging +aging's +agings +agitate +agitated +agitates +agitating +agitation +agitation's +agitations +agitator +agitator's +agitators +agitprop +agitprop's +Aglaia +Aglaia's +agleam +aglitter +aglow +Agnes +Agnes's +Agnew +Agnew's +Agni +Agni's +agnostic +agnosticism +agnosticism's +agnostic's +agnostics +ago +agog +agonies +agonist +agonists +agonize +agonized +agonizes +agonizing +agonizingly +agony +agony's +agoraphobia +agoraphobia's +agoraphobic +agoraphobic's +agoraphobics +Agra +agrarian +agrarianism +agrarianism's +agrarian's +agrarians +Agra's +agree +agreeable +agreeableness +agreeableness's +agreeably +agreed +agreeing +agreement +agreement's +agreements +agrees +agribusiness +agribusinesses +agribusiness's +Agricola +Agricola's +agricultural +agriculturalist +agriculturalist's +agriculturalists +agriculturally +agriculture +agriculture's +agriculturist +agriculturist's +agriculturists +Agrippa +Agrippa's +Agrippina +Agrippina's +agronomic +agronomist +agronomist's +agronomists +agronomy +agronomy's +aground +Ag's +Aguascalientes +ague +ague's +Aguilar +Aguilar's +Aguinaldo +Aguinaldo's +Aguirre +Aguirre's +Agustin +Agustin's +ah +aha +Ahab +Ahab's +ahchoo +ahead +ahem +Ahmad +Ahmadabad +Ahmadabad's +Ahmadinejad +Ahmadinejad's +Ahmad's +Ahmed +Ahmed's +ahoy +Ahriman +Ahriman's +AI +aid +Aida +Aida's +aide +aided +aide's +aides +aiding +AIDS +aid's +aids +AIDS's +aigrette +aigrette's +aigrettes +Aiken +Aiken's +ail +ailed +Aileen +Aileen's +aileron +aileron's +ailerons +ailing +ailment +ailment's +ailments +ails +aim +aimed +Aimee +Aimee's +aiming +aimless +aimlessly +aimlessness +aimlessness's +aim's +aims +ain't +Ainu +Ainu's +air +airbag +airbag's +airbags +airbase +airbase's +airbases +airbed +airbeds +airborne +airbrush +airbrushed +airbrushes +airbrushing +airbrush's +airbus +airbuses +airbus's +aircraft +aircraftman +aircraftmen +aircraft's +aircrew +aircrews +airdrome +airdromes +airdrop +airdropped +airdropping +airdrop's +airdrops +aired +Airedale +Airedale's +Airedales +Aires +Aires's +airfare +airfare's +airfares +airfield +airfield's +airfields +airflow +airflow's +airfoil +airfoil's +airfoils +airfreight +airfreight's +airguns +airhead +airhead's +airheads +airier +airiest +airily +airiness +airiness's +airing +airing's +airings +airless +airlessness +airlessness's +airletters +airlift +airlifted +airlifting +airlift's +airlifts +airline +airliner +airliner's +airliners +airline's +airlines +airlock +airlock's +airlocks +airmail +airmailed +airmailing +airmail's +airmails +airman +airman's +airmen +airplane +airplane's +airplanes +airplay +airplay's +airport +airport's +airports +air's +airs +airship +airship's +airships +airshow +airshows +airsick +airsickness +airsickness's +airspace +airspace's +airspeed +airstrike +airstrike's +airstrikes +airstrip +airstrip's +airstrips +airtight +airtime +airtime's +airwaves +airwaves's +airway +airway's +airways +airwoman +airwomen +airworthiness +airworthiness's +airworthy +airy +AI's +AIs +Aisha +Aisha's +aisle +aisle's +aisles +aitch +aitches +aitch's +ajar +Ajax +Ajax's +AK +aka +Akbar +Akbar's +Akhmatova +Akhmatova's +Akihito +Akihito's +akimbo +akin +Akita +Akita's +Akiva +Akiva's +Akkad +Akkad's +Akron +Akron's +AL +Al +Ala +Alabama +Alabaman +Alabaman's +Alabamans +Alabama's +Alabamian +Alabamian's +Alabamians +alabaster +alabaster's +alack +alacrity +alacrity's +Aladdin +Aladdin's +Alamo +Alamogordo +Alamogordo's +Alamo's +Alan +Alana +Alana's +Alan's +Alar +Alaric +Alaric's +alarm +alarmed +alarming +alarmingly +alarmist +alarmist's +alarmists +alarm's +alarms +Alar's +Alas +alas +Alaska +Alaskan +Alaskan's +Alaskans +Alaska's +alb +Alba +albacore +albacore's +albacores +Albania +Albanian +Albanian's +Albanians +Albania's +Albany +Albany's +Alba's +albatross +albatrosses +albatross's +Albee +Albee's +albeit +Alberio +Alberio's +Albert +Alberta +Albertan +Alberta's +Alberto +Alberto's +Albert's +Albigensian +Albigensian's +albinism +albinism's +albino +albino's +albinos +Albion +Albion's +Albireo +Albireo's +alb's +albs +album +albumen +albumen's +albumin +albuminous +albumin's +album's +albums +Albuquerque +Albuquerque's +Alcatraz +Alcatraz's +Alcestis +Alcestis's +alchemist +alchemist's +alchemists +alchemy +alchemy's +Alcibiades +Alcibiades's +Alcindor +Alcindor's +Alcmena +Alcmena's +Alcoa +Alcoa's +alcohol +alcoholic +alcoholically +alcoholic's +alcoholics +alcoholism +alcoholism's +alcohol's +alcohols +Alcott +Alcott's +alcove +alcove's +alcoves +Alcuin +Alcuin's +Alcyone +Alcyone's +Aldan +Aldan's +Aldebaran +Aldebaran's +Alden +Alden's +alder +Alderamin +Alderamin's +alderman +alderman's +aldermen +alder's +alders +alderwoman +alderwoman's +alderwomen +Aldo +Aldo's +Aldrin +Aldrin's +ale +aleatory +Alec +Alec's +alehouse +alehouse's +alehouses +Aleichem +Aleichem's +Alejandra +Alejandra's +Alejandro +Alejandro's +Alembert +Alembert's +alembic +alembic's +alembics +Aleppo +Aleppo's +alert +alerted +alerting +alertly +alertness +alertness's +alert's +alerts +ale's +ales +Aleut +Aleutian +Aleutian's +Aleutians +Aleut's +Aleuts +alewife +alewife's +alewives +Alex +Alexander +Alexander's +Alexanders +Alexandra +Alexandra's +Alexandria +Alexandrian +Alexandria's +Alexei +Alexei's +Alexis +Alexis's +Alex's +alfalfa +alfalfa's +Alfonso +Alfonso's +Alfonzo +Alfonzo's +Alford +Alford's +Alfred +Alfreda +Alfreda's +Alfredo +Alfredo's +Alfred's +alfresco +alga +algae +algal +alga's +algebra +algebraic +algebraically +algebra's +algebras +Algenib +Algenib's +Alger +Algeria +Algerian +Algerian's +Algerians +Algeria's +Alger's +Algieba +Algieba's +Algiers +Algiers's +Algol +Algol's +Algonquian +Algonquian's +Algonquians +Algonquin +Algonquin's +Algonquins +algorithm +algorithmic +algorithm's +algorithms +Alhambra +Alhambra's +Alhena +Alhena's +Ali +alias +aliased +aliases +aliasing +alias's +alibi +alibied +alibiing +alibi's +alibis +Alice +Alice's +Alicia +Alicia's +alien +alienable +alienate +alienated +alienates +alienating +alienation +alienation's +aliened +aliening +alienist +alienist's +alienists +alien's +aliens +Alighieri +Alighieri's +alight +alighted +alighting +alights +align +aligned +aligner +aligner's +aligners +aligning +alignment +alignment's +alignments +aligns +alike +aliment +alimentary +alimented +alimenting +aliment's +aliments +alimony +alimony's +Aline +Aline's +Alioth +Alioth's +Ali's +Alisa +Alisa's +Alisha +Alisha's +Alison +Alison's +Alissa +Alissa's +Alistair +Alistair's +alive +aliveness +aliveness's +aliyah +aliyah's +aliyahs +Alkaid +Alkaid's +alkali +alkalies +alkaline +alkalinity +alkalinity's +alkali's +alkalize +alkalized +alkalizes +alkalizing +alkaloid +alkaloid's +alkaloids +alkyd +alkyd's +alkyds +all +Allah +Allahabad +Allahabad's +Allah's +Allan +Allan's +allay +allayed +allaying +allays +allegation +allegation's +allegations +allege +alleged +allegedly +alleges +Alleghenies +Alleghenies's +Allegheny +Allegheny's +allegiance +allegiance's +allegiances +alleging +allegoric +allegorical +allegorically +allegories +allegorist +allegorist's +allegorists +allegory +allegory's +Allegra +Allegra's +allegretto +allegretto's +allegrettos +allegro +allegro's +allegros +allele +allele's +alleles +alleluia +alleluia's +alleluias +Allen +Allende +Allende's +Allen's +Allentown +Allentown's +allergen +allergenic +allergen's +allergens +allergic +allergically +allergies +allergist +allergist's +allergists +allergy +allergy's +alleviate +alleviated +alleviates +alleviating +alleviation +alleviation's +alley +alley's +alleys +alleyway +alleyway's +alleyways +Allhallows +Allhallows's +alliance +alliance's +alliances +Allie +allied +Allie's +Allies +allies +alligator +alligator's +alligators +Allison +Allison's +alliterate +alliterated +alliterates +alliterating +alliteration +alliteration's +alliterations +alliterative +alliteratively +allocate +allocated +allocates +allocating +allocation +allocation's +allocations +allot +allotment +allotment's +allotments +allots +allotted +allotting +allover +allow +allowable +allowably +allowance +allowance's +allowances +allowed +allowing +allows +alloy +alloyed +alloying +alloy's +alloys +all's +allspice +allspice's +Allstate +Allstate's +allude +alluded +alludes +alluding +allure +allured +allurement +allurement's +allurements +allure's +allures +alluring +alluringly +allusion +allusion's +allusions +allusive +allusively +allusiveness +allusiveness's +alluvial +alluvial's +alluvium +alluvium's +alluviums +ally +allying +ally's +Allyson +Allyson's +Alma +Almach +Almach's +almanac +almanac's +almanacs +Alma's +Almaty +Almaty's +Almighty +almighty +Almighty's +Almohad +Almohad's +almond +almond's +almonds +almoner +almoner's +almoners +Almoravid +Almoravid's +almost +alms +almshouse +almshouse's +almshouses +alms's +Alnilam +Alnilam's +Alnitak +Alnitak's +aloe +aloe's +aloes +aloft +aloha +aloha's +alohas +alone +along +alongshore +alongside +Alonzo +Alonzo's +aloof +aloofly +aloofness +aloofness's +aloud +alp +alpaca +alpaca's +alpacas +Alpert +Alpert's +alpha +alphabet +alphabetic +alphabetical +alphabetically +alphabetization +alphabetization's +alphabetizations +alphabetize +alphabetized +alphabetizer +alphabetizer's +alphabetizers +alphabetizes +alphabetizing +alphabet's +alphabets +alphanumeric +alphanumerical +alphanumerically +Alphard +Alphard's +alpha's +alphas +Alphecca +Alphecca's +Alpheratz +Alpheratz's +Alphonse +Alphonse's +Alphonso +Alphonso's +Alpine +alpine +Alpine's +alpines +Alpo +Alpo's +Alps +alp's +alps +Alps's +already +alright +Al's +Alsace +Alsace's +Alsatian +Alsatian's +Alsatians +also +Alsop +Alsop's +Alston +Alston's +alt +Alta +Altai +Altaic +Altaic's +Altair +Altair's +Altai's +Altamira +Altamira's +altar +altarpiece +altarpiece's +altarpieces +altar's +altars +Alta's +alter +alterable +alteration +alteration's +alterations +altercation +altercation's +altercations +altered +altering +alternate +alternated +alternately +alternate's +alternates +alternating +alternation +alternation's +alternations +alternative +alternatively +alternative's +alternatives +alternator +alternator's +alternators +alters +Althea +Althea's +although +altimeter +altimeter's +altimeters +Altiplano +Altiplano's +altitude +altitude's +altitudes +Altman +Altman's +alto +altogether +Altoids +Altoids's +Alton +Alton's +alto's +altos +altruism +altruism's +altruist +altruistic +altruistically +altruist's +altruists +alts +Aludra +Aludra's +alum +alumina +alumina's +aluminum +aluminum's +alumna +alumnae +alumna's +alumni +alumnus +alumnus's +alum's +alums +Alva +Alvarado +Alvarado's +Alvarez +Alvarez's +Alvaro +Alvaro's +Alva's +alveolar +alveolars +Alvin +Alvin's +always +Alyce +Alyce's +Alyson +Alyson's +Alyssa +Alyssa's +Alzheimer +Alzheimer's +AM +Am +am +AMA +Amadeus +Amadeus's +Amado +Amado's +amalgam +amalgamate +amalgamated +amalgamates +amalgamating +amalgamation +amalgamation's +amalgamations +amalgam's +amalgams +Amalia +Amalia's +Amanda +Amanda's +amanuenses +amanuensis +amanuensis's +amaranth +amaranth's +amaranths +amaretto +amaretto's +Amarillo +Amarillo's +Amaru +Amaru's +amaryllis +amaryllises +amaryllis's +amass +amassed +amasses +amassing +Amaterasu +Amaterasu's +amateur +amateurish +amateurishly +amateurishness +amateurishness's +amateurism +amateurism's +amateur's +amateurs +Amati +Amati's +amatory +amaze +amazed +amazement +amazement's +amaze's +amazes +amazing +amazingly +Amazon +amazon +Amazonian +amazonian +Amazon's +Amazons +amazon's +amazons +ambassador +ambassadorial +ambassador's +ambassadors +ambassadorship +ambassadorship's +ambassadorships +ambassadress +ambassadresses +ambassadress's +Amber +amber +ambergris +ambergris's +Amber's +amber's +ambiance +ambiance's +ambiances +ambidexterity +ambidexterity's +ambidextrous +ambidextrously +ambient +ambiguities +ambiguity +ambiguity's +ambiguous +ambiguously +ambit +ambition +ambition's +ambitions +ambitious +ambitiously +ambitiousness +ambitiousness's +ambivalence +ambivalence's +ambivalent +ambivalently +amble +ambled +ambler +ambler's +amblers +amble's +ambles +ambling +ambrosia +ambrosial +ambrosia's +ambulance +ambulanceman +ambulancemen +ambulance's +ambulances +ambulancewoman +ambulancewomen +ambulant +ambulate +ambulated +ambulates +ambulating +ambulation +ambulation's +ambulations +ambulatories +ambulatory +ambulatory's +ambuscade +ambuscaded +ambuscade's +ambuscades +ambuscading +ambush +ambushed +ambushes +ambushing +ambush's +AMD +AMD's +Amelia +Amelia's +ameliorate +ameliorated +ameliorates +ameliorating +amelioration +amelioration's +ameliorative +Amen +amen +amenability +amenability's +amenable +amenably +amend +amendable +amended +amending +amendment +amendment's +amendments +amends +Amenhotep +Amenhotep's +amenities +amenity +amenity's +Amen's +Amer +Amerasian +Amerasian's +amerce +amerced +amercement +amercement's +amercements +amerces +amercing +America +American +Americana +Americana's +Americanism +Americanism's +Americanisms +Americanization +Americanization's +Americanizations +Americanize +Americanized +Americanizes +Americanizing +American's +Americans +America's +Americas +americium +americium's +Amerind +Amerindian +Amerindian's +Amerindians +Amerind's +Amerinds +Ameslan +Ameslan's +amethyst +amethyst's +amethysts +Amharic +Amharic's +Amherst +Amherst's +amiability +amiability's +amiable +amiably +amicability +amicability's +amicable +amicably +amid +amide +amide's +amides +amidship +amidships +Amie +Amie's +Amiga +Amiga's +amigo +amigo's +amigos +amine +amines +amino +Amish +Amish's +amiss +amity +amity's +Amman +Amman's +ammeter +ammeter's +ammeters +ammo +ammonia +ammonia's +ammonium +ammo's +ammunition +ammunition's +amnesia +amnesiac +amnesiac's +amnesiacs +amnesia's +amnesic +amnesic's +amnesics +amnestied +amnesties +amnesty +amnestying +amnesty's +amniocenteses +amniocentesis +amniocentesis's +amnion +amnion's +amnions +amniotic +Amoco +Amoco's +amoeba +amoebae +amoeba's +amoebas +amoebic +amok +among +amontillado +amontillado's +amontillados +amoral +amorality +amorality's +amorally +amorous +amorously +amorousness +amorousness's +amorphous +amorphously +amorphousness +amorphousness's +amortizable +amortization +amortization's +amortizations +amortize +amortized +amortizes +amortizing +Amos +Amos's +amount +amounted +amounting +amount's +amounts +amour +amour's +amours +amoxicillin +amp +Amparo +Amparo's +amperage +amperage's +Ampere +ampere +Ampere's +ampere's +amperes +ampersand +ampersand's +ampersands +amphetamine +amphetamine's +amphetamines +amphibian +amphibian's +amphibians +amphibious +amphibiously +amphitheater +amphitheater's +amphitheaters +amphora +amphorae +amphora's +ampicillin +ample +ampler +amplest +amplification +amplification's +amplifications +amplified +amplifier +amplifier's +amplifiers +amplifies +amplify +amplifying +amplitude +amplitude's +amplitudes +amply +amp's +amps +ampule +ampule's +ampules +amputate +amputated +amputates +amputating +amputation +amputation's +amputations +amputee +amputee's +amputees +Amritsar +Amritsar's +AM's +Am's +Amsterdam +Amsterdam's +amt +Amtrak +Amtrak's +amulet +amulet's +amulets +Amundsen +Amundsen's +Amur +Amur's +amuse +amused +amusement +amusement's +amusements +amuses +amusing +amusingly +Amway +Amway's +Amy +amylase +amylase's +amyloid +Amy's +an +Ana +Anabaptist +Anabaptist's +Anabel +Anabel's +anabolism +anabolism's +anachronism +anachronism's +anachronisms +anachronistic +anachronistically +Anacin +Anacin's +anaconda +anaconda's +anacondas +Anacreon +Anacreon's +anaerobe +anaerobe's +anaerobes +anaerobic +anaerobically +anagram +anagram's +anagrams +Anaheim +Anaheim's +anal +Analects +Analects's +analgesia +analgesia's +analgesic +analgesic's +analgesics +anally +analog +analogical +analogically +analogies +analogize +analogized +analogizes +analogizing +analogous +analogously +analogousness +analogousness's +analog's +analogs +analogue +analogue's +analogues +analogy +analogy's +analysand +analysand's +analysands +analyses +analysis +analysis's +analyst +analyst's +analysts +analytic +analytical +analytically +analyzable +analyze +analyzed +analyzer +analyzer's +analyzers +analyzes +analyzing +Ananias +Ananias's +anapest +anapestic +anapestic's +anapestics +anapest's +anapests +anarchic +anarchically +anarchism +anarchism's +anarchist +anarchistic +anarchist's +anarchists +anarchy +anarchy's +Ana's +Anasazi +Anasazi's +Anastasia +Anastasia's +anathema +anathema's +anathemas +anathematize +anathematized +anathematizes +anathematizing +Anatole +Anatole's +Anatolia +Anatolian +Anatolian's +Anatolia's +anatomic +anatomical +anatomically +anatomies +anatomist +anatomist's +anatomists +anatomize +anatomized +anatomizes +anatomizing +anatomy +anatomy's +Anaxagoras +Anaxagoras's +ancestor +ancestor's +ancestors +ancestral +ancestrally +ancestress +ancestresses +ancestress's +ancestries +ancestry +ancestry's +anchor +Anchorage +anchorage +Anchorage's +anchorage's +anchorages +anchored +anchoring +anchorite +anchorite's +anchorites +anchorman +anchorman's +anchormen +anchorpeople +anchorperson +anchorperson's +anchorpersons +anchor's +anchors +anchorwoman +anchorwoman's +anchorwomen +anchovies +anchovy +anchovy's +ancient +ancienter +ancientest +anciently +ancientness +ancientness's +ancient's +ancients +ancillaries +ancillary +ancillary's +and +Andalusia +Andalusian +Andalusian's +Andalusia's +Andaman +Andaman's +andante +andante's +andantes +Andean +Andean's +Andersen +Andersen's +Anderson +Anderson's +Andes +Andes's +andiron +andiron's +andirons +Andorra +Andorran +Andorran's +Andorrans +Andorra's +Andre +Andrea +Andrea's +Andrei +Andrei's +Andre's +Andres +Andres's +Andretti +Andretti's +Andrew +Andrew's +Andrews +Andrews's +Andrianampoinimerina +Andrianampoinimerina's +androgen +androgenic +androgen's +androgynous +androgyny +androgyny's +Android +android +Android's +android's +androids +Andromache +Andromache's +Andromeda +Andromeda's +Andropov +Andropov's +Andy +Andy's +anecdotal +anecdotally +anecdote +anecdote's +anecdotes +anemia +anemia's +anemic +anemically +anemometer +anemometer's +anemometers +anemone +anemone's +anemones +anent +anesthesia +anesthesia's +anesthesiologist +anesthesiologist's +anesthesiologists +anesthesiology +anesthesiology's +anesthetic +anesthetic's +anesthetics +anesthetist +anesthetist's +anesthetists +anesthetization +anesthetization's +anesthetizations +anesthetize +anesthetized +anesthetizes +anesthetizing +aneurysm +aneurysm's +aneurysms +anew +Angara +Angara's +Angel +angel +Angela +Angela's +Angeles +Angeles's +angelfish +angelfishes +angelfish's +Angelia +Angelia's +angelic +Angelica +angelica +angelical +angelically +Angelica's +angelica's +Angelico +Angelico's +Angelina +Angelina's +Angeline +Angeline's +Angelique +Angelique's +Angelita +Angelita's +Angelo +Angelo's +Angelou +Angelou's +Angel's +angel's +angels +anger +angered +angering +anger's +angers +Angevin +Angevin's +Angie +Angie's +angina +angina's +angioplasties +angioplasty +angioplasty's +angiosperm +angiosperm's +angiosperms +Angkor +Angkor's +Angle +angle +angled +angler +angler's +anglers +Angle's +Angles +angle's +angles +angleworm +angleworm's +angleworms +Anglia +Anglia's +Anglican +Anglicanism +Anglicanism's +Anglicanisms +Anglican's +Anglicans +Anglicism +anglicism +Anglicism's +Anglicisms +anglicisms +Anglicization +Anglicize +anglicize +anglicized +anglicizes +anglicizing +angling +angling's +Anglo +Anglophile +anglophile +Anglophile's +anglophiles +Anglophobe +anglophone +anglophones +Anglo's +Angola +Angolan +Angolan's +Angolans +Angola's +Angora +angora +Angora's +Angoras +angora's +angoras +angostura +angrier +angriest +angrily +angry +angst +Angstrom +angstrom +Angstrom's +angstrom's +angstroms +angst's +Anguilla +Anguilla's +anguish +anguished +anguishes +anguishing +anguish's +angular +angularities +angularity +angularity's +angulation +Angus +Angus's +anhydrous +Aniakchak +Aniakchak's +Anibal +Anibal's +aniline +aniline's +animadversion +animadversion's +animadversions +animadvert +animadverted +animadverting +animadverts +animal +animalcule +animalcule's +animalcules +animal's +animals +animate +animated +animatedly +animates +animating +animation +animation's +animations +animator +animator's +animators +anime +anime's +animism +animism's +animist +animistic +animist's +animists +animosities +animosity +animosity's +animus +animus's +anion +anionic +anion's +anions +anise +aniseed +aniseed's +anise's +anisette +anisette's +Anita +Anita's +Ankara +Ankara's +ankh +ankh's +ankhs +ankle +anklebone +anklebone's +anklebones +ankle's +ankles +anklet +anklet's +anklets +Ann +Anna +Annabel +Annabelle +Annabelle's +Annabel's +annalist +annalist's +annalists +annals +annals's +Annam +Annam's +Annapolis +Annapolis's +Annapurna +Annapurna's +Anna's +Anne +anneal +annealed +annealing +anneals +annelid +annelid's +annelids +Anne's +Annette +Annette's +annex +annexation +annexation's +annexations +annexed +annexes +annexing +annex's +Annie +Annie's +annihilate +annihilated +annihilates +annihilating +annihilation +annihilation's +annihilator +annihilator's +annihilators +anniversaries +anniversary +anniversary's +Annmarie +Annmarie's +annotate +annotated +annotates +annotating +annotation +annotation's +annotations +annotative +annotator +annotator's +annotators +announce +announced +announcement +announcement's +announcements +announcer +announcer's +announcers +announces +announcing +annoy +annoyance +annoyance's +annoyances +annoyed +annoying +annoyingly +annoys +Ann's +annual +annualized +annually +annual's +annuals +annuitant +annuitant's +annuitants +annuities +annuity +annuity's +annul +annular +annulled +annulling +annulment +annulment's +annulments +annuls +Annunciation +annunciation +Annunciation's +Annunciations +annunciation's +annunciations +anode +anode's +anodes +anodize +anodized +anodizes +anodizing +anodyne +anodyne's +anodynes +anoint +anointed +anointing +anointment +anointment's +anoints +anomalies +anomalous +anomalously +anomaly +anomaly's +anon +anons +anonymity +anonymity's +anonymous +anonymously +anopheles +anopheles's +anorak +anorak's +anoraks +anorectic +anorectic's +anorectics +anorexia +anorexia's +anorexic +anorexic's +anorexics +another +Anouilh +Anouilh's +ans +Anselm +Anselmo +Anselmo's +Anselm's +Anshan +Anshan's +ANSI +ANSIs +answer +answerable +answered +answering +answerphone +answerphones +answer's +answers +ant +antacid +antacid's +antacids +Antaeus +Antaeus's +antagonism +antagonism's +antagonisms +antagonist +antagonistic +antagonistically +antagonist's +antagonists +antagonize +antagonized +antagonizes +antagonizing +Antananarivo +Antananarivo's +Antarctic +antarctic +Antarctica +Antarctica's +Antarctic's +Antares +Antares's +ante +anteater +anteater's +anteaters +antebellum +antecedence +antecedence's +antecedent +antecedent's +antecedents +antechamber +antechamber's +antechambers +anted +antedate +antedated +antedates +antedating +antediluvian +anteing +antelope +antelope's +antelopes +antenatal +antenna +antennae +antenna's +antennas +anterior +anteroom +anteroom's +anterooms +ante's +antes +anthem +anthem's +anthems +anther +anther's +anthers +anthill +anthill's +anthills +anthologies +anthologist +anthologist's +anthologists +anthologize +anthologized +anthologizes +anthologizing +anthology +anthology's +Anthony +Anthony's +anthracite +anthracite's +anthrax +anthrax's +Anthropocene +anthropocentric +anthropoid +anthropoid's +anthropoids +anthropological +anthropologically +anthropologist +anthropologist's +anthropologists +anthropology +anthropology's +anthropomorphic +anthropomorphically +anthropomorphism +anthropomorphism's +anthropomorphize +anthropomorphous +anti +antiabortion +antiabortionist +antiabortionist's +antiabortionists +antiaircraft +antibacterial +antibacterial's +antibacterials +antibiotic +antibiotic's +antibiotics +antibodies +antibody +antibody's +antic +anticancer +Antichrist +Antichrist's +Antichrists +anticipate +anticipated +anticipates +anticipating +anticipation +anticipation's +anticipations +anticipatory +anticked +anticking +anticlerical +anticlimactic +anticlimactically +anticlimax +anticlimaxes +anticlimax's +anticline +anticline's +anticlines +anticlockwise +anticoagulant +anticoagulant's +anticoagulants +anticommunism +anticommunism's +anticommunist +anticommunist's +anticommunists +antic's +antics +anticyclone +anticyclone's +anticyclones +anticyclonic +antidemocratic +antidepressant +antidepressant's +antidepressants +antidote +antidote's +antidotes +Antietam +Antietam's +antifascist +antifascist's +antifascists +antifreeze +antifreeze's +antigen +antigenic +antigenicity +antigenicity's +antigen's +antigens +Antigone +Antigone's +Antigua +Antigua's +antihero +antiheroes +antihero's +antihistamine +antihistamine's +antihistamines +antiknock +antiknock's +antilabor +Antillean +Antilles +Antilles's +antilogarithm +antilogarithm's +antilogarithms +antimacassar +antimacassar's +antimacassars +antimalarial +antimatter +antimatter's +antimicrobial +antimissile +antimony +antimony's +antineutrino +antineutrino's +antineutrinos +antineutron +antineutron's +antineutrons +antinuclear +Antioch +Antioch's +antioxidant +antioxidant's +antioxidants +antiparticle +antiparticle's +antiparticles +Antipas +Antipas's +antipasti +antipasto +antipasto's +antipastos +antipathetic +antipathies +antipathy +antipathy's +antipersonnel +antiperspirant +antiperspirant's +antiperspirants +antiphon +antiphonal +antiphonally +antiphonal's +antiphonals +antiphon's +antiphons +antipodal +antipodals +antipodean +antipodean's +antipodeans +Antipodes +antipodes +antipodes's +antipollution +antipoverty +antiproton +antiproton's +antiprotons +antiquarian +antiquarianism +antiquarianism's +antiquarian's +antiquarians +antiquaries +antiquary +antiquary's +antiquate +antiquated +antiquates +antiquating +antique +antiqued +antique's +antiques +antiquing +antiquities +antiquity +antiquity's +antirrhinum +antirrhinums +anti's +antis +antiscience +antisemitic +antisemitism +antisemitism's +antisepsis +antisepsis's +antiseptic +antiseptically +antiseptic's +antiseptics +antiserum +antiserum's +antiserums +antislavery +antisocial +antisocially +antispasmodic +antispasmodic's +antispasmodics +antisubmarine +antitank +antitheses +antithesis +antithesis's +antithetic +antithetical +antithetically +antitoxin +antitoxin's +antitoxins +antitrust +antivenin +antivenin's +antivenins +antivenom +antiviral +antiviral's +antivirals +antivirus +antivivisectionist +antivivisectionist's +antivivisectionists +antiwar +antler +antlered +antler's +antlers +Antofagasta +Antofagasta's +Antoine +Antoine's +Antoinette +Antoinette's +Anton +Antone +Antone's +Antonia +Antonia's +Antoninus +Antoninus's +Antonio +Antonio's +Antonius +Antonius's +Anton's +Antony +antonym +antonymous +antonym's +antonyms +Antony's +antrum +ant's +ants +antsier +antsiest +antsy +Antwan +Antwan's +Antwerp +Antwerp's +Anubis +Anubis's +anus +anuses +anus's +anvil +anvil's +anvils +anxieties +anxiety +anxiety's +anxious +anxiously +anxiousness +anxiousness's +any +anybodies +anybody +anybody's +anyhow +anymore +anyone +anyone's +anyplace +anything +anything's +anythings +anytime +anyway +anyways +anywhere +anywise +Anzac +Anzac's +ANZUS +ANZUS's +AOL +AOL's +aorta +aorta's +aortas +aortic +AP +apace +Apache +Apache's +Apaches +Apalachicola +Apalachicola's +apart +apartheid +apartheid's +apartment +apartment's +apartments +apathetic +apathetically +apathy +apathy's +apatite +apatite's +Apatosaurus +APB +APC +ape +aped +apelike +Apennines +Apennines's +aperitif +aperitif's +aperitifs +aperture +aperture's +apertures +ape's +apes +apex +apexes +apex's +aphasia +aphasia's +aphasic +aphasic's +aphasics +aphelia +aphelion +aphelion's +aphelions +aphid +aphid's +aphids +aphorism +aphorism's +aphorisms +aphoristic +aphoristically +aphrodisiac +aphrodisiac's +aphrodisiacs +Aphrodite +Aphrodite's +API +Apia +apiaries +apiarist +apiarist's +apiarists +apiary +apiary's +Apia's +apical +apically +apiece +aping +apish +apishly +aplenty +aplomb +aplomb's +APO +Apocalypse +apocalypse +Apocalypse's +apocalypse's +apocalypses +apocalyptic +Apocrypha +apocrypha +apocryphal +apocryphally +Apocrypha's +apocrypha's +apogee +apogee's +apogees +apolitical +apolitically +Apollinaire +Apollinaire's +Apollo +Apollonian +Apollonian's +Apollo's +Apollos +apologetic +apologetically +apologia +apologia's +apologias +apologies +apologist +apologist's +apologists +apologize +apologized +apologizes +apologizing +apology +apology's +apoplectic +apoplexies +apoplexy +apoplexy's +apoptosis +apoptotic +apostasies +apostasy +apostasy's +apostate +apostate's +apostates +apostatize +apostatized +apostatizes +apostatizing +Apostle +apostle +Apostle's +apostle's +apostles +apostleship +apostleship's +apostolic +apostrophe +apostrophe's +apostrophes +apothecaries +apothecary +apothecary's +apothegm +apothegm's +apothegms +apotheoses +apotheosis +apotheosis's +app +Appalachia +Appalachian +Appalachian's +Appalachians +Appalachians's +Appalachia's +appall +appalled +appalling +appallingly +appalls +Appaloosa +appaloosa +Appaloosa's +Appaloosas +appaloosa's +appaloosas +apparatchik +apparatchiks +apparatus +apparatuses +apparatus's +apparel +appareled +appareling +apparel's +apparels +apparent +apparently +apparition +apparition's +apparitions +appeal +appealed +appealing +appealingly +appeal's +appeals +appear +appearance +appearance's +appearances +appeared +appearing +appears +appease +appeased +appeasement +appeasement's +appeasements +appeaser +appeaser's +appeasers +appeases +appeasing +appellant +appellant's +appellants +appellate +appellation +appellation's +appellations +append +appendage +appendage's +appendages +appendectomies +appendectomy +appendectomy's +appended +appendices +appendicitis +appendicitis's +appending +appendix +appendixes +appendix's +appends +appertain +appertained +appertaining +appertains +appetite +appetite's +appetites +appetizer +appetizer's +appetizers +appetizing +appetizingly +applaud +applauded +applauder +applauder's +applauders +applauding +applauds +applause +applause's +Apple +apple +applejack +applejack's +Apple's +apple's +apples +applesauce +applesauce's +Appleseed +Appleseed's +applet +Appleton +Appleton's +applet's +applets +appliance +appliance's +appliances +applicability +applicability's +applicable +applicably +applicant +applicant's +applicants +application +application's +applications +applicator +applicator's +applicators +applied +applier +applier's +appliers +applies +appliqué +appliquéd +applique +appliqued +appliqueing +applique's +appliques +appliquéing +appliqué's +appliqués +apply +applying +appoint +appointed +appointee +appointee's +appointees +appointing +appointive +appointment +appointment's +appointments +appoints +Appomattox +Appomattox's +apportion +apportioned +apportioning +apportionment +apportionment's +apportions +appose +apposed +apposes +apposing +apposite +appositely +appositeness +appositeness's +apposition +apposition's +appositive +appositive's +appositives +appraisal +appraisal's +appraisals +appraise +appraised +appraiser +appraiser's +appraisers +appraises +appraising +appreciable +appreciably +appreciate +appreciated +appreciates +appreciating +appreciation +appreciation's +appreciations +appreciative +appreciatively +appreciator +appreciator's +appreciators +appreciatory +apprehend +apprehended +apprehending +apprehends +apprehension +apprehension's +apprehensions +apprehensive +apprehensively +apprehensiveness +apprehensiveness's +apprentice +apprenticed +apprentice's +apprentices +apprenticeship +apprenticeship's +apprenticeships +apprenticing +apprise +apprised +apprises +apprising +approach +approachable +approached +approaches +approaching +approach's +approbation +approbation's +approbations +appropriate +appropriated +appropriately +appropriateness +appropriateness's +appropriates +appropriating +appropriation +appropriation's +appropriations +appropriator +appropriator's +appropriators +approval +approval's +approvals +approve +approved +approves +approving +approvingly +approx +approximate +approximated +approximately +approximates +approximating +approximation +approximation's +approximations +app's +apps +appurtenance +appurtenance's +appurtenances +appurtenant +APR +Apr +apricot +apricot's +apricots +April +April's +Aprils +apron +apron's +aprons +apropos +Apr's +AP's +apse +apse's +apses +apt +apter +aptest +aptitude +aptitude's +aptitudes +aptly +aptness +aptness's +Apuleius +Apuleius's +aqua +aquaculture +aquaculture's +Aquafresh +Aquafresh's +aqualung +aqualung's +aqualungs +aquamarine +aquamarine's +aquamarines +aquanaut +aquanaut's +aquanauts +aquaplane +aquaplaned +aquaplane's +aquaplanes +aquaplaning +Aquarian +aquarium +aquarium's +aquariums +Aquarius +Aquariuses +Aquarius's +aqua's +aquas +aquatic +aquatically +aquatic's +aquatics +aquatics's +aquatint +aquatints +aquavit +aquavit's +aqueduct +aqueduct's +aqueducts +aqueous +aquifer +aquifer's +aquifers +Aquila +Aquila's +aquiline +Aquinas +Aquinas's +Aquino +Aquino's +Aquitaine +Aquitaine's +AR +Ar +Ara +Arab +arabesque +arabesque's +arabesques +Arabia +Arabian +Arabian's +Arabians +Arabia's +Arabic +Arabic's +arability +arability's +Arabist +Arabist's +Arabists +arable +Arab's +Arabs +Araby +Araby's +Araceli +Araceli's +arachnid +arachnid's +arachnids +arachnophobia +Arafat +Arafat's +Aragon +Araguaya +Araguaya's +Aral +Aral's +Aramaic +Aramaic's +Aramco +Aramco's +Arapaho +Arapahoes +Arapaho's +Arapahos +Ararat +Ararat's +Ara's +Araucanian +Araucanian's +Arawak +Arawakan +Arawakan's +Arawak's +arbiter +arbiter's +arbiters +arbitrage +arbitraged +arbitrager +arbitrager's +arbitragers +arbitrage's +arbitrages +arbitrageur +arbitrageur's +arbitrageurs +arbitraging +arbitrament +arbitrament's +arbitraments +arbitrarily +arbitrariness +arbitrariness's +arbitrary +arbitrate +arbitrated +arbitrates +arbitrating +arbitration +arbitration's +arbitrator +arbitrator's +arbitrators +Arbitron +Arbitron's +arbor +arboreal +arboretum +arboretum's +arboretums +arbor's +arbors +arborvitae +arborvitae's +arborvitaes +arbutus +arbutuses +arbutus's +ARC +arc +arcade +arcade's +arcades +Arcadia +Arcadian +Arcadian's +Arcadia's +arcane +arced +arch +archaeological +archaeologically +archaeologist +archaeologist's +archaeologists +archaeology +archaeology's +archaic +archaically +archaism +archaism's +archaisms +archaist +archaist's +archaists +archangel +archangel's +archangels +archbishop +archbishopric +archbishopric's +archbishoprics +archbishop's +archbishops +archdeacon +archdeacon's +archdeacons +archdiocesan +archdiocese +archdiocese's +archdioceses +archduchess +archduchesses +archduchess's +archduke +archduke's +archdukes +Archean +Archean's +arched +archenemies +archenemy +archenemy's +archer +archer's +archers +archery +archery's +arches +archest +archetypal +archetype +archetype's +archetypes +archfiend +archfiend's +archfiends +Archibald +Archibald's +Archie +archiepiscopal +Archie's +Archimedes +Archimedes's +arching +archipelago +archipelago's +archipelagos +architect +architectonic +architectonics +architectonics's +architect's +architects +architectural +architecturally +architecture +architecture's +architectures +architrave +architrave's +architraves +archival +archive +archived +archive's +archives +archiving +archivist +archivist's +archivists +archly +archness +archness's +arch's +archway +archway's +archways +arcing +arc's +arcs +Arctic +arctic +Arctic's +arctic's +arctics +Arcturus +Arcturus's +Ardabil +Arden +Arden's +ardent +ardently +ardor +ardor's +ardors +arduous +arduously +arduousness +arduousness's +are +area +areal +area's +areas +arena +arena's +arenas +aren't +Arequipa +Arequipa's +Ares +are's +ares +Ares's +argent +Argentina +Argentina's +Argentine +Argentinean +Argentine's +Argentinian +Argentinian's +Argentinians +argent's +arginine +Argo +argon +Argonaut +Argonaut's +Argonauts +Argonne +Argonne's +argon's +Argo's +Argos +argosies +Argos's +argosy +argosy's +argot +argot's +argots +arguable +arguably +argue +argued +arguer +arguer's +arguers +argues +arguing +argument +argumentation +argumentation's +argumentative +argumentatively +argumentativeness +argumentativeness's +argument's +arguments +Argus +Argus's +argyle +argyle's +argyles +aria +Ariadne +Ariadne's +Arianism +Arianism's +aria's +arias +arid +aridity +aridity's +aridly +Ariel +Ariel's +Aries +Arieses +Aries's +aright +Ariosto +Ariosto's +arise +arisen +arises +arising +Aristarchus +Aristarchus's +Aristides +Aristides's +aristocracies +aristocracy +aristocracy's +aristocrat +aristocratic +aristocratically +aristocrat's +aristocrats +Aristophanes +Aristophanes's +Aristotelian +Aristotelian's +Aristotle +Aristotle's +arithmetic +arithmetical +arithmetically +arithmetician +arithmetician's +arithmeticians +arithmetic's +Arius +Arius's +Ariz +Arizona +Arizonan +Arizonan's +Arizonans +Arizona's +Arizonian +Arizonian's +Arizonians +Arjuna +Arjuna's +Ark +ark +Arkansan +Arkansan's +Arkansans +Arkansas +Arkansas's +Arkhangelsk +Arkhangelsk's +Ark's +ark's +arks +Arkwright +Arkwright's +Arlene +Arlene's +Arline +Arline's +Arlington +Arlington's +arm +armada +armada's +armadas +armadillo +armadillo's +armadillos +Armageddon +Armageddon's +Armageddons +Armagnac +Armagnac's +armament +armament's +armaments +Armand +Armando +Armando's +Armand's +Armani +Armani's +armature +armature's +armatures +armband +armband's +armbands +armchair +armchair's +armchairs +armed +Armenia +Armenian +Armenian's +Armenians +Armenia's +armful +armful's +armfuls +armhole +armhole's +armholes +armies +arming +Arminius +Arminius's +armistice +armistice's +armistices +armlet +armlet's +armlets +armload +armloads +Armonk +Armonk's +armor +armored +armorer +armorer's +armorers +armorial +armories +armoring +armor's +armors +armory +armory's +Armour +Armour's +armpit +armpit's +armpits +armrest +armrest's +armrests +arm's +arms +Armstrong +Armstrong's +army +army's +Arneb +Arneb's +Arnhem +Arnhem's +Arno +Arnold +Arnold's +Arno's +Arnulfo +Arnulfo's +aroma +aroma's +aromas +aromatherapist +aromatherapist's +aromatherapists +aromatherapy +aromatherapy's +aromatic +aromatically +aromatic's +aromatics +Aron +Aron's +arose +around +arousal +arousal's +arouse +aroused +arouses +arousing +arpeggio +arpeggio's +arpeggios +arr +arraign +arraigned +arraigning +arraignment +arraignment's +arraignments +arraigns +arrange +arranged +arrangement +arrangement's +arrangements +arranger +arranger's +arrangers +arranges +arranging +arrant +arras +arrases +arras's +array +arrayed +arraying +array's +arrays +arrears +arrears's +arrest +arrested +arresting +arrest's +arrests +Arrhenius +Arrhenius's +arrhythmia +arrhythmia's +arrhythmic +arrhythmical +arrival +arrival's +arrivals +arrive +arrived +arrives +arriving +arrogance +arrogance's +arrogant +arrogantly +arrogate +arrogated +arrogates +arrogating +arrogation +arrogation's +Arron +Arron's +arrow +arrowhead +arrowhead's +arrowheads +arrowroot +arrowroot's +arrow's +arrows +arroyo +arroyo's +arroyos +Ar's +arsed +arsenal +arsenal's +arsenals +arsenic +arsenic's +arsing +arson +arsonist +arsonist's +arsonists +arson's +Art +art +Artaxerxes +Artaxerxes's +Artemis +Artemis's +arterial +arteries +arteriole +arteriole's +arterioles +arteriosclerosis +arteriosclerosis's +artery +artery's +artful +artfully +artfulness +artfulness's +arthritic +arthritic's +arthritics +arthritis +arthritis's +arthropod +arthropod's +arthropods +arthroscope +arthroscope's +arthroscopes +arthroscopic +arthroscopy +Arthur +Arthurian +Arthurian's +Arthur's +artichoke +artichoke's +artichokes +article +articled +article's +articles +articulacy +articular +articulate +articulated +articulately +articulateness +articulateness's +articulates +articulating +articulation +articulation's +articulations +Artie +artier +Artie's +artiest +artifact +artifact's +artifacts +artifice +artificer +artificer's +artificers +artifice's +artifices +artificial +artificiality +artificiality's +artificially +artillery +artilleryman +artilleryman's +artillerymen +artillery's +artiness +artiness's +artisan +artisan's +artisans +artist +artiste +artiste's +artistes +artistic +artistically +artistry +artistry's +artist's +artists +artless +artlessly +artlessness +artlessness's +Art's +art's +arts +artsier +artsiest +artsy +Arturo +Arturo's +artwork +artwork's +artworks +arty +Aruba +Aruba's +arugula +arum +arum's +arums +Aryan +Aryan's +Aryans +A's +As +as +Asama +Asama's +ASAP +asap +asbestos +asbestos's +Ascella +Ascella's +ascend +ascendance +ascendance's +ascendancy +ascendancy's +ascendant +ascendant's +ascendants +ascended +ascending +ascends +Ascension +ascension +Ascension's +ascension's +ascensions +ascent +ascent's +ascents +ascertain +ascertainable +ascertained +ascertaining +ascertainment +ascertainment's +ascertains +ascetic +ascetically +asceticism +asceticism's +ascetic's +ascetics +ASCII +ASCII's +ASCIIs +ascot +ascot's +ascots +ascribable +ascribe +ascribed +ascribes +ascribing +ascription +ascription's +aseptic +aseptically +asexual +asexuality +asexuality's +asexually +Asgard +Asgard's +ash +ashamed +ashamedly +Ashanti +Ashanti's +ashcan +ashcan's +ashcans +Ashcroft +Ashcroft's +Ashe +ashed +ashen +Ashe's +ashes +Ashgabat +ashier +ashiest +Ashikaga +Ashikaga's +ashing +Ashkenazim +Ashkenazim's +Ashkhabad +Ashkhabad's +ashlar +ashlar's +ashlars +Ashlee +Ashlee's +Ashley +Ashley's +Ashmolean +Ashmolean's +ashore +ashram +ashram's +ashrams +ash's +ashtray +ashtray's +ashtrays +Ashurbanipal +Ashurbanipal's +ashy +Asia +Asiago +Asian +Asian's +Asians +Asia's +Asiatic +Asiatic's +Asiatics +aside +aside's +asides +Asimov +Asimov's +asinine +asininely +asininities +asininity +asininity's +ask +askance +asked +askew +asking +asks +ASL +aslant +asleep +ASL's +Asmara +Asmara's +asocial +Asoka +Asoka's +asp +asparagus +asparagus's +aspartame +aspartame's +ASPCA +aspect +aspect's +aspects +Aspell +Aspell's +Aspen +aspen +Aspen's +aspen's +aspens +Asperger +Asperger's +asperities +asperity +asperity's +aspersion +aspersion's +aspersions +asphalt +asphalted +asphalting +asphalt's +asphalts +asphodel +asphodel's +asphodels +asphyxia +asphyxia's +asphyxiate +asphyxiated +asphyxiates +asphyxiating +asphyxiation +asphyxiation's +asphyxiations +aspic +aspic's +aspics +Aspidiske +Aspidiske's +aspidistra +aspidistra's +aspidistras +aspirant +aspirant's +aspirants +aspirate +aspirated +aspirate's +aspirates +aspirating +aspiration +aspiration's +aspirations +aspirator +aspirator's +aspirators +aspire +aspired +aspires +aspirin +aspiring +aspirin's +aspirins +asp's +asps +Asquith +Asquith's +As's +ass +Assad +Assad's +assail +assailable +assailant +assailant's +assailants +assailed +assailing +assails +Assam +Assamese +Assamese's +Assam's +assassin +assassinate +assassinated +assassinates +assassinating +assassination +assassination's +assassinations +assassin's +assassins +assault +assaulted +assaulter +assaulting +assault's +assaults +assay +assayed +assayer +assayer's +assayers +assaying +assay's +assays +assemblage +assemblage's +assemblages +assemble +assembled +assembler +assembler's +assemblers +assembles +assemblies +assembling +Assembly +assembly +assemblyman +assemblyman's +assemblymen +assembly's +assemblywoman +assemblywoman's +assemblywomen +assent +assented +assenting +assent's +assents +assert +asserted +asserting +assertion +assertion's +assertions +assertive +assertively +assertiveness +assertiveness's +asserts +asses +assess +assessed +assesses +assessing +assessment +assessment's +assessments +assessor +assessor's +assessors +asset +asset's +assets +asseverate +asseverated +asseverates +asseverating +asseveration +asseveration's +asshole +asshole's +assholes +assiduity +assiduity's +assiduous +assiduously +assiduousness +assiduousness's +assign +assignable +assignation +assignation's +assignations +assigned +assignee +assignee's +assigner +assigner's +assigners +assigning +assignment +assignment's +assignments +assignor +assignor's +assignors +assign's +assigns +assimilate +assimilated +assimilates +assimilating +assimilation +assimilation's +Assisi +Assisi's +assist +assistance +assistance's +assistant +assistant's +assistants +assisted +assisting +assistive +assist's +assists +assize +assize's +assizes +assn +assoc +associate +associated +associate's +associates +associating +association +association's +associations +associative +assonance +assonance's +assonant +assonant's +assonants +assort +assorted +assorting +assortment +assortment's +assortments +assorts +ass's +asst +assuage +assuaged +assuages +assuaging +assumable +assume +assumed +assumes +assuming +assumption +assumption's +assumptions +assumptive +assurance +assurance's +assurances +assure +assured +assuredly +assured's +assureds +assures +assuring +Assyria +Assyrian +Assyrian's +Assyrians +Assyria's +Astaire +Astaire's +Astana +Astana's +Astarte +Astarte's +astatine +astatine's +aster +asterisk +asterisked +asterisking +asterisk's +asterisks +astern +asteroid +asteroid's +asteroids +aster's +asters +asthma +asthma's +asthmatic +asthmatically +asthmatic's +asthmatics +astigmatic +astigmatism +astigmatism's +astigmatisms +astir +Aston +astonish +astonished +astonishes +astonishing +astonishingly +astonishment +astonishment's +Aston's +Astor +Astoria +Astoria's +Astor's +astound +astounded +astounding +astoundingly +astounds +astraddle +Astrakhan +astrakhan +Astrakhan's +astrakhan's +astral +astray +astride +astringency +astringency's +astringent +astringently +astringent's +astringents +astrolabe +astrolabe's +astrolabes +astrologer +astrologer's +astrologers +astrological +astrologically +astrologist +astrologist's +astrologists +astrology +astrology's +astronaut +astronautic +astronautical +astronautics +astronautics's +astronaut's +astronauts +astronomer +astronomer's +astronomers +astronomic +astronomical +astronomically +astronomy +astronomy's +astrophysical +astrophysicist +astrophysicist's +astrophysicists +astrophysics +astrophysics's +AstroTurf +AstroTurf's +Asturias +Asturias's +astute +astutely +astuteness +astuteness's +astuter +astutest +Asunción +Asunción's +Asuncion +Asuncion's +asunder +Aswan +Aswan's +asylum +asylum's +asylums +asymmetric +asymmetrical +asymmetrically +asymmetries +asymmetry +asymmetry's +asymptomatic +asymptotic +asymptotically +asynchronous +asynchronously +At +at +Atacama +Atacama's +Atahualpa +Atahualpa's +Atalanta +Atalanta's +Atari +Atari's +Atatürk +Atatürk's +Ataturk +Ataturk's +atavism +atavism's +atavist +atavistic +atavist's +atavists +ataxia +ataxia's +ataxic +ataxic's +ataxics +ate +atelier +atelier's +ateliers +Athabasca +Athabasca's +Athabaskan +Athabaskan's +Athabaskans +Athanasius +atheism +atheism's +atheist +atheistic +atheist's +atheists +Athena +Athena's +Athene +Athene's +Athenian +Athenian's +Athenians +Athens +Athens's +atherosclerosis +atherosclerosis's +atherosclerotic +athirst +athlete +athlete's +athletes +athletic +athletically +athleticism +athletics +athletics's +athwart +atilt +atishoo +Atkins +Atkinson +Atkinson's +Atkins's +Atlanta +Atlanta's +Atlantes +Atlantic +Atlantic's +Atlantis +Atlantis's +Atlas +atlas +Atlases +atlases +Atlas's +atlas's +ATM +Atman +Atman's +atmosphere +atmosphere's +atmospheres +atmospheric +atmospherically +atmospherics +atmospherics's +ATM's +atoll +atoll's +atolls +atom +atomic +atomically +atomize +atomized +atomizer +atomizer's +atomizers +atomizes +atomizing +atom's +atoms +atonal +atonality +atonality's +atonally +atone +atoned +Atonement +atonement +atonement's +atones +atoning +atop +ATP +ATP's +Atreus +Atreus's +Atria +atria +atrial +Atria's +atrioventricular +atrium +atrium's +atrocious +atrociously +atrociousness +atrociousness's +atrocities +atrocity +atrocity's +atrophied +atrophies +atrophy +atrophying +atrophy's +atropine +atropine's +Atropos +Atropos's +At's +Ats +attach +attaché +attachable +attache +attached +attache's +attaches +attaching +attachment +attachment's +attachments +attaché's +attachés +attack +attacked +attacker +attacker's +attackers +attacking +attack's +attacks +attain +attainability +attainability's +attainable +attainder +attainder's +attained +attaining +attainment +attainment's +attainments +attains +attar +attar's +attempt +attempted +attempting +attempt's +attempts +attend +attendance +attendance's +attendances +attendant +attendant's +attendants +attended +attendee +attendee's +attendees +attender +attenders +attending +attends +attention +attention's +attentions +attentive +attentively +attentiveness +attentiveness's +attenuate +attenuated +attenuates +attenuating +attenuation +attenuation's +attest +attestation +attestation's +attestations +attested +attesting +attests +Attic +attic +Attica +Attica's +Attic's +attic's +attics +Attila +Attila's +attire +attired +attire's +attires +attiring +attitude +attitude's +attitudes +attitudinal +attitudinize +attitudinized +attitudinizes +attitudinizing +Attlee +Attlee's +Attn +attn +attorney +attorney's +attorneys +attract +attractable +attractant +attractant's +attractants +attracted +attracting +attraction +attraction's +attractions +attractive +attractively +attractiveness +attractiveness's +attracts +attributable +attribute +attributed +attribute's +attributes +attributing +attribution +attribution's +attributions +attributive +attributively +attributive's +attributives +attrition +attrition's +Attucks +Attucks's +attune +attuned +attunes +attuning +atty +ATV +atwitter +Atwood +Atwood's +atypical +atypically +Au +aubergine +aubergines +Aubrey +Aubrey's +auburn +auburn's +Auckland +Auckland's +auction +auctioned +auctioneer +auctioneer's +auctioneers +auctioning +auction's +auctions +audacious +audaciously +audaciousness +audaciousness's +audacity +audacity's +Auden +Auden's +Audi +audibility +audibility's +audible +audible's +audibles +audibly +audience +audience's +audiences +audio +audiological +audiologist +audiologist's +audiologists +audiology +audiology's +audiometer +audiometer's +audiometers +Audion +Audion's +audiophile +audiophile's +audiophiles +audio's +audios +audiotape +audiotape's +audiotapes +audiovisual +audiovisuals +audiovisuals's +Audi's +audit +audited +auditing +audition +auditioned +auditioning +audition's +auditions +auditor +auditorium +auditorium's +auditoriums +auditor's +auditors +auditory +audit's +audits +Audra +Audra's +Audrey +Audrey's +Audubon +Audubon's +Aug +Augean +Augean's +auger +auger's +augers +aught +aught's +aughts +augment +augmentation +augmentation's +augmentations +augmentative +augmented +augmenter +augmenter's +augmenters +augmenting +augments +Aug's +Augsburg +Augsburg's +augur +augured +auguries +auguring +augur's +augurs +augury +augury's +August +august +Augusta +Augustan +Augustan's +Augusta's +auguster +augustest +Augustine +Augustine's +Augustinian +Augustinian's +Augustinians +augustly +augustness +augustness's +August's +Augusts +Augustus +Augustus's +auk +auk's +auks +aunt +auntie +auntie's +aunties +aunt's +aunts +aura +aural +aurally +Aurangzeb +Aurangzeb's +aura's +auras +Aurelia +Aurelia's +Aurelio +Aurelio's +Aurelius +Aurelius's +aureole +aureole's +aureoles +Aureomycin +Aureomycin's +aureus +auricle +auricle's +auricles +auricular +Auriga +Auriga's +Aurora +aurora +Aurora's +aurora's +auroras +Au's +Auschwitz +Auschwitz's +auscultate +auscultated +auscultates +auscultating +auscultation +auscultation's +auscultations +auspice +auspice's +auspices +auspicious +auspiciously +auspiciousness +auspiciousness's +Aussie +Aussie's +Aussies +Austen +Austen's +austere +austerely +austerer +austerest +austerities +austerity +austerity's +Austerlitz +Austerlitz's +Austin +Austin's +Austins +austral +Australasia +Australasian +Australasia's +Australia +Australian +Australian's +Australians +Australia's +Australoid +Australoid's +Australopithecus +Australopithecus's +Austria +Austrian +Austrian's +Austrians +Austria's +Austronesian +Austronesian's +authentic +authentically +authenticate +authenticated +authenticates +authenticating +authentication +authentication's +authentications +authenticity +authenticity's +author +authored +authoress +authoresses +authoress's +authorial +authoring +authoritarian +authoritarianism +authoritarianism's +authoritarian's +authoritarians +authoritative +authoritatively +authoritativeness +authoritativeness's +authorities +authority +authority's +authorization +authorization's +authorizations +authorize +authorized +authorizes +authorizing +author's +authors +authorship +authorship's +autism +autism's +autistic +auto +autobahn +autobahn's +autobahns +autobiographer +autobiographer's +autobiographers +autobiographic +autobiographical +autobiographically +autobiographies +autobiography +autobiography's +autoclave +autoclave's +autoclaves +autocracies +autocracy +autocracy's +autocrat +autocratic +autocratically +autocrat's +autocrats +autocross +autodidact +autodidact's +autodidacts +autograph +autographed +autographing +autograph's +autographs +autoimmune +autoimmunity +autoimmunity's +automaker +automaker's +automakers +automate +automated +automates +automatic +automatically +automatic's +automatics +automating +automation +automation's +automatism +automatism's +automatize +automatized +automatizes +automatizing +automaton +automaton's +automatons +automobile +automobiled +automobile's +automobiles +automobiling +automotive +autonomic +autonomous +autonomously +autonomy +autonomy's +autopilot +autopilot's +autopilots +autopsied +autopsies +autopsy +autopsying +autopsy's +auto's +autos +autosuggestion +autoworker +autoworker's +autoworkers +Autumn +autumn +autumnal +Autumn's +autumn's +autumns +aux +auxiliaries +auxiliary +auxiliary's +auxin +auxin's +AV +Av +av +Ava +avail +availability +availability's +available +availed +availing +avail's +avails +avalanche +avalanche's +avalanches +Avalon +Avalon's +avarice +avarice's +avaricious +avariciously +Ava's +avast +avatar +avatar's +avatars +avaunt +avdp +Ave +ave +avenge +avenged +avenger +avenger's +avengers +avenges +avenging +Aventine +Aventine's +avenue +avenue's +avenues +aver +average +averaged +averagely +average's +averages +averaging +Avernus +Avernus's +averred +averring +Averroes +Averroes's +avers +averse +aversion +aversion's +aversions +avert +averted +averting +averts +Avery +Avery's +Ave's +Avesta +Avesta's +avg +AVI +avian +aviaries +aviary +aviary's +aviation +aviation's +aviator +aviator's +aviators +aviatrices +aviatrix +aviatrixes +aviatrix's +Avicenna +Avicenna's +avid +avidity +avidity's +avidly +Avignon +Avignon's +Avila +Avila's +avionic +avionics +avionics's +Avior +Avior's +Avis +Avis's +avitaminosis +avitaminosis's +avocado +avocado's +avocados +avocation +avocational +avocation's +avocations +Avogadro +Avogadro's +avoid +avoidable +avoidably +avoidance +avoidance's +avoided +avoiding +avoids +avoirdupois +avoirdupois's +Avon +Avon's +avouch +avouched +avouches +avouching +avow +avowal +avowal's +avowals +avowed +avowedly +avowing +avows +Av's +avuncular +avuncularly +aw +AWACS +AWACS's +await +awaited +awaiting +awaits +awake +awaken +awakened +awakening +awakening's +awakenings +awakens +awakes +awaking +award +awarded +awardee +awardees +awarding +award's +awards +aware +awareness +awareness's +awash +away +awe +awed +aweigh +awe's +awes +awesome +awesomely +awesomeness +awesomeness's +awestruck +awful +awfuller +awfullest +awfully +awfulness +awfulness's +awhile +awing +awkward +awkwarder +awkwardest +awkwardly +awkwardness +awkwardness's +awl +awl's +awls +awn +awning +awning's +awnings +awn's +awns +awoke +awoken +AWOL +AWOL's +awry +ax +axed +axes +axial +axially +axing +axiom +axiomatic +axiomatically +axiom's +axioms +Axis +axis +axis's +axle +axle's +axles +axletree +axletree's +axletrees +axolotl +axolotl's +axolotls +axon +axon's +axons +ax's +Axum +Axum's +ayah +ayah's +ayahs +Ayala +Ayala's +ayatollah +ayatollah's +ayatollahs +aye +Ayers +Ayers's +aye's +ayes +Aymara +Aymara's +Ayrshire +Ayrshire's +Ayurveda +Ayurveda's +Ayyubid +Ayyubid's +AZ +azalea +azalea's +azaleas +Azana +Azana's +Azania +Azania's +Azazel +Azazel's +Azerbaijan +Azerbaijani +Azerbaijani's +Azerbaijanis +Azerbaijan's +azimuth +azimuth's +azimuths +Azores +Azores's +Azov +Azov's +AZ's +AZT +Aztec +Aztecan +Aztecan's +Aztec's +Aztecs +Aztlan +Aztlan's +AZT's +azure +azure's +azures +B +b +BA +Ba +baa +baaed +baaing +Baal +Baal's +Baals +baa's +baas +Baath +Baathist +Baathist's +Baath's +Babbage +Babbage's +Babbitt +Babbitt's +babble +babbled +babbler +babbler's +babblers +babble's +babbles +babbling +babe +Babel +babel +Babel's +Babels +babel's +babels +babe's +babes +babied +babier +babies +babiest +baboon +baboon's +baboons +babushka +babushka's +babushkas +baby +babyhood +babyhood's +babying +babyish +Babylon +Babylonia +Babylonian +Babylonian's +Babylonians +Babylonia's +Babylon's +Babylons +baby's +babysat +babysit +babysits +babysitter +babysitter's +babysitters +babysitting +babysitting's +Bacall +Bacall's +Bacardi +Bacardi's +baccalaureate +baccalaureate's +baccalaureates +baccarat +baccarat's +bacchanal +Bacchanalia +bacchanalia +bacchanalian +bacchanalian's +bacchanalians +Bacchanalia's +bacchanalia's +bacchanal's +bacchanals +Bacchic +Bacchus +Bacchus's +baccy +Bach +bachelor +bachelorhood +bachelorhood's +bachelor's +bachelors +Bach's +bacillary +bacilli +bacillus +bacillus's +back +backache +backache's +backaches +backbench +backbenches +backbit +backbite +backbiter +backbiter's +backbiters +backbites +backbiting +backbitten +backboard +backboard's +backboards +backbone +backbone's +backbones +backbreaking +backchat +backcloth +backcloths +backcomb +backcombed +backcombing +backcombs +backdate +backdated +backdates +backdating +backdoor +backdrop +backdrop's +backdrops +backed +backer +backer's +backers +backfield +backfield's +backfields +backfire +backfired +backfire's +backfires +backfiring +backgammon +backgammon's +background +backgrounder +backgrounder's +backgrounders +background's +backgrounds +backhand +backhanded +backhandedly +backhander +backhander's +backhanders +backhanding +backhand's +backhands +backhoe +backhoe's +backhoes +backing +backing's +backings +backlash +backlashes +backlash's +backless +backlog +backlogged +backlogging +backlog's +backlogs +backpack +backpacked +backpacker +backpacker's +backpackers +backpacking +backpacking's +backpack's +backpacks +backpedal +backpedaled +backpedaling +backpedals +backrest +backrest's +backrests +backroom +backrooms +back's +backs +backscratching +backscratching's +backseat +backseat's +backseats +backside +backside's +backsides +backslapper +backslapper's +backslappers +backslapping +backslapping's +backslash +backslashes +backslash's +backslid +backslide +backslider +backslider's +backsliders +backslides +backsliding +backspace +backspaced +backspace's +backspaces +backspacing +backspin +backspin's +backstabber +backstabber's +backstabbers +backstabbing +backstage +backstage's +backstair +backstairs +backstop +backstopped +backstopping +backstop's +backstops +backstories +backstory +backstreet +backstreets +backstretch +backstretches +backstretch's +backstroke +backstroked +backstroke's +backstrokes +backstroking +backtalk +backtalk's +backtrack +backtracked +backtracking +backtracks +backup +backup's +backups +Backus +Backus's +backward +backwardly +backwardness +backwardness's +backwards +backwash +backwash's +backwater +backwater's +backwaters +backwoods +backwoodsman +backwoodsman's +backwoodsmen +backwoods's +backyard +backyard's +backyards +Bacon +bacon +Bacon's +bacon's +bacteria +bacterial +bacteria's +bactericidal +bactericide +bactericide's +bactericides +bacteriologic +bacteriological +bacteriologist +bacteriologist's +bacteriologists +bacteriology +bacteriology's +bacterium +bacterium's +Bactria +Bactria's +bad +badder +baddest +baddie +baddie's +baddies +bade +Baden +Baden's +badge +badger +badgered +badgering +badger's +badgers +badge's +badges +badinage +badinage's +Badlands +badlands +Badlands's +badlands's +badly +badman +badman's +badmen +badminton +badminton's +badmouth +badmouthed +badmouthing +badmouths +badness +badness's +bad's +Baedeker +Baedeker's +Baedekers +Baez +Baez's +Baffin +Baffin's +baffle +baffled +bafflement +bafflement's +baffler +baffler's +bafflers +baffle's +baffles +baffling +bag +bagatelle +bagatelle's +bagatelles +bagel +bagel's +bagels +bagful +bagful's +bagfuls +baggage +baggage's +bagged +baggie +baggier +Baggies +baggie's +baggies +Baggies's +baggiest +baggily +bagginess +bagginess's +bagging +baggy +Baghdad +Baghdad's +bagpipe +bagpiper +bagpiper's +bagpipers +bagpipe's +bagpipes +bag's +bags +baguette +baguette's +baguettes +Baguio +Baguio's +bah +Baha'i +Baha'i's +Bahama +Bahamanian +Bahama's +Bahamas +Bahamas's +Bahamian +Bahamian's +Bahamians +Baha'ullah +Baha'ullah's +Bahia +Bahia's +Bahrain +Bahrain's +baht +baht's +bahts +Baikal +Baikal's +bail +bailable +bailed +Bailey +bailey +Bailey's +baileys +bailiff +bailiffs +bailing +bailiwick +bailiwick's +bailiwicks +bailout +bailout's +bailouts +bail's +bails +bailsman +bailsman's +bailsmen +Baird +Baird's +bairn +bairn's +bairns +bait +baited +baiting +bait's +baits +baize +baize's +bake +baked +Bakelite +Bakelite's +Baker +baker +bakeries +Baker's +baker's +bakers +Bakersfield +Bakersfield's +bakery +bakery's +bake's +bakes +bakeshop +bakeshop's +bakeshops +baking +baklava +baklava's +baksheesh +baksheesh's +Baku +Bakunin +Bakunin's +Baku's +balaclava +balaclava's +balaclavas +balalaika +balalaika's +balalaikas +balance +balanced +balance's +balances +Balanchine +Balanchine's +balancing +Balaton +Balaton's +Balboa +balboa +Balboa's +balboa's +balboas +balconies +balcony +balcony's +bald +balded +Balder +balder +balderdash +balderdash's +Balder's +baldest +baldfaced +baldies +balding +baldly +baldness +baldness's +baldric +baldric's +baldrics +balds +Baldwin +Baldwin's +Baldwins +baldy +bale +Balearic +Balearic's +baled +baleen +baleen's +baleful +balefully +balefulness +balefulness's +baler +baler's +balers +bale's +bales +Balfour +Balfour's +Bali +Balinese +Balinese's +baling +Bali's +balk +Balkan +Balkan's +Balkans +Balkans's +balked +Balkhash +Balkhash's +balkier +balkiest +balking +balk's +balks +balky +Ball +ball +ballad +balladeer +balladeer's +balladeers +balladry +balladry's +ballad's +ballads +Ballard +Ballard's +ballast +ballasted +ballasting +ballast's +ballasts +ballcock +ballcock's +ballcocks +balled +ballerina +ballerina's +ballerinas +ballet +balletic +ballet's +ballets +ballgame +ballgame's +ballgames +ballgirl +ballgirls +ballgown +ballgowns +balling +ballistic +ballistics +ballistics's +balloon +ballooned +ballooning +balloonist +balloonist's +balloonists +balloon's +balloons +ballot +balloted +balloting +ballot's +ballots +ballpark +ballpark's +ballparks +ballplayer +ballplayer's +ballplayers +ballpoint +ballpoint's +ballpoints +ballroom +ballroom's +ballrooms +Ball's +ball's +balls +ballsed +ballses +ballsier +ballsiest +ballsing +ballsy +bally +ballyhoo +ballyhooed +ballyhooing +ballyhoo's +ballyhoos +balm +balmier +balmiest +balminess +balminess's +balm's +balms +balmy +baloney +baloney's +balsa +balsam +balsamic +balsam's +balsams +balsa's +balsas +Balthazar +Balthazar's +Baltic +Baltic's +Baltimore +Baltimore's +Baluchistan +Baluchistan's +baluster +baluster's +balusters +balustrade +balustrade's +balustrades +Balzac +Balzac's +Bamako +Bamako's +Bambi +Bambi's +bamboo +bamboo's +bamboos +bamboozle +bamboozled +bamboozles +bamboozling +ban +Banach +Banach's +banal +banalities +banality +banality's +banally +banana +banana's +bananas +Bancroft +Bancroft's +band +bandage +bandaged +bandage's +bandages +bandaging +bandanna +bandanna's +bandannas +bandbox +bandboxes +bandbox's +bandeau +bandeau's +bandeaux +banded +bandied +bandier +bandies +bandiest +banding +bandit +banditry +banditry's +bandit's +bandits +bandleader +bandleaders +bandmaster +bandmaster's +bandmasters +bandoleer +bandoleer's +bandoleers +band's +bands +bandsman +bandsman's +bandsmen +bandstand +bandstand's +bandstands +Bandung +Bandung's +bandwagon +bandwagon's +bandwagons +bandwidth +bandwidths +bandy +bandying +bane +baneful +bane's +banes +bang +Bangalore +Bangalore's +banged +banger +banging +Bangkok +Bangkok's +Bangladesh +Bangladeshi +Bangladeshi's +Bangladeshis +Bangladesh's +bangle +bangle's +bangles +Bangor +Bangor's +bang's +bangs +Bangui +Bangui's +bani +banish +banished +banishes +banishing +banishment +banishment's +banister +banister's +banisters +Banjarmasin +Banjarmasin's +banjo +banjoist +banjoist's +banjoists +banjo's +banjos +Banjul +Banjul's +bank +bankable +bankbook +bankbook's +bankbooks +bankcard +bankcard's +bankcards +banked +banker +banker's +bankers +banking +banking's +banknote +banknote's +banknotes +bankroll +bankrolled +bankrolling +bankroll's +bankrolls +bankrupt +bankruptcies +bankruptcy +bankruptcy's +bankrupted +bankrupting +bankrupt's +bankrupts +Banks +bank's +banks +Banks's +banned +Banneker +Banneker's +banner +banner's +banners +banning +Bannister +Bannister's +bannock +bannock's +bannocks +banns +banns's +banquet +banqueted +banqueter +banqueter's +banqueters +banqueting +banquet's +banquets +banquette +banquette's +banquettes +ban's +bans +banshee +banshee's +banshees +bantam +bantam's +bantams +bantamweight +bantamweight's +bantamweights +banter +bantered +bantering +banteringly +banter's +banters +Banting +Banting's +Bantu +Bantu's +Bantus +banyan +banyan's +banyans +banzai +banzai's +banzais +baobab +baobab's +baobabs +Baotou +Baotou's +bap +baps +baptism +baptismal +baptism's +baptisms +Baptist +baptist +Baptiste +baptisteries +baptistery +baptistery's +Baptiste's +Baptist's +Baptists +baptists +baptize +baptized +baptizer +baptizer's +baptizers +baptizes +baptizing +bar +Barabbas +Barabbas's +Barack +Barack's +barb +barbacoa +Barbadian +Barbadian's +Barbadians +Barbados +Barbados's +Barbara +Barbara's +Barbarella +Barbarella's +barbarian +barbarianism +barbarianism's +barbarianisms +barbarian's +barbarians +barbaric +barbarically +barbarism +barbarism's +barbarisms +barbarities +barbarity +barbarity's +barbarize +barbarized +barbarizes +barbarizing +Barbarossa +Barbarossa's +barbarous +barbarously +Barbary +Barbary's +barbecue +barbecued +barbecue's +barbecues +barbecuing +barbed +barbel +barbell +barbell's +barbells +barbel's +barbels +Barber +barber +barbered +barbering +barberries +barberry +barberry's +Barber's +barber's +barbers +barbershop +barbershop's +barbershops +Barbie +barbie +Barbie's +barbies +barbing +barbiturate +barbiturate's +barbiturates +Barbour +Barbour's +Barbra +Barbra's +barb's +barbs +Barbuda +Barbuda's +barbwire +barbwire's +barcarole +barcarole's +barcaroles +Barcelona +Barcelona's +Barclay +Barclay's +Barclays +Barclays's +bard +Bardeen +Bardeen's +bardic +bard's +bards +bare +bareback +barebacked +bared +barefaced +barefacedly +barefoot +barefooted +barehanded +bareheaded +barelegged +barely +bareness +bareness's +Barents +Barents's +barer +bares +barest +barf +barfed +barfing +barflies +barfly +barfly's +barf's +barfs +bargain +bargained +bargainer +bargainer's +bargainers +bargaining +bargain's +bargains +barge +barged +bargeman +bargeman's +bargemen +barge's +barges +barging +barhop +barhopped +barhopping +barhops +baring +barista +barista's +baristas +baritone +baritone's +baritones +barium +barium's +bark +barked +barkeep +barkeeper +barkeeper's +barkeepers +barkeep's +barkeeps +Barker +barker +Barker's +barker's +barkers +barking +Barkley +Barkley's +bark's +barks +barley +barley's +Barlow +Barlow's +barmaid +barmaid's +barmaids +barman +barman's +barmen +barmier +barmiest +barmy +barn +Barnabas +Barnabas's +Barnaby +Barnaby's +barnacle +barnacled +barnacle's +barnacles +Barnard +Barnard's +Barnaul +Barnaul's +Barnes +Barnes's +Barnett +Barnett's +Barney +barney +Barney's +barneys +barn's +barns +barnstorm +barnstormed +barnstormer +barnstormer's +barnstormers +barnstorming +barnstorms +Barnum +Barnum's +barnyard +barnyard's +barnyards +Baroda +Baroda's +barometer +barometer's +barometers +barometric +barometrically +baron +baronage +baronage's +baronages +baroness +baronesses +baroness's +baronet +baronetcies +baronetcy +baronetcy's +baronet's +baronets +baronial +baronies +baron's +barons +barony +barony's +baroque +baroque's +barque +barque's +barques +Barquisimeto +Barquisimeto's +Barr +barrack +barracked +barracking +barrack's +barracks +barracuda +barracuda's +barracudas +barrage +barraged +barrage's +barrages +barraging +Barranquilla +Barranquilla's +barre +barred +barrel +barreled +barreling +barrel's +barrels +barren +barrener +barrenest +barrenness +barrenness's +barren's +barrens +Barrera +Barrera's +barre's +barres +Barrett +barrette +barrette's +barrettes +Barrett's +barricade +barricaded +barricade's +barricades +barricading +Barrie +barrier +barrier's +barriers +Barrie's +barring +barrings +barrio +barrio's +barrios +barrister +barrister's +barristers +Barron +Barron's +barroom +barroom's +barrooms +barrow +barrow's +barrows +Barr's +Barry +Barrymore +Barrymore's +Barry's +bar's +bars +Bart +bartender +bartender's +bartenders +barter +bartered +barterer +barterer's +barterers +bartering +barter's +barters +Barth +Barthes +Bartholdi +Bartholdi's +Bartholomew +Bartholomew's +Barth's +Bartók +Bartók's +Bartlett +Bartlett's +Bartok +Bartok's +Barton +Barton's +Bart's +Baruch +Baruch's +baryon +baryon's +baryons +Baryshnikov +Baryshnikov's +BA's +Ba's +basal +basally +basalt +basaltic +basalt's +base +baseball +baseball's +baseballs +baseboard +baseboard's +baseboards +based +Basel +baseless +baseline +baseline's +baselines +Basel's +basely +baseman +baseman's +basemen +basement +basement's +basements +baseness +baseness's +baser +base's +bases +basest +bash +bashed +bashes +bashful +bashfully +bashfulness +bashfulness's +bashing +bashing's +Basho +Basho's +bash's +BASIC +basic +basically +BASIC's +BASICs +basic's +basics +Basie +Basie's +Basil +basil +basilica +basilica's +basilicas +basilisk +basilisk's +basilisks +Basil's +basil's +basin +basinful +basinful's +basinfuls +basing +basin's +basins +basis +basis's +bask +basked +basket +basketball +basketball's +basketballs +basketry +basketry's +basket's +baskets +basketwork +basketwork's +basking +basks +Basque +basque +Basque's +Basques +basques +Basra +Basra's +Bass +bass +basses +basset +Basseterre +Basseterre's +basset's +bassets +bassinet +bassinet's +bassinets +bassist +bassist's +bassists +basso +bassoon +bassoonist +bassoonist's +bassoonists +bassoon's +bassoons +basso's +bassos +Bass's +bass's +basswood +basswood's +basswoods +bast +bastard +bastardization +bastardization's +bastardizations +bastardize +bastardized +bastardizes +bastardizing +bastard's +bastards +bastardy +bastardy's +baste +basted +baster +baster's +basters +bastes +Bastille +Bastille's +basting +bastion +bastion's +bastions +bast's +Basutoland +Basutoland's +bat +Bataan +Bataan's +batch +batched +batches +batching +batch's +bate +bated +Bates +bates +Bates's +bath +bathe +bathed +bather +bather's +bathers +bathe's +bathes +bathetic +bathhouse +bathhouse's +bathhouses +bathing +bathing's +bathmat +bathmat's +bathmats +bathos +bathos's +bathrobe +bathrobe's +bathrobes +bathroom +bathroom's +bathrooms +bath's +baths +Bathsheba +Bathsheba's +bathtub +bathtub's +bathtubs +bathwater +bathyscaphe +bathyscaphe's +bathyscaphes +bathysphere +bathysphere's +bathyspheres +batik +batik's +batiks +bating +Batista +Batista's +batiste +batiste's +Batman +batman +Batman's +batman's +batmen +baton +baton's +batons +bat's +bats +batsman +batsman's +batsmen +battalion +battalion's +battalions +batted +batten +battened +battening +batten's +battens +batter +battered +batterer +batterer's +batterers +batteries +battering +batterings +batter's +batters +battery +battery's +battier +battiest +batting +batting's +Battle +battle +battleaxe +battleaxe's +battleaxes +battled +battledore +battledore's +battledores +battledress +battlefield +battlefield's +battlefields +battlefront +battlefront's +battlefronts +battleground +battleground's +battlegrounds +battlement +battlement's +battlements +battler +battler's +battlers +Battle's +battle's +battles +battleship +battleship's +battleships +battling +batty +Batu +Batu's +bauble +bauble's +baubles +baud +Baudelaire +Baudelaire's +Baudouin +Baudouin's +Baudrillard +Baudrillard's +baud's +bauds +Bauer +Bauer's +Bauhaus +Bauhaus's +Baum +Baum's +bauxite +bauxite's +Bavaria +Bavarian +Bavarian's +Bavaria's +bawd +bawdier +bawdiest +bawdily +bawdiness +bawdiness's +bawd's +bawds +bawdy +bawl +bawled +bawling +bawl's +bawls +Baxter +Baxter's +bay +Bayamon +bayberries +bayberry +bayberry's +bayed +Bayer +Bayer's +Bayes +Bayesian +Bayesian's +Bayes's +Bayeux +Bayeux's +baying +Baylor +Baylor's +bayonet +bayoneted +bayoneting +bayonet's +bayonets +Bayonne +Bayonne's +bayou +bayou's +bayous +Bayreuth +Bayreuth's +bay's +bays +Baywatch +Baywatch's +bazaar +bazaar's +bazaars +bazillion +bazillions +bazooka +bazooka's +bazookas +BB +BBB +BBB's +BBC +BBC's +bbl +BBQ +BB's +BBS +BBSes +BC +BC's +bdrm +Be +be +Beach +beach +beachcomber +beachcomber's +beachcombers +beached +beaches +beachfront +beachhead +beachhead's +beachheads +beaching +Beach's +beach's +beachwear +beachwear's +beacon +beacon's +beacons +bead +beaded +beadier +beadiest +beading +beading's +Beadle +beadle +Beadle's +beadle's +beadles +bead's +beads +beady +beagle +beagle's +beagles +beak +beaked +beaker +beaker's +beakers +beak's +beaks +beam +beamed +beaming +beam's +beams +Bean +bean +beanbag +beanbag's +beanbags +beaned +beanfeast +beanfeasts +beanie +beanie's +beanies +beaning +beanpole +beanpole's +beanpoles +Bean's +bean's +beans +beansprout +beansprouts +beanstalk +beanstalk's +beanstalks +bear +bearable +bearably +Beard +beard +bearded +bearding +beardless +Beardmore +Beardmore's +Beard's +beard's +beards +Beardsley +Beardsley's +bearer +bearer's +bearers +bearing +bearing's +bearings +bearish +bearishly +bearishness +bearishness's +bearlike +Bearnaise +Bearnaise's +bear's +bears +bearskin +bearskin's +bearskins +Beasley +Beasley's +beast +beastlier +beastliest +beastliness +beastliness's +beastly +beastly's +beast's +beasts +beat +beatable +beaten +beater +beater's +beaters +beatific +beatifically +beatification +beatification's +beatifications +beatified +beatifies +beatify +beatifying +beating +beating's +beatings +beatitude +beatitude's +beatitudes +Beatlemania +Beatlemania's +Beatles +Beatles's +beatnik +beatnik's +beatniks +Beatrice +Beatrice's +Beatrix +Beatrix's +Beatriz +Beatriz's +beat's +beats +Beatty +Beatty's +Beau +beau +Beaufort +Beaufort's +Beaujolais +Beaujolais's +Beaumarchais +Beaumarchais's +Beaumont +Beaumont's +Beauregard +Beauregard's +Beau's +beau's +beaus +beaut +beauteous +beauteously +beautician +beautician's +beauticians +beauties +beautification +beautification's +beautified +beautifier +beautifier's +beautifiers +beautifies +beautiful +beautifully +beautify +beautifying +beaut's +beauts +beauty +beauty's +Beauvoir +Beauvoir's +beaver +beavered +beavering +beaver's +beavers +bebop +bebop's +bebops +becalm +becalmed +becalming +becalms +became +because +Bechtel +Bechtel's +Beck +beck +Becker +Becker's +Becket +Becket's +Beckett +Beckett's +beckon +beckoned +beckoning +beckons +Beck's +beck's +becks +Becky +Becky's +becloud +beclouded +beclouding +beclouds +become +becomes +becoming +becomingly +Becquerel +becquerel +Becquerel's +becquerels +bed +bedaub +bedaubed +bedaubing +bedaubs +bedazzle +bedazzled +bedazzlement +bedazzlement's +bedazzles +bedazzling +bedbug +bedbug's +bedbugs +bedchamber +bedchambers +bedclothes +bedclothes's +bedded +bedder +bedding +bedding's +Bede +bedeck +bedecked +bedecking +bedecks +Bede's +bedevil +bedeviled +bedeviling +bedevilment +bedevilment's +bedevils +bedfellow +bedfellow's +bedfellows +bedhead +bedheads +bedim +bedimmed +bedimming +bedims +bedizen +bedizened +bedizening +bedizens +bedlam +bedlam's +bedlams +Bedouin +Bedouin's +Bedouins +bedpan +bedpan's +bedpans +bedpost +bedpost's +bedposts +bedraggle +bedraggled +bedraggles +bedraggling +bedridden +bedrock +bedrock's +bedrocks +bedroll +bedroll's +bedrolls +bedroom +bedroom's +bedrooms +bed's +beds +bedside +bedside's +bedsides +bedsit +bedsits +bedsitter +bedsitters +bedsore +bedsore's +bedsores +bedspread +bedspread's +bedspreads +bedstead +bedstead's +bedsteads +bedtime +bedtime's +bedtimes +bee +Beebe +Beebe's +beebread +beebread's +beech +Beecher +Beecher's +beeches +beechnut +beechnut's +beechnuts +beech's +beef +Beefaroni +Beefaroni's +beefburger +beefburger's +beefburgers +beefcake +beefcake's +beefcakes +beefed +beefier +beefiest +beefiness +beefiness's +beefing +beef's +beefs +beefsteak +beefsteak's +beefsteaks +beefy +beehive +beehive's +beehives +beekeeper +beekeeper's +beekeepers +beekeeping +beekeeping's +beeline +beeline's +beelines +Beelzebub +Beelzebub's +been +beep +beeped +beeper +beeper's +beepers +beeping +beep's +beeps +beer +Beerbohm +Beerbohm's +beerier +beeriest +beer's +beers +beery +bee's +bees +beeswax +beeswax's +beet +Beethoven +Beethoven's +beetle +beetled +beetle's +beetles +beetling +Beeton +Beeton's +beetroot +beetroots +beet's +beets +beeves +befall +befallen +befalling +befalls +befell +befit +befits +befitted +befitting +befittingly +befog +befogged +befogging +befogs +before +beforehand +befoul +befouled +befouling +befouls +befriend +befriended +befriending +befriends +befuddle +befuddled +befuddlement +befuddlement's +befuddles +befuddling +beg +began +begat +beget +begets +begetter +begetters +begetting +beggar +beggared +beggaring +beggarly +beggar's +beggars +beggary +beggary's +begged +begging +Begin +begin +beginner +beginner's +beginners +beginning +beginning's +beginnings +Begin's +begins +begone +begonia +begonia's +begonias +begot +begotten +begrime +begrimed +begrimes +begriming +begrudge +begrudged +begrudges +begrudging +begrudgingly +begs +beguile +beguiled +beguilement +beguilement's +beguiler +beguiler's +beguilers +beguiles +beguiling +beguilingly +beguine +beguine's +beguines +begum +begum's +begums +begun +behalf +behalf's +behalves +Behan +Behan's +behave +behaved +behaves +behaving +behavior +behavioral +behaviorally +behaviorism +behaviorism's +behaviorist +behaviorist's +behaviorists +behavior's +behaviors +behead +beheaded +beheading +beheads +beheld +behemoth +behemoth's +behemoths +behest +behest's +behests +behind +behindhand +behind's +behinds +behold +beholden +beholder +beholder's +beholders +beholding +beholds +behoove +behooved +behooves +behooving +Behring +Behring's +Beiderbecke +Beiderbecke's +beige +beige's +Beijing +Beijing's +being +being's +beings +Beirut +Beirut's +bejewel +bejeweled +bejeweling +bejewels +Bekesy +Bekesy's +Bela +belabor +belabored +belaboring +belabors +Belarus +Belarusian +Belarus's +Bela's +belated +belatedly +Belau +Belau's +belay +belayed +belaying +belays +belch +belched +belches +belching +belch's +beleaguer +beleaguered +beleaguering +beleaguers +Belem +Belem's +Belfast +Belfast's +belfries +belfry +belfry's +Belg +Belgian +Belgian's +Belgians +Belgium +Belgium's +Belgrade +Belgrade's +belie +belied +belief +belief's +beliefs +belies +believable +believably +believe +believed +believer +believer's +believers +believes +believing +Belinda +Belinda's +belittle +belittled +belittlement +belittlement's +belittles +belittling +Belize +Belize's +Bell +bell +Bella +belladonna +belladonna's +Bellamy +Bellamy's +Bella's +Bellatrix +Bellatrix's +bellboy +bellboy's +bellboys +belle +belled +Belleek +Belleek's +belle's +belles +belletrist +belletristic +belletrist's +belletrists +bellhop +bellhop's +bellhops +bellicose +bellicosity +bellicosity's +bellied +bellies +belligerence +belligerence's +belligerency +belligerency's +belligerent +belligerently +belligerent's +belligerents +belling +Bellini +Bellini's +bellman +bellman's +bellmen +Bellow +bellow +bellowed +bellowing +Bellow's +bellow's +bellows +Bell's +bell's +bells +bellwether +bellwether's +bellwethers +belly +bellyache +bellyached +bellyache's +bellyaches +bellyaching +bellybutton +bellybutton's +bellybuttons +bellyful +bellyful's +bellyfuls +bellying +belly's +Belmont +Belmont's +Belmopan +Belmopan's +belong +belonged +belonging +belonging's +belongings +belongs +Belorussian +Belorussian's +Belorussians +beloved +beloved's +beloveds +below +Belshazzar +Belshazzar's +belt +Beltane +Beltane's +belted +belting +belt's +belts +beltway +beltway's +beltways +beluga +beluga's +belugas +Belushi +Belushi's +belying +bemire +bemired +bemires +bemiring +bemoan +bemoaned +bemoaning +bemoans +bemuse +bemused +bemusedly +bemusement +bemusement's +bemuses +bemusing +Ben +Benacerraf +Benacerraf's +bench +benched +benches +benching +Benchley +Benchley's +benchmark +benchmark's +benchmarks +bench's +bend +bendable +Bender +bender +Bender's +bender's +benders +Bendictus +bendier +bendiest +bending +Bendix +Bendix's +bend's +bends +bendy +beneath +Benedict +Benedictine +benedictine +Benedictine's +Benedictines +benediction +benediction's +benedictions +benedictory +Benedict's +benefaction +benefaction's +benefactions +benefactor +benefactor's +benefactors +benefactress +benefactresses +benefactress's +benefice +beneficence +beneficence's +beneficent +beneficently +benefice's +benefices +beneficial +beneficially +beneficiaries +beneficiary +beneficiary's +benefit +benefited +benefiting +benefit's +benefits +Benelux +Benelux's +Benet +Benet's +Benetton +Benetton's +benevolence +benevolence's +benevolences +benevolent +benevolently +Bengal +Bengali +Bengali's +Bengal's +Bengals +Benghazi +Benghazi's +benighted +benightedly +benign +benignant +benignity +benignity's +benignly +Benin +Beninese +Beninese's +Benin's +Benita +Benita's +Benito +Benito's +Benjamin +Benjamin's +Bennett +Bennett's +Bennie +Bennie's +Benny +Benny's +Ben's +Benson +Benson's +bent +Bentham +Bentham's +Bentley +Bentley's +Benton +Benton's +bent's +bents +bentwood +bentwood's +benumb +benumbed +benumbing +benumbs +Benz +Benzedrine +Benzedrine's +benzene +benzene's +benzine +benzine's +Benz's +benzyl +Beowulf +Beowulf's +bequeath +bequeathed +bequeathing +bequeaths +bequest +bequest's +bequests +berate +berated +berates +berating +Berber +Berber's +Berbers +bereave +bereaved +bereavement +bereavement's +bereavements +bereaves +bereaving +bereft +Berenice +Berenice's +beret +beret's +berets +Beretta +Beretta's +Berg +berg +Bergen +Bergen's +Berger +Bergerac +Bergerac's +Berger's +Bergman +Bergman's +Berg's +berg's +bergs +Bergson +Bergson's +Beria +Beria's +beriberi +beriberi's +Bering +Bering's +berk +Berkeley +Berkeley's +berkelium +berkelium's +berks +Berkshire +Berkshire's +Berkshires +Berkshires's +Berle +Berle's +Berlin +Berliner +Berliner's +Berliners +Berlin's +Berlins +Berlioz +Berlioz's +Berlitz +Berlitz's +berm +berm's +berms +Bermuda +Bermudan +Bermudan's +Bermudans +Bermuda's +Bermudas +Bermudian +Bermudian's +Bermudians +Bern +Bernadette +Bernadette's +Bernadine +Bernadine's +Bernanke +Bernanke's +Bernard +Bernardo +Bernardo's +Bernard's +Bernays +Bernays's +Bernbach +Bernbach's +Bernese +Bernhardt +Bernhardt's +Bernice +Bernice's +Bernie +Bernie's +Bernini +Bernini's +Bernoulli +Bernoulli's +Bern's +Bernstein +Bernstein's +Berra +Berra's +berried +berries +Berry +berry +berrying +berrylike +Berry's +berry's +berserk +Bert +Berta +Berta's +Bertelsmann +Bertelsmann's +berth +Bertha +Bertha's +berthed +berthing +berth's +berths +Bertie +Bertie's +Bertillon +Bertillon's +Bertram +Bertram's +Bertrand +Bertrand's +Bert's +Beryl +beryl +beryllium +beryllium's +Beryl's +beryl's +beryls +Berzelius +Berzelius's +Be's +beseech +beseecher +beseecher's +beseechers +beseeches +beseeching +beseechingly +beseem +beseemed +beseeming +beseems +beset +besets +besetting +beside +besides +besiege +besieged +besieger +besieger's +besiegers +besieges +besieging +besmear +besmeared +besmearing +besmears +besmirch +besmirched +besmirches +besmirching +besom +besom's +besoms +besot +besots +besotted +besotting +besought +bespangle +bespangled +bespangles +bespangling +bespatter +bespattered +bespattering +bespatters +bespeak +bespeaking +bespeaks +bespectacled +bespoke +bespoken +Bess +Bessel +Bessel's +Bessemer +Bessemer's +Bessie +Bessie's +Bess's +Best +best +bested +bestial +bestiality +bestiality's +bestially +bestiaries +bestiary +bestiary's +besting +bestir +bestirred +bestirring +bestirs +bestow +bestowal +bestowal's +bestowals +bestowed +bestowing +bestows +bestrew +bestrewed +bestrewing +bestrewn +bestrews +bestridden +bestride +bestrides +bestriding +bestrode +Best's +best's +bests +bestseller +bestseller's +bestsellers +bestselling +bet +beta +betake +betaken +betakes +betaking +beta's +betas +betcha +betel +Betelgeuse +Betelgeuse's +betel's +Beth +Bethany +Bethany's +Bethe +Bethe's +Bethesda +Bethesda's +bethink +bethinking +bethinks +Bethlehem +Bethlehem's +bethought +Beth's +Bethune +Bethune's +betide +betided +betides +betiding +betimes +betoken +betokened +betokening +betokens +betook +betray +betrayal +betrayal's +betrayals +betrayed +betrayer +betrayer's +betrayers +betraying +betrays +betroth +betrothal +betrothal's +betrothals +betrothed +betrothed's +betrothing +betroths +bet's +bets +Betsy +Betsy's +Bette +better +bettered +bettering +betterment +betterment's +better's +betters +Bette's +Bettie +Bettie's +betting +bettor +bettor's +bettors +Betty +Bettye +Bettye's +Betty's +between +betwixt +Beulah +Beulah's +bevel +beveled +beveling +bevel's +bevels +beverage +beverage's +beverages +Beveridge +Beverley +Beverley's +Beverly +Beverly's +bevies +bevvies +bevvy +bevy +bevy's +bewail +bewailed +bewailing +bewails +beware +bewared +bewares +bewaring +bewhiskered +bewigged +bewilder +bewildered +bewildering +bewilderingly +bewilderment +bewilderment's +bewilders +bewitch +bewitched +bewitches +bewitching +bewitchingly +bewitchment +bewitchment's +bey +Beyer +Beyer's +beyond +bey's +beys +bezel +bezel's +bezels +bf +BFF +bhaji +Bharat +Bharat's +Bhopal +Bhopal's +Bhutan +Bhutanese +Bhutanese's +Bhutan's +Bhutto +Bhutto's +Bi +bi +BIA +Bialystok +Bialystok's +Bianca +Bianca's +biannual +biannually +bias +biased +biases +biasing +bias's +biathlon +biathlon's +biathlons +Bib +bib +Bible +bible +Bible's +Bibles +bible's +bibles +biblical +bibliographer +bibliographer's +bibliographers +bibliographic +bibliographical +bibliographically +bibliographies +bibliography +bibliography's +bibliophile +bibliophile's +bibliophiles +bib's +bibs +bibulous +Bic +bicameral +bicameralism +bicameralism's +bicarb +bicarbonate +bicarbonate's +bicarbonates +bicarb's +bicarbs +bicentenaries +bicentenary +bicentenary's +bicentennial +bicentennial's +bicentennials +bicep +bicep's +biceps +biceps's +bicker +bickered +bickerer +bickerer's +bickerers +bickering +bicker's +bickers +biconcave +biconvex +Bic's +bicuspid +bicuspid's +bicuspids +bicycle +bicycled +bicycler +bicycler's +bicyclers +bicycle's +bicycles +bicycling +bicyclist +bicyclist's +bicyclists +bid +biddable +bidden +bidder +bidder's +bidders +biddies +bidding +bidding's +Biddle +Biddle's +biddy +biddy's +bide +Biden +Biden's +bides +bidet +bidet's +bidets +biding +bidirectional +bidirectionally +bid's +bids +biennial +biennially +biennial's +biennials +biennium +biennium's +bienniums +bier +Bierce +Bierce's +bier's +biers +biff +biffed +biffing +biffs +bifocal +bifocals +bifocals's +bifurcate +bifurcated +bifurcates +bifurcating +bifurcation +bifurcation's +bifurcations +big +bigamist +bigamist's +bigamists +bigamous +bigamy +bigamy's +Bigfoot +Bigfoot's +bigger +biggest +biggie +biggie's +biggies +biggish +Biggles +Biggles's +bighead +bighead's +bigheads +bighearted +bigheartedness +bigheartedness's +bighorn +bighorn's +bighorns +bight +bight's +bights +bigmouth +bigmouth's +bigmouths +bigness +bigness's +bigot +bigoted +bigotries +bigotry +bigotry's +bigot's +bigots +bigwig +bigwig's +bigwigs +bijou +bijou's +bijoux +bike +biked +biker +biker's +bikers +bike's +bikes +biking +bikini +bikini's +bikinis +Biko +Biko's +bilabial +bilabial's +bilabials +bilateral +bilaterally +Bilbao +Bilbao's +bilberries +bilberry +Bilbo +Bilbo's +bile +bile's +bilge +bilge's +bilges +bilingual +bilingualism +bilingualism's +bilingually +bilingual's +bilinguals +bilious +biliousness +biliousness's +bilirubin +bilk +bilked +bilker +bilker's +bilkers +bilking +bilks +Bill +bill +billable +billboard +billboard's +billboards +billed +billet +billeted +billeting +billet's +billets +billfold +billfold's +billfolds +billhook +billhooks +billiard +billiards +billiards's +Billie +Billie's +billies +billing +Billings +billing's +billings +billingsgate +billingsgate's +Billings's +billion +billionaire +billionaire's +billionaires +billion's +billions +billionth +billionth's +billionths +billow +billowed +billowing +billow's +billows +billowy +Bill's +bill's +bills +Billy +billy +billycan +billycans +Billy's +billy's +bimbo +bimbo's +bimbos +bimetallic +bimetallic's +bimetallics +bimetallism +bimetallism's +Bimini +Bimini's +bimonthlies +bimonthly +bimonthly's +bin +binaries +binary +binary's +bind +binder +binderies +binder's +binders +bindery +bindery's +binding +binding's +bindings +bind's +binds +bindweed +bindweed's +binge +binged +binge's +binges +bingo +bingo's +binman +binmen +binnacle +binnacle's +binnacles +binned +binning +binocular +binocular's +binoculars +binomial +binomial's +binomials +bin's +bins +bio +biochemical +biochemically +biochemical's +biochemicals +biochemist +biochemistry +biochemistry's +biochemist's +biochemists +biodegradability +biodegradability's +biodegradable +biodegrade +biodegraded +biodegrades +biodegrading +biodiversity +biodiversity's +bioethics +bioethics's +biofeedback +biofeedback's +biog +biographer +biographer's +biographers +biographic +biographical +biographically +biographies +biography +biography's +Bioko +Bioko's +biol +biologic +biological +biologically +biologist +biologist's +biologists +biology +biology's +biomass +biomass's +biomedical +bionic +bionically +bionics +bionics's +biophysical +biophysicist +biophysicist's +biophysicists +biophysics +biophysics's +biopic +biopic's +biopics +biopsied +biopsies +biopsy +biopsying +biopsy's +bioreactor +bioreactors +biorhythm +biorhythm's +biorhythms +BIOS +bio's +bios +biosensor +biosensors +biosphere +biosphere's +biospheres +biosynthesis +biotech +biotechnological +biotechnology +biotechnology's +biotin +biotin's +bipartisan +bipartisanship +bipartisanship's +bipartite +biped +bipedal +biped's +bipeds +biplane +biplane's +biplanes +bipolar +bipolarity +bipolarity's +biracial +birch +birched +birches +birching +birch's +Bird +bird +birdbath +birdbath's +birdbaths +birdbrain +birdbrained +birdbrain's +birdbrains +birdcage +birdcages +birded +birder +birder's +birders +birdhouse +birdhouse's +birdhouses +birdie +birdied +birdieing +birdie's +birdies +birding +birdlike +birdlime +birdlime's +Bird's +bird's +birds +birdseed +birdseed's +Birdseye +Birdseye's +birdsong +birdwatcher +birdwatcher's +birdwatchers +birdying +biretta +biretta's +birettas +Birkenstock +Birkenstock's +Birmingham +Birmingham's +Biro +Biro's +birth +birthday +birthday's +birthdays +birthed +birther +birther's +birthers +birthing +birthmark +birthmark's +birthmarks +birthplace +birthplace's +birthplaces +birthrate +birthrate's +birthrates +birthright +birthright's +birthrights +birth's +births +birthstone +birthstone's +birthstones +Bi's +bi's +bis +Biscay +Biscayne +Biscayne's +Biscay's +biscuit +biscuit's +biscuits +bisect +bisected +bisecting +bisection +bisection's +bisections +bisector +bisector's +bisectors +bisects +bisexual +bisexuality +bisexuality's +bisexually +bisexual's +bisexuals +Bishkek +Bishkek's +Bishop +bishop +bishopric +bishopric's +bishoprics +Bishop's +bishop's +bishops +Bismarck +Bismarck's +Bismark +Bismark's +bismuth +bismuth's +bison +bison's +bisque +bisque's +Bisquick +Bisquick's +Bissau +Bissau's +bistro +bistro's +bistros +bit +bitch +bitched +bitches +bitchier +bitchiest +bitchily +bitchiness +bitchiness's +bitching +bitch's +bitchy +bitcoin +bitcoin's +bitcoins +bite +biter +biter's +biters +bite's +bites +biting +bitingly +bitmap +bitmaps +BITNET +bit's +bits +bitten +bitter +bitterer +bitterest +bitterly +bittern +bitterness +bitterness's +bittern's +bitterns +bitter's +bitters +bitters's +bittersweet +bittersweet's +bittersweets +bittier +bittiest +BitTorrent +BitTorrent's +bitty +bitumen +bitumen's +bituminous +bivalent +bivalve +bivalve's +bivalves +bivouac +bivouacked +bivouacking +bivouac's +bivouacs +biweeklies +biweekly +biweekly's +biyearly +biz +bizarre +bizarrely +Bizet +Bizet's +biz's +Bjerknes +Bjerknes's +Bjork +Bjork's +Bk +bk +Bk's +bl +blab +blabbed +blabber +blabbered +blabbering +blabbermouth +blabbermouth's +blabbermouths +blabbers +blabbing +blab's +blabs +black +blackamoor +blackamoor's +blackamoors +blackball +blackballed +blackballing +blackball's +blackballs +Blackbeard +Blackbeard's +blackberries +BlackBerry +blackberry +blackberrying +BlackBerry's +blackberry's +blackbird +blackbird's +blackbirds +blackboard +blackboard's +blackboards +Blackburn +Blackburn's +blackcurrant +blackcurrants +blacked +blacken +blackened +blackening +blackens +blacker +blackest +blackface +Blackfeet +Blackfeet's +Blackfoot +Blackfoot's +blackguard +blackguard's +blackguards +blackhead +blackhead's +blackheads +blacking +blacking's +blackish +blackjack +blackjacked +blackjacking +blackjack's +blackjacks +blackleg +blacklegs +blacklist +blacklisted +blacklisting +blacklist's +blacklists +blackly +blackmail +blackmailed +blackmailer +blackmailer's +blackmailers +blackmailing +blackmail's +blackmails +blackness +blackness's +blackout +blackout's +blackouts +Blackpool +Blackpool's +black's +blacks +Blackshirt +Blackshirt's +blacksmith +blacksmith's +blacksmiths +blacksnake +blacksnake's +blacksnakes +Blackstone +Blackstone's +blackthorn +blackthorn's +blackthorns +blacktop +blacktopped +blacktopping +blacktop's +blacktops +Blackwell +Blackwell's +bladder +bladder's +bladders +blade +bladed +blade's +blades +blag +blagged +blagging +blags +blah +blah's +blahs +blahs's +Blaine +Blaine's +Blair +Blair's +Blake +Blake's +blamable +blame +blamed +blameless +blamelessly +blamelessness +blamelessness's +blamer +blame's +blames +blameworthiness +blameworthiness's +blameworthy +blaming +blammo +Blanca +Blanca's +blanch +Blanchard +Blanchard's +Blanche +blanched +Blanche's +blanches +blanching +blancmange +blancmange's +blancmanges +bland +blander +blandest +blandish +blandished +blandishes +blandishing +blandishment +blandishment's +blandishments +blandly +blandness +blandness's +blank +blanked +Blankenship +Blankenship's +blanker +blankest +blanket +blanketed +blanketing +blanket's +blankets +blanking +blankly +blankness +blankness's +blank's +blanks +Blantyre +Blantyre's +blare +blared +blare's +blares +blaring +blarney +blarneyed +blarneying +blarney's +blarneys +blasé +blase +blaspheme +blasphemed +blasphemer +blasphemer's +blasphemers +blasphemes +blasphemies +blaspheming +blasphemous +blasphemously +blasphemy +blasphemy's +blast +blasted +blaster +blaster's +blasters +blasting +blastoff +blastoff's +blastoffs +blast's +blasts +blat +blatancies +blatancy +blatancy's +blatant +blatantly +blather +blathered +blathering +blather's +blathers +blats +Blatz +Blatz's +Blavatsky +Blavatsky's +blaze +blazed +blazer +blazer's +blazers +blaze's +blazes +blazing +blazon +blazoned +blazoning +blazon's +blazons +bldg +bleach +bleached +bleacher +bleacher's +bleachers +bleaches +bleaching +bleach's +bleak +bleaker +bleakest +bleakly +bleakness +bleakness's +blear +blearier +bleariest +blearily +bleariness +bleariness's +bleary +bleat +bleated +bleating +bleat's +bleats +bled +bleed +bleeder +bleeder's +bleeders +bleeding +bleeding's +bleeds +bleep +bleeped +bleeper +bleeper's +bleepers +bleeping +bleep's +bleeps +blemish +blemished +blemishes +blemishing +blemish's +blench +blenched +blenches +blenching +blend +blended +blender +blender's +blenders +blending +blend's +blends +Blenheim +Blenheim's +bless +blessed +blessedly +blessedness +blessedness's +blesses +blessing +blessing's +blessings +bletch +Blevins +Blevins's +blew +Bligh +Bligh's +blight +blighted +blighter +blighters +blighting +blight's +blights +blimey +blimp +blimpish +blimp's +blimps +blind +blinded +blinder +blinder's +blinders +blindest +blindfold +blindfolded +blindfolding +blindfold's +blindfolds +blinding +blindingly +blindly +blindness +blindness's +blind's +blinds +blindside +blindsided +blindsides +blindsiding +bling +blini +blini's +blinis +blink +blinked +blinker +blinkered +blinkering +blinker's +blinkers +blinking +blink's +blinks +blintz +blintze +blintze's +blintzes +blintz's +blip +blip's +blips +bliss +blissful +blissfully +blissfulness +blissfulness's +bliss's +blister +blistered +blistering +blisteringly +blister's +blisters +blistery +blithe +blithely +blitheness +blitheness's +blither +blithering +blithesome +blithest +blitz +blitzed +blitzes +blitzing +blitzkrieg +blitzkrieg's +blitzkriegs +blitz's +blivet +blivets +blizzard +blizzard's +blizzards +bloat +bloated +bloater +bloaters +bloating +bloats +bloatware +blob +blobbed +blobbing +blob's +blobs +bloc +Bloch +Bloch's +block +blockade +blockaded +blockader +blockader's +blockaders +blockade's +blockades +blockading +blockage +blockage's +blockages +Blockbuster +blockbuster +Blockbuster's +blockbuster's +blockbusters +blockbusting +blockbusting's +blocked +blocker +blocker's +blockers +blockhead +blockhead's +blockheads +blockhouse +blockhouse's +blockhouses +blocking +block's +blocks +bloc's +blocs +Bloemfontein +Bloemfontein's +blog +blogged +blogger +blogger's +bloggers +blogging +blog's +blogs +bloke +bloke's +blokes +blokish +blond +blonde +Blondel +Blondel's +blonder +blonde's +blondes +blondest +Blondie +Blondie's +blondish +blondness +blondness's +blond's +blonds +blood +bloodbath +bloodbath's +bloodbaths +bloodcurdling +blooded +bloodhound +bloodhound's +bloodhounds +bloodied +bloodier +bloodies +bloodiest +bloodily +bloodiness +bloodiness's +blooding +bloodless +bloodlessly +bloodlessness +bloodlessness's +bloodletting +bloodletting's +bloodline +bloodline's +bloodlines +bloodmobile +bloodmobile's +bloodmobiles +blood's +bloods +bloodshed +bloodshed's +bloodshot +bloodstain +bloodstained +bloodstain's +bloodstains +bloodstock +bloodstock's +bloodstream +bloodstream's +bloodstreams +bloodsucker +bloodsucker's +bloodsuckers +bloodsucking +bloodthirstier +bloodthirstiest +bloodthirstily +bloodthirstiness +bloodthirstiness's +bloodthirsty +bloody +bloodying +Bloom +bloom +bloomed +Bloomer +bloomer +Bloomer's +bloomer's +bloomers +Bloomfield +Bloomfield's +blooming +Bloomingdale +Bloomingdale's +Bloom's +bloom's +blooms +Bloomsbury +Bloomsbury's +bloop +blooped +blooper +blooper's +bloopers +blooping +bloop's +bloops +blossom +blossomed +blossoming +blossom's +blossoms +blossomy +blot +blotch +blotched +blotches +blotchier +blotchiest +blotching +blotch's +blotchy +blot's +blots +blotted +blotter +blotter's +blotters +blotting +blotto +blouse +bloused +blouse's +blouses +blousing +blow +blower +blower's +blowers +blowflies +blowfly +blowfly's +blowgun +blowgun's +blowguns +blowhard +blowhard's +blowhards +blowhole +blowholes +blowier +blowiest +blowing +blowjob +blowjob's +blowjobs +blowlamp +blowlamps +blown +blowout +blowout's +blowouts +blowpipe +blowpipe's +blowpipes +blow's +blows +blowtorch +blowtorches +blowtorch's +blowup +blowup's +blowups +blowy +blowzier +blowziest +blowzy +BLT +BLT's +BLTs +Blu +blubber +blubbered +blubbering +blubber's +blubbers +blubbery +Blucher +Blucher's +bludgeon +bludgeoned +bludgeoning +bludgeon's +bludgeons +blue +Bluebeard +Bluebeard's +bluebell +bluebell's +bluebells +blueberries +blueberry +blueberry's +bluebird +bluebird's +bluebirds +bluebonnet +bluebonnet's +bluebonnets +bluebottle +bluebottle's +bluebottles +blued +bluefish +bluefishes +bluefish's +bluegill +bluegill's +bluegills +bluegrass +bluegrass's +blueish +bluejacket +bluejacket's +bluejackets +bluejeans +bluejeans's +blueness +blueness's +bluenose +bluenose's +bluenoses +bluepoint +bluepoint's +bluepoints +blueprint +blueprinted +blueprinting +blueprint's +blueprints +bluer +blue's +blues +bluesier +bluesiest +bluest +bluestocking +bluestocking's +bluestockings +bluesy +bluet +Bluetooth +Bluetooth's +bluet's +bluets +bluff +bluffed +bluffer +bluffer's +bluffers +bluffest +bluffing +bluffly +bluffness +bluffness's +bluff's +bluffs +bluing +bluing's +bluish +blunder +blunderbuss +blunderbusses +blunderbuss's +blundered +blunderer +blunderer's +blunderers +blundering +blunder's +blunders +blunt +blunted +blunter +bluntest +blunting +bluntly +bluntness +bluntness's +blunts +blur +blurb +blurb's +blurbs +blurred +blurrier +blurriest +blurriness +blurriness's +blurring +blurry +blur's +blurs +blurt +blurted +blurting +blurts +blush +blushed +blusher +blusher's +blushers +blushes +blushing +blush's +bluster +blustered +blusterer +blusterer's +blusterers +blustering +blusterous +bluster's +blusters +blustery +Blvd +blvd +Blythe +Blythe's +BM +BM's +BMW +BMW's +BO +boa +Boadicea +boar +board +boarded +boarder +boarder's +boarders +boarding +boardinghouse +boardinghouse's +boardinghouses +boarding's +boardroom +boardroom's +boardrooms +board's +boards +boardwalk +boardwalk's +boardwalks +boar's +boars +Boas +boa's +boas +Boas's +boast +boasted +boaster +boaster's +boasters +boastful +boastfully +boastfulness +boastfulness's +boasting +boast's +boasts +boat +boated +boater +boater's +boaters +boathouse +boathouse's +boathouses +boating +boating's +boatload +boatloads +boatman +boatman's +boatmen +boat's +boats +boatswain +boatswain's +boatswains +boatyard +boatyards +Bob +bob +bobbed +Bobbi +Bobbie +Bobbie's +bobbies +bobbin +bobbing +bobbin's +bobbins +Bobbi's +Bobbitt +Bobbitt's +bobble +bobbled +bobble's +bobbles +bobbling +Bobby +bobby +Bobby's +bobby's +bobbysoxer +bobbysoxer's +bobbysoxers +bobcat +bobcat's +bobcats +bobolink +bobolink's +bobolinks +Bob's +bob's +bobs +bobsled +bobsledded +bobsledder +bobsledder's +bobsledders +bobsledding +bobsled's +bobsleds +bobsleigh +bobsleigh's +bobsleighs +bobtail +bobtail's +bobtails +bobwhite +bobwhite's +bobwhites +Boccaccio +Boccaccio's +boccie +boccie's +bock +bock's +bod +bodacious +bode +boded +bodega +bodega's +bodegas +bodes +bodge +bodged +bodges +bodging +Bodhidharma +Bodhidharma's +Bodhisattva +Bodhisattva's +bodice +bodice's +bodices +bodied +bodies +bodily +boding +bodkin +bodkin's +bodkins +Bodleian +bod's +bods +body +bodybuilder +bodybuilder's +bodybuilders +bodybuilding +bodybuilding's +bodyguard +bodyguard's +bodyguards +body's +bodysuit +bodysuit's +bodysuits +bodywork +bodywork's +Boeing +Boeing's +Boeotia +Boeotian +Boeotian's +Boeotia's +Boer +Boer's +Boers +Boethius +Boethius's +boffin +boffins +boffo +bog +boga +Bogart +Bogart's +bogey +bogeyed +bogeying +bogeyman +bogeyman's +bogeymen +bogey's +bogeys +bogged +boggier +boggiest +bogging +boggle +boggled +boggles +boggling +boggy +bogie +bogie's +bogies +bogon +bogosity +Bogotá +Bogota +Bogota's +Bogotá's +bog's +bogs +bogus +bogyman +bogyman's +bogymen +Bohemia +Bohemian +bohemian +bohemianism +bohemianism's +Bohemian's +Bohemians +bohemian's +bohemians +Bohemia's +Bohr +Bohr's +boil +boiled +boiler +boilermaker +boilermaker's +boilermakers +boilerplate +boilerplate's +boiler's +boilers +boiling +boilings +boil's +boils +boink +boinked +boinking +boinks +Boise +Boise's +boisterous +boisterously +boisterousness +boisterousness's +Bojangles +Bojangles's +bola +bola's +bolas +bold +bolder +boldest +boldface +boldfaced +boldface's +boldly +boldness +boldness's +bole +bolero +bolero's +boleros +bole's +boles +Boleyn +Boleyn's +Bolivar +bolivar +bolivares +Bolivar's +bolivar's +bolivars +Bolivia +Bolivian +Bolivian's +Bolivians +Bolivia's +boll +bollard +bollards +bollix +bollixed +bollixes +bollixing +bollix's +bollocking +bollockings +bollocks +boll's +bolls +Bollywood +Bollywood's +Bologna +bologna +Bologna's +bologna's +Bolshevik +Bolsheviki +Bolshevik's +Bolsheviks +Bolshevism +Bolshevism's +Bolshevist +Bolshevist's +bolshie +Bolshoi +Bolshoi's +bolster +bolstered +bolstering +bolster's +bolsters +bolt +bolted +bolthole +boltholes +bolting +Bolton +Bolton's +bolt's +bolts +Boltzmann +Boltzmann's +bolus +boluses +bolus's +bomb +bombard +bombarded +bombardier +bombardier's +bombardiers +bombarding +bombardment +bombardment's +bombardments +bombards +bombast +bombastic +bombastically +bombast's +Bombay +Bombay's +bombed +bomber +bomber's +bombers +bombing +bombings +bombproof +bomb's +bombs +bombshell +bombshell's +bombshells +bombsite +bombsites +bonanza +bonanza's +bonanzas +Bonaparte +Bonaparte's +Bonaventure +Bonaventure's +bonbon +bonbon's +bonbons +bonce +bonces +Bond +bond +bondage +bondage's +bonded +bondholder +bondholder's +bondholders +bonding +bonding's +bondman +bondman's +bondmen +Bond's +bond's +bonds +bondsman +bondsman's +bondsmen +bondwoman +bondwoman's +bondwomen +bone +boned +bonehead +boneheaded +bonehead's +boneheads +boneless +boner +boner's +boners +bone's +bones +boneshaker +boneshakers +boneyard +bonfire +bonfire's +bonfires +bong +bonged +bonging +bongo +bongo's +bongos +bong's +bongs +Bonhoeffer +Bonhoeffer's +bonhomie +bonhomie's +bonier +boniest +Boniface +Boniface's +boniness +boniness's +boning +Bonita +Bonita's +bonito +bonito's +bonitos +bonk +bonked +bonkers +bonking +bonks +Bonn +Bonner +Bonner's +bonnet +bonnet's +bonnets +Bonneville +Bonneville's +Bonnie +bonnier +Bonnie's +bonniest +Bonn's +bonny +Bono +bonobo +bonobo's +bonobos +Bono's +bonsai +bonsai's +bonus +bonuses +bonus's +bony +boo +boob +boobed +boobies +boobing +boob's +boobs +booby +booby's +boodle +boodle's +boodles +booed +booger +boogers +boogeyman +boogeyman's +boogeymen +boogie +boogied +boogieing +boogieman +boogieman's +boogie's +boogies +boohoo +boohooed +boohooing +boohoo's +boohoos +booing +book +bookable +bookbinder +bookbinderies +bookbinder's +bookbinders +bookbindery +bookbindery's +bookbinding +bookbinding's +bookcase +bookcase's +bookcases +booked +bookend +bookend's +bookends +Booker +Booker's +bookie +bookie's +bookies +booking +booking's +bookings +bookish +bookkeeper +bookkeeper's +bookkeepers +bookkeeping +bookkeeping's +booklet +booklet's +booklets +bookmaker +bookmaker's +bookmakers +bookmaking +bookmaking's +bookmark +bookmarked +bookmarking +bookmark's +bookmarks +bookmobile +bookmobile's +bookmobiles +bookplate +bookplate's +bookplates +book's +books +bookseller +bookseller's +booksellers +bookshelf +bookshelf's +bookshelves +bookshop +bookshop's +bookshops +bookstall +bookstalls +bookstore +bookstore's +bookstores +bookworm +bookworm's +bookworms +Boole +Boolean +Boolean's +Boole's +boom +boombox +boomboxes +boombox's +boomed +boomer +boomerang +boomeranged +boomeranging +boomerang's +boomerangs +boomers +booming +boom's +booms +boon +boondocks +boondocks's +boondoggle +boondoggled +boondoggler +boondoggler's +boondogglers +boondoggle's +boondoggles +boondoggling +Boone +Boone's +boonies +boonies's +boon's +boons +boor +boorish +boorishly +boorishness +boorishnesses +boorishness's +boor's +boors +boo's +boos +boost +boosted +booster +booster's +boosters +boosting +boost's +boosts +boot +bootblack +bootblack's +bootblacks +booted +bootee +bootee's +bootees +Bootes +Bootes's +Booth +booth +Booth's +booth's +booths +booties +booting +bootlace +bootlaces +bootleg +bootlegged +bootlegger +bootlegger's +bootleggers +bootlegging +bootlegging's +bootleg's +bootlegs +bootless +boot's +boots +bootstrap +bootstrapped +bootstrapping +bootstrap's +bootstraps +booty +booty's +booze +boozed +boozer +boozer's +boozers +booze's +boozes +boozier +booziest +boozing +boozy +bop +bopped +bopping +bop's +bops +borax +borax's +Bordeaux +Bordeaux's +bordello +bordello's +bordellos +Borden +Borden's +border +bordered +bordering +borderland +borderland's +borderlands +borderline +borderline's +borderlines +border's +borders +Bordon +Bordon's +bore +Boreas +Boreas's +bored +boredom +boredom's +borehole +boreholes +borer +borer's +borers +bore's +bores +Borg +Borges +Borges's +Borgia +Borgia's +Borglum +Borglum's +Borg's +Borgs +boring +boringly +Boris +Boris's +Bork +Bork's +Borlaug +Borlaug's +Born +born +borne +Borneo +Borneo's +Born's +Borobudur +Borobudur's +Borodin +Borodin's +boron +boron's +borough +borough's +boroughs +borrow +borrowed +borrower +borrower's +borrowers +borrowing +borrowing's +borrowings +borrows +borscht +borscht's +borstal +borstals +Boru +Boru's +borzoi +borzoi's +borzois +Bosch +Bosch's +Bose +Bose's +bosh +bosh's +Bosnia +Bosnian +Bosnia's +bosom +bosom's +bosoms +bosomy +Bosporus +Bosporus's +boss +bossed +bosses +bossier +bossiest +bossily +bossiness +bossiness's +bossing +bossism +bossism's +boss's +bossy +Boston +Bostonian +Bostonian's +Boston's +Bostons +Boswell +Boswell's +bot +botanic +botanical +botanically +botanist +botanist's +botanists +botany +botany's +botch +botched +botcher +botcher's +botchers +botches +botching +botch's +Boötes +Boötes's +both +bother +botheration +bothered +bothering +bother's +bothers +bothersome +botnet +botnet's +botnets +Botox +bots +Botswana +Botswana's +Botticelli +Botticelli's +bottle +bottled +bottleneck +bottleneck's +bottlenecks +bottler +bottler's +bottlers +bottle's +bottles +bottling +bottom +bottomed +bottoming +bottomless +bottom's +bottoms +botulinum +botulism +botulism's +boudoir +boudoir's +boudoirs +bouffant +bouffant's +bouffants +bougainvillea +bougainvillea's +bougainvilleas +bough +bough's +boughs +bought +bouillabaisse +bouillabaisse's +bouillabaisses +bouillon +bouillon's +bouillons +Boulder +boulder +Boulder's +boulder's +boulders +boules +boulevard +boulevard's +boulevards +Boulez +Boulez's +bounce +bounced +bouncer +bouncer's +bouncers +bounce's +bounces +bouncier +bounciest +bouncily +bounciness +bounciness's +bouncing +bouncy +bound +boundaries +boundary +boundary's +bounded +bounden +bounder +bounder's +bounders +bounding +boundless +boundlessly +boundlessness +boundlessness's +bound's +bounds +bounteous +bounteously +bounteousness +bounteousness's +bounties +bountiful +bountifully +bountifulness +bountifulness's +bounty +bounty's +bouquet +bouquet's +bouquets +Bourbaki +Bourbaki's +Bourbon +bourbon +Bourbon's +Bourbons +bourbon's +bourbons +bourgeois +bourgeoisie +bourgeoisie's +bourgeois's +Bournemouth +Bournemouth's +boustrophedon +bout +boutique +boutique's +boutiques +boutonniere +boutonniere's +boutonnieres +boutonnière +boutonnière's +boutonnières +bout's +bouts +bouzouki +bouzouki's +bouzoukis +Bovary +Bovary's +bovine +bovine's +bovines +bovver +bow +Bowditch +Bowditch's +bowdlerization +bowdlerization's +bowdlerizations +bowdlerize +bowdlerized +bowdlerizes +bowdlerizing +bowed +bowel +Bowell +Bowell's +bowel's +bowels +Bowen +Bowen's +bower +Bowers +bower's +bowers +Bowers's +Bowery +Bowery's +Bowie +Bowie's +bowing +bowl +bowled +bowleg +bowlegged +bowleg's +bowlegs +bowler +bowler's +bowlers +bowlful +bowlful's +bowlfuls +bowline +bowline's +bowlines +bowling +bowling's +bowl's +bowls +Bowman +bowman +Bowman's +bowman's +bowmen +bow's +bows +bowsprit +bowsprit's +bowsprits +bowstring +bowstring's +bowstrings +bowwow +bowwow's +bowwows +box +boxcar +boxcar's +boxcars +boxed +boxen +boxer +boxer's +boxers +boxes +boxier +boxiest +boxing +boxing's +boxlike +boxroom +boxrooms +box's +boxwood +boxwood's +boxy +boy +boycott +boycotted +boycotting +boycott's +boycotts +Boyd +Boyd's +Boyer +Boyer's +boyfriend +boyfriend's +boyfriends +boyhood +boyhood's +boyhoods +boyish +boyishly +boyishness +boyishness's +Boyle +Boyle's +boy's +boys +boysenberries +boysenberry +boysenberry's +bozo +bozo's +bozos +BP +bpm +BPOE +BP's +bps +BR +Br +bra +brace +braced +bracelet +bracelet's +bracelets +bracer +bracero +bracero's +braceros +bracer's +bracers +brace's +braces +bracing +bracken +bracken's +bracket +bracketed +bracketing +bracket's +brackets +brackish +brackishness +brackishness's +bract +bract's +bracts +Brad +brad +bradawl +bradawls +Bradbury +Bradbury's +Braddock +Braddock's +Bradford +Bradford's +Bradley +Bradley's +Bradly +Bradly's +Brad's +brad's +brads +Bradshaw +Bradshaw's +Bradstreet +Bradstreet's +Brady +bradycardia +Brady's +brae +brae's +braes +brag +Bragg +braggadocio +braggadocio's +braggadocios +braggart +braggart's +braggarts +bragged +bragger +bragger's +braggers +bragging +Bragg's +brag's +brags +Brahe +Brahe's +Brahma +Brahmagupta +Brahmagupta's +Brahman +Brahmani +Brahmanism +Brahmanism's +Brahmanisms +Brahman's +Brahmans +Brahmaputra +Brahmaputra's +Brahma's +Brahmas +Brahms +Brahms's +braid +braided +braiding +braiding's +braid's +braids +Braille +braille +Braille's +Brailles +braille's +Brain +brain +brainchild +brainchildren +brainchildren's +brainchild's +brained +brainier +brainiest +braininess +braininess's +braining +brainless +brainlessly +brainpower +Brain's +brain's +brains +brainstorm +brainstormed +brainstorming +brainstorming's +brainstorm's +brainstorms +brainteaser +brainteaser's +brainteasers +brainwash +brainwashed +brainwashes +brainwashing +brainwashing's +brainwave +brainwaves +brainy +braise +braised +braises +braising +brake +braked +brakeman +brakeman's +brakemen +brake's +brakes +braking +bramble +bramble's +brambles +brambly +Brampton +Brampton's +Bran +bran +Branch +branch +branched +branches +branching +branchlike +Branch's +branch's +brand +branded +Brandeis +Brandeis's +Branden +Brandenburg +Brandenburg's +Branden's +brander +brander's +branders +Brandi +Brandie +brandied +Brandie's +brandies +branding +Brandi's +brandish +brandished +brandishes +brandishing +Brando +Brandon +Brandon's +Brando's +brand's +brands +Brandt +Brandt's +Brandy +brandy +brandying +Brandy's +brandy's +Bran's +bran's +Brant +Brant's +Braque +Braque's +bra's +bras +brash +brasher +brashest +brashly +brashness +brashness's +Brasilia +Brasilia's +brass +brasserie +brasserie's +brasseries +brasses +brassier +brassiere +brassiere's +brassieres +brassiest +brassily +brassiness +brassiness's +brass's +brassy +brat +Bratislava +Bratislava's +brat's +brats +Brattain +Brattain's +brattier +brattiest +bratty +bratwurst +bratwurst's +bratwursts +bravado +bravado's +brave +braved +bravely +braveness +braveness's +braver +bravery +bravery's +brave's +braves +bravest +braving +bravo +bravo's +bravos +bravura +bravura's +bravuras +brawl +brawled +brawler +brawler's +brawlers +brawling +brawl's +brawls +brawn +brawnier +brawniest +brawniness +brawniness's +brawn's +brawny +Bray +bray +brayed +braying +Bray's +bray's +brays +braze +brazed +brazen +brazened +brazening +brazenly +brazenness +brazenness's +brazens +brazer +brazer's +brazers +brazes +brazier +brazier's +braziers +Brazil +Brazilian +Brazilian's +Brazilians +Brazil's +brazing +Brazos +Brazos's +Brazzaville +Brazzaville's +breach +breached +breaches +breaching +breach's +bread +breadbasket +breadbasket's +breadbaskets +breadboard +breadboard's +breadboards +breadbox +breadboxes +breadbox's +breadcrumb +breadcrumb's +breadcrumbs +breaded +breadfruit +breadfruit's +breadfruits +breading +breadline +breadline's +breadlines +bread's +breads +breadth +breadth's +breadths +breadwinner +breadwinner's +breadwinners +break +breakable +breakable's +breakables +breakage +breakage's +breakages +breakaway +breakaway's +breakaways +breakdown +breakdown's +breakdowns +breaker +breaker's +breakers +breakfast +breakfasted +breakfasting +breakfast's +breakfasts +breakfront +breakfront's +breakfronts +breaking +breakneck +breakout +breakout's +breakouts +breakpoints +break's +breaks +Breakspear +Breakspear's +breakthrough +breakthrough's +breakthroughs +breakup +breakup's +breakups +breakwater +breakwater's +breakwaters +bream +bream's +breams +breast +breastbone +breastbone's +breastbones +breasted +breastfed +breastfeed +breastfeeding +breastfeeds +breasting +breastplate +breastplate's +breastplates +breast's +breasts +breaststroke +breaststroke's +breaststrokes +breastwork +breastwork's +breastworks +breath +breathable +breathalyze +breathalyzed +Breathalyzer +breathalyzer +breathalyzers +breathalyzes +breathalyzing +breathe +breathed +breather +breather's +breathers +breathes +breathier +breathiest +breathing +breathing's +breathless +breathlessly +breathlessness +breathlessness's +breath's +breaths +breathtaking +breathtakingly +breathy +Brecht +Brecht's +Breckenridge +Breckenridge's +bred +breech +breeches +breech's +breed +breeder +breeder's +breeders +breeding +breeding's +breed's +breeds +breeze +breezed +breeze's +breezes +breezeway +breezeway's +breezeways +breezier +breeziest +breezily +breeziness +breeziness's +breezing +breezy +Bremen +Bremen's +Brenda +Brendan +Brendan's +Brenda's +Brennan +Brennan's +Brenner +Brenner's +Brent +Brenton +Brenton's +Brent's +Brest +Brest's +Bret +brethren +Breton +Breton's +Bret's +Brett +Brett's +breve +breve's +breves +brevet +brevet's +brevets +brevetted +brevetting +breviaries +breviary +breviary's +brevity +brevity's +brew +brewed +Brewer +brewer +breweries +Brewer's +brewer's +brewers +brewery +brewery's +brewing +brewpub +brewpub's +brewpubs +brew's +brews +Brewster +Brewster's +Brexit +Brezhnev +Brezhnev's +Brian +Briana +Briana's +Brianna +Brianna's +Brian's +bribe +bribed +briber +briber's +bribers +bribery +bribery's +bribe's +bribes +bribing +Brice +Brice's +brick +brickbat +brickbat's +brickbats +bricked +brickie +brickies +bricking +bricklayer +bricklayer's +bricklayers +bricklaying +bricklaying's +brick's +bricks +brickwork +brickwork's +brickyard +brickyards +bridal +bridal's +bridals +Bridalveil +Bridalveil's +bride +bridegroom +bridegroom's +bridegrooms +bride's +brides +bridesmaid +bridesmaid's +bridesmaids +bridge +bridgeable +bridged +bridgehead +bridgehead's +bridgeheads +Bridgeport +Bridgeport's +Bridger +Bridger's +Bridges +bridge's +bridges +Bridges's +Bridget +Bridgetown +Bridgetown's +Bridget's +Bridgett +Bridgette +Bridgette's +Bridgett's +bridgework +bridgework's +bridging +Bridgman +Bridgman's +bridle +bridled +bridle's +bridles +bridleway +bridleways +bridling +Brie +brie +brief +briefcase +briefcase's +briefcases +briefed +briefer +briefest +briefing +briefing's +briefings +briefly +briefness +briefness's +brief's +briefs +brier +brier's +briers +Brie's +Bries +brie's +brig +brigade +brigade's +brigades +brigadier +brigadier's +brigadiers +Brigadoon +Brigadoon's +brigand +brigandage +brigandage's +brigand's +brigands +brigantine +brigantine's +brigantines +Briggs +Briggs's +Brigham +Brigham's +Bright +bright +brighten +brightened +brightener +brightener's +brighteners +brightening +brightens +brighter +brightest +brightly +brightness +brightness's +Brighton +Brighton's +Bright's +brights +brights's +Brigid +Brigid's +Brigitte +Brigitte's +brig's +brigs +brill +brilliance +brilliance's +brilliancy +brilliancy's +brilliant +brilliantine +brilliantine's +brilliantly +brilliant's +brilliants +Brillo +Brillo's +brim +brimful +brimless +brimmed +brimming +brim's +brims +brimstone +brimstone's +brindle +brindled +brindle's +brine +brine's +bring +bringer +bringer's +bringers +bringing +brings +brinier +briniest +brininess +brininess's +brink +Brinkley +Brinkley's +brinkmanship +brinkmanship's +brink's +brinks +briny +brioche +brioche's +brioches +briquette +briquette's +briquettes +Brisbane +Brisbane's +brisk +brisked +brisker +briskest +brisket +brisket's +briskets +brisking +briskly +briskness +briskness's +brisks +bristle +bristled +bristle's +bristles +bristlier +bristliest +bristling +bristly +Bristol +Bristol's +Brit +Britain +Britain's +Britannia +Britannia's +Britannic +Britannica +Britannica's +Britannic's +britches +britches's +Briticism +Briticism's +Briticisms +British +Britisher +Britisher's +Britishers +British's +Britney +Britney's +Briton +Briton's +Britons +Brit's +Brits +Britt +Brittanies +Brittany +Brittany's +Britten +Britten's +brittle +brittleness +brittleness's +brittler +brittle's +brittlest +Brittney +Brittney's +Britt's +Brno +Brno's +bro +broach +broached +broaches +broaching +broach's +broad +broadband +broadband's +broadcast +broadcaster +broadcaster's +broadcasters +broadcasting +broadcasting's +broadcast's +broadcasts +broadcloth +broadcloth's +broaden +broadened +broadening +broadens +broader +broadest +broadloom +broadloom's +broadly +broadminded +broadness +broadness's +broad's +broads +broadsheet +broadsheet's +broadsheets +broadside +broadsided +broadside's +broadsides +broadsiding +broadsword +broadsword's +broadswords +Broadway +Broadway's +Broadways +Brobdingnag +Brobdingnagian +Brobdingnagian's +Brobdingnag's +brocade +brocaded +brocade's +brocades +brocading +broccoli +broccoli's +brochette +brochette's +brochettes +brochure +brochure's +brochures +Brock +Brock's +brogan +brogan's +brogans +brogue +brogue's +brogues +broil +broiled +broiler +broiler's +broilers +broiling +broil's +broils +Brokaw +Brokaw's +broke +broken +brokenhearted +brokenheartedly +brokenly +brokenness +brokenness's +broker +brokerage +brokerage's +brokerages +brokered +brokering +broker's +brokers +brollies +brolly +bromide +bromide's +bromides +bromidic +bromine +bromine's +bronc +bronchi +bronchial +bronchitic +bronchitis +bronchitis's +bronchus +bronchus's +bronco +broncobuster +broncobuster's +broncobusters +bronco's +broncos +bronc's +broncs +Bronson +Bronson's +Bronte +Bronte's +brontosaur +brontosaur's +brontosaurs +Brontosaurus +brontosaurus +brontosauruses +brontosaurus's +Bronx +Bronx's +bronze +bronzed +bronze's +bronzes +bronzing +brooch +brooches +brooch's +brood +brooded +brooder +brooder's +brooders +broodier +broodiest +broodily +broodiness +brooding +broodingly +brooding's +broodmare +broodmare's +broodmares +brood's +broods +broody +broody's +brook +Brooke +brooked +Brooke's +Brookes +brooking +brooklet +brooklet's +brooklets +Brooklyn +Brooklyn's +Brooks +brook's +brooks +Brooks's +broom +broom's +brooms +broomstick +broomstick's +broomsticks +Bros +bro's +bros +broth +brothel +brothel's +brothels +brother +brotherhood +brotherhood's +brotherhoods +brotherliness +brotherliness's +brotherly +brother's +brothers +broth's +broths +brougham +brougham's +broughams +brought +brouhaha +brouhaha's +brouhahas +brow +browbeat +browbeaten +browbeating +browbeats +Brown +brown +Browne +browned +browner +Browne's +brownest +brownfield +Brownian +Brownian's +Brownie +brownie +Brownies +brownie's +brownies +Browning +browning +Browning's +brownish +brownness +brownness's +brownout +brownout's +brownouts +Brown's +brown's +browns +Brownshirt +Brownshirt's +brownstone +brownstone's +brownstones +Brownsville +Brownsville's +brow's +brows +browse +browsed +browser +browser's +browsers +browse's +browses +browsing +brr +Br's +Brubeck +Brubeck's +Bruce +Bruce's +Bruckner +Bruckner's +Bruegel +bruin +bruin's +bruins +bruise +bruised +bruiser +bruiser's +bruisers +bruise's +bruises +bruising +bruising's +bruit +bruited +bruiting +bruits +Brummel +Brummel's +brunch +brunched +brunches +brunching +brunch's +Brunei +Bruneian +Bruneian's +Bruneians +Brunei's +Brunelleschi +Brunelleschi's +brunet +brunet's +brunets +brunette +brunette's +brunettes +Brunhilde +Brunhilde's +Bruno +Bruno's +Brunswick +Brunswick's +brunt +brunt's +brush +brushed +brushes +brushing +brushoff +brushoff's +brushoffs +brush's +brushstroke +brushstrokes +brushwood +brushwood's +brushwork +brushwork's +brusque +brusquely +brusqueness +brusqueness's +brusquer +brusquest +Brussels +Brussels's +Brut +brutal +brutalities +brutality +brutality's +brutalization +brutalization's +brutalize +brutalized +brutalizes +brutalizing +brutally +brute +brute's +brutes +brutish +brutishly +brutishness +brutishness's +Brut's +Brutus +Brutus's +Bryan +Bryan's +Bryant +Bryant's +Bryce +Bryce's +Brynner +Brynner's +Bryon +Bryon's +Brzezinski +Brzezinski's +B's +BS +BSA +BSD +BSD's +BSDs +BS's +BTU +Btu +Btu's +BTW +bu +bub +bubble +bubbled +bubblegum +bubblegum's +bubble's +bubbles +bubblier +bubbliest +bubbling +bubbly +bubbly's +Buber +Buber's +bubo +buboes +bubo's +bub's +bubs +buccaneer +buccaneered +buccaneering +buccaneer's +buccaneers +Buchanan +Buchanan's +Bucharest +Bucharest's +Buchenwald +Buchenwald's +Buchwald +Buchwald's +Buck +buck +buckaroo +buckaroo's +buckaroos +buckboard +buckboard's +buckboards +bucked +bucket +bucketed +bucketful +bucketful's +bucketfuls +bucketing +bucket's +buckets +buckeye +buckeye's +buckeyes +bucking +Buckingham +Buckingham's +buckle +buckled +buckler +buckler's +bucklers +buckle's +buckles +Buckley +Buckley's +buckling +Buckner +Buckner's +buckram +buckram's +Buck's +buck's +bucks +bucksaw +bucksaw's +bucksaws +buckshot +buckshot's +buckskin +buckskin's +buckskins +buckteeth +bucktooth +bucktoothed +bucktooth's +buckwheat +buckwheat's +buckyball +buckyball's +buckyballs +bucolic +bucolically +bucolic's +bucolics +Bud +bud +Budapest +Budapest's +budded +Buddha +Buddha's +Buddhas +Buddhism +Buddhism's +Buddhisms +Buddhist +Buddhist's +Buddhists +buddies +budding +buddings +Buddy +buddy +Buddy's +buddy's +budge +budged +budgerigar +budgerigar's +budgerigars +budges +budget +budgetary +budgeted +budgeting +budget's +budgets +budgie +budgie's +budgies +budging +Bud's +bud's +buds +Budweiser +Budweiser's +buff +Buffalo +buffalo +buffaloed +buffaloes +buffaloing +Buffalo's +buffalo's +buffed +buffer +buffered +buffering +buffer's +buffers +buffet +buffeted +buffeting +buffetings +buffet's +buffets +buffing +buffoon +buffoonery +buffoonery's +buffoonish +buffoon's +buffoons +buff's +buffs +Buffy +Buffy's +Buford +Buford's +bug +bugaboo +bugaboo's +bugaboos +Bugatti +Bugatti's +bugbear +bugbear's +bugbears +bugged +bugger +buggered +buggering +bugger's +buggers +buggery +buggier +buggies +buggiest +bugging +buggy +buggy's +bugle +bugled +bugler +bugler's +buglers +bugle's +bugles +bugling +bug's +bugs +Bugzilla +Bugzilla's +Buick +Buick's +build +builder +builder's +builders +building +building's +buildings +build's +builds +buildup +buildup's +buildups +built +builtin +Bujumbura +Bujumbura's +Bukhara +Bukhara's +Bukharin +Bukharin's +Bulawayo +Bulawayo's +bulb +bulbous +bulb's +bulbs +Bulfinch +Bulfinch's +Bulganin +Bulganin's +Bulgar +Bulgari +Bulgaria +Bulgarian +Bulgarian's +Bulgarians +Bulgaria's +Bulgari's +Bulgar's +bulge +bulged +bulge's +bulges +bulgier +bulgiest +bulging +bulgy +bulimarexia +bulimarexia's +bulimia +bulimia's +bulimic +bulimic's +bulimics +bulk +bulked +bulkhead +bulkhead's +bulkheads +bulkier +bulkiest +bulkiness +bulkiness's +bulking +bulk's +bulks +bulky +bull +bulldog +bulldogged +bulldogging +bulldog's +bulldogs +bulldoze +bulldozed +bulldozer +bulldozer's +bulldozers +bulldozes +bulldozing +bulled +bullet +bulleted +bulletin +bulletined +bulletining +bulletin's +bulletins +bulletproof +bulletproofed +bulletproofing +bulletproofs +bullet's +bullets +bullfight +bullfighter +bullfighter's +bullfighters +bullfighting +bullfighting's +bullfight's +bullfights +bullfinch +bullfinches +bullfinch's +bullfrog +bullfrog's +bullfrogs +bullhead +bullheaded +bullheadedly +bullheadedness +bullheadedness's +bullhead's +bullheads +bullhorn +bullhorn's +bullhorns +bullied +bullies +bulling +bullion +bullion's +bullish +bullishly +bullishness +bullishness's +Bullock +bullock +Bullock's +bullock's +bullocks +bullpen +bullpen's +bullpens +bullring +bullring's +bullrings +bull's +bulls +bullseye +bullshit +bullshit's +bullshits +bullshitted +bullshitter +bullshitter's +bullshitters +bullshitting +bullwhip +bullwhips +Bullwinkle +Bullwinkle's +bully +bullying +bully's +bulrush +bulrushes +bulrush's +Bultmann +Bultmann's +bulwark +bulwark's +bulwarks +bum +bumbag +bumbags +bumble +bumblebee +bumblebee's +bumblebees +bumbled +bumbler +bumbler's +bumblers +bumbles +bumbling +bumf +bummed +bummer +bummer's +bummers +bummest +bumming +bump +bumped +bumper +bumper's +bumpers +bumph +bumpier +bumpiest +bumpiness +bumpiness's +bumping +bumpkin +bumpkin's +bumpkins +Bumppo +Bumppo's +bump's +bumps +bumptious +bumptiously +bumptiousness +bumptiousness's +bumpy +bum's +bums +bun +bunch +Bunche +bunched +Bunche's +bunches +bunchier +bunchiest +bunching +bunch's +bunchy +bunco +buncoed +buncoing +bunco's +buncos +Bundesbank +Bundesbank's +Bundestag +Bundestag's +bundle +bundled +bundle's +bundles +bundling +bung +bungalow +bungalow's +bungalows +bunged +bungee +bungee's +bungees +bunghole +bunghole's +bungholes +bunging +bungle +bungled +bungler +bungler's +bunglers +bungle's +bungles +bungling +bung's +bungs +Bunin +Bunin's +bunion +bunion's +bunions +bunk +bunked +Bunker +bunker +Bunker's +bunker's +bunkers +bunkhouse +bunkhouse's +bunkhouses +bunking +bunk's +bunks +bunkum +bunkum's +bunnies +bunny +bunny's +bun's +buns +Bunsen +Bunsen's +bunt +bunted +bunting +bunting's +buntings +bunt's +bunts +Bunuel +Bunuel's +Bunyan +Bunyan's +buoy +buoyancy +buoyancy's +buoyant +buoyantly +buoyed +buoying +buoy's +buoys +bur +Burbank +Burbank's +Burberry +Burberry's +burble +burbled +burble's +burbles +burbling +burbs +burbs's +Burch +Burch's +burden +burdened +burdening +burden's +burdens +burdensome +burdock +burdock's +bureau +bureaucracies +bureaucracy +bureaucracy's +bureaucrat +bureaucratic +bureaucratically +bureaucratization +bureaucratization's +bureaucratize +bureaucratized +bureaucratizes +bureaucratizing +bureaucrat's +bureaucrats +bureau's +bureaus +burg +burgeon +burgeoned +burgeoning +burgeons +Burger +burger +Burger's +burger's +burgers +Burgess +Burgess's +burgh +burgher +burgher's +burghers +burgh's +burghs +burglar +burglaries +burglarize +burglarized +burglarizes +burglarizing +burglarproof +burglar's +burglars +burglary +burglary's +burgle +burgled +burgles +burgling +burgomaster +burgomaster's +burgomasters +Burgoyne +Burgoyne's +burg's +burgs +Burgundian +Burgundian's +Burgundies +burgundies +Burgundy +burgundy +Burgundy's +burgundy's +burial +burial's +burials +buried +buries +burka +burka's +burkas +Burke +Burke's +Burks +Burks's +Burl +burl +burlap +burlap's +burled +burlesque +burlesqued +burlesque's +burlesques +burlesquing +burlier +burliest +burliness +burliness's +Burlington +Burlington's +Burl's +burl's +burls +burly +Burma +Burma's +Burmese +Burmese's +burn +burnable +burnable's +burnables +burned +burner +burner's +burners +Burnett +Burnett's +burning +burnish +burnished +burnisher +burnisher's +burnishers +burnishes +burnishing +burnish's +burnoose +burnoose's +burnooses +burnout +burnout's +burnouts +Burns +burn's +burns +Burnside +Burnside's +Burns's +burnt +burp +burped +burping +burp's +burps +Burr +burr +burred +burring +Burris +Burris's +burrito +burrito's +burritos +burro +burro's +burros +Burroughs +Burroughs's +burrow +burrowed +burrower +burrower's +burrowers +burrowing +burrow's +burrows +Burr's +burr's +burrs +bur's +burs +Bursa +bursa +bursae +bursar +bursaries +bursar's +bursars +bursary +bursary's +Bursa's +bursa's +bursitis +bursitis's +burst +bursting +burst's +bursts +Burt +Burton +Burton's +Burt's +Burundi +Burundian +Burundian's +Burundians +Burundi's +bury +burying +bus +busbies +busboy +busboy's +busboys +busby +busby's +Busch +Busch's +bused +buses +busgirl +busgirl's +busgirls +Bush +bush +bushed +bushel +busheled +busheling +bushel's +bushels +bushes +Bushido +Bushido's +bushier +bushiest +bushiness +bushiness's +bushing +bushing's +bushings +bushman +bushman's +bushmaster +bushmaster's +bushmasters +bushmen +Bushnell +Bushnell's +Bush's +bush's +bushwhack +bushwhacked +bushwhacker +bushwhacker's +bushwhackers +bushwhacking +bushwhacks +bushy +busied +busier +busies +busiest +busily +business +businesses +businesslike +businessman +businessman's +businessmen +businessperson +businessperson's +businesspersons +business's +businesswoman +businesswoman's +businesswomen +busing +busing's +busk +busked +busker +buskers +buskin +busking +buskin's +buskins +busks +busload +busloads +bus's +buss +buss's +bust +busted +buster +buster's +busters +bustier +bustiers +bustiest +busting +bustle +bustled +bustle's +bustles +bustling +bust's +busts +busty +busy +busybodies +busybody +busybody's +busying +busyness +busyness's +busywork +busywork's +but +butane +butane's +butch +butcher +butchered +butcheries +butchering +butcher's +butchers +butchery +butchery's +butches +butch's +Butler +butler +Butler's +butler's +butlers +buts +butt +butte +butted +butter +butterball +butterball's +butterballs +buttercream +buttercup +buttercup's +buttercups +buttered +butterfat +butterfat's +butterfingered +Butterfingers +butterfingers +Butterfingers's +butterfingers's +butterflied +butterflies +butterfly +butterflying +butterfly's +butterier +butteries +butteriest +buttering +buttermilk +buttermilk's +butternut +butternut's +butternuts +butter's +butters +butterscotch +butterscotch's +buttery +buttery's +butte's +buttes +butties +butting +buttock +buttock's +buttocks +button +buttoned +buttonhole +buttonholed +buttonhole's +buttonholes +buttonholing +buttoning +button's +buttons +buttonwood +buttonwood's +buttonwoods +buttress +buttressed +buttresses +buttressing +buttress's +butt's +butts +butty +Buñuel +Buñuel's +buxom +Buxtehude +Buxtehude's +buy +buyback +buyback's +buybacks +buyer +buyer's +buyers +buying +buyout +buyout's +buyouts +buy's +buys +buzz +buzzard +buzzard's +buzzards +buzzed +buzzer +buzzer's +buzzers +buzzes +buzzing +buzzkill +buzzkill's +buzzkills +buzz's +buzzword +buzzword's +buzzwords +bx +bxs +by +Byblos +Byblos's +bye +Byers +Byers's +bye's +byes +bygone +bygone's +bygones +bylaw +bylaw's +bylaws +byline +byline's +bylines +BYOB +bypass +bypassed +bypasses +bypassing +bypass's +bypath +bypath's +bypaths +byplay +byplay's +byproduct +byproduct's +byproducts +Byrd +Byrd's +byre +byres +byroad +byroad's +byroads +Byron +Byronic +Byronic's +Byron's +by's +bystander +bystander's +bystanders +byte +byte's +bytes +byway +byway's +byways +byword +byword's +bywords +Byzantine +byzantine +Byzantine's +Byzantines +Byzantium +Byzantium's +C +c +CA +Ca +ca +cab +cabal +cabala's +caballero +caballero's +caballeros +cabal's +cabals +cabana +cabana's +cabanas +cabaret +cabaret's +cabarets +cabbage +cabbage's +cabbages +cabbed +cabbies +cabbing +cabby +cabby's +cabdriver +cabdriver's +cabdrivers +caber +Cabernet +Cabernet's +cabers +cabin +cabinet +cabinetmaker +cabinetmaker's +cabinetmakers +cabinetmaking +cabinetmaking's +cabinetry +cabinetry's +cabinet's +cabinets +cabinetwork +cabinetwork's +cabin's +cabins +cable +cablecast +cablecasting +cablecast's +cablecasts +cabled +cablegram +cablegram's +cablegrams +cable's +cables +cabling +cabochon +cabochon's +cabochons +caboodle +caboodle's +caboose +caboose's +cabooses +Cabot +Cabot's +Cabral +Cabral's +Cabrera +Cabrera's +Cabrini +Cabrini's +cabriolet +cabriolet's +cabriolets +cab's +cabs +cabstand +cabstand's +cabstands +cacao +cacao's +cacaos +cache +cached +cachepot +cachepot's +cachepots +cache's +caches +cachet +cachet's +cachets +caching +cackle +cackled +cackler +cackler's +cacklers +cackle's +cackles +cackling +cacophonies +cacophonous +cacophony +cacophony's +cacti +cactus +cactus's +CAD +cad +cadaver +cadaverous +cadaver's +cadavers +caddie +caddied +caddie's +caddies +caddish +caddishly +caddishness +caddishness's +caddying +cadence +cadenced +cadence's +cadences +cadenza +cadenza's +cadenzas +cadet +cadet's +cadets +Cadette +cadge +cadged +cadger +cadger's +cadgers +cadges +cadging +Cadillac +Cadillac's +Cadiz +Cadiz's +cadmium +cadmium's +cadre +cadre's +cadres +CAD's +cad's +cads +caducei +caduceus +caduceus's +Caedmon +Caedmon's +Caerphilly +Caerphilly's +Caesar +Caesar's +Caesars +caesura +caesura's +caesuras +café +cafe +cafe's +cafes +cafeteria +cafeteria's +cafeterias +cafetiere +cafetieres +caff +caffeinated +caffeine +caffeine's +caffs +café's +cafés +caftan +caftan's +caftans +Cage +cage +caged +Cage's +cage's +cages +cagey +cagier +cagiest +cagily +caginess +caginess's +caging +Cagney +Cagney's +cagoule +cagoules +Cahokia +Cahokia's +cahoot +cahoot's +cahoots +CAI +Caiaphas +Caiaphas's +caiman +caiman's +caimans +Cain +Cain's +Cains +cairn +cairn's +cairns +Cairo +Cairo's +caisson +caisson's +caissons +caitiff +caitiff's +caitiffs +Caitlin +Caitlin's +cajole +cajoled +cajolement +cajolement's +cajoler +cajoler's +cajolers +cajolery +cajolery's +cajoles +cajoling +Cajun +Cajun's +Cajuns +cake +caked +cake's +cakes +cakewalk +cakewalk's +cakewalks +caking +Cal +cal +calabash +calabashes +calabash's +calaboose +calaboose's +calabooses +Calais +Calais's +calamari +calamari's +calamaris +calamine +calamine's +calamities +calamitous +calamitously +calamity +calamity's +calcareous +calciferous +calcification +calcification's +calcified +calcifies +calcify +calcifying +calcimine +calcimined +calcimine's +calcimines +calcimining +calcine +calcined +calcines +calcining +calcite +calcite's +calcium +calcium's +calculable +calculate +calculated +calculatedly +calculates +calculating +calculatingly +calculation +calculation's +calculations +calculative +calculator +calculator's +calculators +calculi +calculus +calculus's +Calcutta +Calcutta's +Calder +caldera +caldera's +calderas +Calderon +Calderon's +Calder's +Caldwell +Caldwell's +Caleb +Caleb's +Caledonia +Caledonia's +calendar +calendared +calendaring +calendar's +calendars +calender's +calf +calf's +calfskin +calfskin's +Calgary +Calgary's +Calhoun +Calhoun's +Cali +Caliban +Caliban's +caliber +caliber's +calibers +calibrate +calibrated +calibrates +calibrating +calibration +calibration's +calibrations +calibrator +calibrator's +calibrators +calico +calicoes +calico's +Calif +California +Californian +Californian's +Californians +California's +californium +californium's +Caligula +Caligula's +caliper +calipered +calipering +caliper's +calipers +caliph +caliphate +caliphate's +caliphates +caliph's +caliphs +Cali's +calisthenic +calisthenics +calisthenics's +calk +calked +calking +calk's +calks +call +calla +callable +Callaghan +Callaghan's +Callahan +Callahan's +Callao +Callao's +Callas +calla's +callas +Callas's +callback +callback's +callbacks +called +caller +caller's +callers +Callie +Callie's +calligrapher +calligrapher's +calligraphers +calligraphic +calligraphist +calligraphist's +calligraphists +calligraphy +calligraphy's +calling +calling's +callings +Calliope +calliope +Calliope's +calliope's +calliopes +Callisto +Callisto's +callosities +callosity +callosity's +callous +calloused +callouses +callousing +callously +callousness +callousness's +callow +callower +callowest +callowness +callowness's +call's +calls +callus +callused +calluses +callusing +callus's +calm +calmed +calmer +calmest +calming +calmly +calmness +calmness's +calm's +calms +Caloocan +Caloocan's +caloric +calorie +calorie's +calories +calorific +Cal's +calumet +calumet's +calumets +calumniate +calumniated +calumniates +calumniating +calumniation +calumniation's +calumniator +calumniator's +calumniators +calumnies +calumnious +calumny +calumny's +Calvary +Calvary's +calve +calved +Calvert +Calvert's +calves +Calvin +calving +Calvinism +Calvinism's +Calvinisms +Calvinist +Calvinistic +Calvinist's +Calvinists +Calvin's +calypso +calypso's +calypsos +calyx +calyxes +calyx's +CAM +cam +Camacho +Camacho's +camaraderie +camaraderie's +camber +cambered +cambering +camber's +cambers +cambial +cambium +cambium's +cambiums +Cambodia +Cambodian +Cambodian's +Cambodians +Cambodia's +Cambrian +Cambrian's +Cambrians +cambric +cambric's +Cambridge +Cambridge's +camcorder +camcorder's +camcorders +Camden +Camden's +came +Camel +camel +camelhair +camellia +camellia's +camellias +Camelopardalis +Camelopardalis's +Camelot +Camelot's +Camelots +Camel's +camel's +camels +Camembert +Camembert's +Camemberts +cameo +cameo's +cameos +camera +cameraman +cameraman's +cameramen +camera's +cameras +camerawoman +camerawoman's +camerawomen +camerawork +Cameron +Cameron's +Cameroon +Cameroonian +Cameroonian's +Cameroonians +Cameroon's +Cameroons +camiknickers +Camilla +Camilla's +Camille +Camille's +camisole +camisole's +camisoles +Camoens +Camoens's +camouflage +camouflaged +camouflager +camouflager's +camouflagers +camouflage's +camouflages +camouflaging +camp +campaign +campaigned +campaigner +campaigner's +campaigners +campaigning +campaign's +campaigns +Campanella +Campanella's +campanile +campanile's +campaniles +campanologist +campanologist's +campanologists +campanology +campanology's +Campbell +Campbell's +camped +camper +camper's +campers +campfire +campfire's +campfires +campground +campground's +campgrounds +camphor +camphor's +campier +campiest +Campinas +Campinas's +camping +camping's +Campos +Campos's +camp's +camps +campsite +campsite's +campsites +campus +campuses +campus's +campy +Camry +Camry's +cam's +cams +camshaft +camshaft's +camshafts +Camus +Camus's +Can +can +Canaan +Canaanite +Canaanite's +Canaanites +Canaan's +Canad +Canada +Canada's +Canadian +Canadianism +Canadian's +Canadians +canal +Canaletto +Canaletto's +canalization +canalization's +canalize +canalized +canalizes +canalizing +canal's +canals +canapé +canape +canape's +canapes +canapé's +canapés +canard +canard's +canards +Canaries +canaries +Canaries's +canary +canary's +canasta +canasta's +Canaveral +Canaveral's +Canberra +Canberra's +cancan +cancan's +cancans +cancel +canceled +canceler +canceler's +cancelers +canceling +cancellation +cancellation's +cancellations +cancels +Cancer +cancer +cancerous +Cancer's +Cancers +cancer's +cancers +Cancun +Cancun's +Candace +Candace's +candelabra +candelabra's +candelabras +candelabrum +candelabrum's +Candice +Candice's +candid +candida +candidacies +candidacy +candidacy's +candidate +candidate's +candidates +candidature +candidature's +candidatures +Candide +Candide's +candidly +candidness +candidness's +candied +candies +candle +candled +candlelight +candlelight's +candlelit +candlepower +candlepower's +candler +candler's +candlers +candle's +candles +candlestick +candlestick's +candlesticks +candlewick +candlewick's +candlewicks +candling +candor +candor's +Candy +candy +candyfloss +candying +Candy's +candy's +cane +canebrake +canebrake's +canebrakes +caned +caner +caner's +caners +cane's +canes +canine +canine's +canines +caning +canister +canister's +canisters +canker +cankered +cankering +cankerous +canker's +cankers +cannabis +cannabises +cannabis's +canned +cannelloni +cannelloni's +canneries +cannery +cannery's +Cannes +Cannes's +cannibal +cannibalism +cannibalism's +cannibalistic +cannibalization +cannibalization's +cannibalize +cannibalized +cannibalizes +cannibalizing +cannibal's +cannibals +cannier +canniest +cannily +canniness +canniness's +canning +Cannon +cannon +cannonade +cannonaded +cannonade's +cannonades +cannonading +cannonball +cannonball's +cannonballs +cannoned +cannoning +Cannon's +cannon's +cannons +cannot +canny +canoe +canoed +canoeing +canoeist +canoeist's +canoeists +canoe's +canoes +canola +canola's +Canon +canon +canonical +canonically +canonization +canonization's +canonizations +canonize +canonized +canonizes +canonizing +Canon's +canon's +canons +canoodle +canoodled +canoodles +canoodling +canopied +canopies +Canopus +Canopus's +canopy +canopying +canopy's +Can's +can's +cans +canst +can't +cant +cantabile +Cantabrigian +Cantabrigian's +cantaloupe +cantaloupe's +cantaloupes +cantankerous +cantankerously +cantankerousness +cantankerousness's +cantata +cantata's +cantatas +canted +canteen +canteen's +canteens +canter +Canterbury +Canterbury's +cantered +cantering +canter's +canters +canticle +canticle's +canticles +cantilever +cantilevered +cantilevering +cantilever's +cantilevers +canting +canto +Canton +canton +cantonal +Cantonese +Cantonese's +cantonment +cantonment's +cantonments +Canton's +canton's +cantons +Cantor +cantor +Cantor's +cantor's +cantors +canto's +cantos +Cantrell +Cantrell's +cant's +cants +Cantu +Cantu's +Canute +Canute's +canvas +canvasback +canvasback's +canvasbacks +canvased +canvases +canvasing +canvas's +canvass +canvassed +canvasser +canvasser's +canvassers +canvasses +canvassing +canvass's +canyon +canyoning +canyon's +canyons +CAP +cap +capabilities +capability +capability's +Capablanca +Capablanca's +capable +capably +capacious +capaciously +capaciousness +capaciousness's +capacitance +capacitance's +capacities +capacitor +capacitor's +capacitors +capacity +capacity's +caparison +caparisoned +caparisoning +caparison's +caparisons +cape +caped +Capek +Capek's +Capella +Capella's +caper +capered +capering +caper's +capers +cape's +capes +capeskin +capeskin's +Capet +Capetian +Capetian's +Capetown +Capetown's +Capet's +Caph +Caph's +capillaries +capillarity +capillarity's +capillary +capillary's +Capistrano +Capistrano's +capital +capitalism +capitalism's +capitalist +capitalistic +capitalistically +capitalist's +capitalists +capitalization +capitalization's +capitalize +capitalized +capitalizes +capitalizing +capitally +capital's +capitals +capitation +capitation's +capitations +Capitol +capitol +Capitoline +Capitoline's +Capitol's +Capitols +capitol's +capitols +capitulate +capitulated +capitulates +capitulating +capitulation +capitulation's +capitulations +caplet +caplet's +caplets +capo +capon +Capone +Capone's +capon's +capons +capo's +capos +Capote +Capote's +capped +capping +cappuccino +cappuccino's +cappuccinos +Capra +Capra's +Capri +caprice +caprice's +caprices +capricious +capriciously +capriciousness +capriciousness's +Capricorn +Capricorn's +Capricorns +Capri's +cap's +caps +capsicum +capsicum's +capsicums +capsize +capsized +capsizes +capsizing +capstan +capstan's +capstans +capstone +capstone's +capstones +capsular +capsule +capsuled +capsule's +capsules +capsuling +capsulize +capsulized +capsulizes +capsulizing +Capt +capt +captain +captaincies +captaincy +captaincy's +captained +captaining +captain's +captains +caption +captioned +captioning +caption's +captions +captious +captiously +captiousness +captiousness's +captivate +captivated +captivates +captivating +captivation +captivation's +captivator +captivator's +captivators +captive +captive's +captives +captivities +captivity +captivity's +captor +captor's +captors +capture +captured +capture's +captures +capturing +Capuchin +Capuchin's +Capulet +Capulet's +car +Cara +Caracalla +Caracalla's +Caracas +Caracas's +carafe +carafe's +carafes +caramel +caramelize +caramelized +caramelizes +caramelizing +caramel's +caramels +carapace +carapace's +carapaces +Cara's +carat +carat's +carats +Caravaggio +Caravaggio's +caravan +caravan's +caravans +caravansaries +caravansary +caravansary's +caravel +caravel's +caravels +caraway +caraway's +caraways +carbide +carbide's +carbides +carbine +carbine's +carbines +carbohydrate +carbohydrate's +carbohydrates +carbolic +Carboloy +Carboloy's +carbon +carbonaceous +carbonate +carbonated +carbonate's +carbonates +carbonating +carbonation +carbonation's +Carboniferous +carboniferous +Carboniferous's +carbonize +carbonized +carbonizes +carbonizing +carbon's +carbons +Carborundum +carborundum +Carborundum's +carborundum's +carboy +carboy's +carboys +carbs +carbuncle +carbuncle's +carbuncles +carbuncular +carburetor +carburetor's +carburetors +carcass +carcasses +carcass's +carcinogen +carcinogenic +carcinogenicity +carcinogenicity's +carcinogenic's +carcinogenics +carcinogen's +carcinogens +carcinoma +carcinoma's +carcinomas +card +cardamom +cardamom's +cardamoms +cardamon +cardamons +cardboard +cardboard's +carded +Cardenas +Cardenas's +carder +carder's +carders +cardholder +cardholders +cardiac +cardie +cardies +Cardiff +Cardiff's +cardigan +cardigan's +cardigans +Cardin +cardinal +cardinally +cardinal's +cardinals +carding +Cardin's +cardio +cardiogram +cardiogram's +cardiograms +cardiograph +cardiograph's +cardiographs +cardiologist +cardiologist's +cardiologists +cardiology +cardiology's +cardiomyopathy +cardiopulmonary +cardiovascular +Cardozo +Cardozo's +card's +cards +cardsharp +cardsharper +cardsharper's +cardsharpers +cardsharp's +cardsharps +CARE +care +cared +careen +careened +careening +careens +career +careered +careering +careerism +careerist +careerist's +careerists +career's +careers +carefree +careful +carefuller +carefullest +carefully +carefulness +carefulness's +caregiver +caregiver's +caregivers +careless +carelessly +carelessness +carelessness's +carer +carer's +carers +care's +cares +caress +caressed +caresses +caressing +caress's +caret +caretaker +caretaker's +caretakers +caret's +carets +careworn +Carey +Carey's +carfare +carfare's +cargo +cargoes +cargo's +carhop +carhop's +carhops +Carib +Caribbean +Caribbean's +Caribbeans +caribou +caribou's +caribous +Carib's +Caribs +caricature +caricatured +caricature's +caricatures +caricaturing +caricaturist +caricaturist's +caricaturists +caries +caries's +carillon +carillon's +carillons +Carina +Carina's +caring +caring's +carious +Carissa +Carissa's +carjack +carjacked +carjacker +carjacker's +carjackers +carjacking +carjacking's +carjackings +carjacks +Carl +Carla +Carla's +Carlene +Carlene's +Carlin +Carlin's +Carlo +carload +carload's +carloads +Carlo's +Carlos +Carlos's +Carl's +Carlsbad +Carlsbad's +Carlson +Carlson's +Carlton +Carlton's +Carly +Carlyle +Carlyle's +Carly's +Carmela +Carmela's +Carmella +Carmella's +Carmelo +Carmelo's +Carmen +Carmen's +Carmichael +Carmichael's +Carmine +carmine +Carmine's +carmine's +carmines +carnage +carnage's +carnal +carnality +carnality's +carnally +Carnap +Carnap's +Carnation +carnation +Carnation's +carnation's +carnations +Carnegie +Carnegie's +carnelian +carnelian's +carnelians +Carney +Carney's +carnies +carnival +carnival's +carnivals +carnivora +carnivore +carnivore's +carnivores +carnivorous +carnivorously +carnivorousness +carnivorousness's +Carnot +Carnot's +carny +carny's +carob +carob's +carobs +Carol +carol +Carole +caroled +caroler +caroler's +carolers +Carole's +Carolina +Carolina's +Caroline +Caroline's +caroling +Carolingian +Carolingian's +Carolinian +Carolinian's +Carol's +carol's +carols +Carolyn +Carolyn's +carom +caromed +caroming +carom's +caroms +carotene +carotene's +carotid +carotid's +carotids +carousal +carousal's +carousals +carouse +caroused +carousel +carousel's +carousels +carouser +carouser's +carousers +carouse's +carouses +carousing +carp +carpal +carpal's +carpals +Carpathian +Carpathian's +Carpathians +Carpathians's +carped +carpel +carpel's +carpels +Carpenter +carpenter +carpentered +carpentering +Carpenter's +carpenter's +carpenters +carpentry +carpentry's +carper +carper's +carpers +carpet +carpetbag +carpetbagged +carpetbagger +carpetbagger's +carpetbaggers +carpetbagging +carpetbag's +carpetbags +carpeted +carpeting +carpeting's +carpet's +carpets +carpi +carping +carpool +carpooled +carpooling +carpool's +carpools +carport +carport's +carports +carp's +carps +carpus +carpus's +Carr +Carranza +Carranza's +carrel +carrel's +carrels +carriage +carriage's +carriages +carriageway +carriageways +Carrie +carried +Carrier +carrier +Carrier's +carrier's +carriers +Carrie's +carries +Carrillo +Carrillo's +carrion +carrion's +Carroll +Carroll's +carrot +carrot's +carrots +carroty +Carr's +carry +carryall +carryall's +carryalls +carrycot +carrycots +carrying +carryout +carryover +carryover's +carryovers +carry's +car's +cars +carsick +carsickness +carsickness's +Carson +Carson's +cart +cartage +cartage's +carted +cartel +cartel's +cartels +Carter +carter +Carter's +carter's +carters +Cartesian +Cartesian's +Carthage +Carthage's +Carthaginian +Carthaginian's +Carthaginians +carthorse +carthorse's +carthorses +Cartier +Cartier's +cartilage +cartilage's +cartilages +cartilaginous +carting +cartload +cartload's +cartloads +cartographer +cartographer's +cartographers +cartographic +cartography +cartography's +carton +carton's +cartons +cartoon +cartooned +cartooning +cartoonist +cartoonist's +cartoonists +cartoon's +cartoons +cartridge +cartridge's +cartridges +cart's +carts +cartwheel +cartwheeled +cartwheeling +cartwheel's +cartwheels +Cartwright +Cartwright's +Caruso +Caruso's +carve +carved +Carver +carver +carveries +Carver's +carver's +carvers +carvery +carves +carving +carving's +carvings +Cary +caryatid +caryatid's +caryatids +Cary's +Ca's +casaba +casaba's +casabas +Casablanca +Casablanca's +Casals +Casals's +Casandra +Casandra's +Casanova +Casanova's +Casanovas +cascade +cascaded +Cascades +cascade's +cascades +Cascades's +cascading +cascara +cascara's +cascaras +Case +case +casebook +casebooks +cased +caseharden +casehardened +casehardening +casehardens +casein +casein's +caseload +caseload's +caseloads +casement +casement's +casements +Case's +case's +cases +casework +caseworker +caseworker's +caseworkers +casework's +Casey +Casey's +Cash +cash +cashback +cashback's +cashbook +cashbook's +cashbooks +cashed +cashes +cashew +cashew's +cashews +cashier +cashiered +cashiering +cashier's +cashiers +cashing +cashless +cashmere +cashmere's +Cash's +cash's +casing +casing's +casings +casino +casino's +casinos +Casio +Casio's +cask +casket +casket's +caskets +cask's +casks +Caspar +Caspar's +Caspian +Caspian's +Cassandra +Cassandra's +Cassandras +Cassatt +Cassatt's +cassava +cassava's +cassavas +casserole +casseroled +casserole's +casseroles +casseroling +cassette +cassette's +cassettes +cassia +cassia's +cassias +Cassidy +Cassidy's +Cassie +Cassie's +Cassiopeia +Cassiopeia's +Cassius +Cassius's +cassock +cassock's +cassocks +cassowaries +cassowary +cassowary's +cast +Castaneda +Castaneda's +castanet +castanet's +castanets +castaway +castaway's +castaways +caste +castellated +caster +caster's +casters +caste's +castes +castigate +castigated +castigates +castigating +castigation +castigation's +castigator +castigator's +castigators +Castilian +Castillo +Castillo's +casting +casting's +castings +castle +castled +Castlereagh +Castlereagh's +castle's +castles +castling +castoff +castoff's +castoffs +Castor +castor +Castor's +castor's +castors +castrate +castrated +castrates +castrating +castration +castration's +castrations +Castries +Castries's +Castro +Castro's +cast's +casts +casual +casually +casualness +casualness's +casual's +casuals +casualties +casualty +casualty's +casuist +casuistic +casuistry +casuistry's +casuist's +casuists +cat +cataclysm +cataclysmal +cataclysmic +cataclysm's +cataclysms +catacomb +catacomb's +catacombs +catafalque +catafalque's +catafalques +Catalan +Catalan's +Catalans +catalepsy +catalepsy's +cataleptic +cataleptic's +cataleptics +Catalina +Catalina's +catalog +cataloged +cataloger +cataloger's +catalogers +cataloging +catalog's +catalogs +Catalonia +Catalonia's +catalpa +catalpa's +catalpas +catalyses +catalysis +catalysis's +catalyst +catalyst's +catalysts +catalytic +catalytic's +catalyze +catalyzed +catalyzes +catalyzing +catamaran +catamaran's +catamarans +catapult +catapulted +catapulting +catapult's +catapults +cataract +cataract's +cataracts +catarrh +catarrh's +catastrophe +catastrophe's +catastrophes +catastrophic +catastrophically +catatonia +catatonia's +catatonic +catatonic's +catatonics +Catawba +Catawba's +catbird +catbird's +catbirds +catboat +catboat's +catboats +catcall +catcalled +catcalling +catcall's +catcalls +catch +catchall +catchall's +catchalls +catcher +catcher's +catchers +catches +catchier +catchiest +catching +catchings +catchment +catchment's +catchments +catchpenny +catchphrase +catchphrase's +catchphrases +catch's +catchword +catchword's +catchwords +catchy +catechism +catechism's +catechisms +catechist +catechist's +catechists +catechize +catechized +catechizes +catechizing +categorical +categorically +categories +categorization +categorization's +categorizations +categorize +categorized +categorizes +categorizing +category +category's +cater +catercorner +catered +caterer +caterer's +caterers +catering +caterings +Caterpillar +caterpillar +Caterpillar's +caterpillar's +caterpillars +caters +caterwaul +caterwauled +caterwauling +caterwaul's +caterwauls +catfish +catfishes +catfish's +catgut +catgut's +catharses +catharsis +catharsis's +cathartic +cathartic's +cathartics +Cathay +Cathay's +cathedral +cathedral's +cathedrals +Cather +Catherine +Catherine's +Cather's +catheter +catheterize +catheterized +catheterizes +catheterizing +catheter's +catheters +Cathleen +Cathleen's +cathode +cathode's +cathodes +cathodic +Catholic +catholic +Catholicism +Catholicism's +Catholicisms +catholicity +catholicity's +Catholic's +Catholics +Cathryn +Cathryn's +Cathy +Cathy's +Catiline +Catiline's +cation +cation's +cations +catkin +catkin's +catkins +catlike +catnap +catnapped +catnapping +catnap's +catnaps +catnip +catnip's +Cato +Cato's +cat's +cats +Catskill +Catskill's +Catskills +Catskills's +catsuit +catsuits +Catt +cattail +cattail's +cattails +catted +catteries +cattery +cattier +cattiest +cattily +cattiness +cattiness's +catting +cattle +cattleman +cattleman's +cattlemen +cattle's +Catt's +catty +Catullus +Catullus's +CATV +catwalk +catwalk's +catwalks +Caucasian +Caucasian's +Caucasians +Caucasoid +Caucasus +Caucasus's +Cauchy +Cauchy's +caucus +caucused +caucuses +caucusing +caucus's +caudal +caudally +caught +cauldron +cauldron's +cauldrons +cauliflower +cauliflower's +cauliflowers +caulk +caulked +caulker +caulker's +caulkers +caulking +caulk's +caulks +causal +causalities +causality +causality's +causally +causation +causation's +causative +cause +caused +causeless +causer +causerie +causerie's +causeries +causer's +causers +cause's +causes +causeway +causeway's +causeways +causing +caustic +caustically +causticity +causticity's +caustic's +caustics +cauterization +cauterization's +cauterize +cauterized +cauterizes +cauterizing +caution +cautionary +cautioned +cautioning +caution's +cautions +cautious +cautiously +cautiousness +cautiousness's +cavalcade +cavalcade's +cavalcades +cavalier +cavalierly +cavalier's +cavaliers +cavalries +cavalry +cavalryman +cavalryman's +cavalrymen +cavalry's +cave +caveat +caveat's +caveats +caved +caveman +caveman's +cavemen +Cavendish +Cavendish's +caver +cavern +cavernous +cavernously +cavern's +caverns +cavers +cave's +caves +caviar +caviar's +cavil +caviled +caviler +caviler's +cavilers +caviling +cavilings +cavil's +cavils +caving +caving's +cavitation +cavities +cavity +cavity's +cavort +cavorted +cavorting +cavorts +Cavour +Cavour's +caw +cawed +cawing +caw's +caws +Caxton +Caxton's +cay +Cayenne +cayenne +Cayenne's +cayenne's +Cayman +Cayman's +cay's +cays +Cayuga +Cayuga's +Cayugas +Cayuse +cayuse +cayuse's +cayuses +CB +Cb +CBC +CBC's +CBS +CBS's +cc +CCTV +CCU +CD +Cd +CDC +CD's +CDs +Cd's +CDT +Ce +cease +ceased +ceasefire +ceasefire's +ceasefires +ceaseless +ceaselessly +ceaselessness +ceaselessness's +cease's +ceases +ceasing +Ceausescu +Ceausescu's +Cebu +Cebuano +Cebuano's +Cebu's +ceca +cecal +Cecelia +Cecelia's +Cecil +Cecile +Cecile's +Cecilia +Cecilia's +Cecil's +Cecily +Cecily's +cecum +cecum's +cedar +cedar's +cedars +cede +ceded +ceder +ceder's +ceders +cedes +cedilla +cedilla's +cedillas +ceding +Cedric +Cedric's +ceilidh +ceilidhs +ceiling +ceiling's +ceilings +celandine +celandine's +celeb +celebrant +celebrant's +celebrants +celebrate +celebrated +celebrates +celebrating +celebration +celebration's +celebrations +celebrator +celebrator's +celebrators +celebratory +celebrities +celebrity +celebrity's +celebs +celeriac +celerity +celerity's +celery +celery's +celesta +celesta's +celestas +Celeste +Celeste's +celestial +celestially +Celia +Celia's +celibacy +celibacy's +celibate +celibate's +celibates +Celina +Celina's +cell +cellar +cellar's +cellars +celled +Cellini +Cellini's +cellist +cellist's +cellists +cellmate +cellmate's +cellmates +cello +cellophane +cellophane's +cello's +cellos +cellphone +cellphone's +cellphones +cell's +cells +cellular +cellular's +cellulars +cellulite +cellulite's +cellulitis +celluloid +celluloid's +cellulose +cellulose's +Celsius +Celsius's +Celt +Celtic +Celtic's +Celtics +Celt's +Celts +cement +cemented +cementer +cementer's +cementers +cementing +cement's +cements +cementum +cementum's +cemeteries +cemetery +cemetery's +cenobite +cenobite's +cenobites +cenobitic +cenotaph +cenotaph's +cenotaphs +Cenozoic +Cenozoic's +censer +censer's +censers +censor +censored +censorial +censoring +censorious +censoriously +censoriousness +censoriousness's +censor's +censors +censorship +censorship's +censurable +censure +censured +censurer +censurer's +censurers +censure's +censures +censuring +census +censused +censuses +censusing +census's +cent +centaur +centaur's +centaurs +Centaurus +Centaurus's +centavo +centavo's +centavos +centenarian +centenarian's +centenarians +centenaries +centenary +centenary's +centennial +centennially +centennial's +centennials +center +centerboard +centerboard's +centerboards +centered +centerfold +centerfold's +centerfolds +centering +centerpiece +centerpiece's +centerpieces +center's +centers +Centigrade +centigrade +centigram +centigram's +centigrams +centiliter +centiliter's +centiliters +centime +centime's +centimes +centimeter +centimeter's +centimeters +centipede +centipede's +centipedes +Central +central +centralism +centralist +centrality +centrality's +centralization +centralization's +centralize +centralized +centralizer +centralizer's +centralizers +centralizes +centralizing +centrally +central's +centrals +centrifugal +centrifugally +centrifuge +centrifuged +centrifuge's +centrifuges +centrifuging +centripetal +centripetally +centrism +centrism's +centrist +centrist's +centrists +cent's +cents +centuries +centurion +centurion's +centurions +century +century's +CEO +CEO's +cephalic +Cepheid +Cepheid's +Cepheus +Cepheus's +ceramic +ceramicist +ceramicist's +ceramicists +ceramic's +ceramics +ceramics's +ceramist +ceramist's +ceramists +Cerberus +Cerberus's +cereal +cereal's +cereals +cerebellar +cerebellum +cerebellum's +cerebellums +cerebra +cerebral +cerebrate +cerebrated +cerebrates +cerebrating +cerebration +cerebration's +cerebrovascular +cerebrum +cerebrum's +cerebrums +cerement +cerement's +cerements +ceremonial +ceremonially +ceremonial's +ceremonials +ceremonies +ceremonious +ceremoniously +ceremoniousness +ceremoniousness's +ceremony +ceremony's +Cerenkov +Cerenkov's +Ceres +Ceres's +Cerf +Cerf's +cerise +cerise's +cerium +cerium's +cermet +cermet's +cert +certain +certainly +certainties +certainty +certainty's +certifiable +certifiably +certificate +certificated +certificate's +certificates +certificating +certification +certification's +certifications +certified +certifies +certify +certifying +certitude +certitude's +certitudes +certs +cerulean +cerulean's +Cervantes +Cervantes's +cervical +cervices +cervix +cervix's +Ce's +Cesar +Cesarean +cesarean +Cesarean's +cesarean's +cesareans +Cesar's +cesium +cesium's +cessation +cessation's +cessations +cession +cession's +cessions +Cessna +Cessna's +cesspit +cesspits +cesspool +cesspool's +cesspools +cetacean +cetacean's +cetaceans +Cetus +Cetus's +Ceylon +Ceylonese +Ceylon's +Cezanne +Cezanne's +CF +Cf +cf +CFC +CFC's +CFO +Cf's +cg +CGI +Ch +ch +Chablis +Chablis's +Chad +chad +Chadian +Chadian's +Chadians +Chad's +chads +Chadwick +Chadwick's +chafe +chafed +chafes +chaff +chaffed +chaffinch +chaffinches +chaffinch's +chaffing +chaff's +chaffs +chafing +Chagall +Chagall's +chagrin +chagrined +chagrining +chagrin's +chagrins +chain +chained +chaining +chain's +chains +chainsaw +chainsawed +chainsawing +chainsaw's +chainsaws +chair +chaired +chairing +chairlift +chairlift's +chairlifts +chairman +chairman's +chairmanship +chairmanship's +chairmanships +chairmen +chairperson +chairperson's +chairpersons +chair's +chairs +chairwoman +chairwoman's +chairwomen +chaise +chaise's +chaises +Chaitanya +Chaitanya's +Chaitin +Chaitin's +chalcedony +chalcedony's +Chaldea +Chaldean +Chaldean's +chalet +chalet's +chalets +chalice +chalice's +chalices +chalk +chalkboard +chalkboard's +chalkboards +chalked +chalkier +chalkiest +chalkiness +chalkiness's +chalking +chalk's +chalks +chalky +challenge +challenged +Challenger +challenger +Challenger's +challenger's +challengers +challenge's +challenges +challenging +challis +challis's +Chalmers +chamber +chambered +Chamberlain +chamberlain +Chamberlain's +chamberlain's +chamberlains +chambermaid +chambermaid's +chambermaids +Chambers +chamber's +chambers +Chambers's +chambray +chambray's +chameleon +chameleon's +chameleons +chamois +chamois's +chamomile +chamomile's +chamomiles +champ +champagne +champagne's +champagnes +champed +champers +champing +champion +championed +championing +champion's +champions +championship +championship's +championships +Champlain +Champlain's +Champollion +Champollion's +champ's +champs +Chan +Chance +chance +chanced +chancel +chancelleries +chancellery +chancellery's +chancellor +chancellor's +chancellors +chancellorship +chancellorship's +Chancellorsville +Chancellorsville's +chancel's +chancels +chanceries +chancery +chancery's +Chance's +chance's +chances +chancier +chanciest +chanciness +chanciness's +chancing +chancre +chancre's +chancres +chancy +chandelier +chandelier's +chandeliers +Chandigarh +Chandigarh's +Chandler +chandler +Chandler's +chandler's +chandlers +Chandon +Chandon's +Chandra +Chandragupta +Chandragupta's +Chandra's +Chandrasekhar +Chandrasekhar's +Chanel +Chanel's +Chaney +Chaney's +Chang +Changchun +Changchun's +change +changeability +changeability's +changeable +changeableness +changeableness's +changeably +changed +changeless +changelessly +changeling +changeling's +changelings +changeover +changeover's +changeovers +changer +changer's +changers +change's +changes +changing +Chang's +Changsha +Changsha's +channel +channeled +channeling +channelization +channelization's +channelize +channelized +channelizes +channelizing +channel's +channels +Chan's +chanson +chanson's +chansons +chant +chanted +chanter +chanter's +chanters +chanteuse +chanteuse's +chanteuses +chantey +chantey's +chanteys +chanticleer +chanticleer's +chanticleers +Chantilly +Chantilly's +chanting +chant's +chants +chaos +chaos's +chaotic +chaotically +chap +chaparral +chaparral's +chaparrals +chapati +chapatis +chapatti +chapattis +chapbook +chapbook's +chapbooks +chapeau +chapeau's +chapeaus +chapel +chapel's +chapels +chaperon +chaperonage +chaperonage's +chaperoned +chaperoning +chaperon's +chaperons +chaplain +chaplaincies +chaplaincy +chaplaincy's +chaplain's +chaplains +chaplet +chaplet's +chaplets +Chaplin +Chaplinesque +Chaplin's +Chapman +Chapman's +Chappaquiddick +Chappaquiddick's +chapped +chappies +chapping +chappy +chap's +chaps +chapter +chapter's +chapters +Chapultepec +Chapultepec's +char +charabanc +charabanc's +charabancs +character +characterful +characteristic +characteristically +characteristic's +characteristics +characterization +characterization's +characterizations +characterize +characterized +characterizes +characterizing +characterless +character's +characters +charade +charade's +charades +Charbray +Charbray's +charbroil +charbroiled +charbroiling +charbroils +charcoal +charcoal's +charcoals +chard +Chardonnay +chardonnay +Chardonnay's +chardonnay's +chardonnays +chard's +charge +chargeable +charged +charger +charger's +chargers +charge's +charges +charging +charier +chariest +charily +chariness +chariness's +chariot +charioteer +charioteer's +charioteers +chariot's +chariots +charisma +charisma's +charismatic +charismatic's +charismatics +charitable +charitableness +charitableness's +charitably +charities +Charity +charity +Charity's +charity's +charladies +charlady +charlatan +charlatanism +charlatanism's +charlatanry +charlatanry's +charlatan's +charlatans +Charlemagne +Charlemagne's +Charlene +Charlene's +Charles +Charles's +Charleston +Charleston's +Charlestons +Charley +Charley's +Charlie +charlie +Charlie's +charlies +Charlotte +Charlotte's +Charlottetown +Charlottetown's +charm +Charmaine +Charmaine's +charmed +charmer +charmer's +charmers +Charmin +charming +charmingly +Charmin's +charmless +charm's +charms +Charolais +Charolais's +Charon +Charon's +charred +charring +char's +chars +chart +charted +charter +chartered +charterer +charterer's +charterers +chartering +charter's +charters +charting +Chartism +Chartism's +Chartres +Chartres's +chartreuse +chartreuse's +chart's +charts +charwoman +charwoman's +charwomen +chary +Charybdis +Charybdis's +Chase +chase +chased +chaser +chaser's +chasers +Chase's +chase's +chases +chasing +Chasity +Chasity's +chasm +chasm's +chasms +chassis +chassis's +chaste +chastely +chasten +chastened +chasteness +chasteness's +chastening +chastens +chaster +chastest +chastise +chastised +chastisement +chastisement's +chastisements +chastiser +chastiser's +chastisers +chastises +chastising +chastity +chastity's +chasuble +chasuble's +chasubles +chat +chateau +Chateaubriand +Chateaubriand's +chateau's +chateaus +chateaux +chatelaine +chatelaine's +chatelaines +chatline +chatlines +chatroom +chatroom's +chat's +chats +Chattahoochee +Chattahoochee's +Chattanooga +Chattanooga's +chatted +chattel +chattel's +chattels +chatter +chatterbox +chatterboxes +chatterbox's +chattered +chatterer +chatterer's +chatterers +chattering +Chatterley +Chatterley's +chatter's +chatters +Chatterton +Chatterton's +chattier +chattiest +chattily +chattiness +chattiness's +chatting +chatty +Chaucer +Chaucer's +chauffeur +chauffeured +chauffeuring +chauffeur's +chauffeurs +Chauncey +Chauncey's +Chautauqua +Chautauqua's +chauvinism +chauvinism's +chauvinist +chauvinistic +chauvinistically +chauvinist's +chauvinists +Chavez +Chavez's +Chayefsky +Chayefsky's +Che +cheap +cheapen +cheapened +cheapening +cheapens +cheaper +cheapest +cheaply +cheapness +cheapness's +cheapo +cheapskate +cheapskate's +cheapskates +cheat +cheated +cheater +cheater's +cheaters +cheating +cheat's +cheats +Chechen +Chechen's +Chechnya +Chechnya's +check +checkbook +checkbook's +checkbooks +checkbox +checked +checker +checkerboard +checkerboard's +checkerboards +checkered +checkering +checker's +checkers +checkers's +checking +checklist +checklist's +checklists +checkmate +checkmated +checkmate's +checkmates +checkmating +checkoff +checkoff's +checkoffs +checkout +checkout's +checkouts +checkpoint +checkpoint's +checkpoints +checkroom +checkroom's +checkrooms +check's +checks +checksum +checkup +checkup's +checkups +Cheddar +cheddar +Cheddar's +cheddar's +cheek +cheekbone +cheekbone's +cheekbones +cheeked +cheekier +cheekiest +cheekily +cheekiness +cheekiness's +cheeking +cheek's +cheeks +cheeky +cheep +cheeped +cheeping +cheep's +cheeps +Cheer +cheer +cheered +cheerer +cheerer's +cheerers +cheerful +cheerfuller +cheerfullest +cheerfully +cheerfulness +cheerfulness's +cheerier +cheeriest +cheerily +cheeriness +cheeriness's +cheering +cheerio +Cheerios +cheerio's +cheerios +Cheerios's +cheerleader +cheerleader's +cheerleaders +cheerless +cheerlessly +cheerlessness +cheerlessness's +Cheer's +cheer's +cheers +cheery +cheese +cheeseboard +cheeseboards +cheeseburger +cheeseburger's +cheeseburgers +cheesecake +cheesecake's +cheesecakes +cheesecloth +cheesecloth's +cheesed +cheeseparing +cheeseparing's +cheese's +cheeses +cheesier +cheesiest +cheesiness +cheesiness's +cheesing +cheesy +cheetah +cheetah's +cheetahs +Cheetos +Cheetos's +Cheever +Cheever's +chef +chef's +chefs +Chekhov +Chekhovian +Chekhov's +Chelsea +Chelsea's +Chelyabinsk +Chelyabinsk's +chem +chemical +chemically +chemical's +chemicals +chemise +chemise's +chemises +chemist +chemistry +chemistry's +chemist's +chemists +chemo +chemo's +chemotherapeutic +chemotherapy +chemotherapy's +chemurgy +chemurgy's +Chen +Cheney +Cheney's +Chengdu +Chengdu's +chenille +chenille's +Chennai +Chennai's +Chen's +Cheops +Cheops's +Cheri +Cherie +Cherie's +Cheri's +cherish +cherished +cherishes +cherishing +Chernenko +Chernenko's +Chernobyl +Chernobyl's +Chernomyrdin +Chernomyrdin's +Cherokee +Cherokee's +Cherokees +cheroot +cheroot's +cheroots +cherries +Cherry +cherry +Cherry's +cherry's +chert +chert's +cherub +cherubic +cherubim +cherub's +cherubs +chervil +chervil's +Cheryl +Cheryl's +Che's +Chesapeake +Chesapeake's +Cheshire +Cheshire's +chess +chessboard +chessboard's +chessboards +chessman +chessman's +chessmen +chess's +chest +chested +Chester +Chesterfield +chesterfield +Chesterfield's +chesterfield's +chesterfields +Chester's +Chesterton +Chesterton's +chestful +chestful's +chestfuls +chestier +chestiest +chestnut +chestnut's +chestnuts +chest's +chests +chesty +Chevalier +chevalier +Chevalier's +chevalier's +chevaliers +Cheviot +cheviot +Cheviot's +cheviot's +Chevrolet +Chevrolet's +Chevron +chevron +Chevron's +chevron's +chevrons +Chevy +Chevy's +chew +chewed +chewer +chewer's +chewers +chewier +chewiest +chewiness +chewiness's +chewing +chew's +chews +chewy +Cheyenne +Cheyenne's +Cheyennes +chg +chge +Chi +chi +Chianti +Chianti's +Chiantis +chiaroscuro +chiaroscuro's +Chiba +Chiba's +Chibcha +Chibcha's +chic +Chicago +Chicagoan +Chicagoan's +Chicago's +Chicana +Chicana's +chicane +chicaneries +chicanery +chicanery's +chicane's +chicanes +Chicano +Chicano's +chicer +chicest +chichi +chichi's +chichis +chick +chickadee +chickadee's +chickadees +Chickasaw +Chickasaw's +Chickasaws +chicken +chickened +chickenfeed +chickenfeed's +chickenhearted +chickening +chickenpox +chickenpox's +chicken's +chickens +chickenshit +chickenshits +chickpea +chickpea's +chickpeas +chick's +chicks +chickweed +chickweed's +chicle +chicle's +Chiclets +Chiclets's +chicness +chicness's +chicories +chicory +chicory's +chic's +chide +chided +chides +chiding +chidingly +chief +chiefdom +chiefdom's +chiefer +chiefest +chiefly +chief's +chiefs +chieftain +chieftain's +chieftains +chieftainship +chieftainship's +chieftainships +chiffon +chiffonier +chiffonier's +chiffoniers +chiffon's +chigger +chigger's +chiggers +chignon +chignon's +chignons +Chihuahua +chihuahua +Chihuahua's +Chihuahuas +chihuahua's +chihuahuas +chilblain +chilblain's +chilblains +child +childbearing +childbearing's +childbirth +childbirth's +childbirths +childcare +childcare's +childhood +childhood's +childhoods +childish +childishly +childishness +childishness's +childless +childlessness +childlessness's +childlike +childminder +childminders +childminding +childproof +childproofed +childproofing +childproofs +children +children's +child's +Chile +Chilean +Chilean's +Chileans +Chile's +chili +chilies +chili's +chill +chilled +chiller +chiller's +chillers +chillest +chillier +chilliest +chilliness +chilliness's +chilling +chillingly +chillings +chillness +chillness's +chill's +chills +chilly +Chimborazo +Chimborazo's +chime +chimed +chimer +Chimera +chimera +Chimera's +Chimeras +chimera's +chimeras +chimeric +chimerical +chimer's +chimers +chime's +chimes +chiming +chimney +chimney's +chimneys +chimp +chimpanzee +chimpanzee's +chimpanzees +chimp's +chimps +Chimu +Chimu's +Ch'in +Chin +chin +China +china +China's +china's +Chinatown +Chinatown's +chinaware +chinaware's +chinchilla +chinchilla's +chinchillas +chine +chine's +chines +Chinese +Chinese's +chink +chinked +chinking +chink's +chinks +chinless +chinned +chinning +chino +Chinook +Chinook's +Chinooks +chino's +chinos +Ch'in's +Chin's +chin's +chins +chinstrap +chinstrap's +chinstraps +chintz +chintzier +chintziest +chintz's +chintzy +chinwag +chinwags +chip +chipboard +Chipewyan +Chipewyan's +chipmunk +chipmunk's +chipmunks +chipolata +chipolatas +chipped +Chippendale +Chippendale's +chipper +chipper's +chippers +Chippewa +Chippewa's +Chippewas +chippie +chippies +chipping +chippings +chippy +chip's +chips +Chiquita +Chiquita's +Chirico +Chirico's +chirography +chirography's +chiropodist +chiropodist's +chiropodists +chiropody +chiropody's +chiropractic +chiropractic's +chiropractics +chiropractor +chiropractor's +chiropractors +chirp +chirped +chirpier +chirpiest +chirpily +chirpiness +chirping +chirp's +chirps +chirpy +chirrup +chirruped +chirruping +chirrup's +chirrups +Chi's +chi's +chis +chisel +chiseled +chiseler +chiseler's +chiselers +chiseling +chisel's +chisels +Chisholm +Chisholm's +Chisinau +Chisinau's +chit +chitchat +chitchat's +chitchats +chitchatted +chitchatting +chitin +chitinous +chitin's +chitosan +chit's +chits +Chittagong +Chittagong's +chitterlings +chitterlings's +chivalrous +chivalrously +chivalrousness +chivalrousness's +chivalry +chivalry's +Chivas +Chivas's +chive +chive's +chives +chivied +chivies +chivy +chivying +chlamydia +chlamydiae +chlamydia's +chlamydias +Chloe +Chloe's +chloral +chloral's +chlordane +chlordane's +chloride +chloride's +chlorides +chlorinate +chlorinated +chlorinates +chlorinating +chlorination +chlorination's +chlorine +chlorine's +chlorofluorocarbon +chlorofluorocarbon's +chlorofluorocarbons +chloroform +chloroformed +chloroforming +chloroform's +chloroforms +chlorophyll +chlorophyll's +chloroplast +chloroplast's +chloroplasts +chm +choc +chock +chockablock +chocked +chocking +chock's +chocks +chocoholic +chocoholic's +chocoholics +chocolate +chocolate's +chocolates +chocolaty +chocs +Choctaw +Choctaw's +Choctaws +choice +choicer +choice's +choices +choicest +choir +choirboy +choirboy's +choirboys +choirmaster +choirmaster's +choirmasters +choir's +choirs +choke +chokecherries +chokecherry +chokecherry's +choked +choker +choker's +chokers +choke's +chokes +choking +cholecystectomy +cholecystitis +choler +cholera +cholera's +choleric +choler's +cholesterol +cholesterol's +chomp +chomped +chomper +chompers +chomping +chomp's +chomps +Chomsky +Chomsky's +Chongqing +Chongqing's +choose +chooser +chooser's +choosers +chooses +choosier +choosiest +choosiness +choosiness's +choosing +choosy +chop +chophouse +chophouse's +chophouses +Chopin +Chopin's +chopped +chopper +choppered +choppering +chopper's +choppers +choppier +choppiest +choppily +choppiness +choppiness's +chopping +choppy +Chopra +Chopra's +chop's +chops +chopstick +chopstick's +chopsticks +choral +chorale +chorale's +chorales +chorally +choral's +chorals +chord +chordal +chordate +chordate's +chordates +chord's +chords +chore +chorea +chorea's +choreograph +choreographed +choreographer +choreographer's +choreographers +choreographic +choreographically +choreographing +choreographs +choreography +choreography's +chore's +chores +chorister +chorister's +choristers +choroid +choroid's +choroids +chortle +chortled +chortler +chortler's +chortlers +chortle's +chortles +chortling +chorus +chorused +choruses +chorusing +chorus's +chose +chosen +Chou +Chou's +chow +chowder +chowder's +chowders +chowed +chowing +chow's +chows +Chretien +Chretien's +Chris +chrism +chrism's +Chris's +Christ +Christa +Christa's +Christchurch +Christchurch's +christen +Christendom +Christendom's +Christendoms +christened +christening +christening's +christenings +christens +Christensen +Christensen's +Christi +Christian +christian +Christianities +Christianity +Christianity's +Christianize +Christian's +Christians +Christie +Christie's +Christina +Christina's +Christine +Christine's +Christi's +Christlike +Christmas +Christmases +Christmas's +Christmastide +Christmastide's +Christmastides +Christmastime +Christmastime's +Christmastimes +christology +Christoper +Christoper's +Christopher +Christopher's +Christ's +Christs +chromatic +chromatically +chromatin +chromatin's +chromatography +chrome +chromed +chrome's +chromes +chroming +chromium +chromium's +chromosomal +chromosome +chromosome's +chromosomes +chronic +chronically +chronicle +chronicled +chronicler +chronicler's +chroniclers +Chronicles +chronicle's +chronicles +chronicling +chronograph +chronograph's +chronographs +chronological +chronologically +chronologies +chronologist +chronologist's +chronologists +chronology +chronology's +chronometer +chronometer's +chronometers +chrysalis +chrysalises +chrysalis's +chrysanthemum +chrysanthemum's +chrysanthemums +Chrysler +Chrysler's +Chrysostom +Chrysostom's +Chrystal +Chrystal's +château +château's +châteaux +châtelaine +châtelaine's +châtelaines +chub +chubbier +chubbiest +chubbiness +chubbiness's +chubby +chub's +chubs +Chuck +chuck +chucked +chuckhole +chuckhole's +chuckholes +chucking +chuckle +chuckled +chuckle's +chuckles +chuckling +Chuck's +chuck's +chucks +chuffed +chug +chugged +chugging +chug's +chugs +Chukchi +Chukchi's +chukka +chukka's +chukkas +chum +Chumash +Chumash's +chummed +chummier +chummiest +chummily +chumminess +chumminess's +chumming +chummy +chump +chump's +chumps +chum's +chums +chunder +chundered +chundering +chunders +Chung +Chung's +chunk +chunked +chunkier +chunkiest +chunkiness +chunkiness's +chunking +chunk's +chunks +chunky +chunter +chuntered +chuntering +chunters +Church +church +churches +churchgoer +churchgoer's +churchgoers +churchgoing +churchgoing's +Churchill +Churchill's +churchman +churchman's +churchmen +Church's +church's +churchwarden +churchwarden's +churchwardens +churchwoman +churchwomen +churchyard +churchyard's +churchyards +churl +churlish +churlishly +churlishness +churlishness's +churl's +churls +churn +churned +churner +churner's +churners +churning +churn's +churns +Churriguera +Churriguera's +chute +chute's +chutes +chutney +chutney's +chutneys +chutzpah +chutzpah's +Chuvash +Chuvash's +chyme +chyme's +Ci +CIA +ciabatta +ciabatta's +ciabattas +ciao +ciaos +CIA's +cicada +cicada's +cicadas +cicatrices +cicatrix +cicatrix's +Cicero +cicerone +cicerone's +cicerones +ciceroni +Cicero's +CID +Cid +cider +cider's +ciders +Cid's +cigar +cigarette +cigarette's +cigarettes +cigarillo +cigarillo's +cigarillos +cigar's +cigars +cilantro +cilantro's +cilia +cilium +cilium's +Cimabue +Cimabue's +cinch +cinched +cinches +cinching +cinchona +cinchona's +cinchonas +cinch's +Cincinnati +Cincinnati's +cincture +cincture's +cinctures +cinder +cindered +Cinderella +Cinderella's +Cinderellas +cindering +cinder's +cinders +Cindy +Cindy's +cine +cinema +cinema's +cinemas +CinemaScope +CinemaScope's +cinematic +cinematographer +cinematographer's +cinematographers +cinematographic +cinematography +cinematography's +Cinerama +Cinerama's +cinnabar +cinnabar's +cinnamon +cinnamon's +cipher +ciphered +ciphering +cipher's +ciphers +Cipro +Cipro's +cir +circa +circadian +Circe +Circe's +circle +circled +circle's +circles +circlet +circlet's +circlets +circling +circuit +circuital +circuited +circuiting +circuitous +circuitously +circuitousness +circuitousness's +circuitry +circuitry's +circuit's +circuits +circuity +circuity's +circular +circularity +circularity's +circularize +circularized +circularizes +circularizing +circularly +circular's +circulars +circulate +circulated +circulates +circulating +circulation +circulation's +circulations +circulatory +circumcise +circumcised +circumcises +circumcising +circumcision +circumcision's +circumcisions +circumference +circumference's +circumferences +circumferential +circumflex +circumflexes +circumflex's +circumlocution +circumlocution's +circumlocutions +circumlocutory +circumnavigate +circumnavigated +circumnavigates +circumnavigating +circumnavigation +circumnavigation's +circumnavigations +circumpolar +circumscribe +circumscribed +circumscribes +circumscribing +circumscription +circumscription's +circumscriptions +circumspect +circumspection +circumspection's +circumspectly +circumstance +circumstanced +circumstance's +circumstances +circumstancing +circumstantial +circumstantially +circumvent +circumvented +circumventing +circumvention +circumvention's +circumvents +circus +circuses +circus's +cirque +cirque's +cirques +cirrhosis +cirrhosis's +cirrhotic +cirrhotic's +cirrhotics +cirri +cirrus +cirrus's +Ci's +Cisco +Cisco's +cistern +cistern's +cisterns +cit +citadel +citadel's +citadels +citation +citation's +citations +cite +cited +cite's +cites +Citibank +Citibank's +cities +citified +Citigroup +Citigroup's +citing +citizen +citizenry +citizenry's +citizen's +citizens +citizenship +citizenship's +citric +Citroen +Citroen's +citron +citronella +citronella's +citron's +citrons +citrus +citruses +citrus's +city +city's +citywide +civet +civet's +civets +civic +civically +civics +civics's +civil +civilian +civilian's +civilians +civilities +civility +civility's +civilization +civilization's +civilizations +civilize +civilized +civilizes +civilizing +civilly +civvies +civvies's +ck +Cl +cl +clack +clacked +clacking +clack's +clacks +clad +cladding +cladding's +Claiborne +Claiborne's +claim +claimable +claimant +claimant's +claimants +claimed +claimer +claimer's +claimers +claiming +claim's +claims +Clair +éclair +Claire +Claire's +Clairol +Clairol's +Clair's +éclair's +éclairs +clairvoyance +clairvoyance's +clairvoyant +clairvoyant's +clairvoyants +clam +clambake +clambake's +clambakes +clamber +clambered +clamberer +clamberer's +clamberers +clambering +clamber's +clambers +clammed +clammier +clammiest +clammily +clamminess +clamminess's +clamming +clammy +clamor +clamored +clamoring +clamorous +clamor's +clamors +clamp +clampdown +clampdown's +clampdowns +clamped +clamping +clamp's +clamps +clam's +clams +clan +Clancy +Clancy's +clandestine +clandestinely +clang +clanged +clanger +clangers +clanging +clangor +clangorous +clangorously +clangor's +clang's +clangs +clank +clanked +clanking +clank's +clanks +clannish +clannishness +clannishness's +clan's +clans +clansman +clansman's +clansmen +clanswoman +clanswomen +clap +clapboard +clapboarded +clapboarding +clapboard's +clapboards +Clapeyron +Clapeyron's +clapped +clapper +clapperboard +clapperboards +clapper's +clappers +clapping +clapping's +clap's +claps +Clapton +Clapton's +claptrap +claptrap's +claque +claque's +claques +Clara +Clara's +Clare +Clarence +Clarence's +Clarendon +Clarendon's +Clare's +claret +claret's +clarets +Clarice +Clarice's +clarification +clarification's +clarifications +clarified +clarifies +clarify +clarifying +clarinet +clarinetist +clarinetist's +clarinetists +clarinet's +clarinets +clarion +clarioned +clarioning +clarion's +clarions +Clarissa +Clarissa's +clarity +clarity's +Clark +Clarke +Clarke's +Clark's +clash +clashed +clashes +clashing +clash's +clasp +clasped +clasping +clasp's +clasps +class +classed +classes +classic +classical +classically +classical's +classicism +classicism's +classicist +classicist's +classicists +classic's +classics +classier +classiest +classifiable +classification +classification's +classifications +classified +classified's +classifieds +classifier +classifier's +classifiers +classifies +classify +classifying +classiness +classiness's +classing +classless +classlessness +classmate +classmate's +classmates +classroom +classroom's +classrooms +class's +classwork +classwork's +classy +éclat +éclat's +clatter +clattered +clattering +clatter's +clatters +Claude +Claude's +Claudette +Claudette's +Claudia +Claudia's +Claudine +Claudine's +Claudio +Claudio's +Claudius +Claudius's +Claus +clausal +clause +clause's +clauses +Clausewitz +Clausewitz's +Clausius +Clausius's +Claus's +claustrophobia +claustrophobia's +claustrophobic +clavichord +clavichord's +clavichords +clavicle +clavicle's +clavicles +clavier +clavier's +claviers +claw +clawed +clawing +claw's +claws +Clay +clay +clayey +clayier +clayiest +Clay's +clay's +Clayton +Clayton's +clean +cleanable +cleaned +cleaner +cleaner's +cleaners +cleanest +cleaning +cleaning's +cleanings +cleanlier +cleanliest +cleanliness +cleanliness's +cleanly +cleanness +cleanness's +cleans +cleanse +cleansed +cleanser +cleanser's +cleansers +cleanses +cleansing +cleanup +cleanup's +cleanups +clear +clearance +clearance's +clearances +Clearasil +Clearasil's +cleared +clearer +clearest +clearheaded +clearing +clearinghouse +clearinghouse's +clearinghouses +clearing's +clearings +clearly +clearness +clearness's +clear's +clears +clearway +clearways +cleat +cleat's +cleats +cleavage +cleavage's +cleavages +cleave +cleaved +cleaver +cleaver's +cleavers +cleaves +cleaving +clef +clef's +clefs +cleft +cleft's +clefts +Clem +clematis +clematises +clematis's +Clemenceau +Clemenceau's +clemency +clemency's +Clemens +Clemens's +Clement +clement +Clementine +clementine +Clementine's +clementines +clemently +Clement's +Clements +Clements's +Clemons +Clemons's +Clem's +Clemson +Clemson's +clench +clenched +clenches +clenching +clench's +Cleo +Cleopatra +Cleopatra's +Cleo's +clerestories +clerestory +clerestory's +clergies +clergy +clergyman +clergyman's +clergymen +clergy's +clergywoman +clergywoman's +clergywomen +cleric +clerical +clericalism +clericalism's +clerically +cleric's +clerics +clerk +clerked +clerking +clerk's +clerks +clerkship +clerkship's +Cleveland +Cleveland's +clever +cleverer +cleverest +cleverly +cleverness +cleverness's +clevis +clevises +clevis's +clew +clewed +clewing +clew's +clews +Cliburn +Cliburn's +cliché +clichéd +cliche +cliched +cliche's +cliches +cliché's +clichés +click +clickable +clicked +clicker +clicker's +clickers +clicking +click's +clicks +client +clientele +clientele's +clienteles +clientèle +clientèle's +clientèles +client's +clients +Cliff +cliff +cliffhanger +cliffhanger's +cliffhangers +cliffhanging +Clifford +Clifford's +Cliff's +cliff's +cliffs +clifftop +clifftops +Clifton +Clifton's +clii +climacteric +climacteric's +climactic +climate +climate's +climates +climatic +climatically +climatologist +climatologist's +climatologists +climatology +climatology's +climax +climaxed +climaxes +climaxing +climax's +climb +climbable +climbed +climber +climber's +climbers +climbing +climbing's +climb's +climbs +clime +clime's +climes +clinch +clinched +clincher +clincher's +clinchers +clinches +clinching +clinch's +Cline +Cline's +cling +clinger +clinger's +clingers +clingfilm +clingier +clingiest +clinging +cling's +clings +clingy +clinic +clinical +clinically +clinician +clinician's +clinicians +clinic's +clinics +clink +clinked +clinker +clinker's +clinkers +clinking +clink's +clinks +Clint +Clinton +Clinton's +Clint's +Clio +cliometric +cliometrician +cliometrician's +cliometricians +cliometrics +cliometrics's +Clio's +clip +clipboard +clipboard's +clipboards +clipped +clipper +clipper's +clippers +clipping +clipping's +clippings +clip's +clips +clique +clique's +cliques +cliquey +cliquish +cliquishly +cliquishness +cliquishness's +clit +clitoral +clitorides +clitoris +clitorises +clitoris's +clit's +clits +Clive +Clive's +clix +cloaca +cloacae +cloaca's +cloak +cloaked +cloaking +cloakroom +cloakroom's +cloakrooms +cloak's +cloaks +clobber +clobbered +clobbering +clobber's +clobbers +cloche +cloche's +cloches +clock +clocked +clocking +clock's +clocks +clockwise +clockwork +clockwork's +clockworks +clod +cloddish +clodhopper +clodhopper's +clodhoppers +clod's +clods +clog +clogged +clogging +clog's +clogs +cloisonné +cloisonne +cloisonne's +cloisonné's +cloister +cloistered +cloistering +cloister's +cloisters +cloistral +clomp +clomped +clomping +clomps +clonal +clone +cloned +clone's +clones +cloning +clonk +clonked +clonking +clonk's +clonks +clop +clopped +clopping +clop's +clops +Clorets +Clorets's +Clorox +Clorox's +close +closed +closefisted +closely +closemouthed +closeness +closeness's +closeout +closeout's +closeouts +closer +close's +closes +closest +closet +closeted +closeting +closet's +closets +closeup +closeup's +closeups +closing +closing's +closings +Closure +closure +Closure's +closure's +closures +clot +cloth +clothe +clothed +clothes +clotheshorse +clotheshorse's +clotheshorses +clothesline +clothesline's +clotheslines +clothespin +clothespin's +clothespins +clothier +clothier's +clothiers +clothing +clothing's +Clotho +Clotho's +cloth's +cloths +clot's +clots +clotted +clotting +cloture +cloture's +clotures +cloud +cloudburst +cloudburst's +cloudbursts +clouded +cloudier +cloudiest +cloudiness +cloudiness's +clouding +cloudless +cloud's +clouds +cloudy +Clouseau +Clouseau's +clout +clouted +clouting +clout's +clouts +clove +cloven +clover +cloverleaf +cloverleaf's +cloverleafs +cloverleaves +clover's +clovers +clove's +cloves +Clovis +Clovis's +clown +clowned +clowning +clownish +clownishly +clownishness +clownishness's +clown's +clowns +cloy +cloyed +cloying +cloyingly +cloys +Cl's +club +clubbable +clubbed +clubber +clubbers +clubbing +clubfeet +clubfoot +clubfooted +clubfoot's +clubhouse +clubhouse's +clubhouses +clubland +club's +clubs +cluck +clucked +clucking +cluck's +clucks +clue +clued +clueless +clue's +clues +cluing +clump +clumped +clumpier +clumpiest +clumping +clump's +clumps +clumpy +clumsier +clumsiest +clumsily +clumsiness +clumsiness's +clumsy +clung +clunk +clunked +clunker +clunker's +clunkers +clunkier +clunkiest +clunking +clunk's +clunks +clunky +cluster +clustered +clustering +cluster's +clusters +clutch +clutched +clutches +clutching +clutch's +clutter +cluttered +cluttering +clutter's +clutters +clvi +clvii +clxi +clxii +clxiv +clxix +clxvi +clxvii +Clyde +Clyde's +Clydesdale +Clydesdale's +Clytemnestra +Clytemnestra's +Cm +cm +Cmdr +Cm's +cnidarian +cnidarian's +cnidarians +CNN +CNN's +CNS +CNS's +CO +Co +co +coach +coached +coaches +coaching +coachload +coachloads +coachman +coachman's +coachmen +coach's +coachwork +coadjutor +coadjutor's +coadjutors +coagulant +coagulant's +coagulants +coagulate +coagulated +coagulates +coagulating +coagulation +coagulation's +coagulator +coagulator's +coagulators +coal +coaled +coalesce +coalesced +coalescence +coalescence's +coalescent +coalesces +coalescing +coalface +coalface's +coalfaces +coalfield +coalfields +coaling +coalition +coalitionist +coalitionist's +coalitionists +coalition's +coalitions +coalmine +coalmines +coal's +coals +coarse +coarsely +coarsen +coarsened +coarseness +coarseness's +coarsening +coarsens +coarser +coarsest +coast +coastal +coasted +coaster +coaster's +coasters +coastguard +coastguards +coasting +coastline +coastline's +coastlines +coast's +coasts +coat +coated +coating +coating's +coatings +coatroom +coatrooms +coat's +coats +coattail +coattail's +coattails +coauthor +coauthored +coauthoring +coauthor's +coauthors +coax +coaxed +coaxer +coaxer's +coaxers +coaxes +coaxial +coaxing +coaxingly +cob +Cobain +Cobain's +cobalt +cobalt's +Cobb +cobber +cobbers +cobble +cobbled +cobbler +cobbler's +cobblers +cobble's +cobbles +cobblestone +cobblestone's +cobblestones +cobbling +Cobb's +cobnut +cobnuts +COBOL +COBOL's +COBOLs +cobra +cobra's +cobras +cob's +cobs +cobweb +cobwebbed +cobwebbier +cobwebbiest +cobwebby +cobweb's +cobwebs +coca +cocaine +cocaine's +coca's +cocci +coccis +coccus +coccus's +coccyges +coccyx +coccyx's +Cochabamba +Cochabamba's +Cochin +cochineal +cochineal's +Cochin's +Cochise +Cochise's +cochlea +cochleae +cochlear +cochlea's +cochleas +Cochran +Cochran's +cock +cockade +cockade's +cockades +cockamamie +cockatiel +cockatiel's +cockatiels +cockatoo +cockatoo's +cockatoos +cockatrice +cockatrice's +cockatrices +cockchafer +cockchafers +cockcrow +cockcrow's +cockcrows +cocked +cockerel +cockerel's +cockerels +cockeyed +cockfight +cockfighting +cockfighting's +cockfight's +cockfights +cockier +cockiest +cockily +cockiness +cockiness's +cocking +cockle +cockle's +cockles +cockleshell +cockleshell's +cockleshells +Cockney +cockney +Cockney's +cockney's +cockneys +cockpit +cockpit's +cockpits +cockroach +cockroaches +cockroach's +cock's +cocks +cockscomb +cockscomb's +cockscombs +cocksucker +cocksucker's +cocksuckers +cocksure +cocktail +cocktail's +cocktails +cocky +coco +cocoa +cocoa's +cocoas +coconut +coconut's +coconuts +cocoon +cocooned +cocooning +cocoon's +cocoons +coco's +cocos +Cocteau +Cocteau's +COD +Cod +cod +coda +coda's +codas +codded +codding +coddle +coddled +coddles +coddling +code +coded +codeine +codeine's +codependency +codependency's +codependent +codependent's +codependents +coder +coder's +coders +code's +codes +codex +codex's +codfish +codfishes +codfish's +codger +codger's +codgers +codices +codicil +codicil's +codicils +codification +codification's +codifications +codified +codifier +codifier's +codifiers +codifies +codify +codifying +coding +codon +codons +codpiece +codpiece's +codpieces +cod's +cods +codswallop +Cody +Cody's +coed +coed's +coeds +coeducation +coeducational +coeducation's +coefficient +coefficient's +coefficients +coelenterate +coelenterate's +coelenterates +coequal +coequally +coequal's +coequals +coerce +coerced +coercer +coercer's +coercers +coerces +coercing +coercion +coercion's +coercive +coeval +coevally +coeval's +coevals +coexist +coexisted +coexistence +coexistence's +coexistent +coexisting +coexists +coextensive +coffee +coffeecake +coffeecake's +coffeecakes +coffeehouse +coffeehouse's +coffeehouses +coffeemaker +coffeemaker's +coffeemakers +coffeepot +coffeepot's +coffeepots +coffee's +coffees +coffer +cofferdam +cofferdam's +cofferdams +coffer's +coffers +Coffey +Coffey's +coffin +coffined +coffining +coffin's +coffins +cog +cogency +cogency's +cogent +cogently +cogitate +cogitated +cogitates +cogitating +cogitation +cogitation's +cogitations +cogitative +cogitator +cogitator's +cogitators +Cognac +cognac +Cognac's +cognac's +cognacs +cognate +cognate's +cognates +cognition +cognitional +cognition's +cognitive +cognitively +cognizable +cognizance +cognizance's +cognizant +cognomen +cognomen's +cognomens +cognoscente +cognoscente's +cognoscenti +cog's +cogs +cogwheel +cogwheel's +cogwheels +cohabit +cohabitant +cohabitant's +cohabitants +cohabitation +cohabitation's +cohabited +cohabiting +cohabits +Cohan +Cohan's +coheir +coheir's +coheirs +Cohen +Cohen's +cohere +cohered +coherence +coherence's +coherency +coherency's +coherent +coherently +coheres +cohering +cohesion +cohesion's +cohesive +cohesively +cohesiveness +cohesiveness's +coho +cohort +cohort's +cohorts +coho's +cohos +coif +coiffed +coiffing +coiffure +coiffured +coiffure's +coiffures +coiffuring +coif's +coifs +coil +coiled +coiling +coil's +coils +Coimbatore +Coimbatore's +coin +coinage +coinage's +coinages +coincide +coincided +coincidence +coincidence's +coincidences +coincident +coincidental +coincidentally +coincides +coinciding +coined +coiner +coiner's +coiners +coining +coin's +coins +coinsurance +coinsurance's +Cointreau +Cointreau's +coir +coital +coitus +coitus's +Coke +coke +coked +Coke's +Cokes +coke's +cokes +coking +COL +Col +col +COLA +cola +colander +colander's +colanders +cola's +colas +Colbert +Colbert's +Colby +Colby's +cold +coldblooded +colder +coldest +coldly +coldness +coldness's +cold's +colds +Cole +Coleen +Coleen's +Coleman +Coleman's +Coleridge +Coleridge's +Cole's +coleslaw +coleslaw's +Colette +Colette's +coleus +coleuses +coleus's +coley +coleys +Colfax +Colfax's +Colgate +Colgate's +colic +colicky +colic's +Colin +Colin's +coliseum +coliseum's +coliseums +colitis +colitis's +coll +collaborate +collaborated +collaborates +collaborating +collaboration +collaborationist +collaboration's +collaborations +collaborative +collaboratively +collaborator +collaborator's +collaborators +collage +collagen +collage's +collages +collapse +collapsed +collapse's +collapses +collapsible +collapsing +collar +collarbone +collarbone's +collarbones +collard +collard's +collards +collared +collaring +collarless +collar's +collars +collate +collated +collateral +collateralize +collaterally +collateral's +collates +collating +collation +collation's +collations +collator +collator's +collators +colleague +colleague's +colleagues +collect +collected +collectedly +collectible +collectible's +collectibles +collecting +collection +collection's +collections +collective +collectively +collective's +collectives +collectivism +collectivism's +collectivist +collectivist's +collectivists +collectivization +collectivization's +collectivize +collectivized +collectivizes +collectivizing +collector +collector's +collectors +collect's +collects +Colleen +colleen +Colleen's +colleen's +colleens +college +college's +colleges +collegiality +collegiality's +collegian +collegian's +collegians +collegiate +collide +collided +collider +colliders +collides +colliding +collie +Collier +collier +collieries +Collier's +collier's +colliers +colliery +colliery's +collie's +collies +Collin +Collin's +Collins +Collins's +collision +collision's +collisions +collocate +collocated +collocate's +collocates +collocating +collocation +collocation's +collocations +colloid +colloidal +colloid's +colloids +colloq +colloquial +colloquialism +colloquialism's +colloquialisms +colloquially +colloquies +colloquium +colloquium's +colloquiums +colloquy +colloquy's +collude +colluded +colludes +colluding +collusion +collusion's +collusive +Colo +Cologne +cologne +Cologne's +cologne's +colognes +Colombia +Colombian +Colombian's +Colombians +Colombia's +Colombo +Colombo's +Colon +colon +colonel +colonelcy +colonelcy's +colonel's +colonels +colones +colonial +colonialism +colonialism's +colonialist +colonialist's +colonialists +colonially +colonial's +colonials +colonies +colonist +colonist's +colonists +colonization +colonization's +colonize +colonized +colonizer +colonizer's +colonizers +colonizes +colonizing +colonnade +colonnaded +colonnade's +colonnades +colonoscopies +colonoscopy +colonoscopy's +Colon's +colon's +colons +colony +colony's +colophon +colophon's +colophons +color +Coloradan +Coloradan's +Coloradans +Colorado +Coloradoan +Colorado's +colorant +colorant's +colorants +coloration +coloration's +coloratura +coloratura's +coloraturas +colorblind +colorblindness +colorblindness's +colored +colored's +coloreds +colorfast +colorfastness +colorfastness's +colorful +colorfully +colorfulness +colorfulness's +coloring +coloring's +colorist +colorists +colorization +colorization's +colorize +colorized +colorizes +colorizing +colorless +colorlessly +colorlessness +colorlessness's +color's +colors +colorway +colorways +colossal +colossally +Colosseum +Colosseum's +colossi +colossus +colossus's +colostomies +colostomy +colostomy's +colostrum +colostrum's +Col's +cols +Colt +colt +coltish +Coltrane +Coltrane's +Colt's +colt's +colts +Columbia +Columbia's +Columbine +columbine +Columbine's +columbine's +columbines +Columbus +Columbus's +column +columnar +columned +columnist +columnist's +columnists +column's +columns +Com +com +coma +comaker +comaker's +comakers +Comanche +Comanche's +Comanches +coma's +comas +comatose +comb +combat +combatant +combatant's +combatants +combated +combating +combative +combativeness +combativeness's +combat's +combats +combed +comber +comber's +combers +combination +combination's +combinations +combine +combined +combiner +combiner's +combiners +combine's +combines +combing +combings +combings's +combining +combo +combo's +combos +Combs +comb's +combs +Combs's +combust +combusted +combustibility +combustibility's +combustible +combustible's +combustibles +combusting +combustion +combustion's +combustive +combusts +Comdr +come +comeback +comeback's +comebacks +comedian +comedian's +comedians +comedic +comedienne +comedienne's +comediennes +comedies +comedown +comedown's +comedowns +comedy +comedy's +comelier +comeliest +comeliness +comeliness's +comely +comer +comer's +comers +come's +comes +comestible +comestible's +comestibles +comet +comet's +comets +comeuppance +comeuppance's +comeuppances +comfier +comfiest +comfit +comfit's +comfits +comfort +comfortable +comfortableness +comfortableness's +comfortably +comforted +comforter +comforter's +comforters +comforting +comfortingly +comfortless +comfort's +comforts +comfy +comic +comical +comicality +comicality's +comically +comic's +comics +coming +coming's +comings +Comintern +Comintern's +comity +comity's +comm +comma +command +commandant +commandant's +commandants +commanded +commandeer +commandeered +commandeering +commandeers +commander +commander's +commanders +commanding +Commandment +commandment +commandment's +commandments +commando +commando's +commandos +command's +commands +comma's +commas +commemorate +commemorated +commemorates +commemorating +commemoration +commemoration's +commemorations +commemorative +commemorator +commemorator's +commemorators +commence +commenced +commencement +commencement's +commencements +commences +commencing +commend +commendable +commendably +commendation +commendation's +commendations +commendatory +commended +commending +commends +commensurable +commensurate +commensurately +comment +commentaries +commentary +commentary's +commentate +commentated +commentates +commentating +commentator +commentator's +commentators +commented +commenting +comment's +comments +commerce +commerce's +commercial +commercialism +commercialism's +commercialization +commercialization's +commercialize +commercialized +commercializes +commercializing +commercially +commercial's +commercials +commie +commie's +commies +commingle +commingled +commingles +commingling +commiserate +commiserated +commiserates +commiserating +commiseration +commiseration's +commiserations +commiserative +commissar +commissariat +commissariat's +commissariats +commissaries +commissar's +commissars +commissary +commissary's +commission +commissionaire +commissionaires +commissioned +commissioner +commissioner's +commissioners +commissioning +commission's +commissions +commit +commitment +commitment's +commitments +commits +committal +committal's +committals +committed +committee +committeeman +committeeman's +committeemen +committee's +committees +committeewoman +committeewoman's +committeewomen +committer +committers +committing +commode +commode's +commodes +commodification +commodious +commodiously +commodities +commodity +commodity's +commodore +commodore's +commodores +common +commonalities +commonality +commonalty +commonalty's +commoner +commoner's +commoners +commonest +commonly +commonness +commonness's +commonplace +commonplace's +commonplaces +Commons +common's +commons +commonsense +Commons's +commonweal +commonweal's +Commonwealth +commonwealth +commonwealth's +commonwealths +commotion +commotion's +commotions +communal +communally +commune +communed +commune's +communes +communicability +communicability's +communicable +communicably +communicant +communicant's +communicants +communicate +communicated +communicates +communicating +communication +communication's +communications +communicative +communicator +communicator's +communicators +communing +Communion +communion +Communion's +Communions +communion's +communions +communique +communique's +communiques +Communism +communism +communism's +Communist +communist +communistic +Communist's +Communists +communist's +communists +communities +community +community's +commutable +commutation +commutation's +commutations +commutative +commutator +commutator's +commutators +commute +commuted +commuter +commuter's +commuters +commute's +commutes +commuting +Como +Comoran +Comoros +Comoros's +Como's +comp +compact +compacted +compacter +compactest +compacting +compaction +compactly +compactness +compactness's +compactor +compactor's +compactors +compact's +compacts +companies +companion +companionable +companionably +companion's +companions +companionship +companionship's +companionway +companionway's +companionways +company +company's +Compaq +Compaq's +comparability +comparability's +comparable +comparably +comparative +comparatively +comparative's +comparatives +compare +compared +compare's +compares +comparing +comparison +comparison's +comparisons +compartment +compartmental +compartmentalization +compartmentalization's +compartmentalize +compartmentalized +compartmentalizes +compartmentalizing +compartment's +compartments +compass +compassed +compasses +compassing +compassion +compassionate +compassionately +compassion's +compass's +compatibility +compatibility's +compatible +compatible's +compatibles +compatibly +compatriot +compatriot's +compatriots +comped +compeer +compeer's +compeers +compel +compelled +compelling +compellingly +compels +compendious +compendium +compendium's +compendiums +compensate +compensated +compensates +compensating +compensation +compensation's +compensations +compensatory +compere +compered +comperes +compering +compete +competed +competence +competence's +competences +competencies +competency +competency's +competent +competently +competes +competing +competition +competition's +competitions +competitive +competitively +competitiveness +competitiveness's +competitor +competitor's +competitors +compilation +compilation's +compilations +compile +compiled +compiler +compiler's +compilers +compiles +compiling +comping +complacence +complacence's +complacency +complacency's +complacent +complacently +complain +complainant +complainant's +complainants +complained +complainer +complainer's +complainers +complaining +complains +complaint +complaint's +complaints +complaisance +complaisance's +complaisant +complaisantly +complected +complement +complementary +complemented +complementing +complement's +complements +complete +completed +completely +completeness +completeness's +completer +completes +completest +completing +completion +completion's +completions +complex +complexes +complexion +complexional +complexioned +complexion's +complexions +complexities +complexity +complexity's +complexly +complex's +compliance +compliance's +compliant +compliantly +complicate +complicated +complicatedly +complicates +complicating +complication +complication's +complications +complicit +complicity +complicity's +complied +complies +compliment +complimentary +complimented +complimenting +compliment's +compliments +comply +complying +compo +component +component's +components +comport +comported +comporting +comportment +comportment's +comports +compos +compose +composed +composedly +composer +composer's +composers +composes +composing +composite +composited +compositely +composite's +composites +compositing +composition +composition's +compositions +compositor +compositor's +compositors +compost +composted +composting +compost's +composts +composure +composure's +compote +compote's +compotes +compound +compoundable +compounded +compounding +compound's +compounds +compère +compèred +comprehend +comprehended +comprehending +comprehends +comprehensibility +comprehensibility's +comprehensible +comprehensibly +comprehension +comprehension's +comprehensions +comprehensive +comprehensively +comprehensiveness +comprehensiveness's +comprehensive's +comprehensives +compères +compress +compressed +compresses +compressible +compressing +compression +compression's +compressor +compressor's +compressors +compress's +compèring +comprise +comprised +comprises +comprising +compromise +compromised +compromise's +compromises +compromising +comp's +comps +Compton +Compton's +comptroller +comptroller's +comptrollers +compulsion +compulsion's +compulsions +compulsive +compulsively +compulsiveness +compulsiveness's +compulsories +compulsorily +compulsory +compulsory's +compunction +compunction's +compunctions +CompuServe +CompuServe's +computation +computational +computationally +computation's +computations +compute +computed +computer +computerate +computerization +computerization's +computerize +computerized +computerizes +computerizing +computer's +computers +computes +computing +computing's +comrade +comradely +comrade's +comrades +comradeship +comradeship's +Comte +Comte's +con +Conakry +Conakry's +Conan +Conan's +concatenate +concatenated +concatenates +concatenating +concatenation +concatenation's +concatenations +concave +concavely +concaveness +concaveness's +concavities +concavity +concavity's +conceal +concealable +concealed +concealer +concealer's +concealers +concealing +concealment +concealment's +conceals +concede +conceded +concedes +conceding +conceit +conceited +conceitedly +conceitedness +conceitedness's +conceit's +conceits +conceivable +conceivably +conceive +conceived +conceives +conceiving +concentrate +concentrated +concentrate's +concentrates +concentrating +concentration +concentration's +concentrations +concentric +concentrically +Concepción +Concepción's +Concepcion +Concepcion's +concept +conception +conceptional +conception's +conceptions +concept's +concepts +conceptual +conceptualization +conceptualization's +conceptualizations +conceptualize +conceptualized +conceptualizes +conceptualizing +conceptually +concern +concerned +concernedly +concerning +concern's +concerns +concert +concerted +concertedly +concertgoer +concertgoers +concertina +concertinaed +concertinaing +concertina's +concertinas +concerting +concertize +concertized +concertizes +concertizing +concertmaster +concertmaster's +concertmasters +concerto +concerto's +concertos +concert's +concerts +concession +concessionaire +concessionaire's +concessionaires +concessional +concessionary +concession's +concessions +Concetta +Concetta's +conch +conchie +conchies +conch's +conchs +concierge +concierge's +concierges +conciliate +conciliated +conciliates +conciliating +conciliation +conciliation's +conciliator +conciliator's +conciliators +conciliatory +concise +concisely +conciseness +conciseness's +conciser +concisest +concision +concision's +conclave +conclave's +conclaves +conclude +concluded +concludes +concluding +conclusion +conclusion's +conclusions +conclusive +conclusively +conclusiveness +conclusiveness's +concoct +concocted +concocting +concoction +concoction's +concoctions +concocts +concomitant +concomitantly +concomitant's +concomitants +Concord +concord +concordance +concordance's +concordances +concordant +concordat +concordat's +concordats +Concorde +Concorde's +Concord's +Concords +concord's +concourse +concourse's +concourses +concrete +concreted +concretely +concreteness +concreteness's +concrete's +concretes +concreting +concretion +concretion's +concretions +concubinage +concubinage's +concubine +concubine's +concubines +concupiscence +concupiscence's +concupiscent +concur +concurred +concurrence +concurrence's +concurrences +concurrency +concurrent +concurrently +concurring +concurs +concuss +concussed +concusses +concussing +concussion +concussion's +concussions +concussive +condemn +condemnation +condemnation's +condemnations +condemnatory +condemned +condemner +condemner's +condemners +condemning +condemns +condensate +condensate's +condensates +condensation +condensation's +condensations +condense +condensed +condenser +condenser's +condensers +condenses +condensing +condescend +condescended +condescending +condescendingly +condescends +condescension +condescension's +condign +Condillac +Condillac's +condiment +condiment's +condiments +condition +conditional +conditionality +conditionally +conditional's +conditionals +conditioned +conditioner +conditioner's +conditioners +conditioning +conditioning's +condition's +conditions +condo +condole +condoled +condolence +condolence's +condolences +condoles +condoling +condom +condominium +condominium's +condominiums +condom's +condoms +condone +condoned +condones +condoning +condor +Condorcet +Condorcet's +condor's +condors +condo's +condos +conduce +conduced +conduces +conducing +conducive +conduct +conductance +conductance's +conducted +conductibility +conductibility's +conductible +conducting +conduction +conduction's +conductive +conductivity +conductivity's +conductor +conductor's +conductors +conductress +conductresses +conductress's +conduct's +conducts +conduit +conduit's +conduits +cone +coned +cone's +cones +Conestoga +Conestoga's +coneys +confab +confabbed +confabbing +confab's +confabs +confabulate +confabulated +confabulates +confabulating +confabulation +confabulation's +confabulations +confection +confectioner +confectioneries +confectioner's +confectioners +confectionery +confectionery's +confection's +confections +confederacies +Confederacy +confederacy +Confederacy's +confederacy's +Confederate +confederate +confederated +Confederate's +Confederates +confederate's +confederates +confederating +confederation +confederation's +confederations +confer +conferee +conferee's +conferees +conference +conference's +conferences +conferencing +conferment +conferment's +conferments +conferrable +conferral +conferral's +conferred +conferrer +conferrer's +conferrers +conferring +confers +confess +confessed +confessedly +confesses +confessing +confession +confessional +confessional's +confessionals +confession's +confessions +confessor +confessor's +confessors +confetti +confetti's +confidant +confidante +confidante's +confidantes +confidant's +confidants +confide +confided +confidence +confidence's +confidences +confident +confidential +confidentiality +confidentiality's +confidentially +confidently +confider +confider's +confiders +confides +confiding +confidingly +configurable +configuration +configuration's +configurations +configure +configured +configures +configuring +confine +confined +confinement +confinement's +confinements +confine's +confines +confining +confirm +confirmation +confirmation's +confirmations +confirmatory +confirmed +confirming +confirms +confiscate +confiscated +confiscates +confiscating +confiscation +confiscation's +confiscations +confiscator +confiscator's +confiscators +confiscatory +conflagration +conflagration's +conflagrations +conflate +conflated +conflates +conflating +conflation +conflation's +conflations +conflict +conflicted +conflicting +conflict's +conflicts +confluence +confluence's +confluences +confluent +conform +conformable +conformance +conformance's +conformation +conformation's +conformations +conformed +conformer +conformer's +conformers +conforming +conformism +conformism's +conformist +conformist's +conformists +conformity +conformity's +conforms +confound +confounded +confounding +confounds +confraternities +confraternity +confraternity's +confrere +confrere's +confreres +confront +confrontation +confrontational +confrontation's +confrontations +confronted +confronting +confronts +confrère +confrère's +confrères +Confucian +Confucianism +Confucianism's +Confucianisms +Confucian's +Confucians +Confucius +Confucius's +confuse +confused +confusedly +confuser +confusers +confuses +confusing +confusingly +confusion +confusion's +confusions +confutation +confutation's +confute +confuted +confutes +confuting +Cong +conga +congaed +congaing +conga's +congas +congeal +congealed +congealing +congealment +congealment's +congeals +congenial +congeniality +congeniality's +congenially +congenital +congenitally +conger +congeries +congeries's +conger's +congers +congest +congested +congesting +congestion +congestion's +congestive +congests +conglomerate +conglomerated +conglomerate's +conglomerates +conglomerating +conglomeration +conglomeration's +conglomerations +Congo +Congolese +Congolese's +Congo's +congrats +congrats's +congratulate +congratulated +congratulates +congratulating +congratulation +congratulation's +congratulations +congratulatory +congregant +congregant's +congregants +congregate +congregated +congregates +congregating +congregation +Congregational +congregational +congregationalism +congregationalism's +Congregationalist +congregationalist +Congregationalist's +Congregationalists +congregationalist's +congregationalists +congregation's +congregations +Congress +congress +Congresses +congresses +Congressional +congressional +congressman +congressman's +congressmen +congresspeople +congressperson +congressperson's +congresspersons +Congress's +congress's +congresswoman +congresswoman's +congresswomen +Congreve +Congreve's +congruence +congruence's +congruent +congruently +congruities +congruity +congruity's +congruous +Cong's +conic +conical +conically +conic's +conics +conifer +coniferous +conifer's +conifers +coning +conj +conjectural +conjecture +conjectured +conjecture's +conjectures +conjecturing +conjoin +conjoined +conjoiner +conjoiner's +conjoiners +conjoining +conjoins +conjoint +conjointly +conjugal +conjugally +conjugate +conjugated +conjugates +conjugating +conjugation +conjugation's +conjugations +conjunct +conjunction +conjunction's +conjunctions +conjunctiva +conjunctiva's +conjunctivas +conjunctive +conjunctive's +conjunctives +conjunctivitis +conjunctivitis's +conjunct's +conjuncts +conjuncture +conjuncture's +conjunctures +conjuration +conjuration's +conjurations +conjure +conjured +conjurer +conjurer's +conjurers +conjures +conjuring +conk +conked +conker +conkers +conking +conk's +conks +Conley +Conley's +conman +conman's +Conn +connect +connectable +connected +Connecticut +Connecticut's +connecting +connection +connection's +connections +connective +connective's +connectives +connectivity +connectivity's +connector +connector's +connectors +connects +conned +Connemara +Connemara's +Conner +Conner's +Connery +Connery's +Connie +Connie's +conning +conniption +conniption's +conniptions +connivance +connivance's +connive +connived +conniver +conniver's +connivers +connives +conniving +connoisseur +connoisseur's +connoisseurs +Connolly +Connolly's +Connors +Connors's +connotation +connotation's +connotations +connotative +connote +connoted +connotes +connoting +Conn's +connubial +conquer +conquerable +conquered +conquering +conqueror +conqueror's +conquerors +conquers +conquest +conquest's +conquests +conquistador +conquistador's +conquistadors +Conrad +Conrad's +Conrail +Conrail's +con's +cons +consanguineous +consanguinity +consanguinity's +conscience +conscienceless +conscience's +consciences +conscientious +conscientiously +conscientiousness +conscientiousness's +conscious +consciously +consciousness +consciousnesses +consciousness's +conscript +conscripted +conscripting +conscription +conscription's +conscript's +conscripts +consecrate +consecrated +consecrates +consecrating +consecration +consecration's +consecrations +consecutive +consecutively +consed +consensual +consensus +consensuses +consensus's +consent +consented +consenting +consent's +consents +consequence +consequence's +consequences +consequent +consequential +consequentially +consequently +conservancies +conservancy +conservancy's +conservation +conservationism +conservationism's +conservationist +conservationist's +conservationists +conservation's +conservatism +conservatism's +Conservative +conservative +conservatively +conservative's +conservatives +conservatoire +conservatoires +conservator +conservatories +conservator's +conservators +conservatory +conservatory's +conserve +conserved +conserve's +conserves +conserving +conses +consider +considerable +considerably +considerate +considerately +considerateness +considerateness's +consideration +consideration's +considerations +considered +considering +considers +consign +consigned +consignee +consignee's +consignees +consigning +consignment +consignment's +consignments +consignor +consignor's +consignors +consigns +consing +consist +consisted +consistence +consistence's +consistences +consistencies +consistency +consistency's +consistent +consistently +consisting +consistories +consistory +consistory's +consists +consolable +consolation +consolation's +consolations +consolatory +console +consoled +console's +consoles +consolidate +consolidated +consolidates +consolidating +consolidation +consolidation's +consolidations +consolidator +consolidator's +consolidators +consoling +consolingly +consommé +consomme +consomme's +consommé's +consonance +consonance's +consonances +consonant +consonantly +consonant's +consonants +consort +consorted +consortia +consorting +consortium +consortium's +consort's +consorts +conspectus +conspectuses +conspectus's +conspicuous +conspicuously +conspicuousness +conspicuousness's +conspiracies +conspiracy +conspiracy's +conspirator +conspiratorial +conspiratorially +conspirator's +conspirators +conspire +conspired +conspires +conspiring +Constable +constable +Constable's +constable's +constables +constabularies +constabulary +constabulary's +Constance +Constance's +constancy +constancy's +constant +Constantine +Constantine's +Constantinople +Constantinople's +constantly +constant's +constants +constellation +constellation's +constellations +consternation +consternation's +constipate +constipated +constipates +constipating +constipation +constipation's +constituencies +constituency +constituency's +constituent +constituent's +constituents +constitute +constituted +constitutes +constituting +Constitution +constitution +constitutional +constitutionalism +constitutionality +constitutionality's +constitutionally +constitutional's +constitutionals +constitution's +constitutions +constitutive +constrain +constrained +constraining +constrains +constraint +constraint's +constraints +constrict +constricted +constricting +constriction +constriction's +constrictions +constrictive +constrictor +constrictor's +constrictors +constricts +construable +construct +constructed +constructing +construction +constructional +constructionist +constructionist's +constructionists +construction's +constructions +constructive +constructively +constructiveness +constructiveness's +constructor +constructor's +constructors +construct's +constructs +construe +construed +construes +construing +consubstantiation +consubstantiation's +Consuelo +Consuelo's +consul +consular +consulate +consulate's +consulates +consul's +consuls +consulship +consulship's +consult +consultancies +consultancy +consultancy's +consultant +consultant's +consultants +consultation +consultation's +consultations +consultative +consulted +consulting +consults +consumable +consumable's +consumables +consume +consumed +consumer +consumerism +consumerism's +consumerist +consumerist's +consumerists +consumer's +consumers +consumes +consuming +consummate +consummated +consummately +consummates +consummating +consummation +consummation's +consummations +consumption +consumption's +consumptive +consumptive's +consumptives +cont +contact +contactable +contacted +contacting +contact's +contacts +contagion +contagion's +contagions +contagious +contagiously +contagiousness +contagiousness's +contain +containable +contained +container +containerization +containerization's +containerize +containerized +containerizes +containerizing +container's +containers +containing +containment +containment's +contains +contaminant +contaminant's +contaminants +contaminate +contaminated +contaminates +contaminating +contamination +contamination's +contaminator +contaminator's +contaminators +contd +contemn +contemned +contemning +contemns +contemplate +contemplated +contemplates +contemplating +contemplation +contemplation's +contemplative +contemplatively +contemplative's +contemplatives +contemporaneity +contemporaneity's +contemporaneous +contemporaneously +contemporaries +contemporary +contemporary's +contempt +contemptible +contemptibly +contempt's +contemptuous +contemptuously +contemptuousness +contemptuousness's +contend +contended +contender +contender's +contenders +contending +contends +content +contented +contentedly +contentedness +contentedness's +contenting +contention +contention's +contentions +contentious +contentiously +contentiousness +contentiousness's +contently +contentment +contentment's +content's +contents +conterminous +conterminously +contest +contestable +contestant +contestant's +contestants +contested +contesting +contest's +contests +context +context's +contexts +contextual +contextualization +contextualize +contextualized +contextualizes +contextualizing +contextually +contiguity +contiguity's +contiguous +contiguously +continence +continence's +Continent +continent +Continental +continental +Continental's +continental's +continentals +Continent's +continent's +continents +contingencies +contingency +contingency's +contingent +contingently +contingent's +contingents +continua +continual +continually +continuance +continuance's +continuances +continuation +continuation's +continuations +continue +continued +continues +continuing +continuities +continuity +continuity's +continuous +continuously +continuum +continuum's +contort +contorted +contorting +contortion +contortionist +contortionist's +contortionists +contortion's +contortions +contorts +contour +contoured +contouring +contour's +contours +contra +contraband +contraband's +contrabassoon +contrabassoons +contraception +contraception's +contraceptive +contraceptive's +contraceptives +contract +contracted +contractible +contractile +contractility +contracting +contraction +contraction's +contractions +contractor +contractor's +contractors +contract's +contracts +contractual +contractually +contradict +contradicted +contradicting +contradiction +contradiction's +contradictions +contradictory +contradicts +contradistinction +contradistinction's +contradistinctions +contraflow +contraflows +contrail +contrail's +contrails +contraindicate +contraindicated +contraindicates +contraindicating +contraindication +contraindication's +contraindications +contralto +contralto's +contraltos +contraption +contraption's +contraptions +contrapuntal +contrapuntally +contrarian +contrarianism +contrarian's +contrarians +contraries +contrariety +contrariety's +contrarily +contrariness +contrariness's +contrariwise +contrary +contrary's +contrast +contrasted +contrasting +contrast's +contrasts +contravene +contravened +contravenes +contravening +contravention +contravention's +contraventions +Contreras +Contreras's +contretemps +contretemps's +contribute +contributed +contributes +contributing +contribution +contribution's +contributions +contributor +contributor's +contributors +contributory +contrite +contritely +contriteness +contriteness's +contrition +contrition's +contrivance +contrivance's +contrivances +contrive +contrived +contriver +contriver's +contrivers +contrives +contriving +control +controllable +controlled +controller +controller's +controllers +controlling +control's +controls +controversial +controversially +controversies +controversy +controversy's +controvert +controverted +controvertible +controverting +controverts +contumacious +contumaciously +contumacy +contumacy's +contumelies +contumelious +contumely +contumely's +contuse +contused +contuses +contusing +contusion +contusion's +contusions +conundrum +conundrum's +conundrums +conurbation +conurbation's +conurbations +convalesce +convalesced +convalescence +convalescence's +convalescences +convalescent +convalescent's +convalescents +convalesces +convalescing +convection +convectional +convection's +convective +convector +convectors +convene +convened +convener +convener's +conveners +convenes +convenience +convenience's +conveniences +convenient +conveniently +convening +convent +conventicle +conventicle's +conventicles +convention +conventional +conventionality +conventionality's +conventionalize +conventionalized +conventionalizes +conventionalizing +conventionally +conventioneer +conventioneers +convention's +conventions +convent's +convents +converge +converged +convergence +convergence's +convergences +convergent +converges +converging +conversant +conversation +conversational +conversationalist +conversationalist's +conversationalists +conversationally +conversation's +conversations +converse +conversed +conversely +converse's +converses +conversing +conversion +conversion's +conversions +convert +converted +converter +converter's +converters +convertibility +convertibility's +convertible +convertible's +convertibles +converting +convert's +converts +convex +convexity +convexity's +convexly +convey +conveyable +conveyance +conveyance's +conveyances +conveyancing +conveyed +conveying +conveyor +conveyor's +conveyors +conveys +convict +convicted +convicting +conviction +conviction's +convictions +convict's +convicts +convince +convinced +convinces +convincing +convincingly +convivial +conviviality +conviviality's +convivially +convocation +convocation's +convocations +convoke +convoked +convokes +convoking +convoluted +convolution +convolution's +convolutions +convoy +convoyed +convoying +convoy's +convoys +convulse +convulsed +convulses +convulsing +convulsion +convulsion's +convulsions +convulsive +convulsively +Conway +Conway's +cony +cony's +coo +cooed +cooing +Cook +cook +cookbook +cookbook's +cookbooks +Cooke +cooked +cooker +cookeries +cooker's +cookers +cookery +cookery's +Cooke's +cookhouse +cookhouses +cookie +cookie's +cookies +cooking +cooking's +cookout +cookout's +cookouts +Cook's +cook's +cooks +cookware +cookware's +cookwares +cool +coolant +coolant's +coolants +cooled +cooler +cooler's +coolers +coolest +Cooley +Cooley's +Coolidge +Coolidge's +coolie +coolie's +coolies +cooling +coolly +coolness +coolness's +cool's +cools +coon +coon's +coons +coonskin +coonskin's +coonskins +coop +cooped +Cooper +cooper +cooperage +cooperage's +cooperate +cooperated +cooperates +cooperating +cooperation +cooperation's +cooperative +cooperatively +cooperativeness +cooperativeness's +cooperative's +cooperatives +cooperator +cooperator's +cooperators +coopered +coopering +Cooper's +cooper's +coopers +Cooperstown +Cooperstown's +cooping +coop's +coops +coordinate +coordinated +coordinately +coordinate's +coordinates +coordinating +coordination +coordination's +coordinator +coordinator's +coordinators +Coors +Coors's +coo's +coos +coot +cootie +cootie's +cooties +coot's +coots +cop +Copacabana +Copacabana's +copacetic +copay +copay's +cope +coped +Copeland +Copeland's +Copenhagen +Copenhagen's +Copernican +Copernican's +Copernicus +Copernicus's +cope's +copes +copied +copier +copier's +copiers +copies +copilot +copilot's +copilots +coping +coping's +copings +copious +copiously +copiousness +copiousness's +Copland +Copland's +Copley +Copley's +copped +copper +Copperfield +Copperfield's +copperhead +copperhead's +copperheads +copperplate +copperplate's +copper's +coppers +Coppertone +Coppertone's +coppery +copping +Coppola +Coppola's +copra +copra's +cop's +cops +copse +copse's +copses +copter +copter's +copters +Coptic +Coptic's +copula +copula's +copulas +copulate +copulated +copulates +copulating +copulation +copulation's +copulative +copulative's +copulatives +copy +copybook +copybook's +copybooks +copycat +copycat's +copycats +copycatted +copycatting +copying +copyist +copyist's +copyists +copyleft +copyright +copyrighted +copyrighting +copyright's +copyrights +copy's +copywriter +copywriter's +copywriters +coquetries +coquetry +coquetry's +coquette +coquetted +coquette's +coquettes +coquetting +coquettish +coquettishly +cor +Cora +coracle +coracle's +coracles +coral +coral's +corals +Cora's +corbel +corbel's +corbels +cord +cordage +cordage's +corded +Cordelia +Cordelia's +cordial +cordiality +cordiality's +cordially +cordial's +cordials +cordillera +Cordilleras +cordillera's +cordilleras +Cordilleras's +cording +cordite +cordite's +cordless +Cordoba +Cordoba's +cordon +cordoned +cordoning +cordon's +cordons +cordovan +cordovan's +cord's +cords +corduroy +corduroy's +corduroys +corduroys's +core +cored +coreligionist +coreligionists +corer +corer's +corers +core's +cores +corespondent +corespondent's +corespondents +Corey +Corey's +Corfu +Corfu's +corgi +corgi's +corgis +coriander +coriander's +Corina +Corina's +Corine +Corine's +coring +Corinne +Corinne's +Corinth +Corinthian +Corinthian's +Corinthians +Corinthians's +Corinth's +Coriolanus +Coriolanus's +Coriolis +Coriolis's +Cork +cork +corkage +corked +corker +corker's +corkers +corking +cork's +corks +corkscrew +corkscrewed +corkscrewing +corkscrew's +corkscrews +Corleone +Corleone's +corm +Cormack +Cormack's +cormorant +cormorant's +cormorants +corm's +corms +corn +cornball +cornball's +cornballs +cornbread +cornbread's +corncob +corncob's +corncobs +corncrake +corncrakes +cornea +corneal +cornea's +corneas +corned +Corneille +Corneille's +Cornelia +Cornelia's +Cornelius +Cornelius's +Cornell +Cornell's +corner +cornered +cornering +corner's +corners +cornerstone +cornerstone's +cornerstones +cornet +cornet's +cornets +cornfield +cornfields +cornflakes +cornflakes's +cornflour +cornflower +cornflower's +cornflowers +cornice +cornice's +cornices +cornier +corniest +cornily +corniness +corniness's +Corning +corning +Corning's +Cornish +Cornishes +Cornish's +cornmeal +cornmeal's +cornrow +cornrowed +cornrowing +cornrow's +cornrows +corn's +corns +cornstalk +cornstalk's +cornstalks +cornstarch +cornstarch's +cornucopia +cornucopia's +cornucopias +Cornwall +Cornwallis +Cornwallis's +Cornwall's +corny +corolla +corollaries +corollary +corollary's +corolla's +corollas +corona +Coronado +Coronado's +coronal +coronal's +coronals +coronaries +coronary +coronary's +corona's +coronas +coronation +coronation's +coronations +coroner +coroner's +coroners +coronet +coronet's +coronets +Corot +Corot's +Corp +corp +corpora +corporal +corporal's +corporals +corporate +corporately +corporation +corporation's +corporations +corporatism +corporeal +corporeality +corporeality's +corporeally +corps +corpse +corpse's +corpses +corpsman +corpsman's +corpsmen +corps's +corpulence +corpulence's +corpulent +corpus +corpuscle +corpuscle's +corpuscles +corpuscular +corpus's +corr +corral +corralled +corralling +corral's +corrals +correct +correctable +corrected +correcter +correctest +correcting +correction +correctional +correction's +corrections +corrective +corrective's +correctives +correctly +correctness +correctness's +corrector +corrects +Correggio +Correggio's +correlate +correlated +correlate's +correlates +correlating +correlation +correlation's +correlations +correlative +correlative's +correlatives +correspond +corresponded +correspondence +correspondence's +correspondences +correspondent +correspondent's +correspondents +corresponding +correspondingly +corresponds +corridor +corridor's +corridors +corrie +corries +Corrine +Corrine's +corroborate +corroborated +corroborates +corroborating +corroboration +corroboration's +corroborations +corroborative +corroborator +corroborator's +corroborators +corroboratory +corrode +corroded +corrodes +corroding +corrosion +corrosion's +corrosive +corrosively +corrosive's +corrosives +corrugate +corrugated +corrugates +corrugating +corrugation +corrugation's +corrugations +corrupt +corrupted +corrupter +corruptest +corruptibility +corruptibility's +corruptible +corrupting +corruption +corruption's +corruptions +corruptly +corruptness +corruptness's +corrupts +corsage +corsage's +corsages +corsair +corsair's +corsairs +corset +corseted +corseting +corset's +corsets +Corsica +Corsican +Corsican's +Corsica's +cortege +cortege's +corteges +Cortes +Corteses +Cortes's +cortex +cortex's +cortège +cortège's +cortèges +cortical +cortices +cortisone +cortisone's +Cortland +Cortland's +corundum +corundum's +coruscate +coruscated +coruscates +coruscating +coruscation +coruscation's +Corvallis +Corvallis's +Corvette +corvette +Corvette's +corvette's +corvettes +Corvus +Corvus's +Cory +Cory's +CO's +Co's +cos +Cosby +Cosby's +cosh +coshed +coshes +coshing +cosign +cosignatories +cosignatory +cosignatory's +cosigned +cosigner +cosigner's +cosigners +cosigning +cosigns +cosine +cosine's +cosines +cosmetic +cosmetically +cosmetician +cosmetician's +cosmeticians +cosmetic's +cosmetics +cosmetologist +cosmetologist's +cosmetologists +cosmetology +cosmetology's +cosmic +cosmically +cosmogonies +cosmogonist +cosmogonist's +cosmogonists +cosmogony +cosmogony's +cosmological +cosmologies +cosmologist +cosmologist's +cosmologists +cosmology +cosmology's +cosmonaut +cosmonaut's +cosmonauts +cosmopolitan +cosmopolitanism +cosmopolitanism's +cosmopolitan's +cosmopolitans +cosmos +cosmoses +cosmos's +cosplay +cosponsor +cosponsored +cosponsoring +cosponsor's +cosponsors +cos's +Cossack +Cossack's +cosset +cosseted +cosseting +cossets +cossetted +cossetting +cost +costar +costarred +costarring +costar's +costars +Costco +Costco's +costed +Costello +Costello's +costing +costings +costlier +costliest +costliness +costliness's +costly +Costner +Costner's +cost's +costs +costume +costumed +costumer +costumer's +costumers +costume's +costumes +costumier +costumiers +costuming +cot +cotangent +cotangent's +cotangents +Cote +cote +coterie +coterie's +coteries +coterminous +Cote's +cote's +cotes +cotillion +cotillion's +cotillions +Cotonou +Cotonou's +Cotopaxi +Cotopaxi's +cot's +cots +Cotswold +Cotswold's +cottage +cottager +cottager's +cottagers +cottage's +cottages +cottaging +cottar +cottar's +cottars +cotter +cotter's +cotters +Cotton +cotton +cottoned +cottoning +cottonmouth +cottonmouth's +cottonmouths +Cotton's +cotton's +cottons +cottonseed +cottonseed's +cottonseeds +cottontail +cottontail's +cottontails +cottonwood +cottonwood's +cottonwoods +cottony +cotyledon +cotyledon's +cotyledons +couch +couched +couches +couchette +couchettes +couching +couch's +cougar +cougar's +cougars +cough +coughed +coughing +cough's +coughs +could +couldn't +could've +coulée +coulee +coulee's +coulees +coulée's +coulées +coulis +Coulomb +coulomb +Coulomb's +coulomb's +coulombs +Coulter +Coulter's +council +councilman +councilman's +councilmen +councilor +councilor's +councilors +councilperson +councilperson's +councilpersons +council's +councils +councilwoman +councilwoman's +councilwomen +counsel +counseled +counseling +counselings +counselor +counselor's +counselors +counsel's +counsels +count +countable +countably +countdown +countdown's +countdowns +counted +countenance +countenanced +countenance's +countenances +countenancing +counter +counteract +counteracted +counteracting +counteraction +counteraction's +counteractions +counteractive +counteracts +counterargument +counterarguments +counterattack +counterattacked +counterattacking +counterattack's +counterattacks +counterbalance +counterbalanced +counterbalance's +counterbalances +counterbalancing +counterblast +counterblasts +counterclaim +counterclaimed +counterclaiming +counterclaim's +counterclaims +counterclockwise +counterculture +counterculture's +countercultures +countered +counterespionage +counterespionage's +counterexample +counterexamples +counterfactual +counterfeit +counterfeited +counterfeiter +counterfeiter's +counterfeiters +counterfeiting +counterfeit's +counterfeits +counterfoil +counterfoil's +counterfoils +countering +counterinsurgencies +counterinsurgency +counterinsurgency's +counterintelligence +counterintelligence's +counterman +countermand +countermanded +countermanding +countermand's +countermands +counterman's +countermeasure +countermeasure's +countermeasures +countermelodies +countermelody +countermen +countermove +countermoves +counteroffensive +counteroffensive's +counteroffensives +counteroffer +counteroffer's +counteroffers +counterpane +counterpane's +counterpanes +counterpart +counterpart's +counterparts +counterpetition +counterpoint +counterpointed +counterpointing +counterpoint's +counterpoints +counterpoise +counterpoised +counterpoise's +counterpoises +counterpoising +counterproductive +counterrevolution +counterrevolutionaries +counterrevolutionary +counterrevolutionary's +counterrevolution's +counterrevolutions +counter's +counters +countersign +countersignature +countersignature's +countersignatures +countersigned +countersigning +countersign's +countersigns +countersink +countersinking +countersink's +countersinks +counterspies +counterspy +counterspy's +counterstroke +counterstroke's +counterstrokes +countersunk +countertenor +countertenor's +countertenors +countervail +countervailed +countervailing +countervails +counterweight +counterweight's +counterweights +countess +countesses +countess's +counties +counting +countless +countries +countrified +country +countryman +countryman's +countrymen +country's +countryside +countryside's +countrysides +countrywide +countrywoman +countrywoman's +countrywomen +count's +counts +county +county's +countywide +coup +coupe +Couperin +Couperin's +coupe's +coupes +couple +coupled +couple's +couples +couplet +couplet's +couplets +coupling +coupling's +couplings +coupon +coupon's +coupons +coup's +coups +courage +courageous +courageously +courageousness +courageousness's +courage's +Courbet +Courbet's +courgette +courgettes +courier +couriered +couriering +courier's +couriers +course +coursebook +coursebooks +coursed +courser +courser's +coursers +course's +courses +coursework +coursing +court +courted +courteous +courteously +courteousness +courteousness's +courtesan +courtesan's +courtesans +courtesies +courtesy +courtesy's +courthouse +courthouse's +courthouses +courtier +courtier's +courtiers +courting +courtlier +courtliest +courtliness +courtliness's +courtly +Courtney +Courtney's +courtroom +courtroom's +courtrooms +court's +courts +courtship +courtship's +courtships +courtyard +courtyard's +courtyards +couscous +couscous's +cousin +cousin's +cousins +Cousteau +Cousteau's +couture +couture's +couturier +couturier's +couturiers +cove +coven +covenant +covenanted +covenanting +covenant's +covenants +coven's +covens +Coventries +Coventry +Coventry's +cover +coverage +coverage's +coverall +coverall's +coveralls +covered +covering +covering's +coverings +coverlet +coverlet's +coverlets +cover's +covers +covert +covertly +covertness +covertness's +covert's +coverts +cove's +coves +covet +coveted +coveting +covetous +covetously +covetousness +covetousness's +covets +covey +covey's +coveys +cow +Coward +coward +cowardice +cowardice's +cowardliness +cowardliness's +cowardly +Coward's +coward's +cowards +cowbell +cowbell's +cowbells +cowbird +cowbird's +cowbirds +cowboy +cowboy's +cowboys +cowcatcher +cowcatcher's +cowcatchers +cowed +Cowell +Cowell's +cower +cowered +cowering +cowers +cowgirl +cowgirl's +cowgirls +cowhand +cowhand's +cowhands +cowherd +cowherd's +cowherds +cowhide +cowhide's +cowhides +cowing +cowl +Cowley +Cowley's +cowlick +cowlick's +cowlicks +cowling +cowling's +cowlings +cowl's +cowls +cowman +cowman's +cowmen +coworker +coworker's +coworkers +cowpat +cowpats +Cowper +Cowper's +cowpoke +cowpoke's +cowpokes +cowpox +cowpox's +cowpuncher +cowpuncher's +cowpunchers +cowrie +cowrie's +cowries +cow's +cows +cowshed +cowsheds +cowslip +cowslip's +cowslips +Cox +cox +coxcomb +coxcomb's +coxcombs +coxed +coxes +coxing +Cox's +coxswain +coxswain's +coxswains +Coy +coy +coyer +coyest +coyly +coyness +coyness's +coyote +coyote's +coyotes +coypu +coypu's +coypus +Coy's +cozen +cozenage +cozenage's +cozened +cozening +cozens +cozier +cozies +coziest +cozily +coziness +coziness's +Cozumel +Cozumel's +cozy +cozy's +CPA +CPA's +cpd +CPI +CPI's +Cpl +cpl +CPO +CPR +CPR's +cps +CPU +CPU's +Cr +crab +Crabbe +crabbed +crabber +crabber's +crabbers +Crabbe's +crabbier +crabbiest +crabbily +crabbiness +crabbiness's +crabbing +crabby +crabgrass +crabgrass's +crablike +crab's +crabs +crabwise +crack +crackdown +crackdown's +crackdowns +cracked +cracker +crackerjack +crackerjack's +crackerjacks +cracker's +crackers +crackhead +crackhead's +crackheads +cracking +crackings +crackle +crackled +crackle's +crackles +crackling +crackling's +cracklings +crackly +crackpot +crackpot's +crackpots +crack's +cracks +crackup +crackup's +crackups +cradle +cradled +cradle's +cradles +cradling +Craft +craft +crafted +craftier +craftiest +craftily +craftiness +craftiness's +crafting +Craft's +craft's +crafts +craftsman +craftsman's +craftsmanship +craftsmanship's +craftsmen +craftspeople +craftswoman +craftswoman's +craftswomen +crafty +crag +craggier +craggiest +cragginess +cragginess's +craggy +crag's +crags +Craig +Craig's +cram +crammed +crammer +crammers +cramming +cramp +cramped +cramping +cramping's +crampon +crampon's +crampons +cramp's +cramps +crams +Cranach +Cranach's +cranberries +cranberry +cranberry's +Crane +crane +craned +Crane's +crane's +cranes +cranial +craning +cranium +cranium's +craniums +crank +crankcase +crankcase's +crankcases +cranked +crankier +crankiest +crankily +crankiness +crankiness's +cranking +crank's +cranks +crankshaft +crankshaft's +crankshafts +cranky +Cranmer +Cranmer's +crannied +crannies +cranny +cranny's +crap +crape +crape's +crapes +crapped +crapper +crappers +crappie +crappier +crappie's +crappies +crappiest +crapping +crappy +crap's +craps +crapshooter +crapshooter's +crapshooters +craps's +crash +crashed +crashes +crashing +crash's +crass +crasser +crassest +crassly +crassness +crassness's +crate +crated +Crater +crater +cratered +cratering +Crater's +crater's +craters +crate's +crates +crating +cravat +cravat's +cravats +crave +craved +craven +cravenly +cravenness +cravenness's +craven's +cravens +craves +craving +craving's +cravings +craw +crawdad +crawdad's +crawdads +Crawford +Crawford's +crawl +crawled +crawler +crawler's +crawlers +crawlier +crawlies +crawliest +crawling +crawl's +crawls +crawlspace +crawlspace's +crawlspaces +crawly +crawly's +craw's +craws +Cray +cray +crayfish +crayfishes +crayfish's +Crayola +crayola +Crayola's +crayolas +crayon +crayoned +crayoning +crayon's +crayons +Cray's +crays +craze +crazed +craze's +crazes +crazier +crazies +craziest +crazily +craziness +craziness's +crazing +crazy +crazy's +crèche +crèche's +crèches +creak +creaked +creakier +creakiest +creakily +creakiness +creakiness's +creaking +creak's +creaks +creaky +cream +creamed +creamer +creameries +creamer's +creamers +creamery +creamery's +creamier +creamiest +creamily +creaminess +creaminess's +creaming +cream's +creams +creamy +crease +creased +crease's +creases +creasing +create +created +creates +creating +Creation +creation +creationism +creationism's +creationisms +creationist +creationist's +creationists +Creation's +creation's +creations +creative +creatively +creativeness +creativeness's +creative's +creatives +creativity +creativity's +Creator +creator +Creator's +creator's +creators +creature +creature's +creatures +creche +creche's +creches +Crecy +Crecy's +cred +credence +credence's +credential +credentialed +credentialing +credential's +credentials +credenza +credenza's +credenzas +credibility +credibility's +credible +credibly +credit +creditable +creditably +credited +crediting +creditor +creditor's +creditors +credit's +credits +creditworthiness +creditworthy +credo +credo's +credos +credulity +credulity's +credulous +credulously +credulousness +credulousness's +Cree +Creed +creed +creed's +creeds +Creek +creek +Creek's +Creeks +creek's +creeks +creel +creel's +creels +creep +creeper +creeper's +creepers +creepier +creepiest +creepily +creepiness +creepiness's +creeping +creep's +creeps +creepy +Cree's +Crees +Creighton +Creighton's +cremains +cremains's +cremate +cremated +cremates +cremating +cremation +cremation's +cremations +crematoria +crematories +crematorium +crematorium's +crematoriums +crematory +crematory's +creme +creme's +cremes +crenelate +crenelated +crenelates +crenelating +crenelation +crenelation's +crenelations +Creole +creole +Creole's +Creoles +creole's +creoles +Creon +Creon's +creosote +creosoted +creosote's +creosotes +creosoting +crepe +crepe's +crepes +crept +crepuscular +crescendo +crescendo's +crescendos +crescent +crescent's +crescents +cress +Cressida +Cressida's +cress's +Crest +crest +crested +crestfallen +cresting +crestless +Crest's +crest's +crests +Cretaceous +cretaceous +Cretaceous's +Cretan +Cretan's +Cretans +Crete +Crete's +cretin +cretinism +cretinism's +cretinous +cretin's +cretins +cretonne +cretonne's +crevasse +crevasse's +crevasses +crevice +crevice's +crevices +crew +crewed +crewel +crewel's +crewelwork +crewelwork's +crewing +crewman +crewman's +crewmen +crew's +crews +crib +cribbage +cribbage's +cribbed +cribber +cribber's +cribbers +cribbing +crib's +cribs +Crichton +Crichton's +Crick +crick +cricked +cricket +cricketer +cricketer's +cricketers +cricketing +cricket's +crickets +cricking +Crick's +crick's +cricks +cried +crier +crier's +criers +cries +crikey +crime +Crimea +Crimean +Crimean's +Crimea's +crime's +crimes +criminal +criminality +criminality's +criminalize +criminalized +criminalizes +criminalizing +criminally +criminal's +criminals +criminologist +criminologist's +criminologists +criminology +criminology's +crimp +crimped +crimping +crimp's +crimps +crimson +crimsoned +crimsoning +crimson's +crimsons +cringe +cringed +cringe's +cringes +cringing +crinkle +crinkled +crinkle's +crinkles +crinklier +crinkliest +crinkling +crinkly +crinoline +crinoline's +crinolines +Criollo +Criollo's +cripes +cripple +crippled +crippler +crippler's +cripplers +cripple's +cripples +crippleware +crippling +cripplingly +Crisco +Crisco's +crises +crisis +crisis's +crisp +crispbread +crispbreads +crisped +crisper +crispest +crispier +crispiest +crispiness +crispiness's +crisping +crisply +crispness +crispness's +crisp's +crisps +crispy +crisscross +crisscrossed +crisscrosses +crisscrossing +crisscross's +Cristina +Cristina's +criteria +criterion +criterion's +critic +critical +criticality +critically +criticism +criticism's +criticisms +criticize +criticized +criticizer +criticizer's +criticizers +criticizes +criticizing +critic's +critics +critique +critiqued +critique's +critiques +critiquing +critter +critter's +critters +croak +croaked +croakier +croakiest +croaking +croak's +croaks +croaky +Croat +Croatia +Croatian +Croatian's +Croatians +Croatia's +Croat's +Croats +Croce +Croce's +crochet +crocheted +crocheter +crocheter's +crocheters +crocheting +crocheting's +crochet's +crochets +crock +crocked +crockery +crockery's +Crockett +Crockett's +crock's +crocks +crocodile +crocodile's +crocodiles +crocus +crocuses +crocus's +Croesus +Croesus's +croft +crofter +crofters +crofting +crofts +croissant +croissant's +croissants +Cromwell +Cromwellian +Cromwellian's +Cromwell's +crone +crone's +crones +cronies +Cronin +Cronin's +Cronkite +Cronkite's +Cronus +Cronus's +crony +cronyism +cronyism's +crony's +crook +crooked +crookeder +crookedest +crookedly +crookedness +crookedness's +Crookes +Crookes's +crooking +crookneck +crookneck's +crooknecks +crook's +crooks +croon +crooned +crooner +crooner's +crooners +crooning +croon's +croons +crop +cropland +cropland's +croplands +cropped +cropper +cropper's +croppers +cropping +crop's +crops +croquet +croquet's +croquette +croquette's +croquettes +Crosby +Crosby's +crosier +crosier's +crosiers +Cross +cross +crossbar +crossbar's +crossbars +crossbeam +crossbeam's +crossbeams +crossbones +crossbones's +crossbow +crossbowman +crossbowman's +crossbowmen +crossbow's +crossbows +crossbred +crossbreed +crossbreeding +crossbreed's +crossbreeds +crosscheck +crosschecked +crosschecking +crosscheck's +crosschecks +crosscurrent +crosscurrent's +crosscurrents +crosscut +crosscut's +crosscuts +crosscutting +crossed +crosser +crosses +crossest +crossfire +crossfire's +crossfires +crosshatch +crosshatched +crosshatches +crosshatching +crossing +crossing's +crossings +crossly +crossness +crossness's +crossover +crossover's +crossovers +crosspatch +crosspatches +crosspatch's +crosspiece +crosspiece's +crosspieces +crossroad +crossroad's +crossroads +crossroads's +Cross's +cross's +crosstown +crosswalk +crosswalk's +crosswalks +crosswind +crosswind's +crosswinds +crosswise +crossword +crossword's +crosswords +crotch +crotches +crotchet +crotchet's +crotchets +crotchety +crotch's +croûton +croûton's +croûtons +crouch +crouched +crouches +crouching +crouch's +croup +croupier +croupier's +croupiers +croupiest +croup's +croupy +crouton +crouton's +croutons +Crow +crow +crowbar +crowbar's +crowbars +crowd +crowded +crowdfund +crowdfunded +crowdfunding +crowdfunds +crowding +crowd's +crowds +crowed +crowfeet +crowfoot +crowfoot's +crowfoots +crowing +Crowley +Crowley's +crown +crowned +crowning +crown's +crowns +Crow's +Crows +crow's +crows +Cr's +CRT +CRT's +CRTs +crucial +crucially +crucible +crucible's +crucibles +crucified +crucifies +crucifix +crucifixes +Crucifixion +crucifixion +Crucifixion's +Crucifixions +crucifixion's +crucifixions +crucifix's +cruciform +cruciform's +cruciforms +crucify +crucifying +crud +cruddier +cruddiest +cruddy +crude +crudely +crudeness +crudeness's +cruder +crude's +crudest +crudites +crudites's +crudities +crudités +crudités's +crudity +crudity's +crud's +cruel +crueler +cruelest +cruelly +cruelness +cruelness's +cruelties +cruelty +cruelty's +cruet +cruet's +cruets +cruft +crufted +crufts +crufty +Cruikshank +Cruikshank's +Cruise +cruise +cruised +cruiser +cruiser's +cruisers +Cruise's +cruise's +cruises +cruising +cruller +cruller's +crullers +crumb +crumbed +crumbier +crumbiest +crumbing +crumble +crumbled +crumble's +crumbles +crumblier +crumbliest +crumbliness +crumbliness's +crumbling +crumbly +crumb's +crumbs +crumby +crummier +crummiest +crumminess +crumminess's +crummy +crumpet +crumpet's +crumpets +crumple +crumpled +crumple's +crumples +crumpling +crunch +crunched +cruncher +crunches +crunchier +crunchiest +crunchiness +crunchiness's +crunching +crunch's +crunchy +crupper +crupper's +cruppers +crusade +crusaded +crusader +crusader's +crusaders +crusade's +crusades +Crusades's +crusading +cruse +cruse's +cruses +crush +crushed +crusher +crusher's +crushers +crushes +crushing +crushingly +crush's +Crusoe +Crusoe's +crust +crustacean +crustacean's +crustaceans +crustal +crusted +crustier +crustiest +crustily +crustiness +crustiness's +crusting +crust's +crusts +crusty +crutch +crutches +crutch's +Crux +crux +cruxes +Crux's +crux's +Cruz +Cruz's +cry +crybabies +crybaby +crybaby's +crying +cryings +cryogenic +cryogenics +cryogenics's +cryonics +cryosurgery +cryosurgery's +crypt +cryptic +cryptically +cryptogram +cryptogram's +cryptograms +cryptographer +cryptographer's +cryptographers +cryptography +cryptography's +Cryptozoic +Cryptozoic's +crypt's +crypts +cry's +Crystal +crystal +crystalline +crystallization +crystallization's +crystallize +crystallized +crystallizes +crystallizing +crystallographic +crystallography +Crystal's +crystal's +crystals +C's +Cs +cs +Csonka +Csonka's +CST +CST's +CT +Ct +ct +Ctesiphon +Ctesiphon's +Cthulhu +Cthulhu's +ctn +ctr +CT's +Cu +cu +cub +Cuba +Cuban +Cuban's +Cubans +Cuba's +cubbyhole +cubbyhole's +cubbyholes +cube +cubed +cuber +cuber's +cubers +cube's +cubes +cubic +cubical +cubicle +cubicle's +cubicles +cubing +cubism +cubism's +cubist +cubist's +cubists +cubit +cubit's +cubits +cuboid +cuboids +cub's +cubs +Cuchulain +Cuchulain's +cuckold +cuckolded +cuckolding +cuckoldry +cuckoldry's +cuckold's +cuckolds +cuckoo +cuckoo's +cuckoos +cucumber +cucumber's +cucumbers +cud +cuddle +cuddled +cuddle's +cuddles +cuddlier +cuddliest +cuddling +cuddly +cudgel +cudgeled +cudgeling +cudgelings +cudgel's +cudgels +cud's +cuds +cue +cued +cue's +cues +cuff +cuffed +cuffing +cuff's +cuffs +cuing +Cuisinart +Cuisinart's +cuisine +cuisine's +cuisines +Culbertson +Culbertson's +culinary +cull +culled +Cullen +Cullen's +culling +cull's +culls +culminate +culminated +culminates +culminating +culmination +culmination's +culminations +culotte +culotte's +culottes +culpability +culpability's +culpable +culpably +culprit +culprit's +culprits +cult +cultism +cultism's +cultist +cultist's +cultists +cultivable +cultivar +cultivar's +cultivars +cultivatable +cultivate +cultivated +cultivates +cultivating +cultivation +cultivation's +cultivator +cultivator's +cultivators +cult's +cults +cultural +culturally +culture +cultured +culture's +cultures +culturing +culvert +culvert's +culverts +cum +cumber +cumbered +cumbering +Cumberland +Cumberland's +cumbers +cumbersome +cumbersomeness +cumbersomeness's +cumbrous +cumin +cumin's +cummerbund +cummerbund's +cummerbunds +cumming +Cummings +Cummings's +cum's +cums +cumulative +cumulatively +cumuli +cumulonimbi +cumulonimbus +cumulonimbus's +cumulus +cumulus's +Cunard +Cunard's +cuneiform +cuneiform's +cunnilingus +cunnilingus's +cunning +cunninger +cunningest +Cunningham +Cunningham's +cunningly +cunning's +cunt +cunt's +cunts +cup +cupboard +cupboard's +cupboards +cupcake +cupcake's +cupcakes +cupful +cupful's +cupfuls +Cupid +cupid +cupidity +cupidity's +Cupid's +cupid's +cupids +cupola +cupolaed +cupola's +cupolas +cuppa +cuppas +cupped +cupping +cupric +cup's +cups +cur +curaçao +curability +curability's +curable +Curacao +curacao +Curacao's +curacies +curacy +curacy's +curare +curare's +curate +curated +curate's +curates +curating +curative +curative's +curatives +curator +curatorial +curator's +curators +curb +curbed +curbing +curbing's +curb's +curbs +curbside +curbstone +curbstone's +curbstones +curd +curdle +curdled +curdles +curdling +curd's +curds +cure +cured +curer +curer's +curers +cure's +cures +curettage +curettage's +curfew +curfew's +curfews +curia +curiae +curia's +Curie +curie +Curie's +curie's +curies +curing +curio +curio's +curios +curiosities +curiosity +curiosity's +curious +curiously +curiousness +curiousness's +Curitiba +Curitiba's +curium +curium's +curl +curled +curler +curler's +curlers +curlew +curlew's +curlews +curlicue +curlicued +curlicue's +curlicues +curlicuing +curlier +curliest +curliness +curliness's +curling +curling's +curl's +curls +curly +curmudgeon +curmudgeonly +curmudgeon's +curmudgeons +currant +currant's +currants +currencies +currency +currency's +current +currently +current's +currents +curricula +curricular +curriculum +curriculum's +curried +Currier +Currier's +curries +Curry +curry +currycomb +currycombed +currycombing +currycomb's +currycombs +currying +Curry's +curry's +cur's +curs +curse +cursed +cursedly +curse's +curses +cursing +cursive +cursively +cursive's +cursor +cursorily +cursoriness +cursoriness's +cursor's +cursors +cursory +Curt +curt +curtail +curtailed +curtailing +curtailment +curtailment's +curtailments +curtails +curtain +curtained +curtaining +curtain's +curtains +curter +curtest +Curtis +Curtis's +curtly +curtness +curtness's +Curt's +curtsied +curtsies +curtsy +curtsying +curtsy's +curvaceous +curvaceousness +curvaceousness's +curvature +curvature's +curvatures +curve +curved +curve's +curves +curvier +curviest +curving +curvy +Cu's +cushier +cushiest +cushion +cushioned +cushioning +cushion's +cushions +cushy +cusp +cuspid +cuspidor +cuspidor's +cuspidors +cuspid's +cuspids +cusp's +cusps +cuss +cussed +cussedly +cussedness +cusses +cussing +cuss's +custard +custard's +custards +Custer +Custer's +custodial +custodian +custodian's +custodians +custodianship +custodianship's +custody +custody's +custom +customarily +customary +customer +customer's +customers +customhouse +customhouse's +customhouses +customization +customization's +customize +customized +customizes +customizing +custom's +customs +cut +cutaneous +cutaway +cutaway's +cutaways +cutback +cutback's +cutbacks +cute +cutely +cuteness +cuteness's +cuter +cutesier +cutesiest +cutest +cutesy +cutey +cuteys +cuticle +cuticle's +cuticles +cutie +cutie's +cuties +cutlass +cutlasses +cutlass's +cutler +cutler's +cutlers +cutlery +cutlery's +cutlet +cutlet's +cutlets +cutoff +cutoff's +cutoffs +cutout +cutout's +cutouts +cut's +cuts +cutter +cutter's +cutters +cutthroat +cutthroat's +cutthroats +cutting +cuttingly +cutting's +cuttings +cuttlefish +cuttlefishes +cuttlefish's +cutup +cutup's +cutups +cutworm +cutworm's +cutworms +Cuvier +Cuvier's +Cuzco +Cuzco's +CV +CVS +CVS's +cw +cwt +cyan +cyanide +cyanide's +cyan's +Cybele +Cybele's +cyberbullies +cyberbully +cyberbully's +cybercafé +cybercafe +cybercafes +cybercafés +cybernetic +cybernetics +cybernetics's +cyberpunk +cyberpunk's +cyberpunks +cybersex +cyberspace +cyberspace's +cyberspaces +cyborg +cyborg's +cyborgs +Cyclades +Cyclades's +cyclamen +cyclamen's +cyclamens +cycle +cycled +cycle's +cycles +cyclic +cyclical +cyclically +cycling +cyclist +cyclist's +cyclists +cyclometer +cyclometer's +cyclometers +cyclone +cyclone's +cyclones +cyclonic +cyclopedia +cyclopedia's +cyclopedias +Cyclopes +cyclopes +Cyclopes's +Cyclops +cyclops +Cyclops's +cyclops's +cyclotron +cyclotron's +cyclotrons +cygnet +cygnet's +cygnets +Cygnus +Cygnus's +cylinder +cylinder's +cylinders +cylindrical +cymbal +cymbalist +cymbalist's +cymbalists +cymbal's +cymbals +Cymbeline +Cymbeline's +cynic +cynical +cynically +cynicism +cynicism's +cynic's +cynics +cynosure +cynosure's +cynosures +Cynthia +Cynthia's +cypress +cypresses +cypress's +Cyprian +Cyprian's +Cypriot +Cypriot's +Cypriots +Cyprus +Cyprus's +Cyrano +Cyrano's +Cyril +Cyrillic +Cyrillic's +Cyril's +Cyrus +Cyrus's +cyst +cystic +cystitis +cyst's +cysts +cytokines +cytologist +cytologist's +cytologists +cytology +cytology's +cytoplasm +cytoplasmic +cytoplasm's +cytosine +cytosine's +CZ +czar +czarina +czarina's +czarinas +czarism +czarist +czarist's +czarists +czar's +czars +Czech +Czechia +Czechia's +Czechoslovak +Czechoslovakia +Czechoslovakian +Czechoslovakian's +Czechoslovakians +Czechoslovakia's +Czech's +Czechs +Czerny +Czerny's +D +d +DA +dab +dabbed +dabber +dabber's +dabbers +dabbing +dabble +dabbled +dabbler +dabbler's +dabblers +dabbles +dabbling +dab's +dabs +dace +dace's +daces +dacha +dacha's +dachas +Dachau +Dachau's +dachshund +dachshund's +dachshunds +Dacron +Dacron's +Dacrons +dactyl +dactylic +dactylic's +dactylics +dactyl's +dactyls +dad +Dada +Dadaism +dadaism +Dadaism's +dadaism's +dadaist +dadaist's +dadaists +Dada's +daddies +daddy +daddy's +dado +dadoes +dado's +dad's +dads +Daedalus +Daedalus's +daemon +daemonic +daemon's +daemons +daffier +daffiest +daffiness +daffiness's +daffodil +daffodil's +daffodils +daffy +daft +dafter +daftest +daftly +daftness +daftness's +dag +dagger +dagger's +daggers +dago +dagoes +dagos +dags +Daguerre +daguerreotype +daguerreotyped +daguerreotype's +daguerreotypes +daguerreotyping +Daguerre's +Dagwood +Dagwood's +dahlia +dahlia's +dahlias +Dahomey +Dahomey's +dailies +dailiness +dailiness's +daily +daily's +Daimler +Daimler's +daintier +dainties +daintiest +daintily +daintiness +daintiness's +dainty +dainty's +daiquiri +daiquiri's +daiquiris +dairies +dairy +dairying +dairying's +dairymaid +dairymaid's +dairymaids +dairyman +dairyman's +dairymen +dairy's +dairywoman +dairywoman's +dairywomen +dais +daises +daisies +dais's +Daisy +daisy +Daisy's +daisy's +Dakar +Dakar's +Dakota +Dakotan +Dakotan's +Dakota's +Dakotas +Dalai +Dale +dale +Dale's +dale's +dales +Daley +Daley's +Dali +Dalian +Dalian's +Dali's +Dallas +Dallas's +dalliance +dalliance's +dalliances +dallied +dallier +dallier's +dalliers +dallies +dally +dallying +Dalmatia +Dalmatian +dalmatian +Dalmatian's +Dalmatians +dalmatian's +dalmatians +Dalmatia's +Dalton +Dalton's +dam +damage +damageable +damaged +damage's +damages +damages's +damaging +Damascus +Damascus's +damask +damasked +damasking +damask's +damasks +Dame +dame +Dame's +dame's +dames +Damian +Damian's +Damien +Damien's +Damion +Damion's +dammed +damming +dammit +damn +damnable +damnably +damnation +damnation's +damned +damnedest +damning +damn's +damns +Damocles +Damocles's +Damon +Damon's +damp +damped +dampen +dampened +dampener +dampener's +dampeners +dampening +dampens +damper +damper's +dampers +dampest +damping +damply +dampness +dampness's +damp's +damps +dam's +dams +damsel +damselflies +damselfly +damselfly's +damsel's +damsels +damson +damson's +damsons +Dan +Dana +Danaë +Danae +Danae's +Dana's +Danaë's +dance +danced +dancer +dancer's +dancers +dance's +dances +dancing +dancing's +dandelion +dandelion's +dandelions +dander +dander's +dandier +dandies +dandiest +dandified +dandifies +dandify +dandifying +dandle +dandled +dandles +dandling +dandruff +dandruff's +dandy +dandy's +Dane +Danelaw +Danelaw's +Dane's +Danes +dang +danged +danger +Dangerfield +Dangerfield's +dangerous +dangerously +danger's +dangers +danging +dangle +dangled +dangler +dangler's +danglers +dangles +dangling +dangs +Danial +Danial's +Daniel +Danielle +Danielle's +Daniel's +Daniels +Daniels's +Danish +danish +danishes +Danish's +danish's +dank +danker +dankest +dankly +dankness +dankness's +Dannie +Dannie's +Danny +Danny's +Danone +Danone's +Dan's +danseuse +danseuse's +danseuses +Dante +Dante's +Danton +Danton's +Danube +Danube's +Danubian +Danubian's +Daphne +Daphne's +dapper +dapperer +dapperest +dapple +dappled +dapple's +dapples +dappling +DAR +Darby +Darby's +Darcy +Darcy's +Dardanelles +Dardanelles's +Dare +dare +dared +daredevil +daredevilry +daredevilry's +daredevil's +daredevils +Daren +Daren's +darer +darer's +darers +Dare's +dare's +dares +daresay +d'Arezzo +d'Arezzo's +Darfur +Darfur's +Darin +daring +daringly +daring's +Darin's +Dario +Dario's +Darius +Darius's +Darjeeling +Darjeeling's +dark +darken +darkened +darkener +darkener's +darkeners +darkening +darkens +darker +darkest +darkie +darkies +darkly +darkness +darkness's +darkroom +darkroom's +darkrooms +dark's +Darla +Darla's +Darlene +Darlene's +Darling +darling +Darling's +darling's +darlings +darn +darned +darneder +darnedest +Darnell +Darnell's +darner +darner's +darners +darning +darn's +darns +Darrel +Darrell +Darrell's +Darrel's +Darren +Darren's +Darrin +Darrin's +Darrow +Darrow's +Darryl +Darryl's +dart +dartboard +dartboard's +dartboards +darted +darter +darter's +darters +Darth +Darth's +darting +Dartmoor +Dartmoor's +Dartmouth +Dartmouth's +dart's +darts +Darvon +Darvon's +Darwin +Darwinian +Darwinian's +Darwinism +Darwinism's +Darwinisms +Darwinist +Darwin's +Daryl +Daryl's +DA's +dash +dashboard +dashboard's +dashboards +dashed +dasher +dasher's +dashers +dashes +dashiki +dashiki's +dashikis +dashing +dashingly +dash's +dastard +dastardliness +dastardliness's +dastardly +dastard's +dastards +DAT +data +database +database's +databases +Datamation +datatype +date +datebook +datebooks +dated +dateless +dateline +datelined +dateline's +datelines +datelining +dater +dater's +daters +date's +dates +dating +dative +dative's +datives +DAT's +datum +datum's +daub +daubed +dauber +dauber's +daubers +daubing +daub's +daubs +Daugherty +Daugherty's +daughter +daughterly +daughter's +daughters +Daumier +Daumier's +daunt +daunted +daunting +dauntingly +dauntless +dauntlessly +dauntlessness +dauntlessness's +daunts +dauphin +dauphin's +dauphins +Davao +Davao's +Dave +Davenport +davenport +Davenport's +davenport's +davenports +Dave's +David +David's +Davids +Davidson +Davidson's +Davies +Davies's +Davis +Davis's +davit +davit's +davits +Davy +Davy's +dawdle +dawdled +dawdler +dawdler's +dawdlers +dawdles +dawdling +Dawes +Dawes's +Dawkins +Dawn +dawn +dawned +dawning +Dawn's +dawn's +dawns +Dawson +Dawson's +Day +day +Dayan +daybed +daybed's +daybeds +daybreak +daybreak's +daycare +daycare's +daydream +daydreamed +daydreamer +daydreamer's +daydreamers +daydreaming +daydream's +daydreams +daylight +daylight's +daylights +daylights's +daylong +Day's +day's +days +daytime +daytime's +Dayton +Dayton's +daze +dazed +dazedly +daze's +dazes +dazing +dazzle +dazzled +dazzler +dazzler's +dazzlers +dazzle's +dazzles +dazzling +dazzlingly +dB +db +dbl +DBMS +DBMS's +débridement +débutante +débutante's +débutantes +DC +dc +décolleté +décolletage +décolletage's +décolletages +DC's +DD +dd +dded +dding +DD's +DDS +dds +DDS's +DDT +DDTs +DE +DEA +deacon +deaconess +deaconesses +deaconess's +deacon's +deacons +deactivate +deactivated +deactivates +deactivating +deactivation +deactivation's +dead +deadbeat +deadbeat's +deadbeats +deadbolt +deadbolt's +deadbolts +deaden +deadened +deadening +deadens +deader +deadest +Deadhead +deadhead +deadheaded +deadheading +Deadhead's +deadheads +deadlier +deadliest +deadline +deadline's +deadlines +deadliness +deadliness's +deadlock +deadlocked +deadlocking +deadlock's +deadlocks +deadly +deadpan +deadpanned +deadpanning +deadpan's +deadpans +dead's +deadwood +deadwood's +deaf +deafen +deafened +deafening +deafeningly +deafens +deafer +deafest +deafness +deafness's +deal +dealer +dealer's +dealers +dealership +dealership's +dealerships +dealing +dealing's +dealings +deal's +deals +dealt +Dean +dean +Deana +Deana's +Deandre +Deandre's +deaneries +deanery +deanery's +Deann +Deanna +Deanna's +Deanne +Deanne's +Deann's +Dean's +dean's +deans +deanship +deanship's +dear +dearer +dearest +dearests +dearies +dearly +dearness +dearness's +dear's +dears +dearth +dearth's +dearths +deary +deary's +Death +death +deathbed +deathbed's +deathbeds +deathblow +deathblow's +deathblows +deathless +deathlessly +deathlike +deathly +Death's +death's +deaths +deathtrap +deathtrap's +deathtraps +deathwatch +deathwatches +deathwatch's +deaves +deb +debacle +debacle's +debacles +debar +debark +debarkation +debarkation's +debarked +debarking +debarks +debarment +debarment's +debarred +debarring +debars +debase +debased +debasement +debasement's +debasements +debases +debasing +debatable +debate +debated +debater +debater's +debaters +debate's +debates +debating +debating's +debauch +debauched +debauchee +debauchee's +debauchees +debaucheries +debauchery +debauchery's +debauches +debauching +debauch's +Debbie +Debbie's +Debby +Debby's +debenture +debenture's +debentures +Debian +Debian's +debilitate +debilitated +debilitates +debilitating +debilitation +debilitation's +debilities +debility +debility's +debit +debited +debiting +debit's +debits +debonair +debonairly +debonairness +debonairness's +Debora +Deborah +Deborah's +Debora's +debouch +debouched +debouches +debouching +Debouillet +Debouillet's +Debra +Debra's +debridement +debrief +debriefed +debriefing +debriefing's +debriefings +debriefs +debris +debris's +Debs +deb's +debs +Debs's +debt +debtor +debtor's +debtors +debt's +debts +debug +debugged +debugger +debuggers +debugging +debugs +debunk +debunked +debunking +debunks +Debussy +Debussy's +debut +debutante +debutante's +debutantes +debuted +debuting +debut's +debuts +DEC +Dec +decade +decadence +decadence's +decadency +decadency's +decadent +decadently +decadent's +decadents +decade's +decades +decaf +decaff +decaffeinate +decaffeinated +decaffeinates +decaffeinating +decaffs +decaf's +decafs +decagon +decagon's +decagons +decal +Decalogue +Decalogue's +decal's +decals +decamp +decamped +decamping +decampment +decampment's +decamps +decant +decanted +decanter +decanter's +decanters +decanting +decants +decapitate +decapitated +decapitates +decapitating +decapitation +decapitation's +decapitations +decapitator +decapitator's +decapitators +decathlete +decathletes +decathlon +decathlon's +decathlons +Decatur +Decatur's +decay +decayed +decaying +decay's +decays +Decca +Deccan +Deccan's +Decca's +decease +deceased +deceased's +decease's +deceases +deceasing +DECed +decedent +decedent's +decedents +deceit +deceitful +deceitfully +deceitfulness +deceitfulness's +deceit's +deceits +deceive +deceived +deceiver +deceiver's +deceivers +deceives +deceiving +deceivingly +decelerate +decelerated +decelerates +decelerating +deceleration +deceleration's +decelerator +decelerator's +decelerators +December +December's +Decembers +decencies +decency +decency's +decennial +decennial's +decennials +decent +decently +decentralization +decentralization's +decentralize +decentralized +decentralizes +decentralizing +deception +deception's +deceptions +deceptive +deceptively +deceptiveness +deceptiveness's +decibel +decibel's +decibels +decidable +decide +decided +decidedly +decider +deciders +decides +deciding +deciduous +deciliter +deciliter's +deciliters +decimal +decimalization +decimal's +decimals +decimate +decimated +decimates +decimating +decimation +decimation's +decimeter +decimeter's +decimeters +decipher +decipherable +deciphered +deciphering +deciphers +decision +decision's +decisions +decisive +decisively +decisiveness +decisiveness's +deck +deckchair +deckchairs +decked +Decker +Decker's +deckhand +deckhand's +deckhands +decking +deckle +deckles +deck's +decks +declaim +declaimed +declaimer +declaimer's +declaimers +declaiming +declaims +declamation +declamation's +declamations +declamatory +declarable +declaration +declaration's +declarations +declarative +declaratory +declare +declared +declarer +declarer's +declarers +declares +declaring +declassification +declassification's +declassified +declassifies +declassify +declassifying +declaw +declawed +declawing +declaws +declension +declension's +declensions +declination +declination's +decline +declined +decliner +decliner's +decliners +decline's +declines +declining +declivities +declivity +declivity's +decode +decoded +decoder +decoder's +decoders +decodes +decoding +decolletage +decolletage's +decolletages +decollete +decolonization +decolonization's +decolonize +decolonized +decolonizes +decolonizing +decommission +decommissioned +decommissioning +decommissions +decompose +decomposed +decomposes +decomposing +decomposition +decomposition's +decompress +decompressed +decompresses +decompressing +decompression +decompression's +decongestant +decongestant's +decongestants +deconstruct +deconstructed +deconstructing +deconstruction +deconstructionism +deconstructionist +deconstructionists +deconstruction's +deconstructions +deconstructs +decontaminate +decontaminated +decontaminates +decontaminating +decontamination +decontamination's +decontrol +decontrolled +decontrolling +decontrols +decor +decorate +decorated +decorates +decorating +decorating's +decoration +decoration's +decorations +decorative +decoratively +decorator +decorator's +decorators +decorous +decorously +decorousness +decorousness's +decor's +decors +decorum +decorum's +decoupage +decoupaged +decoupage's +decoupages +decoupaging +decouple +decoupled +decouples +decoupling +decoy +decoyed +decoying +decoy's +decoys +decrease +decreased +decrease's +decreases +decreasing +decreasingly +decree +decreed +decreeing +decree's +decrees +decrement +decremented +decrements +decrepit +decrepitude +decrepitude's +decrescendo +decrescendo's +decrescendos +decried +decries +decriminalization +decriminalization's +decriminalize +decriminalized +decriminalizes +decriminalizing +decry +decrying +decryption +DECs +Dec's +Dedekind +Dedekind's +dedicate +dedicated +dedicates +dedicating +dedication +dedication's +dedications +dedicator +dedicator's +dedicators +dedicatory +deduce +deduced +deduces +deducible +deducing +deduct +deducted +deductible +deductible's +deductibles +deducting +deduction +deduction's +deductions +deductive +deductively +deducts +Dee +deed +deeded +deeding +deed's +deeds +deejay +deejay's +deejays +deem +deemed +deeming +deems +Deena +Deena's +deep +deepen +deepened +deepening +deepens +deeper +deepest +deeply +deepness +deepness's +deep's +deeps +deer +Deere +Deere's +deer's +deerskin +deerskin's +deerstalker +deerstalkers +Dee's +deescalate +deescalated +deescalates +deescalating +deescalation +deescalation's +def +deface +defaced +defacement +defacement's +defacer +defacer's +defacers +defaces +defacing +defalcate +defalcated +defalcates +defalcating +defalcation +defalcation's +defalcations +defamation +defamation's +defamatory +defame +defamed +defamer +defamer's +defamers +defames +defaming +default +defaulted +defaulter +defaulter's +defaulters +defaulting +default's +defaults +defeat +defeated +defeater +defeater's +defeaters +defeating +defeatism +defeatism's +defeatist +defeatist's +defeatists +defeat's +defeats +defecate +defecated +defecates +defecating +defecation +defecation's +defect +defected +defecting +defection +defection's +defections +defective +defectively +defectiveness +defectiveness's +defective's +defectives +defector +defector's +defectors +defect's +defects +defend +defendant +defendant's +defendants +defended +defender +defender's +defenders +defending +defends +defenestration +defenestrations +defense +defensed +defenseless +defenselessly +defenselessness +defenselessness's +defense's +defenses +defensible +defensibly +defensing +defensive +defensively +defensiveness +defensiveness's +defensive's +defer +deference +deference's +deferential +deferentially +deferment +deferment's +deferments +deferral +deferral's +deferrals +deferred +deferring +defers +deffer +deffest +defiance +defiance's +defiant +defiantly +defibrillation +defibrillator +defibrillators +deficiencies +deficiency +deficiency's +deficient +deficit +deficit's +deficits +defied +defies +defile +defiled +defilement +defilement's +defiler +defiler's +defilers +defile's +defiles +defiling +definable +define +defined +definer +definer's +definers +defines +defining +definite +definitely +definiteness +definiteness's +definition +definition's +definitions +definitive +definitively +deflate +deflated +deflates +deflating +deflation +deflationary +deflation's +deflect +deflected +deflecting +deflection +deflection's +deflections +deflective +deflector +deflector's +deflectors +deflects +deflower +deflowered +deflowering +deflowers +Defoe +Defoe's +defog +defogged +defogger +defogger's +defoggers +defogging +defogs +defoliant +defoliant's +defoliants +defoliate +defoliated +defoliates +defoliating +defoliation +defoliation's +defoliator +defoliator's +defoliators +deforest +deforestation +deforestation's +deforested +deforesting +deforests +deform +deformation +deformation's +deformations +deformed +deforming +deformities +deformity +deformity's +deforms +defraud +defrauded +defrauder +defrauder's +defrauders +defrauding +defrauds +defray +defrayal +defrayal's +defrayed +defraying +defrays +defrock +defrocked +defrocking +defrocks +defrost +defrosted +defroster +defroster's +defrosters +defrosting +defrosts +deft +defter +deftest +deftly +deftness +deftness's +defunct +defuse +defused +defuses +defusing +defy +defying +deg +Degas +degas +degases +Degas's +degassed +degassing +degeneracy +degeneracy's +degenerate +degenerated +degenerate's +degenerates +degenerating +degeneration +degeneration's +degenerative +DeGeneres +DeGeneres's +degradable +degradation +degradation's +degrade +degraded +degrades +degrading +degree +degree's +degrees +dehumanization +dehumanization's +dehumanize +dehumanized +dehumanizes +dehumanizing +dehumidified +dehumidifier +dehumidifier's +dehumidifiers +dehumidifies +dehumidify +dehumidifying +dehydrate +dehydrated +dehydrates +dehydrating +dehydration +dehydration's +dehydrator +dehydrator's +dehydrators +dehydrogenase +dehydrogenate +dehydrogenated +dehydrogenates +dehydrogenating +deice +deiced +deicer +deicer's +deicers +deices +deicing +Deidre +Deidre's +deification +deification's +deified +deifies +deify +deifying +deign +deigned +deigning +deigns +Deimos +Deimos's +Deirdre +Deirdre's +deism +deism's +deist +deistic +deist's +deists +deities +Deity +deity +deity's +deject +dejected +dejectedly +dejecting +dejection +dejection's +dejects +Dejesus +Dejesus's +Del +Delacroix +Delacroix's +Delacruz +Delacruz's +Delaney +Delaney's +Delano +Delano's +Delaware +Delawarean +Delawarean's +Delawareans +Delaware's +Delawares +delay +delayed +delayer +delayer's +delayers +delaying +delay's +delays +Delbert +Delbert's +delectable +delectably +delectation +delectation's +delegate +delegated +delegate's +delegates +delegating +delegation +delegation's +delegations +Deleon +Deleon's +delete +deleted +deleterious +deletes +deleting +deletion +deletion's +deletions +deleverage +deleveraged +deleverages +deleveraging +delft +delft's +delftware +delftware's +Delgado +Delgado's +Delhi +Delhi's +deli +Delia +Delia's +deliberate +deliberated +deliberately +deliberateness +deliberateness's +deliberates +deliberating +deliberation +deliberation's +deliberations +deliberative +Delibes +Delibes's +delicacies +delicacy +delicacy's +delicate +delicately +delicateness +delicateness's +delicatessen +delicatessen's +delicatessens +Delicious +delicious +deliciously +deliciousness +deliciousness's +Delicious's +delight +delighted +delightedly +delightful +delightfully +delighting +delight's +delights +Delilah +Delilah's +Delilahs +deliminator +delimit +delimitation +delimitation's +delimited +delimiter +delimiters +delimiting +delimits +delineate +delineated +delineates +delineating +delineation +delineation's +delineations +delinquencies +delinquency +delinquency's +delinquent +delinquently +delinquent's +delinquents +delint +delinted +delinting +deliquesce +deliquesced +deliquescent +deliquesces +deliquescing +delirious +deliriously +deliriousness +deliriousness's +delirium +delirium's +deliriums +deli's +delis +Delius +Delius's +deliver +deliverable +deliverance +deliverance's +delivered +deliverer +deliverer's +deliverers +deliveries +delivering +delivers +delivery +deliveryman +deliveryman's +deliverymen +delivery's +Dell +dell +Della +Della's +Dell's +dell's +dells +Delmar +Delmar's +Delmarva +Delmarva's +Delmer +Delmer's +Delmonico +Delmonico's +Delores +Delores's +Deloris +Deloris's +delouse +deloused +delouses +delousing +Delphi +Delphic +Delphic's +delphinium +delphinium's +delphiniums +Delphinus +Delphinus's +Delphi's +Del's +Delta +delta +Delta's +delta's +deltas +delude +deluded +deludes +deluding +deluge +deluged +deluge's +deluges +deluging +delusion +delusional +delusion's +delusions +delusive +delusively +deluxe +delve +delved +delver +delver's +delvers +delves +delving +Dem +demagnetization +demagnetization's +demagnetize +demagnetized +demagnetizes +demagnetizing +demagogic +demagogically +demagogue +demagoguery +demagoguery's +demagogue's +demagogues +demagogy +demagogy's +demand +demanded +demanding +demand's +demands +demarcate +demarcated +demarcates +demarcating +demarcation +demarcation's +demarcations +Demavend +Demavend's +demean +demeaned +demeaning +demeanor +demeanor's +demeans +demented +dementedly +dementia +dementia's +demerit +demerit's +demerits +Demerol +Demerol's +demesne +demesne's +demesnes +Demeter +Demeter's +Demetrius +Demetrius's +demigod +demigoddess +demigoddesses +demigoddess's +demigod's +demigods +demijohn +demijohn's +demijohns +demilitarization +demilitarization's +demilitarize +demilitarized +demilitarizes +demilitarizing +demimondaine +demimondaine's +demimondaines +demimonde +demimonde's +Deming +Deming's +demise +demised +demise's +demises +demising +demist +demisted +demister +demisters +demisting +demists +demitasse +demitasse's +demitasses +demo +demob +demobbed +demobbing +demobilization +demobilization's +demobilize +demobilized +demobilizes +demobilizing +demobs +democracies +democracy +democracy's +Democrat +democrat +Democratic +democratic +democratically +democratization +democratization's +democratize +democratized +democratizes +democratizing +Democrat's +Democrats +democrat's +democrats +Democritus +Democritus's +demode +demodulate +demodulated +demodulates +demodulating +demodulation +demodulation's +demoed +demographer +demographer's +demographers +demographic +demographically +demographic's +demographics +demographics's +demography +demography's +demoing +demolish +demolished +demolishes +demolishing +demolition +demolition's +demolitions +demon +demonetization +demonetization's +demonetize +demonetized +demonetizes +demonetizing +demoniac +demoniacal +demoniacally +demonic +demonically +demonize +demonized +demonizes +demonizing +demonologies +demonology +demonology's +demon's +demons +demonstrability +demonstrable +demonstrably +demonstrate +demonstrated +demonstrates +demonstrating +demonstration +demonstration's +demonstrations +demonstrative +demonstratively +demonstrativeness +demonstrativeness's +demonstrative's +demonstratives +demonstrator +demonstrator's +demonstrators +demoralization +demoralization's +demoralize +demoralized +demoralizes +demoralizing +demo's +demos +Demosthenes +Demosthenes's +demote +demoted +demotes +demotic +demoting +demotion +demotion's +demotions +demotivate +demotivated +demotivates +demotivating +demount +Dempsey +Dempsey's +demulcent +demulcent's +demulcents +demur +demure +demurely +demureness +demureness's +demurer +demurest +demurral +demurral's +demurrals +demurred +demurrer +demurrer's +demurrers +demurring +demur's +demurs +demystification +demystification's +demystified +demystifies +demystify +demystifying +den +Dena +Denali +Dena's +denationalization +denationalize +denationalized +denationalizes +denationalizing +denaturation +denature +denatured +denatures +denaturing +dendrite +dendrite's +dendrites +Deneb +Denebola +Denebola's +Deneb's +Deng +Deng's +dengue +dengue's +deniability +deniable +denial +denial's +denials +denied +denier +denier's +deniers +denies +denigrate +denigrated +denigrates +denigrating +denigration +denigration's +denim +denim's +denims +Denis +Denise +Denise's +Denis's +denitrification +denizen +denizen's +denizens +Denmark +Denmark's +Dennis +Dennis's +Denny +Denny's +denominate +denominated +denominates +denominating +denomination +denominational +denomination's +denominations +denominator +denominator's +denominators +denotation +denotation's +denotations +denotative +denote +denoted +denotes +denoting +denouement +denouement's +denouements +denounce +denounced +denouncement +denouncement's +denouncements +denounces +denouncing +den's +dens +dense +densely +denseness +denseness's +denser +densest +densities +density +density's +dent +dental +dentally +dented +dentifrice +dentifrice's +dentifrices +dentin +denting +dentin's +dentist +dentistry +dentistry's +dentist's +dentists +dentition +dentition's +dent's +dents +denture +denture's +dentures +denuclearize +denuclearized +denuclearizes +denuclearizing +denudation +denudation's +denude +denuded +denudes +denuding +denunciation +denunciation's +denunciations +Denver +Denver's +deny +denying +deodorant +deodorant's +deodorants +deodorization +deodorization's +deodorize +deodorized +deodorizer +deodorizer's +deodorizers +deodorizes +deodorizing +Deon +Deon's +depart +departed +departed's +departing +department +departmental +departmentalization +departmentalization's +departmentalize +departmentalized +departmentalizes +departmentalizing +departmentally +department's +departments +departs +departure +departure's +departures +depend +dependability +dependability's +dependable +dependably +depended +dependence +dependence's +dependencies +dependency +dependency's +dependent +dependently +dependent's +dependents +depending +depends +depersonalize +depersonalized +depersonalizes +depersonalizing +depict +depicted +depicting +depiction +depiction's +depictions +depicts +depilatories +depilatory +depilatory's +deplane +deplaned +deplanes +deplaning +deplete +depleted +depletes +depleting +depletion +depletion's +deplorable +deplorably +deplore +deplored +deplores +deploring +deploy +deployed +deploying +deployment +deployment's +deployments +deploys +depolarization +depolarization's +depolarize +depolarized +depolarizes +depolarizing +depoliticize +depoliticized +depoliticizes +depoliticizing +deponent +deponent's +deponents +depopulate +depopulated +depopulates +depopulating +depopulation +depopulation's +deport +deportation +deportation's +deportations +deported +deportee +deportee's +deportees +deporting +deportment +deportment's +deports +depose +deposed +deposes +deposing +deposit +deposited +depositing +deposition +deposition's +depositions +depositor +depositories +depositor's +depositors +depository +depository's +deposit's +deposits +depot +depot's +depots +Depp +Depp's +deprave +depraved +depraves +depraving +depravities +depravity +depravity's +deprecate +deprecated +deprecates +deprecating +deprecatingly +deprecation +deprecation's +deprecatory +depreciate +depreciated +depreciates +depreciating +depreciation +depreciation's +depredation +depredation's +depredations +depress +depressant +depressant's +depressants +depressed +depresses +depressing +depressingly +depression +depression's +depressions +depressive +depressive's +depressives +depressor +depressor's +depressors +depressurization +depressurize +depressurized +depressurizes +depressurizing +deprivation +deprivation's +deprivations +deprive +deprived +deprives +depriving +deprogram +deprogrammed +deprogramming +deprograms +dept +depth +depth's +depths +deputation +deputation's +deputations +depute +deputed +deputes +deputies +deputing +deputize +deputized +deputizes +deputizing +deputy +deputy's +derail +derailed +derailing +derailleur +derailleur's +derailleurs +derailment +derailment's +derailments +derails +derange +deranged +derangement +derangement's +deranges +deranging +derbies +Derby +derby +Derby's +derby's +deregulate +deregulated +deregulates +deregulating +deregulation +deregulation's +Derek +Derek's +derelict +dereliction +dereliction's +derelict's +derelicts +Derick +Derick's +deride +derided +derides +deriding +derision +derision's +derisive +derisively +derisiveness +derisiveness's +derisory +derivable +derivation +derivation's +derivations +derivative +derivative's +derivatives +derive +derived +derives +deriving +dermal +dermatitis +dermatitis's +dermatological +dermatologist +dermatologist's +dermatologists +dermatology +dermatology's +dermis +dermis's +Dermot +Dermot's +derogate +derogated +derogates +derogating +derogation +derogation's +derogatorily +derogatory +Derrick +derrick +Derrick's +derrick's +derricks +Derrida +Derrida's +derriere +derriere's +derrieres +derringer +derringer's +derringers +derrière +derrière's +derrières +derv +dervish +dervishes +dervish's +desalinate +desalinated +desalinates +desalinating +desalination +desalination's +desalinization +desalinization's +desalinize +desalinized +desalinizes +desalinizing +desalt +desalted +desalting +desalts +descale +descaled +descales +descaling +descant +descanted +descanting +descant's +descants +Descartes +Descartes's +descend +descendant +descendant's +descendants +descended +descender +descending +descends +descent +descent's +descents +describable +describe +described +describer +describer's +describers +describes +describing +descried +descries +description +description's +descriptions +descriptive +descriptively +descriptiveness +descriptiveness's +descriptor +descriptors +descry +descrying +Desdemona +Desdemona's +desecrate +desecrated +desecrates +desecrating +desecration +desecration's +desegregate +desegregated +desegregates +desegregating +desegregation +desegregation's +deselect +deselected +deselecting +deselection +deselects +desensitization +desensitization's +desensitize +desensitized +desensitizes +desensitizing +desert +deserted +deserter +deserter's +deserters +desertification +deserting +desertion +desertion's +desertions +desert's +deserts +deserve +deserved +deservedly +deserves +deserving +desiccant +desiccant's +desiccants +desiccate +desiccated +desiccates +desiccating +desiccation +desiccation's +desiccator +desiccator's +desiccators +desiderata +desideratum +desideratum's +design +designate +designated +designates +designating +designation +designation's +designations +designed +designer +designer's +designers +designing +designing's +design's +designs +desirability +desirability's +desirable +desirableness +desirableness's +desirably +desire +desired +Desiree +Desiree's +desire's +desires +desiring +desirous +desist +desisted +desisting +desists +desk +deskill +deskilled +deskilling +deskills +desk's +desks +desktop +desktop's +desktops +Desmond +Desmond's +desolate +desolated +desolately +desolateness +desolateness's +desolates +desolating +desolation +desolation's +despair +despaired +despairing +despairingly +despair's +despairs +desperado +desperadoes +desperado's +desperate +desperately +desperateness +desperateness's +desperation +desperation's +despicable +despicably +despise +despised +despises +despising +despite +despoil +despoiled +despoiler +despoiler's +despoilers +despoiling +despoilment +despoilment's +despoils +despoliation +despoliation's +despondence +despondence's +despondency +despondency's +despondent +despondently +despot +despotic +despotically +despotism +despotism's +despot's +despots +dessert +dessert's +desserts +dessertspoon +dessertspoonful +dessertspoonfuls +dessertspoons +destabilization +destabilization's +destabilize +destabilized +destabilizes +destabilizing +d'Estaing +d'Estaing's +destination +destination's +destinations +destine +destined +destines +destinies +destining +destiny +destiny's +destitute +destitution +destitution's +destroy +destroyed +destroyer +destroyer's +destroyers +destroying +destroys +destruct +destructed +destructibility +destructibility's +destructible +destructing +destruction +destruction's +destructive +destructively +destructiveness +destructiveness's +destruct's +destructs +desuetude +desuetude's +desultorily +desultory +detach +detachable +detached +detaches +detaching +detachment +detachment's +detachments +detail +detailed +detailing +detail's +details +detain +detained +detainee +detainee's +detainees +detaining +detainment +detainment's +detains +detect +detectable +detected +detecting +detection +detection's +detective +detective's +detectives +detector +detector's +detectors +detects +detente +detente's +detentes +detention +detention's +detentions +deter +detergent +detergent's +detergents +deteriorate +deteriorated +deteriorates +deteriorating +deterioration +deterioration's +determent +determent's +determinable +determinant +determinant's +determinants +determinate +determination +determination's +determinations +determine +determined +determinedly +determiner +determiner's +determiners +determines +determining +determinism +determinism's +deterministic +deterred +deterrence +deterrence's +deterrent +deterrent's +deterrents +deterring +deters +detest +detestable +detestably +detestation +detestation's +detested +detesting +detests +dethrone +dethroned +dethronement +dethronement's +dethrones +dethroning +detonate +detonated +detonates +detonating +detonation +detonation's +detonations +detonator +detonator's +detonators +detour +detoured +detouring +detour's +detours +detox +detoxed +detoxes +detoxification +detoxification's +detoxified +detoxifies +detoxify +detoxifying +detoxing +detox's +detract +detracted +detracting +detraction +detraction's +detractor +detractor's +detractors +detracts +detriment +detrimental +detrimentally +detriment's +detriments +detritus +detritus's +Detroit +Detroit's +deuce +deuce's +deuces +deuterium +deuterium's +Deuteronomy +Deuteronomy's +devaluation +devaluation's +devaluations +devalue +devalued +devalues +devaluing +Devanagari +Devanagari's +devastate +devastated +devastates +devastating +devastatingly +devastation +devastation's +devastator +devastator's +devastators +develop +developed +developer +developer's +developers +developing +development +developmental +developmentally +development's +developments +develops +Devi +deviance +deviance's +deviancy +deviancy's +deviant +deviant's +deviants +deviate +deviated +deviate's +deviates +deviating +deviation +deviation's +deviations +device +device's +devices +devil +deviled +deviling +devilish +devilishly +devilishness +devilishness's +devilment +devilment's +devilries +devilry +devilry's +devil's +devils +deviltries +deviltry +deviltry's +Devin +Devin's +devious +deviously +deviousness +deviousness's +Devi's +devise +devised +devise's +devises +devising +devitalize +devitalized +devitalizes +devitalizing +devoid +devolution +devolution's +devolve +devolved +devolves +devolving +Devon +Devonian +Devonian's +Devon's +devote +devoted +devotedly +devotee +devotee's +devotees +devotes +devoting +devotion +devotional +devotional's +devotionals +devotion's +devotions +devour +devoured +devouring +devours +devout +devouter +devoutest +devoutly +devoutness +devoutness's +dew +Dewar +Dewar's +Dewayne +Dewayne's +dewberries +dewberry +dewberry's +dewclaw +dewclaw's +dewclaws +dewdrop +dewdrop's +dewdrops +Dewey +Dewey's +dewier +dewiest +dewiness +dewiness's +Dewitt +Dewitt's +dewlap +dewlap's +dewlaps +dew's +dewy +Dexedrine +Dexedrine's +Dexter +dexterity +dexterity's +dexterous +dexterously +dexterousness +dexterousness's +Dexter's +dextrose +dextrose's +DH +Dhaka +Dhaka's +dharma +Dhaulagiri +Dhaulagiri's +dhoti +dhoti's +dhotis +dhow +dhow's +dhows +DHS +DI +Di +diabetes +diabetes's +diabetic +diabetic's +diabetics +diabolic +diabolical +diabolically +diacritic +diacritical +diacritic's +diacritics +diadem +diadem's +diadems +diaereses +diaeresis +diaeresis's +Diaghilev +Diaghilev's +diagnose +diagnosed +diagnoses +diagnosing +diagnosis +diagnosis's +diagnostic +diagnostically +diagnostician +diagnostician's +diagnosticians +diagnostics +diagnostics's +diagonal +diagonally +diagonal's +diagonals +diagram +diagrammatic +diagrammatically +diagrammed +diagramming +diagram's +diagrams +Dial +dial +dialect +dialectal +dialectic +dialectical +dialectic's +dialectics +dialectics's +dialect's +dialects +dialed +dialing +dialings +dialog +dialogue +dialogue's +dialogues +Dial's +dial's +dials +dialyses +dialysis +dialysis's +dialyzes +diam +diamanté +diamante +diameter +diameter's +diameters +diametric +diametrical +diametrically +diamond +diamondback +diamondback's +diamondbacks +diamond's +diamonds +Diana +Diana's +Diane +Diane's +Diann +Dianna +Dianna's +Dianne +Dianne's +Diann's +diapason +diapason's +diapasons +diaper +diapered +diapering +diaper's +diapers +diaphanous +diaphragm +diaphragmatic +diaphragm's +diaphragms +diaries +diarist +diarist's +diarists +diarrhea +diarrhea's +diary +diary's +Dias +Diaspora +diaspora +Diaspora's +Diasporas +diaspora's +diasporas +diastase +diastase's +diastole +diastole's +diastolic +diathermy +diathermy's +diatom +diatomic +diatom's +diatoms +diatonic +diatribe +diatribe's +diatribes +dibble +dibbled +dibble's +dibbles +dibbling +dibs +dibs's +DiCaprio +DiCaprio's +dice +diced +dices +dicey +dichotomies +dichotomous +dichotomy +dichotomy's +dicier +diciest +dicing +Dick +dick +Dickens +dickens +Dickensian +Dickens's +dicker +dickered +dickering +dickers +Dickerson +Dickerson's +dickey +dickey's +dickeys +dickhead +dickheads +Dickinson +Dickinson's +Dick's +dick's +dicks +Dickson +Dickson's +dickybird +dickybirds +dicotyledon +dicotyledonous +dicotyledon's +dicotyledons +dict +dicta +Dictaphone +Dictaphone's +Dictaphones +dictate +dictated +dictate's +dictates +dictating +dictation +dictation's +dictations +dictator +dictatorial +dictatorially +dictator's +dictators +dictatorship +dictatorship's +dictatorships +diction +dictionaries +dictionary +dictionary's +diction's +dictum +dictum's +did +didactic +didactically +diddle +diddled +diddler +diddler's +diddlers +diddles +diddling +diddly +diddlysquat +diddums +Diderot +Diderot's +didgeridoo +didgeridoos +didn't +Dido +dido +didoes +Dido's +dido's +Didrikson +Didrikson's +didst +die +died +Diefenbaker +Diefenbaker's +Diego +Diego's +dielectric +dielectric's +dielectrics +Diem +Diem's +diereses +dieresis +dieresis's +die's +dies +diesel +dieseled +dieseling +diesel's +diesels +diet +dietaries +dietary +dietary's +dieted +dieter +dieter's +dieters +dietetic +dietetics +dietetics's +dieting +dietitian +dietitian's +dietitians +Dietrich +Dietrich's +diet's +diets +diff +diffed +differ +differed +difference +difference's +differences +different +differential +differential's +differentials +differentiate +differentiated +differentiates +differentiating +differentiation +differentiation's +differently +differing +differs +difficult +difficulties +difficultly +difficulty +difficulty's +diffidence +diffidence's +diffident +diffidently +diffing +diffract +diffracted +diffracting +diffraction +diffraction's +diffracts +diffs +diffuse +diffused +diffusely +diffuseness +diffuseness's +diffuses +diffusing +diffusion +diffusion's +diffusive +diffusivity +dig +digerati +digerati's +digest +digested +digestibility +digestibility's +digestible +digesting +digestion +digestion's +digestions +digestive +digestives +digest's +digests +digger +digger's +diggers +digging +diggings +diggings's +digicam +digicams +digit +digital +digitalis +digitalis's +digitally +digitization +digitize +digitized +digitizes +digitizing +digit's +digits +dignified +dignifies +dignify +dignifying +dignitaries +dignitary +dignitary's +dignities +dignity +dignity's +digraph +digraph's +digraphs +digress +digressed +digresses +digressing +digression +digression's +digressions +digressive +dig's +digs +Dijkstra +Dijkstra's +Dijon +Dijon's +dike +diked +dike's +dikes +diking +diktat +diktats +dilapidated +dilapidation +dilapidation's +dilatation +dilatation's +dilate +dilated +dilates +dilating +dilation +dilation's +dilator +dilator's +dilators +dilatory +Dilbert +Dilbert's +Dilberts +dildo +dildos +dilemma +dilemma's +dilemmas +dilettante +dilettante's +dilettantes +dilettantish +dilettantism +dilettantism's +diligence +diligence's +diligent +diligently +dill +Dillard +Dillard's +dillies +Dillinger +Dillinger's +Dillon +Dillon's +dill's +dills +dilly +dillydallied +dillydallies +dillydally +dillydallying +dilly's +diluent +dilute +diluted +dilutes +diluting +dilution +dilution's +dilutions +dim +DiMaggio +DiMaggio's +dime +dimension +dimensional +dimensionless +dimension's +dimensions +dimer +dime's +dimes +diminish +diminished +diminishes +diminishing +diminuendo +diminuendo's +diminuendos +diminution +diminution's +diminutions +diminutive +diminutive's +diminutives +dimity +dimity's +dimly +dimmed +dimmer +dimmer's +dimmers +dimmest +dimming +dimness +dimness's +dimple +dimpled +dimple's +dimples +dimpling +dimply +dims +dimwit +dimwit's +dimwits +dimwitted +din +Dina +Dinah +Dinah's +dinar +dinar's +dinars +Dina's +dine +dined +diner +diner's +diners +dines +dinette +dinette's +dinettes +ding +dingbat +dingbat's +dingbats +dinged +dinghies +dinghy +dinghy's +dingier +dingiest +dingily +dinginess +dinginess's +dinging +dingle +dingle's +dingles +dingo +dingoes +dingo's +ding's +dings +dingus +dinguses +dingus's +dingy +dining +dink +dinker +dinkier +dinkies +dinkiest +dinky +dinky's +dinned +dinner +dinnered +dinnering +dinner's +dinners +dinnertime +dinnertime's +dinnerware +dinnerware's +dinning +Dino +Dino's +dinosaur +dinosaur's +dinosaurs +din's +dins +dint +dint's +diocesan +diocesan's +diocesans +diocese +diocese's +dioceses +Diocletian +Diocletian's +diode +diode's +diodes +Diogenes +Diogenes's +Dion +Dionne +Dionne's +Dion's +Dionysian +Dionysian's +Dionysus +Dionysus's +Diophantine +Diophantine's +Dior +diorama +diorama's +dioramas +Dior's +dioxide +dioxide's +dioxides +dioxin +dioxin's +dioxins +dip +diphtheria +diphtheria's +diphthong +diphthong's +diphthongs +diploid +diploid's +diploids +diploma +diplomacy +diplomacy's +diploma's +diplomas +diplomat +diplomata +diplomatic +diplomatically +diplomatist +diplomatist's +diplomatists +diplomat's +diplomats +diplopia +dipole +dipole's +dipoles +dipped +Dipper +dipper +Dipper's +dipper's +dippers +dippier +dippiest +dipping +dippy +dip's +dips +dipso +dipsomania +dipsomaniac +dipsomaniac's +dipsomaniacs +dipsomania's +dipsos +dipstick +dipstick's +dipsticks +dipterous +diptych +diptych's +diptychs +Dir +Dirac +Dirac's +dire +direct +directed +directer +directest +directing +direction +directional +directionless +direction's +directions +directive +directive's +directives +directly +directness +directness's +director +directorate +directorate's +directorates +directorial +directories +director's +directors +directorship +directorship's +directorships +directory +directory's +directs +direful +direly +direr +direst +dirge +dirge's +dirges +Dirichlet +Dirichlet's +dirigible +dirigible's +dirigibles +Dirk +dirk +Dirk's +dirk's +dirks +dirndl +dirndl's +dirndls +dirt +dirtball +dirtballs +dirtied +dirtier +dirties +dirtiest +dirtily +dirtiness +dirtiness's +dirt's +dirty +dirtying +Di's +Dis +dis +disabilities +disability +disability's +disable +disabled +disablement +disablement's +disables +disabling +disabuse +disabused +disabuses +disabusing +disadvantage +disadvantaged +disadvantageous +disadvantageously +disadvantage's +disadvantages +disadvantaging +disaffect +disaffected +disaffecting +disaffection +disaffection's +disaffects +disaffiliate +disaffiliated +disaffiliates +disaffiliating +disaffiliation +disaffiliation's +disafforest +disafforested +disafforesting +disafforests +disagree +disagreeable +disagreeableness +disagreeableness's +disagreeably +disagreed +disagreeing +disagreement +disagreement's +disagreements +disagrees +disallow +disallowed +disallowing +disallows +disambiguate +disambiguation +disappear +disappearance +disappearance's +disappearances +disappeared +disappearing +disappears +disappoint +disappointed +disappointing +disappointingly +disappointment +disappointment's +disappointments +disappoints +disapprobation +disapprobation's +disapproval +disapproval's +disapprove +disapproved +disapproves +disapproving +disapprovingly +disarm +disarmament +disarmament's +disarmed +disarming +disarmingly +disarms +disarrange +disarranged +disarrangement +disarrangement's +disarranges +disarranging +disarray +disarrayed +disarraying +disarray's +disarrays +disassemble +disassembled +disassembles +disassembling +disassembly +disassociate +disassociated +disassociates +disassociating +disassociation +disassociation's +disaster +disaster's +disasters +disastrous +disastrously +disavow +disavowal +disavowal's +disavowals +disavowed +disavowing +disavows +disband +disbanded +disbanding +disbandment +disbandment's +disbands +disbar +disbarment +disbarment's +disbarred +disbarring +disbars +disbelief +disbelief's +disbelieve +disbelieved +disbeliever +disbeliever's +disbelievers +disbelieves +disbelieving +disbelievingly +disbursal +disbursal's +disburse +disbursed +disbursement +disbursement's +disbursements +disburses +disbursing +disc +discard +discarded +discarding +discard's +discards +discern +discerned +discernible +discernibly +discerning +discerningly +discernment +discernment's +discerns +discharge +discharged +discharge's +discharges +discharging +disciple +disciple's +disciples +discipleship +discipleship's +disciplinarian +disciplinarian's +disciplinarians +disciplinary +discipline +disciplined +discipline's +disciplines +disciplining +disclaim +disclaimed +disclaimer +disclaimer's +disclaimers +disclaiming +disclaims +disclose +disclosed +discloses +disclosing +disclosure +disclosure's +disclosures +disco +discoed +discographies +discography +discography's +discoing +discolor +discoloration +discoloration's +discolorations +discolored +discoloring +discolors +discombobulate +discombobulated +discombobulates +discombobulating +discombobulation +discombobulation's +discomfit +discomfited +discomfiting +discomfits +discomfiture +discomfiture's +discomfort +discomforted +discomforting +discomfort's +discomforts +discommode +discommoded +discommodes +discommoding +discompose +discomposed +discomposes +discomposing +discomposure +discomposure's +disconcert +disconcerted +disconcerting +disconcertingly +disconcerts +disconnect +disconnected +disconnectedly +disconnectedness +disconnectedness's +disconnecting +disconnection +disconnection's +disconnections +disconnects +disconsolate +disconsolately +discontent +discontented +discontentedly +discontenting +discontentment +discontentment's +discontent's +discontents +discontinuance +discontinuance's +discontinuances +discontinuation +discontinuation's +discontinuations +discontinue +discontinued +discontinues +discontinuing +discontinuities +discontinuity +discontinuity's +discontinuous +discontinuously +discord +discordance +discordance's +discordant +discordantly +discorded +discording +discord's +discords +disco's +discos +discotheque +discotheque's +discotheques +discount +discounted +discountenance +discountenanced +discountenances +discountenancing +discounter +discounter's +discounters +discounting +discount's +discounts +discourage +discouraged +discouragement +discouragement's +discouragements +discourages +discouraging +discouragingly +discourse +discoursed +discourse's +discourses +discoursing +discourteous +discourteously +discourtesies +discourtesy +discourtesy's +discover +discovered +discoverer +discoverer's +discoverers +discoveries +discovering +discovers +discovery +discovery's +discredit +discreditable +discreditably +discredited +discrediting +discredit's +discredits +discreet +discreeter +discreetest +discreetly +discreetness +discreetness's +discrepancies +discrepancy +discrepancy's +discrepant +discrete +discretely +discreteness +discreteness's +discretion +discretionary +discretion's +discriminant +discriminate +discriminated +discriminates +discriminating +discrimination +discrimination's +discriminator +discriminator's +discriminators +discriminatory +disc's +discs +discursive +discursively +discursiveness +discursiveness's +discus +discuses +discus's +discuss +discussant +discussant's +discussants +discussed +discusses +discussing +discussion +discussion's +discussions +disdain +disdained +disdainful +disdainfully +disdaining +disdain's +disdains +disease +diseased +disease's +diseases +disembark +disembarkation +disembarkation's +disembarked +disembarking +disembarks +disembodied +disembodies +disembodiment +disembodiment's +disembody +disembodying +disembowel +disemboweled +disemboweling +disembowelment +disembowelment's +disembowels +disenchant +disenchanted +disenchanting +disenchantment +disenchantment's +disenchants +disencumber +disencumbered +disencumbering +disencumbers +disenfranchise +disenfranchised +disenfranchisement +disenfranchisement's +disenfranchises +disenfranchising +disengage +disengaged +disengagement +disengagement's +disengagements +disengages +disengaging +disentangle +disentangled +disentanglement +disentanglement's +disentangles +disentangling +disequilibrium +disequilibrium's +disestablish +disestablished +disestablishes +disestablishing +disestablishment +disestablishment's +disesteem +disesteemed +disesteeming +disesteem's +disesteems +disfavor +disfavored +disfavoring +disfavor's +disfavors +disfigure +disfigured +disfigurement +disfigurement's +disfigurements +disfigures +disfiguring +disfranchise +disfranchised +disfranchisement +disfranchisement's +disfranchises +disfranchising +disgorge +disgorged +disgorgement +disgorgement's +disgorges +disgorging +disgrace +disgraced +disgraceful +disgracefully +disgracefulness +disgracefulness's +disgrace's +disgraces +disgracing +disgruntle +disgruntled +disgruntlement +disgruntlement's +disgruntles +disgruntling +disguise +disguised +disguise's +disguises +disguising +disgust +disgusted +disgustedly +disgusting +disgustingly +disgust's +disgusts +dish +dishabille +dishabille's +disharmonious +disharmony +disharmony's +dishcloth +dishcloth's +dishcloths +dishearten +disheartened +disheartening +dishearteningly +disheartens +dished +dishes +dishevel +disheveled +disheveling +dishevelment +dishevelment's +dishevels +dishing +dishonest +dishonestly +dishonesty +dishonesty's +dishonor +dishonorable +dishonorably +dishonored +dishonoring +dishonor's +dishonors +dishpan +dishpan's +dishpans +dishrag +dishrag's +dishrags +dish's +dishtowel +dishtowel's +dishtowels +dishware +dishware's +dishwasher +dishwasher's +dishwashers +dishwater +dishwater's +dishy +disillusion +disillusioned +disillusioning +disillusionment +disillusionment's +disillusion's +disillusions +disincentive +disincentives +disinclination +disinclination's +disincline +disinclined +disinclines +disinclining +disinfect +disinfectant +disinfectant's +disinfectants +disinfected +disinfecting +disinfection +disinfection's +disinfects +disinflation +disinflation's +disinformation +disinformation's +disingenuous +disingenuously +disinherit +disinheritance +disinheritance's +disinherited +disinheriting +disinherits +disintegrate +disintegrated +disintegrates +disintegrating +disintegration +disintegration's +disinter +disinterest +disinterested +disinterestedly +disinterestedness +disinterestedness's +disinterest's +disinterests +disinterment +disinterment's +disinterred +disinterring +disinters +disinvestment +disinvestment's +disjoint +disjointed +disjointedly +disjointedness +disjointedness's +disjointing +disjoints +disjunctive +disjuncture +disk +diskette +diskette's +diskettes +disk's +disks +dislike +disliked +dislike's +dislikes +disliking +dislocate +dislocated +dislocates +dislocating +dislocation +dislocation's +dislocations +dislodge +dislodged +dislodges +dislodging +disloyal +disloyally +disloyalty +disloyalty's +dismal +dismally +dismantle +dismantled +dismantlement +dismantlement's +dismantles +dismantling +dismay +dismayed +dismaying +dismay's +dismays +dismember +dismembered +dismembering +dismemberment +dismemberment's +dismembers +dismiss +dismissal +dismissal's +dismissals +dismissed +dismisses +dismissing +dismissive +dismissively +dismount +dismounted +dismounting +dismount's +dismounts +Disney +Disneyland +Disneyland's +Disney's +disobedience +disobedience's +disobedient +disobediently +disobey +disobeyed +disobeying +disobeys +disoblige +disobliged +disobliges +disobliging +disorder +disordered +disordering +disorderliness +disorderliness's +disorderly +disorder's +disorders +disorganization +disorganization's +disorganize +disorganized +disorganizes +disorganizing +disorient +disorientate +disorientated +disorientates +disorientating +disorientation +disorientation's +disoriented +disorienting +disorients +disown +disowned +disowning +disowns +disparage +disparaged +disparagement +disparagement's +disparages +disparaging +disparagingly +disparate +disparately +disparities +disparity +disparity's +dispassion +dispassionate +dispassionately +dispassion's +dispatch +dispatched +dispatcher +dispatcher's +dispatchers +dispatches +dispatching +dispatch's +dispel +dispelled +dispelling +dispels +dispensable +dispensaries +dispensary +dispensary's +dispensation +dispensation's +dispensations +dispense +dispensed +dispenser +dispenser's +dispensers +dispenses +dispensing +dispersal +dispersal's +disperse +dispersed +disperses +dispersing +dispersion +dispersion's +dispirit +dispirited +dispiriting +dispirits +displace +displaced +displacement +displacement's +displacements +displaces +displacing +display +displayable +displayed +displaying +display's +displays +displease +displeased +displeases +displeasing +displeasure +displeasure's +disport +disported +disporting +disports +disposable +disposable's +disposables +disposal +disposal's +disposals +dispose +disposed +disposer +disposer's +disposers +disposes +disposing +disposition +disposition's +dispositions +dispossess +dispossessed +dispossesses +dispossessing +dispossession +dispossession's +dispraise +dispraised +dispraise's +dispraises +dispraising +disproof +disproof's +disproofs +disproportion +disproportional +disproportionate +disproportionately +disproportion's +disproportions +disprovable +disprove +disproved +disproves +disproving +disputable +disputably +disputant +disputant's +disputants +disputation +disputation's +disputations +disputatious +disputatiously +dispute +disputed +disputer +disputer's +disputers +dispute's +disputes +disputing +disqualification +disqualification's +disqualifications +disqualified +disqualifies +disqualify +disqualifying +disquiet +disquieted +disquieting +disquiet's +disquiets +disquietude +disquietude's +disquisition +disquisition's +disquisitions +Disraeli +Disraeli's +disregard +disregarded +disregardful +disregarding +disregard's +disregards +disrepair +disrepair's +disreputable +disreputably +disrepute +disrepute's +disrespect +disrespected +disrespectful +disrespectfully +disrespecting +disrespect's +disrespects +disrobe +disrobed +disrobes +disrobing +disrupt +disrupted +disrupting +disruption +disruption's +disruptions +disruptive +disruptively +disrupts +Dis's +dis's +dissatisfaction +dissatisfaction's +dissatisfied +dissatisfies +dissatisfy +dissatisfying +dissect +dissected +dissecting +dissection +dissection's +dissections +dissector +dissector's +dissectors +dissects +dissed +dissemblance +dissemblance's +dissemble +dissembled +dissembler +dissembler's +dissemblers +dissembles +dissembling +disseminate +disseminated +disseminates +disseminating +dissemination +dissemination's +dissension +dissension's +dissensions +dissent +dissented +dissenter +dissenter's +dissenters +dissenting +dissent's +dissents +dissertation +dissertation's +dissertations +disservice +disservice's +disservices +dissever +dissevered +dissevering +dissevers +dissidence +dissidence's +dissident +dissident's +dissidents +dissimilar +dissimilarities +dissimilarity +dissimilarity's +dissimilitude +dissimilitude's +dissimilitudes +dissimulate +dissimulated +dissimulates +dissimulating +dissimulation +dissimulation's +dissimulator +dissimulator's +dissimulators +dissing +dissipate +dissipated +dissipates +dissipating +dissipation +dissipation's +dissociate +dissociated +dissociates +dissociating +dissociation +dissociation's +dissoluble +dissolute +dissolutely +dissoluteness +dissoluteness's +dissolution +dissolution's +dissolve +dissolved +dissolves +dissolving +dissonance +dissonance's +dissonances +dissonant +dissuade +dissuaded +dissuades +dissuading +dissuasion +dissuasion's +dissuasive +dist +distaff +distaff's +distaffs +distal +distally +distance +distanced +distance's +distances +distancing +distant +distantly +distaste +distasteful +distastefully +distastefulness +distastefulness's +distaste's +distastes +distemper +distemper's +distend +distended +distending +distends +distension +distension's +distensions +distention +distention's +distentions +distill +distillate +distillate's +distillates +distillation +distillation's +distillations +distilled +distiller +distilleries +distiller's +distillers +distillery +distillery's +distilling +distills +distinct +distincter +distinctest +distinction +distinction's +distinctions +distinctive +distinctively +distinctiveness +distinctiveness's +distinctly +distinctness +distinctness's +distinguish +distinguishable +distinguished +distinguishes +distinguishing +distort +distorted +distorter +distorting +distortion +distortion's +distortions +distorts +distract +distracted +distractedly +distracting +distraction +distraction's +distractions +distracts +distrait +distraught +distress +distressed +distresses +distressful +distressing +distressingly +distress's +distribute +distributed +distributes +distributing +distribution +distributional +distribution's +distributions +distributive +distributively +distributor +distributor's +distributors +distributorship +distributorships +district +district's +districts +distrust +distrusted +distrustful +distrustfully +distrusting +distrust's +distrusts +disturb +disturbance +disturbance's +disturbances +disturbed +disturber +disturber's +disturbers +disturbing +disturbingly +disturbs +disunion +disunion's +disunite +disunited +disunites +disuniting +disunity +disunity's +disuse +disused +disuse's +disuses +disusing +disyllabic +ditch +ditched +ditches +ditching +ditch's +dither +dithered +ditherer +ditherer's +ditherers +dithering +dither's +dithers +ditransitive +ditsy +ditties +ditto +dittoed +dittoing +ditto's +dittos +ditty +ditty's +ditz +ditzes +ditz's +diuretic +diuretic's +diuretics +diurnal +diurnally +div +diva +divalent +divan +divan's +divans +diva's +divas +dive +dived +diver +diverge +diverged +divergence +divergence's +divergences +divergent +diverges +diverging +diver's +divers +diverse +diversely +diverseness +diverseness's +diversification +diversification's +diversified +diversifies +diversify +diversifying +diversion +diversionary +diversion's +diversions +diversities +diversity +diversity's +divert +diverted +diverticulitis +diverticulitis's +diverting +diverts +dive's +dives +divest +divested +divesting +divestiture +divestiture's +divestitures +divestment +divestment's +divests +dividable +divide +divided +dividend +dividend's +dividends +divider +divider's +dividers +divide's +divides +dividing +divination +divination's +Divine +divine +divined +divinely +diviner +diviner's +diviners +Divine's +divine's +divines +divinest +diving +diving's +divining +divinities +divinity +divinity's +divisibility +divisibility's +divisible +division +divisional +division's +divisions +divisive +divisively +divisiveness +divisiveness's +divisor +divisor's +divisors +divorce +divorcée +divorced +divorcee +divorcee's +divorcees +divorcement +divorcement's +divorcements +divorce's +divorces +divorcée's +divorcées +divorcing +divot +divot's +divots +divulge +divulged +divulges +divulging +divvied +divvies +divvy +divvying +divvy's +Diwali +Diwali's +Dix +Dixie +Dixiecrat +Dixiecrat's +Dixieland +dixieland +Dixieland's +Dixielands +dixieland's +Dixie's +Dixon +Dixon's +Dix's +dizzied +dizzier +dizzies +dizziest +dizzily +dizziness +dizziness's +dizzy +dizzying +DJ +djellaba +djellaba's +djellabas +Djibouti +Djibouti's +DMCA +DMD +DMD's +Dmitri +Dmitri's +démodé +DMZ +DNA +DNA's +Dnepropetrovsk +Dnepropetrovsk's +Dniester +Dniester's +do +DOA +doable +DOB +dob +dobbed +Dobbin +dobbin +dobbing +Dobbin's +dobbin's +dobbins +Doberman +doberman +Doberman's +doberman's +dobermans +Dobro +dobro +Dobro's +dobs +doc +docent +docent's +docents +docile +docilely +docility +docility's +dock +docked +docker +dockers +docket +docketed +docketing +docket's +dockets +docking +dockland +docklands +dock's +docks +dockside +dockworker +dockworker's +dockworkers +dockyard +dockyard's +dockyards +doc's +docs +Doctor +doctor +doctoral +doctorate +doctorate's +doctorates +doctored +doctoring +Doctorow +Doctorow's +doctor's +doctors +doctrinaire +doctrinaire's +doctrinaires +doctrinal +doctrine +doctrine's +doctrines +docudrama +docudrama's +docudramas +document +documentaries +documentary +documentary's +documentation +documentation's +documentations +documented +documenting +document's +documents +DOD +dodder +doddered +doddering +dodder's +dodders +doddery +doddle +Dodge +dodge +dodged +dodgem +dodgems +dodger +dodger's +dodgers +Dodge's +dodge's +dodges +dodgier +dodgiest +dodging +Dodgson +Dodgson's +dodgy +dodo +Dodoma +Dodoma's +dodo's +dodos +Dodson +Dodson's +DOE +Doe +doe +doer +doer's +doers +Doe's +doe's +does +doeskin +doeskin's +doeskins +doesn't +doff +doffed +doffing +doffs +dog +dogcart +dogcart's +dogcarts +dogcatcher +dogcatcher's +dogcatchers +doge +dogeared +doge's +doges +dogfight +dogfight's +dogfights +dogfish +dogfishes +dogfish's +dogged +doggedly +doggedness +doggedness's +doggerel +doggerel's +doggier +doggies +doggiest +dogging +doggone +doggoner +doggones +doggonest +doggoning +doggy +doggy's +doghouse +doghouse's +doghouses +dogie +dogie's +dogies +dogleg +doglegged +doglegging +dogleg's +doglegs +doglike +dogma +dogma's +dogmas +dogmatic +dogmatically +dogmatism +dogmatism's +dogmatist +dogmatist's +dogmatists +dognapper +dog's +dogs +dogsbodies +dogsbody +dogsled +dogsleds +dogtrot +dogtrot's +dogtrots +dogtrotted +dogtrotting +dogwood +dogwood's +dogwoods +Doha +Doha's +doilies +doily +doily's +doing +doing's +doings +Dolby +Dolby's +doldrums +doldrums's +Dole +dole +doled +doleful +dolefully +dolefulness +dolefulness's +Dole's +dole's +doles +doling +doll +dollar +dollar's +dollars +dolled +dollhouse +dollhouse's +dollhouses +Dollie +Dollie's +dollies +dolling +dollop +dolloped +dolloping +dollop's +dollops +doll's +dolls +Dolly +dolly +Dolly's +dolly's +dolmen +dolmen's +dolmens +dolomite +dolomite's +dolor +Dolores +Dolores's +dolorous +dolorously +dolor's +dolphin +dolphin's +dolphins +dolt +doltish +doltishly +doltishness +doltishness's +dolt's +dolts +domain +domain's +domains +dome +domed +dome's +domes +Domesday +Domesday's +domestic +domestically +domesticate +domesticated +domesticates +domesticating +domestication +domestication's +domesticity +domesticity's +domestic's +domestics +domicile +domiciled +domicile's +domiciles +domiciliary +domiciling +dominance +dominance's +dominant +dominantly +dominant's +dominants +dominate +dominated +dominates +dominating +domination +domination's +dominatrices +dominatrix +dominatrix's +domineer +domineered +domineering +domineeringly +domineers +doming +Domingo +Domingo's +Dominguez +Dominguez's +Dominic +Dominica +Dominican +Dominican's +Dominicans +Dominica's +Dominick +Dominick's +Dominic's +Dominion +dominion +dominion's +dominions +Dominique +Dominique's +domino +dominoes +domino's +Domitian +Domitian's +Don +don +Dona +dona +Donahue +Donahue's +Donald +Donald's +Donaldson +Donaldson's +Dona's +dona's +donas +donate +donated +Donatello +Donatello's +donates +donating +donation +donation's +donations +done +Donetsk +Donetsk's +dong +donged +donging +dongle +dongle's +dongles +dong's +dongs +Donizetti +Donizetti's +donkey +donkey's +donkeys +Donn +Donna +Donna's +Donne +donned +Donnell +Donnell's +Donner +Donner's +Donne's +Donnie +Donnie's +donning +donnish +Donn's +Donny +donnybrook +donnybrook's +donnybrooks +Donny's +donor +donor's +donors +Donovan +Donovan's +Don's +Dons +don's +dons +don't +donuts +doodad +doodad's +doodads +doodah +doodahs +doodle +doodlebug +doodlebug's +doodlebugs +doodled +doodler +doodler's +doodlers +doodle's +doodles +doodling +doohickey +doohickey's +doohickeys +doolally +Dooley +Dooley's +Doolittle +Doolittle's +doom +doomed +dooming +doom's +dooms +doomsayer +doomsayer's +doomsayers +doomsday +doomsday's +doomster +doomsters +Doonesbury +Doonesbury's +door +doorbell +doorbell's +doorbells +doorjamb +doorjambs +doorkeeper +doorkeeper's +doorkeepers +doorknob +doorknob's +doorknobs +doorknocker +doorknockers +doorman +doorman's +doormat +doormat's +doormats +doormen +doorplate +doorplate's +doorplates +doorpost +doorposts +door's +doors +doorstep +doorstepped +doorstepping +doorstep's +doorsteps +doorstop +doorstop's +doorstops +doorway +doorway's +doorways +dooryard +dooryard's +dooryards +dopa +dopamine +dopa's +dope +doped +doper +doper's +dopers +dope's +dopes +dopey +dopier +dopiest +dopiness +dopiness's +doping +doping's +doppelganger +doppelgangers +doppelgänger +doppelgängers +Doppler +Doppler's +Dora +Dora's +Dorcas +Dorcas's +Doreen +Doreen's +Dorian +Dorian's +Doric +Doric's +dories +Doris +Doris's +Doritos +Doritos's +dork +dorkier +dorkiest +dork's +dorks +dorky +dorm +dormancy +dormancy's +dormant +dormer +dormer's +dormers +dormice +dormitories +dormitory +dormitory's +dormouse +dormouse's +dorm's +dorms +Dorothea +Dorothea's +Dorothy +Dorothy's +dorsal +dorsally +Dorset +Dorset's +Dorsey +Dorsey's +Dorthy +Dorthy's +Dortmund +Dortmund's +dory +dory's +DOS +do's +dos +dosage +dosage's +dosages +dose +dosed +dose's +doses +dosh +dosimeter +dosimeter's +dosimeters +dosing +DOS's +doss +dossed +dosser +dossers +dosses +dosshouse +dosshouses +dossier +dossier's +dossiers +dossing +dost +Dostoevsky +Dostoevsky's +DOT +Dot +dot +dotage +dotage's +dotard +dotard's +dotards +dotcom +dotcom's +dotcoms +dote +doted +doter +doter's +doters +dotes +doth +doting +dotingly +Dot's +dot's +dots +Dotson +Dotson's +dotted +dottier +dottiest +dotting +dotty +Douala +Douala's +Douay +Douay's +double +doubled +Doubleday +Doubleday's +doubleheader +doubleheader's +doubleheaders +double's +doubles +doublespeak +doublespeak's +doublet +doublet's +doublets +doubling +doubloon +doubloon's +doubloons +doubly +doubt +doubted +doubter +doubter's +doubters +doubtful +doubtfully +doubtfulness +doubtfulness's +doubting +doubtingly +doubtless +doubtlessly +doubt's +doubts +douche +douched +douche's +douches +douching +Doug +dough +doughier +doughiest +doughnut +doughnut's +doughnuts +dough's +doughtier +doughtiest +doughty +doughy +Douglas +Douglas's +Douglass +Douglass's +Doug's +dour +dourer +dourest +dourly +dourness +dourness's +Douro +Douro's +douse +doused +douses +dousing +dove +dovecot +dovecote +dovecote's +dovecotes +dovecots +Dover +Dover's +dove's +doves +dovetail +dovetailed +dovetailing +dovetail's +dovetails +dovish +Dow +dowager +dowager's +dowagers +dowdier +dowdies +dowdiest +dowdily +dowdiness +dowdiness's +dowdy +dowel +doweled +doweling +dowel's +dowels +dower +dowered +dowering +dower's +dowers +down +downbeat +downbeat's +downbeats +downcast +downdraft +downdraft's +downdrafts +downed +downer +downer's +downers +downfall +downfallen +downfall's +downfalls +downfield +downgrade +downgraded +downgrade's +downgrades +downgrading +downhearted +downheartedly +downheartedness +downheartedness's +downhill +downhill's +downhills +downier +downiest +downing +download +downloadable +downloaded +downloading +download's +downloads +downmarket +downplay +downplayed +downplaying +downplays +downpour +downpour's +downpours +downrange +downright +downriver +Downs +down's +downs +downscale +downshift +downshifted +downshifting +downshifts +downside +downside's +downsides +downsize +downsized +downsizes +downsizing +downsizing's +downspout +downspout's +downspouts +Downs's +downstage +downstairs +downstairs's +downstate +downstate's +downstream +downswing +downswing's +downswings +downtime +downtime's +downtown +downtown's +downtrend +downtrend's +downtrends +downtrodden +downturn +downturn's +downturns +downward +downwards +downwind +Downy +downy +Downy's +dowries +dowry +dowry's +Dow's +dowse +dowsed +dowser +dowser's +dowsers +dowses +dowsing +doxologies +doxology +doxology's +doyen +doyenne +doyenne's +doyennes +doyen's +doyens +Doyle +Doyle's +doz +doze +dozed +dozen +dozen's +dozens +dozenth +doze's +dozes +dozier +doziest +dozily +doziness +dozing +dozy +DP +dpi +DP's +DPs +DPT +dpt +Dr +drab +drabber +drabbest +drably +drabness +drabness's +drab's +drabs +drachma +drachma's +drachmas +Draco +Draconian +draconian +Draconian's +Draco's +Dracula +Dracula's +draft +drafted +draftee +draftee's +draftees +drafter +drafter's +drafters +draftier +draftiest +draftily +draftiness +draftiness's +drafting +drafting's +draft's +drafts +draftsman +draftsman's +draftsmanship +draftsmanship's +draftsmen +draftswoman +draftswoman's +draftswomen +drafty +drag +dragged +draggier +draggiest +dragging +draggy +dragnet +dragnet's +dragnets +dragon +dragonflies +dragonfly +dragonfly's +dragon's +dragons +dragoon +dragooned +dragooning +dragoon's +dragoons +drag's +drags +dragster +dragsters +dérailleur +dérailleur's +dérailleurs +drain +drainage +drainage's +drainboard +drainboard's +drainboards +drained +drainer +drainer's +drainers +draining +drainpipe +drainpipe's +drainpipes +drain's +drains +Drake +drake +Drake's +drake's +drakes +dram +drama +Dramamine +Dramamine's +Dramamines +drama's +dramas +dramatic +dramatically +dramatics +dramatics's +dramatist +dramatist's +dramatists +dramatization +dramatization's +dramatizations +dramatize +dramatized +dramatizes +dramatizing +Drambuie +Drambuie's +dram's +drams +drank +Drano +Drano's +drape +draped +draper +draperies +draper's +drapers +drapery +drapery's +drape's +drapes +draping +drastic +drastically +drat +dratted +draughtboard +draughtboards +Dravidian +Dravidian's +draw +drawback +drawback's +drawbacks +drawbridge +drawbridge's +drawbridges +drawer +drawer's +drawers +drawing +drawing's +drawings +drawl +drawled +drawling +drawl's +drawls +drawn +draw's +draws +drawstring +drawstring's +drawstrings +dray +dray's +drays +dread +dreaded +dreadful +dreadfully +dreadfulness +dreadfulness's +dreading +dreadlocks +dreadlocks's +dreadnought +dreadnought's +dreadnoughts +dread's +dreads +dream +dreamboat +dreamboat's +dreamboats +dreamed +dreamer +dreamer's +dreamers +dreamier +dreamiest +dreamily +dreaminess +dreaminess's +dreaming +dreamland +dreamland's +dreamless +dreamlike +dream's +dreams +dreamworld +dreamworld's +dreamworlds +dreamy +drear +drearier +dreariest +drearily +dreariness +dreariness's +dreary +dredge +dredged +dredger +dredger's +dredgers +dredge's +dredges +dredging +dregs +dregs's +Dreiser +Dreiser's +drench +drenched +drenches +drenching +Dürer +Dürer's +Dresden +Dresden's +dress +dressage +dressage's +dressed +dresser +dresser's +dressers +dresses +dressier +dressiest +dressiness +dressiness's +dressing +dressing's +dressings +dressmaker +dressmaker's +dressmakers +dressmaking +dressmaking's +dress's +dressy +Drew +drew +Drew's +Dreyfus +Dreyfus's +dribble +dribbled +dribbler +dribbler's +dribblers +dribble's +dribbles +dribbling +driblet +driblet's +driblets +dried +drier +drier's +driers +dries +driest +drift +drifted +drifter +drifter's +drifters +drifting +driftnet +driftnets +drift's +drifts +driftwood +driftwood's +drill +drilled +driller +driller's +drillers +drilling +drillmaster +drillmaster's +drillmasters +drill's +drills +drink +drinkable +drinker +drinker's +drinkers +drinking +drinkings +drink's +drinks +drip +dripped +drippier +drippiest +dripping +dripping's +drippings +drippy +drip's +drips +Dristan +Dristan's +drive +drivel +driveled +driveler +driveler's +drivelers +driveling +drivel's +drivels +driven +driver +driver's +drivers +drive's +drives +driveshaft +driveshaft's +driveshafts +driveway +driveway's +driveways +driving +drivings +drizzle +drizzled +drizzle's +drizzles +drizzling +drizzly +drogue +drogue's +drogues +droid +droids +droll +droller +drolleries +drollery +drollery's +drollest +drollness +drollness's +drolly +dromedaries +dromedary +dromedary's +drone +droned +drone's +drones +droning +drool +drooled +drooling +drool's +drools +droop +drooped +droopier +droopiest +droopiness +droopiness's +drooping +droop's +droops +droopy +drop +Dropbox +Dropbox's +dropkick +dropkick's +dropkicks +droplet +droplet's +droplets +dropout +dropout's +dropouts +dropped +dropper +dropper's +droppers +dropping +droppings +droppings's +drop's +drops +dropsical +dropsy +dropsy's +dross +dross's +drought +drought's +droughts +drove +drover +drover's +drovers +drove's +droves +drown +drowned +drowning +drowning's +drownings +drowns +drowse +drowsed +drowse's +drowses +drowsier +drowsiest +drowsily +drowsiness +drowsiness's +drowsing +drowsy +drub +drubbed +drubber +drubber's +drubbers +drubbing +drubbing's +drubbings +drubs +Drudge +drudge +drudged +drudgery +drudgery's +Drudge's +drudge's +drudges +drudging +drug +drugged +druggie +druggie's +druggies +drugging +druggist +druggist's +druggists +druggy +drug's +drugs +drugstore +drugstore's +drugstores +druid +druidism +druidism's +druid's +druids +drum +drumbeat +drumbeat's +drumbeats +drumlin +drumlin's +drumlins +drummed +drummer +drummer's +drummers +drumming +drum's +drums +drumstick +drumstick's +drumsticks +drunk +drunkard +drunkard's +drunkards +drunken +drunkenly +drunkenness +drunkenness's +drunker +drunkest +drunk's +drunks +drupe +drupe's +drupes +druthers +druthers's +dry +dryad +dryad's +dryads +Dryden +Dryden's +dryer +dryer's +dryers +drying +dryly +dryness +dryness's +dry's +drys +drywall +drywall's +D's +Dschubba +Dschubba's +Düsseldorf +Düsseldorf's +DST +détente +détente's +DTP +Du +dual +dualism +dualism's +duality +duality's +Duane +Duane's +dub +Dubai +Dubai's +dubbed +dubber +dubber's +dubbers +dubbin +dubbing +dubbin's +Dubcek +Dubcek's +Dubhe +Dubhe's +dubiety +dubiety's +dubious +dubiously +dubiousness +dubiousness's +Dublin +Dublin's +Dubrovnik +Dubrovnik's +dub's +dubs +ducal +ducat +ducat's +ducats +Duchamp +Duchamp's +duchess +duchesses +duchess's +duchies +duchy +duchy's +duck +duckbill +duckbill's +duckbills +duckboards +ducked +duckier +duckies +duckiest +ducking +duckling +duckling's +ducklings +duckpins +duckpins's +duck's +ducks +duckweed +duckweed's +ducky +ducky's +duct +ductile +ductility +ductility's +ducting +ductless +duct's +ducts +dud +dude +duded +dude's +dudes +dudgeon +dudgeon's +duding +Dudley +Dudley's +dud's +duds +due +duel +dueled +dueler +dueler's +duelers +dueling +duelings +duelist +duelist's +duelists +duel's +duels +duenna +duenna's +duennas +due's +dues +duet +duet's +duets +duff +duffed +duffer +duffer's +duffers +duffing +duff's +duffs +Duffy +Duffy's +dug +dugout +dugout's +dugouts +duh +DUI +Duisburg +Duisburg's +Duke +duke +dukedom +dukedom's +dukedoms +Duke's +duke's +dukes +dulcet +dulcimer +dulcimer's +dulcimers +dull +dullard +dullard's +dullards +dulled +duller +Dulles +Dulles's +dullest +dulling +dullness +dullness's +dulls +dully +Duluth +Duluth's +duly +Dumas +Dumas's +dumb +dumbbell +dumbbell's +dumbbells +dumber +dumbest +dumbfound +dumbfounded +dumbfounding +dumbfounds +Dumbledore +Dumbledore's +dumbly +dumbness +dumbness's +Dumbo +dumbo +Dumbo's +dumbos +dumbstruck +dumbwaiter +dumbwaiter's +dumbwaiters +dumdum +dumdum's +dumdums +dummies +dummy +dummy's +dump +dumped +dumper +dumpers +dumpier +dumpiest +dumpiness +dumpiness's +dumping +dumpling +dumpling's +dumplings +dump's +dumps +dumpsite +dumpsites +Dumpster +dumpster +Dumpster's +dumpster's +dumpsters +dumpy +dun +Dunant +Dunant's +Dunbar +Dunbar's +Duncan +Duncan's +dunce +dunce's +dunces +Dundee +dunderhead +dunderhead's +dunderheads +dune +Dunedin +Dunedin's +dune's +dunes +dung +dungaree +dungaree's +dungarees +dunged +dungeon +dungeon's +dungeons +dunghill +dunghill's +dunghills +dunging +dung's +dungs +dunk +dunked +dunking +Dunkirk +Dunkirk's +dunk's +dunks +Dunlap +Dunlap's +Dunn +Dunne +dunned +dunner +Dunne's +dunnest +dunning +dunno +Dunn's +dun's +duns +duo +duodecimal +duodena +duodenal +duodenum +duodenum's +duopolies +duopoly +duo's +duos +dupe +duped +duper +duper's +dupers +dupe's +dupes +duping +duple +duplex +duplexes +duplex's +duplicate +duplicated +duplicate's +duplicates +duplicating +duplication +duplication's +duplicator +duplicator's +duplicators +duplicitous +duplicity +duplicity's +DuPont +DuPont's +durability +durability's +durable +durably +Duracell +Duracell's +Duran +durance +durance's +Duran's +Durant +Durante +Durante's +Durant's +duration +duration's +Durban +Durban's +Durer +Durer's +duress +duress's +Durex +Durex's +Durham +Durham's +Durhams +during +Durkheim +Durkheim's +Duroc +Durocher +Durocher's +Duroc's +durst +durum +durum's +Duse +Duse's +Dushanbe +Dushanbe's +dusk +duskier +duskiest +duskiness +duskiness's +dusk's +dusky +Dusseldorf +Dusseldorf's +dust +dustbin +dustbin's +dustbins +Dustbuster +Dustbuster's +dustcart +dustcarts +dusted +duster +duster's +dusters +dustier +dustiest +Dustin +dustiness +dustiness's +dusting +Dustin's +dustless +dustman +dustmen +dustpan +dustpan's +dustpans +dust's +dusts +dustsheet +dustsheets +Dusty +dusty +Dusty's +Dutch +dutch +Dutchman +Dutchman's +Dutchmen +Dutchmen's +Dutch's +Dutchwoman +duteous +duteously +dutiable +duties +dutiful +dutifully +dutifulness +dutifulness's +duty +duty's +Duvalier +Duvalier's +duvet +duvet's +duvets +DVD +DVDs +Dvina +Dvina's +Dvorak +Dvorak's +Dvorák +Dvorák's +DVR +DVR's +DVRs +dwarf +dwarfed +dwarfing +dwarfish +dwarfism +dwarfism's +dwarf's +dwarfs +Dwayne +Dwayne's +dweeb +dweeb's +dweebs +dwell +dweller +dweller's +dwellers +dwelling +dwelling's +dwellings +dwells +dwelt +DWI +Dwight +Dwight's +dwindle +dwindled +dwindles +dwindling +Dy +dyadic +dybbuk +dybbukim +dybbuk's +dybbuks +dye +dyed +dyeing +Dyer +dyer +Dyer's +dyer's +dyers +dye's +dyes +dyestuff +dyestuff's +dying +dying's +dyke +dyke's +dykes +Dylan +Dylan's +dynamic +dynamical +dynamically +dynamic's +dynamics +dynamics's +dynamism +dynamism's +dynamite +dynamited +dynamiter +dynamiter's +dynamiters +dynamite's +dynamites +dynamiting +dynamo +dynamo's +dynamos +dynastic +dynasties +dynasty +dynasty's +Dy's +dysentery +dysentery's +dysfunction +dysfunctional +dysfunction's +dysfunctions +dyslectic +dyslectic's +dyslectics +dyslexia +dyslexia's +dyslexic +dyslexic's +dyslexics +Dyson +Dyson's +dyspepsia +dyspepsia's +dyspeptic +dyspeptic's +dyspeptics +dysphagia +dysphoria +dysphoric +dysprosium +dysprosium's +dystonia +dystopia +dz +Dzerzhinsky +Dzerzhinsky's +Dzungaria +Dzungaria's +E +e +ea +each +eager +eagerer +eagerest +eagerly +eagerness +eagerness's +eagle +eagle's +eagles +eaglet +eaglet's +eaglets +Eakins +Eakins's +ear +earache +earache's +earaches +earbud +earbud's +earbuds +eardrum +eardrum's +eardrums +eared +earful +earful's +earfuls +Earhart +Earhart's +Earl +earl +earldom +earldom's +earldoms +Earle +Earlene +Earlene's +Earle's +earlier +earliest +Earline +Earline's +earliness +earliness's +earlobe +earlobe's +earlobes +Earl's +earl's +earls +early +earmark +earmarked +earmarking +earmark's +earmarks +earmuff +earmuff's +earmuffs +earn +earned +earner +earner's +earners +Earnest +earnest +Earnestine +Earnestine's +earnestly +earnestness +earnestness's +Earnest's +earnest's +earnests +Earnhardt +Earnhardt's +earning +earnings +earnings's +earns +Earp +earphone +earphone's +earphones +earpiece +earpieces +earplug +earplug's +earplugs +Earp's +earring +earring's +earrings +ear's +ears +earshot +earshot's +earsplitting +earth +earthbound +earthed +earthen +earthenware +earthenware's +earthier +earthiest +earthiness +earthiness's +earthing +earthlier +earthliest +earthling +earthling's +earthlings +earthly +earthquake +earthquake's +earthquakes +earth's +earths +earthshaking +earthward +earthwards +earthwork +earthwork's +earthworks +earthworm +earthworm's +earthworms +earthy +earwax +earwax's +earwig +earwig's +earwigs +ease +eased +easel +easel's +easels +easement +easement's +easements +ease's +eases +easier +easiest +easily +easiness +easiness's +easing +East +east +eastbound +Easter +easterlies +easterly +easterly's +Eastern +eastern +Easterner +easterner +easterner's +easterners +easternmost +Easter's +Easters +Eastman +Eastman's +East's +Easts +east's +eastward +eastwards +Eastwood +Eastwood's +easy +easygoing +eat +eatable +eatable's +eatables +eaten +eater +eateries +eater's +eaters +eatery +eatery's +eating +Eaton +Eaton's +eats +eave +eave's +eaves +eavesdrop +eavesdropped +eavesdropper +eavesdropper's +eavesdroppers +eavesdropping +eavesdrops +eBay +eBay's +ebb +ebbed +ebbing +ebb's +ebbs +Eben +Ebeneezer +Ebeneezer's +Eben's +Ebert +Ebert's +Ebola +Ebola's +Ebonics +Ebonics's +ebonies +Ebony +ebony +Ebony's +ebony's +Ebro +Ebro's +ebullience +ebullience's +ebullient +ebulliently +ebullition +ebullition's +EC +eccentric +eccentrically +eccentricities +eccentricity +eccentricity's +eccentric's +eccentrics +eccl +ecclesial +Ecclesiastes +Ecclesiastes's +ecclesiastic +ecclesiastical +ecclesiastically +ecclesiastic's +ecclesiastics +ECG +ECG's +echelon +echelon's +echelons +echidna +echinoderm +echinoderm's +echinoderms +echo +echoed +echoes +echoic +echoing +echolocation +echolocation's +echo's +echos +eclair +eclair's +eclairs +eclat +eclat's +eclectic +eclectically +eclecticism +eclecticism's +eclectic's +eclectics +eclipse +eclipsed +eclipse's +eclipses +eclipsing +ecliptic +ecliptic's +eclogue +eclogue's +eclogues +ECMAScript +ECMAScript's +Eco +ecocide +ecocide's +ecol +ecologic +ecological +ecologically +ecologist +ecologist's +ecologists +ecology +ecology's +econ +econometric +economic +economical +economically +economics +economics's +economies +economist +economist's +economists +economize +economized +economizer +economizer's +economizers +economizes +economizing +economy +economy's +Eco's +ecosystem +ecosystem's +ecosystems +ecotourism +ecotourism's +ecotourist +ecotourist's +ecotourists +ecru +ecru's +ecstasies +Ecstasy +ecstasy +ecstasy's +ecstatic +ecstatically +ecu +Ecuador +Ecuadoran +Ecuadoran's +Ecuadorans +Ecuadorean +Ecuadorian +Ecuadorian's +Ecuadorians +Ecuador's +ecumenical +ecumenically +ecumenicism +ecumenicism's +ecumenism +ecumenism's +ecus +eczema +eczema's +Ed +ed +Edam +edamame +Edam's +Edams +Edda +Edda's +Eddie +eddied +Eddie's +eddies +Eddington +Eddington's +Eddy +eddy +eddying +Eddy's +eddy's +edelweiss +edelweiss's +edema +edema's +edemas +Eden +Eden's +Edens +Edgar +Edgardo +Edgardo's +Edgar's +edge +edged +edger +edger's +edgers +edge's +edges +edgewise +edgier +edgiest +edgily +edginess +edginess's +edging +edging's +edgings +edgy +edibility +edibility's +edible +edibleness +edibleness's +edible's +edibles +edict +edict's +edicts +edification +edification's +edifice +edifice's +edifices +edified +edifier +edifier's +edifiers +edifies +edify +edifying +Edinburgh +Edinburgh's +Edison +Edison's +edit +editable +edited +Edith +Edith's +editing +edition +edition's +editions +editor +editorial +editorialize +editorialized +editorializes +editorializing +editorially +editorial's +editorials +editor's +editors +editorship +editorship's +edit's +edits +Edmond +Edmond's +Edmonton +Edmonton's +Edmund +Edmund's +Edna +Edna's +EDP +EDP's +Ed's +ed's +eds +Edsel +Edsel's +EDT +Eduardo +Eduardo's +educ +educability +educability's +educable +educate +educated +educates +educating +education +educational +educationalist +educationalists +educationally +educationist +educationists +education's +educations +educative +educator +educator's +educators +educe +educed +educes +educing +edutainment +edutainment's +Edward +Edwardian +Edwardian's +Edwardo +Edwardo's +Edward's +Edwards +Edwards's +Edwin +Edwina +Edwina's +Edwin's +EEC +EEC's +EEG +EEG's +eek +eel +eel's +eels +e'en +EEO +EEOC +e'er +eerie +eerier +eeriest +eerily +eeriness +eeriness's +Eeyore +Eeyore's +eff +efface +effaced +effacement +effacement's +effaces +effacing +effect +effected +effecting +effective +effectively +effectiveness +effectiveness's +effect's +effects +effectual +effectually +effectuate +effectuated +effectuates +effectuating +effed +effeminacy +effeminacy's +effeminate +effeminately +effendi +effendi's +effendis +efferent +effervesce +effervesced +effervescence +effervescence's +effervescent +effervescently +effervesces +effervescing +effete +effetely +effeteness +effeteness's +efficacious +efficaciously +efficacy +efficacy's +efficiencies +efficiency +efficiency's +efficient +efficiently +Effie +Effie's +effigies +effigy +effigy's +effing +efflorescence +efflorescence's +efflorescent +effluence +effluence's +effluent +effluent's +effluents +effluvia +effluvium +effluvium's +efflux +effort +effortless +effortlessly +effortlessness +effortlessness's +effort's +efforts +effrontery +effrontery's +effs +effulgence +effulgence's +effulgent +effuse +effused +effuses +effusing +effusion +effusion's +effusions +effusive +effusively +effusiveness +effusiveness's +EFL +Efrain +Efrain's +Efren +Efren's +EFT +egad +egalitarian +egalitarianism +egalitarianism's +egalitarian's +egalitarians +egg +eggbeater +eggbeater's +eggbeaters +eggcup +eggcup's +eggcups +egged +egghead +egghead's +eggheads +egging +eggnog +eggnog's +Eggo +Eggo's +eggplant +eggplant's +eggplants +egg's +eggs +eggshell +eggshell's +eggshells +eglantine +eglantine's +eglantines +ego +egocentric +egocentrically +egocentricity +egocentricity's +egocentric's +egocentrics +egoism +egoism's +egoist +egoistic +egoistical +egoistically +egoist's +egoists +egomania +egomaniac +egomaniac's +egomaniacs +egomania's +ego's +egos +egotism +egotism's +egotist +egotistic +egotistical +egotistically +egotist's +egotists +egregious +egregiously +egregiousness +egregiousness's +egress +egresses +egress's +egret +egret's +egrets +Egypt +Egyptian +Egyptian's +Egyptians +Egyptology +Egyptology's +Egypt's +eh +Ehrenberg +Ehrenberg's +Ehrlich +Ehrlich's +Eichmann +Eichmann's +eider +eiderdown +eiderdown's +eiderdowns +eider's +eiders +Eiffel +Eiffel's +eigenvalue +eigenvalues +eight +eighteen +eighteen's +eighteens +eighteenth +eighteenth's +eighteenths +eighth +eighth's +eighths +eighties +eightieth +eightieth's +eightieths +eight's +eights +eighty +eighty's +Eileen +Eileen's +Einstein +einsteinium +einsteinium's +Einstein's +Einsteins +Eire +Eire's +Eisenhower +Eisenhower's +Eisenstein +Eisenstein's +Eisner +Eisner's +eisteddfod +eisteddfods +either +ejaculate +ejaculated +ejaculates +ejaculating +ejaculation +ejaculation's +ejaculations +ejaculatory +eject +ejected +ejecting +ejection +ejection's +ejections +ejector +ejector's +ejectors +ejects +eke +eked +ekes +EKG +EKG's +eking +elaborate +elaborated +elaborately +elaborateness +elaborateness's +elaborates +elaborating +elaboration +elaboration's +elaborations +Elaine +Elaine's +Elam +Elam's +elan +eland +eland's +elands +Elanor +Elanor's +elan's +elapse +elapsed +elapses +elapsing +elastic +elastically +elasticated +elasticity +elasticity's +elasticize +elasticized +elasticizes +elasticizing +elastic's +elastics +Elastoplast +Elastoplast's +elate +elated +elatedly +elates +elating +elation +elation's +Elba +Elba's +Elbe +Elbert +Elbert's +Elbe's +elbow +elbowed +elbowing +elbowroom +elbowroom's +elbow's +elbows +Elbrus +Elbrus's +elder +elderberries +elderberry +elderberry's +eldercare +eldercare's +elderly +elder's +elders +eldest +Eldon +Eldon's +eldritch +Eleanor +Eleanor's +Eleazar +Eleazar's +elect +electable +elected +electing +election +electioneer +electioneered +electioneering +electioneers +election's +elections +elective +elective's +electives +elector +electoral +electorally +electorate +electorate's +electorates +elector's +electors +Electra +Electra's +electric +electrical +electrically +electrician +electrician's +electricians +electricity +electricity's +electrics +electrification +electrification's +electrified +electrifier +electrifier's +electrifiers +electrifies +electrify +electrifying +electrocardiogram +electrocardiogram's +electrocardiograms +electrocardiograph +electrocardiograph's +electrocardiographs +electrocardiography +electrocardiography's +electrocute +electrocuted +electrocutes +electrocuting +electrocution +electrocution's +electrocutions +electrode +electrode's +electrodes +electrodynamics +electroencephalogram +electroencephalogram's +electroencephalograms +electroencephalograph +electroencephalographic +electroencephalograph's +electroencephalographs +electroencephalography +electroencephalography's +electrologist +electrologist's +electrologists +electrolysis +electrolysis's +electrolyte +electrolyte's +electrolytes +electrolytic +electromagnet +electromagnetic +electromagnetically +electromagnetism +electromagnetism's +electromagnet's +electromagnets +electromotive +electron +electronic +electronica +electronically +electronica's +electronics +electronics's +electron's +electrons +electroplate +electroplated +electroplates +electroplating +electroscope +electroscope's +electroscopes +electroscopic +electroshock +electroshock's +electrostatic +electrostatics +electrostatics's +electrotype +electrotype's +electrotypes +elect's +elects +eleemosynary +elegance +elegance's +elegant +elegantly +elegiac +elegiacal +elegiac's +elegiacs +elegies +elegy +elegy's +elem +element +elemental +elementally +elementary +element's +elements +Elena +Elena's +elephant +elephantiasis +elephantiasis's +elephantine +elephant's +elephants +elev +elevate +elevated +elevates +elevating +elevation +elevation's +elevations +elevator +elevator's +elevators +eleven +eleven's +elevens +elevenses +eleventh +eleventh's +elevenths +ELF +elf +elfin +elfish +ELF's +elf's +Elgar +Elgar's +Eli +Elias +Elias's +elicit +elicitation +elicitation's +elicited +eliciting +elicits +elide +elided +elides +eliding +eligibility +eligibility's +eligible +Elijah +Elijah's +eliminate +eliminated +eliminates +eliminating +elimination +elimination's +eliminations +eliminator +eliminators +Elinor +Elinor's +Eliot +Eliot's +Eli's +Elisa +Elisabeth +Elisabeth's +Elisa's +Elise +Eliseo +Eliseo's +Elise's +Elisha +Elisha's +elision +elision's +elisions +elite +elite's +elites +elitism +elitism's +elitist +elitist's +elitists +elixir +elixir's +elixirs +Eliza +Elizabeth +Elizabethan +Elizabethan's +Elizabethans +Elizabeth's +Eliza's +elk +elk's +elks +ell +Ella +Ella's +Ellen +Ellen's +Ellesmere +Ellesmere's +Ellie +Ellie's +Ellington +Ellington's +Elliot +Elliot's +Elliott +Elliott's +ellipse +ellipse's +ellipses +ellipsis +ellipsis's +ellipsoid +ellipsoidal +ellipsoid's +ellipsoids +elliptic +elliptical +elliptically +Ellis +Ellison +Ellison's +Ellis's +ell's +ells +elm +Elma +Elma's +Elmer +Elmer's +Elmo +Elmo's +elm's +elms +Elnath +Elnath's +Elnora +Elnora's +elocution +elocutionary +elocutionist +elocutionist's +elocutionists +elocution's +elodea +elodea's +elodeas +Elohim +Elohim's +Eloise +Eloise's +elongate +elongated +elongates +elongating +elongation +elongation's +elongations +elope +eloped +elopement +elopement's +elopements +elopes +eloping +eloquence +eloquence's +eloquent +eloquently +Eloy +Eloy's +Elroy +Elroy's +Elsa +Elsa's +else +elsewhere +Elsie +Elsie's +Elsinore +Elsinore's +Eltanin +Eltanin's +Elton +Elton's +elucidate +elucidated +elucidates +elucidating +elucidation +elucidation's +elucidations +elude +eluded +eludes +eluding +Elul +Elul's +elusive +elusively +elusiveness +elusiveness's +Elva +Elva's +elver +elver's +elvers +elves +Elvia +Elvia's +Elvin +Elvin's +Elvira +Elvira's +Elvis +elvish +Elvis's +Elway +Elway's +Elwood +Elwood's +Elysée +Elysee +Elysee's +Elysée's +Elysian +Elysian's +Elysium +Elysium's +Elysiums +EM +em +emaciate +emaciated +emaciates +emaciating +emaciation +emaciation's +Emacs +Emacs's +email +emailed +emailing +email's +emails +emanate +emanated +emanates +emanating +emanation +emanation's +emanations +emancipate +emancipated +emancipates +emancipating +emancipation +emancipation's +emancipator +emancipator's +emancipators +Emanuel +Emanuel's +emasculate +emasculated +emasculates +emasculating +emasculation +emasculation's +embalm +embalmed +embalmer +embalmer's +embalmers +embalming +embalms +embank +embanked +embanking +embankment +embankment's +embankments +embanks +embargo +embargoed +embargoes +embargoing +embargo's +embark +embarkation +embarkation's +embarkations +embarked +embarking +embarks +embarrass +embarrassed +embarrasses +embarrassing +embarrassingly +embarrassment +embarrassment's +embarrassments +embassies +embassy +embassy's +embattled +embed +embedded +embedding +embeds +embellish +embellished +embellishes +embellishing +embellishment +embellishment's +embellishments +ember +ember's +embers +embezzle +embezzled +embezzlement +embezzlement's +embezzler +embezzler's +embezzlers +embezzles +embezzling +embitter +embittered +embittering +embitterment +embitterment's +embitters +emblazon +emblazoned +emblazoning +emblazonment +emblazonment's +emblazons +emblem +emblematic +emblematically +emblem's +emblems +embodied +embodies +embodiment +embodiment's +embody +embodying +embolden +emboldened +emboldening +emboldens +embolism +embolism's +embolisms +embolization +emboss +embossed +embosser +embosser's +embossers +embosses +embossing +embouchure +embouchure's +embower +embowered +embowering +embowers +embrace +embraceable +embraced +embrace's +embraces +embracing +embrasure +embrasure's +embrasures +embrocation +embrocation's +embrocations +embroider +embroidered +embroiderer +embroiderer's +embroiderers +embroideries +embroidering +embroiders +embroidery +embroidery's +embroil +embroiled +embroiling +embroilment +embroilment's +embroils +embryo +embryological +embryologist +embryologist's +embryologists +embryology +embryology's +embryonic +embryo's +embryos +emcee +emceed +emceeing +emcee's +emcees +emend +emendation +emendation's +emendations +emended +emending +emends +emerald +emerald's +emeralds +emerge +emerged +emergence +emergence's +emergencies +emergency +emergency's +emergent +emerges +emerging +emerita +emeritus +Emerson +Emerson's +Emery +emery +Emery's +emery's +emetic +emetic's +emetics +emf +emfs +emigrant +emigrant's +emigrants +emigrate +emigrated +emigrates +emigrating +emigration +emigration's +emigrations +emigre +emigre's +emigres +Emil +Emile +Emile's +Emilia +Emilia's +Emilio +Emilio's +Emil's +Emily +Emily's +Eminem +Eminem's +Eminence +eminence +eminence's +eminences +eminent +eminently +emir +emirate +emirate's +emirates +emir's +emirs +emissaries +emissary +emissary's +emission +emission's +emissions +emit +emits +emitted +emitter +emitter's +emitters +emitting +Emma +Emmanuel +Emmanuel's +Emma's +Emmett +Emmett's +Emmy +Emmy's +emo +emoji +emoji's +emojis +emollient +emollient's +emollients +emolument +emolument's +emoluments +Emory +Emory's +emo's +emos +emote +emoted +emotes +emoticon +emoticon's +emoticons +emoting +emotion +emotional +emotionalism +emotionalism's +emotionalize +emotionalized +emotionalizes +emotionalizing +emotionally +emotionless +emotion's +emotions +emotive +emotively +empathetic +empathize +empathized +empathizes +empathizing +empathy +empathy's +emperor +emperor's +emperors +emphases +emphasis +emphasis's +emphasize +emphasized +emphasizes +emphasizing +emphatic +emphatically +emphysema +emphysema's +empire +empire's +empires +empiric +empirical +empirically +empiricism +empiricism's +empiricist +empiricist's +empiricists +emplacement +emplacement's +emplacements +employ +employable +employed +employee +employee's +employees +employer +employer's +employers +employing +employment +employment's +employments +employ's +employs +emporium +emporium's +emporiums +empower +empowered +empowering +empowerment +empowerment's +empowers +empress +empresses +empress's +emptied +emptier +empties +emptiest +emptily +emptiness +emptiness's +empty +emptying +empty's +empyrean +empyrean's +em's +ems +EMT +emu +emulate +emulated +emulates +emulating +emulation +emulation's +emulations +emulative +emulator +emulator's +emulators +emulsification +emulsification's +emulsified +emulsifier +emulsifier's +emulsifiers +emulsifies +emulsify +emulsifying +emulsion +emulsion's +emulsions +emu's +emus +eMusic +eMusic's +en +enable +enabled +enabler +enabler's +enablers +enables +enabling +enact +enacted +enacting +enactment +enactment's +enactments +enacts +enamel +enameled +enameler +enameler's +enamelers +enameling +enamelings +enamel's +enamels +enamelware +enamelware's +enamor +enamored +enamoring +enamors +enc +encamp +encamped +encamping +encampment +encampment's +encampments +encamps +encapsulate +encapsulated +encapsulates +encapsulating +encapsulation +encapsulation's +encapsulations +Encarta +Encarta's +encase +encased +encasement +encasement's +encases +encasing +encephalitic +encephalitis +encephalitis's +enchain +enchained +enchaining +enchains +enchant +enchanted +enchanter +enchanter's +enchanters +enchanting +enchantingly +enchantment +enchantment's +enchantments +enchantress +enchantresses +enchantress's +enchants +enchilada +enchilada's +enchiladas +encipher +enciphered +enciphering +enciphers +encircle +encircled +encirclement +encirclement's +encircles +encircling +encl +enclave +enclave's +enclaves +enclose +enclosed +encloses +enclosing +enclosure +enclosure's +enclosures +encode +encoded +encoder +encoder's +encoders +encodes +encoding +encomium +encomium's +encomiums +encompass +encompassed +encompasses +encompassing +encore +encored +encore's +encores +encoring +encounter +encountered +encountering +encounter's +encounters +encourage +encouraged +encouragement +encouragement's +encouragements +encourages +encouraging +encouragingly +encroach +encroached +encroaches +encroaching +encroachment +encroachment's +encroachments +encrust +encrustation +encrustation's +encrustations +encrusted +encrusting +encrusts +encrypt +encrypted +encrypting +encryption +encrypts +encumber +encumbered +encumbering +encumbers +encumbrance +encumbrance's +encumbrances +ency +encyclical +encyclical's +encyclicals +encyclopedia +encyclopedia's +encyclopedias +encyclopedic +encyst +encysted +encysting +encystment +encystment's +encysts +end +endanger +endangered +endangering +endangerment +endangerment's +endangers +endear +endeared +endearing +endearingly +endearment +endearment's +endearments +endears +endeavor +endeavored +endeavoring +endeavor's +endeavors +ended +endemic +endemically +endemic's +endemics +endgame +endgames +ending +ending's +endings +endive +endive's +endives +endless +endlessly +endlessness +endlessness's +endmost +endocarditis +endocrine +endocrine's +endocrines +endocrinologist +endocrinologist's +endocrinologists +endocrinology +endocrinology's +endogenous +endogenously +endometrial +endometriosis +endometrium +endorphin +endorphin's +endorphins +endorse +endorsed +endorsement +endorsement's +endorsements +endorser +endorser's +endorsers +endorses +endorsing +endoscope +endoscope's +endoscopes +endoscopic +endoscopy +endoscopy's +endothelial +endothermic +endow +endowed +endowing +endowment +endowment's +endowments +endows +endpoint +endpoint's +endpoints +end's +ends +endue +endued +endues +enduing +endurable +endurance +endurance's +endure +endured +endures +enduring +endways +Endymion +Endymion's +ENE +enema +enema's +enemas +enemies +enemy +enemy's +energetic +energetically +energies +energize +energized +energizer +energizer's +energizers +energizes +energizing +energy +energy's +enervate +enervated +enervates +enervating +enervation +enervation's +ENE's +enfeeble +enfeebled +enfeeblement +enfeeblement's +enfeebles +enfeebling +enfilade +enfiladed +enfilade's +enfilades +enfilading +enfold +enfolded +enfolding +enfolds +enforce +enforceable +enforced +enforcement +enforcement's +enforcer +enforcer's +enforcers +enforces +enforcing +enfranchise +enfranchised +enfranchisement +enfranchisement's +enfranchises +enfranchising +Eng +engage +engaged +engagement +engagement's +engagements +engages +engaging +engagingly +Engels +Engels's +engender +engendered +engendering +engenders +engine +engineer +engineered +engineering +engineering's +engineer's +engineers +engine's +engines +England +England's +English +Englisher +Englishes +Englishman +Englishman's +Englishmen +Englishmen's +English's +Englishwoman +Englishwoman's +Englishwomen +Englishwomen's +engorge +engorged +engorgement +engorgement's +engorges +engorging +engram +engram's +engrams +engrave +engraved +engraver +engraver's +engravers +engraves +engraving +engraving's +engravings +engross +engrossed +engrosses +engrossing +engrossment +engrossment's +Eng's +engulf +engulfed +engulfing +engulfment +engulfment's +engulfs +enhance +enhanced +enhancement +enhancement's +enhancements +enhancer +enhancers +enhances +enhancing +Enid +Enid's +Enif +Enif's +enigma +enigma's +enigmas +enigmatic +enigmatically +Eniwetok +Eniwetok's +enjambment +enjambment's +enjambments +enjoin +enjoined +enjoining +enjoins +enjoy +enjoyable +enjoyably +enjoyed +enjoying +enjoyment +enjoyment's +enjoyments +enjoys +Enkidu +Enkidu's +enlarge +enlargeable +enlarged +enlargement +enlargement's +enlargements +enlarger +enlarger's +enlargers +enlarges +enlarging +enlighten +enlightened +enlightening +enlightenment +enlightenment's +enlightens +enlist +enlisted +enlistee +enlistee's +enlistees +enlisting +enlistment +enlistment's +enlistments +enlists +enliven +enlivened +enlivening +enlivenment +enlivenment's +enlivens +enmesh +enmeshed +enmeshes +enmeshing +enmeshment +enmeshment's +enmities +enmity +enmity's +ennoble +ennobled +ennoblement +ennoblement's +ennobles +ennobling +ennui +ennui's +Enoch +Enoch's +enormities +enormity +enormity's +enormous +enormously +enormousness +enormousness's +Enos +Enos's +enough +enough's +enplane +enplaned +enplanes +enplaning +enquirer +enquirers +enquiringly +enrage +enraged +enrages +enraging +enrapture +enraptured +enraptures +enrapturing +enrich +enriched +enriches +enriching +enrichment +enrichment's +Enrico +Enrico's +Enrique +Enrique's +enroll +enrolled +enrolling +enrollment +enrollment's +enrollments +enrolls +Enron +Enron's +en's +ens +ensconce +ensconced +ensconces +ensconcing +ensemble +ensemble's +ensembles +enshrine +enshrined +enshrinement +enshrinement's +enshrines +enshrining +enshroud +enshrouded +enshrouding +enshrouds +ensign +ensign's +ensigns +ensilage +ensilage's +enslave +enslaved +enslavement +enslavement's +enslaves +enslaving +ensnare +ensnared +ensnarement +ensnarement's +ensnares +ensnaring +ensue +ensued +ensues +ensuing +ensure +ensured +ensurer +ensurer's +ensurers +ensures +ensuring +entail +entailed +entailing +entailment +entailment's +entails +entangle +entangled +entanglement +entanglement's +entanglements +entangles +entangling +entente +entente's +ententes +enter +enteral +entered +enteric +entering +enteritis +enteritis's +Enterprise +enterprise +Enterprise's +enterprise's +enterprises +enterprising +enterprisingly +enters +entertain +entertained +entertainer +entertainer's +entertainers +entertaining +entertainingly +entertaining's +entertainment +entertainment's +entertainments +entertains +enthrall +enthralled +enthralling +enthrallment +enthrallment's +enthralls +enthrone +enthroned +enthronement +enthronement's +enthronements +enthrones +enthroning +enthuse +enthused +enthuses +enthusiasm +enthusiasm's +enthusiasms +enthusiast +enthusiastic +enthusiastically +enthusiast's +enthusiasts +enthusing +entice +enticed +enticement +enticement's +enticements +entices +enticing +enticingly +entire +entirely +entirety +entirety's +entities +entitle +entitled +entitlement +entitlement's +entitlements +entitles +entitling +entity +entity's +entomb +entombed +entombing +entombment +entombment's +entombs +entomological +entomologist +entomologist's +entomologists +entomology +entomology's +entourage +entourage's +entourages +entr'acte +entrails +entrails's +entrained +entrance +entranced +entrancement +entrancement's +entrance's +entrances +entrancing +entrancingly +entrant +entrant's +entrants +entrap +entrapment +entrapment's +entrapped +entrapping +entraps +entrée +entreat +entreated +entreaties +entreating +entreatingly +entreats +entreaty +entreaty's +entree +entree's +entrees +entrench +entrenched +entrenches +entrenching +entrenchment +entrenchment's +entrenchments +entrepreneur +entrepreneurial +entrepreneur's +entrepreneurs +entrepreneurship +entrée's +entrées +entries +entropy +entropy's +entrust +entrusted +entrusting +entrusts +entry +entryphone +entryphones +entry's +entryway +entryway's +entryways +entwine +entwined +entwines +entwining +enumerable +enumerate +enumerated +enumerates +enumerating +enumeration +enumeration's +enumerations +enumerator +enumerator's +enumerators +enunciate +enunciated +enunciates +enunciating +enunciation +enunciation's +enuresis +enuresis's +envelop +envelope +enveloped +enveloper +enveloper's +envelopers +envelope's +envelopes +enveloping +envelopment +envelopment's +envelops +envenom +envenomed +envenoming +envenoms +enviable +enviably +envied +envies +envious +enviously +enviousness +enviousness's +environment +environmental +environmentalism +environmentalism's +environmentalist +environmentalist's +environmentalists +environmentally +environment's +environments +environs +environs's +envisage +envisaged +envisages +envisaging +envision +envisioned +envisioning +envisions +envoy +envoy's +envoys +envy +envying +envyingly +envy's +enzymatic +enzyme +enzyme's +enzymes +Eocene +Eocene's +EOE +eolian +eon +eon's +eons +eosinophil +eosinophilic +eosinophils +EPA +EPA's +epaulet +epaulet's +epaulets +Epcot +Epcot's +epee +epee's +epees +ephedrine +ephedrine's +ephemera +ephemeral +ephemerally +ephemera's +Ephesian +Ephesian's +Ephesians +Ephesus +Ephesus's +Ephraim +Ephraim's +epic +epicenter +epicenter's +epicenters +epic's +epics +Epictetus +Epictetus's +epicure +Epicurean +epicurean +Epicurean's +epicurean's +epicureans +epicure's +epicures +Epicurus +Epicurus's +epidemic +epidemically +epidemic's +epidemics +epidemiological +epidemiologist +epidemiologist's +epidemiologists +epidemiology +epidemiology's +epidermal +epidermic +epidermis +epidermises +epidermis's +epidural +epidurals +epiglottis +epiglottises +epiglottis's +epigram +epigrammatic +epigram's +epigrams +epigraph +epigraph's +epigraphs +epigraphy +epigraphy's +epilepsy +epilepsy's +epileptic +epileptic's +epileptics +epilogue +epilogue's +epilogues +Epimethius +Epimethius's +epinephrine +epinephrine's +Epiphanies +epiphanies +Epiphany +epiphany +Epiphany's +epiphany's +episcopacy +episcopacy's +Episcopal +episcopal +Episcopalian +Episcopalian's +Episcopalians +episcopate +episcopate's +episode +episode's +episodes +episodic +episodically +epistemic +epistemological +epistemology +Epistle +epistle +epistle's +epistles +epistolary +epitaph +epitaph's +epitaphs +epithelial +epithelium +epithelium's +epithet +epithet's +epithets +epitome +epitome's +epitomes +epitomize +epitomized +epitomizes +epitomizing +epoch +epochal +epoch's +epochs +eponymous +epoxied +epoxies +epoxy +epoxying +epoxy's +epsilon +epsilon's +epsilons +Epsom +Epsom's +Epson +Epson's +Epstein +Epstein's +equability +equability's +equable +equably +equal +equaled +equaling +equality +equality's +equalization +equalization's +equalize +equalized +equalizer +equalizer's +equalizers +equalizes +equalizing +equally +equal's +equals +equanimity +equanimity's +equatable +equate +equated +equates +equating +equation +equation's +equations +equator +equatorial +equator's +equators +equerries +equerry +equerry's +equestrian +equestrianism +equestrianism's +equestrian's +equestrians +equestrienne +equestrienne's +equestriennes +equidistant +equidistantly +equilateral +equilateral's +equilaterals +equilibrium +equilibrium's +equine +equine's +equines +equinoctial +equinox +equinoxes +equinox's +equip +equipage +equipage's +equipages +equipment +equipment's +equipoise +equipoise's +equipped +equipping +equips +equitable +equitably +equitation +equitation's +equities +equity +equity's +equiv +equivalence +equivalence's +equivalences +equivalencies +equivalency +equivalency's +equivalent +equivalently +equivalent's +equivalents +equivocal +equivocally +equivocalness +equivocalness's +equivocate +equivocated +equivocates +equivocating +equivocation +equivocation's +equivocations +equivocator +equivocator's +equivocators +Equuleus +Equuleus's +ER +Er +er +ERA +era +eradicable +eradicate +eradicated +eradicates +eradicating +eradication +eradication's +eradicator +eradicator's +eradicators +era's +eras +erasable +erase +erased +eraser +eraser's +erasers +erases +erasing +Erasmus +Erasmus's +erasure +erasure's +erasures +Erato +Erato's +Eratosthenes +Eratosthenes's +erbium +erbium's +ere +Erebus +Erebus's +erect +erected +erectile +erecting +erection +erection's +erections +erectly +erectness +erectness's +Erector +erector +Erector's +erector's +erectors +erects +erelong +eremite +eremite's +eremites +Erewhon +Erewhon's +erg +ergo +ergonomic +ergonomically +ergonomics +ergonomics's +ergosterol +ergosterol's +ergot +ergot's +erg's +ergs +Erhard +Erhard's +Eric +Erica +Erica's +Erich +Erich's +Erick +Ericka +Ericka's +Erick's +Erickson +Erickson's +Eric's +Eridanus +Eridanus's +Erie +Erie's +Erik +Erika +Erika's +Erik's +Erin +Erin's +Eris +Erises +Eris's +Eritrea +Eritrean +Eritrean's +Eritreans +Eritrea's +Erlenmeyer +Erlenmeyer's +Erma +Erma's +ermine +ermine's +ermines +Erna +Erna's +Ernest +Ernestine +Ernestine's +Ernesto +Ernesto's +Ernest's +Ernie +Ernie's +Ernst +Ernst's +erode +eroded +erodes +erodible +eroding +erogenous +Eros +Eroses +erosion +erosion's +erosive +Eros's +erotic +erotica +erotically +erotica's +eroticism +eroticism's +erotics +err +errand +errand's +errands +errant +errata +errata's +erratas +erratic +erratically +erratum +erratum's +erred +erring +Errol +Errol's +erroneous +erroneously +error +error's +errors +errs +Er's +ersatz +ersatzes +ersatz's +Erse +Erse's +erst +erstwhile +eruct +eructation +eructation's +eructations +eructed +eructing +eructs +erudite +eruditely +erudition +erudition's +erupt +erupted +erupting +eruption +eruption's +eruptions +eruptive +erupts +ErvIn +ErvIn's +Erwin +Erwin's +erysipelas +erysipelas's +erythrocyte +erythrocyte's +erythrocytes +erythromycin +E's +Es +es +Esau +Esau's +escalate +escalated +escalates +escalating +escalation +escalation's +escalations +escalator +escalator's +escalators +escallop +escalloped +escalloping +escallop's +escallops +escalope +escalopes +escapade +escapade's +escapades +escape +escaped +escapee +escapee's +escapees +escapement +escapement's +escapements +escape's +escapes +escaping +escapism +escapism's +escapist +escapist's +escapists +escapologist +escapologists +escapology +escargot +escargot's +escargots +escarole +escarole's +escaroles +escarpment +escarpment's +escarpments +eschatological +eschatology +Escher +Escherichia +Escherichia's +Escher's +eschew +eschewed +eschewing +eschews +Escondido +escort +escorted +escorting +escort's +escorts +escritoire +escritoire's +escritoires +escrow +escrow's +escrows +escudo +escudo's +escudos +escutcheon +escutcheon's +escutcheons +ESE +ESE's +Eskimo +Eskimo's +Eskimos +ESL +Esmeralda +Esmeralda's +esophageal +esophagi +esophagus +esophagus's +esoteric +esoterically +ESP +esp +espadrille +espadrille's +espadrilles +espalier +espaliered +espaliering +espalier's +espaliers +especial +especially +Esperanto +Esperanto's +Esperanza +Esperanza's +espied +espies +Espinoza +Espinoza's +espionage +espionage's +esplanade +esplanade's +esplanades +ESPN +ESPN's +espousal +espousal's +espouse +espoused +espouses +espousing +espresso +espresso's +espressos +esprit +esprit's +ESP's +espy +espying +Esq +Esq's +Esquire +esquire +Esquire's +Esquires +esquire's +esquires +ESR +essay +essayed +essayer +essayer's +essayers +essaying +essayist +essayist's +essayists +essay's +essays +Essen +essence +essence's +essences +Essene +Essene's +Essen's +essential +essentially +essential's +essentials +Essequibo +Essequibo's +Essex +Essex's +Essie +Essie's +EST +est +establish +established +establishes +establishing +Establishment +establishment +establishment's +establishments +estate +estate's +estates +Esteban +Esteban's +esteem +esteemed +esteeming +esteem's +esteems +Estela +Estela's +Estella +Estella's +Estelle +Estelle's +Ester +ester +Esterhazy +Esterhazy's +Esterházy +Esterházy's +Ester's +ester's +esters +Estes +Estes's +Esther +Esther's +estimable +estimate +estimated +estimate's +estimates +estimating +estimation +estimation's +estimations +estimator +estimator's +estimators +Estonia +Estonian +Estonian's +Estonians +Estonia's +estoppel +Estrada +Estrada's +estrange +estranged +estrangement +estrangement's +estrangements +estranges +estranging +estrogen +estrogen's +estrous +estrus +estruses +estrus's +EST's +estuaries +estuary +estuary's +ET +ETA +eta +eta's +etas +etc +etch +etched +etcher +etcher's +etchers +etches +etching +etching's +etchings +ETD +eternal +eternally +eternalness +eternalness's +eternities +eternity +eternity's +Ethan +ethane +ethane's +ethanol +ethanol's +Ethan's +Ethel +Ethelred +Ethelred's +Ethel's +ether +ethereal +ethereally +Ethernet +Ethernet's +ether's +ethic +ethical +ethically +ethic's +ethics +ethics's +Ethiopia +Ethiopian +Ethiopian's +Ethiopians +Ethiopia's +ethnic +ethnically +ethnicity +ethnicity's +ethnic's +ethnics +ethnocentric +ethnocentrism +ethnocentrism's +ethnographer +ethnographers +ethnographic +ethnographically +ethnography +ethnological +ethnologically +ethnologist +ethnologist's +ethnologists +ethnology +ethnology's +ethological +ethologist +ethologist's +ethologists +ethology +ethology's +ethos +ethos's +ethyl +ethylene +ethylene's +ethyl's +etiolated +etiologic +etiological +etiologies +etiology +etiology's +etiquette +etiquette's +Etna +Etna's +Eton +Eton's +Etruria +Etruria's +Etruscan +Etruscan's +Etta +Etta's +etude +etude's +etudes +etymological +etymologically +etymologies +etymologist +etymologist's +etymologists +etymology +etymology's +EU +Eu +eucalypti +eucalyptus +eucalyptuses +eucalyptus's +Eucharist +Eucharistic +Eucharist's +Eucharists +euchre +euchred +euchre's +euchres +euchring +Euclid +euclidean +Euclid's +Eugene +Eugene's +Eugenia +Eugenia's +eugenic +eugenically +eugenicist +eugenicist's +eugenicists +eugenics +eugenics's +Eugenie +Eugenie's +Eugenio +Eugenio's +eukaryotes +EULA +Eula +EULAs +Eula's +Euler +Euler's +eulogies +eulogist +eulogistic +eulogist's +eulogists +eulogize +eulogized +eulogizer +eulogizer's +eulogizers +eulogizes +eulogizing +eulogy +eulogy's +Eumenides +Eumenides's +Eunice +Eunice's +eunuch +eunuch's +eunuchs +euphemism +euphemism's +euphemisms +euphemistic +euphemistically +euphonious +euphoniously +euphony +euphony's +euphoria +euphoria's +euphoric +euphorically +Euphrates +Euphrates's +Eur +Eurasia +Eurasian +Eurasian's +Eurasians +Eurasia's +eureka +Euripides +Euripides's +euro +Eurodollar +Eurodollar's +Eurodollars +Europa +Europa's +Europe +European +European's +Europeans +Europe's +europium +europium's +euro's +euros +Eurydice +Eurydice's +Eu's +Eustachian +Eustachian's +eutectic +Euterpe +Euterpe's +euthanasia +euthanasia's +euthanize +euthanized +euthanizes +euthanizing +euthenics +euthenics's +Eva +evacuate +evacuated +evacuates +evacuating +evacuation +evacuation's +evacuations +evacuee +evacuee's +evacuees +evade +evaded +evader +evader's +evaders +evades +evading +evaluate +evaluated +evaluates +evaluating +evaluation +evaluation's +evaluations +evaluative +evaluator +evaluators +Evan +evanescence +evanescence's +evanescent +evangelic +Evangelical +evangelical +evangelicalism +evangelicalism's +evangelically +evangelical's +evangelicals +Evangelina +Evangelina's +Evangeline +Evangeline's +evangelism +evangelism's +Evangelist +evangelist +evangelistic +Evangelist's +evangelist's +evangelists +evangelize +evangelized +evangelizes +evangelizing +Evan's +Evans +Evans's +Evansville +Evansville's +evaporate +evaporated +evaporates +evaporating +evaporation +evaporation's +evaporator +evaporator's +evaporators +Eva's +evasion +evasion's +evasions +evasive +evasively +evasiveness +evasiveness's +Eve +eve +Evelyn +Evelyn's +even +evened +evener +evenest +evenhanded +evenhandedly +evening +evening's +evenings +Evenki +Evenki's +evenly +evenness +evenness's +even's +evens +evensong +evensong's +event +eventful +eventfully +eventfulness +eventfulness's +eventide +eventide's +event's +events +eventual +eventualities +eventuality +eventuality's +eventually +eventuate +eventuated +eventuates +eventuating +ever +Everest +Everest's +Everett +Everette +Everette's +Everett's +everglade +Everglades +everglade's +everglades +Everglades's +evergreen +evergreen's +evergreens +everlasting +everlastingly +everlasting's +everlastings +evermore +EverReady +EverReady's +Evert +Evert's +every +everybody +everybody's +everyday +everyone +everyone's +everyplace +everything +everything's +everywhere +Eve's +eve's +eves +Evian +Evian's +evict +evicted +evicting +eviction +eviction's +evictions +evicts +evidence +evidenced +evidence's +evidences +evidencing +evident +evidently +evil +evildoer +evildoer's +evildoers +evildoing +evildoing's +eviler +evilest +eviller +evillest +evilly +evilness +evilness's +evil's +evils +evince +evinced +evinces +evincing +eviscerate +eviscerated +eviscerates +eviscerating +evisceration +evisceration's +Evita +Evita's +evocation +evocation's +evocations +evocative +evocatively +evoke +evoked +evokes +evoking +evolution +evolutionary +evolutionist +evolutionist's +evolutionists +evolution's +evolve +evolved +evolves +evolving +ewe +ewer +ewer's +ewers +ewe's +ewes +Ewing +Ewing's +ex +exabyte +exabyte's +exabytes +exacerbate +exacerbated +exacerbates +exacerbating +exacerbation +exacerbation's +exact +exacted +exacter +exactest +exacting +exactingly +exaction +exaction's +exactitude +exactitude's +exactly +exactness +exactness's +exacts +exaggerate +exaggerated +exaggeratedly +exaggerates +exaggerating +exaggeration +exaggeration's +exaggerations +exaggerator +exaggerator's +exaggerators +exalt +exaltation +exaltation's +exalted +exalting +exalts +exam +examination +examination's +examinations +examine +examined +examiner +examiner's +examiners +examines +examining +example +exampled +example's +examples +exampling +exam's +exams +exasperate +exasperated +exasperatedly +exasperates +exasperating +exasperatingly +exasperation +exasperation's +Excalibur +Excalibur's +excavate +excavated +excavates +excavating +excavation +excavation's +excavations +excavator +excavator's +excavators +Excedrin +Excedrin's +exceed +exceeded +exceeding +exceedingly +exceeds +excel +excelled +excellence +excellence's +Excellencies +excellencies +Excellency +excellency +Excellency's +excellency's +excellent +excellently +excelling +excels +excelsior +excelsior's +except +excepted +excepting +exception +exceptionable +exceptional +exceptionalism +exceptionally +exception's +exceptions +excepts +excerpt +excerpted +excerpting +excerpt's +excerpts +excess +excesses +excessive +excessively +excess's +exchange +exchangeable +exchanged +exchange's +exchanges +exchanging +Exchequer +exchequer +exchequer's +exchequers +excise +excised +excise's +excises +excising +excision +excision's +excisions +excitability +excitability's +excitable +excitably +excitation +excitation's +excite +excited +excitedly +excitement +excitement's +excitements +exciter +exciter's +exciters +excites +exciting +excitingly +excl +exclaim +exclaimed +exclaiming +exclaims +exclamation +exclamation's +exclamations +exclamatory +exclude +excluded +excludes +excluding +exclusion +exclusionary +exclusion's +exclusions +exclusive +exclusively +exclusiveness +exclusiveness's +exclusive's +exclusives +exclusivity +exclusivity's +excommunicate +excommunicated +excommunicates +excommunicating +excommunication +excommunication's +excommunications +excoriate +excoriated +excoriates +excoriating +excoriation +excoriation's +excoriations +excrement +excremental +excrement's +excrescence +excrescence's +excrescences +excrescent +excreta +excreta's +excrete +excreted +excretes +excreting +excretion +excretion's +excretions +excretory +excruciating +excruciatingly +exculpate +exculpated +exculpates +exculpating +exculpation +exculpation's +exculpatory +excursion +excursionist +excursionist's +excursionists +excursion's +excursions +excursive +excursively +excursiveness +excursiveness's +excusable +excusably +excuse +excused +excuse's +excuses +excusing +exec +execrable +execrably +execrate +execrated +execrates +execrating +execration +execration's +exec's +execs +executable +execute +executed +executes +executing +execution +executioner +executioner's +executioners +execution's +executions +executive +executive's +executives +executor +executor's +executors +executrices +executrix +executrix's +exegeses +exegesis +exegesis's +exegetic +exegetical +exemplar +exemplar's +exemplars +exemplary +exemplification +exemplification's +exemplifications +exemplified +exemplifies +exemplify +exemplifying +exempt +exempted +exempting +exemption +exemption's +exemptions +exempts +exercise +exercised +exerciser +exerciser's +exercisers +exercise's +exercises +exercising +Exercycle +Exercycle's +exert +exerted +exerting +exertion +exertion's +exertions +exerts +exes +exeunt +exfoliate +exfoliated +exfoliates +exfoliating +exfoliation +exhalation +exhalation's +exhalations +exhale +exhaled +exhales +exhaling +exhaust +exhausted +exhaustible +exhausting +exhaustion +exhaustion's +exhaustive +exhaustively +exhaustiveness +exhaustiveness's +exhaust's +exhausts +exhibit +exhibited +exhibiting +exhibition +exhibitionism +exhibitionism's +exhibitionist +exhibitionist's +exhibitionists +exhibition's +exhibitions +exhibitor +exhibitor's +exhibitors +exhibit's +exhibits +exhilarate +exhilarated +exhilarates +exhilarating +exhilaration +exhilaration's +exhort +exhortation +exhortation's +exhortations +exhorted +exhorting +exhorts +exhumation +exhumation's +exhumations +exhume +exhumed +exhumes +exhuming +exigence +exigence's +exigences +exigencies +exigency +exigency's +exigent +exiguity +exiguity's +exiguous +exile +exiled +exile's +exiles +exiling +exist +existed +existence +existence's +existences +existent +existential +existentialism +existentialism's +existentialist +existentialist's +existentialists +existentially +existing +exists +exit +exited +exiting +exit's +exits +exobiology +exobiology's +Exocet +Exocet's +Exodus +exodus +exoduses +Exodus's +exodus's +exogenous +exon +exonerate +exonerated +exonerates +exonerating +exoneration +exoneration's +exon's +exons +exoplanet +exoplanet's +exoplanets +exorbitance +exorbitance's +exorbitant +exorbitantly +exorcise +exorcised +exorcises +exorcising +exorcism +exorcism's +exorcisms +exorcist +exorcist's +exorcists +exoskeleton +exoskeleton's +exoskeletons +exosphere +exosphere's +exospheres +exothermic +exotic +exotica +exotically +exoticism +exoticism's +exotic's +exotics +exp +expand +expandable +expanded +expanding +expands +expanse +expanse's +expanses +expansible +expansion +expansionary +expansionism +expansionism's +expansionist +expansionist's +expansionists +expansion's +expansions +expansive +expansively +expansiveness +expansiveness's +expat +expatiate +expatiated +expatiates +expatiating +expatiation +expatiation's +expatriate +expatriated +expatriate's +expatriates +expatriating +expatriation +expatriation's +expats +expect +expectancy +expectancy's +expectant +expectantly +expectation +expectation's +expectations +expected +expecting +expectorant +expectorant's +expectorants +expectorate +expectorated +expectorates +expectorating +expectoration +expectoration's +expects +expedience +expedience's +expediences +expediencies +expediency +expediency's +expedient +expediently +expedient's +expedients +expedite +expedited +expediter +expediter's +expediters +expedites +expediting +expedition +expeditionary +expedition's +expeditions +expeditious +expeditiously +expeditiousness +expeditiousness's +expel +expelled +expelling +expels +expend +expendable +expendable's +expendables +expended +expending +expenditure +expenditure's +expenditures +expends +expense +expense's +expenses +expensive +expensively +expensiveness +expensiveness's +experience +experienced +experience's +experiences +experiencing +experiential +experiment +experimental +experimentally +experimentation +experimentation's +experimented +experimenter +experimenter's +experimenters +experimenting +experiment's +experiments +expert +expertise +expertise's +expertly +expertness +expertness's +expert's +experts +expiate +expiated +expiates +expiating +expiation +expiation's +expiatory +expiration +expiration's +expire +expired +expires +expiring +expiry +expiry's +explain +explainable +explained +explaining +explains +explanation +explanation's +explanations +explanatory +expletive +expletive's +expletives +explicable +explicate +explicated +explicates +explicating +explication +explication's +explications +explicit +explicitly +explicitness +explicitness's +explode +exploded +explodes +exploding +exploit +exploitable +exploitation +exploitation's +exploitative +exploited +exploiter +exploiter's +exploiters +exploiting +exploit's +exploits +exploration +exploration's +explorations +exploratory +explore +explored +explorer +explorer's +explorers +explores +exploring +explosion +explosion's +explosions +explosive +explosively +explosiveness +explosiveness's +explosive's +explosives +expo +exponent +exponential +exponentially +exponentiation +exponent's +exponents +export +exportable +exportation +exportation's +exported +exporter +exporter's +exporters +exporting +export's +exports +expo's +expos +expose +exposed +expose's +exposes +exposing +exposition +exposition's +expositions +expositor +expositor's +expositors +expository +expostulate +expostulated +expostulates +expostulating +expostulation +expostulation's +expostulations +exposure +exposure's +exposures +expound +expounded +expounder +expounder's +expounders +expounding +expounds +express +expressed +expresses +expressible +expressing +expression +expressionism +expressionism's +expressionist +expressionistic +expressionist's +expressionists +expressionless +expressionlessly +expression's +expressions +expressive +expressively +expressiveness +expressiveness's +expressly +express's +expressway +expressway's +expressways +expropriate +expropriated +expropriates +expropriating +expropriation +expropriation's +expropriations +expropriator +expropriator's +expropriators +expulsion +expulsion's +expulsions +expunge +expunged +expunges +expunging +expurgate +expurgated +expurgates +expurgating +expurgation +expurgation's +expurgations +exquisite +exquisitely +exquisiteness +exquisiteness's +ex's +ext +extant +extemporaneous +extemporaneously +extemporaneousness +extemporaneousness's +extempore +extemporization +extemporization's +extemporize +extemporized +extemporizes +extemporizing +extend +extendable +extended +extender +extender's +extenders +extending +extends +extensible +extension +extensional +extension's +extensions +extensive +extensively +extensiveness +extensiveness's +extent +extent's +extents +extenuate +extenuated +extenuates +extenuating +extenuation +extenuation's +exterior +exterior's +exteriors +exterminate +exterminated +exterminates +exterminating +extermination +extermination's +exterminations +exterminator +exterminator's +exterminators +external +externalization +externalization's +externalizations +externalize +externalized +externalizes +externalizing +externally +external's +externals +extinct +extincted +extincting +extinction +extinction's +extinctions +extincts +extinguish +extinguishable +extinguished +extinguisher +extinguisher's +extinguishers +extinguishes +extinguishing +extirpate +extirpated +extirpates +extirpating +extirpation +extirpation's +extol +extolled +extolling +extols +extort +extorted +extorting +extortion +extortionate +extortionately +extortioner +extortioner's +extortioners +extortionist +extortionist's +extortionists +extortion's +extorts +extra +extracellular +extract +extracted +extracting +extraction +extraction's +extractions +extractive +extractor +extractor's +extractors +extract's +extracts +extracurricular +extraditable +extradite +extradited +extradites +extraditing +extradition +extradition's +extraditions +extrajudicial +extralegal +extramarital +extramural +extraneous +extraneously +extraordinaire +extraordinarily +extraordinary +extrapolate +extrapolated +extrapolates +extrapolating +extrapolation +extrapolation's +extrapolations +extra's +extras +extrasensory +extraterrestrial +extraterrestrial's +extraterrestrials +extraterritorial +extraterritoriality +extraterritoriality's +extravagance +extravagance's +extravagances +extravagant +extravagantly +extravaganza +extravaganza's +extravaganzas +extravehicular +extreme +extremely +extremeness +extremeness's +extremer +extreme's +extremes +extremest +extremism +extremism's +extremist +extremist's +extremists +extremities +extremity +extremity's +extricable +extricate +extricated +extricates +extricating +extrication +extrication's +extrinsic +extrinsically +extroversion +extroversion's +extrovert +extroverted +extrovert's +extroverts +extrude +extruded +extrudes +extruding +extrusion +extrusion's +extrusions +extrusive +exuberance +exuberance's +exuberant +exuberantly +exudation +exudation's +exude +exuded +exudes +exuding +exult +exultant +exultantly +exultation +exultation's +exulted +exulting +exults +exurb +exurban +exurbanite +exurbanite's +exurbanites +exurbia +exurbia's +exurb's +exurbs +Exxon +Exxon's +Eyck +Eyck's +eye +eyeball +eyeballed +eyeballing +eyeball's +eyeballs +eyebrow +eyebrow's +eyebrows +eyed +eyedropper +eyedropper's +eyedroppers +eyeful +eyeful's +eyefuls +eyeglass +eyeglasses +eyeglass's +eyeing +eyelash +eyelashes +eyelash's +eyeless +eyelet +eyelet's +eyelets +eyelid +eyelid's +eyelids +eyeliner +eyeliner's +eyeliners +eyeopener +eyeopener's +eyeopeners +eyeopening +eyepiece +eyepiece's +eyepieces +eye's +eyes +eyesight +eyesight's +eyesore +eyesore's +eyesores +eyestrain +eyestrain's +eyeteeth +eyetooth +eyetooth's +eyewash +eyewash's +eyewitness +eyewitnesses +eyewitness's +Eyre +Eyre's +Eysenck +Eysenck's +Ezekiel +Ezekiel's +Ezra +Ezra's +F +f +fa +FAA +fab +Fabergé +Faberge +Faberge's +Fabergé's +Fabian +Fabian's +Fabians +fable +fabled +fable's +fables +fabric +fabricate +fabricated +fabricates +fabricating +fabrication +fabrication's +fabrications +fabricator +fabricator's +fabricators +fabric's +fabrics +fabulous +fabulously +facade +facade's +facades +face +Facebook +Facebook's +facecloth +facecloth's +facecloths +faced +faceless +facepalm +facepalmed +facepalming +facepalms +face's +faces +facet +faceted +faceting +facetious +facetiously +facetiousness +facetiousness's +facet's +facets +facial +facially +facial's +facials +facile +facilely +facilitate +facilitated +facilitates +facilitating +facilitation +facilitation's +facilitator +facilitator's +facilitators +facilities +facility +facility's +facing +facing's +facings +facsimile +facsimiled +facsimileing +facsimile's +facsimiles +fact +faction +factional +factionalism +factionalism's +faction's +factions +factious +factitious +factoid +factoid's +factoids +factor +factored +factorial +factorial's +factorials +factories +factoring +factorization +factorize +factorized +factorizes +factorizing +factor's +factors +factory +factory's +factotum +factotum's +factotums +fact's +facts +factual +factually +faculties +faculty +faculty's +fad +faddiness +faddish +faddishness +faddist +faddist's +faddists +faddy +fade +faded +fade's +fades +fading +fad's +fads +faïence +faïence's +faerie +faerie's +faeries +Faeroe +Faeroe's +faff +faffed +faffing +faffs +Fafnir +Fafnir's +fag +fagged +fagging +faggot +faggot's +faggots +Fagin +Fagin's +fagot +fagoting +fagot's +fagots +fag's +fags +Fahd +Fahd's +Fahrenheit +Fahrenheit's +faience +faience's +fail +failed +failing +failing's +failings +faille +faille's +fail's +fails +failure +failure's +failures +fain +fainer +fainest +faint +fainted +fainter +faintest +fainthearted +fainting +faintly +faintness +faintness's +faint's +faints +fair +Fairbanks +Fairbanks's +fairer +fairest +fairground +fairground's +fairgrounds +fairies +fairing +fairing's +fairings +fairly +fairness +fairness's +fair's +fairs +fairway +fairway's +fairways +fairy +fairyland +fairyland's +fairylands +fairy's +Faisal +Faisalabad +Faisalabad's +Faisal's +Faith +faith +faithful +faithfully +faithfulness +faithfulness's +faithful's +faithfuls +faithless +faithlessly +faithlessness +faithlessness's +Faith's +faith's +faiths +fajita +fajita's +fajitas +fajitas's +fake +faked +faker +faker's +fakers +fake's +fakes +faking +fakir +fakir's +fakirs +Falasha +Falasha's +falcon +falconer +falconer's +falconers +falconry +falconry's +falcon's +falcons +Falkland +Falkland's +Falklands +Falklands's +fall +fallacies +fallacious +fallaciously +fallacy +fallacy's +fallback +fallen +fallibility +fallibility's +fallible +fallibleness +fallibleness's +fallibly +falling +falloff +falloff's +falloffs +Fallopian +Fallopian's +fallout +fallout's +fallow +fallowed +fallowing +fallow's +fallows +fall's +falls +false +falsehood +falsehood's +falsehoods +falsely +falseness +falseness's +falser +falsest +falsetto +falsetto's +falsettos +falsie +falsie's +falsies +falsifiable +falsification +falsification's +falsifications +falsified +falsifier +falsifier's +falsifiers +falsifies +falsify +falsifying +falsities +falsity +falsity's +Falstaff +Falstaff's +falter +faltered +faltering +falteringly +falterings +falter's +falters +Falwell +Falwell's +fame +famed +fame's +familial +familiar +familiarity +familiarity's +familiarization +familiarization's +familiarize +familiarized +familiarizes +familiarizing +familiarly +familiar's +familiars +families +family +family's +famine +famine's +famines +famish +famished +famishes +famishing +famous +famously +fan +fanatic +fanatical +fanatically +fanaticism +fanaticism's +fanatic's +fanatics +fanboy +fanboy's +fanboys +fanciable +fancied +fancier +fancier's +fanciers +fancies +fanciest +fanciful +fancifully +fancifulness +fancifulness's +fancily +fanciness +fanciness's +fancy +fancying +fancy's +fancywork +fancywork's +fandango +fandango's +fandangos +fandom +fanfare +fanfare's +fanfares +fang +fanged +fang's +fangs +fanlight +fanlight's +fanlights +fanned +Fannie +Fannie's +fannies +fanning +Fanny +fanny +Fanny's +fanny's +fan's +fans +fantail +fantail's +fantails +fantasia +fantasia's +fantasias +fantasied +fantasies +fantasist +fantasists +fantasize +fantasized +fantasizes +fantasizing +fantastic +fantastical +fantastically +fantasy +fantasying +fantasy's +fanzine +fanzine's +fanzines +FAQ +FAQ's +FAQs +far +farad +Faraday +Faraday's +faradize +faradized +faradizing +farad's +farads +faraway +farce +farce's +farces +farcical +farcically +fare +fared +fare's +fares +farewell +farewell's +farewells +Fargo +Fargo's +farina +farinaceous +farina's +faring +Farley +Farley's +farm +farmed +Farmer +farmer +Farmer's +farmer's +farmers +farmhand +farmhand's +farmhands +farmhouse +farmhouse's +farmhouses +farming +farming's +farmings +farmland +farmland's +farmlands +farm's +farms +farmstead +farmstead's +farmsteads +farmyard +farmyard's +farmyards +faro +faro's +farrago +farragoes +farrago's +Farragut +Farragut's +Farrakhan +Farrakhan's +Farrell +Farrell's +farrier +farrier's +farriers +Farrow +farrow +farrowed +farrowing +Farrow's +farrow's +farrows +farseeing +Farsi +farsighted +farsightedness +farsightedness's +Farsi's +fart +farted +farther +farthermost +farthest +farthing +farthing's +farthings +farting +fart's +farts +fa's +fascia +fascia's +fascias +fascicle +fascicle's +fascicles +fascinate +fascinated +fascinates +fascinating +fascinatingly +fascination +fascination's +fascinations +fascism +fascism's +fascist +fascistic +fascist's +fascists +fashion +fashionable +fashionably +fashioned +fashioner +fashioner's +fashioners +fashioning +fashionista +fashionista's +fashionistas +fashion's +fashions +Fassbinder +Fassbinder's +fast +fastback +fastback's +fastbacks +fastball +fastball's +fastballs +fasted +fasten +fastened +fastener +fastener's +fasteners +fastening +fastening's +fastenings +fastens +faster +fastest +fastidious +fastidiously +fastidiousness +fastidiousness's +fasting +fastness +fastnesses +fastness's +fast's +fasts +fat +Fatah +Fatah's +fatal +fatalism +fatalism's +fatalist +fatalistic +fatalistically +fatalist's +fatalists +fatalities +fatality +fatality's +fatally +fatback +fatback's +fate +fated +fateful +fatefully +fatefulness +fatefulness's +Fates +fate's +fates +Fates's +fathead +fatheaded +fathead's +fatheads +Father +father +fathered +fatherhood +fatherhood's +fathering +fatherland +fatherland's +fatherlands +fatherless +fatherly +Father's +Fathers +father's +fathers +fathom +fathomable +fathomed +fathoming +fathomless +fathom's +fathoms +fatigue +fatigued +fatigue's +fatigues +fatigues's +fatiguing +Fatima +Fatima's +Fatimid +Fatimid's +fating +fatness +fatness's +fat's +fats +fatso +fatsos +fatten +fattened +fattening +fattens +fatter +fattest +fattier +fatties +fattiest +fattiness +fattiness's +fatty +fatty's +fatuity +fatuity's +fatuous +fatuously +fatuousness +fatuousness's +fatwa +fatwa's +fatwas +faucet +faucet's +faucets +Faulkner +Faulknerian +Faulknerian's +Faulkner's +fault +faulted +faultfinder +faultfinder's +faultfinders +faultfinding +faultfinding's +faultier +faultiest +faultily +faultiness +faultiness's +faulting +faultless +faultlessly +faultlessness +faultlessness's +fault's +faults +faulty +faun +fauna +fauna's +faunas +faun's +fauns +Fauntleroy +Fauntleroy's +Faust +Faustian +Faustian's +Faustino +Faustino's +Faust's +Faustus +Faustus's +fauvism +fauvism's +fauvist +fauvist's +fauvists +faux +fave +faves +favor +favorable +favorably +favored +favoring +favorite +favorite's +favorites +favoritism +favoritism's +favor's +favors +Fawkes +Fawkes's +fawn +fawned +fawner +fawner's +fawners +fawning +fawn's +fawns +fax +faxed +faxes +faxing +fax's +Fay +fay +Faye +fayer +Faye's +fayest +Fay's +fay's +fays +faze +fazed +fazes +fazing +FBI +FBI's +FCC +FD +FDA +FDIC +FDIC's +FDR +FDR's +Fe +fealty +fealty's +fear +feared +fearful +fearfully +fearfulness +fearfulness's +fearing +fearless +fearlessly +fearlessness +fearlessness's +fear's +fears +fearsome +feasibility +feasibility's +feasible +feasibly +feast +feasted +feaster +feaster's +feasters +feasting +feast's +feasts +feat +feather +featherbedding +featherbedding's +featherbrained +feathered +featherier +featheriest +feathering +featherless +feather's +feathers +featherweight +featherweight's +featherweights +feathery +feat's +feats +feature +featured +featureless +feature's +features +featuring +Feb +febrile +Februaries +February +February's +Feb's +fecal +feces +feces's +feckless +fecklessly +fecklessness +fecund +fecundate +fecundated +fecundates +fecundating +fecundation +fecundation's +fecundity +fecundity's +Fed +fed +Federal +federal +federalism +federalism's +Federalist +federalist +Federalist's +federalist's +federalists +federalization +federalization's +federalize +federalized +federalizes +federalizing +federally +Federal's +Federals +federal's +federals +federate +federated +federates +federating +federation +federation's +federations +Federico +Federico's +FedEx +FedEx's +fedora +fedora's +fedoras +Fed's +Feds +fed's +feds +Feds's +fee +feeble +feebleness +feebleness's +feebler +feeblest +feebly +feed +feedback +feedback's +feedbag +feedbag's +feedbags +feeder +feeder's +feeders +feeding +feeding's +feedings +feedlot +feedlot's +feedlots +feed's +feeds +feel +feeler +feeler's +feelers +feelgood +feeling +feelingly +feeling's +feelings +feel's +feels +fee's +fees +feet +feign +feigned +feigning +feigns +feint +feinted +feinting +feint's +feints +feistier +feistiest +feisty +feldspar +feldspar's +Felecia +Felecia's +Felice +Felice's +Felicia +Felicia's +felicitate +felicitated +felicitates +felicitating +felicitation +felicitation's +felicitations +felicities +felicitous +felicitously +Felicity +felicity +Felicity's +felicity's +feline +feline's +felines +Felipe +Felipe's +Felix +Felix's +fell +fella +fellas +fellatio +fellatio's +felled +feller +fellers +fellest +felling +Fellini +Fellini's +fellow +fellowman +fellowman's +fellowmen +fellow's +fellows +fellowship +fellowship's +fellowships +fell's +fells +felon +felonies +felonious +felon's +felons +felony +felony's +felt +felted +felting +felt's +felts +fem +female +femaleness +femaleness's +female's +females +feminine +femininely +feminine's +feminines +femininity +femininity's +feminism +feminism's +feminist +feminist's +feminists +feminize +feminized +feminizes +feminizing +femoral +femur +femur's +femurs +fen +fence +fenced +fencer +fencer's +fencers +fence's +fences +fencing +fencing's +fend +fended +fender +fender's +fenders +fending +fends +fenestration +fenestration's +Fenian +Fenian's +fennel +fennel's +fen's +fens +fer +feral +Ferber +Ferber's +Ferdinand +Ferdinand's +Fergus +Ferguson +Ferguson's +Fergus's +Ferlinghetti +Ferlinghetti's +Fermat +Fermat's +ferment +fermentation +fermentation's +fermented +fermenting +ferment's +ferments +Fermi +Fermi's +fermium +fermium's +Fern +fern +Fernandez +Fernandez's +Fernando +Fernando's +fernier +ferniest +Fern's +fern's +ferns +ferny +ferocious +ferociously +ferociousness +ferociousness's +ferocity +ferocity's +Ferrari +Ferrari's +Ferraro +Ferraro's +Ferrell +Ferrell's +ferret +ferreted +ferreting +ferret's +ferrets +ferric +ferried +ferries +Ferris +Ferris's +ferromagnetic +ferrous +ferrule +ferrule's +ferrules +ferry +ferryboat +ferryboat's +ferryboats +ferrying +ferryman +ferryman's +ferrymen +ferry's +fertile +fertility +fertility's +fertilization +fertilization's +fertilize +fertilized +fertilizer +fertilizer's +fertilizers +fertilizes +fertilizing +ferule +ferule's +ferules +fervency +fervency's +fervent +fervently +fervid +fervidly +fervor +fervor's +Fe's +fess +fessed +fesses +fessing +fest +festal +fester +festered +festering +fester's +festers +festival +festival's +festivals +festive +festively +festiveness +festiveness's +festivities +festivity +festivity's +festoon +festooned +festooning +festoon's +festoons +fest's +fests +feta +fetal +feta's +fetch +fetched +fetcher +fetcher's +fetchers +fetches +fetching +fetchingly +fete +feted +fete's +fetes +fetid +fetidness +fetidness's +feting +fetish +fetishes +fetishism +fetishism's +fetishist +fetishistic +fetishist's +fetishists +fetish's +fetlock +fetlock's +fetlocks +fetter +fettered +fettering +fetter's +fetters +fettle +fettle's +fettuccine +fettuccine's +fetus +fetuses +fetus's +feud +feudal +feudalism +feudalism's +feudalistic +feuded +feuding +feud's +feuds +fever +fevered +feverish +feverishly +feverishness +feverishness's +fever's +fevers +few +fewer +fewest +fewness +fewness's +few's +fey +Feynman +Feynman's +Fez +fez +Fez's +fez's +fezzes +ff +FHA +FHA's +fiancé +fiance +fiancée +fiancee +fiancee's +fiancees +fiance's +fiances +fiancée's +fiancées +fiancé's +fiancés +fiasco +fiascoes +fiasco's +Fiat +fiat +Fiat's +fiat's +fiats +fib +fibbed +fibber +fibber's +fibbers +fibbing +fiber +fiberboard +fiberboard's +fiberfill +fiberfill's +Fiberglas +Fiberglas's +fiberglass +fiberglass's +fiber's +fibers +Fibonacci +Fibonacci's +fibril +fibrillate +fibrillated +fibrillates +fibrillating +fibrillation +fibrillation's +fibril's +fibrils +fibrin +fibrin's +fibroid +fibrosis +fibrosis's +fibrous +fib's +fibs +fibula +fibulae +fibular +fibula's +FICA +FICA's +fiche +fiche's +fiches +Fichte +Fichte's +fichu +fichu's +fichus +fickle +fickleness +fickleness's +fickler +ficklest +fiction +fictional +fictionalization +fictionalization's +fictionalizations +fictionalize +fictionalized +fictionalizes +fictionalizing +fictionally +fiction's +fictions +fictitious +fictitiously +fictive +ficus +ficus's +fiddle +fiddled +fiddler +fiddler's +fiddlers +fiddle's +fiddles +fiddlesticks +fiddlier +fiddliest +fiddling +fiddly +Fidel +fidelity +fidelity's +Fidel's +fidget +fidgeted +fidgeting +fidget's +fidgets +fidgety +Fido +Fido's +fiduciaries +fiduciary +fiduciary's +fie +fief +fiefdom +fiefdom's +fiefdoms +fief's +fiefs +field +fielded +fielder +fielder's +fielders +Fielding +fielding +Fielding's +Fields +field's +fields +fieldsman +fieldsmen +Fields's +fieldwork +fieldworker +fieldworker's +fieldworkers +fieldwork's +fiend +fiendish +fiendishly +fiend's +fiends +fierce +fiercely +fierceness +fierceness's +fiercer +fiercest +fierier +fieriest +fieriness +fieriness's +fiery +fiesta +fiesta's +fiestas +fife +fifer +fifer's +fifers +fife's +fifes +FIFO +fifteen +fifteen's +fifteens +fifteenth +fifteenth's +fifteenths +fifth +fifthly +fifth's +fifths +fifties +fiftieth +fiftieth's +fiftieths +fifty +fifty's +fig +Figaro +Figaro's +fight +fightback +fighter +fighter's +fighters +fighting +fighting's +fight's +fights +figment +figment's +figments +fig's +figs +Figueroa +Figueroa's +figuration +figuration's +figurative +figuratively +figure +figured +figurehead +figurehead's +figureheads +figure's +figures +figurine +figurine's +figurines +figuring +Fiji +Fijian +Fijian's +Fijians +Fiji's +filament +filamentous +filament's +filaments +filbert +filbert's +filberts +filch +filched +filches +filching +file +filed +filename +filenames +filer +filer's +filers +file's +files +filet +filial +filibuster +filibustered +filibusterer +filibusterer's +filibusterers +filibustering +filibuster's +filibusters +filigree +filigreed +filigreeing +filigree's +filigrees +filing +filing's +filings +Filipino +Filipino's +Filipinos +fill +filled +filler +filler's +fillers +fillet +filleted +filleting +fillet's +fillets +fillies +filling +filling's +fillings +fillip +filliped +filliping +fillip's +fillips +Fillmore +Fillmore's +fill's +fills +filly +filly's +film +filmed +filmier +filmiest +filminess +filminess's +filming +filmmaker +filmmaker's +filmmakers +film's +films +filmstrip +filmstrip's +filmstrips +filmy +filo +Filofax +Filofax's +filter +filterable +filtered +filterer +filterer's +filterers +filtering +filter's +filters +filth +filthier +filthiest +filthily +filthiness +filthiness's +filth's +filthy +filtrate +filtrated +filtrate's +filtrates +filtrating +filtration +filtration's +fin +finagle +finagled +finagler +finagler's +finaglers +finagles +finagling +final +finale +finale's +finales +finalist +finalist's +finalists +finality +finality's +finalization +finalization's +finalize +finalized +finalizes +finalizing +finally +final's +finals +finance +financed +finance's +finances +financial +financially +financier +financier's +financiers +financing +financing's +Finch +finch +finches +Finch's +finch's +find +finder +finder's +finders +finding +finding's +findings +findings's +find's +finds +fine +fined +finely +fineness +fineness's +finer +finery +finery's +fine's +fines +finespun +finesse +finessed +finesse's +finesses +finessing +finest +finger +fingerboard +fingerboard's +fingerboards +fingered +fingering +fingering's +fingerings +fingerling +fingerling's +fingerlings +fingermark +fingermarks +fingernail +fingernail's +fingernails +fingerprint +fingerprinted +fingerprinting +fingerprint's +fingerprints +finger's +fingers +fingertip +fingertip's +fingertips +finial +finial's +finials +finical +finickier +finickiest +finickiness +finickiness's +finicky +fining +finis +finises +finish +finished +finisher +finisher's +finishers +finishes +finishing +finish's +finis's +finite +finitely +fink +finked +finking +fink's +finks +Finland +Finland's +Finley +Finley's +Finn +Finnbogadottir +Finnbogadottir's +finned +Finnegan +Finnegan's +Finnish +Finnish's +Finn's +Finns +finny +fin's +fins +Fiona +Fiona's +fir +fire +firearm +firearm's +firearms +fireball +fireball's +fireballs +firebomb +firebombed +firebombing +firebombings +firebomb's +firebombs +firebox +fireboxes +firebox's +firebrand +firebrand's +firebrands +firebreak +firebreak's +firebreaks +firebrick +firebrick's +firebricks +firebug +firebug's +firebugs +firecracker +firecracker's +firecrackers +fired +firedamp +firedamp's +firefight +firefighter +firefighter's +firefighters +firefighting +firefighting's +firefight's +firefights +fireflies +firefly +firefly's +Firefox +Firefox's +fireguard +fireguards +firehouse +firehouse's +firehouses +firelight +firelighter +firelighters +firelight's +fireman +fireman's +firemen +fireplace +fireplace's +fireplaces +fireplug +fireplug's +fireplugs +firepower +firepower's +fireproof +fireproofed +fireproofing +fireproofs +firer +firer's +firers +fire's +fires +firescreen +firescreens +fireside +fireside's +firesides +Firestone +Firestone's +firestorm +firestorm's +firestorms +firetrap +firetrap's +firetraps +firetruck +firetruck's +firetrucks +firewall +firewall's +firewalls +firewater +firewater's +firewood +firewood's +firework +firework's +fireworks +firing +firings +firm +firmament +firmament's +firmaments +firmed +firmer +firmest +firming +firmly +firmness +firmness's +firm's +firms +firmware +firmware's +fir's +firs +first +firstborn +firstborn's +firstborns +firsthand +firstly +first's +firsts +firth +firth's +firths +fiscal +fiscally +fiscal's +fiscals +Fischer +Fischer's +fish +fishbowl +fishbowl's +fishbowls +fishcake +fishcake's +fishcakes +fished +Fisher +fisher +fisheries +fisherman +fisherman's +fishermen +Fisher's +fisher's +fishers +fishery +fishery's +fishes +fishhook +fishhook's +fishhooks +fishier +fishiest +fishily +fishiness +fishiness's +fishing +fishing's +fishmonger +fishmonger's +fishmongers +fishnet +fishnet's +fishnets +fishpond +fishpond's +fishponds +fish's +fishtail +fishtailed +fishtailing +fishtails +fishwife +fishwife's +fishwives +fishy +Fisk +Fisk's +fissile +fission +fissionable +fission's +fissure +fissure's +fissures +fist +fistfight +fistfight's +fistfights +fistful +fistful's +fistfuls +fisticuffs +fisticuffs's +fist's +fists +fistula +fistula's +fistulas +fistulous +fistulous's +fit +Fitch +Fitch's +fitful +fitfully +fitfulness +fitfulness's +fitly +fitment +fitments +fitness +fitness's +fit's +fits +fitted +fitter +fitter's +fitters +fittest +fitting +fittingly +fitting's +fittings +Fitzgerald +Fitzgerald's +Fitzpatrick +Fitzpatrick's +Fitzroy +Fitzroy's +five +fiver +fivers +five's +fives +fix +fixable +fixate +fixated +fixates +fixating +fixation +fixation's +fixations +fixative +fixative's +fixatives +fixed +fixedly +fixer +fixer's +fixers +fixes +fixing +fixings +fixings's +fixity +fixity's +fix's +fixture +fixture's +fixtures +Fizeau +Fizeau's +fizz +fizzed +fizzes +fizzier +fizziest +fizzing +fizzle +fizzled +fizzle's +fizzles +fizzling +fizz's +fizzy +fjord +fjord's +fjords +FL +fl +Fla +flab +flabbergast +flabbergasted +flabbergasting +flabbergasts +flabbier +flabbiest +flabbily +flabbiness +flabbiness's +flabby +flab's +flaccid +flaccidity +flaccidity's +flaccidly +flack +flack's +flacks +flag +flagella +flagellant +flagellants +flagellate +flagellated +flagellates +flagellating +flagellation +flagellation's +flagellum +flagellum's +flagged +flagging +flagman +flagman's +flagmen +flagon +flagon's +flagons +flagpole +flagpole's +flagpoles +flagrance +flagrance's +flagrancy +flagrancy's +flagrant +flagrantly +flag's +flags +flagship +flagship's +flagships +flagstaff +flagstaff's +flagstaffs +flagstone +flagstone's +flagstones +flail +flailed +flailing +flail's +flails +flair +flair's +flairs +flak +flake +flaked +flake's +flakes +flakier +flakiest +flakiness +flakiness's +flaking +flak's +flaky +flamage +flambé +flambe +flambéed +flambeed +flambeing +flambe's +flambes +flamboyance +flamboyance's +flamboyancy +flamboyancy's +flamboyant +flamboyantly +flambé's +flame +flamed +flamenco +flamenco's +flamencos +flameproof +flameproofed +flameproofing +flameproofs +flamer +flamers +flame's +flames +flamethrower +flamethrower's +flamethrowers +flaming +flamingo +flamingo's +flamingos +flamings +flammability +flammability's +flammable +flammable's +flammables +flan +Flanagan +Flanagan's +Flanders +Flanders's +flange +flange's +flanges +flank +flanked +flanker +flanker's +flankers +flanking +flank's +flanks +flannel +flanneled +flannelette +flannelette's +flanneling +flannel's +flannels +flan's +flans +flap +flapjack +flapjack's +flapjacks +flapped +flapper +flapper's +flappers +flapping +flap's +flaps +flare +flared +flare's +flares +flareup +flareup's +flareups +flaring +flash +flashback +flashback's +flashbacks +flashbulb +flashbulb's +flashbulbs +flashcard +flashcard's +flashcards +flashcube +flashcube's +flashcubes +flashed +flasher +flasher's +flashers +flashes +flashest +flashgun +flashgun's +flashguns +flashier +flashiest +flashily +flashiness +flashiness's +flashing +flashing's +flashlight +flashlight's +flashlights +flash's +flashy +flask +flask's +flasks +flat +flatbed +flatbed's +flatbeds +flatboat +flatboat's +flatboats +flatbread +flatcar +flatcar's +flatcars +flatfeet +flatfish +flatfishes +flatfish's +flatfoot +flatfooted +flatfoot's +flatfoots +Flathead +flatiron +flatiron's +flatirons +flatland +flatland's +flatlet +flatlets +flatly +flatmate +flatmates +flatness +flatness's +flat's +flats +Flatt +flatted +flatten +flattened +flattening +flattens +flatter +flattered +flatterer +flatterer's +flatterers +flattering +flatteringly +flatters +flattery +flattery's +flattest +flatting +flattish +flattop +flattop's +flattops +Flatt's +flatulence +flatulence's +flatulent +flatus +flatus's +flatware +flatware's +flatworm +flatworm's +flatworms +Flaubert +Flaubert's +flaunt +flaunted +flaunting +flauntingly +flaunt's +flaunts +flavor +flavored +flavorful +flavoring +flavoring's +flavorings +flavorless +flavor's +flavors +flavorsome +flaw +flawed +flawing +flawless +flawlessly +flawlessness +flawlessness's +flaw's +flaws +flax +flaxen +flax's +flay +flayed +flaying +flays +flea +fleabag +fleabag's +fleabags +fleabite +fleabites +fleapit +fleapits +flea's +fleas +fleck +flecked +flecking +fleck's +flecks +fled +fledged +fledgling +fledgling's +fledglings +flee +fleece +fleeced +fleecer +fleecer's +fleecers +fleece's +fleeces +fleecier +fleeciest +fleeciness +fleeciness's +fleecing +fleecy +fleeing +flees +fleet +fleeted +fleeter +fleetest +fleeting +fleetingly +fleetingly's +fleetingness +fleetingness's +fleetly +fleetness +fleetness's +fleet's +fleets +Fleischer +Fleischer's +Fleming +Fleming's +Flemish +Flemish's +flesh +fleshed +fleshes +fleshier +fleshiest +fleshing +fleshlier +fleshliest +fleshly +fleshpot +fleshpot's +fleshpots +flesh's +fleshy +Fletcher +Fletcher's +flew +flex +flexed +flexes +flexibility +flexibility's +flexible +flexibly +flexing +flexion +flex's +flextime +flextime's +flibbertigibbet +flibbertigibbet's +flibbertigibbets +flick +flicked +flicker +flickered +flickering +flicker's +flickers +flicking +flick's +flicks +flied +flier +flier's +fliers +flies +fliest +flight +flightier +flightiest +flightiness +flightiness's +flightless +flight's +flights +flighty +flimflam +flimflammed +flimflamming +flimflam's +flimflams +flimsier +flimsiest +flimsily +flimsiness +flimsiness's +flimsy +flinch +flinched +flinches +flinching +flinch's +fling +flinging +fling's +flings +Flint +flint +flintier +flintiest +flintlock +flintlock's +flintlocks +Flint's +flint's +flints +Flintstones +Flintstones's +flinty +flip +flippancy +flippancy's +flippant +flippantly +flipped +flipper +flipper's +flippers +flippest +flippies +flipping +flippy +flip's +flips +flirt +flirtation +flirtation's +flirtations +flirtatious +flirtatiously +flirtatiousness +flirtatiousness's +flirted +flirting +flirt's +flirts +flirty +flit +flit's +flits +flitted +flitting +Flo +float +floated +floater +floater's +floaters +floating +float's +floats +flock +flocked +flocking +flocking's +flock's +flocks +floe +floe's +floes +flog +flogged +flogger +flogger's +floggers +flogging +flogging's +floggings +flogs +flood +flooded +flooder +floodgate +floodgate's +floodgates +flooding +floodlight +floodlighted +floodlighting +floodlight's +floodlights +floodlit +floodplain +floodplain's +floodplains +flood's +floods +floodwater +floodwater's +floodwaters +floor +floorboard +floorboard's +floorboards +floored +flooring +flooring's +floor's +floors +floorwalker +floorwalker's +floorwalkers +floozies +floozy +floozy's +flop +flophouse +flophouse's +flophouses +flopped +floppier +floppies +floppiest +floppily +floppiness +floppiness's +flopping +floppy +floppy's +flop's +flops +Flora +flora +floral +Flora's +flora's +floras +Florence +Florence's +Florentine +Florentine's +Flores +florescence +florescence's +florescent +Flores's +floret +floret's +florets +florid +Florida +Floridan +Floridan's +Florida's +Floridian +Floridian's +Floridians +floridly +floridness +floridness's +florin +Florine +Florine's +florin's +florins +florist +florist's +florists +Florsheim +Florsheim's +Flory +Flory's +Flo's +floss +flossed +flosses +Flossie +flossier +Flossie's +flossiest +flossing +floss's +flossy +flotation +flotation's +flotations +flotilla +flotilla's +flotillas +flotsam +flotsam's +flounce +flounced +flounce's +flounces +flouncing +flouncy +flounder +floundered +floundering +flounder's +flounders +flour +floured +flouring +flourish +flourished +flourishes +flourishing +flourish's +flour's +flours +floury +flout +flouted +flouter +flouter's +flouters +flouting +flout's +flouts +flow +flowchart +flowchart's +flowcharts +flowed +flower +flowerbed +flowerbed's +flowerbeds +flowered +flowerier +floweriest +floweriness +floweriness's +flowering +flowerings +flowerless +flowerpot +flowerpot's +flowerpots +Flowers +flower's +flowers +Flowers's +flowery +flowing +flown +flow's +flows +Floyd +Floyd's +flt +flu +flub +flubbed +flubbing +flub's +flubs +fluctuate +fluctuated +fluctuates +fluctuating +fluctuation +fluctuation's +fluctuations +flue +fluency +fluency's +fluent +fluently +flue's +flues +fluff +fluffed +fluffier +fluffiest +fluffiness +fluffiness's +fluffing +fluff's +fluffs +fluffy +fluid +fluidity +fluidity's +fluidly +fluid's +fluids +fluke +fluke's +flukes +flukier +flukiest +fluky +flume +flume's +flumes +flummox +flummoxed +flummoxes +flummoxing +flung +flunk +flunked +flunkies +flunking +flunk's +flunks +flunky +flunky's +fluoresce +fluoresced +fluorescence +fluorescence's +fluorescent +fluoresces +fluorescing +fluoridate +fluoridated +fluoridates +fluoridating +fluoridation +fluoridation's +fluoride +fluoride's +fluorides +fluorine +fluorine's +fluorite +fluorite's +fluorocarbon +fluorocarbon's +fluorocarbons +fluoroscope +fluoroscope's +fluoroscopes +fluoroscopic +flurried +flurries +flurry +flurrying +flurry's +flu's +flush +flushed +flusher +flushes +flushest +flushing +flush's +fluster +flustered +flustering +fluster's +flusters +flute +fluted +flute's +flutes +fluting +fluting's +flutist +flutist's +flutists +flutter +fluttered +fluttering +flutter's +flutters +fluttery +fluvial +flux +fluxed +fluxes +fluxing +flux's +fly +flyable +flyaway +flyblown +flyby +flyby's +flybys +flycatcher +flycatcher's +flycatchers +flying +flying's +flyleaf +flyleaf's +flyleaves +Flynn +Flynn's +flyover +flyover's +flyovers +flypaper +flypaper's +flypapers +flypast +flypasts +fly's +flysheet +flysheets +flyspeck +flyspecked +flyspecking +flyspeck's +flyspecks +flyswatter +flyswatter's +flyswatters +flytrap +flytraps +flyway +flyway's +flyways +flyweight +flyweight's +flyweights +flywheel +flywheel's +flywheels +FM +Fm +FM's +FMs +Fm's +FNMA +FNMA's +foal +foaled +foaling +foal's +foals +foam +foamed +foamier +foamiest +foaminess +foaminess's +foaming +foam's +foams +foamy +fob +fobbed +fobbing +fob's +fobs +focal +focally +Foch +Foch's +focus +focused +focuses +focusing +focus's +fodder +fodder's +fodders +foe +foe's +foes +FOFL +fog +fogbound +fogged +foggier +foggiest +foggily +fogginess +fogginess's +fogging +foggy +foghorn +foghorn's +foghorns +fogies +fog's +fogs +fogy +fogyish +fogy's +foible +foible's +foibles +foil +foiled +foiling +foil's +foils +foist +foisted +foisting +foists +Fokker +Fokker's +fol +fold +foldaway +folded +folder +folder's +folders +folding +foldout +foldout's +foldouts +fold's +folds +Foley +Foley's +Folgers +Folgers's +foliage +foliage's +folic +folio +folio's +folios +folk +folklore +folklore's +folkloric +folklorist +folklorist's +folklorists +folk's +folks +folksier +folksiest +folksiness +folksiness's +folksinger +folksinger's +folksingers +folksinging +folksinging's +folksy +folktale +folktale's +folktales +folkway +folkway's +folkways +foll +follicle +follicle's +follicles +follies +follow +followed +follower +follower's +followers +following +following's +followings +follows +followup +followups +folly +folly's +Folsom +Folsom's +Fomalhaut +Fomalhaut's +foment +fomentation +fomentation's +fomented +fomenting +foments +fond +Fonda +fondant +fondant's +fondants +Fonda's +fonder +fondest +fondle +fondled +fondles +fondling +fondly +fondness +fondness's +fondue +fondue's +fondues +font +fontanel +fontanel's +fontanels +font's +fonts +foo +foobar +food +foodie +foodie's +foodies +food's +foods +foodstuff +foodstuff's +foodstuffs +fool +fooled +fooleries +foolery +foolery's +foolhardier +foolhardiest +foolhardily +foolhardiness +foolhardiness's +foolhardy +fooling +foolish +foolishly +foolishness +foolishness's +foolproof +fool's +fools +foolscap +foolscap's +Foosball +Foosball's +foot +footage +footage's +football +footballer +footballer's +footballers +footballing +football's +footballs +footbridge +footbridge's +footbridges +footed +footer +footers +footfall +footfall's +footfalls +foothill +foothill's +foothills +foothold +foothold's +footholds +footie +footing +footing's +footings +footless +footlights +footlights's +footling +footling's +footlings +footlocker +footlocker's +footlockers +footloose +footman +footman's +footmen +footnote +footnoted +footnote's +footnotes +footnoting +footpath +footpath's +footpaths +footplate +footplates +footprint +footprint's +footprints +footrace +footrace's +footraces +footrest +footrest's +footrests +foot's +foots +footsie +footsie's +footsies +footslogging +footsore +footstep +footstep's +footsteps +footstool +footstool's +footstools +footwear +footwear's +footwork +footwork's +footy +fop +foppery +foppery's +foppish +foppishness +foppishness's +fop's +fops +for +fora +forage +foraged +forager +forager's +foragers +forage's +forages +foraging +foray +forayed +foraying +foray's +forays +forbade +forbear +forbearance +forbearance's +forbearing +forbear's +forbears +Forbes +Forbes's +forbid +forbidden +forbidding +forbiddingly +forbiddings +forbids +forbore +forborne +force +forced +forceful +forcefully +forcefulness +forcefulness's +forceps +forceps's +force's +forces +forcible +forcibly +forcing +Ford +ford +fordable +forded +fording +Ford's +ford's +fords +fore +forearm +forearmed +forearming +forearm's +forearms +forebear +forebear's +forebears +forebode +foreboded +forebodes +foreboding +foreboding's +forebodings +forecast +forecaster +forecaster's +forecasters +forecasting +forecastle +forecastle's +forecastles +forecast's +forecasts +foreclose +foreclosed +forecloses +foreclosing +foreclosure +foreclosure's +foreclosures +forecourt +forecourt's +forecourts +foredoom +foredoomed +foredooming +foredooms +forefather +forefather's +forefathers +forefeet +forefinger +forefinger's +forefingers +forefoot +forefoot's +forefront +forefront's +forefronts +forego +foregoes +foregoing +foregone +foreground +foregrounded +foregrounding +foreground's +foregrounds +forehand +forehand's +forehands +forehead +forehead's +foreheads +foreign +foreigner +foreigner's +foreigners +foreignness +foreignness's +foreknew +foreknow +foreknowing +foreknowledge +foreknowledge's +foreknown +foreknows +foreleg +foreleg's +forelegs +forelimb +forelimb's +forelimbs +forelock +forelock's +forelocks +Foreman +foreman +Foreman's +foreman's +foremast +foremast's +foremasts +foremen +foremost +forename +forenamed +forename's +forenames +forenoon +forenoon's +forenoons +forensic +forensically +forensic's +forensics +forensics's +foreordain +foreordained +foreordaining +foreordains +forepart +forepart's +foreparts +foreperson +foreperson's +forepersons +foreplay +foreplay's +forequarter +forequarter's +forequarters +forerunner +forerunner's +forerunners +fore's +fores +foresail +foresail's +foresails +foresaw +foresee +foreseeable +foreseeing +foreseen +foreseer +foreseer's +foreseers +foresees +foreshadow +foreshadowed +foreshadowing +foreshadows +foreshore +foreshores +foreshorten +foreshortened +foreshortening +foreshortens +foresight +foresighted +foresightedness +foresightedness's +foresight's +foreskin +foreskin's +foreskins +Forest +forest +forestall +forestalled +forestalling +forestalls +forestation +forestation's +forested +Forester +forester +Forester's +forester's +foresters +foresting +forestland +forestland's +forestry +forestry's +Forest's +forest's +forests +foretaste +foretasted +foretaste's +foretastes +foretasting +foretell +foretelling +foretells +forethought +forethought's +foretold +forever +forevermore +forever's +forewarn +forewarned +forewarning +forewarns +forewent +forewoman +forewoman's +forewomen +foreword +foreword's +forewords +forfeit +forfeited +forfeiting +forfeit's +forfeits +forfeiture +forfeiture's +forfeitures +forgather +forgathered +forgathering +forgathers +forgave +forge +forged +forger +forgeries +forger's +forgers +forgery +forgery's +forge's +forges +forget +forgetful +forgetfully +forgetfulness +forgetfulness's +forgets +forgettable +forgetting +forging +forging's +forgings +forgivable +forgive +forgiven +forgiveness +forgiveness's +forgiver +forgiver's +forgivers +forgives +forgiving +forgo +forgoer +forgoer's +forgoers +forgoes +forgoing +forgone +forgot +forgotten +fork +forked +forkful +forkful's +forkfuls +forking +forklift +forklift's +forklifts +fork's +forks +forlorn +forlornly +form +formal +formaldehyde +formaldehyde's +formalin +formalism +formalism's +formalist +formalist's +formalists +formalities +formality +formality's +formalization +formalization's +formalize +formalized +formalizes +formalizing +formally +formal's +formals +format +formation +formation's +formations +formative +format's +formats +formatted +formatting +formatting's +formed +former +formerly +former's +formfitting +formic +Formica +Formica's +Formicas +formidable +formidably +forming +formless +formlessly +formlessness +formlessness's +Formosa +Formosan +Formosan's +Formosa's +form's +forms +formula +formulae +formulaic +formula's +formulas +formulate +formulated +formulates +formulating +formulation +formulation's +formulations +formulator +formulator's +formulators +fornicate +fornicated +fornicates +fornicating +fornication +fornication's +fornicator +fornicator's +fornicators +Forrest +Forrest's +forsake +forsaken +forsakes +forsaking +forsook +forsooth +Forster +Forster's +forswear +forswearing +forswears +forswore +forsworn +forsythia +forsythia's +forsythias +fort +Fortaleza +Fortaleza's +forte +forte's +fortes +forth +forthcoming +forthcoming's +forthright +forthrightly +forthrightness +forthrightness's +forthwith +forties +fortieth +fortieth's +fortieths +fortification +fortification's +fortifications +fortified +fortifier +fortifier's +fortifiers +fortifies +fortify +fortifying +fortissimo +fortitude +fortitude's +fortnight +fortnightly +fortnight's +fortnights +FORTRAN +FORTRAN's +fortress +fortresses +fortress's +fort's +forts +fortuitous +fortuitously +fortuitousness +fortuitousness's +fortuity +fortuity's +fortunate +fortunately +fortune +fortune's +fortunes +fortuneteller +fortuneteller's +fortunetellers +fortunetelling +fortunetelling's +forty +forty's +forum +forum's +forums +forward +forwarded +forwarder +forwarder's +forwarders +forwardest +forwarding +forwardly +forwardness +forwardness's +forward's +forwards +forwent +fossa +Fosse +Fosse's +fossil +fossilization +fossilization's +fossilize +fossilized +fossilizes +fossilizing +fossil's +fossils +Foster +foster +fostered +fostering +Foster's +fosters +Fotomat +Fotomat's +Foucault +Foucault's +fought +foul +foulard +foulard's +fouled +fouler +foulest +fouling +foully +foulmouthed +foulness +foulness's +foul's +fouls +found +foundation +foundational +foundation's +foundations +founded +founder +foundered +foundering +founder's +founders +founding +foundling +foundling's +foundlings +foundries +foundry +foundry's +founds +fount +fountain +fountainhead +fountainhead's +fountainheads +fountain's +fountains +fount's +founts +four +fourfold +Fourier +Fourier's +Fourneyron +Fourneyron's +fourposter +fourposter's +fourposters +four's +fours +fourscore +fourscore's +foursome +foursome's +foursomes +foursquare +fourteen +fourteen's +fourteens +fourteenth +fourteenth's +fourteenths +Fourth +fourth +fourthly +fourth's +fourths +fowl +fowled +Fowler +Fowler's +fowling +fowl's +fowls +Fox +fox +foxed +Foxes +foxes +foxfire +foxfire's +foxglove +foxglove's +foxgloves +foxhole +foxhole's +foxholes +foxhound +foxhound's +foxhounds +foxhunt +foxhunting +foxhunts +foxier +foxiest +foxily +foxiness +foxiness's +foxing +Fox's +fox's +foxtrot +foxtrot's +foxtrots +foxtrotted +foxtrotting +foxy +foyer +foyer's +foyers +FPO +fps +Fr +fr +fracas +fracases +fracas's +frack +fracked +fracking +fracks +fractal +fractal's +fractals +fraction +fractional +fractionally +fraction's +fractions +fractious +fractiously +fractiousness +fractiousness's +fracture +fractured +fracture's +fractures +fracturing +frag +fragile +fragiler +fragilest +fragility +fragility's +fragment +fragmentary +fragmentary's +fragmentation +fragmentation's +fragmented +fragmenting +fragment's +fragments +Fragonard +Fragonard's +fragrance +fragrance's +fragrances +fragrant +fragrantly +frags +frail +frailer +frailest +frailly +frailness +frailness's +frailties +frailty +frailty's +frame +framed +framer +framer's +framers +frame's +frames +framework +framework's +frameworks +framing +Fran +franc +France +France's +Frances +Francesca +Francesca's +Frances's +franchise +franchised +franchisee +franchisee's +franchisees +franchiser +franchiser's +franchisers +franchise's +franchises +franchising +Francine +Francine's +Francis +Francisca +Franciscan +Franciscan's +Franciscans +Francisca's +Francisco +Francisco's +Francis's +francium +francium's +Franck +Franck's +Franco +Francois +Francoise +Francoise's +Francois's +Francophile +francophone +Franco's +franc's +francs +frangibility +frangibility's +frangible +Franglais +Franglais's +Frank +frank +franked +Frankel +Frankel's +Frankenstein +Frankenstein's +franker +frankest +Frankfort +Frankfort's +Frankfurt +Frankfurter +frankfurter +Frankfurter's +frankfurter's +frankfurters +Frankfurt's +Frankie +Frankie's +frankincense +frankincense's +franking +Frankish +Franklin +Franklin's +frankly +frankness +frankness's +Frank's +Franks +frank's +franks +Franks's +Franny +Franny's +Fran's +frantic +frantically +Franz +Franz's +frappé +frappe +frappe's +frappes +frappé's +Fraser +Fraser's +frat +fraternal +fraternally +fraternities +fraternity +fraternity's +fraternization +fraternization's +fraternize +fraternized +fraternizer +fraternizer's +fraternizers +fraternizes +fraternizing +fratricidal +fratricide +fratricide's +fratricides +frat's +frats +Frau +fraud +fraud's +frauds +fraudster +fraudsters +fraudulence +fraudulence's +fraudulent +fraudulently +Frauen +fraught +Fraulein +Frau's +fray +frayed +fraying +fray's +frays +Frazier +Frazier's +frazzle +frazzled +frazzle's +frazzles +frazzling +freak +freaked +freakier +freakiest +freaking +freakish +freakishly +freakishness +freakishness's +freak's +freaks +freaky +freckle +freckled +freckle's +freckles +freckling +freckly +Fred +Freda +Freda's +Freddie +Freddie's +Freddy +Freddy's +Frederic +Frederick +Frederick's +Frederic's +Fredericton +Fredericton's +Fredric +Fredrick +Fredrick's +Fredric's +Fred's +free +freebase +freebased +freebase's +freebases +freebasing +freebie +freebie's +freebies +freebooter +freebooter's +freebooters +freeborn +freed +freedman +freedman's +freedmen +freedom +freedom's +freedoms +freehand +freehold +freeholder +freeholder's +freeholders +freehold's +freeholds +freeing +freelance +freelanced +freelancer +freelancer's +freelancers +freelance's +freelances +freelancing +freeload +freeloaded +freeloader +freeloader's +freeloaders +freeloading +freeloads +freely +Freeman +freeman +Freeman's +freeman's +Freemason +Freemasonries +Freemasonry +freemasonry +Freemasonry's +Freemason's +Freemasons +freemen +freephone +freer +frees +freesia +freesias +freest +freestanding +freestone +freestone's +freestones +freestyle +freestyle's +freestyles +freethinker +freethinker's +freethinkers +freethinking +freethinking's +Freetown +Freetown's +freeware +freeware's +freeway +freeway's +freeways +freewheel +freewheeled +freewheeling +freewheels +freewill +freezable +freeze +freezer +freezer's +freezers +freeze's +freezes +freezing +freezing's +Freida +Freida's +freight +freighted +freighter +freighter's +freighters +freighting +freight's +freights +Fremont +Fremont's +French +french +Frenches +Frenchman +Frenchman's +Frenchmen +Frenchmen's +French's +Frenchwoman +Frenchwoman's +Frenchwomen +Frenchwomen's +frenetic +frenetically +frenzied +frenziedly +frenzies +frenzy +frenzy's +Freon +Freon's +freq +frequencies +frequency +frequency's +frequent +frequented +frequenter +frequenter's +frequenters +frequentest +frequenting +frequently +frequents +fresco +frescoes +fresco's +fresh +freshen +freshened +freshener +freshener's +fresheners +freshening +freshens +fresher +freshers +freshest +freshet +freshet's +freshets +freshly +freshman +freshman's +freshmen +freshness +freshness's +freshwater +freshwater's +Fresnel +Fresnel's +Fresno +Fresno's +fret +fretful +fretfully +fretfulness +fretfulness's +fret's +frets +fretsaw +fretsaw's +fretsaws +fretted +fretting +fretwork +fretwork's +Freud +Freudian +Freudian's +Freud's +Frey +Freya +Freya's +Frey's +Fri +friable +friar +friaries +friar's +friars +friary +friary's +fricassee +fricasseed +fricasseeing +fricassee's +fricassees +fricative +fricative's +fricatives +friction +frictional +friction's +frictions +Friday +Friday's +Fridays +fridge +fridge's +fridges +fried +Frieda +Friedan +Friedan's +Frieda's +friedcake +friedcake's +friedcakes +Friedman +Friedman's +Friend +friend +friended +friending +friendless +friendlier +friendlies +friendliest +friendliness +friendliness's +friendly +friendly's +Friend's +Friends +friend's +friends +friendship +friendship's +friendships +fries +frieze +frieze's +friezes +frig +frigate +frigate's +frigates +Frigga +Frigga's +frigged +frigging +fright +frighted +frighten +frightened +frightening +frighteningly +frightens +frightful +frightfully +frightfulness +frightfulness's +frighting +fright's +frights +frigid +Frigidaire +Frigidaire's +frigidity +frigidity's +frigidly +frigidness +frigidness's +frigs +frill +frilled +frillier +frilliest +frill's +frills +frilly +fringe +fringed +fringe's +fringes +fringing +fripperies +frippery +frippery's +Fri's +Frisbee +Frisbee's +Frisco +Frisco's +Frisian +Frisian's +Frisians +frisk +frisked +friskier +friskiest +friskily +friskiness +friskiness's +frisking +frisks +frisky +frisson +frissons +Frito +Frito's +fritter +frittered +frittering +fritter's +fritters +Fritz +fritz +Fritz's +fritz's +frivolities +frivolity +frivolity's +frivolous +frivolously +frivolousness +frivolousness's +frizz +frizzed +frizzes +frizzier +frizziest +frizzing +frizzle +frizzled +frizzle's +frizzles +frizzling +frizzly +frizz's +frizzy +fro +Frobisher +Frobisher's +frock +frock's +frocks +Frodo +Frodo's +frog +frogging +froggings +frogman +frogman's +frogmarch +frogmarched +frogmarches +frogmarching +frogmen +frog's +frogs +frogspawn +Froissart +Froissart's +frolic +frolicked +frolicker +frolicker's +frolickers +frolicking +frolic's +frolics +frolicsome +from +Fromm +Fromm's +frond +Fronde +Fronde's +frond's +fronds +front +frontage +frontage's +frontages +frontal +frontally +frontbench +frontbencher +frontbenchers +frontbenches +fronted +Frontenac +Frontenac's +frontier +frontier's +frontiers +frontiersman +frontiersman's +frontiersmen +frontierswoman +frontierswomen +fronting +frontispiece +frontispiece's +frontispieces +front's +fronts +frontward +frontwards +frosh +frosh's +Frost +frost +Frostbelt +Frostbelt's +frostbit +frostbite +frostbite's +frostbites +frostbiting +frostbitten +frosted +frostier +frostiest +frostily +frostiness +frostiness's +frosting +frosting's +frostings +Frost's +frost's +frosts +frosty +froth +frothed +frothier +frothiest +frothiness +frothiness's +frothing +froth's +froths +frothy +froufrou +froufrou's +froward +frowardness +frowardness's +frown +frowned +frowning +frown's +frowns +frowzier +frowziest +frowzily +frowziness +frowziness's +frowzy +froze +frozen +Fr's +fructified +fructifies +fructify +fructifying +fructose +fructose's +frugal +frugality +frugality's +frugally +fruit +fruitcake +fruitcake's +fruitcakes +fruited +fruiterer +fruiterers +fruitful +fruitfully +fruitfulness +fruitfulness's +fruitier +fruitiest +fruitiness +fruitiness's +fruiting +fruition +fruition's +fruitless +fruitlessly +fruitlessness +fruitlessness's +fruit's +fruits +fruity +frump +frumpier +frumpiest +frumpish +frump's +frumps +frumpy +Frunze +Frunze's +frustrate +frustrated +frustrates +frustrating +frustratingly +frustration +frustration's +frustrations +frustum +frustum's +frustums +Fry +fry +Frye +fryer +fryer's +fryers +Frye's +frying +Fry's +fry's +F's +FSF +FSF's +FSLIC +ft +FTC +fête +fête's +fêtes +ftp +ftpers +ftping +ftps +Fuchs +fuchsia +fuchsia's +fuchsias +Fuchs's +fuck +fucked +fucker +fucker's +fuckers +fuckhead +fuckheads +fucking +fuck's +fucks +FUD +fuddle +fuddled +fuddle's +fuddles +fuddling +fudge +fudged +fudge's +fudges +fudging +FUDs +fuehrer +fuehrer's +fuehrers +fuel +fueled +fueling +fuel's +fuels +Fuentes +Fuentes's +fug +fugal +Fugger +Fugger's +fuggy +fugitive +fugitive's +fugitives +fugue +fugue's +fugues +fuhrer +fuhrer's +fuhrers +Fuji +Fuji's +Fujitsu +Fujitsu's +Fujiwara +Fujiwara's +Fujiyama +Fujiyama's +Fukuoka +Fukuoka's +Fukuyama +Fukuyama's +Fulani +Fulani's +Fulbright +Fulbright's +fulcrum +fulcrum's +fulcrums +fulfill +fulfilled +fulfilling +fulfillment +fulfillment's +fulfills +full +fullback +fullback's +fullbacks +fulled +Fuller +fuller +Fuller's +fuller's +fullers +Fullerton +Fullerton's +fullest +fulling +fullness +fullness's +full's +fulls +fully +fulminate +fulminated +fulminates +fulminating +fulmination +fulmination's +fulminations +fulsome +fulsomely +fulsomeness +fulsomeness's +Fulton +Fulton's +fum +fumble +fumbled +fumbler +fumbler's +fumblers +fumble's +fumbles +fumbling +fumblingly +fume +fumed +fume's +fumes +fumier +fumiest +fumigant +fumigant's +fumigants +fumigate +fumigated +fumigates +fumigating +fumigation +fumigation's +fumigator +fumigator's +fumigators +fuming +fums +fumy +fun +Funafuti +Funafuti's +function +functional +functionalism +functionalist +functionalists +functionalities +functionality +functionally +functionaries +functionary +functionary's +functioned +functioning +function's +functions +fund +fundamental +fundamentalism +fundamentalism's +fundamentalist +fundamentalist's +fundamentalists +fundamentally +fundamental's +fundamentals +funded +funding +funding's +fundraiser +fundraiser's +fundraisers +fundraising +fund's +funds +Fundy +Fundy's +funeral +funeral's +funerals +funerary +funereal +funereally +funfair +funfairs +fungal +fungi +fungible +fungible's +fungibles +fungicidal +fungicide +fungicide's +fungicides +fungoid +fungous +fungus +fungus's +funicular +funicular's +funiculars +funk +funked +funkier +funkiest +funkiness +funkiness's +funking +funk's +funks +funky +funnel +funneled +funneling +funnel's +funnels +funner +funnest +funnier +funnies +funniest +funnily +funniness +funniness's +funny +funnyman +funnyman's +funnymen +funny's +fun's +fur +furbelow +furbelow's +furbish +furbished +furbishes +furbishing +Furies +furies +Furies's +furious +furiously +furl +furled +furling +furlong +furlong's +furlongs +furlough +furloughed +furloughing +furlough's +furloughs +furl's +furls +furn +furnace +furnace's +furnaces +furnish +furnished +furnishes +furnishing +furnishings +furnishings's +furniture +furniture's +furor +furor's +furors +furred +furrier +furrier's +furriers +furriest +furriness +furriness's +furring +furring's +furrow +furrowed +furrowing +furrow's +furrows +furry +fur's +furs +further +furtherance +furtherance's +furthered +furthering +furthermore +furthermost +furthers +furthest +furtive +furtively +furtiveness +furtiveness's +Furtwangler +Furtwangler's +Furtwängler +Furtwängler's +fury +fury's +furze +furze's +fuse +fused +fusee +fusee's +fusees +fuselage +fuselage's +fuselages +fuse's +fuses +Fushun +Fushun's +fusibility +fusibility's +fusible +fusilier +fusilier's +fusiliers +fusillade +fusillade's +fusillades +fusing +fusion +fusion's +fusions +fuss +fussbudget +fussbudget's +fussbudgets +fussed +fusses +fussier +fussiest +fussily +fussiness +fussiness's +fussing +fusspot +fusspot's +fusspots +fuss's +fussy +fustian +fustian's +fustier +fustiest +fustiness +fustiness's +fusty +fut +futile +futilely +futility +futility's +futon +futon's +futons +future +future's +futures +futurism +futurism's +futurist +futuristic +futurist's +futurists +futurities +futurity +futurity's +futurologist +futurologist's +futurologists +futurology +futurology's +futz +futzed +futzes +futzing +Fuzhou +Fuzhou's +fuzz +fuzzball +fuzzballs +Fuzzbuster +Fuzzbuster's +fuzzed +fuzzes +fuzzier +fuzziest +fuzzily +fuzziness +fuzziness's +fuzzing +fuzz's +fuzzy +FWD +fwd +FWIW +fwy +FY +FYI +G +g +GA +Ga +gab +gabardine +gabardine's +gabardines +gabbed +gabbier +gabbiest +gabbiness +gabbiness's +gabbing +gabble +gabbled +gabble's +gabbles +gabbling +gabby +gaberdine +gaberdine's +gaberdines +gabfest +gabfest's +gabfests +Gable +gable +gabled +Gable's +gable's +gables +Gabon +Gabonese +Gabonese's +Gabon's +Gaborone +Gaborone's +Gabriel +Gabriela +Gabriela's +Gabrielle +Gabrielle's +Gabriel's +gab's +gabs +Gacrux +Gacrux's +gad +gadabout +gadabout's +gadabouts +gadded +gadder +gadder's +gadders +gadding +gadflies +gadfly +gadfly's +gadget +gadgetry +gadgetry's +gadget's +gadgets +gadolinium +gadolinium's +gads +Gadsden +Gadsden's +Gaea +Gaea's +Gael +Gaelic +Gaelic's +Gael's +Gaels +gaff +gaffe +gaffed +gaffer +gaffer's +gaffers +gaffe's +gaffes +gaffing +gaff's +gaffs +gag +gaga +Gagarin +Gagarin's +Gage +Gage's +gagged +gagging +gaggle +gaggle's +gaggles +gag's +gags +Gaia +Gaia's +gaiety +gaiety's +Gail +Gail's +gaily +Gaiman +Gaiman's +gain +gained +gainer +gainer's +gainers +Gaines +Gaines's +gainful +gainfully +gaining +gain's +gains +gainsaid +gainsay +gainsayer +gainsayer's +gainsayers +gainsaying +gainsays +Gainsborough +Gainsborough's +gait +gaiter +gaiter's +gaiters +gait's +gaits +gal +gala +galactic +Galahad +Galahad's +Galahads +Galapagos +Galapagos's +gala's +galas +Galatea +Galatea's +Galatia +Galatians +Galatians's +Galatia's +galaxies +Galaxy +galaxy +galaxy's +Galbraith +Galbraith's +Gale +gale +Galen +galena +galena's +Galen's +Gale's +gale's +gales +Galibi +Galibi's +Galilean +Galilean's +Galileans +Galilee +Galilee's +Galileo +Galileo's +Gall +gall +Gallagher +Gallagher's +gallant +gallantly +gallantry +gallantry's +gallant's +gallants +gallbladder +gallbladder's +gallbladders +galled +Gallegos +Gallegos's +galleon +galleon's +galleons +galleria +galleria's +gallerias +galleries +gallery +gallery's +galley +galley's +galleys +Gallic +Gallicism +Gallicism's +Gallicisms +Gallic's +gallimaufries +gallimaufry +gallimaufry's +galling +gallium +gallium's +gallivant +gallivanted +gallivanting +gallivants +Gallo +gallon +gallon's +gallons +gallop +galloped +galloping +gallop's +gallops +Gallo's +Galloway +Galloway's +gallows +gallows's +Gall's +gall's +galls +gallstone +gallstone's +gallstones +Gallup +Gallup's +Galois +Galois's +galoot +galoot's +galoots +galore +galosh +galoshes +galosh's +gal's +gals +Galsworthy +Galsworthy's +galumph +galumphed +galumphing +galumphs +Galvani +galvanic +Galvani's +galvanism +galvanism's +galvanization +galvanization's +galvanize +galvanized +galvanizes +galvanizing +galvanometer +galvanometer's +galvanometers +Galveston +Galveston's +Gama +Gamay +Gamay's +Gambia +Gambian +Gambian's +Gambians +Gambia's +gambit +gambit's +gambits +Gamble +gamble +gambled +gambler +gambler's +gamblers +Gamble's +gamble's +gambles +gambling +gambling's +gambol +gamboled +gamboling +gambol's +gambols +game +gamecock +gamecock's +gamecocks +gamed +gamekeeper +gamekeeper's +gamekeepers +gamely +gameness +gameness's +gamer +game's +games +gamesmanship +gamesmanship's +gamest +gamester +gamester's +gamesters +gamete +gamete's +gametes +gametic +gamier +gamiest +gamin +gamine +gamine's +gamines +gaminess +gaminess's +gaming +gaming's +gamin's +gamins +gamma +gamma's +gammas +gammon +gammon's +gammy +Gamow +Gamow's +gamut +gamut's +gamuts +gamy +Gandalf +Gandalf's +gander +gander's +ganders +Gandhi +Gandhian +Gandhian's +Gandhi's +Ganesha +Ganesha's +gang +gangbusters +gangbusters's +ganged +Ganges +Ganges's +ganging +gangland +gangland's +ganglia +gangling +ganglion +ganglionic +ganglion's +gangplank +gangplank's +gangplanks +gangrene +gangrened +gangrene's +gangrenes +gangrening +gangrenous +gang's +gangs +gangsta +gangstas +gangster +gangster's +gangsters +Gangtok +Gangtok's +gangway +gangway's +gangways +ganja +gannet +gannet's +gannets +gantlet +gantlet's +gantlets +gantries +Gantry +gantry +Gantry's +gantry's +Ganymede +Ganymede's +GAO +Gap +gap +gape +gaped +gape's +gapes +gaping +Gap's +gap's +gaps +gar +garage +garaged +garage's +garages +garaging +garb +garbage +garbageman +garbage's +garbanzo +garbanzo's +garbanzos +garbed +garbing +garble +garbled +garbles +garbling +Garbo +Garbo's +garb's +garbs +Garcia +Garcia's +garcon +garcon's +garcons +garden +gardened +gardener +gardener's +gardeners +gardenia +gardenia's +gardenias +gardening +gardening's +garden's +gardens +Gardner +Gardner's +Gareth +Gareth's +Garfield +Garfield's +garfish +garfishes +garfish's +Garfunkel +Garfunkel's +Gargantua +gargantuan +Gargantua's +gargle +gargled +gargle's +gargles +gargling +gargoyle +gargoyle's +gargoyles +Garibaldi +Garibaldi's +garish +garishly +garishness +garishness's +Garland +garland +garlanded +garlanding +Garland's +garland's +garlands +garlic +garlicky +garlic's +garment +garment's +garments +Garner +garner +garnered +garnering +Garner's +garners +garnet +garnet's +garnets +garnish +garnished +garnishee +garnisheed +garnisheeing +garnishee's +garnishees +garnishes +garnishing +garnishment +garnishment's +garnishments +garnish's +garçon +garçon's +garçons +garret +garret's +garrets +Garrett +Garrett's +Garrick +Garrick's +Garrison +garrison +garrisoned +garrisoning +Garrison's +garrison's +garrisons +garrote +garroted +garroter +garroter's +garroters +garrote's +garrotes +garroting +garrulity +garrulity's +garrulous +garrulously +garrulousness +garrulousness's +Garry +Garry's +gar's +gars +garter +garter's +garters +Garth +Garth's +Garvey +Garvey's +Gary +Gary's +Garza +Garza's +Ga's +gas +gasbag +gasbag's +gasbags +Gascony +Gascony's +gaseous +gases +gash +gashed +gashes +gashing +gasholder +gasholders +gash's +gasket +gasket's +gaskets +gaslight +gaslight's +gaslights +gasman +gasmen +gasohol +gasohol's +gasoline +gasoline's +gasometer +gasometers +gasp +gasped +gasping +gasp's +gasps +gas's +gassed +Gasser +Gasser's +gasses +gassier +gassiest +gassing +gassy +gastric +gastritis +gastritis's +gastroenteritis +gastroenteritis's +Gastroenterology +gastrointestinal +gastronome +gastronomes +gastronomic +gastronomical +gastronomically +gastronomy +gastronomy's +gastropod +gastropod's +gastropods +gasworks +gasworks's +gate +gateau +gateaux +gatecrash +gatecrashed +gatecrasher +gatecrasher's +gatecrashers +gatecrashes +gatecrashing +gated +gatehouse +gatehouse's +gatehouses +gatekeeper +gatekeeper's +gatekeepers +gatepost +gatepost's +gateposts +Gates +gate's +gates +Gates's +gateway +gateway's +gateways +gather +gathered +gatherer +gatherer's +gatherers +gathering +gathering's +gatherings +gather's +gathers +gating +Gatling +Gatling's +gator +Gatorade +Gatorade's +gator's +gators +Gatsby +Gatsby's +GATT +GATT's +Gatun +Gatun's +gauche +gauchely +gaucheness +gaucheness's +gaucher +gaucherie +gaucherie's +gauchest +gaucho +gaucho's +gauchos +gaudier +gaudiest +gaudily +gaudiness +gaudiness's +gaudy +gauge +gauged +gauge's +gauges +gauging +Gauguin +Gauguin's +Gaul +Gaulish +Gaul's +Gauls +gaunt +gaunter +gauntest +gauntlet +gauntlet's +gauntlets +gauntness +gauntness's +Gauss +Gaussian +Gaussian's +Gauss's +Gautama +Gautama's +Gautier +Gautier's +gauze +gauze's +gauzier +gauziest +gauziness +gauziness's +gauzy +gave +gavel +gavel's +gavels +Gavin +Gavin's +gavotte +gavotte's +gavottes +Gawain +Gawain's +gawd +gawk +gawked +gawkier +gawkiest +gawkily +gawkiness +gawkiness's +gawking +gawks +gawky +gawp +gawped +gawping +gawps +Gay +gay +gayer +gayest +Gayle +Gayle's +gayness +gayness's +Gay's +gay's +gays +Gaza +Gaza's +gaze +gazebo +gazebo's +gazebos +gazed +gazelle +gazelle's +gazelles +gazer +gazer's +gazers +gaze's +gazes +gazette +gazetted +gazetteer +gazetteer's +gazetteers +gazette's +gazettes +gazetting +Gaziantep +Gaziantep's +gazillion +gazillions +gazing +gazpacho +gazpacho's +gazump +gazumped +gazumping +gazumps +GB +GB's +GCC +GCC's +Gd +Gdansk +Gdansk's +Gödel +Gödel's +GDP +GDP's +Gd's +GE +Ge +gear +gearbox +gearboxes +gearbox's +geared +gearing +gearing's +gear's +gears +gearshift +gearshift's +gearshifts +gearwheel +gearwheel's +gearwheels +gecko +gecko's +geckos +GED +geddit +gee +geed +geeing +geek +geekier +geekiest +geek's +geeks +geeky +gees +geese +geezer +geezer's +geezers +Geffen +Geffen's +Gehenna +Gehenna's +Gehrig +Gehrig's +Geiger +Geiger's +geisha +geisha's +gel +gelatin +gelatinous +gelatin's +Gelbvieh +Gelbvieh's +gelcap +gelcap's +geld +gelded +gelding +gelding's +geldings +gelds +gelid +gelignite +gelignite's +gelled +Geller +Geller's +gelling +gel's +gels +gem +Gemini +Gemini's +Geminis +gemological +gemologist +gemologist's +gemologists +gemology +gemology's +gem's +gems +gemstone +gemstone's +gemstones +Gen +gen +Gena +Genaro +Genaro's +Gena's +gendarme +gendarme's +gendarmes +gender +gendered +gender's +genders +Gene +gene +genealogical +genealogically +genealogies +genealogist +genealogist's +genealogists +genealogy +genealogy's +genera +general +generalissimo +generalissimo's +generalissimos +generalist +generalist's +generalists +generalities +generality +generality's +generalization +generalization's +generalizations +generalize +generalized +generalizes +generalizing +generally +general's +generals +generalship +generalship's +generate +generated +generates +generating +generation +generational +generation's +generations +generative +generator +generator's +generators +generic +generically +generic's +generics +generosities +generosity +generosity's +generous +generously +generousness +generousness's +Gene's +gene's +genes +geneses +Genesis +genesis +Genesis's +genesis's +Genet +genetic +genetically +geneticist +geneticist's +geneticists +genetics +genetics's +Genet's +Geneva +Geneva's +Genevieve +Genevieve's +Genghis +Genghis's +genial +geniality +geniality's +genially +geniculate +genie +genie's +genies +genii +genital +genitalia +genitalia's +genitally +genitals +genitals's +genitive +genitive's +genitives +genitourinary +genius +geniuses +genius's +genned +genning +Genoa +Genoa's +Genoas +genocidal +genocide +genocide's +genocides +genome +genome's +genomes +genomics +genre +genre's +genres +Gen's +gens +gent +genteel +genteelly +genteelness +genteelness's +gentian +gentian's +gentians +gentile +gentile's +gentiles +gentility +gentility's +gentle +gentled +gentlefolk +gentlefolk's +gentlefolks +gentlefolks's +gentleman +gentlemanly +gentleman's +gentlemen +gentleness +gentleness's +gentler +gentles +gentlest +gentlewoman +gentlewoman's +gentlewomen +gentling +gently +Gentoo +Gentoo's +gentries +gentrification +gentrification's +gentrified +gentrifies +gentrify +gentrifying +Gentry +gentry +Gentry's +gentry's +gent's +gents +genuflect +genuflected +genuflecting +genuflection +genuflection's +genuflections +genuflects +genuine +genuinely +genuineness +genuineness's +genus +genus's +Geo +geocache +geocached +geocaches +geocaching +geocentric +geocentrically +geochemistry +geochemistry's +geode +geode's +geodes +geodesic +geodesic's +geodesics +geodesy +geodesy's +geodetic +geoengineering +Geoffrey +Geoffrey's +geog +geographer +geographer's +geographers +geographic +geographical +geographically +geographies +geography +geography's +geologic +geological +geologically +geologies +geologist +geologist's +geologists +geology +geology's +geom +geomagnetic +geomagnetism +geomagnetism's +geometer +geometric +geometrical +geometrically +geometries +geometry +geometry's +geophysical +geophysicist +geophysicist's +geophysicists +geophysics +geophysics's +geopolitical +geopolitics +geopolitics's +George +George's +Georges +Georgetown +Georgetown's +Georgette +Georgette's +Georgia +Georgian +Georgian's +Georgians +Georgia's +Georgina +Georgina's +Geo's +geostationary +geosynchronous +geosyncline +geosyncline's +geosynclines +geothermal +geothermic +Ger +Gerald +Geraldine +Geraldine's +Gerald's +geranium +geranium's +geraniums +Gerard +Gerardo +Gerardo's +Gerard's +Gerber +Gerber's +gerbil +gerbil's +gerbils +Gere +Gere's +geriatric +geriatrician +geriatricians +geriatrics +geriatrics's +Geritol +Geritol's +germ +German +germane +Germanic +Germanic's +germanium +germanium's +German's +Germans +Germany +Germany's +germicidal +germicide +germicide's +germicides +germinal +germinal's +germinate +germinated +germinates +germinating +germination +germination's +germ's +germs +Geronimo +Geronimo's +gerontological +gerontologist +gerontologist's +gerontologists +gerontology +gerontology's +Gerry +gerrymander +gerrymandered +gerrymandering +gerrymandering's +gerrymander's +gerrymanders +Gerry's +Ger's +Gershwin +Gershwin's +Gertrude +Gertrude's +gerund +gerund's +gerunds +GE's +Ge's +gestalt +gestalts +Gestapo +gestapo +Gestapo's +Gestapos +gestapo's +gestapos +gestate +gestated +gestates +gestating +gestation +gestational +gestation's +gesticulate +gesticulated +gesticulates +gesticulating +gesticulation +gesticulation's +gesticulations +gestural +gesture +gestured +gesture's +gestures +gesturing +gesundheit +get +getaway +getaway's +getaways +Gethsemane +Gethsemane's +gets +getting +Getty +Getty's +Gettysburg +Gettysburg's +getup +getup's +gewgaw +gewgaw's +gewgaws +Gewürztraminer +Gewürztraminer's +Gewurztraminer +Gewurztraminer's +geyser +geyser's +geysers +Ghana +Ghanaian +Ghana's +ghastlier +ghastliest +ghastliness +ghastliness's +ghastly +ghat +Ghats +ghat's +ghats +Ghats's +Ghazvanid +Ghazvanid's +ghee +Ghent +Ghent's +gherkin +gherkin's +gherkins +ghetto +ghettoize +ghettoized +ghettoizes +ghettoizing +ghetto's +ghettos +Ghibelline +Ghibelline's +ghost +ghosted +ghosting +ghostlier +ghostliest +ghostliness +ghostliness's +ghostly +ghost's +ghosts +ghostwrite +ghostwriter +ghostwriter's +ghostwriters +ghostwrites +ghostwriting +ghostwritten +ghostwrote +ghoul +ghoulish +ghoulishly +ghoulishness +ghoulishness's +ghoul's +ghouls +GHQ +GHQ's +GHz +GI +Giacometti +Giacometti's +Giannini +Giannini's +giant +giantess +giantesses +giantess's +giant's +giants +Giauque +Giauque's +gibber +gibbered +gibbering +gibberish +gibberish's +gibbers +gibbet +gibbeted +gibbeting +gibbet's +gibbets +Gibbon +gibbon +Gibbon's +gibbon's +gibbons +gibbous +Gibbs +Gibbs's +gibe +gibed +gibe's +gibes +gibing +giblet +giblet's +giblets +Gibraltar +Gibraltar's +Gibraltars +Gibson +Gibson's +giddier +giddiest +giddily +giddiness +giddiness's +giddy +Gide +Gideon +Gideon's +Gide's +Gielgud +Gielgud's +Gienah +Gienah's +GIF +gift +gifted +gifting +gift's +gifts +gig +gigabit +gigabit's +gigabits +gigabyte +gigabyte's +gigabytes +gigahertz +gigahertz's +gigantic +gigantically +gigapixel +gigapixel's +gigapixels +gigawatt +gigawatt's +gigawatts +gigged +gigging +giggle +giggled +giggler +giggler's +gigglers +giggle's +giggles +gigglier +giggliest +giggling +giggly +GIGO +gigolo +gigolo's +gigolos +gig's +gigs +Gil +Gila +Gila's +Gilbert +Gilberto +Gilberto's +Gilbert's +Gilchrist +Gilchrist's +gild +Gilda +Gilda's +gilded +gilder +gilder's +gilders +gilding +gilding's +gild's +gilds +Gilead +Gilead's +Giles +Giles's +Gilgamesh +Gilgamesh's +Gill +gill +Gillespie +Gillespie's +Gillette +Gillette's +Gilliam +Gilliam's +Gillian +Gillian's +gillie +gillies +Gilligan +Gilligan's +gillion +gillions +Gill's +gill's +gills +Gilman +Gilmore +Gilmore's +Gil's +gilt +gilt's +gilts +gimbals +gimbals's +gimcrack +gimcrackery +gimcrackery's +gimcrack's +gimcracks +gimlet +gimleted +gimleting +gimlet's +gimlets +gimme +gimme's +gimmes +gimmick +gimmickry +gimmickry's +gimmick's +gimmicks +gimmicky +gimp +gimped +gimping +gimp's +gimps +gimpy +gin +Gina +Gina's +Ginger +ginger +gingerbread +gingerbread's +gingered +gingering +gingerly +Ginger's +ginger's +gingers +gingersnap +gingersnap's +gingersnaps +gingery +gingham +gingham's +gingivitis +gingivitis's +Gingrich +Gingrich's +ginkgo +ginkgoes +ginkgo's +ginned +ginning +Ginny +Ginny's +Gino +ginormous +Gino's +gin's +gins +Ginsberg +Ginsberg's +Ginsburg +Ginsburg's +ginseng +ginseng's +Ginsu +Ginsu's +Giorgione +Giorgione's +Giotto +Giotto's +Giovanni +Giovanni's +giraffe +giraffe's +giraffes +Giraudoux +Giraudoux's +gird +girded +girder +girder's +girders +girding +girdle +girdled +girdle's +girdles +girdling +girds +girl +girlfriend +girlfriend's +girlfriends +girlhood +girlhood's +girlhoods +girlish +girlishly +girlishness +girlishness's +girl's +girls +girly +giro +giros +girt +girted +girth +girth's +girths +girting +girt's +girts +Giselle +Giselle's +Gish +Gish's +gist +gist's +git +gite +gites +GitHub +GitHub's +gits +Giuliani +Giuliani's +Giuseppe +Giuseppe's +give +giveaway +giveaway's +giveaways +giveback +giveback's +givebacks +given +given's +givens +giver +giver's +givers +gives +giving +givings +Giza +Giza's +gizmo +gizmo's +gizmos +gizzard +gizzard's +gizzards +Gk +glacé +glace +glacéed +glaceed +glaceing +glaces +glacial +glacially +glaciate +glaciated +glaciates +glaciating +glaciation +glaciation's +glaciations +glacier +glacier's +glaciers +glacéing +glacés +glad +gladden +gladdened +gladdening +gladdens +gladder +gladdest +glade +glade's +glades +gladiator +gladiatorial +gladiator's +gladiators +gladiola +gladiola's +gladiolas +gladioli +gladiolus +gladiolus's +gladly +gladness +gladness's +glad's +glads +gladsome +Gladstone +Gladstone's +Gladstones +Gladys +Gladys's +glam +glamorization +glamorization's +glamorize +glamorized +glamorizes +glamorizing +glamorous +glamorously +glamour +glamoured +glamouring +glamour's +glamours +glance +glanced +glance's +glances +glancing +gland +glandes +gland's +glands +glandular +glans +glans's +glare +glared +glare's +glares +glaring +glaringly +Glaser +Glaser's +Glasgow +Glasgow's +glasnost +glasnost's +Glass +glass +glassblower +glassblower's +glassblowers +glassblowing +glassblowing's +glassed +glasses +glassful +glassful's +glassfuls +glasshouse +glasshouses +glassier +glassiest +glassily +glassiness +glassiness's +glassing +Glass's +glass's +glassware +glassware's +glassy +Glastonbury +Glastonbury's +Glaswegian +Glaswegian's +Glaswegians +glaucoma +glaucoma's +Glaxo +Glaxo's +glaze +glazed +glaze's +glazes +glazier +glazier's +glaziers +glazing +glazing's +gleam +gleamed +gleaming +gleamings +gleam's +gleams +glean +gleaned +gleaner +gleaner's +gleaners +gleaning +gleanings +gleanings's +gleans +Gleason +Gleason's +glee +gleeful +gleefully +gleefulness +gleefulness's +glee's +Glen +glen +Glenda +Glendale +Glenda's +Glenlivet +Glenlivet's +Glenn +Glenna +Glenna's +Glenn's +glenohumeral +glenoid +Glen's +glen's +glens +glib +glibber +glibbest +glibly +glibness +glibness's +glide +glided +glider +glider's +gliders +glide's +glides +gliding +gliding's +glimmer +glimmered +glimmering +glimmering's +glimmerings +glimmer's +glimmers +glimpse +glimpsed +glimpse's +glimpses +glimpsing +glint +glinted +glinting +glint's +glints +glissandi +glissando +glissando's +glisten +glistened +glistening +glisten's +glistens +glister +glistered +glistering +glisters +glitch +glitched +glitches +glitching +glitch's +glitter +glitterati +glittered +glittering +glitter's +glitters +glittery +glitz +glitzier +glitziest +glitz's +glitzy +gloaming +gloaming's +gloamings +gloat +gloated +gloating +gloatingly +gloat's +gloats +glob +global +globalism +globalism's +globalist +globalist's +globalists +globalization +globalization's +globalize +globalized +globalizes +globalizing +globally +globe +globed +globe's +globes +globetrotter +globetrotter's +globetrotters +globetrotting +globing +glob's +globs +globular +globule +globule's +globules +globulin +globulin's +glockenspiel +glockenspiel's +glockenspiels +gloom +gloomier +gloomiest +gloomily +gloominess +gloominess's +gloom's +gloomy +glop +gloppy +glop's +Gloria +Gloria's +gloried +glories +glorification +glorification's +glorified +glorifies +glorify +glorifying +glorious +gloriously +glory +glorying +glory's +gloss +glossaries +glossary +glossary's +glossed +glosses +glossier +glossies +glossiest +glossily +glossiness +glossiness's +glossing +glossolalia +glossolalia's +gloss's +glossy +glossy's +glottal +glottis +glottises +glottis's +Gloucester +Gloucester's +glove +gloved +Glover +Glover's +glove's +gloves +gloving +glow +glowed +glower +glowered +glowering +glower's +glowers +glowing +glowingly +glow's +glows +glowworm +glowworm's +glowworms +glucagon +glucose +glucose's +glue +glued +glue's +glues +gluey +gluier +gluiest +gluing +glum +glumly +glummer +glummest +glumness +glumness's +gluon +gluons +glut +gluten +glutenous +gluten's +glutinous +glutinously +glut's +gluts +glutted +glutting +glutton +gluttonous +gluttonously +glutton's +gluttons +gluttony +gluttony's +glycerin +glycerin's +glycerol +glycerol's +glycogen +glycogen's +glycol +glyph +GM +gm +GMAT +GMO +GM's +GMT +GMT's +gnarl +gnarled +gnarlier +gnarliest +gnarling +gnarl's +gnarls +gnarly +gnash +gnashed +gnashes +gnashing +gnash's +gnat +gnat's +gnats +gnaw +gnawed +gnawing +gnaws +gneiss +gneiss's +gnocchi +gnome +gnome's +gnomes +gnomic +gnomish +Gnostic +Gnosticism +Gnosticism's +Gnostic's +GNP +GNP's +GNU +gnu +GnuPG +GNU's +gnu's +gnus +go +Goa +goad +goaded +goading +goad's +goads +goal +goalie +goalie's +goalies +goalkeeper +goalkeeper's +goalkeepers +goalkeeping +goalkeeping's +goalless +goalmouth +goalmouths +goalpost +goalpost's +goalposts +goal's +goals +goalscorer +goalscorers +goaltender +goaltender's +goaltenders +Goa's +goat +goatee +goatee's +goatees +goatherd +goatherd's +goatherds +goat's +goats +goatskin +goatskin's +goatskins +gob +gobbed +gobbet +gobbet's +gobbets +gobbing +gobble +gobbled +gobbledygook +gobbledygook's +gobbler +gobbler's +gobblers +gobble's +gobbles +gobbling +Gobi +Gobi's +goblet +goblet's +goblets +goblin +goblin's +goblins +gob's +gobs +gobsmacked +gobstopper +gobstoppers +God +god +Godard +Godard's +godawful +godchild +godchildren +godchildren's +godchild's +goddammit +goddamn +goddamned +Goddard +Goddard's +goddaughter +goddaughter's +goddaughters +goddess +goddesses +goddess's +Godel +Godel's +godfather +godfather's +godfathers +godforsaken +Godhead +godhead +Godhead's +godhead's +godhood +godhood's +Godiva +Godiva's +godless +godlessly +godlessness +godlessness's +godlier +godliest +godlike +godliness +godliness's +godly +godmother +godmother's +godmothers +Godot +Godot's +godparent +godparent's +godparents +God's +god's +gods +godsend +godsend's +godsends +godson +godson's +godsons +Godspeed +godspeed +Godspeed's +Godspeeds +Godthaab +Godthaab's +Godunov +Godunov's +Godzilla +Godzilla's +Goebbels +Goebbels's +goer +Goering +Goering's +goer's +goers +goes +Goethals +Goethals's +Goethe +Goethe's +gofer +gofer's +gofers +Goff +Goff's +Gog +goggle +goggled +goggle's +goggles +goggles's +goggling +Gogol +Gogol's +Gog's +Goiania +Goiania's +going +going's +goings +goiter +goiter's +goiters +Golan +Golan's +Golconda +Golconda's +gold +Golda +Golda's +Goldberg +Goldberg's +goldbrick +goldbricked +goldbricker +goldbricker's +goldbrickers +goldbricking +goldbrick's +goldbricks +Golden +golden +goldener +goldenest +goldenrod +goldenrod's +Golden's +goldfield +goldfields +goldfinch +goldfinches +goldfinch's +goldfish +goldfishes +goldfish's +Goldie +Goldie's +Goldilocks +Goldilocks's +Golding +Golding's +Goldman +Goldman's +goldmine +goldmine's +goldmines +gold's +golds +Goldsmith +goldsmith +Goldsmith's +goldsmith's +goldsmiths +Goldwater +Goldwater's +Goldwyn +Goldwyn's +golf +golfed +golfer +golfer's +golfers +golfing +golf's +golfs +Golgi +Golgi's +Golgotha +Golgotha's +Goliath +Goliath's +gollies +golliwog +golliwogs +golly +golly's +Gomez +Gomez's +Gomorrah +Gomorrah's +Gompers +Gompers's +Gomulka +Gomulka's +gonad +gonadal +gonad's +gonads +gondola +gondola's +gondolas +gondolier +gondolier's +gondoliers +Gondwanaland +Gondwanaland's +gone +goner +goner's +goners +gong +gonged +gonging +gong's +gongs +gonk +gonks +gonna +gonorrhea +gonorrheal +gonorrhea's +Gonzales +Gonzales's +Gonzalez +Gonzalez's +Gonzalo +Gonzalo's +gonzo +goo +goober +goober's +goobers +Good +good +Goodall +Goodall's +goodbye +goodbye's +goodbyes +goodhearted +goodies +goodish +goodlier +goodliest +goodly +Goodman +Goodman's +goodness +goodness's +goodnight +Goodrich +Goodrich's +Good's +good's +goods +goods's +Goodwill +goodwill +Goodwill's +goodwill's +Goodwin +Goodwin's +goody +Goodyear +Goodyear's +goody's +gooey +goof +goofball +goofball's +goofballs +goofed +goofier +goofiest +goofiness +goofiness's +goofing +goof's +goofs +goofy +Google +google +googled +Google's +google's +googles +googlies +googling +googly +gooier +gooiest +gook +gook's +gooks +Goolagong +Goolagong's +goon +goon's +goons +goop +goop's +goo's +goose +gooseberries +gooseberry +gooseberry's +goosebumps +goosebumps's +goosed +goose's +gooses +goosestep +goosestepped +goosestepping +goosesteps +goosing +GOP +Gopher +gopher +gopher's +gophers +GOP's +Gorbachev +Gorbachev's +Gordian +Gordian's +Gordimer +Gordimer's +Gordon +Gordon's +Gore +gore +gored +Goren +Goren's +Gore's +gore's +gores +Gorey +Gorey's +Gorgas +Gorgas's +gorge +gorged +gorgeous +gorgeously +gorgeousness +gorgeousness's +gorge's +gorges +gorging +Gorgon +gorgon +Gorgon's +gorgon's +gorgons +Gorgonzola +Gorgonzola's +gorier +goriest +gorilla +gorilla's +gorillas +gorily +goriness +goriness's +goring +Gorky +Gorky's +gormandize +gormandized +gormandizer +gormandizer's +gormandizers +gormandizes +gormandizing +gormless +gorp +gorp's +gorps +gorse +gorse's +gory +go's +gosh +goshawk +goshawk's +goshawks +gosling +gosling's +goslings +Gospel +gospel +Gospel's +Gospels +gospel's +gospels +gossamer +gossamer's +gossip +gossiped +gossiper +gossiper's +gossipers +gossiping +gossip's +gossips +gossipy +got +gotcha +gotchas +Goteborg +Goteborg's +Goth +goth +Gotham +Gotham's +Gothic +Gothic's +Gothics +Goth's +Goths +goths +gotta +gotten +gouache +gouaches +Gouda +Gouda's +Goudas +gouge +gouged +gouger +gouger's +gougers +gouge's +gouges +gouging +goulash +goulashes +goulash's +Gould +Gould's +Gounod +Gounod's +gourd +gourde +gourde's +gourdes +gourd's +gourds +gourmand +gourmand's +gourmands +gourmet +gourmet's +gourmets +gout +goutier +goutiest +gout's +gouty +gov +govern +governable +governance +governance's +governed +governess +governesses +governess's +governing +government +governmental +government's +governments +Governor +governor +governor's +governors +governorship +governorship's +governs +govt +gown +gowned +gowning +gown's +gowns +Goya +Goya's +GP +GPA +GPO +GP's +GPS +GPU +Gr +gr +grab +grabbed +grabber +grabber's +grabbers +grabbier +grabbiest +grabbing +grabby +Grable +Grable's +grab's +grabs +Gracchus +Gracchus's +Grace +grace +graced +graceful +gracefully +gracefulness +gracefulness's +Graceland +Graceland's +graceless +gracelessly +gracelessness +gracelessness's +Grace's +grace's +graces +Gracie +Graciela +Graciela's +Gracie's +gracing +gracious +graciously +graciousness +graciousness's +grackle +grackle's +grackles +grad +gradable +gradate +gradated +gradates +gradating +gradation +gradation's +gradations +grade +graded +grader +grader's +graders +grade's +grades +gradient +gradient's +gradients +grading +grad's +grads +gradual +gradualism +gradualism's +gradually +gradualness +gradualness's +graduate +graduated +graduate's +graduates +graduating +graduation +graduation's +graduations +Grady +Grady's +Graffias +Graffias's +graffiti +graffito +graffito's +graft +grafted +grafter +grafter's +grafters +grafting +Grafton +Grafton's +graft's +grafts +Graham +graham +Grahame +Grahame's +Graham's +grahams +Grail +grail +Grail's +grain +grained +grainier +grainiest +graininess +graininess's +grain's +grains +grainy +gram +grammar +grammarian +grammarian's +grammarians +grammar's +grammars +grammatical +grammatically +Grammy +Grammy's +gramophone +gramophone's +gramophones +Grampians +Grampians's +grampus +grampuses +grampus's +gram's +grams +gran +Granada +Granada's +granaries +granary +granary's +grand +grandam +grandam's +grandams +grandaunt +grandaunt's +grandaunts +grandchild +grandchildren +grandchildren's +grandchild's +granddad +granddaddies +granddaddy +granddaddy's +granddad's +granddads +granddaughter +granddaughter's +granddaughters +grandee +grandee's +grandees +grander +grandest +grandeur +grandeur's +grandfather +grandfathered +grandfathering +grandfatherly +grandfather's +grandfathers +grandiloquence +grandiloquence's +grandiloquent +grandiose +grandiosely +grandiosity +grandiosity's +grandly +grandma +grandma's +grandmas +grandmother +grandmotherly +grandmother's +grandmothers +grandnephew +grandnephew's +grandnephews +grandness +grandness's +grandniece +grandniece's +grandnieces +grandpa +grandparent +grandparent's +grandparents +grandpa's +grandpas +grand's +grands +grandson +grandson's +grandsons +grandstand +grandstanded +grandstanding +grandstand's +grandstands +granduncle +granduncle's +granduncles +grange +grange's +granges +granite +granite's +granitic +grannies +granny +granny's +granola +granola's +grans +Grant +grant +granted +grantee +grantee's +grantees +granter +granter's +granters +granting +Grant's +grant's +grants +grantsmanship +grantsmanship's +granular +granularity +granularity's +granulate +granulated +granulates +granulating +granulation +granulation's +granule +granule's +granules +grape +grapefruit +grapefruit's +grapefruits +grape's +grapes +grapeshot +grapeshot's +grapevine +grapevine's +grapevines +graph +graphed +graphic +graphical +graphically +graphic's +graphics +graphing +graphite +graphite's +graphologist +graphologist's +graphologists +graphology +graphology's +graph's +graphs +grapnel +grapnel's +grapnels +grapple +grappled +grapple's +grapples +grappling +grasp +graspable +grasped +grasping +grasp's +grasps +Grass +grass +grassed +grasses +grasshopper +grasshopper's +grasshoppers +grassier +grassiest +grassing +grassland +grassland's +grasslands +grassroots +Grass's +grass's +grassy +grate +grated +grateful +gratefully +gratefulness +gratefulness's +grater +grater's +graters +grate's +grates +gratification +gratification's +gratifications +gratified +gratifies +gratify +gratifying +gratifyingly +gratin +grating +gratingly +grating's +gratings +gratins +gratis +gratitude +gratitude's +gratuities +gratuitous +gratuitously +gratuitousness +gratuitousness's +gratuity +gratuity's +gravamen +gravamen's +gravamens +grave +graved +gravedigger +gravedigger's +gravediggers +gravel +graveled +graveling +gravelly +gravel's +gravels +gravely +graven +graveness +graveness's +graver +Graves +grave's +graves +graveside +graveside's +gravesides +Graves's +gravest +gravestone +gravestone's +gravestones +graveyard +graveyard's +graveyards +gravid +gravies +gravimeter +gravimeter's +gravimeters +graving +gravitas +gravitate +gravitated +gravitates +gravitating +gravitation +gravitational +gravitation's +gravity +gravity's +gravy +gravy's +Gray +gray +graybeard +graybeard's +graybeards +grayed +grayer +grayest +graying +grayish +grayness +grayness's +Gray's +gray's +grays +graze +grazed +grazer +grazer's +grazers +graze's +grazes +grazing +grease +greased +greasepaint +greasepaint's +greaser +greasers +grease's +greases +greasier +greasiest +greasily +greasiness +greasiness's +greasing +greasy +great +greatcoat +greatcoat's +greatcoats +greater +greatest +greathearted +greatly +greatness +greatness's +great's +greats +grebe +grebe's +grebes +Grecian +Grecian's +Greece +Greece's +greed +greedier +greediest +greedily +greediness +greediness's +greed's +greedy +Greek +Greek's +Greeks +Greeley +Greeley's +Green +green +greenback +greenback's +greenbacks +greenbelt +greenbelt's +greenbelts +Greene +greened +greener +greenery +greenery's +Greene's +greenest +greenfield +greenflies +greenfly +greengage +greengage's +greengages +greengrocer +greengrocer's +greengrocers +greenhorn +greenhorn's +greenhorns +greenhouse +greenhouse's +greenhouses +greening +greenish +Greenland +Greenlandic +Greenland's +greenly +greenmail +greenmail's +greenness +greenness's +Greenpeace +Greenpeace's +greenroom +greenroom's +greenrooms +Green's +Greens +green's +greens +Greensboro +Greensboro's +Greensleeves +Greensleeves's +Greenspan +Greenspan's +greensward +greensward's +Greenwich +Greenwich's +greenwood +greenwood's +Greer +Greer's +greet +greeted +greeter +greeter's +greeters +greeting +greeting's +greetings +greets +Greg +gregarious +gregariously +gregariousness +gregariousness's +Gregg +Gregg's +Gregorian +Gregorian's +Gregorio +Gregorio's +Gregory +Gregory's +Greg's +gremlin +gremlin's +gremlins +Grenada +Grenada's +grenade +grenade's +grenades +Grenadian +Grenadian's +Grenadians +grenadier +grenadier's +grenadiers +grenadine +Grenadines +grenadine's +Grenadines's +Grendel +Grendel's +Grenoble +Grenoble's +grep +grepped +grepping +greps +Gresham +Gresham's +Greta +Greta's +Gretchen +Gretchen's +Gretel +Gretel's +Gretzky +Gretzky's +grew +Grey +greyhound +greyhound's +greyhounds +Grey's +gribble +gribbles +grid +griddle +griddlecake +griddlecake's +griddlecakes +griddle's +griddles +gridiron +gridiron's +gridirons +gridlock +gridlocked +gridlock's +gridlocks +grid's +grids +grief +grief's +griefs +Grieg +Grieg's +grievance +grievance's +grievances +grieve +grieved +griever +griever's +grievers +grieves +grieving +grievous +grievously +grievousness +grievousness's +Griffin +griffin +Griffin's +griffin's +griffins +Griffith +Griffith's +griffon +griffon's +griffons +grill +grille +grilled +grille's +grilles +grilling +grillings +grill's +grills +grim +grimace +grimaced +grimace's +grimaces +grimacing +grime +grimed +Grimes +grime's +grimes +Grimes's +grimier +grimiest +griminess +griminess's +griming +grimly +Grimm +grimmer +grimmest +Grimm's +grimness +grimness's +grimy +grin +Grinch +Grinch's +grind +grinder +grinder's +grinders +grinding +grindings +grind's +grinds +grindstone +grindstone's +grindstones +gringo +gringo's +gringos +grinned +grinning +grin's +grins +grip +gripe +griped +griper +griper's +gripers +gripe's +gripes +griping +grippe +gripped +gripper +gripper's +grippers +grippe's +gripping +grip's +grips +Gris +grislier +grisliest +grisliness +grisliness's +grisly +Gris's +grist +gristle +gristle's +gristly +gristmill +gristmill's +gristmills +grist's +grit +grit's +grits +grits's +gritted +gritter +gritter's +gritters +grittier +grittiest +grittiness +grittiness's +gritting +gritty +grizzle +grizzled +grizzles +grizzlier +grizzlies +grizzliest +grizzling +grizzly +grizzly's +Grünewald +Grünewald's +groan +groaned +groaning +groan's +groans +groat +groat's +groats +grocer +groceries +grocer's +grocers +grocery +grocery's +grog +groggier +groggiest +groggily +grogginess +grogginess's +groggy +grog's +groin +groin's +groins +grok +grokked +grokking +groks +grommet +grommet's +grommets +Gromyko +Gromyko's +groom +groomed +groomer +groomer's +groomers +grooming +grooming's +groom's +grooms +groomsman +groomsman's +groomsmen +groove +grooved +groove's +grooves +groovier +grooviest +grooving +groovy +grope +groped +groper +groper's +gropers +grope's +gropes +groping +Gropius +Gropius's +grosbeak +grosbeak's +grosbeaks +grosgrain +grosgrain's +Gross +gross +grossed +grosser +grosses +grossest +grossing +grossly +grossness +grossness's +Gross's +gross's +Grosz +Grosz's +grotesque +grotesquely +grotesqueness +grotesqueness's +grotesque's +grotesques +Grotius +Grotius's +grottier +grottiest +grotto +grottoes +grotto's +grotty +grouch +grouched +grouches +grouchier +grouchiest +grouchily +grouchiness +grouchiness's +grouching +grouch's +grouchy +ground +groundbreaking +groundbreaking's +groundbreakings +groundcloth +groundcloths +grounded +grounder +grounder's +grounders +groundhog +groundhog's +groundhogs +grounding +grounding's +groundings +groundless +groundlessly +groundnut +groundnut's +groundnuts +ground's +grounds +groundsheet +groundsheets +groundskeeper +groundskeepers +groundsman +groundsmen +groundswell +groundswell's +groundswells +groundwater +groundwater's +groundwork +groundwork's +group +grouped +grouper +grouper's +groupers +groupie +groupie's +groupies +grouping +grouping's +groupings +group's +groups +groupware +groupware's +grouse +groused +grouser +grouser's +grousers +grouse's +grouses +grousing +grout +grouted +grouting +grout's +grouts +grove +grovel +groveled +groveler +groveler's +grovelers +groveling +grovelled +grovelling +grovels +Grover +Grover's +grove's +groves +grow +grower +grower's +growers +growing +growl +growled +growler +growler's +growlers +growling +growl's +growls +grown +grownup +grownup's +grownups +grows +growth +growth's +growths +Grozny +grub +grubbed +grubber +grubber's +grubbers +grubbier +grubbiest +grubbily +grubbiness +grubbiness's +grubbing +grubby +grub's +grubs +grubstake +grubstake's +grudge +grudged +grudge's +grudges +grudging +grudgingly +grue +gruel +grueling +gruelingly +gruelings +gruel's +grues +gruesome +gruesomely +gruesomeness +gruesomeness's +gruesomer +gruesomest +gruff +gruffer +gruffest +gruffly +gruffness +gruffness's +grumble +grumbled +grumbler +grumbler's +grumblers +grumble's +grumbles +grumbling +grumblings +Grumman +Grumman's +grump +grumpier +grumpiest +grumpily +grumpiness +grumpiness's +grump's +grumps +grumpy +Grundy +Grundy's +Grunewald +Grunewald's +grunge +grunge's +grunges +grungier +grungiest +grungy +grunion +grunion's +grunions +grunt +grunted +grunting +grunt's +grunts +Grus +Grus's +Gruyere +Gruyere's +Gruyeres +Gruyère +Gruyère's +G's +gs +GSA +gt +GTE +Göteborg +Göteborg's +GTE's +GU +guacamole +guacamole's +Guadalajara +Guadalajara's +Guadalcanal +Guadalcanal's +Guadalquivir +Guadalquivir's +Guadalupe +Guadalupe's +Guadeloupe +Guadeloupe's +Guallatiri +Guallatiri's +Guam +Guamanian +Guam's +Guangzhou +Guangzhou's +guanine +guanine's +guano +guano's +Guantanamo +Guantanamo's +Guarani +guarani +Guarani's +guarani's +guaranis +guarantee +guaranteed +guaranteeing +guarantee's +guarantees +guarantied +guaranties +guarantor +guarantor's +guarantors +guaranty +guarantying +guaranty's +guard +guarded +guardedly +guarder +guarder's +guarders +guardhouse +guardhouse's +guardhouses +guardian +guardian's +guardians +guardianship +guardianship's +guarding +guardrail +guardrail's +guardrails +guardroom +guardroom's +guardrooms +guard's +guards +guardsman +guardsman's +guardsmen +Guarnieri +Guarnieri's +Guatemala +Guatemalan +Guatemalan's +Guatemalans +Guatemala's +guava +guava's +guavas +Guayaquil +Guayaquil's +gubernatorial +Gucci +Gucci's +Guelph +Guelph's +Guernsey +Guernsey's +Guernseys +Guerra +Guerra's +Guerrero +Guerrero's +guerrilla +guerrilla's +guerrillas +guess +guessable +guessed +guesser +guesser's +guessers +guesses +guessing +guess's +guesstimate +guesstimated +guesstimate's +guesstimates +guesstimating +guesswork +guesswork's +guest +guestbook +guestbook's +guestbooks +guested +guesthouse +guesthouses +guesting +guestroom +guestrooms +guest's +guests +Guevara +Guevara's +guff +guffaw +guffawed +guffawing +guffaw's +guffaws +guff's +Guggenheim +Guggenheim's +GUI +Guiana +Guiana's +guidance +guidance's +guide +guidebook +guidebook's +guidebooks +guided +guideline +guideline's +guidelines +guidepost +guidepost's +guideposts +guider +guider's +guiders +guide's +guides +guiding +Guido +guild +guilder +guilder's +guilders +guildhall +guildhall's +guildhalls +guild's +guilds +guile +guileful +guileless +guilelessly +guilelessness +guilelessness's +guile's +guillemot +guillemots +Guillermo +Guillermo's +guillotine +guillotined +guillotine's +guillotines +guillotining +guilt +guiltier +guiltiest +guiltily +guiltiness +guiltiness's +guiltless +guilt's +guilty +Guinea +guinea +Guinean +Guinean's +Guineans +Guinea's +guinea's +guineas +Guinevere +Guinevere's +Guinness +Guinness's +GUI's +guise +guise's +guises +guitar +guitarist +guitarist's +guitarists +guitar's +guitars +Guiyang +Guiyang's +Guizot +Guizot's +Gujarat +Gujarati +Gujarati's +Gujarat's +Gujranwala +Gujranwala's +gulag +gulag's +gulags +gulch +gulches +gulch's +gulden +gulden's +guldens +gulf +gulf's +gulfs +gull +Gullah +Gullah's +gulled +gullet +gullet's +gullets +gullibility +gullibility's +gullible +gullies +gulling +Gulliver +Gulliver's +gull's +gulls +gully +gully's +gulp +gulped +gulper +gulper's +gulpers +gulping +gulp's +gulps +gum +gumball +gumballs +Gumbel +Gumbel's +gumbo +gumboil +gumboil's +gumboils +gumboot +gumboots +gumbo's +gumbos +gumdrop +gumdrop's +gumdrops +gummed +gummier +gummiest +gumming +gummy +gumption +gumption's +gum's +gums +gumshoe +gumshoed +gumshoeing +gumshoe's +gumshoes +gun +gunboat +gunboat's +gunboats +gunfight +gunfighter +gunfighter's +gunfighters +gunfight's +gunfights +gunfire +gunfire's +gunge +gungy +gunk +gunk's +gunky +gunman +gunman's +gunmen +gunmetal +gunmetal's +gunned +gunnel +gunnel's +gunnels +gunner +gunner's +gunners +gunnery +gunnery's +gunning +gunny +gunny's +gunnysack +gunnysack's +gunnysacks +gunpoint +gunpoint's +gunpowder +gunpowder's +gunrunner +gunrunner's +gunrunners +gunrunning +gunrunning's +gun's +guns +gunship +gunship's +gunships +gunshot +gunshot's +gunshots +gunslinger +gunslinger's +gunslingers +gunsmith +gunsmith's +gunsmiths +Gunther +Gunther's +gunwale +gunwale's +gunwales +Guofeng +Guofeng's +guppies +guppy +guppy's +Gupta +Gupta's +gurgle +gurgled +gurgle's +gurgles +gurgling +Gurkha +Gurkha's +gurney +gurney's +gurneys +guru +guru's +gurus +Gus +gush +gushed +gusher +gusher's +gushers +gushes +gushier +gushiest +gushing +gushingly +gush's +gushy +Gus's +gusset +gusseted +gusseting +gusset's +gussets +gussied +gussies +gussy +gussying +gust +gustatory +Gustav +Gustavo +Gustavo's +Gustav's +Gustavus +Gustavus's +gusted +gustier +gustiest +gustily +gusting +gusto +gusto's +gust's +gusts +gusty +gut +Gutenberg +Gutenberg's +Guthrie +Guthrie's +Gutierrez +Gutierrez's +gutless +gutlessness +gutlessness's +gut's +guts +gutsier +gutsiest +gutsy +gutted +gutter +guttered +guttering +gutter's +gutters +guttersnipe +guttersnipe's +guttersnipes +guttier +guttiest +gutting +guttural +guttural's +gutturals +gutty +guv +guvnor +guvnors +guvs +Guy +guy +Guyana +Guyana's +Guyanese +Guyanese's +guyed +guying +Guy's +guy's +guys +Guzman +Guzman's +guzzle +guzzled +guzzler +guzzler's +guzzlers +guzzles +guzzling +Gwalior +Gwalior's +Gwen +Gwendoline +Gwendoline's +Gwendolyn +Gwendolyn's +Gwen's +Gwyn +Gwyn's +gym +gymkhana +gymkhana's +gymkhanas +gymnasium +gymnasium's +gymnasiums +gymnast +gymnastic +gymnastically +gymnastics +gymnastics's +gymnast's +gymnasts +gymnosperm +gymnosperm's +gymnosperms +gym's +gyms +gymslip +gymslips +gynecologic +gynecological +gynecologist +gynecologist's +gynecologists +gynecology +gynecology's +gyp +gypped +gypper +gypper's +gyppers +gypping +gyp's +gyps +Gypsies +gypsies +gypster +gypster's +gypsters +gypsum +gypsum's +Gypsy +gypsy +Gypsy's +gypsy's +gyrate +gyrated +gyrates +gyrating +gyration +gyration's +gyrations +gyrator +gyrator's +gyrators +gyrfalcon +gyrfalcon's +gyrfalcons +gyro +gyro's +gyros +gyroscope +gyroscope's +gyroscopes +gyroscopic +gyve +gyved +gyve's +gyves +gyving +H +h +Ha +ha +Haas +Haas's +Habakkuk +Habakkuk's +Haber +haberdasher +haberdasheries +haberdasher's +haberdashers +haberdashery +haberdashery's +Haber's +habiliment +habiliment's +habiliments +habit +habitability +habitability's +habitable +habitat +habitation +habitation's +habitations +habitat's +habitats +habit's +habits +habitué +habitual +habitually +habitualness +habitualness's +habituate +habituated +habituates +habituating +habituation +habituation's +habitue +habitue's +habitues +habitué's +habitués +hacienda +hacienda's +haciendas +hack +hacked +hacker +hacker's +hackers +hacking +hacking's +hackish +hackle +hackle's +hackles +hackney +hackneyed +hackneying +hackney's +hackneys +hack's +hacks +hacksaw +hacksaw's +hacksaws +hacktivist +hacktivist's +hacktivists +hackwork +hackwork's +had +Hadar +Hadar's +haddock +haddock's +haddocks +Hades +Hades's +hadn't +Hadrian +Hadrian's +hadst +Hafiz +Hafiz's +hafnium +hafnium's +haft +haft's +hafts +hag +Hagar +Hagar's +Haggai +Haggai's +haggard +haggardly +haggardness +haggardness's +haggis +haggises +haggish +haggis's +haggle +haggled +haggler +haggler's +hagglers +haggle's +haggles +haggling +Hagiographa +Hagiographa's +hagiographer +hagiographer's +hagiographers +hagiographies +hagiography +hagiography's +hag's +hags +Hague +Hague's +Hahn +hahnium +hahnium's +Hahn's +Haida +Haida's +Haidas +Haifa +Haifa's +haiku +haiku's +hail +hailed +hailing +hail's +hails +hailstone +hailstone's +hailstones +hailstorm +hailstorm's +hailstorms +Haiphong +Haiphong's +hair +hairball +hairball's +hairballs +hairband +hairbands +hairbreadth +hairbreadth's +hairbreadths +hairbrush +hairbrushes +hairbrush's +haircloth +haircloth's +haircut +haircut's +haircuts +hairdo +hairdo's +hairdos +hairdresser +hairdresser's +hairdressers +hairdressing +hairdressing's +hairdryer +hairdryer's +hairdryers +haired +hairgrip +hairgrips +hairier +hairiest +hairiness +hairiness's +hairless +hairlike +hairline +hairline's +hairlines +hairnet +hairnet's +hairnets +hairpiece +hairpiece's +hairpieces +hairpin +hairpin's +hairpins +hair's +hairs +hairsbreadth +hairsbreadth's +hairsbreadths +hairsplitter +hairsplitter's +hairsplitters +hairsplitting +hairsplitting's +hairspray +hairsprays +hairspring +hairspring's +hairsprings +hairstyle +hairstyle's +hairstyles +hairstylist +hairstylist's +hairstylists +hairy +Haiti +Haitian +Haitian's +Haitians +Haiti's +haj +hajj +hajjes +hajji +hajji's +hajjis +hajj's +hake +hake's +hakes +Hakka +Hakka's +Hakluyt +Hakluyt's +Hal +halal +halal's +halberd +halberd's +halberds +halcyon +Haldane +Haldane's +Hale +hale +Haleakala +Haleakala's +haled +haler +Hale's +hales +halest +Haley +Haley's +half +halfback +halfback's +halfbacks +halfhearted +halfheartedly +halfheartedness +halfheartedness's +halfpence +halfpennies +halfpenny +halfpenny's +half's +halftime +halftime's +halftimes +halftone +halftone's +halftones +halfway +halfwit +halfwit's +halfwits +halibut +halibut's +halibuts +Halifax +Halifax's +haling +halite +halite's +halitosis +halitosis's +Hall +hall +hallelujah +hallelujah's +hallelujahs +Halley +Halley's +Halliburton +Halliburton's +Hallie +Hallie's +Hallmark +hallmark +hallmarked +hallmarking +Hallmark's +hallmark's +hallmarks +halloo +hallooing +halloo's +halloos +hallow +hallowed +Halloween +Halloween's +Halloweens +hallowing +hallows +Hall's +hall's +halls +Hallstatt +Hallstatt's +hallucinate +hallucinated +hallucinates +hallucinating +hallucination +hallucination's +hallucinations +hallucinatory +hallucinogen +hallucinogenic +hallucinogenic's +hallucinogenics +hallucinogen's +hallucinogens +hallway +hallway's +hallways +halo +haloed +halogen +halogen's +halogens +haloing +Halon +halon +Halon's +halo's +halos +Hal's +Hals +Halsey +Halsey's +Hals's +halt +halted +halter +haltered +haltering +halterneck +halternecks +halter's +halters +halting +haltingly +halt's +halts +halve +halved +halves +halving +halyard +halyard's +halyards +Ham +ham +Haman +Haman's +Hamburg +hamburg +hamburger +hamburger's +hamburgers +Hamburg's +Hamburgs +hamburg's +hamburgs +Hamhung +Hamhung's +Hamilcar +Hamilcar's +Hamill +Hamill's +Hamilton +Hamiltonian +Hamiltonian's +Hamilton's +Hamitic +Hamitic's +Hamlet +hamlet +Hamlet's +hamlet's +hamlets +Hamlin +Hamlin's +Hammarskjold +Hammarskjold's +hammed +hammer +hammered +hammerer +hammerer's +hammerers +hammerhead +hammerhead's +hammerheads +hammering +hammerings +hammerlock +hammerlock's +hammerlocks +hammer's +hammers +Hammerstein +Hammerstein's +hammertoe +hammertoe's +hammertoes +Hammett +Hammett's +hammier +hammiest +hamming +hammock +hammock's +hammocks +Hammond +Hammond's +Hammurabi +Hammurabi's +hammy +hamper +hampered +hampering +hamper's +hampers +Hampshire +Hampshire's +Hampton +Hampton's +Ham's +ham's +hams +hamster +hamster's +hamsters +hamstring +hamstringing +hamstring's +hamstrings +hamstrung +Hamsun +Hamsun's +Han +Hancock +Hancock's +hand +handbag +handbag's +handbags +handball +handball's +handballs +handbarrow +handbarrow's +handbarrows +handbill +handbill's +handbills +handbook +handbook's +handbooks +handbrake +handbrakes +handcar +handcar's +handcars +handcart +handcart's +handcarts +handclasp +handclasp's +handclasps +handcraft +handcrafted +handcrafting +handcraft's +handcrafts +handcuff +handcuffed +handcuffing +handcuff's +handcuffs +handed +handedness +Handel +Handel's +handful +handful's +handfuls +handgun +handgun's +handguns +handheld +handheld's +handhelds +handhold +handhold's +handholds +handicap +handicapped +handicapper +handicapper's +handicappers +handicapping +handicap's +handicaps +handicraft +handicraft's +handicrafts +handier +handiest +handily +handiness +handiness's +handing +handiwork +handiwork's +handkerchief +handkerchief's +handkerchiefs +handle +handlebar +handlebar's +handlebars +handled +handler +handler's +handlers +handle's +handles +handling +handmade +handmaid +handmaiden +handmaiden's +handmaidens +handmaid's +handmaids +handout +handout's +handouts +handover +handovers +handpick +handpicked +handpicking +handpicks +handrail +handrail's +handrails +hand's +hands +handsaw +handsaw's +handsaws +handset +handset's +handsets +handshake +handshake's +handshakes +handshaking +handshakings +handsome +handsomely +handsomeness +handsomeness's +handsomer +handsomest +handspring +handspring's +handsprings +handstand +handstand's +handstands +handwork +handwork's +handwoven +handwriting +handwriting's +handwritten +Handy +handy +handyman +handyman's +handymen +Handy's +Haney +Haney's +hang +hangar +hangar's +hangars +hangdog +hanged +hanger +hanger's +hangers +hanging +hanging's +hangings +hangman +hangman's +hangmen +hangnail +hangnail's +hangnails +hangout +hangout's +hangouts +hangover +hangover's +hangovers +hang's +hangs +Hangul +Hangul's +hangup +hangup's +hangups +Hangzhou +Hangzhou's +Hank +hank +hanker +hankered +hankering +hankering's +hankerings +hankers +hankie +hankie's +hankies +Hank's +hank's +hanks +Hanna +Hannah +Hannah's +Hanna's +Hannibal +Hannibal's +Hanoi +Hanoi's +Hanover +Hanoverian +Hanoverian's +Hanover's +Han's +Hans +Hansel +Hansel's +Hansen +Hansen's +hansom +hansom's +hansoms +Hanson +Hanson's +Hans's +Hanuka +Hanukkah +Hanukkah's +Hanukkahs +hap +haphazard +haphazardly +haphazardness +haphazardness's +hapless +haplessly +haplessness +haplessness's +haploid +haploid's +haploids +haply +happen +happened +happening +happening's +happenings +happens +happenstance +happenstance's +happenstances +happier +happiest +happily +happiness +happiness's +happy +hap's +Hapsburg +Hapsburg's +harangue +harangued +harangue's +harangues +haranguing +Harare +Harare's +harass +harassed +harasser +harasser's +harassers +harasses +harassing +harassment +harassment's +Harbin +harbinger +harbinger's +harbingers +Harbin's +harbor +harbored +harboring +harbormaster +harbormasters +harbor's +harbors +hard +hardback +hardback's +hardbacks +hardball +hardball's +hardboard +hardboard's +hardbound +hardcore +hardcover +hardcover's +hardcovers +harden +hardened +hardener +hardener's +hardeners +hardening +hardens +harder +hardest +hardhat +hardhat's +hardhats +hardheaded +hardheadedly +hardheadedness +hardheadedness's +hardhearted +hardheartedly +hardheartedness +hardheartedness's +hardier +hardiest +hardihood +hardihood's +hardily +Hardin +hardiness +hardiness's +Harding +Harding's +Hardin's +hardliner +hardliner's +hardliners +hardly +hardness +hardness's +hardscrabble +hardship +hardship's +hardships +hardstand +hardstand's +hardstands +hardtack +hardtack's +hardtop +hardtop's +hardtops +hardware +hardware's +hardwired +hardwood +hardwood's +hardwoods +hardworking +Hardy +hardy +Hardy's +hare +harebell +harebell's +harebells +harebrained +hared +harelip +harelipped +harelip's +harelips +harem +harem's +harems +hare's +hares +Hargreaves +Hargreaves's +haricot +haricots +haring +hark +harked +harking +harks +Harlan +Harlan's +Harlem +Harlem's +Harlequin +harlequin +Harlequin's +harlequin's +harlequins +Harley +Harley's +harlot +harlotry +harlotry's +harlot's +harlots +Harlow +Harlow's +harm +harmed +harmful +harmfully +harmfulness +harmfulness's +harming +harmless +harmlessly +harmlessness +harmlessness's +Harmon +harmonic +harmonica +harmonically +harmonica's +harmonicas +harmonic's +harmonics +harmonies +harmonious +harmoniously +harmoniousness +harmoniousness's +harmonium +harmonium's +harmoniums +harmonization +harmonization's +harmonize +harmonized +harmonizer +harmonizer's +harmonizers +harmonizes +harmonizing +Harmon's +harmony +harmony's +harm's +harms +harness +harnessed +harnesses +harnessing +harness's +Harold +Harold's +harp +harped +Harper +Harper's +Harpies +harpies +harping +harpist +harpist's +harpists +harpoon +harpooned +harpooner +harpooner's +harpooners +harpooning +harpoon's +harpoons +harp's +harps +harpsichord +harpsichordist +harpsichordist's +harpsichordists +harpsichord's +harpsichords +Harpy +harpy +Harpy's +harpy's +Harrell +Harrell's +harridan +harridan's +harridans +harried +harrier +harrier's +harriers +harries +Harriet +Harriet's +Harriett +Harriett's +Harrington +Harrington's +Harris +Harrisburg +Harrisburg's +Harrison +Harrison's +Harris's +Harrods +Harrods's +harrow +harrowed +harrowing +harrow's +harrows +harrumph +harrumphed +harrumphing +harrumphs +Harry +harry +harrying +Harry's +harsh +harsher +harshest +harshly +harshness +harshness's +Hart +hart +Harte +Harte's +Hartford +Hartford's +Hartline +Hartline's +Hartman +Hartman's +Hart's +hart's +harts +Harvard +Harvard's +harvest +harvested +harvester +harvester's +harvesters +harvesting +harvest's +harvests +Harvey +Harvey's +Ha's +has +Hasbro +Hasbro's +hash +hashed +hashes +hashing +hashish +hashish's +hash's +hashtag +hashtag's +hashtags +Hasidim +Hasidim's +Haskell +Haskell's +hasn't +hasp +hasp's +hasps +hassle +hassled +hassle's +hassles +hassling +hassock +hassock's +hassocks +hast +haste +hasted +hasten +hastened +hastening +hastens +haste's +hastes +hastier +hastiest +hastily +hastiness +hastiness's +hasting +Hastings +Hastings's +hasty +hat +hatband +hatbands +hatbox +hatboxes +hatbox's +hatch +hatchback +hatchback's +hatchbacks +hatcheck +hatcheck's +hatchecks +hatched +hatcheries +hatchery +hatchery's +hatches +hatchet +hatchet's +hatchets +hatching +hatching's +hatch's +hatchway +hatchway's +hatchways +hate +hated +hateful +hatefully +hatefulness +hatefulness's +hatemonger +hatemonger's +hatemongers +hater +hater's +haters +hate's +hates +Hatfield +Hatfield's +hath +Hathaway +Hathaway's +hating +hatpin +hatpins +hatred +hatred's +hatreds +hat's +hats +Hatsheput +Hatsheput's +hatstand +hatstands +hatted +hatter +Hatteras +Hatteras's +hatter's +hatters +Hattie +Hattie's +hatting +hauberk +hauberk's +hauberks +haughtier +haughtiest +haughtily +haughtiness +haughtiness's +haughty +haul +haulage +haulage's +hauled +hauler +hauler's +haulers +haulier +hauliers +hauling +haul's +hauls +haunch +haunches +haunch's +haunt +haunted +haunter +haunter's +haunters +haunting +hauntingly +haunt's +haunts +Hauptmann +Hauptmann's +Hausa +Hausa's +Hausdorff +Hausdorff's +hauteur +hauteur's +Havana +Havana's +Havanas +Havarti +Havarti's +have +Havel +Havel's +haven +haven's +havens +haven't +haversack +haversack's +haversacks +have's +haves +having +havoc +havoc's +Havoline +Havoline's +Haw +haw +Hawaii +Hawaiian +Hawaiian's +Hawaiians +Hawaii's +hawed +hawing +hawk +hawked +hawker +hawker's +hawkers +Hawking +hawking +Hawking's +Hawkins +Hawkins's +hawkish +hawkishness +hawkishness's +Hawks +hawk's +hawks +haw's +haws +hawser +hawser's +hawsers +hawthorn +Hawthorne +Hawthorne's +hawthorn's +hawthorns +Hay +hay +haycock +haycock's +haycocks +Hayden +Hayden's +Haydn +Haydn's +hayed +Hayek +Hayek's +Hayes +Hayes's +haying +hayloft +hayloft's +haylofts +haymaker +haymakers +haymaking +haymow +haymow's +haymows +Haynes +Haynes's +hayrick +hayrick's +hayricks +hayride +hayride's +hayrides +Hay's +Hays +hay's +hays +hayseed +hayseed's +hayseeds +Hays's +haystack +haystack's +haystacks +Hayward +Hayward's +haywire +Haywood +Haywood's +Hayworth +Hayworth's +hazard +hazarded +hazarding +hazardous +hazardously +hazard's +hazards +haze +hazed +Hazel +hazel +hazelnut +hazelnut's +hazelnuts +Hazel's +hazel's +hazels +hazer +hazer's +hazers +haze's +hazes +hazier +haziest +hazily +haziness +haziness's +hazing +hazing's +hazings +Hazlitt +Hazlitt's +hazmat +hazy +HBO +HBO's +HDD +HDMI +hdqrs +HDTV +He +he +Head +head +headache +headache's +headaches +headband +headband's +headbands +headbanger +headbangers +headbanging +headboard +headboard's +headboards +headbutt +headbutted +headbutting +headbutts +headcase +headcases +headcheese +headcount +headcounts +headdress +headdresses +headdress's +headed +header +header's +headers +headfirst +headgear +headgear's +headhunt +headhunted +headhunter +headhunter's +headhunters +headhunting +headhunting's +headhunts +headier +headiest +headily +headiness +headiness's +heading +heading's +headings +headlamp +headlamp's +headlamps +headland +headland's +headlands +headless +headlight +headlight's +headlights +headline +headlined +headliner +headliner's +headliners +headline's +headlines +headlining +headlock +headlock's +headlocks +headlong +headman +headman's +headmaster +headmaster's +headmasters +headmen +headmistress +headmistresses +headmistress's +headphone +headphone's +headphones +headpiece +headpiece's +headpieces +headpin +headpin's +headpins +headquarter +headquartered +headquartering +headquarters +headquarters's +headrest +headrest's +headrests +headroom +headroom's +Head's +head's +heads +headscarf +headscarves +headset +headset's +headsets +headship +headship's +headships +headshrinker +headshrinker's +headshrinkers +headsman +headsman's +headsmen +headstall +headstall's +headstalls +headstand +headstand's +headstands +headstone +headstone's +headstones +headstrong +headteacher +headteachers +headwaiter +headwaiter's +headwaiters +headwaters +headwaters's +headway +headway's +headwind +headwind's +headwinds +headword +headword's +headwords +heady +heal +healed +healer +healer's +healers +healing +heals +health +healthcare +healthful +healthfully +healthfulness +healthfulness's +healthier +healthiest +healthily +healthiness +healthiness's +health's +healthy +heap +heaped +heaping +heap's +heaps +hear +heard +hearer +hearer's +hearers +hearing +hearing's +hearings +hearken +hearkened +hearkening +hearkens +hears +hearsay +hearsay's +hearse +hearse's +hearses +Hearst +Hearst's +heart +heartache +heartache's +heartaches +heartbeat +heartbeat's +heartbeats +heartbreak +heartbreaking +heartbreak's +heartbreaks +heartbroken +heartburn +heartburn's +hearten +heartened +heartening +heartens +heartfelt +hearth +hearthrug +hearthrugs +hearth's +hearths +hearthstone +hearthstone's +hearthstones +heartier +hearties +heartiest +heartily +heartiness +heartiness's +heartland +heartland's +heartlands +heartless +heartlessly +heartlessness +heartlessness's +heartrending +heartrendingly +heart's +hearts +heartsick +heartsickness +heartsickness's +heartstrings +heartstrings's +heartthrob +heartthrob's +heartthrobs +heartwarming +heartwood +heartwood's +hearty +hearty's +heat +heated +heatedly +heater +heater's +heaters +Heath +heath +heathen +heathendom +heathendom's +heathenish +heathenism +heathenism's +heathen's +heathens +Heather +heather +Heather's +heather's +Heath's +heath's +heaths +heating +heating's +heatproof +heat's +heats +heatstroke +heatstroke's +heatwave +heatwaves +heave +heaved +heaven +heavenlier +heavenliest +heavenly +heaven's +heavens +heavens's +heavenward +heavenwards +heaver +heaver's +heavers +heave's +heaves +heavier +heavies +heaviest +heavily +heaviness +heaviness's +heaving +Heaviside +Heaviside's +heavy +heavyhearted +heavy's +heavyset +heavyweight +heavyweight's +heavyweights +Heb +Hebe +Hebert +Hebert's +Hebe's +Hebraic +Hebraic's +Hebraism +Hebraism's +Hebraisms +Hebrew +Hebrew's +Hebrews +Hebrews's +Hebrides +Hebrides's +Hecate +Hecate's +heck +heckle +heckled +heckler +heckler's +hecklers +heckle's +heckles +heckling +heckling's +heck's +hectare +hectare's +hectares +hectic +hectically +hectogram +hectogram's +hectograms +hectometer +hectometer's +hectometers +Hector +hector +hectored +hectoring +Hector's +hector's +hectors +Hecuba +Hecuba's +he'd +hedge +hedged +hedgehog +hedgehog's +hedgehogs +hedgehop +hedgehopped +hedgehopping +hedgehops +hedger +hedgerow +hedgerow's +hedgerows +hedger's +hedgers +hedge's +hedges +hedging +hedonism +hedonism's +hedonist +hedonistic +hedonist's +hedonists +heed +heeded +heedful +heedfully +heeding +heedless +heedlessly +heedlessness +heedlessness's +heed's +heeds +heehaw +heehawed +heehawing +heehaw's +heehaws +heel +heeled +heeling +heelless +heel's +heels +Heep +Heep's +Hefner +Hefner's +heft +hefted +heftier +heftiest +heftily +heftiness +heftiness's +hefting +heft's +hefts +hefty +Hegel +Hegelian +Hegelian's +Hegel's +hegemonic +hegemony +hegemony's +Hegira +hegira +Hegira's +hegira's +hegiras +Heidegger +Heidegger's +Heidelberg +Heidelberg's +Heidi +Heidi's +heifer +heifer's +heifers +Heifetz +Heifetz's +height +heighten +heightened +heightening +heightens +height's +heights +Heimlich +Heimlich's +Heine +Heineken +Heineken's +Heine's +Heinlein +Heinlein's +heinous +heinously +heinousness +heinousness's +Heinrich +Heinrich's +Heinz +Heinz's +heir +heiress +heiresses +heiress's +heirloom +heirloom's +heirlooms +heir's +heirs +Heisenberg +Heisenberg's +Heisman +Heisman's +heist +heisted +heisting +heist's +heists +held +Helen +Helena +Helena's +Helene +Helene's +Helen's +Helga +Helga's +helical +helices +Helicon +Helicon's +helicopter +helicoptered +helicoptering +helicopter's +helicopters +heliocentric +Heliopolis +Heliopolis's +Helios +Helios's +heliotrope +heliotrope's +heliotropes +helipad +helipads +heliport +heliport's +heliports +helium +helium's +helix +helix's +he'll +hell +hellbent +hellcat +hellcat's +hellcats +hellebore +hellebore's +Hellene +Hellene's +Hellenes +Hellenic +Hellenic's +Hellenism +Hellenism's +Hellenisms +Hellenist +Hellenistic +Hellenistic's +Hellenization +Hellenization's +Hellenize +Hellenize's +Heller +Heller's +Hellespont +Hellespont's +hellfire +hellhole +hellhole's +hellholes +hellion +hellion's +hellions +hellish +hellishly +hellishness +hellishness's +Hellman +Hellman's +hello +hello's +hellos +hell's +helluva +helm +helmet +helmeted +helmet's +helmets +Helmholtz +Helmholtz's +helm's +helms +helmsman +helmsman's +helmsmen +Heloise +Heloise's +helot +helot's +helots +help +helped +helper +helper's +helpers +helpful +helpfully +helpfulness +helpfulness's +helping +helping's +helpings +helpless +helplessly +helplessness +helplessness's +helpline +helpline's +helplines +helpmate +helpmate's +helpmates +help's +helps +Helsinki +Helsinki's +helve +helve's +helves +Helvetian +Helvetius +Helvetius's +hem +hematite +hematite's +hematologic +hematological +hematologist +hematologist's +hematologists +hematology +hematology's +heme +heme's +Hemingway +Hemingway's +hemisphere +hemisphere's +hemispheres +hemispheric +hemispherical +hemline +hemline's +hemlines +hemlock +hemlock's +hemlocks +hemmed +hemmer +hemmer's +hemmers +hemming +hemoglobin +hemoglobin's +hemophilia +hemophiliac +hemophiliac's +hemophiliacs +hemophilia's +hemorrhage +hemorrhaged +hemorrhage's +hemorrhages +hemorrhagic +hemorrhaging +hemorrhoid +hemorrhoid's +hemorrhoids +hemostat +hemostat's +hemostats +hemp +hempen +hemp's +hem's +hems +hemstitch +hemstitched +hemstitches +hemstitching +hemstitch's +hen +hence +henceforth +henceforward +Hench +henchman +henchman's +henchmen +Hench's +Henderson +Henderson's +Hendrick +Hendrick's +Hendricks +Hendricks's +Hendrix +Hendrix's +Henley +Henley's +henna +hennaed +hennaing +henna's +hennas +Hennessy +Hennessy's +henpeck +henpecked +henpecking +henpecks +Henri +Henrietta +Henrietta's +Henrik +Henrik's +Henri's +Henry +Henry's +hen's +hens +Hensley +Hensley's +Henson +Henson's +hep +heparin +heparin's +hepatic +hepatitis +hepatitis's +hepatocyte +hepatocytes +Hepburn +Hepburn's +Hephaestus +Hephaestus's +hepper +heppest +Hepplewhite +Hepplewhite's +heptagon +heptagonal +heptagon's +heptagons +heptathlon +heptathlon's +heptathlons +her +Hera +Heracles +Heracles's +Heraclitus +Heraclitus's +Herakles +Herakles's +herald +heralded +heraldic +heralding +heraldry +heraldry's +herald's +heralds +Hera's +herb +herbaceous +herbage +herbage's +herbal +herbalist +herbalist's +herbalists +herbals +Herbart +Herbart's +Herbert +Herbert's +herbicidal +herbicide +herbicide's +herbicides +herbivore +herbivore's +herbivores +herbivorous +herb's +herbs +Herculaneum +Herculaneum's +Herculean +herculean +Hercules +Hercules's +herd +herded +Herder +herder +Herder's +herder's +herders +herding +herd's +herds +herdsman +herdsman's +herdsmen +here +hereabout +hereabouts +hereafter +hereafter's +hereafters +hereby +hereditary +heredity +heredity's +Hereford +Hereford's +Herefords +herein +hereinafter +hereof +hereon +Herero +Herero's +here's +heresies +heresy +heresy's +heretic +heretical +heretic's +heretics +hereto +heretofore +hereunder +hereunto +hereupon +herewith +Heriberto +Heriberto's +heritable +heritage +heritage's +heritages +Herman +Herman's +hermaphrodite +hermaphrodite's +hermaphrodites +hermaphroditic +Hermaphroditus +Hermaphroditus's +Hermes +Hermes's +hermetic +hermetical +hermetically +Herminia +Herminia's +hermit +Hermitage +hermitage +Hermitage's +hermitage's +hermitages +Hermite +Hermite's +hermit's +hermits +Hermosillo +Hermosillo's +Hernandez +Hernandez's +hernia +hernial +hernia's +hernias +herniate +herniated +herniates +herniating +herniation +herniation's +hero +Herod +Herodotus +Herodotus's +Herod's +heroes +heroic +heroically +heroics +heroics's +heroin +heroine +heroine's +heroines +heroin's +heroins +heroism +heroism's +heron +heron's +herons +hero's +herpes +herpes's +herpetologist +herpetologist's +herpetologists +herpetology +herpetology's +Herr +Herrera +Herrera's +Herrick +Herrick's +Herring +herring +herringbone +herringbone's +Herring's +herring's +herrings +Herr's +hers +Herschel +Herschel's +herself +Hersey +Hersey's +Hershel +Hershel's +Hershey +Hershey's +Hertz +hertz +Hertz's +hertz's +Hertzsprung +Hertzsprung's +Herzegovina +Herzegovina's +Herzl +Herzl's +He's +he's +hes +Heshvan +Heshvan's +Hesiod +Hesiod's +hesitance +hesitance's +hesitancy +hesitancy's +hesitant +hesitantly +hesitate +hesitated +hesitates +hesitating +hesitatingly +hesitation +hesitation's +hesitations +Hesperus +Hesperus's +Hess +Hesse +Hesse's +Hessian +hessian +Hessian's +Hess's +Hester +Hester's +Heston +Heston's +hetero +heterodox +heterodoxy +heterodoxy's +heterogeneity +heterogeneity's +heterogeneous +heterogeneously +hetero's +heteros +heterosexual +heterosexuality +heterosexuality's +heterosexually +heterosexual's +heterosexuals +Hettie +Hettie's +heuristic +heuristically +heuristic's +heuristics +heuristics's +hew +hewed +hewer +hewer's +hewers +hewing +Hewitt +Hewitt's +Hewlett +Hewlett's +hews +hex +hexadecimal +hexadecimals +hexagon +hexagonal +hexagon's +hexagons +hexagram +hexagram's +hexagrams +hexameter +hexameter's +hexameters +hexed +hexes +hexing +hex's +hey +heyday +heyday's +heydays +Heyerdahl +Heyerdahl's +Heywood +Heywood's +Hezbollah +Hezbollah's +Hezekiah +Hezekiah's +HF +Hf +hf +HF's +Hf's +Hg +Hg's +hgt +hgwy +HHS +HI +hi +Hialeah +Hialeah's +hiatus +hiatuses +hiatus's +Hiawatha +Hiawatha's +hibachi +hibachi's +hibachis +hibernate +hibernated +hibernates +hibernating +hibernation +hibernation's +hibernator +hibernator's +hibernators +Hibernia +Hibernian +Hibernia's +hibiscus +hibiscuses +hibiscus's +hiccough +hiccoughed +hiccoughing +hiccoughs +hiccup +hiccuped +hiccuping +hiccup's +hiccups +hick +hickey +hickey's +hickeys +Hickman +Hickman's +Hickok +Hickok's +hickories +hickory +hickory's +Hicks +hick's +hicks +Hicks's +hid +hidden +hide +hideaway +hideaway's +hideaways +hidebound +hided +hideous +hideously +hideousness +hideousness's +hideout +hideout's +hideouts +hider +hider's +hiders +hide's +hides +hiding +hiding's +hidings +hie +hied +hieing +hierarchic +hierarchical +hierarchically +hierarchies +hierarchy +hierarchy's +hieroglyph +hieroglyphic +hieroglyphic's +hieroglyphics +hieroglyph's +hieroglyphs +Hieronymus +Hieronymus's +hies +Higashiosaka +Higgins +Higgins's +high +highball +highball's +highballs +highborn +highboy +highboy's +highboys +highbrow +highbrow's +highbrows +highchair +highchair's +highchairs +higher +highers +highest +highfalutin +highhanded +highhandedly +highhandedness +highhandedness's +highland +Highlander +highlander +Highlander's +Highlanders +highlander's +highlanders +Highlands +highland's +highlands +highlight +highlighted +highlighter +highlighter's +highlighters +highlighting +highlight's +highlights +highly +Highness +highness +Highness's +highness's +highroad +highroad's +highroads +high's +highs +hightail +hightailed +hightailing +hightails +highway +highwayman +highwayman's +highwaymen +highway's +highways +hijab +hijab's +hijabs +hijack +hijacked +hijacker +hijacker's +hijackers +hijacking +hijacking's +hijackings +hijack's +hijacks +hike +hiked +hiker +hiker's +hikers +hike's +hikes +hiking +hiking's +Hilario +Hilario's +hilarious +hilariously +hilariousness +hilariousness's +hilarity +hilarity's +Hilary +Hilary's +Hilbert +Hilbert's +Hilda +Hilda's +Hildebrand +Hildebrand's +Hilfiger +Hilfiger's +Hill +hill +Hillary +Hillary's +hillbillies +hillbilly +hillbilly's +Hillel +Hillel's +hillier +hilliest +hilliness +hilliness's +hillock +hillock's +hillocks +Hill's +hill's +hills +hillside +hillside's +hillsides +hilltop +hilltop's +hilltops +hilly +hilt +Hilton +Hilton's +hilt's +hilts +him +Himalaya +Himalayan +Himalaya's +Himalayas +Himalayas's +Himmler +Himmler's +hims +himself +Hinayana +Hinayana's +hind +Hindemith +Hindemith's +Hindenburg +Hindenburg's +hinder +hindered +hindering +hinders +Hindi +Hindi's +hindmost +hindquarter +hindquarter's +hindquarters +hindrance +hindrance's +hindrances +hind's +hinds +hindsight +hindsight's +Hindu +Hinduism +Hinduism's +Hinduisms +Hindu's +Hindus +Hindustan +Hindustani +Hindustani's +Hindustanis +Hindustan's +Hines +Hines's +hing +hinge +hinged +hinge's +hinges +hinging +hings +hint +hinted +hinter +hinterland +hinterland's +hinterlands +hinter's +hinters +hinting +Hinton +Hinton's +hint's +hints +hip +hipbath +hipbaths +hipbone +hipbone's +hipbones +hiphuggers +hipness +hipness's +Hipparchus +Hipparchus's +hipped +hipper +hippest +hippie +hippie's +hippies +hipping +hippo +Hippocrates +Hippocrates's +Hippocratic +Hippocratic's +hippodrome +hippodrome's +hippodromes +hippopotamus +hippopotamuses +hippopotamus's +hippo's +hippos +hippy +hip's +hips +hipster +hipster's +hipsters +hiragana +Hiram +Hiram's +hire +hired +hireling +hireling's +hirelings +hire's +hires +hiring +Hirobumi +Hirobumi's +Hirohito +Hirohito's +Hiroshima +Hiroshima's +hirsute +hirsuteness +hirsuteness's +his +Hispanic +Hispanic's +Hispanics +Hispaniola +Hispaniola's +Hiss +hiss +hissed +hisses +hissing +Hiss's +hiss's +hist +histamine +histamine's +histamines +histogram +histogram's +histograms +histologist +histologist's +histologists +histology +histology's +historian +historian's +historians +historic +historical +historically +historicity +historicity's +histories +historiographer +historiographer's +historiographers +historiography +historiography's +history +history's +histrionic +histrionically +histrionics +histrionics's +hit +Hitachi +Hitachi's +hitch +Hitchcock +Hitchcock's +hitched +hitcher +hitcher's +hitchers +hitches +hitchhike +hitchhiked +hitchhiker +hitchhiker's +hitchhikers +hitchhike's +hitchhikes +hitchhiking +hitching +hitch's +hither +hitherto +Hitler +Hitler's +Hitlers +hit's +hits +hitter +hitter's +hitters +hitting +Hittite +Hittite's +Hittites +HIV +hive +hived +hive's +hives +hiving +HIV's +hiya +Héloise +Héloise's +HM +h'm +hmm +HMO +Hmong +Hmong's +HMO's +HMS +Ho +ho +hoagie +hoagie's +hoagies +hoard +hoarded +hoarder +hoarder's +hoarders +hoarding +hoarding's +hoardings +hoard's +hoards +hoarfrost +hoarfrost's +hoarier +hoariest +hoariness +hoariness's +hoarse +hoarsely +hoarseness +hoarseness's +hoarser +hoarsest +hoary +hoax +hoaxed +hoaxer +hoaxer's +hoaxers +hoaxes +hoaxing +hoax's +hob +Hobart +Hobart's +Hobbes +Hobbes's +hobbies +hobbit +hobbits +hobble +hobbled +hobbler +hobbler's +hobblers +hobble's +hobbles +hobbling +Hobbs +Hobbs's +hobby +hobbyhorse +hobbyhorse's +hobbyhorses +hobbyist +hobbyist's +hobbyists +hobby's +hobgoblin +hobgoblin's +hobgoblins +hobnail +hobnailed +hobnailing +hobnail's +hobnails +hobnob +hobnobbed +hobnobbing +hobnobs +hobo +hobo's +hobos +hob's +hobs +hock +hocked +hockey +hockey's +hocking +Hockney +Hockney's +hock's +hocks +hockshop +hockshop's +hockshops +hod +Hodge +hodgepodge +hodgepodge's +hodgepodges +Hodge's +Hodges +Hodges's +Hodgkin +Hodgkin's +hod's +hods +hoe +hoecake +hoecake's +hoecakes +hoed +hoedown +hoedown's +hoedowns +hoeing +hoer +hoer's +hoers +hoe's +hoes +Hoff +Hoffa +Hoffa's +Hoffman +Hoffman's +Hoff's +Hofstadter +Hofstadter's +hog +Hogan +hogan +Hogan's +hogan's +hogans +Hogarth +Hogarth's +hogback +hogback's +hogbacks +hogged +hogging +hoggish +hoggishly +hog's +hogs +hogshead +hogshead's +hogsheads +hogtie +hogtied +hogties +hogtying +Hogwarts +Hogwarts's +hogwash +hogwash's +Hohenlohe +Hohenlohe's +Hohenstaufen +Hohenstaufen's +Hohenzollern +Hohenzollern's +Hohhot +Hohhot's +Hohokam +Hohokam's +hoick +hoicked +hoicking +hoicks +hoist +hoisted +hoisting +hoist's +hoists +hoke +hoked +hokes +hokey +hokier +hokiest +hoking +Hokkaido +Hokkaido's +hokum +hokum's +Hokusai +Hokusai's +Holbein +Holbein's +Holcomb +Holcomb's +hold +holdall +holdalls +Holden +Holden's +Holder +holder +Holder's +holder's +holders +holding +holding's +holdings +holdout +holdout's +holdouts +holdover +holdover's +holdovers +hold's +holds +holdup +holdup's +holdups +hole +holed +hole's +holes +holey +Holiday +holiday +holidayed +holidaying +holidaymaker +holidaymakers +Holiday's +holiday's +holidays +holier +holiest +Holiness +holiness +holiness's +holing +holism +holistic +holistically +Holland +Hollander +Hollander's +Hollanders +Holland's +Hollands +holler +hollered +hollering +Hollerith +Hollerith's +holler's +hollers +Holley +Holley's +Hollie +Hollie's +hollies +Hollis +Hollis's +hollow +Holloway +Holloway's +hollowed +hollower +hollowest +hollowing +hollowly +hollowness +hollowness's +hollow's +hollows +Holly +holly +hollyhock +hollyhock's +hollyhocks +Holly's +holly's +Hollywood +Hollywood's +Holman +Holman's +Holmes +Holmes's +holmium +holmium's +Holocaust +holocaust +Holocaust's +holocaust's +holocausts +Holocene +Holocene's +hologram +hologram's +holograms +holograph +holographic +holograph's +holographs +holography +holography's +hols +Holst +Holstein +Holstein's +Holsteins +holster +holstered +holstering +holster's +holsters +Holst's +Holt +Holt's +holy +homage +homage's +homages +hombre +hombre's +hombres +homburg +homburg's +homburgs +home +homebodies +homebody +homebody's +homeboy +homeboy's +homeboys +homecoming +homecoming's +homecomings +homed +homegrown +homeland +homeland's +homelands +homeless +homelessness +homelessness's +homeless's +homelier +homeliest +homelike +homeliness +homeliness's +homely +homemade +homemaker +homemaker's +homemakers +homemaking +homemaking's +homeopath +homeopathic +homeopath's +homeopaths +homeopathy +homeopathy's +homeostasis +homeostasis's +homeostatic +homeowner +homeowner's +homeowners +homepage +homepage's +homepages +Homer +homer +homered +Homeric +Homeric's +homering +homeroom +homeroom's +homerooms +Homer's +homer's +homers +home's +homes +homeschooling +homeschooling's +homesick +homesickness +homesickness's +homespun +homespun's +homestead +homesteaded +homesteader +homesteader's +homesteaders +homesteading +homestead's +homesteads +homestretch +homestretches +homestretch's +hometown +hometown's +hometowns +homeward +homewards +homework +homeworker +homeworkers +homeworking +homework's +homewrecker +homewrecker's +homewreckers +homey +homeyness +homeyness's +homey's +homeys +homicidal +homicide +homicide's +homicides +homier +homiest +homiletic +homilies +homily +homily's +homing +hominid +hominid's +hominids +hominoid +hominoids +hominy +hominy's +homo +homoerotic +homogeneity +homogeneity's +homogeneous +homogeneously +homogenization +homogenization's +homogenize +homogenized +homogenizes +homogenizing +homograph +homograph's +homographs +homologous +homonym +homonym's +homonyms +homophobia +homophobia's +homophobic +homophone +homophone's +homophones +homo's +homos +homosexual +homosexuality +homosexuality's +homosexual's +homosexuals +Hon +hon +honcho +honcho's +honchos +Honda +Honda's +Honduran +Honduran's +Hondurans +Honduras +Honduras's +hone +Honecker +Honecker's +honed +honer +honer's +honers +hone's +hones +honest +honester +honestest +honestly +honesty +honesty's +honey +honeybee +honeybee's +honeybees +honeycomb +honeycombed +honeycombing +honeycomb's +honeycombs +honeydew +honeydew's +honeydews +honeyed +honeying +honeylocust +honeylocust's +honeymoon +honeymooned +honeymooner +honeymooner's +honeymooners +honeymooning +honeymoon's +honeymoons +honeypot +honeypots +honey's +honeys +honeysuckle +honeysuckle's +honeysuckles +Honeywell +Honeywell's +Hong +Honiara +Honiara's +honing +honk +honked +honker +honker's +honkers +honkies +honking +honk's +honks +honky +honky's +Honolulu +Honolulu's +honor +Honorable +honorable +honorableness +honorableness's +honorably +honorarily +honorarium +honorarium's +honorariums +honorary +honored +honoree +honoree's +honorees +honorer +honorer's +honorers +honorific +honorific's +honorifics +honoring +honor's +honors +hon's +hons +Honshu +Honshu's +hooch +hooch's +Hood +hood +hooded +hoodie +hoodie's +hoodies +hooding +hoodlum +hoodlum's +hoodlums +hoodoo +hoodooed +hoodooing +hoodoo's +hoodoos +Hood's +hood's +hoods +hoodwink +hoodwinked +hoodwinking +hoodwinks +hooey +hooey's +hoof +hoofed +hoofer +hoofers +hoofing +hoof's +hoofs +hook +hookah +hookah's +hookahs +Hooke +hooked +Hooker +hooker +Hooker's +hooker's +hookers +Hooke's +hooking +hook's +hooks +hookup +hookup's +hookups +hookworm +hookworm's +hookworms +hooky +hooky's +hooligan +hooliganism +hooliganism's +hooligan's +hooligans +hoop +hooped +Hooper +Hooper's +hooping +hoopla +hoopla's +hoop's +hoops +hooray +hoosegow +hoosegow's +hoosegows +Hoosier +Hoosier's +Hoosiers +hoot +hooted +hootenannies +hootenanny +hootenanny's +hooter +Hooters +hooter's +hooters +Hooters's +hooting +hoot's +hoots +Hoover +hoover +hoovered +hoovering +Hoover's +Hoovers +hoovers +hooves +hop +Hope +hope +hoped +hopeful +hopefully +hopefulness +hopefulness's +hopeful's +hopefuls +hopeless +hopelessly +hopelessness +hopelessness's +Hope's +hope's +hopes +Hopewell +Hopewell's +Hopi +hoping +Hopi's +Hopis +Hopkins +Hopkins's +hopped +Hopper +hopper +Hopper's +hopper's +hoppers +hopping +hop's +hops +hopscotch +hopscotched +hopscotches +hopscotching +hopscotch's +hora +Horace +Horace's +Horacio +Horacio's +hora's +horas +Horatio +Horatio's +horde +horded +horde's +hordes +hording +horehound +horehound's +horehounds +horizon +horizon's +horizons +horizontal +horizontally +horizontal's +horizontals +Hormel +Hormel's +hormonal +hormone +hormone's +hormones +Hormuz +Hormuz's +Horn +horn +hornblende +hornblende's +Hornblower +Hornblower's +Horne +horned +Horne's +hornet +hornet's +hornets +hornier +horniest +hornless +hornlike +hornpipe +hornpipe's +hornpipes +Horn's +horn's +horns +horny +horologic +horological +horologist +horologist's +horologists +horology +horology's +horoscope +horoscope's +horoscopes +Horowitz +Horowitz's +horrendous +horrendously +horrible +horribleness +horribleness's +horribly +horrid +horridly +horrific +horrifically +horrified +horrifies +horrify +horrifying +horrifyingly +horror +horror's +horrors +horse +horseback +horseback's +horsebox +horseboxes +horsed +horseflesh +horseflesh's +horseflies +horsefly +horsefly's +horsehair +horsehair's +horsehide +horsehide's +horselaugh +horselaugh's +horselaughs +horseless +horseman +horseman's +horsemanship +horsemanship's +horsemen +horseplay +horseplay's +horsepower +horsepower's +horseradish +horseradishes +horseradish's +horse's +horses +horseshit +horseshoe +horseshoed +horseshoeing +horseshoe's +horseshoes +horsetail +horsetail's +horsetails +horsetrading +horsewhip +horsewhipped +horsewhipping +horsewhip's +horsewhips +horsewoman +horsewoman's +horsewomen +horsey +horsier +horsiest +horsing +hortatory +Horthy +Horthy's +horticultural +horticulturalist +horticulturalists +horticulture +horticulture's +horticulturist +horticulturist's +horticulturists +Horton +Horton's +Horus +Horus's +Ho's +ho's +hos +hosanna +hosanna's +hosannas +hose +Hosea +Hosea's +hosed +hosepipe +hosepipes +hose's +hoses +hosier +hosier's +hosiers +hosiery +hosiery's +hosing +hosp +hospholipase +hospice +hospice's +hospices +hospitable +hospitably +hospital +hospitality +hospitality's +hospitalization +hospitalization's +hospitalizations +hospitalize +hospitalized +hospitalizes +hospitalizing +hospital's +hospitals +Host +host +hostage +hostage's +hostages +hosted +hostel +hosteled +hosteler +hosteler's +hostelers +hosteling +hostelries +hostelry +hostelry's +hostel's +hostels +hostess +hostessed +hostesses +hostessing +hostess's +hostile +hostilely +hostile's +hostiles +hostilities +hostilities's +hostility +hostility's +hosting +hostler +hostler's +hostlers +Host's +Hosts +host's +hosts +hot +hotbed +hotbed's +hotbeds +hotblooded +hotbox +hotboxes +hotbox's +hotcake +hotcake's +hotcakes +hotel +hotelier +hotelier's +hoteliers +hotel's +hotels +hotfoot +hotfooted +hotfooting +hotfoot's +hotfoots +hothead +hotheaded +hotheadedly +hotheadedness +hotheadedness's +hothead's +hotheads +hothouse +hothouse's +hothouses +hotkey +hotkeys +hotlink +hotlinks +hotly +hotness +hotness's +hotplate +hotplate's +hotplates +Hotpoint +Hotpoint's +hotpot +hotpots +hots +hotshot +hotshot's +hotshots +hots's +hotted +Hottentot +Hottentot's +Hottentots +hotter +hottest +hottie +hotties +hotting +Houdini +Houdini's +hound +hounded +hounding +hound's +hounds +hour +hourglass +hourglasses +hourglass's +houri +houri's +houris +hourly +hour's +hours +House +house +houseboat +houseboat's +houseboats +housebound +houseboy +houseboy's +houseboys +housebreak +housebreaker +housebreaker's +housebreakers +housebreaking +housebreaking's +housebreaks +housebroke +housebroken +houseclean +housecleaned +housecleaning +housecleaning's +housecleans +housecoat +housecoat's +housecoats +housed +houseflies +housefly +housefly's +houseful +houseful's +housefuls +household +householder +householder's +householders +household's +households +househusband +househusband's +househusbands +housekeeper +housekeeper's +housekeepers +housekeeping +housekeeping's +houselights +houselights's +housemaid +housemaid's +housemaids +houseman +houseman's +housemaster +housemasters +housemate +housemates +housemen +housemistress +housemistresses +housemother +housemother's +housemothers +houseparent +houseparent's +houseparents +houseplant +houseplant's +houseplants +houseproud +houseroom +House's +house's +houses +housetop +housetop's +housetops +housewares +housewares's +housewarming +housewarming's +housewarmings +housewife +housewifely +housewife's +housewives +housework +housework's +housing +housing's +housings +Housman +Housman's +Houston +Houston's +Houyhnhnm +Houyhnhnm's +HOV +hove +hovel +hovel's +hovels +hover +hovercraft +hovercraft's +hovered +hovering +hovers +Hovhaness +Hovhaness's +how +Howard +Howard's +howbeit +how'd +howdah +howdah's +howdahs +howdy +Howe +Howell +Howell's +Howells +Howells's +Howe's +however +howitzer +howitzer's +howitzers +howl +howled +howler +howler's +howlers +howling +howl's +howls +Howrah +how're +how's +hows +howsoever +hoyden +hoydenish +hoyden's +hoydens +Hoyle +Hoyle's +HP +hp +HP's +HPV +HQ +HQ's +HR +hr +HRH +Hrothgar +Hrothgar's +hrs +H's +HS +HSBC +HSBC's +HST +HT +ht +HTML +HTML's +Hts +HTTP +Huang +Huang's +huarache +huarache's +huaraches +hub +Hubbard +Hubbard's +hubbies +Hubble +Hubble's +hubbub +hubbub's +hubbubs +hubby +hubby's +hubcap +hubcap's +hubcaps +Huber +Huber's +Hubert +Hubert's +hubris +hubris's +hub's +hubs +Huck +huckleberries +huckleberry +huckleberry's +Huck's +huckster +huckstered +huckstering +hucksterism +hucksterism's +huckster's +hucksters +HUD +Huddersfield +huddle +huddled +huddle's +huddles +huddling +HUD's +Hudson +Hudson's +hue +hued +Huerta +Huerta's +hue's +hues +Huey +Huey's +Huff +huff +huffed +huffier +huffiest +huffily +huffiness +huffiness's +huffing +Huffman +Huffman's +Huff's +huff's +huffs +huffy +hug +huge +hugely +hugeness +hugeness's +huger +hugest +hugged +hugging +Huggins +Huggins's +Hugh +Hughes +Hughes's +Hugh's +Hugo +Hugo's +hug's +hugs +Huguenot +Huguenot's +Huguenots +huh +Hui +Hui's +Huitzilopotchli +Huitzilopotchli's +hula +hula's +hulas +hulk +hulking +hulk's +hulks +Hull +hull +hullabaloo +hullabaloo's +hullabaloos +hulled +huller +huller's +hullers +hulling +Hull's +hull's +hulls +hum +human +humane +humanely +humaneness +humaneness's +humaner +humanest +humanism +humanism's +humanist +humanistic +humanist's +humanists +humanitarian +humanitarianism +humanitarianism's +humanitarian's +humanitarians +humanities +humanities's +humanity +humanity's +humanization +humanization's +humanize +humanized +humanizer +humanizer's +humanizers +humanizes +humanizing +humankind +humankind's +humanly +humanness +humanness's +humanoid +humanoid's +humanoids +human's +humans +Humberto +Humberto's +humble +humbled +humbleness +humbleness's +humbler +humbler's +humblers +humbles +humblest +humbling +humblings +humbly +Humboldt +Humboldt's +humbug +humbugged +humbugging +humbug's +humbugs +humdinger +humdinger's +humdingers +humdrum +humdrum's +Hume +humeral +humeri +humerus +humerus's +Hume's +humid +humidification +humidification's +humidified +humidifier +humidifier's +humidifiers +humidifies +humidify +humidifying +humidity +humidity's +humidly +humidor +humidor's +humidors +humiliate +humiliated +humiliates +humiliating +humiliatingly +humiliation +humiliation's +humiliations +humility +humility's +hummed +Hummer +hummer +Hummer's +hummer's +hummers +humming +hummingbird +hummingbird's +hummingbirds +hummock +hummock's +hummocks +hummocky +hummus +hummus's +humongous +humor +humored +humoresque +humoring +humorist +humorist's +humorists +humorless +humorlessly +humorlessness +humorlessness's +humorous +humorously +humorousness +humorousness's +humor's +humors +hump +humpback +humpbacked +humpback's +humpbacks +humped +humph +humphed +humphing +Humphrey +Humphrey's +Humphreys +humphs +humping +hump's +humps +hum's +hums +humus +humus's +Humvee +Humvee's +Hun +hunch +hunchback +hunchbacked +hunchback's +hunchbacks +hunched +hunches +hunching +hunch's +hundred +hundredfold +hundred's +hundreds +hundredth +hundredth's +hundredths +hundredweight +hundredweight's +hundredweights +Hung +hung +Hungarian +Hungarian's +Hungarians +Hungary +Hungary's +hunger +hungered +hungering +hunger's +hungers +hungover +hungrier +hungriest +hungrily +hungriness +hungriness's +hungry +Hung's +hunk +hunker +hunkered +hunkering +hunkers +hunkier +hunkiest +hunk's +hunks +hunky +Hun's +Huns +Hunspell +Hunspell's +Hunt +hunt +hunted +Hunter +hunter +Hunter's +hunter's +hunters +hunting +hunting's +Huntington +Huntington's +Huntley +Huntley's +huntress +huntresses +huntress's +Hunt's +hunt's +hunts +huntsman +huntsman's +huntsmen +Huntsville +Huntsville's +hurdle +hurdled +hurdler +hurdler's +hurdlers +hurdle's +hurdles +hurdling +hurdling's +hurl +hurled +hurler +hurler's +hurlers +Hurley +Hurley's +hurling +hurling's +hurl's +hurls +Huron +Huron's +hurrah +hurrahed +hurrahing +hurrah's +hurrahs +hurricane +hurricane's +hurricanes +hurried +hurriedly +hurries +hurry +hurrying +hurry's +Hurst +Hurst's +hurt +hurtful +hurtfully +hurtfulness +hurtfulness's +hurting +hurtle +hurtled +hurtles +hurtling +hurt's +hurts +Hus +husband +husbanded +husbanding +husbandman +husbandman's +husbandmen +husbandry +husbandry's +husband's +husbands +hush +hushed +hushes +hushing +hush's +husk +husked +husker +husker's +huskers +huskier +huskies +huskiest +huskily +huskiness +huskiness's +husking +husk's +husks +husky +husky's +Hus's +hussar +hussar's +hussars +Hussein +Hussein's +Husserl +Husserl's +hussies +Hussite +Hussite's +hussy +hussy's +hustings +hustings's +hustle +hustled +hustler +hustler's +hustlers +hustle's +hustles +hustling +Huston +Huston's +hut +hutch +hutches +Hutchinson +Hutchinson's +hutch's +hut's +huts +Hutton +Hutton's +Hutu +Hutu's +Huxley +Huxley's +Huygens +Huygens's +huzzah +huzzahed +huzzahing +huzzah's +huzzahs +hwy +hyacinth +hyacinth's +hyacinths +Hyades +Hyades's +hybrid +hybridism +hybridism's +hybridization +hybridization's +hybridize +hybridized +hybridizes +hybridizing +hybrid's +hybrids +Hyde +Hyderabad +Hyderabad's +Hyde's +Hydra +hydra +hydrangea +hydrangea's +hydrangeas +hydrant +hydrant's +hydrants +Hydra's +hydra's +hydras +hydrate +hydrated +hydrate's +hydrates +hydrating +hydration +hydration's +hydraulic +hydraulically +hydraulics +hydraulics's +hydro +hydrocarbon +hydrocarbon's +hydrocarbons +hydrocephalus +hydrocephalus's +hydrodynamic +hydrodynamics +hydrodynamics's +hydroelectric +hydroelectrically +hydroelectricity +hydroelectricity's +hydrofoil +hydrofoil's +hydrofoils +hydrogen +hydrogenate +hydrogenated +hydrogenates +hydrogenating +hydrogenation +hydrogenation's +hydrogenous +hydrogen's +hydrologist +hydrologist's +hydrologists +hydrology +hydrology's +hydrolyses +hydrolysis +hydrolysis's +hydrolyze +hydrolyzed +hydrolyzes +hydrolyzing +hydrometer +hydrometer's +hydrometers +hydrometry +hydrometry's +hydrophilic +hydrophobia +hydrophobia's +hydrophobic +hydrophone +hydrophone's +hydrophones +hydroplane +hydroplaned +hydroplane's +hydroplanes +hydroplaning +hydroponic +hydroponically +hydroponics +hydroponics's +hydro's +hydrosphere +hydrosphere's +hydrotherapy +hydrotherapy's +hydrous +hydroxide +hydroxide's +hydroxides +hyena +hyena's +hyenas +hygiene +hygiene's +hygienic +hygienically +hygienist +hygienist's +hygienists +hygrometer +hygrometer's +hygrometers +hying +Hymen +hymen +hymeneal +Hymen's +hymen's +hymens +hymn +hymnal +hymnal's +hymnals +hymnbook +hymnbook's +hymnbooks +hymned +hymning +hymn's +hymns +hype +hyped +hyper +hyperactive +hyperactivity +hyperactivity's +hyperbola +hyperbola's +hyperbolas +hyperbole +hyperbole's +hyperbolic +hypercritical +hypercritically +hyperglycemia +hyperglycemia's +hyperinflation +Hyperion +Hyperion's +hyperlink +hyperlinked +hyperlinking +hyperlink's +hyperlinks +hypermarket +hypermarkets +hypermedia +hypermedia's +hyperparathyroidism +hypersensitive +hypersensitiveness +hypersensitiveness's +hypersensitivities +hypersensitivity +hypersensitivity's +hyperspace +hyperspaces +hypertension +hypertension's +hypertensive +hypertensive's +hypertensives +hypertext +hypertext's +hyperthyroid +hyperthyroidism +hyperthyroidism's +hyperthyroid's +hypertrophied +hypertrophies +hypertrophy +hypertrophying +hypertrophy's +hyperventilate +hyperventilated +hyperventilates +hyperventilating +hyperventilation +hyperventilation's +hype's +hypes +hyphen +hyphenate +hyphenated +hyphenate's +hyphenates +hyphenating +hyphenation +hyphenation's +hyphenations +hyphened +hyphening +hyphen's +hyphens +hyping +hypnoses +hypnosis +hypnosis's +hypnotherapist +hypnotherapists +hypnotherapy +hypnotherapy's +hypnotic +hypnotically +hypnotic's +hypnotics +hypnotism +hypnotism's +hypnotist +hypnotist's +hypnotists +hypnotize +hypnotized +hypnotizes +hypnotizing +hypo +hypoallergenic +hypochondria +hypochondriac +hypochondriac's +hypochondriacs +hypochondria's +hypocrisies +hypocrisy +hypocrisy's +hypocrite +hypocrite's +hypocrites +hypocritical +hypocritically +hypodermic +hypodermic's +hypodermics +hypoglycemia +hypoglycemia's +hypoglycemic +hypoglycemic's +hypoglycemics +hypo's +hypos +hypotenuse +hypotenuse's +hypotenuses +hypothalami +hypothalamus +hypothalamus's +hypothermia +hypothermia's +hypotheses +hypothesis +hypothesis's +hypothesize +hypothesized +hypothesizes +hypothesizing +hypothetical +hypothetically +hypothyroid +hypothyroidism +hypothyroidism's +hypothyroid's +hyssop +hyssop's +hysterectomies +hysterectomy +hysterectomy's +hysteresis +hysteria +hysteria's +hysteric +hysterical +hysterically +hysteric's +hysterics +hysterics's +Hyundai +Hyundai's +Hz +Hz's +I +i +IA +Ia +Iaccoca +Iaccoca's +Iago +Iago's +iamb +iambi +iambic +iambic's +iambics +iamb's +iambs +iambus +iambuses +iambus's +Ian +Ian's +Iapetus +Iapetus's +Ibadan +Ibadan's +Iberia +Iberian +Iberian's +Iberia's +ibex +ibexes +ibex's +ibid +ibidem +ibis +ibises +ibis's +Ibiza +Ibiza's +Iblis +Iblis's +IBM +IBM's +Ibo +Ibo's +Ibsen +Ibsen's +ibuprofen +ibuprofen's +Icahn +Icahn's +Icarus +Icarus's +ICBM +ICBM's +ICBMs +ICC +Ice +ice +iceberg +iceberg's +icebergs +iceboat +iceboat's +iceboats +icebound +icebox +iceboxes +icebox's +icebreaker +icebreaker's +icebreakers +icecap +icecap's +icecaps +iced +Iceland +Icelander +Icelander's +Icelanders +Icelandic +Icelandic's +Iceland's +iceman +iceman's +icemen +ice's +ices +ichthyologist +ichthyologist's +ichthyologists +ichthyology +ichthyology's +icicle +icicle's +icicles +icier +iciest +icily +iciness +iciness's +icing +icing's +icings +ickier +ickiest +icky +icon +iconic +iconoclasm +iconoclasm's +iconoclast +iconoclastic +iconoclast's +iconoclasts +iconography +iconography's +icon's +icons +ictus +ictus's +ICU +icy +I'd +ID +id +Ida +Idaho +Idahoan +Idahoan's +Idahoans +Idahoes +Idaho's +Idahos +Ida's +IDE +idea +ideal +idealism +idealism's +idealist +idealistic +idealistically +idealist's +idealists +idealization +idealization's +idealizations +idealize +idealized +idealizes +idealizing +ideally +ideal's +ideals +idea's +ideas +idem +idempotent +identical +identically +identifiable +identification +identification's +identifications +identified +identifier +identifiers +identifies +identify +identifying +identikit +identikits +identities +identity +identity's +ideogram +ideogram's +ideograms +ideograph +ideograph's +ideographs +ideological +ideologically +ideologies +ideologist +ideologist's +ideologists +ideologue +ideologue's +ideologues +ideology +ideology's +ides +ides's +idiocies +idiocy +idiocy's +idiom +idiomatic +idiomatically +idiom's +idioms +idiopathic +idiosyncrasies +idiosyncrasy +idiosyncrasy's +idiosyncratic +idiosyncratically +idiot +idiotic +idiotically +idiot's +idiots +idle +idled +idleness +idleness's +idler +idler's +idlers +idle's +idles +idlest +idling +idly +idol +idolater +idolater's +idolaters +idolatress +idolatresses +idolatress's +idolatrous +idolatry +idolatry's +idolization +idolization's +idolize +idolized +idolizes +idolizing +idol's +idols +ID's +IDs +id's +ids +idyll +idyllic +idyllically +idyll's +idylls +IE +IED +IEEE +Ieyasu +Ieyasu's +if +iffier +iffiest +iffiness +iffiness's +iffy +if's +ifs +igloo +igloo's +igloos +Ignacio +Ignacio's +Ignatius +Ignatius's +igneous +ignitable +ignite +ignited +ignites +igniting +ignition +ignition's +ignitions +ignoble +ignobly +ignominies +ignominious +ignominiously +ignominy +ignominy's +ignoramus +ignoramuses +ignoramus's +ignorance +ignorance's +ignorant +ignorantly +ignore +ignored +ignores +ignoring +Igor +Igor's +iguana +iguana's +iguanas +Iguassu +Iguassu's +ii +iii +Ijsselmeer +Ijsselmeer's +Ike +IKEA +IKEA's +Ike's +Ikhnaton +Ikhnaton's +IL +Ila +Ila's +ilea +ileitis +ileitis's +Ilene +Ilene's +ileum +ileum's +ilia +Iliad +Iliad's +Iliads +ilium +ilium's +ilk +ilk's +ilks +I'll +Ill +ill +illegal +illegalities +illegality +illegality's +illegally +illegal's +illegals +illegibility +illegibility's +illegible +illegibly +illegitimacy +illegitimacy's +illegitimate +illegitimately +illiberal +illiberality +illiberality's +illiberally +illicit +illicitly +illicitness +illicitness's +illimitable +Illinois +Illinoisan +Illinoisan's +Illinoisans +Illinois's +illiteracy +illiteracy's +illiterate +illiterately +illiterate's +illiterates +illness +illnesses +illness's +illogical +illogicality +illogicality's +illogically +ill's +ills +illuminable +illuminate +illuminated +illuminates +Illuminati +illuminating +illuminatingly +illumination +illumination's +illuminations +Illuminati's +illumine +illumined +illumines +illumining +illus +illusion +illusionist +illusionist's +illusionists +illusion's +illusions +illusive +illusory +illustrate +illustrated +illustrates +illustrating +illustration +illustration's +illustrations +illustrative +illustratively +illustrator +illustrator's +illustrators +illustrious +illustriously +illustriousness +illustriousness's +Ilyushin +Ilyushin's +I'm +image +imaged +imagery +imagery's +image's +images +imaginable +imaginably +imaginal +imaginary +imagination +imagination's +imaginations +imaginative +imaginatively +imagine +imagined +imagines +imaging +imagining +imaginings +imago +imagoes +imago's +imam +imam's +imams +imbalance +imbalanced +imbalance's +imbalances +imbecile +imbecile's +imbeciles +imbecilic +imbecilities +imbecility +imbecility's +imbibe +imbibed +imbiber +imbiber's +imbibers +imbibes +imbibing +imbrication +imbrication's +imbroglio +imbroglio's +imbroglios +imbue +imbued +imbues +imbuing +Imelda +Imelda's +IMF +IMF's +IMHO +Imhotep +Imhotep's +imitable +imitate +imitated +imitates +imitating +imitation +imitation's +imitations +imitative +imitatively +imitativeness +imitativeness's +imitator +imitator's +imitators +immaculate +immaculately +immaculateness +immaculateness's +immanence +immanence's +immanency +immanency's +immanent +immanently +immaterial +immateriality +immateriality's +immaterially +immaterialness +immaterialness's +immature +immaturely +immaturity +immaturity's +immeasurable +immeasurably +immediacies +immediacies's +immediacy +immediacy's +immediate +immediately +immediateness +immediateness's +immemorial +immemorially +immense +immensely +immensities +immensity +immensity's +immerse +immersed +immerses +immersible +immersing +immersion +immersion's +immersions +immersive +immigrant +immigrant's +immigrants +immigrate +immigrated +immigrates +immigrating +immigration +immigration's +imminence +imminence's +imminent +imminently +immobile +immobility +immobility's +immobilization +immobilization's +immobilize +immobilized +immobilizer +immobilizers +immobilizes +immobilizing +immoderate +immoderately +immodest +immodestly +immodesty +immodesty's +immolate +immolated +immolates +immolating +immolation +immolation's +immoral +immoralities +immorality +immorality's +immorally +immortal +immortality +immortality's +immortalize +immortalized +immortalizes +immortalizing +immortally +immortal's +immortals +immovability +immovability's +immovable +immovably +immune +immunity +immunity's +immunization +immunization's +immunizations +immunize +immunized +immunizes +immunizing +immunodeficiency +immunodeficiency's +immunodeficient +immunoglobulin +immunoglobulins +immunologic +immunological +immunologist +immunologist's +immunologists +immunology +immunology's +immure +immured +immures +immuring +immutability +immutability's +immutable +immutably +IMNSHO +IMO +Imodium +Imodium's +Imogene +Imogene's +imp +impact +impacted +impacting +impact's +impacts +impair +impaired +impairing +impairment +impairment's +impairments +impairs +impala +impala's +impalas +impale +impaled +impalement +impalement's +impales +impaling +impalpable +impalpably +impanel +impaneled +impaneling +impanels +impart +imparted +impartial +impartiality +impartiality's +impartially +imparting +imparts +impassable +impassably +impasse +impasse's +impasses +impassibility +impassibility's +impassible +impassibly +impassioned +impassive +impassively +impassiveness +impassiveness's +impassivity +impassivity's +impasto +impasto's +impatience +impatience's +impatiences +impatiens +impatiens's +impatient +impatiently +impeach +impeachable +impeached +impeacher +impeacher's +impeachers +impeaches +impeaching +impeachment +impeachment's +impeachments +impeccability +impeccability's +impeccable +impeccably +impecunious +impecuniously +impecuniousness +impecuniousness's +impedance +impedance's +impede +impeded +impedes +impediment +impedimenta +impedimenta's +impediment's +impediments +impeding +impel +impelled +impeller +impeller's +impellers +impelling +impels +impend +impended +impending +impends +impenetrability +impenetrability's +impenetrable +impenetrably +impenitence +impenitence's +impenitent +impenitently +imper +imperative +imperatively +imperative's +imperatives +imperceptibility +imperceptibility's +imperceptible +imperceptibly +imperceptive +imperf +imperfect +imperfection +imperfection's +imperfections +imperfectly +imperfectness +imperfectness's +imperfect's +imperfects +imperial +imperialism +imperialism's +imperialist +imperialistic +imperialistically +imperialist's +imperialists +imperially +imperial's +imperials +imperil +imperiled +imperiling +imperilment +imperilment's +imperils +imperious +imperiously +imperiousness +imperiousness's +imperishable +imperishably +impermanence +impermanence's +impermanent +impermanently +impermeability +impermeability's +impermeable +impermeably +impermissible +impersonal +impersonally +impersonate +impersonated +impersonates +impersonating +impersonation +impersonation's +impersonations +impersonator +impersonator's +impersonators +impertinence +impertinence's +impertinences +impertinent +impertinently +imperturbability +imperturbability's +imperturbable +imperturbably +impervious +imperviously +impetigo +impetigo's +impetuosity +impetuosity's +impetuous +impetuously +impetuousness +impetuousness's +impetus +impetuses +impetus's +impieties +impiety +impiety's +impinge +impinged +impingement +impingement's +impinges +impinging +impious +impiously +impiousness +impiousness's +impish +impishly +impishness +impishness's +implacability +implacability's +implacable +implacably +implant +implantable +implantation +implantation's +implanted +implanting +implant's +implants +implausibilities +implausibility +implausibility's +implausible +implausibly +implement +implementable +implementation +implementation's +implementations +implemented +implementer +implementing +implement's +implements +implicate +implicated +implicates +implicating +implication +implication's +implications +implicit +implicitly +implicitness +implicitness's +implied +implies +implode +imploded +implodes +imploding +implore +implored +implores +imploring +imploringly +implosion +implosion's +implosions +implosive +imply +implying +impolite +impolitely +impoliteness +impolitenesses +impoliteness's +impolitic +imponderable +imponderable's +imponderables +import +importable +importance +importance's +important +importantly +importation +importation's +importations +imported +importer +importer's +importers +importing +import's +imports +importunate +importunately +importune +importuned +importunes +importuning +importunity +importunity's +impose +imposed +imposer +imposer's +imposers +imposes +imposing +imposingly +imposition +imposition's +impositions +impossibilities +impossibility +impossibility's +impossible +impossibles +impossibly +impost +impostor +impostor's +impostors +impost's +imposts +imposture +imposture's +impostures +impotence +impotence's +impotency +impotency's +impotent +impotently +impound +impounded +impounding +impounds +impoverish +impoverished +impoverishes +impoverishing +impoverishment +impoverishment's +impracticability +impracticable +impracticably +impractical +impracticality +impracticality's +impractically +imprecate +imprecated +imprecates +imprecating +imprecation +imprecation's +imprecations +imprecise +imprecisely +impreciseness +impreciseness's +imprecision +imprecision's +impregnability +impregnability's +impregnable +impregnably +impregnate +impregnated +impregnates +impregnating +impregnation +impregnation's +impresario +impresario's +impresarios +impress +impressed +impresses +impressibility +impressibility's +impressible +impressing +impression +impressionability +impressionability's +impressionable +impressionism +impressionism's +impressionist +impressionistic +impressionist's +impressionists +impression's +impressions +impressive +impressively +impressiveness +impressiveness's +impress's +imprimatur +imprimatur's +imprimaturs +imprint +imprinted +imprinter +imprinter's +imprinters +imprinting +imprint's +imprints +imprison +imprisoned +imprisoning +imprisonment +imprisonment's +imprisonments +imprisons +improbabilities +improbability +improbability's +improbable +improbably +impromptu +impromptu's +impromptus +improper +improperly +improprieties +impropriety +impropriety's +improvable +improve +improved +improvement +improvement's +improvements +improves +improvidence +improvidence's +improvident +improvidently +improving +improvisation +improvisational +improvisation's +improvisations +improvise +improvised +improviser +improviser's +improvisers +improvises +improvising +imprudence +imprudence's +imprudent +imprudently +imp's +imps +impudence +impudence's +impudent +impudently +impugn +impugned +impugner +impugner's +impugners +impugning +impugns +impulse +impulsed +impulse's +impulses +impulsing +impulsion +impulsion's +impulsive +impulsively +impulsiveness +impulsiveness's +impunity +impunity's +impure +impurely +impurer +impurest +impurities +impurity +impurity's +imputable +imputation +imputation's +imputations +impute +imputed +imputes +imputing +Imus +Imus's +IN +In +in +Ina +inabilities +inability +inability's +inaccessibility +inaccessibility's +inaccessible +inaccessibly +inaccuracies +inaccuracy +inaccuracy's +inaccurate +inaccurately +inaction +inaction's +inactivate +inactivated +inactivates +inactivating +inactivation +inactivation's +inactive +inactively +inactivity +inactivity's +inadequacies +inadequacy +inadequacy's +inadequate +inadequately +inadmissibility +inadmissibility's +inadmissible +inadvertence +inadvertence's +inadvertent +inadvertently +inadvisability +inadvisability's +inadvisable +inalienability +inalienability's +inalienable +inalienably +inamorata +inamorata's +inamoratas +inane +inanely +inaner +inanest +inanimate +inanimately +inanimateness +inanimateness's +inanities +inanity +inanity's +inapplicable +inappreciable +inappreciably +inapproachable +inappropriate +inappropriately +inappropriateness +inappropriateness's +inapt +inaptly +inaptness +inaptness's +inarguable +inarticulacy +inarticulate +inarticulately +inarticulateness +inarticulateness's +inartistic +Ina's +inasmuch +inattention +inattention's +inattentive +inattentively +inattentiveness +inattentiveness's +inaudibility +inaudibility's +inaudible +inaudibly +inaugural +inaugural's +inaugurals +inaugurate +inaugurated +inaugurates +inaugurating +inauguration +inauguration's +inaugurations +inauspicious +inauspiciously +inauthentic +inboard +inboard's +inboards +inborn +inbound +inbox +inboxes +inbox's +inbred +inbreed +inbreeding +inbreeding's +inbreeds +inbuilt +Inc +inc +Inca +incalculable +incalculably +incandescence +incandescence's +incandescent +incandescently +incantation +incantation's +incantations +incapability +incapability's +incapable +incapably +incapacitate +incapacitated +incapacitates +incapacitating +incapacity +incapacity's +incarcerate +incarcerated +incarcerates +incarcerating +incarceration +incarceration's +incarcerations +incarnadine +incarnadined +incarnadines +incarnadining +incarnate +incarnated +incarnates +incarnating +incarnation +incarnation's +incarnations +Inca's +Incas +incautious +incautiously +inced +incendiaries +incendiary +incendiary's +incense +incensed +incense's +incenses +incensing +incentive +incentive's +incentives +inception +inception's +inceptions +incertitude +incertitude's +incessant +incessantly +incest +incest's +incestuous +incestuously +incestuousness +incestuousness's +inch +inched +inches +inching +inchoate +Inchon +Inchon's +inch's +inchworm +inchworm's +inchworms +incidence +incidence's +incidences +incident +incidental +incidentally +incidental's +incidentals +incident's +incidents +incinerate +incinerated +incinerates +incinerating +incineration +incineration's +incinerator +incinerator's +incinerators +incing +incipience +incipience's +incipient +incipiently +incise +incised +incises +incising +incision +incision's +incisions +incisive +incisively +incisiveness +incisiveness's +incisor +incisor's +incisors +incite +incited +incitement +incitement's +incitements +inciter +inciter's +inciters +incites +inciting +incivilities +incivility +incivility's +incl +inclemency +inclemency's +inclement +inclination +inclination's +inclinations +incline +inclined +incline's +inclines +inclining +include +included +includes +including +inclusion +inclusion's +inclusions +inclusive +inclusively +inclusiveness +inclusiveness's +incognito +incognito's +incognitos +incoherence +incoherence's +incoherent +incoherently +incombustible +income +incomer +incomers +income's +incomes +incoming +incommensurate +incommensurately +incommode +incommoded +incommodes +incommoding +incommodious +incommunicable +incommunicado +incomparable +incomparably +incompatibilities +incompatibility +incompatibility's +incompatible +incompatible's +incompatibles +incompatibly +incompetence +incompetence's +incompetency +incompetency's +incompetent +incompetently +incompetent's +incompetents +incomplete +incompletely +incompleteness +incompleteness's +incomprehensibility +incomprehensibility's +incomprehensible +incomprehensibly +incomprehension +incomprehension's +inconceivability +inconceivability's +inconceivable +inconceivably +inconclusive +inconclusively +inconclusiveness +inconclusiveness's +incongruities +incongruity +incongruity's +incongruous +incongruously +incongruousness +incongruousness's +inconsequential +inconsequentially +inconsiderable +inconsiderate +inconsiderately +inconsiderateness +inconsiderateness's +inconsideration +inconsideration's +inconsistencies +inconsistency +inconsistency's +inconsistent +inconsistently +inconsolable +inconsolably +inconspicuous +inconspicuously +inconspicuousness +inconspicuousness's +inconstancy +inconstancy's +inconstant +inconstantly +incontestability +incontestability's +incontestable +incontestably +incontinence +incontinence's +incontinent +incontrovertible +incontrovertibly +inconvenience +inconvenienced +inconvenience's +inconveniences +inconveniencing +inconvenient +inconveniently +incorporate +Incorporated +incorporated +incorporates +incorporating +incorporation +incorporation's +incorporeal +incorrect +incorrectly +incorrectness +incorrectness's +incorrigibility +incorrigibility's +incorrigible +incorrigibly +incorruptibility +incorruptibility's +incorruptible +incorruptibly +increase +increased +increase's +increases +increasing +increasingly +incredibility +incredibility's +incredible +incredibly +incredulity +incredulity's +incredulous +incredulously +increment +incremental +incrementalism +incrementalist +incrementalist's +incrementalists +incrementally +incremented +increment's +increments +incriminate +incriminated +incriminates +incriminating +incrimination +incrimination's +incriminatory +incrustation +incrustation's +incrustations +incs +incubate +incubated +incubates +incubating +incubation +incubation's +incubator +incubator's +incubators +incubus +incubuses +incubus's +inculcate +inculcated +inculcates +inculcating +inculcation +inculcation's +inculpable +inculpate +inculpated +inculpates +inculpating +incumbencies +incumbency +incumbency's +incumbent +incumbent's +incumbents +incunabula +incunabulum +incunabulum's +incur +incurable +incurable's +incurables +incurably +incurious +incurred +incurring +incurs +incursion +incursion's +incursions +Ind +ind +indebted +indebtedness +indebtedness's +indecencies +indecency +indecency's +indecent +indecently +indecipherable +indecision +indecision's +indecisive +indecisively +indecisiveness +indecisiveness's +indecorous +indecorously +indeed +indefatigable +indefatigably +indefeasible +indefeasibly +indefensible +indefensibly +indefinable +indefinably +indefinite +indefinitely +indefiniteness +indefiniteness's +indelible +indelibly +indelicacies +indelicacy +indelicacy's +indelicate +indelicately +indemnification +indemnification's +indemnifications +indemnified +indemnifies +indemnify +indemnifying +indemnities +indemnity +indemnity's +indemonstrable +indent +indentation +indentation's +indentations +indented +indenting +indention +indention's +indent's +indents +indenture +indentured +indenture's +indentures +indenturing +Independence +independence +Independence's +independence's +independent +independently +independent's +independents +indescribable +indescribably +indestructibility +indestructibility's +indestructible +indestructibly +indeterminable +indeterminably +indeterminacy +indeterminacy's +indeterminate +indeterminately +index +indexation +indexation's +indexations +indexed +indexer +indexer's +indexers +indexes +indexing +index's +India +Indian +Indiana +Indianan +Indianan's +Indianans +Indianapolis +Indianapolis's +Indiana's +Indianian +Indian's +Indians +India's +indicate +indicated +indicates +indicating +indication +indication's +indications +indicative +indicatively +indicative's +indicatives +indicator +indicator's +indicators +indices +indict +indictable +indicted +indicting +indictment +indictment's +indictments +indicts +indie +Indies +indies +Indies's +indifference +indifference's +indifferent +indifferently +indigence +indigence's +indigenous +indigent +indigently +indigent's +indigents +indigestible +indigestion +indigestion's +indignant +indignantly +indignation +indignation's +indignities +indignity +indignity's +indigo +indigo's +Indira +Indira's +indirect +indirection +indirection's +indirectly +indirectness +indirectness's +indiscernible +indiscipline +indiscreet +indiscreetly +indiscretion +indiscretion's +indiscretions +indiscriminate +indiscriminately +indispensability +indispensability's +indispensable +indispensable's +indispensables +indispensably +indisposed +indisposition +indisposition's +indispositions +indisputable +indisputably +indissolubility +indissoluble +indissolubly +indistinct +indistinctly +indistinctness +indistinctness's +indistinguishable +indistinguishably +indite +indited +indites +inditing +indium +indium's +individual +individualism +individualism's +individualist +individualistic +individualistically +individualist's +individualists +individuality +individuality's +individualization +individualization's +individualize +individualized +individualizes +individualizing +individually +individual's +individuals +individuate +individuated +individuates +individuating +individuation +individuation's +indivisibility +indivisibility's +indivisible +indivisibly +Indochina +Indochina's +Indochinese +Indochinese's +indoctrinate +indoctrinated +indoctrinates +indoctrinating +indoctrination +indoctrination's +indolence +indolence's +indolent +indolently +indomitable +indomitably +Indonesia +Indonesian +Indonesian's +Indonesians +Indonesia's +indoor +indoors +Indore +Indore's +Indra +Indra's +indubitable +indubitably +induce +induced +inducement +inducement's +inducements +inducer +inducer's +inducers +induces +inducing +induct +inductance +inductance's +inducted +inductee +inductee's +inductees +inducting +induction +induction's +inductions +inductive +inductively +inducts +indulge +indulged +indulgence +indulgence's +indulgences +indulgent +indulgently +indulges +indulging +Indus +Indus's +industrial +industrialism +industrialism's +industrialist +industrialist's +industrialists +industrialization +industrialization's +industrialize +industrialized +industrializes +industrializing +industrially +industries +industrious +industriously +industriousness +industriousness's +industry +industry's +indwell +indwelling +indwells +indwelt +Indy +Indy's +inebriate +inebriated +inebriate's +inebriates +inebriating +inebriation +inebriation's +inedible +ineducable +ineffability +ineffability's +ineffable +ineffably +ineffective +ineffectively +ineffectiveness +ineffectiveness's +ineffectual +ineffectually +inefficacy +inefficacy's +inefficiencies +inefficiency +inefficiency's +inefficient +inefficiently +inelastic +inelegance +inelegance's +inelegant +inelegantly +ineligibility +ineligibility's +ineligible +ineligible's +ineligibles +ineligibly +ineluctable +ineluctably +inept +ineptitude +ineptitude's +ineptly +ineptness +ineptness's +inequalities +inequality +inequality's +inequitable +inequitably +inequities +inequity +inequity's +ineradicable +inerrant +inert +inertia +inertial +inertia's +inertly +inertness +inertness's +Ines +inescapable +inescapably +Ines's +inessential +inessential's +inessentials +inestimable +inestimably +inevitability +inevitability's +inevitable +inevitable's +inevitably +inexact +inexactly +inexactness +inexactness's +inexcusable +inexcusably +inexhaustible +inexhaustibly +inexorability +inexorable +inexorably +inexpedience +inexpedience's +inexpediency +inexpediency's +inexpedient +inexpensive +inexpensively +inexpensiveness +inexpensiveness's +inexperience +inexperienced +inexperience's +inexpert +inexpertly +inexpiable +inexplicable +inexplicably +inexpressible +inexpressibly +inexpressive +inextinguishable +inextricable +inextricably +Inez +Inez's +inf +infallibility +infallibility's +infallible +infallibly +infamies +infamous +infamously +infamy +infamy's +infancy +infancy's +infant +infanticide +infanticide's +infanticides +infantile +infantries +infantry +infantryman +infantryman's +infantrymen +infantry's +infant's +infants +infarct +infarction +infarction's +infarct's +infarcts +infatuate +infatuated +infatuates +infatuating +infatuation +infatuation's +infatuations +infeasible +infect +infected +infecting +infection +infection's +infections +infectious +infectiously +infectiousness +infectiousness's +infects +infelicities +infelicitous +infelicity +infelicity's +infer +inference +inference's +inferences +inferential +inferior +inferiority +inferiority's +inferior's +inferiors +infernal +infernally +inferno +inferno's +infernos +inferred +inferring +infers +infertile +infertility +infertility's +infest +infestation +infestation's +infestations +infested +infesting +infests +infidel +infidelities +infidelity +infidelity's +infidel's +infidels +infield +infielder +infielder's +infielders +infield's +infields +infighter +infighter's +infighters +infighting +infighting's +infill +infilled +infilling +infills +infiltrate +infiltrated +infiltrates +infiltrating +infiltration +infiltration's +infiltrator +infiltrator's +infiltrators +infinite +infinitely +infinite's +infinitesimal +infinitesimally +infinitesimal's +infinitesimals +infinities +infinitival +infinitive +infinitive's +infinitives +infinitude +infinitude's +infinity +infinity's +infirm +infirmaries +infirmary +infirmary's +infirmities +infirmity +infirmity's +infix +inflame +inflamed +inflames +inflaming +inflammability +inflammability's +inflammable +inflammation +inflammation's +inflammations +inflammatory +inflatable +inflatable's +inflatables +inflate +inflated +inflates +inflating +inflation +inflationary +inflation's +inflect +inflected +inflecting +inflection +inflectional +inflection's +inflections +inflects +inflexibility +inflexibility's +inflexible +inflexibly +inflict +inflicted +inflicting +infliction +infliction's +inflictive +inflicts +inflorescence +inflorescence's +inflorescent +inflow +inflow's +inflows +influence +influenced +influence's +influences +influencing +influential +influentially +influenza +influenza's +influx +influxes +influx's +info +infomercial +infomercial's +infomercials +inform +informal +informality +informality's +informally +informant +informant's +informants +informatics +information +informational +information's +informative +informatively +informativeness +informativeness's +informed +informer +informer's +informers +informing +informs +info's +infotainment +infotainment's +infra +infraction +infraction's +infractions +infrared +infrared's +infrasonic +infrastructural +infrastructure +infrastructure's +infrastructures +infrequence +infrequence's +infrequency +infrequency's +infrequent +infrequently +infringe +infringed +infringement +infringement's +infringements +infringes +infringing +infuriate +infuriated +infuriates +infuriating +infuriatingly +infuse +infused +infuser +infuser's +infusers +infuses +infusing +infusion +infusion's +infusions +ING +Inge +ingenious +ingeniously +ingeniousness +ingeniousness's +ingenue +ingenue's +ingenues +ingenuity +ingenuity's +ingenuous +ingenuously +ingenuousness +ingenuousness's +Inge's +ingest +ingested +ingesting +ingestion +ingestion's +ingests +inglenook +inglenook's +inglenooks +Inglewood +inglorious +ingloriously +ingénue +ingénue's +ingénues +ingot +ingot's +ingots +ingrain +ingrained +ingraining +ingrain's +ingrains +Ingram +Ingram's +ingrate +ingrate's +ingrates +ingratiate +ingratiated +ingratiates +ingratiating +ingratiatingly +ingratiation +ingratiation's +ingratitude +ingratitude's +ingredient +ingredient's +ingredients +Ingres +Ingres's +ingress +ingresses +ingress's +Ingrid +Ingrid's +ingrowing +ingrown +ING's +inguinal +inhabit +inhabitable +inhabitant +inhabitant's +inhabitants +inhabited +inhabiting +inhabits +inhalant +inhalant's +inhalants +inhalation +inhalation's +inhalations +inhalator +inhalator's +inhalators +inhale +inhaled +inhaler +inhaler's +inhalers +inhales +inhaling +inharmonious +inhere +inhered +inherent +inherently +inheres +inhering +inherit +inheritable +inheritance +inheritance's +inheritances +inherited +inheriting +inheritor +inheritor's +inheritors +inherits +inhibit +inhibited +inhibiting +inhibition +inhibition's +inhibitions +inhibitor +inhibitor's +inhibitors +inhibitory +inhibits +inhospitable +inhospitably +inhuman +inhumane +inhumanely +inhumanities +inhumanity +inhumanity's +inhumanly +inimical +inimically +inimitable +inimitably +iniquities +iniquitous +iniquitously +iniquity +iniquity's +initial +initialed +initialing +initialism +initialization +initialize +initialized +initializes +initializing +initially +initial's +initials +initiate +initiated +initiate's +initiates +initiating +initiation +initiation's +initiations +initiative +initiative's +initiatives +initiator +initiator's +initiators +initiatory +inject +injected +injecting +injection +injection's +injections +injector +injector's +injectors +injects +injudicious +injudiciously +injudiciousness +injudiciousness's +injunction +injunction's +injunctions +injure +injured +injurer +injurer's +injurers +injures +injuries +injuring +injurious +injury +injury's +injustice +injustice's +injustices +ink +inkblot +inkblot's +inkblots +inked +inkier +inkiest +inkiness +inkiness's +inking +inkling +inkling's +inklings +ink's +inks +inkstand +inkstand's +inkstands +inkwell +inkwell's +inkwells +inky +inlaid +inland +inland's +inlay +inlaying +inlay's +inlays +inlet +inlet's +inlets +inline +inmate +inmate's +inmates +inmost +inn +innards +innards's +innate +innately +innateness +innateness's +inner +innermost +innersole +innersole's +innersoles +innerspring +innervate +innervated +innervates +innervating +innervation +innervation's +inning +inning's +innings +innit +innkeeper +innkeeper's +innkeepers +innocence +innocence's +Innocent +innocent +innocently +Innocent's +innocent's +innocents +innocuous +innocuously +innocuousness +innocuousness's +innovate +innovated +innovates +innovating +innovation +innovation's +innovations +innovative +innovator +innovator's +innovators +innovatory +inn's +inns +Innsbruck +innuendo +innuendo's +innuendos +innumerable +innumerably +innumeracy +innumeracy's +innumerate +inoculate +inoculated +inoculates +inoculating +inoculation +inoculation's +inoculations +inoffensive +inoffensively +inoffensiveness +inoffensiveness's +Inonu +Inonu's +inoperable +inoperative +inopportune +inopportunely +inordinate +inordinately +inorganic +inorganically +inositol +inpatient +inpatient's +inpatients +input +input's +inputs +inputted +inputting +inquest +inquest's +inquests +inquietude +inquietude's +inquire +inquired +inquirer +inquirer's +inquirers +inquires +inquiries +inquiring +inquiringly +inquiry +inquiry's +Inquisition +inquisition +inquisitional +Inquisition's +inquisition's +inquisitions +inquisitive +inquisitively +inquisitiveness +inquisitiveness's +inquisitor +inquisitorial +inquisitor's +inquisitors +inquorate +INRI +inroad +inroad's +inroads +inrush +inrushes +inrush's +INS +In's +in's +ins +insalubrious +insane +insanely +insaner +insanest +insanitary +insanity +insanity's +insatiability +insatiability's +insatiable +insatiably +inscribe +inscribed +inscriber +inscriber's +inscribers +inscribes +inscribing +inscription +inscription's +inscriptions +inscrutability +inscrutability's +inscrutable +inscrutableness +inscrutableness's +inscrutably +inseam +inseam's +inseams +insect +insecticidal +insecticide +insecticide's +insecticides +insectivore +insectivore's +insectivores +insectivorous +insect's +insects +insecure +insecurely +insecurities +insecurity +insecurity's +inseminate +inseminated +inseminates +inseminating +insemination +insemination's +insensate +insensibility +insensibility's +insensible +insensibly +insensitive +insensitively +insensitivity +insensitivity's +insentience +insentience's +insentient +inseparability +inseparability's +inseparable +inseparable's +inseparables +inseparably +insert +inserted +inserting +insertion +insertion's +insertions +insert's +inserts +inset +inset's +insets +insetting +inshore +inside +insider +insider's +insiders +inside's +insides +insidious +insidiously +insidiousness +insidiousness's +insight +insightful +insight's +insights +insignia +insignia's +insignificance +insignificance's +insignificant +insignificantly +insincere +insincerely +insincerity +insincerity's +insinuate +insinuated +insinuates +insinuating +insinuation +insinuation's +insinuations +insinuative +insinuator +insinuator's +insinuators +insipid +insipidity +insipidity's +insipidly +insipidness +insist +insisted +insistence +insistence's +insistent +insistently +insisting +insistingly +insists +insobriety +insobriety's +insofar +insole +insolence +insolence's +insolent +insolently +insole's +insoles +insolubility +insolubility's +insoluble +insolubly +insolvable +insolvencies +insolvency +insolvency's +insolvent +insolvent's +insolvents +insomnia +insomniac +insomniac's +insomniacs +insomnia's +insomuch +insouciance +insouciance's +insouciant +inspect +inspected +inspecting +inspection +inspection's +inspections +inspector +inspectorate +inspectorate's +inspectorates +inspector's +inspectors +inspects +inspiration +inspirational +inspiration's +inspirations +inspire +inspired +inspires +inspiring +inspirit +inspirited +inspiriting +inspirits +Inst +inst +instabilities +instability +instability's +Instagram +Instagram's +install +installation +installation's +installations +installed +installer +installer's +installers +installing +installment +installment's +installments +installs +Instamatic +Instamatic's +instance +instanced +instance's +instances +instancing +instant +instantaneous +instantaneously +instanter +instantiate +instantiated +instantiates +instantiating +instantly +instant's +instants +instar +instate +instated +instates +instating +instead +instep +instep's +insteps +instigate +instigated +instigates +instigating +instigation +instigation's +instigator +instigator's +instigators +instill +instillation +instillation's +instilled +instilling +instills +instinct +instinctive +instinctively +instinct's +instincts +instinctual +institute +instituted +instituter +instituter's +instituters +institute's +institutes +instituting +institution +institutional +institutionalization +institutionalization's +institutionalize +institutionalized +institutionalizes +institutionalizing +institutionally +institution's +institutions +instr +instruct +instructed +instructing +instruction +instructional +instruction's +instructions +instructive +instructively +instructor +instructor's +instructors +instructs +instrument +instrumental +instrumentalist +instrumentalist's +instrumentalists +instrumentality +instrumentality's +instrumentally +instrumental's +instrumentals +instrumentation +instrumentation's +instrumented +instrumenting +instrument's +instruments +insubordinate +insubordination +insubordination's +insubstantial +insubstantially +insufferable +insufferably +insufficiency +insufficiency's +insufficient +insufficiently +insular +insularity +insularity's +insulate +insulated +insulates +insulating +insulation +insulation's +insulator +insulator's +insulators +insulin +insulin's +insult +insulted +insulting +insultingly +insult's +insults +insuperable +insuperably +insupportable +insurable +insurance +insurance's +insurances +insure +insured +insured's +insureds +insurer +insurer's +insurers +insures +insurgence +insurgence's +insurgences +insurgencies +insurgency +insurgency's +insurgent +insurgent's +insurgents +insuring +insurmountable +insurmountably +insurrection +insurrectionist +insurrectionist's +insurrectionists +insurrection's +insurrections +insusceptible +int +intact +intaglio +intaglio's +intaglios +intake +intake's +intakes +intangibility +intangibility's +intangible +intangible's +intangibles +intangibly +integer +integer's +integers +integral +integrally +integral's +integrals +integrate +integrated +integrates +integrating +integration +integration's +integrative +integrator +integrity +integrity's +integument +integument's +integuments +Intel +intellect +intellect's +intellects +intellectual +intellectualism +intellectualism's +intellectualize +intellectualized +intellectualizes +intellectualizing +intellectually +intellectual's +intellectuals +intelligence +intelligence's +intelligent +intelligently +intelligentsia +intelligentsia's +intelligibility +intelligibility's +intelligible +intelligibly +Intel's +Intelsat +Intelsat's +intemperance +intemperance's +intemperate +intemperately +intend +intended +intended's +intendeds +intending +intends +intense +intensely +intenser +intensest +intensification +intensification's +intensified +intensifier +intensifier's +intensifiers +intensifies +intensify +intensifying +intensities +intensity +intensity's +intensive +intensively +intensiveness +intensiveness's +intensive's +intensives +intent +intention +intentional +intentionally +intention's +intentions +intently +intentness +intentness's +intent's +intents +inter +interact +interacted +interacting +interaction +interaction's +interactions +interactive +interactively +interactivity +interacts +interbred +interbreed +interbreeding +interbreeds +intercede +interceded +intercedes +interceding +intercept +intercepted +intercepting +interception +interception's +interceptions +interceptor +interceptor's +interceptors +intercept's +intercepts +intercession +intercession's +intercessions +intercessor +intercessor's +intercessors +intercessory +interchange +interchangeability +interchangeable +interchangeably +interchanged +interchange's +interchanges +interchanging +intercity +intercollegiate +intercom +intercommunicate +intercommunicated +intercommunicates +intercommunicating +intercommunication +intercommunication's +intercom's +intercoms +interconnect +interconnected +interconnecting +interconnection +interconnection's +interconnections +interconnects +intercontinental +intercourse +intercourse's +intercultural +interdenominational +interdepartmental +interdependence +interdependence's +interdependent +interdependently +interdict +interdicted +interdicting +interdiction +interdiction's +interdict's +interdicts +interdisciplinary +interest +interested +interesting +interestingly +interest's +interests +interface +interfaced +interface's +interfaces +interfacing +interfaith +interfere +interfered +interference +interference's +interferes +interfering +interferon +interferon's +interfile +interfiled +interfiles +interfiling +intergalactic +intergovernmental +interim +interim's +interior +interior's +interiors +interj +interject +interjected +interjecting +interjection +interjection's +interjections +interjects +interlace +interlaced +interlaces +interlacing +interlard +interlarded +interlarding +interlards +interleave +interleaved +interleaves +interleaving +interleukin +interleukin's +interline +interlinear +interlined +interlines +interlining +interlining's +interlinings +interlink +interlinked +interlinking +interlinks +interlock +interlocked +interlocking +interlock's +interlocks +interlocutor +interlocutor's +interlocutors +interlocutory +interlope +interloped +interloper +interloper's +interlopers +interlopes +interloping +interlude +interluded +interlude's +interludes +interluding +intermarriage +intermarriage's +intermarriages +intermarried +intermarries +intermarry +intermarrying +intermediaries +intermediary +intermediary's +intermediate +intermediately +intermediate's +intermediates +interment +interment's +interments +intermezzi +intermezzo +intermezzo's +intermezzos +interminable +interminably +intermingle +intermingled +intermingles +intermingling +intermission +intermission's +intermissions +intermittent +intermittently +intermix +intermixed +intermixes +intermixing +intern +internal +internalization +internalization's +internalize +internalized +internalizes +internalizing +internally +internals +international +Internationale +Internationale's +internationalism +internationalism's +internationalist +internationalist's +internationalists +internationalization +internationalize +internationalized +internationalizes +internationalizing +internationally +international's +internationals +internecine +interned +internee +internee's +internees +Internet +internet +Internet's +Internets +interning +internist +internist's +internists +internment +internment's +intern's +interns +internship +internship's +internships +interoffice +interpenetrate +interpenetrated +interpenetrates +interpenetrating +interpenetration +interpersonal +interplanetary +interplay +interplay's +Interpol +interpolate +interpolated +interpolates +interpolating +interpolation +interpolation's +interpolations +Interpol's +interpose +interposed +interposes +interposing +interposition +interposition's +interpret +interpretation +interpretation's +interpretations +interpretative +interpreted +interpreter +interpreter's +interpreters +interpreting +interpretive +interprets +interracial +interred +interregnum +interregnum's +interregnums +interrelate +interrelated +interrelates +interrelating +interrelation +interrelation's +interrelations +interrelationship +interrelationship's +interrelationships +interring +interrogate +interrogated +interrogates +interrogating +interrogation +interrogation's +interrogations +interrogative +interrogatively +interrogative's +interrogatives +interrogator +interrogatories +interrogator's +interrogators +interrogatory +interrogatory's +interrupt +interrupted +interrupter +interrupter's +interrupters +interrupting +interruption +interruption's +interruptions +interrupt's +interrupts +inters +interscholastic +intersect +intersected +intersecting +intersection +intersection's +intersections +intersects +intersession +intersession's +intersessions +intersex +intersperse +interspersed +intersperses +interspersing +interspersion +interspersion's +interstate +interstate's +interstates +interstellar +interstice +interstice's +interstices +interstitial +intertwine +intertwined +intertwines +intertwining +interurban +interval +interval's +intervals +intervene +intervened +intervenes +intervening +intervention +interventionism +interventionism's +interventionist +interventionist's +interventionists +intervention's +interventions +interview +interviewed +interviewee +interviewee's +interviewees +interviewer +interviewer's +interviewers +interviewing +interview's +interviews +intervocalic +interwar +interweave +interweaves +interweaving +interwove +interwoven +intestacy +intestacy's +intestate +intestinal +intestine +intestine's +intestines +intimacies +intimacy +intimacy's +intimate +intimated +intimately +intimate's +intimates +intimating +intimation +intimation's +intimations +intimidate +intimidated +intimidates +intimidating +intimidatingly +intimidation +intimidation's +into +intolerable +intolerably +intolerance +intolerance's +intolerant +intolerantly +intonation +intonation's +intonations +intone +intoned +intoner +intoner's +intoners +intones +intoning +intoxicant +intoxicant's +intoxicants +intoxicate +intoxicated +intoxicates +intoxicating +intoxication +intoxication's +intracranial +intractability +intractability's +intractable +intractably +intramural +intramuscular +intranet +intranet's +intranets +intrans +intransigence +intransigence's +intransigent +intransigently +intransigent's +intransigents +intransitive +intransitively +intransitive's +intransitives +intrastate +intrauterine +intravenous +intravenouses +intravenously +intravenous's +intrepid +intrepidity +intrepidity's +intrepidly +intricacies +intricacy +intricacy's +intricate +intricately +intrigue +intrigued +intriguer +intriguer's +intriguers +intrigue's +intrigues +intriguing +intriguingly +intrinsic +intrinsically +intro +introduce +introduced +introduces +introducing +introduction +introduction's +introductions +introductory +introit +introit's +introits +intro's +intros +introspect +introspected +introspecting +introspection +introspection's +introspective +introspectively +introspects +introversion +introversion's +introvert +introverted +introvert's +introverts +intrude +intruded +intruder +intruder's +intruders +intrudes +intruding +intrusion +intrusion's +intrusions +intrusive +intrusively +intrusiveness +intrusiveness's +intuit +intuited +intuiting +intuition +intuition's +intuitions +intuitive +intuitively +intuitiveness +intuitiveness's +intuits +Inuit +Inuit's +Inuits +Inuktitut +Inuktitut's +inundate +inundated +inundates +inundating +inundation +inundation's +inundations +inure +inured +inures +inuring +invade +invaded +invader +invader's +invaders +invades +invading +invalid +invalidate +invalidated +invalidates +invalidating +invalidation +invalidation's +invalided +invaliding +invalidism +invalidism's +invalidity +invalidity's +invalidly +invalid's +invalids +invaluable +invaluably +Invar +invariability +invariability's +invariable +invariable's +invariables +invariably +invariant +Invar's +invasion +invasion's +invasions +invasive +invective +invective's +inveigh +inveighed +inveighing +inveighs +inveigle +inveigled +inveigler +inveigler's +inveiglers +inveigles +inveigling +invent +invented +inventing +invention +invention's +inventions +inventive +inventively +inventiveness +inventiveness's +inventor +inventoried +inventories +inventor's +inventors +inventory +inventorying +inventory's +invents +inverse +inversely +inverse's +inverses +inversion +inversion's +inversions +invert +invertebrate +invertebrate's +invertebrates +inverted +inverter +inverter's +inverters +inverting +invert's +inverts +invest +invested +investigate +investigated +investigates +investigating +investigation +investigation's +investigations +investigative +investigator +investigator's +investigators +investigatory +investing +investiture +investiture's +investitures +investment +investment's +investments +investor +investor's +investors +invests +inveteracy +inveteracy's +inveterate +invidious +invidiously +invidiousness +invidiousness's +invigilate +invigilated +invigilates +invigilating +invigilation +invigilator +invigilators +invigorate +invigorated +invigorates +invigorating +invigoratingly +invigoration +invigoration's +invincibility +invincibility's +invincible +invincibly +inviolability +inviolability's +inviolable +inviolably +inviolate +invisibility +invisibility's +invisible +invisibly +invitation +invitational +invitational's +invitationals +invitation's +invitations +invite +invited +invitee +invitee's +invitees +invite's +invites +inviting +invitingly +invocation +invocation's +invocations +invoice +invoiced +invoice's +invoices +invoicing +invoke +invoked +invokes +invoking +involuntarily +involuntariness +involuntariness's +involuntary +involution +involution's +involve +involved +involvement +involvement's +involvements +involves +involving +invulnerability +invulnerability's +invulnerable +invulnerably +inward +inwardly +inwards +Io +ioctl +iodide +iodide's +iodides +iodine +iodine's +iodize +iodized +iodizes +iodizing +ion +Ionesco +Ionesco's +Ionian +Ionian's +Ionians +Ionic +ionic +Ionic's +Ionics +ionization +ionization's +ionize +ionized +ionizer +ionizer's +ionizers +ionizes +ionizing +ionosphere +ionosphere's +ionospheres +ionospheric +ion's +ions +Io's +iota +iota's +iotas +IOU +IOU's +Iowa +Iowan +Iowan's +Iowans +Iowa's +Iowas +IP +IPA +iPad +iPad's +ipecac +ipecac's +ipecacs +Iphigenia +Iphigenia's +iPhone +iPhone's +IPO +iPod +iPod's +Ipswich +IQ +Iqaluit +Iqaluit's +Iqbal +Iqbal's +IQ's +Iquitos +Iquitos's +Ir +IRA +Ira +Iran +Iranian +Iranian's +Iranians +Iran's +Iraq +Iraqi +Iraqi's +Iraqis +Iraq's +IRA's +IRAs +Ira's +irascibility +irascibility's +irascible +irascibly +irate +irately +irateness +irateness's +IRC +ire +ireful +Ireland +Ireland's +Irene +Irene's +irenic +ire's +irides +iridescence +iridescence's +iridescent +iridescently +iridium +iridium's +Iris +iris +irises +Irish +Irisher +Irishman +Irishman's +Irishmen +Irishmen's +Irish's +Irishwoman +Irishwoman's +Irishwomen +Irishwomen's +Iris's +iris's +irk +irked +irking +irks +irksome +irksomely +irksomeness +irksomeness's +Irkutsk +Irkutsk's +Irma +Irma's +iron +ironclad +ironclad's +ironclads +ironed +ironic +ironical +ironically +ironies +ironing +ironing's +ironmonger +ironmongers +ironmongery +iron's +irons +ironstone +ironstone's +ironware +ironware's +ironwood +ironwood's +ironwoods +ironwork +ironwork's +irony +irony's +Iroquoian +Iroquoian's +Iroquoians +Iroquois +Iroquois's +irradiate +irradiated +irradiates +irradiating +irradiation +irradiation's +irrational +irrationality +irrationality's +irrationally +irrational's +irrationals +Irrawaddy +Irrawaddy's +irreclaimable +irreconcilability +irreconcilability's +irreconcilable +irreconcilably +irrecoverable +irrecoverably +irredeemable +irredeemably +irreducible +irreducibly +irrefutable +irrefutably +irregardless +irregular +irregularities +irregularity +irregularity's +irregularly +irregular's +irregulars +irrelevance +irrelevance's +irrelevances +irrelevancies +irrelevancy +irrelevancy's +irrelevant +irrelevantly +irreligion +irreligious +irremediable +irremediably +irremovable +irreparable +irreparably +irreplaceable +irrepressible +irrepressibly +irreproachable +irreproachably +irresistible +irresistibly +irresolute +irresolutely +irresoluteness +irresoluteness's +irresolution +irresolution's +irrespective +irresponsibility +irresponsibility's +irresponsible +irresponsibly +irretrievable +irretrievably +irreverence +irreverence's +irreverent +irreverently +irreversible +irreversibly +irrevocable +irrevocably +irrigable +irrigate +irrigated +irrigates +irrigating +irrigation +irrigation's +irritability +irritability's +irritable +irritably +irritant +irritant's +irritants +irritate +irritated +irritates +irritating +irritatingly +irritation +irritation's +irritations +irrupt +irrupted +irrupting +irruption +irruption's +irruptions +irruptive +irrupts +IRS +Ir's +IRS's +Irtish +Irtish's +Irvin +Irvine +Irvine's +Irving +Irving's +Irvin's +Irwin +Irwin's +I's +is +Isaac +Isaac's +Isabel +Isabella +Isabella's +Isabelle +Isabelle's +Isabel's +Isaiah +Isaiah's +ISBN +Iscariot +Iscariot's +ischemia +ischemic +Isfahan +Isfahan's +Isherwood +Isherwood's +Ishim +Ishim's +Ishmael +Ishmael's +Ishtar +Ishtar's +Isiah +Isiah's +Isidro +Isidro's +isinglass +isinglass's +ISIS +Isis +Isis's +isl +Islam +Islamabad +Islamabad's +Islamic +Islamic's +Islamism +Islamism's +Islamist +Islamist's +Islamophobia +Islamophobic +Islam's +Islams +island +islander +islander's +islanders +island's +islands +isle +isle's +isles +islet +islet's +islets +ism +Ismael +Ismael's +Ismail +Ismail's +ism's +isms +isn't +ISO +isobar +isobaric +isobar's +isobars +isolate +isolated +isolate's +isolates +isolating +isolation +isolationism +isolationism's +isolationist +isolationist's +isolationists +isolation's +Isolde +Isolde's +isomer +isomeric +isomerism +isomerism's +isomer's +isomers +isometric +isometrically +isometrics +isometrics's +isomorphic +ISO's +isosceles +isotherm +isotherm's +isotherms +isotope +isotope's +isotopes +isotopic +isotropic +ISP +Ispell +Ispell's +Israel +Israeli +Israeli's +Israelis +Israelite +Israelite's +Israel's +Israels +ISS +Issac +Issachar +Issachar's +Issac's +issuance +issuance's +issue +issued +issuer +issuer's +issuers +issue's +issues +issuing +Istanbul +Istanbul's +isthmian +isthmus +isthmuses +isthmus's +Isuzu +Isuzu's +IT +It +it +Itaipu +Itaipu's +Ital +ital +Italian +Italianate +Italian's +Italians +italic +italicization +italicization's +italicize +italicized +italicizes +italicizing +italic's +italics +italics's +Italy +Italy's +Itasca +Itasca's +itch +itched +itches +itchier +itchiest +itchiness +itchiness's +itching +itch's +itchy +it'd +item +itemization +itemization's +itemize +itemized +itemizes +itemizing +item's +items +iterate +iterated +iterates +iterating +iteration +iteration's +iterations +iterative +iterator +iterators +Ithaca +Ithacan +Ithacan's +Ithaca's +itinerant +itinerant's +itinerants +itineraries +itinerary +itinerary's +it'll +Ito +Ito's +it's +its +itself +iTunes +iTunes's +IUD +IV +iv +Iva +Ivan +Ivanhoe +Ivanhoe's +Ivan's +Iva's +I've +Ives +Ives's +IVF +ivied +ivies +Ivorian +ivories +Ivory +ivory +Ivory's +ivory's +IV's +IVs +Ivy +ivy +Ivy's +ivy's +ix +Iyar +Iyar's +Izaak +Izaak's +Izanagi +Izanagi's +Izanami +Izanami's +Izhevsk +Izhevsk's +Izmir +Izmir's +Izod +Izod's +Izvestia +Izvestia's +J +j +jab +jabbed +jabber +jabbered +jabberer +jabberer's +jabberers +jabbering +jabber's +jabbers +jabbing +jabot +jabot's +jabots +jab's +jabs +jacaranda +jacaranda's +jacarandas +Jack +jack +jackal +jackal's +jackals +jackass +jackasses +jackass's +jackboot +jackbooted +jackboot's +jackboots +jackdaw +jackdaw's +jackdaws +jacked +jacket +jacketed +jacket's +jackets +jackhammer +jackhammer's +jackhammers +Jackie +Jackie's +jacking +jackknife +jackknifed +jackknife's +jackknifes +jackknifing +jackknives +Jacklyn +Jacklyn's +jackpot +jackpot's +jackpots +jackrabbit +jackrabbit's +jackrabbits +Jack's +jack's +jacks +Jackson +Jacksonian +Jacksonian's +Jackson's +Jacksonville +Jacksonville's +jackstraw +jackstraw's +jackstraws +Jacky +Jacky's +Jaclyn +Jaclyn's +Jacob +Jacobean +Jacobean's +Jacobi +Jacobin +Jacobin's +Jacobi's +Jacobite +Jacobite's +Jacob's +Jacobs +Jacobson +Jacobson's +Jacobs's +Jacquard +jacquard +Jacquard's +jacquard's +Jacqueline +Jacqueline's +Jacquelyn +Jacquelyn's +Jacques +Jacques's +Jacuzzi +Jacuzzi's +jade +jaded +jadedly +jadedness +jadedness's +jadeite +jadeite's +jade's +jades +jading +jag +jagged +jaggeder +jaggedest +jaggedly +jaggedness +jaggedness's +Jagger +Jagger's +jaggies +Jagiellon +Jagiellon's +jag's +jags +Jaguar +jaguar +Jaguar's +jaguar's +jaguars +Jahangir +Jahangir's +jail +jailbird +jailbird's +jailbirds +jailbreak +jailbreak's +jailbreaks +jailed +jailer +jailer's +jailers +jailhouse +jailhouses +jailing +jail's +jails +Jaime +Jaime's +Jain +Jainism +Jainism's +Jain's +Jaipur +Jaipur's +Jakarta +Jakarta's +Jake +Jake's +jalapeno +jalapeno's +jalapenos +jalapeño +jalapeño's +jalapeños +jalopies +jalopy +jalopy's +jalousie +jalousie's +jalousies +jam +Jamaal +Jamaal's +Jamaica +Jamaican +Jamaican's +Jamaicans +Jamaica's +Jamal +Jamal's +Jamar +Jamar's +jamb +jambalaya +jambalaya's +jamboree +jamboree's +jamborees +jamb's +jambs +Jame +Jamel +Jamel's +Jame's +James +James's +Jamestown +Jamestown's +Jami +Jamie +Jamie's +Jami's +jammed +jammier +jammiest +jamming +jammy +jam's +jams +Jan +Jana +Janacek +Janacek's +Jana's +Jane +Janell +Janelle +Janelle's +Janell's +Jane's +Janet +Janet's +Janette +Janette's +jangle +jangled +jangler +jangler's +janglers +jangle's +jangles +jangling +Janice +Janice's +Janie +Janie's +Janine +Janine's +Janis +Janis's +Janissary +Janissary's +janitor +janitorial +janitor's +janitors +Janjaweed +Janjaweed's +Janna +Janna's +Jannie +Jannie's +Jan's +Jansen +Jansenist +Jansenist's +Jansen's +Januaries +January +January's +Janus +Janus's +Jap +Japan +japan +Japanese +Japanese's +Japaneses +japanned +japanning +Japan's +japan's +japans +jape +japed +jape's +japes +japing +Jap's +Japs +Japura +Japura's +jar +jardiniere +jardiniere's +jardinieres +jardinière +jardinière's +jardinières +Jared +Jared's +jarful +jarful's +jarfuls +jargon +jargon's +Jarlsberg +Jarlsberg's +Jarred +jarred +Jarred's +Jarrett +Jarrett's +jarring +jarringly +Jarrod +Jarrod's +jar's +jars +Jarvis +Jarvis's +Jasmine +jasmine +Jasmine's +jasmine's +jasmines +Jason +Jason's +Jasper +jasper +Jasper's +jasper's +Jataka +Jataka's +jato +jato's +jatos +jaundice +jaundiced +jaundice's +jaundices +jaundicing +jaunt +jaunted +jauntier +jauntiest +jauntily +jauntiness +jauntiness's +jaunting +jaunt's +jaunts +jaunty +Java +java +Javanese +Javanese's +Java's +Javas +java's +JavaScript +JavaScript's +javelin +javelin's +javelins +Javier +Javier's +jaw +jawbone +jawboned +jawbone's +jawbones +jawboning +jawbreaker +jawbreaker's +jawbreakers +jawed +jawing +jawline +jawlines +jaw's +jaws +Jaxartes +Jaxartes's +Jay +jay +Jayapura +Jayapura's +Jayawardene +Jayawardene's +jaybird +jaybird's +jaybirds +Jaycee +Jaycee's +Jaycees +Jaycees's +Jayne +Jayne's +Jay's +jay's +jays +Jayson +Jayson's +jaywalk +jaywalked +jaywalker +jaywalker's +jaywalkers +jaywalking +jaywalking's +jaywalks +jazz +jazzed +jazzes +jazzier +jazziest +jazzing +jazz's +jazzy +JCS +jct +JD +jealous +jealousies +jealously +jealousy +jealousy's +Jean +jean +Jeanette +Jeanette's +Jeanie +Jeanie's +Jeanine +Jeanine's +Jeanne +Jeanne's +Jeannette +Jeannette's +Jeannie +Jeannie's +Jeannine +Jeannine's +Jean's +jean's +jeans +jeans's +Jed +Jedi +Jedi's +Jed's +Jeep +jeep +Jeep's +jeep's +jeeps +jeer +jeered +jeering +jeeringly +jeering's +jeer's +jeers +Jeeves +Jeeves's +jeez +Jeff +Jefferey +Jefferey's +Jefferson +Jeffersonian +Jeffersonian's +Jefferson's +Jeffery +Jeffery's +Jeffrey +Jeffrey's +Jeffry +Jeffry's +Jeff's +Jehoshaphat +Jehoshaphat's +Jehovah +Jehovah's +jejuna +jejune +jejunum +jejunum's +Jekyll +Jekyll's +jell +jelled +jellied +jellies +jelling +jello +jellos +jells +jelly +jellybean +jellybean's +jellybeans +jellyfish +jellyfishes +jellyfish's +jellying +jellylike +jellyroll +jellyroll's +jellyrolls +jelly's +jemmied +jemmies +jemmy +jemmying +Jenifer +Jenifer's +Jenkins +Jenkins's +Jenna +Jenna's +Jenner +Jenner's +jennet +jennet's +jennets +Jennie +Jennie's +jennies +Jennifer +Jennifer's +Jennings +Jennings's +Jenny +jenny +Jenny's +jenny's +Jensen +Jensen's +jeopardize +jeopardized +jeopardizes +jeopardizing +jeopardy +jeopardy's +Jephthah +Jephthah's +Jerald +Jerald's +jeremiad +jeremiad's +jeremiads +Jeremiah +Jeremiah's +Jeremiahs +Jeremy +Jeremy's +Jeri +Jericho +Jericho's +Jeri's +jerk +jerked +jerkier +jerkiest +jerkily +jerkin +jerkiness +jerkiness's +jerking +jerkin's +jerkins +jerk's +jerks +jerkwater +jerky +jerky's +Jermaine +Jermaine's +Jeroboam +jeroboam +Jeroboam's +jeroboams +Jerold +Jerold's +Jerome +Jerome's +Jerri +Jerri's +Jerrod +Jerrod's +Jerrold +Jerrold's +Jerry +jerrybuilt +jerrycan +jerrycans +Jerry's +Jersey +jersey +Jersey's +Jerseys +jersey's +jerseys +Jerusalem +Jerusalem's +Jess +Jesse +Jesse's +Jessica +Jessica's +Jessie +Jessie's +Jess's +jest +jested +jester +jester's +jesters +jesting +jestingly +jest's +jests +Jesuit +Jesuit's +Jesuits +Jesus +Jesus's +jet +jetliner +jetliner's +jetliners +jetport +jetport's +jetports +jet's +jets +jetsam +jetsam's +jetted +jetties +jetting +jettison +jettisoned +jettisoning +jettison's +jettisons +jetty +jetty's +Jetway +Jetway's +Jew +jew +Jewel +jewel +jeweled +jeweler +jeweler's +jewelers +jeweling +Jewell +Jewell's +jewelries +jewelry +jewelry's +Jewel's +jewel's +jewels +Jewess +Jewesses +Jewess's +Jewish +Jewishness +Jewish's +Jewry +Jewry's +Jew's +Jews +Jezebel +Jezebel's +Jezebels +JFK +JFK's +jg +jib +jibbed +jibbing +jibe +jibed +jibe's +jibes +jibing +jib's +jibs +Jidda +Jidda's +jiff +jiffies +jiff's +jiffs +jiffy +jiffy's +jig +jigged +jigger +jiggered +jiggering +jigger's +jiggers +jigging +jiggle +jiggled +jiggle's +jiggles +jiggling +jiggly +jig's +jigs +jigsaw +jigsawed +jigsawing +jigsaw's +jigsaws +jihad +jihadist +jihadist's +jihadists +jihad's +jihads +Jilin +Jilin's +Jill +Jillian +Jillian's +Jill's +jilt +jilted +jilting +jilt's +jilts +Jim +Jimenez +Jimenez's +Jimmie +jimmied +Jimmie's +jimmies +Jimmy +jimmy +jimmying +Jimmy's +jimmy's +Jim's +jimsonweed +jimsonweed's +Jinan +Jinan's +jingle +jingled +jingle's +jingles +jingling +jingly +jingoism +jingoism's +jingoist +jingoistic +jingoist's +jingoists +jink +jinked +jinking +jinks +jinn +Jinnah +Jinnah's +jinni +jinni's +Jinny +Jinny's +jinrikisha +jinrikisha's +jinrikishas +jinx +jinxed +jinxes +jinxing +jinx's +jitney +jitney's +jitneys +jitterbug +jitterbugged +jitterbugger +jitterbugger's +jitterbugging +jitterbug's +jitterbugs +jitterier +jitteriest +jitters +jitters's +jittery +Jivaro +Jivaro's +jive +jived +jive's +jives +jiving +Jo +Joan +Joann +Joanna +Joanna's +Joanne +Joanne's +Joann's +Joan's +Joaquin +Joaquin's +Job +job +jobbed +jobber +jobber's +jobbers +jobbing +jobholder +jobholder's +jobholders +jobless +joblessness +joblessness's +Job's +Jobs +job's +jobs +jobshare +jobshares +Jobs's +jobsworth +jobsworths +Jocasta +Jocasta's +Jocelyn +Jocelyn's +Jock +jock +Jockey +jockey +jockeyed +jockeying +Jockey's +jockey's +jockeys +Jock's +jock's +jocks +jockstrap +jockstrap's +jockstraps +jocose +jocosely +jocoseness +jocoseness's +jocosity +jocosity's +jocular +jocularity +jocularity's +jocularly +jocund +jocundity +jocundity's +jocundly +jodhpurs +jodhpurs's +Jodi +Jodie +Jodie's +Jodi's +Jody +Jody's +Joe +Joel +Joel's +Joe's +Joey +joey +Joey's +joeys +jog +jogged +jogger +jogger's +joggers +jogging +jogging's +joggle +joggled +joggle's +joggles +joggling +Jogjakarta +Jogjakarta's +jog's +jogs +Johann +Johanna +Johanna's +Johannes +Johannesburg +Johannesburg's +Johannes's +Johann's +John +john +Johnathan +Johnathan's +Johnathon +Johnathon's +Johnie +Johnie's +Johnnie +Johnnie's +johnnies +Johnny +johnny +johnnycake +johnnycake's +johnnycakes +Johnny's +johnny's +John's +Johns +john's +johns +Johnson +Johnson's +Johns's +Johnston +Johnston's +join +joined +joiner +joiner's +joiners +joinery +joinery's +joining +join's +joins +joint +jointed +jointing +jointly +joint's +joints +joist +joist's +joists +jojoba +joke +joked +joker +joker's +jokers +joke's +jokes +jokey +jokier +jokiest +joking +jokingly +Jolene +Jolene's +jollied +jollier +jollies +jolliest +jollification +jollification's +jollifications +jollily +jolliness +jolliness's +jollity +jollity's +jolly +jollying +jolly's +Jolson +Jolson's +jolt +jolted +jolter +jolter's +jolters +jolting +jolt's +jolts +Jon +Jonah +Jonah's +Jonahs +Jonas +Jonas's +Jonathan +Jonathan's +Jonathon +Jonathon's +Jones +Jones's +Joni +Joni's +jonquil +jonquil's +jonquils +Jon's +Jonson +Jonson's +Joplin +Joplin's +Jordan +Jordanian +Jordanian's +Jordanians +Jordan's +Jorge +Jorge's +Jo's +Jose +Josef +Josefa +Josefa's +Josefina +Josefina's +Josef's +Joseph +Josephine +Josephine's +Joseph's +Josephs +Josephson +Josephson's +Josephus +Josephus's +Jose's +Josh +josh +joshed +josher +josher's +joshers +joshes +joshing +Josh's +josh's +Joshua +Joshua's +Josiah +Josiah's +Josie +Josie's +jostle +jostled +jostle's +jostles +jostling +Josue +Josue's +jot +jot's +jots +jotted +jotter +jotter's +jotters +jotting +jotting's +jottings +Joule +joule +Joule's +joule's +joules +jounce +jounced +jounce's +jounces +jouncing +jouncy +journal +journalese +journalese's +journalism +journalism's +journalist +journalistic +journalist's +journalists +journal's +journals +journey +journeyed +journeyer +journeyer's +journeyers +journeying +journeyman +journeyman's +journeymen +journey's +journeys +journo +journos +joust +jousted +jouster +jouster's +jousters +jousting +jousting's +joust's +jousts +Jove +Jove's +jovial +joviality +joviality's +jovially +Jovian +Jovian's +jowl +jowlier +jowliest +jowl's +jowls +jowly +Joy +joy +Joyce +Joycean +Joycean's +Joyce's +joyed +joyful +joyfuller +joyfullest +joyfully +joyfulness +joyfulness's +joying +joyless +joylessly +joylessness +joylessness's +Joyner +Joyner's +joyous +joyously +joyousness +joyousness's +joyridden +joyride +joyrider +joyrider's +joyriders +joyride's +joyrides +joyriding +joyriding's +joyrode +Joy's +joy's +joys +joystick +joystick's +joysticks +JP +JPEG +Jpn +Jr +jr +Jr's +J's +Juan +Juana +Juana's +Juanita +Juanita's +Juan's +Juarez +Juarez's +Jubal +Jubal's +jubilant +jubilantly +jubilation +jubilation's +jubilee +jubilee's +jubilees +Judaeo +Judah +Judah's +Judaic +Judaical +Judaism +Judaism's +Judaisms +Judas +Judases +Judas's +Judd +judder +juddered +juddering +judders +Judd's +Jude +Judea +Judea's +Jude's +judge +judged +Judges +judge's +judges +judgeship +judgeship's +judging +judgment +judgmental +judgmentally +judgment's +judgments +judicatories +judicatory +judicatory's +judicature +judicature's +judicial +judicially +judiciaries +judiciary +judiciary's +judicious +judiciously +judiciousness +judiciousness's +Judith +Judith's +judo +judo's +Judson +Judson's +Judy +Judy's +jug +jugful +jugful's +jugfuls +jugged +Juggernaut +juggernaut +Juggernaut's +juggernaut's +juggernauts +jugging +juggle +juggled +juggler +juggler's +jugglers +jugglery +jugglery's +juggle's +juggles +juggling +jug's +jugs +jugular +jugular's +jugulars +juice +juiced +juicer +juicer's +juicers +juice's +juices +juicier +juiciest +juicily +juiciness +juiciness's +juicing +juicy +jujitsu +jujitsu's +jujube +jujube's +jujubes +jukebox +jukeboxes +jukebox's +Jul +julep +julep's +juleps +Jules +Jules's +Julia +Julian +Juliana +Juliana's +Julianne +Julianne's +Julian's +Julia's +Julie +julienne +Julie's +Julies +Juliet +Juliet's +Juliette +Juliette's +Julio +Julio's +Julius +Julius's +Julliard +Julliard's +July +July's +jumble +jumbled +jumble's +jumbles +jumbling +jumbo +jumbo's +jumbos +jump +jumped +jumper +jumper's +jumpers +jumpier +jumpiest +jumpily +jumpiness +jumpiness's +jumping +jump's +jumps +jumpsuit +jumpsuit's +jumpsuits +jumpy +Jun +jun +junco +junco's +juncos +junction +junction's +junctions +juncture +juncture's +junctures +June +Juneau +Juneau's +June's +Junes +Jung +Jungfrau +Jungfrau's +Jungian +Jungian's +jungle +jungle's +jungles +Jung's +Junior +junior +Junior's +Juniors +junior's +juniors +juniper +juniper's +junipers +junk +junked +Junker +junker +Junker's +Junkers +junker's +junkers +junket +junketed +junketeer +junketeer's +junketeers +junketing +junket's +junkets +junkie +junkier +junkie's +junkies +junkiest +junking +junk's +junks +junkyard +junkyard's +junkyards +Juno +Juno's +Jun's +junta +junta's +juntas +Jupiter +Jupiter's +Jurassic +Jurassic's +juridic +juridical +juridically +juries +jurisdiction +jurisdictional +jurisdiction's +jurisdictions +jurisprudence +jurisprudence's +jurist +juristic +jurist's +jurists +juror +juror's +jurors +Jurua +Jurua's +jury +juryman +juryman's +jurymen +jury's +jurywoman +jurywoman's +jurywomen +just +juster +justest +Justice +justice +Justice's +justice's +justices +justifiable +justifiably +justification +justification's +justifications +justified +justifies +justify +justifying +Justin +Justine +Justine's +Justinian +Justinian's +Justin's +justly +justness +justness's +jut +jute +jute's +Jutland +Jutland's +jut's +juts +jutted +jutting +Juvenal +Juvenal's +juvenile +juvenile's +juveniles +juxtapose +juxtaposed +juxtaposes +juxtaposing +juxtaposition +juxtaposition's +juxtapositions +JV +K +k +Kaaba +Kaaba's +kabbalah +kaboom +kabuki +kabuki's +Kabul +Kabul's +kaddish +kaddishes +kaddish's +kaffeeklatch +kaffeeklatches +kaffeeklatch's +kaffeeklatsch +kaffeeklatsches +kaffeeklatsch's +Kafka +Kafkaesque +Kafkaesque's +Kafka's +Kagoshima +Kagoshima's +Kahlua +Kahlua's +kahuna +kahunas +Kaifeng +Kaifeng's +Kaiser +kaiser +Kaiser's +Kaisers +kaiser's +kaisers +Kaitlin +Kaitlin's +Kalahari +Kalahari's +Kalamazoo +Kalamazoo's +Kalashnikov +Kalashnikov's +Kalb +Kalb's +kale +kaleidoscope +kaleidoscope's +kaleidoscopes +kaleidoscopic +kaleidoscopically +kale's +Kalevala +Kalevala's +Kalgoorlie +Kalgoorlie's +Kali +Kali's +Kalmyk +Kalmyk's +Kama +Kama's +Kamchatka +Kamchatka's +Kamehameha +Kamehameha's +kamikaze +kamikaze's +kamikazes +Kampala +Kampala's +Kampuchea +Kampuchea's +Kan +kana +Kanchenjunga +Kanchenjunga's +Kandahar +Kandahar's +Kandinsky +Kandinsky's +Kane +Kane's +kangaroo +kangaroo's +kangaroos +kanji +Kannada +Kannada's +Kano +Kano's +Kanpur +Kanpur's +Kan's +Kans +Kansan +Kansan's +Kansans +Kansas +Kansas's +Kant +Kantian +Kantian's +Kant's +Kaohsiung +Kaohsiung's +kaolin +kaolin's +kapok +kapok's +Kaposi +Kaposi's +kappa +kappa's +kappas +kaput +Kara +Karachi +Karachi's +Karaganda +Karaganda's +Karakorum +Karakorum's +karakul +karakul's +Karamazov +Karamazov's +karaoke +karaoke's +karaokes +Kara's +karat +karate +karate's +karat's +karats +Kareem +Kareem's +Karen +Karenina +Karenina's +Karen's +Kari +Karin +Karina +Karina's +Karin's +Kari's +Karl +Karla +Karla's +Karloff +Karloff's +Karl's +karma +karma's +karmic +Karo +Karol +Karol's +Karo's +Karroo +Karroo's +kart +kart's +karts +Karyn +Karyn's +Kasai +Kasai's +Kasey +Kasey's +Kashmir +Kashmir's +Kashmirs +Kasparov +Kasparov's +katakana +Kate +Katelyn +Katelyn's +Kate's +Katharine +Katharine's +Katherine +Katherine's +Katheryn +Katheryn's +Kathiawar +Kathiawar's +Kathie +Kathie's +Kathleen +Kathleen's +Kathmandu +Kathmandu's +Kathrine +Kathrine's +Kathryn +Kathryn's +Kathy +Kathy's +Katie +Katie's +Katina +Katina's +Katmai +Katmai's +Katowice +Katowice's +Katrina +Katrina's +Katy +katydid +katydid's +katydids +Katy's +Kauai +Kauai's +Kaufman +Kaufman's +Kaunas +Kaunas's +Kaunda +Kaunda's +Kawabata +Kawabata's +Kawasaki +Kawasaki's +Kay +kayak +kayaked +kayaking +kayaking's +kayak's +kayaks +Kaye +Kaye's +Kayla +Kayla's +kayo +kayoed +kayoing +kayo's +kayos +Kay's +Kazakh +Kazakh's +Kazakhs +Kazakhstan +Kazakhstan's +Kazan +Kazan's +Kazantzakis +Kazantzakis's +kazoo +kazoo's +kazoos +KB +Kb +KB's +Kb's +KC +kc +Keaton +Keaton's +Keats +Keats's +kebab +kebab's +kebabs +Keck +Keck's +kedgeree +keel +keeled +keelhaul +keelhauled +keelhauling +keelhauls +keeling +keel's +keels +keen +Keenan +Keenan's +keened +keener +keenest +keening +keenly +keenness +keenness's +keen's +keens +keep +keeper +keeper's +keepers +keeping +keeping's +keep's +keeps +keepsake +keepsake's +keepsakes +Keewatin +Keewatin's +keg +keg's +kegs +Keillor +Keillor's +Keisha +Keisha's +Keith +Keith's +Keller +Keller's +Kelley +Kelley's +Kelli +Kellie +Kellie's +Kelli's +Kellogg +Kellogg's +Kelly +Kelly's +kelp +kelp's +Kelsey +Kelsey's +Kelvin +kelvin +Kelvin's +kelvin's +kelvins +Kemerovo +Kemerovo's +Kemp +Kempis +Kempis's +Kemp's +Ken +ken +Kendall +Kendall's +Kendra +Kendra's +Kendrick +Kendrick's +Kenmore +Kenmore's +Kennan +Kennan's +kenned +Kennedy +Kennedy's +kennel +kenneled +kenneling +kennel's +kennels +Kenneth +Kenneth's +kenning +Kennith +Kennith's +Kenny +Kenny's +keno +keno's +Ken's +ken's +kens +Kent +Kenton +Kenton's +Kent's +Kentuckian +Kentuckian's +Kentuckians +Kentucky +Kentucky's +Kenya +Kenyan +Kenyan's +Kenyans +Kenya's +Kenyatta +Kenyatta's +Kenyon +Kenyon's +Keogh +Keogh's +Keokuk +Keokuk's +kepi +kepi's +kepis +Kepler +Kepler's +kept +keratin +keratin's +keratitis +kerbside +kerchief +kerchief's +kerchiefs +Kerensky +Kerensky's +kerfuffle +kerfuffles +Keri +Keri's +Kermit +Kermit's +Kern +kernel +kernel's +kernels +Kern's +kerosene +kerosene's +Kerouac +Kerouac's +Kerr +Kerri +Kerri's +Kerr's +Kerry +Kerry's +kestrel +kestrel's +kestrels +ketch +ketches +ketch's +ketchup +ketchup's +ketone +ketones +Kettering +Kettering's +kettle +kettledrum +kettledrum's +kettledrums +kettle's +kettles +Keven +Keven's +Kevin +Kevin's +Kevlar +Kevlar's +Kevorkian +Kevorkian's +Kewpie +Kewpie's +Key +key +keybinding +keybindings +keyboard +keyboarded +keyboarder +keyboarder's +keyboarders +keyboarding +keyboardist +keyboardist's +keyboardists +keyboard's +keyboards +keyed +keyhole +keyhole's +keyholes +keying +Keynes +Keynesian +Keynesian's +Keynes's +keynote +keynoted +keynoter +keynoter's +keynoters +keynote's +keynotes +keynoting +keypad +keypad's +keypads +keypunch +keypunched +keypuncher +keypuncher's +keypunchers +keypunches +keypunching +keypunch's +Key's +key's +keys +keystone +keystone's +keystones +keystroke +keystroke's +keystrokes +keyword +keyword's +keywords +KFC +KFC's +kg +KGB +KGB's +Khabarovsk +Khabarovsk's +Khachaturian +Khachaturian's +khaki +khaki's +khakis +Khalid +Khalid's +Khan +khan +Khan's +khan's +khans +Kharkov +Kharkov's +Khartoum +Khartoum's +Khayyam +Khayyam's +Khazar +Khazar's +Khmer +Khmer's +Khoikhoi +Khoikhoi's +Khoisan +Khoisan's +Khomeini +Khomeini's +Khorana +Khorana's +Khrushchev +Khrushchev's +Khufu +Khufu's +Khulna +Khulna's +Khwarizmi +Khwarizmi's +Khyber +Khyber's +kHz +KIA +kibble +kibbled +kibble's +kibbles +kibbling +kibbutz +kibbutzes +kibbutzim +kibbutz's +kibitz +kibitzed +kibitzer +kibitzer's +kibitzers +kibitzes +kibitzing +kibosh +kibosh's +kick +Kickapoo +Kickapoo's +kickback +kickback's +kickbacks +kickball +kickball's +kickboxing +kicked +kicker +kicker's +kickers +kickier +kickiest +kicking +kickoff +kickoff's +kickoffs +kick's +kicks +kickstand +kickstand's +kickstands +kicky +kid +Kidd +kidded +kidder +kidder's +kidders +kiddie +kiddie's +kiddies +kidding +kiddish +kiddo +kiddo's +kiddos +Kidd's +kidnap +kidnapped +kidnapper +kidnapper's +kidnappers +kidnapping +kidnapping's +kidnappings +kidnaps +kidney +kidney's +kidneys +kid's +kids +kidskin +kidskin's +Kiel +kielbasa +kielbasa's +kielbasas +kielbasi +Kiel's +Kierkegaard +Kierkegaard's +Kieth +Kieth's +Kiev +Kiev's +Kigali +Kigali's +kike +kikes +Kikuyu +Kikuyu's +Kilauea +Kilauea's +Kilimanjaro +Kilimanjaro's +kill +killdeer +killdeer's +killdeers +killed +killer +killer's +killers +killing +killing's +killings +killjoy +killjoy's +killjoys +kill's +kills +kiln +kilned +kilning +kiln's +kilns +kilo +kilobyte +kilobyte's +kilobytes +kilocycle +kilocycle's +kilocycles +kilogram +kilogram's +kilograms +kilohertz +kilohertz's +kiloliter +kiloliter's +kiloliters +kilometer +kilometer's +kilometers +kilo's +kilos +kiloton +kiloton's +kilotons +kilowatt +kilowatt's +kilowatts +Kilroy +Kilroy's +kilt +kilted +kilter +kilter's +kilt's +kilts +Kim +Kimberley +Kimberley's +Kimberly +Kimberly's +kimono +kimono's +kimonos +Kim's +kin +kinase +kind +kinda +kinder +kindergarten +kindergarten's +kindergartens +kindergartner +kindergartner's +kindergartners +kindergärtner +kindergärtner's +kindergärtners +kindest +kindhearted +kindheartedly +kindheartedness +kindheartedness's +kindle +kindled +kindles +kindlier +kindliest +kindliness +kindliness's +kindling +kindling's +kindly +kindness +kindnesses +kindness's +kindred +kindred's +kind's +kinds +kine +kinematic +kinematics +kinematics's +kines +kinetic +kinetically +kinetics +kinetics's +kinfolk +kinfolk's +kinfolks +kinfolks's +King +king +kingdom +kingdom's +kingdoms +kingfisher +kingfisher's +kingfishers +kinglier +kingliest +kingly +kingmaker +kingmakers +kingpin +kingpin's +kingpins +King's +Kings +king's +kings +kingship +kingship's +Kingston +Kingston's +Kingstown +Kingstown's +kink +kinked +kinkier +kinkiest +kinkily +kinkiness +kinkiness's +kinking +Kinko's +kink's +kinks +kinky +Kinney +Kinney's +kin's +Kinsey +Kinsey's +kinsfolk +kinsfolk's +Kinshasa +Kinshasa's +kinship +kinship's +kinsman +kinsman's +kinsmen +kinswoman +kinswoman's +kinswomen +kiosk +kiosk's +kiosks +Kiowa +Kiowa's +Kiowas +Kip +kip +Kipling +Kipling's +kipped +kipper +kippered +kippering +kipper's +kippers +kipping +Kip's +kip's +kips +Kirby +Kirby's +Kirchhoff +Kirchhoff's +Kirchner +Kirchner's +Kirghistan +Kirghistan's +Kirghiz +Kirghizia +Kirghizia's +Kirghiz's +Kiribati +Kiribati's +Kirinyaga +Kirinyaga's +Kirk +Kirkland +Kirkland's +Kirkpatrick +Kirkpatrick's +Kirk's +Kirov +Kirov's +kirsch +kirsches +kirsch's +Kirsten +Kirsten's +Kisangani +Kisangani's +Kishinev +Kishinev's +Kislev +Kislev's +kismet +kismet's +kiss +kissable +kissed +kisser +kisser's +kissers +kisses +kissing +Kissinger +Kissinger's +kissoff +kissoff's +kissoffs +kissogram +kissograms +kiss's +Kit +kit +Kitakyushu +Kitakyushu's +kitchen +Kitchener +Kitchener's +kitchenette +kitchenette's +kitchenettes +kitchen's +kitchens +kitchenware +kitchenware's +kite +kited +kite's +kites +kith +kith's +kiting +Kit's +kit's +kits +kitsch +kitsch's +kitschy +kitted +kitten +kittenish +kitten's +kittens +kitties +kitting +Kitty +kitty +Kitty's +kitty's +Kiwanis +Kiwanis's +kiwi +kiwifruit +kiwifruit's +kiwifruits +kiwi's +kiwis +KKK +KKK's +kl +Klan +Klan's +Klansman +Klansman's +Klaus +Klaus's +klaxon +klaxons +Klee +Kleenex +Kleenexes +Kleenex's +Klee's +Klein +Klein's +kleptocracy +kleptomania +kleptomaniac +kleptomaniac's +kleptomaniacs +kleptomania's +Klimt +Klimt's +Kline +Kline's +Klingon +Klingon's +Klondike +Klondike's +Klondikes +kludge +kludged +kludges +kludging +kluge +kluged +kluges +klutz +klutzes +klutzier +klutziest +klutziness +klutziness's +klutz's +klutzy +km +Kmart +Kmart's +kn +knack +knacker +knackered +knackering +knackers +knack's +knacks +Knapp +Knapp's +knapsack +knapsack's +knapsacks +knave +knavery +knavery's +knave's +knaves +knavish +knavishly +knead +kneaded +kneader +kneader's +kneaders +kneading +kneads +knee +kneecap +kneecapped +kneecapping +kneecap's +kneecaps +kneed +kneeing +kneel +kneeling +kneels +knee's +knees +knell +knelled +knelling +knell's +knells +knelt +Knesset +Knesset's +knew +Kngwarreye +Kngwarreye's +knicker +Knickerbocker +Knickerbocker's +knickerbockers +knickerbockers's +knickers +knickers's +knickknack +knickknack's +knickknacks +Knievel +Knievel's +knife +knifed +knife's +knifes +knifing +Knight +knight +knighted +knighthood +knighthood's +knighthoods +knighting +knightliness +knightliness's +knightly +Knight's +knight's +knights +knish +knishes +knish's +knit +knit's +knits +knitted +knitter +knitter's +knitters +knitting +knitting's +knitwear +knitwear's +knives +knob +knobbier +knobbiest +knobbly +knobby +knob's +knobs +knock +knockabout +knockdown +knockdown's +knockdowns +knocked +knocker +knocker's +knockers +knocking +knockoff +knockoff's +knockoffs +knockout +knockout's +knockouts +knock's +knocks +knockwurst +knockwurst's +knockwursts +knoll +knoll's +knolls +Knopf +Knopf's +Knossos +Knossos's +knot +knothole +knothole's +knotholes +knot's +knots +knotted +knottier +knottiest +knotting +knotty +know +knowable +knowing +knowingly +knowings +knowledge +knowledgeable +knowledgeably +knowledge's +Knowles +Knowles's +known +knows +Knox +Knox's +Knoxville +Knoxville's +knuckle +knuckled +knuckleduster +knuckledusters +knucklehead +knucklehead's +knuckleheads +knuckle's +knuckles +knuckling +Knudsen +Knudsen's +knurl +knurled +knurling +knurl's +knurls +Knuth +Knuth's +Knuths +KO +koala +koala's +koalas +koan +koans +Kobe +Kobe's +Koch +Kochab +Kochab's +Koch's +Kodachrome +Kodachrome's +Kodak +Kodak's +Kodaly +Kodaly's +Kodiak +Kodiak's +Koestler +Koestler's +Kohinoor +Kohinoor's +Kohl +kohl +kohlrabi +kohlrabies +kohlrabi's +Kohl's +Koizumi +Koizumi's +Kojak +Kojak's +kola +kola's +kolas +Kolyma +Kolyma's +Kommunizma +Kommunizma's +Kong +Kongo +Kongo's +Kong's +Konrad +Konrad's +kook +kookaburra +kookaburra's +kookaburras +kookier +kookiest +kookiness +kookiness's +kook's +kooks +kooky +Koontz +Koontz's +kopeck +kopeck's +kopecks +Koppel +Koppel's +Koran +Koranic +Koran's +Korans +Korea +Korean +Korean's +Koreans +Korea's +korma +Kornberg +Kornberg's +Kory +Kory's +Korzybski +Korzybski's +KO's +Kosciusko +Kosciusko's +kosher +koshered +koshering +koshers +Kossuth +Kossuth's +Kosygin +Kosygin's +Koufax +Koufax's +Kowloon +Kowloon's +kowtow +kowtowed +kowtowing +kowtow's +kowtows +KP +kph +Kr +kraal +kraal's +kraals +Kraft +Kraft's +Krakatoa +Krakatoa's +Krakow +Krakow's +Kramer +Kramer's +Krasnodar +Krasnodar's +Krasnoyarsk +Krasnoyarsk's +kraut +kraut's +krauts +Krebs +Krebs's +Kremlin +Kremlinologist +Kremlinology +Kremlin's +Kresge +Kresge's +krill +krill's +Kringle +Kringle's +Kris +Krishna +Krishnamurti +Krishnamurti's +Krishna's +Kris's +Krista +Krista's +Kristen +Kristen's +Kristi +Kristie +Kristie's +Kristin +Kristina +Kristina's +Kristine +Kristine's +Kristin's +Kristi's +Kristopher +Kristopher's +Kristy +Kristy's +króna +króna's +krónur +Kroc +Kroc's +Kroger +Kroger's +krona +krona's +krone +Kronecker +Kronecker's +kroner +krone's +kronor +kronur +Kropotkin +Kropotkin's +Kr's +Kruger +Krugerrand +Krugerrand's +Kruger's +Krupp +Krupp's +krypton +krypton's +Krystal +Krystal's +K's +KS +Ks +ks +Kshatriya +Kshatriya's +kt +Kublai +Kublai's +Kubrick +Kubrick's +kuchen +kuchen's +kuchens +kudos +kudos's +kudzu +kudzu's +kudzus +Kuhn +Kuhn's +Kuibyshev +Kuibyshev's +Kulthumm +Kulthumm's +kumquat +kumquat's +kumquats +Kunming +Kunming's +Kuomintang +Kuomintang's +Kurd +Kurdish +Kurdish's +Kurdistan +Kurdistan's +Kurd's +Kurosawa +Kurosawa's +Kurt +Kurtis +Kurtis's +Kurt's +Kusch +Kusch's +Kutuzov +Kutuzov's +Kuwait +Kuwaiti +Kuwaiti's +Kuwaitis +Kuwait's +Kuznets +Kuznetsk +Kuznetsk's +Kuznets's +kvetch +kvetched +kvetcher +kvetcher's +kvetchers +kvetches +kvetching +kvetch's +kW +kw +Kwakiutl +Kwakiutl's +Kwan +Kwangju +Kwangju's +Kwan's +Kwanzaa +Kwanzaa's +Kwanzaas +kWh +KY +Ky +Kyle +Kyle's +Kyoto +Kyoto's +Kyrgyzstan +Kyrgyzstan's +Ky's +Kyushu +Kyushu's +L +l +LA +La +la +Lab +lab +Laban +Laban's +label +labeled +labeling +label's +labels +labia +labial +labial's +labials +labile +labium +labium's +labor +laboratories +laboratory +laboratory's +labored +laborer +laborer's +laborers +laboring +laborious +laboriously +laboriousness +laboriousness's +labor's +labors +laborsaving +Labrador +Labradorean +Labrador's +Labradors +lab's +labs +laburnum +laburnum's +laburnums +labyrinth +labyrinthine +labyrinth's +labyrinths +lac +lace +laced +lacerate +lacerated +lacerates +lacerating +laceration +laceration's +lacerations +lace's +laces +lacewing +lacewing's +lacewings +lacework +lacework's +Lacey +Lacey's +Lachesis +Lachesis's +lachrymal +lachrymose +lacier +laciest +lacing +lack +lackadaisical +lackadaisically +lacked +lackey +lackey's +lackeys +lacking +lackluster +lack's +lacks +laconic +laconically +lacquer +lacquered +lacquering +lacquer's +lacquers +lacrosse +lacrosse's +lac's +lactate +lactated +lactates +lactating +lactation +lactation's +lacteal +lactic +lactose +lactose's +lacuna +lacunae +lacuna's +Lacy +lacy +Lacy's +lad +ladder +laddered +laddering +ladder's +ladders +laddie +laddie's +laddies +laddish +laddishness +lade +laded +laden +lades +ladies +lading +lading's +ladings +ladle +ladled +ladle's +ladles +ladling +Ladoga +Ladoga's +Ladonna +Ladonna's +lad's +lads +Lady +lady +ladybird +ladybird's +ladybirds +ladybug +ladybug's +ladybugs +ladyfinger +ladyfinger's +ladyfingers +ladylike +ladylove +ladylove's +ladyloves +Lady's +lady's +Ladyship +ladyship +Ladyship's +Ladyships +ladyship's +ladyships +laetrile +laetrile's +Lafayette +Lafayette's +Lafitte +Lafitte's +lag +lager +lager's +lagers +laggard +laggardly +laggard's +laggards +lagged +lagging +lagging's +lagniappe +lagniappe's +lagniappes +lagoon +lagoon's +lagoons +Lagos +Lagos's +Lagrange +Lagrange's +Lagrangian +Lagrangian's +lag's +lags +Lahore +Lahore's +laid +lain +lair +laird +laird's +lairds +lair's +lairs +laity +laity's +Laius +Laius's +Lajos +Lajos's +lake +lakefront +lakefronts +Lakeisha +Lakeisha's +lake's +lakes +lakeside +Lakewood +Lakisha +Lakisha's +Lakota +Lakota's +Lakshmi +Lakshmi's +lam +lama +Lamaism +Lamaism's +Lamaisms +Lamar +Lamarck +Lamarck's +Lamar's +lama's +lamas +lamaseries +lamasery +lamasery's +Lamaze +Lamaze's +Lamb +lamb +lambada +lambada's +lambadas +lambaste +lambasted +lambastes +lambasting +lambda +lambda's +lambdas +lambed +lambency +lambency's +lambent +lambently +Lambert +Lambert's +lambing +lambkin +lambkin's +lambkins +Lamborghini +Lamborghini's +Lambrusco +Lambrusco's +Lamb's +lamb's +lambs +lambskin +lambskin's +lambskins +lambswool +lame +lamebrain +lamebrained +lamebrain's +lamebrains +lamed +lamely +lameness +lameness's +lament +lamentable +lamentably +lamentation +Lamentations +lamentation's +lamentations +lamented +lamenting +lament's +laments +lamer +lamers +lame's +lames +lamest +lamina +laminae +laminar +lamina's +laminate +laminated +laminate's +laminates +laminating +lamination +lamination's +laming +lammed +lamming +Lamont +Lamont's +L'Amour +L'Amour's +lamp +lampblack +lampblack's +lamplight +lamplighter +lamplighter's +lamplighters +lamplight's +lampoon +lampooned +lampooning +lampoon's +lampoons +lamppost +lamppost's +lampposts +lamprey +lamprey's +lampreys +lamp's +lamps +lampshade +lampshade's +lampshades +lam's +lams +LAN +élan +Lana +Lanai +lanai +Lanai's +lanai's +lanais +Lana's +Lancashire +Lancashire's +Lancaster +Lancaster's +Lance +lance +lanced +Lancelot +Lancelot's +lancer +lancer's +lancers +Lance's +lance's +lances +lancet +lancet's +lancets +lancing +Land +land +landau +landau's +landaus +landed +lander +landfall +landfall's +landfalls +landfill +landfill's +landfills +landholder +landholder's +landholders +landholding +landholding's +landholdings +landing +landing's +landings +landladies +landlady +landlady's +landless +landless's +landline +landline's +landlines +landlocked +landlord +landlord's +landlords +landlubber +landlubber's +landlubbers +landmark +landmark's +landmarks +landmass +landmasses +landmass's +landmine +landmines +Landon +Landon's +landowner +landowner's +landowners +landownership +landowning +landowning's +landownings +Landry +Landry's +Land's +land's +lands +Landsat +Landsat's +landscape +landscaped +landscaper +landscaper's +landscapers +landscape's +landscapes +landscaping +landslid +landslide +landslide's +landslides +landsliding +landslip +landslips +landsman +landsman's +landsmen +Landsteiner +Landsteiner's +landward +landwards +Lane +lane +Lane's +lane's +lanes +Lang +Langerhans +Langerhans's +Langland +Langland's +Langley +Langley's +Langmuir +Langmuir's +Lang's +language +language's +languages +languid +languidly +languidness +languidness's +languish +languished +languishes +languishing +languor +languorous +languorously +languor's +languors +lank +Lanka +Lankan +Lankan's +Lanka's +lanker +lankest +lankier +lankiest +lankiness +lankiness's +lankly +lankness +lankness's +lanky +Lanny +Lanny's +lanolin +lanolin's +LAN's +élan's +Lansing +Lansing's +lantern +lantern's +lanterns +lanthanum +lanthanum's +lanyard +lanyard's +lanyards +Lanzhou +Lanzhou's +Lao +Laocoon +Laocoon's +Lao's +Laos +Laos's +Laotian +Laotian's +Laotians +lap +laparoscopic +laparoscopy +laparotomy +lapboard +lapboard's +lapboards +lapdog +lapdog's +lapdogs +lapel +lapel's +lapels +lapidaries +lapidary +lapidary's +lapin +lapin's +lapins +Laplace +Laplace's +Lapland +Laplander +Lapland's +Lapp +lapped +lappet +lappet's +lappets +lapping +Lapp's +Lapps +lap's +laps +lapse +lapsed +lapse's +lapses +lapsing +laptop +laptop's +laptops +lapwing +lapwing's +lapwings +Lara +Laramie +Laramie's +Lara's +larboard +larboard's +larboards +larcenies +larcenist +larcenist's +larcenists +larcenous +larceny +larceny's +larch +larches +larch's +lard +larded +larder +larder's +larders +lardier +lardiest +larding +Lardner +Lardner's +lard's +lards +lardy +Laredo +Laredo's +large +largehearted +largely +largeness +largeness's +larger +large's +larges +largess +largess's +largest +largish +largo +largo's +largos +lariat +lariat's +lariats +lark +larked +larking +lark's +larks +larkspur +larkspur's +larkspurs +Larousse +Larousse's +Larry +Larry's +Lars +Larsen +Larsen's +Larson +Larson's +Lars's +larva +larvae +larval +larva's +laryngeal +larynges +laryngitis +laryngitis's +larynx +larynx's +La's +Las +la's +lasagna +lasagna's +lasagnas +Lascaux +Lascaux's +lascivious +lasciviously +lasciviousness +lasciviousness's +lase +lased +laser +laser's +lasers +lases +lash +lashed +lashes +lashing +lashing's +lashings +lash's +lasing +lass +Lassa +Lassa's +Lassen +Lassen's +lasses +Lassie +lassie +Lassie's +lassie's +lassies +lassitude +lassitude's +lasso +lassoed +lassoing +lasso's +lassos +lass's +last +lasted +lasting +lastingly +lastly +last's +lasts +Lat +lat +Latasha +Latasha's +latch +latched +latches +latching +latchkey +latchkey's +latchkeys +latch's +late +latecomer +latecomer's +latecomers +lately +latency +latency's +lateness +lateness's +latent +later +lateral +lateraled +lateraling +laterally +lateral's +laterals +Lateran +Lateran's +latest +latest's +latex +latex's +lath +Latham +Latham's +lathe +lathed +lather +lathered +lathering +lather's +lathers +lathery +lathe's +lathes +lathing +lath's +laths +latices +Latin +Latina +Latiner +Latino +Latino's +Latinos +Latin's +Latins +latish +Latisha +Latisha's +latitude +latitude's +latitudes +latitudinal +latitudinarian +latitudinarian's +latitudinarians +Latonya +Latonya's +Latoya +Latoya's +latrine +latrine's +latrines +Latrobe +Latrobe's +Lat's +lats +latte +latter +latterly +latter's +latte's +lattes +lattice +latticed +lattice's +lattices +latticework +latticework's +latticeworks +Latvia +Latvian +Latvian's +Latvians +Latvia's +Laud +laud +laudable +laudably +laudanum +laudanum's +laudatory +lauded +Lauder +Lauder's +lauding +Laud's +laud's +lauds +Laue +Laue's +laugh +laughable +laughably +laughed +laughing +laughingly +laughing's +laughingstock +laughingstock's +laughingstocks +laugh's +laughs +laughter +laughter's +launch +launched +launcher +launcher's +launchers +launches +launching +launchpad +launchpad's +launchpads +launch's +launder +laundered +launderer +launderer's +launderers +launderette +launderette's +launderettes +laundering +launders +laundress +laundresses +laundress's +laundries +Laundromat +laundromat +Laundromat's +laundromat's +laundromats +laundry +laundryman +laundryman's +laundrymen +laundry's +laundrywoman +laundrywoman's +laundrywomen +Laura +Laura's +Laurasia +Laurasia's +laureate +laureate's +laureates +laureateship +laureateship's +Laurel +laurel +Laurel's +laurel's +laurels +Lauren +Laurence +Laurence's +Lauren's +Laurent +Laurent's +Lauri +Laurie +Laurie's +Lauri's +lav +lava +lavage +lavage's +Laval +lavaliere +lavaliere's +lavalieres +Laval's +lava's +lavatorial +lavatories +lavatory +lavatory's +lave +laved +lavender +lavender's +lavenders +Lavern +Laverne +Laverne's +Lavern's +laves +laving +lavish +lavished +lavisher +lavishes +lavishest +lavishing +lavishly +lavishness +lavishness's +Lavoisier +Lavoisier's +Lavonne +Lavonne's +lavs +law +Lawanda +Lawanda's +lawbreaker +lawbreaker's +lawbreakers +lawbreaking +lawbreaking's +lawful +lawfully +lawfulness +lawfulness's +lawgiver +lawgiver's +lawgivers +lawless +lawlessly +lawlessness +lawlessness's +lawmaker +lawmaker's +lawmakers +lawmaking +lawmaking's +lawman +lawman's +lawmen +lawn +lawnmower +lawnmower's +lawnmowers +lawn's +lawns +Lawrence +Lawrence's +lawrencium +lawrencium's +law's +laws +Lawson +Lawson's +lawsuit +lawsuit's +lawsuits +lawyer +lawyer's +lawyers +lax +laxative +laxative's +laxatives +laxer +laxest +laxity +laxity's +laxly +laxness +laxness's +lay +layabout +layabouts +Layamon +Layamon's +layaway +layaway's +layer +layered +layering +layering's +layer's +layers +layette +layette's +layettes +laying +Layla +Layla's +layman +layman's +laymen +layoff +layoff's +layoffs +layout +layout's +layouts +layover +layover's +layovers +laypeople +layperson +layperson's +laypersons +lay's +lays +layup +layup's +layups +laywoman +laywoman's +laywomen +Lazaro +Lazaro's +Lazarus +Lazarus's +laze +lazed +laze's +lazes +lazied +lazier +lazies +laziest +lazily +laziness +laziness's +lazing +lazy +lazybones +lazybones's +lazying +lb +LBJ +LBJ's +lbs +lbw +LC +LCD +LCD's +LCM +LDC +Le +Lea +lea +Leach +leach +leached +leaches +leaching +Leach's +lead +Leadbelly +Leadbelly's +leaded +leaden +leader +leaderless +leader's +leaders +leadership +leadership's +leaderships +leading +leading's +lead's +leads +leaf +leafage +leafage's +leafed +leafier +leafiest +leafing +leafless +leaflet +leafleted +leafleting +leaflet's +leaflets +leaf's +leafs +leafstalk +leafstalk's +leafstalks +leafy +league +leagued +league's +leagues +leaguing +Leah +Leah's +leak +leakage +leakage's +leakages +leaked +Leakey +Leakey's +leakier +leakiest +leakiness +leakiness's +leaking +leak's +leaks +leaky +Lean +lean +Leander +Leander's +leaned +leaner +leanest +leaning +leaning's +leanings +Leann +Leanna +Leanna's +Leanne +Leanne's +leanness +leanness's +Leann's +Lean's +lean's +leans +leap +leaped +leaper +leaper's +leapers +leapfrog +leapfrogged +leapfrogging +leapfrog's +leapfrogs +leaping +leap's +leaps +Lear +Learjet +Learjet's +learn +learned +learnedly +learner +learner's +learners +learning +learning's +learns +Lear's +Leary +Leary's +Lea's +lea's +leas +lease +leaseback +leaseback's +leasebacks +leased +leasehold +leaseholder +leaseholder's +leaseholders +leasehold's +leaseholds +leaser +leaser's +leasers +lease's +leases +leash +leashed +leashes +leashing +leash's +leasing +least +least's +leastwise +leather +leatherette +leatherette's +leatherneck +leatherneck's +leathernecks +leather's +leathers +leathery +leave +leaved +leaven +leavened +leavening +leavening's +leaven's +leavens +Leavenworth +Leavenworth's +leaver +leaver's +leavers +leave's +leaves +leaving +leavings +leavings's +Lebanese +Lebanese's +Lebanon +Lebanon's +Lebesgue +Lebesgue's +Leblanc +Leblanc's +lech +leched +lecher +lecherous +lecherously +lecherousness +lecherousness's +lecher's +lechers +lechery +lechery's +leches +leching +lech's +lecithin +lecithin's +lectern +lectern's +lecterns +lecture +lectured +lecturer +lecturer's +lecturers +lecture's +lectures +lectureship +lectureship's +lectureships +lecturing +LED +led +Leda +Leda's +Lederberg +Lederberg's +ledge +ledger +ledger's +ledgers +ledge's +ledges +LED's +Lee +lee +leech +leeched +leeches +leeching +leech's +Leeds +Leeds's +leek +leek's +leeks +leer +leered +leerier +leeriest +leeriness +leeriness's +leering +leer's +leers +leery +Lee's +lee's +lees +Leeuwenhoek +Leeuwenhoek's +Leeward +leeward +Leeward's +leeward's +leewards +leeway +leeway's +Left +left +lefter +leftest +lefties +leftism +leftism's +leftist +leftist's +leftists +leftmost +leftover +leftover's +leftovers +left's +lefts +leftward +leftwards +lefty +lefty's +leg +legacies +legacy +legacy's +legal +legalese +legalese's +legalism +legalism's +legalisms +legalistic +legalistically +legalities +legality +legality's +legalization +legalization's +legalize +legalized +legalizes +legalizing +legally +legal's +legals +legate +legatee +legatee's +legatees +legate's +legates +legation +legation's +legations +legato +legato's +legatos +legend +legendarily +legendary +Legendre +Legendre's +legend's +legends +Leger +legerdemain +legerdemain's +Leger's +legged +leggier +leggiest +legginess +legginess's +legging +legging's +leggings +leggy +Leghorn +leghorn +Leghorn's +leghorn's +leghorns +legibility +legibility's +legible +legibly +legion +legionaries +legionary +legionary's +legionnaire +legionnaire's +legionnaires +legion's +legions +legislate +legislated +legislates +legislating +legislation +legislation's +legislative +legislatively +legislator +legislator's +legislators +legislature +legislature's +legislatures +legit +legitimacy +legitimacy's +legitimate +legitimated +legitimately +legitimates +legitimating +legitimatize +legitimatized +legitimatizes +legitimatizing +legitimization +legitimization's +legitimize +legitimized +legitimizes +legitimizing +legless +legman +legman's +legmen +Lego +Lego's +Legree +Legree's +legroom +legroom's +legrooms +leg's +legs +legume +legume's +legumes +leguminous +legwarmer +legwarmers +legwork +legwork's +Lehman +Lehman's +lei +Leibniz +Leibniz's +Leicester +Leicester's +Leicesters +Leiden +Leiden's +Leif +Leif's +Leigh +Leigh's +Leila +Leila's +Leipzig +Leipzig's +lei's +leis +leisure +leisured +leisureliness +leisureliness's +leisurely +leisure's +leisurewear +leisurewear's +leitmotif +leitmotif's +leitmotifs +leitmotiv +leitmotiv's +leitmotivs +Lela +Leland +Leland's +Lela's +Lelia +Lelia's +Lemaitre +Lemaitre's +lemma +lemmas +lemme +lemming +lemming's +lemmings +lemon +lemonade +lemonade's +lemonades +lemongrass +lemon's +lemons +lemony +Lemuel +Lemuel's +lemur +Lemuria +Lemuria's +lemur's +lemurs +Len +Lena +Lenard +Lenard's +Lena's +lend +lender +lender's +lenders +lending +lends +L'Enfant +length +lengthen +lengthened +lengthening +lengthens +lengthier +lengthiest +lengthily +lengthiness +lengthiness's +length's +lengths +lengthwise +lengthy +lenience +lenience's +leniency +leniency's +lenient +leniently +Lenin +Leningrad +Leningrad's +Leninism +Leninism's +Leninist +Leninist's +Lenin's +lenitive +Lennon +Lennon's +Lenny +Lenny's +Leno +Lenoir +Lenoir's +Lenora +Lenora's +Lenore +Lenore's +Leno's +Len's +lens +lenses +lens's +Lent +lent +Lenten +Lenten's +lentil +lentil's +lentils +lento +Lent's +Lents +Leo +Leola +Leola's +Leon +Leona +Leonard +Leonardo +Leonardo's +Leonard's +Leona's +Leoncavallo +Leoncavallo's +Leonel +Leonel's +Leonid +Leonidas +Leonidas's +Leonid's +leonine +Leonor +Leonor's +Leon's +leopard +leopardess +leopardesses +leopardess's +leopard's +leopards +Leopold +Leopoldo +Leopoldo's +Leopold's +Leo's +Leos +leotard +leotard's +leotards +leper +leper's +lepers +Lepidus +Lepidus's +Lepke +Lepke's +leprechaun +leprechaun's +leprechauns +leprosy +leprosy's +leprous +lepta +lepton +lepton's +leptons +Lepus +Lepus's +Lerner +Lerner's +Leroy +Leroy's +Le's +Les +Lesa +Lesa's +lesbian +lesbianism +lesbianism's +lesbian's +lesbians +lesion +lesion's +lesions +Lesley +Lesley's +Leslie +Leslie's +Lesotho +Lesotho's +Les's +less +lessee +lessee's +lessees +lessen +lessened +lessening +lessens +Lesseps +Lesseps's +lesser +Lessie +Lessie's +lesson +lesson's +lessons +lessor +lessor's +lessors +less's +lest +Lester +Lester's +Lestrade +Lestrade's +let +Leta +Leta's +letdown +letdown's +letdowns +Letha +lethal +lethally +lethargic +lethargically +lethargy +lethargy's +Letha's +Lethe +Lethe's +Leticia +Leticia's +Letitia +Letitia's +let's +lets +letter +letterbomb +letterbombs +letterbox +letterboxes +lettered +letterer +letterer's +letterers +letterhead +letterhead's +letterheads +lettering +lettering's +Letterman +Letterman's +letterpress +letterpress's +letter's +letters +letting +lettings +lettuce +lettuce's +lettuces +letup +letup's +letups +leucine +leucotomies +leucotomy +leukemia +leukemia's +leukemic +leukemic's +leukemics +leukocyte +leukocyte's +leukocytes +Levant +Levant's +levee +levee's +levees +level +leveled +leveler +leveler's +levelers +levelheaded +levelheadedness +levelheadedness's +leveling +levelly +levelness +levelness's +level's +levels +lever +leverage +leveraged +leverage's +leverages +leveraging +levered +levering +lever's +levers +Levesque +Levesque's +Levi +Leviathan +leviathan +Leviathan's +leviathan's +leviathans +levied +levier +levier's +leviers +levies +Levine +Levine's +Levi's +Levis +levitate +levitated +levitates +levitating +levitation +levitation's +Leviticus +Leviticus's +Levitt +Levitt's +levity +levity's +Levy +levy +levying +Levy's +levy's +Lew +lewd +lewder +lewdest +lewdly +lewdness +lewdness's +Lewinsky +Lewinsky's +Lewis +Lewis's +Lew's +lexer +lexers +lexical +lexicographer +lexicographer's +lexicographers +lexicographic +lexicographical +lexicography +lexicography's +lexicon +lexicon's +lexicons +Lexington +Lexington's +lexis +Lexus +Lexus's +LG +lg +LGBT +LG's +Lhasa +Lhasa's +Lhasas +Lhotse +Lhotse's +Li +liabilities +liability +liability's +liable +liaise +liaised +liaises +liaising +liaison +liaison's +liaisons +liar +liar's +liars +lib +libation +libation's +libations +libber +libber's +libbers +Libby +Libby's +libel +libeled +libeler +libeler's +libelers +libeling +libelous +libel's +libels +Liberace +Liberace's +Liberal +liberal +liberalism +liberalism's +liberality +liberality's +liberalization +liberalization's +liberalizations +liberalize +liberalized +liberalizes +liberalizing +liberally +liberalness +liberalness's +liberal's +liberals +liberate +liberated +liberates +liberating +liberation +liberation's +liberator +liberator's +liberators +Liberia +Liberian +Liberian's +Liberians +Liberia's +libertarian +libertarian's +libertarians +liberties +libertine +libertine's +libertines +liberty +liberty's +libidinal +libidinous +libido +libido's +libidos +Libra +librarian +librarian's +librarians +librarianship +libraries +library +library's +Libra's +Libras +LibreOffice +LibreOffice's +librettist +librettist's +librettists +libretto +libretto's +librettos +Libreville +Libreville's +Librium +Librium's +lib's +Libya +Libyan +Libyan's +Libyans +Libya's +lice +license +licensed +licensee +licensee's +licensees +license's +licenses +licensing +licentiate +licentiate's +licentiates +licentious +licentiously +licentiousness +licentiousness's +lichen +lichen's +lichens +Lichtenstein +Lichtenstein's +licit +licitly +lick +licked +licking +licking's +lickings +lick's +licks +licorice +licorice's +licorices +lid +lidded +Lidia +Lidia's +lidless +lido +lido's +lidos +lid's +lids +Lie +lie +Lieberman +Lieberman's +Liebfraumilch +Liebfraumilch's +Liechtenstein +Liechtensteiner +Liechtensteiner's +Liechtensteiners +Liechtenstein's +lied +lieder +lied's +lief +liefer +liefest +Liege +liege +Liege's +liege's +lieges +lien +lien's +liens +Lie's +lie's +lies +lieu +lieu's +Lieut +lieutenancy +lieutenancy's +lieutenant +lieutenant's +lieutenants +life +lifebelt +lifebelts +lifeblood +lifeblood's +lifeboat +lifeboat's +lifeboats +lifebuoy +lifebuoy's +lifebuoys +lifeforms +lifeguard +lifeguard's +lifeguards +lifeless +lifelessly +lifelessness +lifelessness's +lifelike +lifeline +lifeline's +lifelines +lifelong +lifer +lifer's +lifers +life's +lifesaver +lifesaver's +lifesavers +lifesaving +lifesaving's +lifespan +lifespans +lifestyle +lifestyle's +lifestyles +lifetime +lifetime's +lifetimes +lifework +lifework's +lifeworks +LIFO +lift +lifted +lifter +lifter's +lifters +lifting +liftoff +liftoff's +liftoffs +lift's +lifts +ligament +ligament's +ligaments +ligate +ligated +ligates +ligating +ligation +ligation's +ligature +ligatured +ligature's +ligatures +ligaturing +light +lighted +lighten +lightened +lightener +lightener's +lighteners +lightening +lightens +lighter +lighter's +lighters +lightest +lightface +lightfaced +lightface's +lightheaded +lighthearted +lightheartedly +lightheartedness +lightheartedness's +lighthouse +lighthouse's +lighthouses +lighting +lighting's +lightly +lightness +lightness's +lightning +lightninged +lightning's +lightnings +lightproof +light's +lights +lightship +lightship's +lightships +lightweight +lightweight's +lightweights +ligneous +lignin +lignite +lignite's +lii +likability +likability's +likable +likableness +likableness's +like +liked +likelier +likeliest +likelihood +likelihood's +likelihoods +likeliness +likeliness's +likely +liken +likened +likeness +likenesses +likeness's +likening +likens +liker +like's +likes +likest +likewise +liking +liking's +Lila +lilac +lilac's +lilacs +Lila's +Lilia +Lilian +Liliana +Liliana's +Lilian's +Lilia's +lilies +Lilith +Lilith's +Liliuokalani +Liliuokalani's +Lille +Lille's +Lillian +Lillian's +Lillie +Lillie's +Lilliput +Lilliputian +lilliputian +Lilliputian's +Lilliputians +Lilliput's +Lilly +Lilly's +lilo +Lilongwe +Lilongwe's +lilos +lilt +lilted +lilting +lilt's +lilts +Lily +lily +Lily's +lily's +Lima +Lima's +limb +Limbaugh +Limbaugh's +limber +limbered +limbering +limberness +limberness's +limbers +limbless +Limbo +limbo +limbo's +limbos +limb's +limbs +Limburger +Limburger's +lime +limeade +limeade's +limeades +limed +limelight +limelight's +limerick +limerick's +limericks +lime's +limes +limescale +limestone +limestone's +limey +limeys +limier +limiest +liming +limit +limitation +limitation's +limitations +limited +limiter +limiter's +limiters +limiting +limitings +limitless +limitlessness +limitlessness's +limit's +limits +limn +limned +limning +limns +limo +Limoges +Limoges's +limo's +limos +Limousin +limousine +limousine's +limousines +Limousin's +limp +limped +limper +limpest +limpet +limpet's +limpets +limpid +limpidity +limpidity's +limpidly +limpidness +limpidness's +limping +limply +limpness +limpness's +Limpopo +Limpopo's +limp's +limps +limy +Lin +Lina +linage +linage's +Lina's +linchpin +linchpin's +linchpins +Lincoln +Lincoln's +Lincolns +Lind +Linda +Linda's +Lindbergh +Lindbergh's +linden +linden's +lindens +Lind's +Lindsay +Lindsay's +Lindsey +Lindsey's +Lindy +Lindy's +line +lineage +lineage's +lineages +lineal +lineally +lineament +lineament's +lineaments +linear +linearity +linearity's +linearly +linebacker +linebacker's +linebackers +lined +linefeed +lineman +lineman's +linemen +linen +linen's +linens +linens's +liner +liner's +liners +line's +lines +linesman +linesman's +linesmen +lineup +lineup's +lineups +ling +linger +lingered +lingerer +lingerer's +lingerers +lingerie +lingerie's +lingering +lingeringly +lingerings +lingers +lingo +lingoes +lingo's +ling's +lings +lingual +linguine +linguine's +linguist +linguistic +linguistically +linguistics +linguistics's +linguist's +linguists +liniment +liniment's +liniments +lining +lining's +linings +link +linkage +linkage's +linkages +linked +linker +linking +linkman +linkmen +link's +links +linkup +linkup's +linkups +Linnaeus +Linnaeus's +linnet +linnet's +linnets +lino +linoleum +linoleum's +Linotype +Linotype's +Lin's +linseed +linseed's +lint +linted +lintel +lintel's +lintels +lintier +lintiest +linting +Linton +Linton's +lint's +lints +linty +Linus +Linus's +Linux +Linuxes +Linux's +Linwood +Linwood's +lion +Lionel +Lionel's +lioness +lionesses +lioness's +lionhearted +lionization +lionization's +lionize +lionized +lionizes +lionizing +lion's +lions +lip +lipid +lipid's +lipids +Lipizzaner +Lipizzaner's +liposuction +liposuction's +lipped +Lippi +Lippi's +Lippmann +Lippmann's +lippy +lipread +lipreader +lipreader's +lipreading +lipreading's +lipreads +lip's +lips +Lipscomb +Lipscomb's +lipstick +lipsticked +lipsticking +lipstick's +lipsticks +Lipton +Lipton's +liq +liquefaction +liquefaction's +liquefied +liquefies +liquefy +liquefying +liqueur +liqueur's +liqueurs +liquid +liquidate +liquidated +liquidates +liquidating +liquidation +liquidation's +liquidations +liquidator +liquidator's +liquidators +liquidity +liquidity's +liquidize +liquidized +liquidizer +liquidizer's +liquidizers +liquidizes +liquidizing +liquid's +liquids +liquor +liquored +liquoring +liquor's +liquors +lira +lira's +lire +Li's +Lisa +Lisa's +Lisbon +Lisbon's +lisle +lisle's +lisp +lisped +lisper +lisper's +lispers +lisping +lisp's +lisps +Lissajous +Lissajous's +lissome +list +listed +listen +listenable +listened +listener +listener's +listeners +listening +listen's +listens +Lister +listeria +Listerine +Listerine's +Lister's +listing +listing's +listings +listless +listlessly +listlessness +listlessness's +Liston +Liston's +list's +lists +Liszt +Liszt's +lit +litanies +litany +litany's +litchi +litchi's +litchis +lite +liter +literacy +literacy's +literal +literally +literalness +literalness's +literal's +literals +literariness +literariness's +literary +literate +literately +literate's +literates +literati +literati's +literature +literature's +liter's +liters +lithe +lithely +litheness +litheness's +lither +lithesome +lithest +lithium +lithium's +lithograph +lithographed +lithographer +lithographer's +lithographers +lithographic +lithographically +lithographing +lithograph's +lithographs +lithography +lithography's +lithosphere +lithosphere's +lithospheres +Lithuania +Lithuanian +Lithuanian's +Lithuanians +Lithuania's +litigant +litigant's +litigants +litigate +litigated +litigates +litigating +litigation +litigation's +litigator +litigator's +litigators +litigious +litigiousness +litigiousness's +litmus +litmus's +litotes +litotes's +litter +litterateur +litterateur's +litterateurs +litterbug +litterbug's +litterbugs +littered +litterer +litterer's +litterers +littering +litter's +litters +Little +little +littleness +littleness's +littler +Little's +little's +littlest +Litton +Litton's +littoral +littoral's +littorals +littérateur +littérateur's +littérateurs +liturgical +liturgically +liturgies +liturgist +liturgist's +liturgists +liturgy +liturgy's +livability +livability's +livable +live +lived +livelier +liveliest +livelihood +livelihood's +livelihoods +liveliness +liveliness's +livelong +livelongs +lively +liven +livened +livening +livens +liver +liveried +liveries +liverish +Liverpool +Liverpool's +Liverpudlian +Liverpudlian's +Liverpudlians +liver's +livers +liverwort +liverwort's +liverworts +liverwurst +liverwurst's +livery +liveryman +liveryman's +liverymen +livery's +lives +livest +livestock +livestock's +liveware +Livia +Livia's +livid +lividly +living +living's +livings +Livingston +Livingstone +Livingstone's +Livingston's +Livonia +Livonia's +Livy +Livy's +lix +Liz +Liza +lizard +lizard's +lizards +Liza's +Liz's +Lizzie +Lizzie's +Lizzy +Lizzy's +Ljubljana +Ljubljana's +LL +ll +llama +llama's +llamas +llano +llano's +llanos +LLB +LLB's +LLD +LLD's +Llewellyn +Llewellyn's +Lloyd +Lloyd's +Ln +LNG +lo +load +loadable +loaded +loader +loader's +loaders +loading +loading's +load's +loads +loaf +loafed +Loafer +loafer +Loafer's +Loafers +loafer's +loafers +loafing +loaf's +loafs +loam +loamier +loamiest +loam's +loamy +loan +loaned +loaner +loaner's +loaners +loaning +loan's +loans +loansharking +loansharking's +loanword +loanword's +loanwords +loath +loathe +loathed +loather +loather's +loathers +loathes +loathing +loathing's +loathings +loathsome +loathsomely +loathsomeness +loathsomeness's +loaves +lob +Lobachevsky +Lobachevsky's +lobar +lobbed +lobber +lobber's +lobbers +lobbied +lobbies +lobbing +lobby +lobbying +lobbyist +lobbyist's +lobbyists +lobby's +lobe +lobed +lobe's +lobes +lobotomies +lobotomize +lobotomized +lobotomizes +lobotomizing +lobotomy +lobotomy's +lob's +lobs +lobster +lobster's +lobsters +local +locale +locale's +locales +localities +locality +locality's +localization +localization's +localize +localized +localizes +localizing +locally +local's +locals +locate +located +locates +locating +location +location's +locations +locator +locator's +locators +locavore +locavore's +locavores +Lochinvar +Lochinvar's +loci +lock +lockable +Locke +Lockean +Lockean's +locked +locker +locker's +lockers +Locke's +locket +locket's +lockets +Lockheed +Lockheed's +locking +lockjaw +lockjaw's +lockout +lockout's +lockouts +lock's +locks +locksmith +locksmith's +locksmiths +lockstep +lockstep's +lockup +lockup's +lockups +Lockwood +Lockwood's +loco +locomotion +locomotion's +locomotive +locomotive's +locomotives +locos +locoweed +locoweed's +locoweeds +locum +locums +locus +locus's +locust +locust's +locusts +locution +locution's +locutions +lode +lode's +lodes +lodestar +lodestar's +lodestars +lodestone +lodestone's +lodestones +Lodge +lodge +lodged +lodger +lodger's +lodgers +Lodge's +lodge's +lodges +lodging +lodging's +lodgings +lodgings's +Lodz +Lodz's +Loewe +Loewe's +Loewi +Loewi's +Loews +Loews's +loft +lofted +loftier +loftiest +loftily +loftiness +loftiness's +lofting +loft's +lofts +lofty +log +Logan +loganberries +loganberry +loganberry's +Logan's +logarithm +logarithmic +logarithm's +logarithms +logbook +logbook's +logbooks +loge +loge's +loges +logged +logger +loggerhead +loggerhead's +loggerheads +logger's +loggers +loggia +loggia's +loggias +logging +logging's +logic +logical +logicality +logicality's +logically +logician +logician's +logicians +logic's +logier +logiest +login +login's +logins +logistic +logistical +logistically +logistics +logistics's +logjam +logjam's +logjams +LOGO +logo +logoff +logoff's +logoffs +logon +logon's +logons +logo's +logos +logotype +logotype's +logotypes +logout +logout's +logouts +logrolling +logrolling's +log's +logs +logy +Lohengrin +Lohengrin's +loin +loincloth +loincloth's +loincloths +loin's +loins +Loire +Loire's +Lois +Lois's +loiter +loitered +loiterer +loiterer's +loiterers +loitering +loitering's +loiters +Loki +Loki's +Lola +Lola's +lolcat +lolcat's +lolcats +Lolita +Lolita's +loll +Lollard +Lollard's +lolled +lollies +lolling +lollipop +lollipop's +lollipops +Lollobrigida +Lollobrigida's +lollop +lolloped +lolloping +lollops +lolls +lolly +lollygag +lollygagged +lollygagging +lollygags +Lombard +Lombardi +Lombardi's +Lombard's +Lombardy +Lombardy's +Lome +Lome's +Lon +London +Londoner +Londoner's +Londoners +London's +lone +lonelier +loneliest +loneliness +loneliness's +lonely +loner +loner's +loners +lonesome +lonesomely +lonesomeness +lonesomeness's +Long +long +longboat +longboat's +longboats +longbow +longbow's +longbows +longed +longer +longest +longevity +longevity's +Longfellow +Longfellow's +longhair +longhair's +longhairs +longhand +longhand's +longhorn +longhorn's +longhorns +longhouse +longhouses +longing +longingly +longing's +longings +longish +longitude +longitude's +longitudes +longitudinal +longitudinally +Long's +long's +longs +longshoreman +longshoreman's +longshoremen +longsighted +longstanding +Longstreet +Longstreet's +longtime +Longueuil +longueur +longueur's +longueurs +longways +Lonnie +Lonnie's +Lon's +loo +loofah +loofah's +loofahs +look +lookalike +lookalike's +lookalikes +looked +looker +looker's +lookers +looking +lookout +lookout's +lookouts +look's +looks +lookup +loom +loomed +looming +loom's +looms +loon +loonie +loonier +loonie's +loonies +looniest +loon's +loons +loony +loony's +loop +looped +loophole +loophole's +loopholes +loopier +loopiest +looping +loop's +loops +loopy +loos +loose +loosed +loosely +loosen +loosened +looseness +looseness's +loosening +loosens +looser +looses +loosest +loosing +loot +looted +looter +looter's +looters +looting +looting's +loot's +loots +lop +lope +loped +lope's +lopes +Lopez +Lopez's +loping +lopped +lopping +lops +lopsided +lopsidedly +lopsidedness +lopsidedness's +loquacious +loquaciously +loquaciousness +loquaciousness's +loquacity +loquacity's +Lora +Loraine +Loraine's +Lora's +Lord +lord +lorded +lording +lordlier +lordliest +lordliness +lordliness's +lordly +Lord's +Lords +lord's +lords +Lordship +lordship +Lordship's +Lordships +lordship's +lordships +lore +L'Oreal +L'Oreal's +Lorelei +Lorelei's +Loren +Lorena +Lorena's +Lorene +Lorene's +Loren's +Lorentz +Lorentz's +Lorenz +Lorenzo +Lorenzo's +Lorenz's +lore's +Loretta +Loretta's +lorgnette +lorgnette's +lorgnettes +Lori +Lorie +Lorie's +Lori's +loris +lorises +loris's +lorn +Lorna +Lorna's +Lorraine +Lorraine's +Lorre +Lorre's +Lorrie +Lorrie's +lorries +lorry +lorry's +Los +lose +loser +loser's +losers +loses +losing +losing's +losings +loss +losses +lossless +loss's +lost +Lot +lot +Lothario +Lothario's +Lotharios +lotion +lotion's +lotions +Lot's +lot's +lots +Lott +lotteries +lottery +lottery's +Lottie +Lottie's +lotto +lotto's +Lott's +lotus +lotuses +lotus's +Lou +louche +loud +louder +loudest +loudhailer +loudhailer's +loudhailers +loudly +loudmouth +loudmouthed +loudmouth's +loudmouths +loudness +loudness's +loudspeaker +loudspeaker's +loudspeakers +Louella +Louella's +lough +loughs +Louie +Louie's +Louis +Louisa +Louisa's +Louise +Louise's +Louisiana +Louisianan +Louisianan's +Louisianans +Louisiana's +Louisianian +Louisianian's +Louisianians +Louis's +Louisville +Louisville's +lounge +lounged +lounger +lounger's +loungers +lounge's +lounges +lounging +lour +Lourdes +Lourdes's +loured +louring +lours +Lou's +louse +loused +louse's +louses +lousier +lousiest +lousily +lousiness +lousiness's +lousing +lousy +lout +loutish +loutishly +loutishness +lout's +louts +louver +louvered +louver's +louvers +L'Ouverture +L'Ouverture's +Louvre +Louvre's +lovable +lovableness +lovableness's +lovably +Love +love +lovebird +lovebird's +lovebirds +lovechild +lovechild's +Lovecraft +Lovecraft's +loved +Lovelace +Lovelace's +loveless +lovelier +lovelies +loveliest +loveliness +loveliness's +lovelorn +lovely +lovely's +lovemaking +lovemaking's +lover +lover's +lovers +Love's +love's +loves +lovesick +lovey +loveys +loving +lovingly +low +lowborn +lowboy +lowboy's +lowboys +lowbrow +lowbrow's +lowbrows +lowdown +lowdown's +Lowe +lowed +Lowell +Lowell's +Lowenbrau +Lowenbrau's +lower +lowercase +lowercase's +lowered +lowering +lowermost +lowers +Lowery +Lowery's +Lowe's +lowest +lowing +lowish +lowland +lowlander +lowlander's +lowlanders +Lowlands +lowland's +lowlands +lowlier +lowliest +lowlife +lowlife's +lowlifes +lowliness +lowliness's +lowly +lowness +lowness's +low's +lows +lox +lox's +loyal +loyaler +loyalest +loyalism +loyalism's +loyalist +loyalist's +loyalists +loyally +loyalties +loyalty +loyalty's +Loyang +Loyang's +Loyd +Loyd's +Loyola +Loyola's +lozenge +lozenge's +lozenges +LP +LPG +LPN +LPN's +LPNs +LP's +Lr +L's +ls +LSAT +LSD +LSD's +Lt +Ltd +ltd +Lu +Luanda +Luanda's +Luann +Luann's +luau +luau's +luaus +Lubavitcher +Lubavitcher's +lubber +lubberly +lubber's +lubbers +Lubbock +Lubbock's +lube +lubed +lube's +lubes +lubing +lubricant +lubricant's +lubricants +lubricate +lubricated +lubricates +lubricating +lubrication +lubrication's +lubricator +lubricator's +lubricators +lubricious +lubriciously +lubricity +lubricity's +Lubumbashi +Lubumbashi's +Lucas +Lucas's +Luce +Luce's +Lucia +Lucian +Luciano +Luciano's +Lucian's +Lucia's +lucid +lucidity +lucidity's +lucidly +lucidness +lucidness's +Lucien +Lucien's +Lucifer +Lucifer's +Lucile +Lucile's +Lucille +Lucille's +Lucinda +Lucinda's +Lucio +Lucio's +Lucite +Lucite's +Lucites +Lucius +Lucius's +luck +lucked +luckier +luckiest +luckily +luckiness +luckiness's +lucking +luckless +Lucknow +Lucknow's +luck's +lucks +lucky +lucrative +lucratively +lucrativeness +lucrativeness's +lucre +lucre's +Lucretia +Lucretia's +Lucretius +Lucretius's +lucubrate +lucubrated +lucubrates +lucubrating +lucubration +lucubration's +Lucy +Lucy's +Luddite +Luddite's +Luddites +Ludhiana +Ludhiana's +ludicrous +ludicrously +ludicrousness +ludicrousness's +ludo +Ludwig +Ludwig's +Luella +Luella's +luff +luffed +luffing +luffs +Lufthansa +Lufthansa's +Luftwaffe +Luftwaffe's +lug +luge +Luger +Luger's +luges +luggage +luggage's +lugged +lugger +lugger's +luggers +lugging +lughole +lugholes +Lugosi +Lugosi's +lug's +lugs +lugsail +lugsail's +lugsails +lugubrious +lugubriously +lugubriousness +lugubriousness's +Luigi +Luigi's +Luis +Luisa +Luisa's +Luis's +Luke +Luke's +lukewarm +lukewarmly +lukewarmness +lukewarmness's +Lula +Lula's +lull +lullabies +lullaby +lullaby's +lulled +lulling +lull's +lulls +Lully +Lully's +Lulu +lulu +Lulu's +lulus +lumbago +lumbago's +lumbar +lumber +lumbered +lumberer +lumberer's +lumberers +lumbering +lumbering's +lumberjack +lumberjack's +lumberjacks +lumberman +lumberman's +lumbermen +lumber's +lumbers +lumberyard +lumberyard's +lumberyards +lumen +Lumiere +Lumiere's +luminaries +luminary +luminary's +luminescence +luminescence's +luminescent +luminosity +luminosity's +luminous +luminously +Lumière +Lumière's +lummox +lummoxes +lummox's +lump +lumpectomies +lumpectomy +lumped +lumpen +lumpier +lumpiest +lumpiness +lumpiness's +lumping +lumpish +lump's +lumps +lumpy +Luna +lunacies +lunacy +lunacy's +lunar +Luna's +lunatic +lunatic's +lunatics +lunch +lunchbox +lunchboxes +lunched +luncheon +luncheonette +luncheonette's +luncheonettes +luncheon's +luncheons +lunches +lunching +lunchroom +lunchroom's +lunchrooms +lunch's +lunchtime +lunchtime's +lunchtimes +lung +lunge +lunged +lunge's +lunges +lungfish +lungfishes +lungfish's +lungful +lungfuls +lunging +lung's +lungs +lunkhead +lunkhead's +lunkheads +Lupe +Lupercalia +Lupercalia's +Lupe's +lupine +lupine's +lupines +Lupus +lupus +Lupus's +lupus's +lurch +lurched +lurches +lurching +lurch's +lure +lured +lure's +lures +lurgy +Luria +Luria's +lurid +luridly +luridness +luridness's +luring +lurk +lurked +lurker +lurkers +lurking +lurks +Lu's +Lusaka +Lusaka's +luscious +lusciously +lusciousness +lusciousness's +lush +lusher +lushes +lushest +lushly +lushness +lushness's +lush's +Lusitania +Lusitania's +lust +lusted +luster +lusterless +luster's +lustful +lustfully +lustier +lustiest +lustily +lustiness +lustiness's +lusting +lustrous +lustrously +lust's +lusts +lusty +lutanist +lutanist's +lutanists +lute +lutenist +lutenist's +lutenists +lute's +lutes +lutetium +lutetium's +Luther +Lutheran +Lutheranism +Lutheranism's +Lutheranisms +Lutheran's +Lutherans +Luther's +Luvs +Luvs's +lux +Luxembourg +Luxembourger +Luxembourger's +Luxembourgers +Luxembourgian +Luxembourg's +luxuriance +luxuriance's +luxuriant +luxuriantly +luxuriate +luxuriated +luxuriates +luxuriating +luxuriation +luxuriation's +luxuries +luxurious +luxuriously +luxuriousness +luxuriousness's +luxury +luxury's +Luz +Luzon +Luzon's +Luz's +lvi +lvii +LVN +Lvov +Lvov's +lxi +lxii +lxiv +lxix +lxvi +lxvii +Lyallpur +lyceum +lyceum's +lyceums +lychgate +lychgates +Lycra +Lycra's +Lycurgus +Lycurgus's +Lydia +Lydian +Lydian's +Lydians +Lydia's +lye +Lyell +Lyell's +lye's +lying +lying's +Lyle +Lyle's +Lyly +Lyly's +Lyman +Lyman's +Lyme +Lyme's +lymph +lymphatic +lymphatic's +lymphatics +lymphocyte +lymphocyte's +lymphocytes +lymphoid +lymphoma +lymphoma's +lymphomas +lymph's +Lynch +lynch +lynched +lyncher +lyncher's +lynchers +lynches +lynching +lynching's +lynchings +Lynch's +Lynda +Lynda's +Lyndon +Lyndon's +Lynette +Lynette's +Lynn +Lynne +Lynne's +Lynnette +Lynnette's +Lynn's +lynx +lynxes +lynx's +Lyon +Lyon's +Lyons +Lyons's +Lyra +Lyra's +lyre +lyrebird +lyrebird's +lyrebirds +lyre's +lyres +lyric +lyrical +lyrically +lyricism +lyricism's +lyricist +lyricist's +lyricists +lyric's +lyrics +Lysenko +Lysenko's +Lysistrata +Lysistrata's +Lysol +Lysol's +lysosomal +lysosomes +LyX +LyX's +M +m +MA +ma +Maalox +Maalox's +ma'am +mañana +mañana's +Mabel +Mabel's +Mable +Mable's +Mac +mac +macabre +macadam +macadamia +macadamia's +macadamias +macadamize +macadamized +macadamizes +macadamizing +macadam's +Macao +Macao's +macaque +macaque's +macaques +macaroni +macaroni's +macaronis +macaroon +macaroon's +macaroons +MacArthur +MacArthur's +Macaulay +Macaulay's +macaw +macaw's +macaws +Macbeth +Macbeth's +MacBride +MacBride's +Maccabees +Maccabeus +Maccabeus's +MacDonald +MacDonald's +Mace +mace +maced +Macedon +Macedonia +Macedonian +Macedonian's +Macedonians +Macedonia's +Macedon's +macerate +macerated +macerates +macerating +maceration +maceration's +Mace's +mace's +maces +Mach +mach +machete +machete's +machetes +Machiavelli +Machiavellian +Machiavellian's +Machiavelli's +machinable +machinate +machinated +machinates +machinating +machination +machination's +machinations +machine +machined +machinery +machinery's +machine's +machines +machining +machinist +machinist's +machinists +machismo +machismo's +macho +macho's +Mach's +mach's +Macias +Macias's +macing +Macintosh +Macintosh's +Mack +Mackenzie +Mackenzie's +mackerel +mackerel's +mackerels +Mackinac +Mackinac's +Mackinaw +mackinaw +Mackinaw's +mackinaw's +mackinaws +mackintosh +mackintoshes +mackintosh's +Mack's +MacLeish +MacLeish's +Macmillan +Macmillan's +Macon +Macon's +macramé +macrame +macrame's +macramé's +macro +macrobiotic +macrobiotics +macrobiotics's +macrocosm +macrocosm's +macrocosms +macroeconomic +macroeconomics +macroeconomics's +macrologies +macrology +macron +macron's +macrons +macrophages +macro's +macros +macroscopic +Mac's +mac's +macs +Macumba +Macumba's +Macy +Macy's +mad +Madagascan +Madagascan's +Madagascans +Madagascar +Madagascar's +Madam +madam +madame +madame's +madam's +madams +madcap +madcap's +madcaps +Madden +madden +maddened +maddening +maddeningly +Madden's +maddens +madder +madder's +madders +maddest +madding +Maddox +Maddox's +made +Madeira +Madeira's +Madeiras +Madeleine +Madeleine's +Madeline +Madeline's +Madelyn +Madelyn's +mademoiselle +mademoiselle's +mademoiselles +Madge +Madge's +madhouse +madhouse's +madhouses +Madison +Madison's +madly +madman +madman's +madmen +madness +madness's +Madonna +Madonna's +Madonnas +Madras +madras +madrasa +madrasah +madrasah's +madrasahs +madrasa's +madrasas +madrases +Madras's +madras's +madrassa +madrassa's +madrassas +Madrid +Madrid's +madrigal +madrigal's +madrigals +mad's +mads +Madurai +Madurai's +madwoman +madwoman's +madwomen +Mae +maelstrom +maelstrom's +maelstroms +Mae's +maestro +maestro's +maestros +Maeterlinck +Maeterlinck's +Mafia +mafia +Mafia's +Mafias +mafia's +mafias +mafiosi +Mafioso +mafioso +Mafioso's +mafioso's +mag +magazine +magazine's +magazines +Magdalena +Magdalena's +Magdalene +Magdalene's +mage +Magellan +Magellanic +Magellanic's +Magellan's +magenta +magenta's +mage's +mages +Maggie +Maggie's +maggot +maggot's +maggots +maggoty +Maghreb +Maghreb's +Magi +magi +magic +magical +magically +magician +magician's +magicians +magicked +magicking +magic's +magics +Maginot +Maginot's +magi's +magisterial +magisterially +magistracy +magistracy's +magistrate +magistrate's +magistrates +magma +magma's +magnanimity +magnanimity's +magnanimous +magnanimously +magnate +magnate's +magnates +magnesia +magnesia's +magnesium +magnesium's +magnet +magnetic +magnetically +magnetism +magnetism's +magnetite +magnetite's +magnetizable +magnetization +magnetization's +magnetize +magnetized +magnetizes +magnetizing +magneto +magnetometer +magnetometer's +magnetometers +magneto's +magnetos +magnetosphere +magnet's +magnets +Magnificat +magnification +magnification's +magnifications +magnificence +magnificence's +magnificent +magnificently +magnified +magnifier +magnifier's +magnifiers +magnifies +magnify +magnifying +magniloquence +magniloquence's +magniloquent +Magnitogorsk +Magnitogorsk's +magnitude +magnitude's +magnitudes +magnolia +magnolia's +magnolias +magnum +magnum's +magnums +Magog +Magog's +Magoo +Magoo's +magpie +magpie's +magpies +Magritte +Magritte's +mag's +mags +Magsaysay +Magsaysay's +Magus +magus +magus's +Magyar +Magyar's +Magyars +Mahabharata +Mahabharata's +maharajah +maharajah's +maharajahs +maharani +maharani's +maharanis +Maharashtra +Maharashtra's +maharishi +maharishi's +maharishis +mahatma +mahatma's +mahatmas +Mahavira +Mahavira's +Mahayana +Mahayana's +Mahayanist +Mahayanist's +Mahdi +Mahdi's +Mahfouz +Mahfouz's +Mahican +Mahican's +Mahicans +Mahler +Mahler's +mahoganies +mahogany +mahogany's +mahout +mahout's +mahouts +Mai +maid +maiden +Maidenform +Maidenform's +maidenhair +maidenhair's +maidenhead +maidenhead's +maidenheads +maidenhood +maidenhood's +maidenly +maiden's +maidens +maid's +maids +maidservant +maidservant's +maidservants +Maigret +Maigret's +mail +mailbag +mailbag's +mailbags +mailbomb +mailbombed +mailbombing +mailbombs +mailbox +mailboxes +mailbox's +mailed +Mailer +mailer +Mailer's +mailer's +mailers +mailing +mailing's +mailings +Maillol +Maillol's +maillot +maillot's +maillots +mailman +mailman's +mailmen +mail's +mails +mailshot +mailshots +maim +Maiman +Maiman's +maimed +maiming +Maimonides +Maimonides's +maims +main +Maine +Mainer +Mainer's +Mainers +Maine's +mainframe +mainframe's +mainframes +mainland +mainland's +mainlands +mainline +mainlined +mainline's +mainlines +mainlining +mainly +mainmast +mainmast's +mainmasts +main's +mains +mainsail +mainsail's +mainsails +mainspring +mainspring's +mainsprings +mainstay +mainstay's +mainstays +mainstream +mainstreamed +mainstreaming +mainstream's +mainstreams +maintain +maintainability +maintainable +maintained +maintainer +maintainers +maintaining +maintains +maintenance +maintenance's +maintop +maintop's +maintops +Mai's +Maisie +Maisie's +maisonette +maisonette's +maisonettes +Maitreya +Maitreya's +maize +maize's +maizes +Maj +majestic +majestically +majesties +Majesty +majesty +majesty's +majolica +majolica's +Major +major +Majorca +Majorca's +majordomo +majordomo's +majordomos +majored +majorette +majorette's +majorettes +majoring +majoritarian +majoritarianism +majoritarian's +majoritarians +majorities +majority +majority's +majorly +Major's +major's +majors +Majuro +Majuro's +Makarios +Makarios's +make +makeover +makeover's +makeovers +Maker +maker +Maker's +maker's +makers +make's +makes +makeshift +makeshift's +makeshifts +makeup +makeup's +makeups +makeweight +makeweights +making +making's +makings +makings's +Malabar +Malabar's +Malabo +Malabo's +Malacca +Malacca's +Malachi +Malachi's +malachite +malachite's +maladies +maladjusted +maladjustment +maladjustment's +maladministration +maladroit +maladroitly +maladroitness +maladroitness's +malady +malady's +Malagasy +Malagasy's +malaise +malaise's +Malamud +Malamud's +malamute +malamute's +malamutes +Malaprop +malapropism +malapropism's +malapropisms +Malaprop's +malaria +malarial +malaria's +malarkey +malarkey's +malathion +malathion's +Malawi +Malawian +Malawian's +Malawians +Malawi's +Malay +Malaya +Malayalam +Malayalam's +Malayan +Malayan's +Malayans +Malaya's +Malay's +Malays +Malaysia +Malaysian +Malaysian's +Malaysians +Malaysia's +Malcolm +Malcolm's +malcontent +malcontent's +malcontents +Maldive +Maldive's +Maldives +Maldives's +Maldivian +Maldivian's +Maldivians +Maldonado +Maldonado's +Male +male +malediction +malediction's +maledictions +malefaction +malefaction's +malefactor +malefactor's +malefactors +malefic +maleficence +maleficence's +maleficent +maleness +maleness's +Male's +male's +males +malevolence +malevolence's +malevolent +malevolently +malfeasance +malfeasance's +malformation +malformation's +malformations +malformed +malfunction +malfunctioned +malfunctioning +malfunction's +malfunctions +Mali +Malian +Malian's +Malians +Malibu +Malibu's +malice +malice's +malicious +maliciously +maliciousness +maliciousness's +malign +malignancies +malignancy +malignancy's +malignant +malignantly +maligned +maligning +malignity +malignity's +maligns +Malinda +Malinda's +malinger +malingered +malingerer +malingerer's +malingerers +malingering +malingers +Malinowski +Malinowski's +Mali's +mall +mallard +mallard's +mallards +Mallarmé +Mallarme +Mallarme's +Mallarmé's +malleability +malleability's +malleable +mallet +mallet's +mallets +Mallomars +Mallomars's +Mallory +Mallory's +mallow +mallow's +mallows +mall's +malls +malnourished +malnutrition +malnutrition's +malocclusion +malocclusion's +malodorous +Malone +Malone's +Malory +Malory's +Malplaquet +Malplaquet's +malpractice +malpractice's +malpractices +Malraux +Malraux's +malt +Malta +Malta's +malted +malted's +malteds +Maltese +Maltese's +Malthus +Malthusian +Malthusian's +Malthusians +Malthus's +maltier +maltiest +malting +maltose +maltose's +maltreat +maltreated +maltreating +maltreatment +maltreatment's +maltreats +malt's +malts +malty +malware +malware's +mam +mama +mama's +mamas +mamba +mamba's +mambas +mambo +mamboed +mamboing +mambo's +mambos +Mameluke +Mameluke's +Mamet +Mamet's +Mamie +Mamie's +mamma +mammal +mammalian +mammalian's +mammalians +mammal's +mammals +mammary +mamma's +mammies +mammogram +mammogram's +mammograms +mammography +mammography's +mammon +mammon's +mammoth +mammoth's +mammoths +mammy +mammy's +Mamore +Mamore's +mams +Man +man +manacle +manacled +manacle's +manacles +manacling +manage +manageability +manageability's +manageable +managed +management +management's +managements +manager +manageress +manageresses +managerial +manager's +managers +manages +managing +Managua +Managua's +Manama +Manama's +manana +manana's +mananas +Manasseh +Manasseh's +manatee +manatee's +manatees +Manchester +Manchester's +Manchu +Manchuria +Manchurian +Manchurian's +Manchuria's +Manchu's +Manchus +Mancini +Mancini's +Mancunian +Mancunian's +Mancunians +mandala +mandala's +mandalas +Mandalay +Mandalay's +mandamus +mandamuses +mandamus's +Mandarin +mandarin +Mandarin's +mandarin's +mandarins +mandate +mandated +mandate's +mandates +mandating +mandatory +Mandela +Mandela's +Mandelbrot +Mandelbrot's +mandible +mandible's +mandibles +mandibular +Mandingo +Mandingo's +mandolin +mandolin's +mandolins +mandrake +mandrake's +mandrakes +mandrel +Mandrell +Mandrell's +mandrel's +mandrels +mandrill +mandrill's +mandrills +Mandy +Mandy's +mane +maned +manege +manege's +mane's +manes +Manet +Manet's +maneuver +maneuverability +maneuverability's +maneuverable +maneuvered +maneuvering +maneuverings +maneuver's +maneuvers +Manfred +Manfred's +manful +manfully +manga +manganese +manganese's +manga's +mange +manège +manged +manger +manger's +mangers +mange's +manège's +mangetout +mangetouts +mangier +mangiest +manginess +manginess's +mangle +mangled +mangler +manglers +mangle's +mangles +mangling +mango +mangoes +mango's +mangrove +mangrove's +mangroves +mangy +manhandle +manhandled +manhandles +manhandling +Manhattan +Manhattan's +Manhattans +manhole +manhole's +manholes +manhood +manhood's +manhunt +manhunt's +manhunts +Mani +mania +maniac +maniacal +maniacally +maniac's +maniacs +mania's +manias +manic +manically +Manichean +Manichean's +manic's +manics +manicure +manicured +manicure's +manicures +manicuring +manicurist +manicurist's +manicurists +manifest +manifestation +manifestation's +manifestations +manifested +manifesting +manifestly +manifesto +manifesto's +manifestos +manifest's +manifests +manifold +manifolded +manifolding +manifold's +manifolds +manikin +manikin's +manikins +Manila +manila +Manila's +Manilas +manila's +manioc +manioc's +maniocs +manipulable +manipulate +manipulated +manipulates +manipulating +manipulation +manipulation's +manipulations +manipulative +manipulatively +manipulator +manipulator's +manipulators +Mani's +Manitoba +Manitoba's +Manitoulin +Manitoulin's +mankind +mankind's +manky +Manley +Manley's +manlier +manliest +manlike +manliness +manliness's +manly +Mann +manna +manna's +manned +mannequin +mannequin's +mannequins +manner +mannered +mannerism +mannerism's +mannerisms +mannerly +manner's +manners +Mannheim +Mannheim's +Manning +manning +Manning's +mannish +mannishly +mannishness +mannishness's +Mann's +manometer +manometer's +manometers +manor +manorial +manor's +manors +manpower +manpower's +manqué +manque +Man's +man's +mans +mansard +mansard's +mansards +manse +manservant +manservant's +manse's +manses +Mansfield +Mansfield's +mansion +mansion's +mansions +manslaughter +manslaughter's +Manson +Manson's +manta +manta's +mantas +Mantegna +Mantegna's +mantel +mantelpiece +mantelpiece's +mantelpieces +mantel's +mantels +mantelshelf +mantelshelves +mantes +mantilla +mantilla's +mantillas +mantis +mantises +mantis's +mantissa +mantissa's +mantissas +Mantle +mantle +mantled +Mantle's +mantle's +mantles +mantling +mantra +mantra's +mantras +manual +manually +manual's +manuals +Manuel +Manuela +Manuela's +Manuel's +manufacture +manufactured +manufacturer +manufacturer's +manufacturers +manufacture's +manufactures +manufacturing +manufacturing's +manumission +manumission's +manumissions +manumit +manumits +manumitted +manumitting +manure +manured +manure's +manures +manuring +manuscript +manuscript's +manuscripts +Manx +Manx's +many +many's +Mao +Maoism +Maoism's +Maoisms +Maoist +Maoist's +Maoists +Maori +Maori's +Maoris +Mao's +map +maple +maple's +maples +mapmaker +mapmaker's +mapmakers +mapped +mapper +mapper's +mappers +mapping +mappings +Mapplethorpe +Mapplethorpe's +map's +maps +Maputo +Maputo's +Mar +mar +Mara +marabou +marabou's +marabous +marabout +marabout's +marabouts +maraca +Maracaibo +Maracaibo's +maraca's +maracas +Mara's +maraschino +maraschino's +maraschinos +Marat +Maratha +Maratha's +Marathi +Marathi's +Marathon +marathon +marathoner +marathoner's +marathoners +Marathon's +marathon's +marathons +Marat's +maraud +marauded +marauder +marauder's +marauders +marauding +marauds +marble +marbled +marbleize +marbleized +marbleizes +marbleizing +marble's +marbles +marbling +marbling's +Marc +Marceau +Marceau's +Marcel +Marcelino +Marcelino's +Marcella +Marcella's +Marcelo +Marcelo's +Marcel's +March +march +marched +marcher +marcher's +marchers +Marches +marches +marching +marchioness +marchionesses +marchioness's +March's +march's +Marci +Marcia +Marciano +Marciano's +Marcia's +Marcie +Marcie's +Marci's +Marco +Marconi +Marconi's +Marco's +Marcos +Marcos's +Marc's +Marcus +Marcuse +Marcus's +Marcy +Marcy's +Marduk +Marduk's +mare +mare's +mares +Margaret +Margaret's +margarine +margarine's +Margarita +margarita +Margarita's +margarita's +margaritas +Margarito +Margarito's +Marge +marge +Margery +Margery's +Marge's +Margie +Margie's +margin +marginal +marginalia +marginalia's +marginalization +marginalization's +marginalize +marginalized +marginalizes +marginalizing +marginally +marginals +margin's +margins +Margo +Margo's +Margot +Margret +Margrethe +Margrethe's +Margret's +Marguerite +Marguerite's +Mari +Maria +maria +mariachi +mariachi's +mariachis +Marian +Mariana +Mariana's +Marianas +Marianas's +Marianne +Marianne's +Mariano +Mariano's +Marian's +Maria's +maria's +Maribel +Maribel's +Maricela +Maricela's +Marie +Marie's +Marietta +Marietta's +marigold +marigold's +marigolds +marijuana +marijuana's +Marilyn +Marilyn's +marimba +marimba's +marimbas +Marin +Marina +marina +marinade +marinaded +marinade's +marinades +marinading +marinara +marinara's +Marina's +marina's +marinas +marinate +marinated +marinates +marinating +marination +marination's +Marine +marine +mariner +mariner's +mariners +Marine's +Marines +marine's +marines +Marin's +Mario +Marion +marionette +marionette's +marionettes +Marion's +Mario's +Mari's +Maris +Marisa +Marisa's +Marisol +Marisol's +Maris's +Marissa +Marissa's +Maritain +Maritain's +marital +maritally +maritime +Maritza +Maritza's +Mariupol +Marius +Marius's +marjoram +marjoram's +Marjorie +Marjorie's +Marjory +Marjory's +Mark +mark +Markab +Markab's +markdown +markdown's +markdowns +marked +markedly +marker +marker's +markers +market +marketability +marketability's +marketable +marketed +marketeer +marketeer's +marketeers +marketer +marketer's +marketers +marketing +marketing's +marketplace +marketplace's +marketplaces +market's +markets +Markham +Markham's +marking +marking's +markings +markka +markkaa +markka's +Markov +Markov's +Mark's +Marks +mark's +marks +marksman +marksman's +marksmanship +marksmanship's +marksmen +Marks's +markup +markup's +markups +marl +Marla +Marla's +Marlboro +Marlboro's +Marlborough +Marlborough's +Marlene +Marlene's +Marley +Marley's +Marlin +marlin +marlinespike +marlinespike's +marlinespikes +Marlin's +marlin's +marlins +Marlon +Marlon's +Marlowe +Marlowe's +marl's +marmalade +marmalade's +Marmara +Marmara's +marmoreal +marmoset +marmoset's +marmosets +marmot +marmot's +marmots +Marne +Marne's +Maronite +Maronite's +maroon +marooned +marooning +maroon's +maroons +Marple +Marple's +marque +marquee +marquee's +marquees +marque's +marques +Marquesas +Marquesas's +marquess +marquesses +marquess's +marquetry +marquetry's +Marquette +Marquette's +Marquez +Marquez's +Marquis +marquis +marquise +marquise's +marquises +marquisette +marquisette's +Marquis's +marquis's +Marquita +Marquita's +Marrakesh +Marrakesh's +marred +marriage +marriageability +marriageability's +marriageable +marriage's +marriages +married +married's +marrieds +marries +marring +Marriott +Marriott's +marrow +marrow's +marrows +marry +marrying +Mar's +Mars +mars +Marsala +Marsala's +Marseillaise +Marseillaise's +Marseillaises +Marseilles +Marseilles's +Marses +Marsh +marsh +Marsha +marshal +marshaled +marshaling +Marshall +Marshall's +marshal's +marshals +Marsha's +marshes +marshier +marshiest +marshland +marshland's +marshlands +marshmallow +marshmallow's +marshmallows +Marsh's +marsh's +marshy +Mars's +marsupial +marsupial's +marsupials +mart +Marta +Marta's +Martel +Martel's +marten +marten's +martens +martensite +Martha +Martha's +Martial +martial +martially +Martial's +Martian +martian +Martian's +Martians +martians +Martin +martin +Martina +Martina's +martinet +martinet's +martinets +Martinez +Martinez's +martingale +martingale's +martingales +martini +Martinique +Martinique's +martini's +martinis +Martin's +martin's +martins +mart's +marts +Marty +martyr +martyrdom +martyrdom's +martyred +martyring +martyr's +martyrs +Marty's +Marva +Marva's +marvel +marveled +marveling +Marvell +Marvell's +marvelous +marvelously +marvel's +marvels +Marvin +Marvin's +Marx +Marxian +Marxism +Marxism's +Marxisms +Marxist +Marxist's +Marxists +Marx's +Mary +Maryann +Maryanne +Maryanne's +Maryann's +Maryellen +Maryellen's +Maryland +Marylander +Marylander's +Maryland's +Marylou +Marylou's +Mary's +marzipan +marzipan's +MA's +ma's +mas +Masada +Masada's +Masai +Masai's +Masaryk +Masaryk's +masc +Mascagni +Mascagni's +mascara +mascaraed +mascaraing +mascara's +mascaras +mascot +mascot's +mascots +masculine +masculine's +masculines +masculinity +masculinity's +Masefield +Masefield's +maser +Maserati +Maserati's +maser's +masers +Maseru +Maseru's +MASH +mash +mashed +masher +masher's +mashers +mashes +Mashhad +Mashhad's +mashing +mash's +mashup +mashup's +mashups +mask +masked +masker +masker's +maskers +masking +mask's +masks +masochism +masochism's +masochist +masochistic +masochistically +masochist's +masochists +Mason +mason +Masonic +masonic +Masonic's +Masonite +Masonite's +masonry +masonry's +Mason's +Masons +mason's +masons +masque +masquerade +masqueraded +masquerader +masquerader's +masqueraders +masquerade's +masquerades +masquerading +masque's +masques +Mass +mass +Massachusetts +Massachusetts's +massacre +massacred +massacre's +massacres +massacring +massage +massaged +massage's +massages +massaging +Massasoit +Massasoit's +massed +Massenet +Massenet's +Masses +masses +masseur +masseur's +masseurs +masseuse +masseuse's +masseuses +Massey +Massey's +massif +massif's +massifs +massing +massive +massively +massiveness +massiveness's +Mass's +mass's +mast +mastectomies +mastectomy +mastectomy's +masted +Master +master +MasterCard +MasterCard's +masterclass +masterclasses +mastered +masterful +masterfully +mastering +masterly +mastermind +masterminded +masterminding +mastermind's +masterminds +masterpiece +masterpiece's +masterpieces +Masters +master's +masters +Masters's +masterstroke +masterstroke's +masterstrokes +masterwork +masterwork's +masterworks +mastery +mastery's +masthead +masthead's +mastheads +mastic +masticate +masticated +masticates +masticating +mastication +mastication's +mastic's +mastiff +mastiff's +mastiffs +mastitis +mastodon +mastodon's +mastodons +mastoid +mastoid's +mastoids +mast's +masts +masturbate +masturbated +masturbates +masturbating +masturbation +masturbation's +masturbatory +mat +matador +matador's +matadors +match +matchbook +matchbook's +matchbooks +matchbox +matchboxes +matchbox's +matched +matches +matching +matchless +matchlock +matchlock's +matchlocks +matchmaker +matchmaker's +matchmakers +matchmaking +matchmaking's +match's +matchstick +matchstick's +matchsticks +matchwood +matchwood's +mate +mated +mater +material +materialism +materialism's +materialist +materialistic +materialistically +materialist's +materialists +materialization +materialization's +materialize +materialized +materializes +materializing +materially +material's +materials +materiel +materiel's +maternal +maternally +maternity +maternity's +maters +mate's +mates +matey +mateys +math +mathematical +mathematically +mathematician +mathematician's +mathematicians +mathematics +mathematics's +Mather +Mather's +Mathew +Mathew's +Mathews +Mathewson +Mathewson's +Mathews's +Mathias +Mathias's +Mathis +Mathis's +Matilda +Matilda's +matinée +matinee +matinee's +matinees +matinée's +matinées +mating +mating's +matins +matins's +Matisse +Matisse's +matriarch +matriarchal +matriarchies +matriarch's +matriarchs +matriarchy +matriarchy's +matrices +matricidal +matricide +matricide's +matricides +matriculate +matriculated +matriculates +matriculating +matriculation +matriculation's +matériel +matériel's +matrimonial +matrimony +matrimony's +matrix +matrix's +matron +matronly +matron's +matrons +mat's +mats +Matt +matte +matted +Mattel +Mattel's +matter +mattered +Matterhorn +Matterhorn's +mattering +matter's +matters +matte's +mattes +Matthew +Matthew's +Matthews +Matthews's +Matthias +Matthias's +Mattie +Mattie's +matting +matting's +mattock +mattock's +mattocks +mattress +mattresses +mattress's +Matt's +maturate +maturated +maturates +maturating +maturation +maturation's +mature +matured +maturely +maturer +matures +maturest +maturing +maturities +maturity +maturity's +matzo +matzoh +matzoh's +matzohs +matzo's +matzos +matzot +matzoth +Maud +Maude +Maude's +maudlin +Maud's +Maugham +Maugham's +Maui +Maui's +maul +mauled +mauler +mauler's +maulers +mauling +maul's +mauls +maunder +maundered +maundering +maunders +Maupassant +Maupassant's +Maura +Maura's +Maureen +Maureen's +Mauriac +Mauriac's +Maurice +Maurice's +Mauricio +Mauricio's +Maurine +Maurine's +Mauritania +Mauritanian +Mauritanian's +Mauritanians +Mauritania's +Mauritian +Mauritian's +Mauritians +Mauritius +Mauritius's +Mauro +Maurois +Maurois's +Mauro's +Mauryan +Mauryan's +Mauser +Mauser's +mausoleum +mausoleum's +mausoleums +mauve +mauve's +maven +maven's +mavens +maverick +maverick's +mavericks +Mavis +Mavis's +maw +mawkish +mawkishly +mawkishness +mawkishness's +maw's +maws +Max +max +maxed +maxes +maxi +maxilla +maxillae +maxillary +maxilla's +maxim +maxima +maximal +maximally +Maximilian +Maximilian's +maximization +maximization's +maximize +maximized +maximizes +maximizing +maxim's +maxims +maximum +maximum's +maximums +Maxine +Maxine's +maxing +maxi's +maxis +Max's +max's +Maxwell +Maxwell's +May +may +Maya +Mayan +Mayan's +Mayans +Maya's +Mayas +maybe +maybe's +maybes +mayday +mayday's +maydays +Mayer +Mayer's +Mayfair +Mayfair's +mayflies +Mayflower +mayflower +Mayflower's +mayflower's +mayflowers +mayfly +mayfly's +mayhem +mayhem's +Maynard +Maynard's +mayn't +Mayo +mayo +mayonnaise +mayonnaise's +mayor +mayoral +mayoralty +mayoralty's +mayoress +mayoresses +mayoress's +mayor's +mayors +Mayo's +mayo's +Maypole +maypole +maypole's +maypoles +Mayra +Mayra's +May's +Mays +may's +Mays's +mayst +Maytag +Maytag's +Mazama +Mazama's +Mazarin +Mazarin's +Mazatlan +Mazatlan's +Mazda +Mazda's +maze +maze's +mazes +Mazola +Mazola's +mazurka +mazurka's +mazurkas +Mazzini +Mazzini's +MB +Mb +MBA +Mbabane +Mbabane's +MBA's +Mbini +Mbini's +MB's +Mb's +MC +McAdam +McAdam's +McBride +McBride's +McCain +McCain's +McCall +McCall's +McCarthy +McCarthyism +McCarthyism's +McCarthy's +McCartney +McCartney's +McCarty +McCarty's +McClain +McClain's +McClellan +McClellan's +McClure +McClure's +McConnell +McConnell's +McCormick +McCormick's +McCoy +McCoy's +McCray +McCray's +McCullough +McCullough's +McDaniel +McDaniel's +McDonald +McDonald's +McDonnell +McDonnell's +McDowell +McDowell's +McEnroe +McEnroe's +McFadden +McFadden's +McFarland +McFarland's +McGee +McGee's +McGovern +McGovern's +McGowan +McGowan's +McGuffey +McGuffey's +McGuire +McGuire's +MCI +McIntosh +McIntosh's +McIntyre +McIntyre's +MCI's +McKay +McKay's +McKee +McKee's +McKenzie +McKenzie's +McKinley +McKinley's +McKinney +McKinney's +McKnight +McKnight's +McLaughlin +McLaughlin's +McLean +McLean's +McLeod +McLeod's +McLuhan +McLuhan's +McMahon +McMahon's +McMillan +McMillan's +McNamara +McNamara's +McNaughton +McNaughton's +McNeil +McNeil's +McPherson +McPherson's +McQueen +McQueen's +McVeigh +McVeigh's +MD +Md +MD's +Md's +mdse +MDT +ME +Me +me +Mead +mead +Meade +Meade's +meadow +meadowlark +meadowlark's +meadowlarks +Meadows +meadow's +meadows +Meadows's +Mead's +mead's +Meagan +Meagan's +meager +meagerly +meagerness +meagerness's +meal +mealier +mealiest +mealiness +mealiness's +meal's +meals +mealtime +mealtime's +mealtimes +mealy +mealybug +mealybug's +mealybugs +mealymouthed +mean +meander +meandered +meandering +meanderings +meanderings's +meander's +meanders +meaner +meanest +meanie +meanie's +meanies +meaning +meaningful +meaningfully +meaningfulness +meaningfulness's +meaningless +meaninglessly +meaninglessness +meaninglessness's +meaning's +meanings +meanly +meanness +meanness's +mean's +means +meant +meantime +meantime's +meanwhile +meanwhile's +Meany +meany +Meany's +meany's +meas +measles +measles's +measlier +measliest +measly +measurable +measurably +measure +measured +measureless +measurement +measurement's +measurements +measure's +measures +measuring +meat +meatball +meatball's +meatballs +meathead +meathead's +meatheads +meatier +meatiest +meatiness +meatiness's +meatless +meatloaf +meatloaf's +meatloaves +meatpacking +meatpacking's +meat's +meats +meaty +Mecca +mecca +Mecca's +Meccas +mecca's +meccas +mechanic +mechanical +mechanically +mechanic's +mechanics +mechanics's +mechanism +mechanism's +mechanisms +mechanistic +mechanistically +mechanization +mechanization's +mechanize +mechanized +mechanizes +mechanizing +med +medal +medalist +medalist's +medalists +medallion +medallion's +medallions +medal's +medals +Medan +Medan's +meddle +meddled +meddler +meddler's +meddlers +meddles +meddlesome +meddling +Medea +Medea's +Medellin +Medellin's +Media +media +medial +medially +median +median's +medians +Media's +media's +medias +mediate +mediated +mediates +mediating +mediation +mediation's +mediator +mediator's +mediators +medic +Medicaid +medicaid +Medicaid's +Medicaids +medicaid's +medical +medically +medical's +medicals +medicament +medicament's +Medicare +medicare +Medicare's +Medicares +medicare's +medicate +medicated +medicates +medicating +medication +medication's +medications +Medici +medicinal +medicinally +medicine +medicine's +medicines +Medici's +medico +medico's +medicos +medic's +medics +medieval +medievalist +medievalist's +medievalists +Medina +Medina's +mediocre +mediocrities +mediocrity +mediocrity's +meditate +meditated +meditates +meditating +meditation +meditation's +meditations +meditative +meditatively +Mediterranean +Mediterranean's +Mediterraneans +medium +medium's +mediums +medley +medley's +medleys +medulla +medulla's +medullas +Medusa +medusa +medusae +Medusa's +meed +meed's +meek +meeker +meekest +meekly +meekness +meekness's +meerschaum +meerschaum's +meerschaums +meet +meeting +meetinghouse +meetinghouse's +meetinghouses +meeting's +meetings +meet's +meets +meetup +meetup's +meetups +Meg +meg +mega +megabit +megabit's +megabits +megabucks +megabucks's +megabyte +megabyte's +megabytes +megachurch +megachurches +megachurch's +megacycle +megacycle's +megacycles +megadeath +megadeath's +megadeaths +megahertz +megahertz's +megalith +megalithic +megalith's +megaliths +megalomania +megalomaniac +megalomaniac's +megalomaniacs +megalomania's +megalopolis +megalopolises +megalopolis's +Megan +Megan's +megaphone +megaphoned +megaphone's +megaphones +megaphoning +megapixel +megapixel's +megapixels +megastar +megastars +megaton +megaton's +megatons +megawatt +megawatt's +megawatts +Meghan +Meghan's +MEGO +MEGOs +Meg's +megs +meh +Meier +Meier's +Meighen +Meighen's +Meiji +Meiji's +meiosis +meiosis's +meiotic +Meir +Meir's +Mejia +Mejia's +Mekong +Mekong's +Mel +melamine +melamine's +melancholia +melancholia's +melancholic +melancholics +melancholy +melancholy's +Melanesia +Melanesian +Melanesian's +Melanesia's +melange +melange's +melanges +Melanie +Melanie's +melanin +melanin's +melanoma +melanoma's +melanomas +Melba +Melba's +Melbourne +Melbourne's +Melchior +Melchior's +Melchizedek +Melchizedek's +meld +melded +melding +meld's +melds +melee +melee's +melees +Melendez +Melendez's +Melinda +Melinda's +meliorate +meliorated +meliorates +meliorating +melioration +melioration's +meliorative +Melisa +Melisande +Melisande's +Melisa's +Melissa +Melissa's +mellifluous +mellifluously +mellifluousness +mellifluousness's +Mellon +Mellon's +mellow +mellowed +mellower +mellowest +mellowing +mellowly +mellowness +mellowness's +mellows +melodic +melodically +melodies +melodious +melodiously +melodiousness +melodiousness's +melodrama +melodrama's +melodramas +melodramatic +melodramatically +melodramatics +melodramatics's +Melody +melody +Melody's +melody's +melon +melon's +melons +Melpomene +Melpomene's +Mel's +melt +meltdown +meltdown's +meltdowns +melted +melting +Melton +Melton's +melt's +melts +Melva +Melva's +Melville +Melville's +Melvin +Melvin's +member +member's +members +membership +membership's +memberships +membrane +membrane's +membranes +membranous +meme +memento +memento's +mementos +meme's +memes +Memling +Memling's +memo +memoir +memoir's +memoirs +memorabilia +memorabilia's +memorability +memorability's +memorable +memorably +memorandum +memorandum's +memorandums +memorial +memorialize +memorialized +memorializes +memorializing +memorial's +memorials +memories +memorization +memorization's +memorize +memorized +memorizes +memorizing +memory +memory's +memo's +memos +Memphis +Memphis's +memsahib +memsahibs +men +menace +menaced +menace's +menaces +menacing +menacingly +menage +menagerie +menagerie's +menageries +menage's +menages +Menander +Menander's +Mencius +Mencius's +Mencken +Mencken's +mend +mendacious +mendaciously +mendacity +mendacity's +mended +Mendel +Mendeleev +Mendeleev's +mendelevium +mendelevium's +Mendelian +Mendelian's +Mendel's +Mendelssohn +Mendelssohn's +mender +mender's +menders +Mendez +Mendez's +mendicancy +mendicancy's +mendicant +mendicant's +mendicants +mending +mending's +Mendocino +Mendocino's +Mendoza +Mendoza's +mend's +mends +Menelaus +Menelaus's +Menelik +Menelik's +Menes +Menes's +menfolk +menfolk's +menfolks +menfolks's +Mengzi +menhaden +menhaden's +menial +menially +menial's +menials +meningeal +meninges +meningitis +meningitis's +meninx +meninx's +menisci +meniscus +meniscus's +Menkalinan +Menkalinan's +Menkar +Menkar's +Menkent +Menkent's +Mennen +Mennen's +Mennonite +Mennonite's +Mennonites +Menominee +Menominee's +menopausal +menopause +menopause's +menorah +menorah's +menorahs +Menotti +Menotti's +men's +Mensa +Mensa's +mensch +mensches +mensch's +menservants +menses +menses's +menstrual +menstruate +menstruated +menstruates +menstruating +menstruation +menstruation's +mensurable +mensuration +mensuration's +menswear +menswear's +mental +mentalist +mentalist's +mentalists +mentalities +mentality +mentality's +mentally +menthol +mentholated +Mentholatum +Mentholatum's +menthol's +mention +mentioned +mentioning +mention's +mentions +mentor +mentored +mentoring +mentor's +mentors +menu +Menuhin +Menuhin's +menu's +menus +Menzies +Menzies's +meow +meowed +meowing +meow's +meows +Mephisto +Mephistopheles +Mephistopheles's +Merak +Merak's +Mercado +Mercado's +mercantile +mercantilism +mercantilism's +Mercator +Mercator's +Mercedes +Mercedes's +mercenaries +mercenary +mercenary's +Mercer +mercer +mercerize +mercerized +mercerizes +mercerizing +Mercer's +mercer's +mercers +merchandise +merchandised +merchandiser +merchandiser's +merchandisers +merchandise's +merchandises +merchandising +merchandising's +merchant +merchantable +merchantman +merchantman's +merchantmen +merchant's +merchants +Mercia +Mercia's +mercies +merciful +mercifully +merciless +mercilessly +mercilessness +mercilessness's +Merck +Merck's +mercurial +mercurially +mercuric +Mercuries +Mercurochrome +Mercurochrome's +Mercury +mercury +Mercury's +mercury's +mercy +mercy's +mere +Meredith +Meredith's +merely +mere's +meres +merest +meretricious +meretriciously +meretriciousness +meretriciousness's +merganser +merganser's +mergansers +merge +merged +merger +merger's +mergers +merges +merging +meridian +meridian's +meridians +meringue +meringue's +meringues +Merino +merino +Merino's +merino's +merinos +merit +merited +meriting +meritocracies +meritocracy +meritocracy's +meritocratic +meritorious +meritoriously +meritoriousness +meritoriousness's +merit's +merits +Merle +Merle's +Merlin +Merlin's +Merlot +Merlot's +mermaid +mermaid's +mermaids +merman +merman's +mermen +Merovingian +Merovingian's +Merriam +Merriam's +Merrick +Merrick's +merrier +merriest +Merrill +Merrill's +merrily +Merrimack +Merrimack's +merriment +merriment's +merriness +merriness's +Merritt +Merritt's +merry +merrymaker +merrymaker's +merrymakers +merrymaking +merrymaking's +Merthiolate +Merthiolate's +Merton +Merton's +Mervin +Mervin's +mes +Mesa +mesa +Mesabi +Mesabi's +Mesa's +mesa's +mesas +mescal +mescalin +mescaline +mescaline's +mescal's +mescals +mesdames +mesdemoiselles +mesh +meshed +meshes +meshing +mesh's +Mesmer +mesmeric +mesmerism +mesmerism's +mesmerize +mesmerized +mesmerizer +mesmerizer's +mesmerizers +mesmerizes +mesmerizing +Mesmer's +Mesolithic +Mesolithic's +mesomorph +mesomorph's +mesomorphs +meson +meson's +mesons +Mesopotamia +Mesopotamian +Mesopotamia's +mesosphere +mesosphere's +mesospheres +Mesozoic +Mesozoic's +mesquite +mesquite's +mesquites +mess +message +messaged +message's +messages +messaging +messed +messeigneurs +messenger +messenger's +messengers +Messerschmidt +Messerschmidt's +messes +Messiaen +Messiaen's +Messiah +messiah +Messiah's +Messiahs +messiah's +messiahs +Messianic +messianic +messier +messiest +Messieurs +messieurs +messily +messiness +messiness's +messing +messmate +messmate's +messmates +mess's +messy +mestizo +mestizo's +mestizos +met +meta +metabolic +metabolically +metabolism +metabolism's +metabolisms +metabolite +metabolite's +metabolites +metabolize +metabolized +metabolizes +metabolizing +metacarpal +metacarpal's +metacarpals +metacarpi +metacarpus +metacarpus's +metadata +metal +metalanguage +metalanguage's +metalanguages +metaled +metallic +Metallica +Metallica's +metallurgic +metallurgical +metallurgist +metallurgist's +metallurgists +metallurgy +metallurgy's +metal's +metals +metalwork +metalworker +metalworker's +metalworkers +metalworking +metalworking's +metalwork's +metamorphic +metamorphism +metamorphism's +metamorphose +metamorphosed +metamorphoses +metamorphosing +metamorphosis +metamorphosis's +Metamucil +Metamucil's +metaphor +metaphoric +metaphorical +metaphorically +metaphor's +metaphors +metaphysical +metaphysically +metaphysics +metaphysics's +metastases +metastasis +metastasis's +metastasize +metastasized +metastasizes +metastasizing +metastatic +metatarsal +metatarsal's +metatarsals +metatarsi +metatarsus +metatarsus's +metatheses +metathesis +metathesis's +mete +meted +metempsychoses +metempsychosis +metempsychosis's +meteor +meteoric +meteorically +meteorite +meteorite's +meteorites +meteoroid +meteoroid's +meteoroids +meteorologic +meteorological +meteorologist +meteorologist's +meteorologists +meteorology +meteorology's +meteor's +meteors +meter +metered +metering +meter's +meters +mete's +metes +meth +methadone +methadone's +methamphetamine +methamphetamine's +methane +methane's +methanol +methanol's +methinks +method +methodical +methodically +methodicalness +methodicalness's +Methodism +Methodism's +Methodisms +Methodist +Methodist's +Methodists +methodological +methodologically +methodologies +methodology +methodology's +method's +methods +methotrexate +methought +meths +Methuselah +Methuselah's +methyl +methyl's +meticulous +meticulously +meticulousness +meticulousness's +metier +metier's +metiers +meting +metric +metrical +metrically +metricate +metricated +metricates +metricating +metrication +metrication's +metricize +metricized +metricizes +metricizing +metrics +metro +metronome +metronome's +metronomes +metropolis +metropolises +metropolis's +metropolitan +metro's +metros +Metternich +Metternich's +mettle +mettle's +mettlesome +Meuse +Meuse's +mew +mewed +mewing +mewl +mewled +mewling +mewls +mew's +mews +mews's +Mex +Mexicali +Mexicali's +Mexican +Mexican's +Mexicans +Mexico +Mexico's +Meyer +Meyerbeer +Meyerbeer's +Meyer's +Meyers +Meyers's +mezzanine +mezzanine's +mezzanines +mezzo +mezzo's +mezzos +MFA +MFA's +mfg +mfr +mfrs +Mfume +Mfume's +Mg +mg +MGM +MGM's +Mgr +mgr +Mg's +MHz +MI +mi +MIA +Mia +Miami +Miami's +Miamis +Miaplacidus +Miaplacidus's +Mia's +miasma +miasma's +miasmas +mic +mica +Micah +Micah's +mica's +Micawber +Micawber's +mice +Mich +Michael +Michaelmas +Michaelmases +Michaelmas's +Michael's +Micheal +Micheal's +Michel +Michelangelo +Michelangelo's +Michele +Michele's +Michelin +Michelin's +Michelle +Michelle's +Michelob +Michelob's +Michel's +Michelson +Michelson's +Michigan +Michigander +Michigander's +Michiganders +Michiganite +Michigan's +Mich's +Mick +mick +Mickey +mickey +Mickey's +mickey's +mickeys +Mickie +Mickie's +Mick's +micks +Micky +Micky's +Micmac +Micmac's +Micmacs +micro +microaggression +microaggression's +microaggressions +microbe +microbe's +microbes +microbial +microbiological +microbiologist +microbiologist's +microbiologists +microbiology +microbiology's +microbreweries +microbrewery +microbrewery's +microchip +microchip's +microchips +microcircuit +microcircuit's +microcircuits +microcode +microcomputer +microcomputer's +microcomputers +microcosm +microcosmic +microcosm's +microcosms +microdot +microdot's +microdots +microeconomics +microeconomics's +microelectronic +microelectronics +microelectronics's +microfiber +microfiber's +microfibers +microfiche +microfiche's +microfilm +microfilmed +microfilming +microfilm's +microfilms +microfloppies +microgroove +microgroove's +microgrooves +microlight +microlight's +microlights +microloan +microloan's +microloans +micromanage +micromanaged +micromanagement +micromanagement's +micromanages +micromanaging +micrometeorite +micrometeorite's +micrometeorites +micrometer +micrometer's +micrometers +micron +Micronesia +Micronesian +Micronesian's +Micronesia's +micron's +microns +microorganism +microorganism's +microorganisms +microphone +microphone's +microphones +microprocessor +microprocessor's +microprocessors +micro's +micros +microscope +microscope's +microscopes +microscopic +microscopical +microscopically +microscopy +microscopy's +microsecond +microsecond's +microseconds +Microsoft +Microsoft's +microsurgery +microsurgery's +microwavable +microwave +microwaveable +microwaved +microwave's +microwaves +microwaving +mics +mid +midair +midair's +Midas +Midas's +midday +midday's +midden +midden's +middens +middies +middle +middlebrow +middlebrow's +middlebrows +middleman +middleman's +middlemen +middlemost +middle's +middles +Middleton +Middleton's +middleweight +middleweight's +middleweights +middling +middy +middy's +Mideast +Mideastern +midfield +midfielder +midfielders +midge +midge's +midges +midget +midget's +midgets +MIDI +midi +MIDI's +midi's +midis +Midland +midland +Midland's +Midlands +midland's +midlands +midlife +midlife's +midmost +midnight +midnight's +midpoint +midpoint's +midpoints +midrib +midrib's +midribs +midriff +midriff's +midriffs +midsection +midsection's +midsections +midshipman +midshipman's +midshipmen +midships +midsize +midst +midstream +midstream's +midst's +midsummer +midsummer's +midterm +midterm's +midterms +midtown +midtown's +Midway +midway +Midway's +midway's +midways +midweek +midweek's +midweeks +Midwest +Midwestern +Midwesterner +Midwestern's +Midwest's +midwife +midwifed +midwiferies +midwifery +midwifery's +midwife's +midwifes +midwifing +midwinter +midwinter's +midwives +midyear +midyear's +midyears +mien +mien's +miens +miff +miffed +miffing +miffs +MiG +might +mightier +mightiest +mightily +mightiness +mightiness's +mightn't +might's +might've +mighty +mignonette +mignonette's +mignonettes +émigré +migraine +migraine's +migraines +migrant +migrant's +migrants +migrate +migrated +migrates +migrating +migration +migration's +migrations +migratory +émigré's +émigrés +MiG's +Miguel +Miguel's +mikado +mikado's +mikados +Mike +mike +miked +Mike's +mike's +mikes +Mikhail +Mikhail's +miking +Mikoyan +Mikoyan's +mil +miladies +milady +milady's +Milagros +Milagros's +Milan +Milanese +Milan's +milch +mild +milder +mildest +mildew +mildewed +mildewing +mildew's +mildews +mildly +mildness +mildness's +Mildred +Mildred's +mild's +mile +mileage +mileage's +mileages +milepost +milepost's +mileposts +miler +miler's +milers +Miles +mile's +miles +Miles's +milestone +milestone's +milestones +milf +Milford +Milford's +milf's +milfs +milieu +milieu's +milieus +militancy +militancy's +militant +militantly +militant's +militants +militarily +militarism +militarism's +militarist +militaristic +militarist's +militarists +militarization +militarization's +militarize +militarized +militarizes +militarizing +military +military's +militate +militated +militates +militating +militia +militiaman +militiaman's +militiamen +militia's +militias +milk +milked +Milken +Milken's +milker +milker's +milkers +milkier +milkiest +milkiness +milkiness's +milking +milkmaid +milkmaid's +milkmaids +milkman +milkman's +milkmen +milk's +milks +milkshake +milkshake's +milkshakes +milksop +milksop's +milksops +milkweed +milkweed's +milkweeds +milky +Mill +mill +millage +millage's +Millard +Millard's +Millay +Millay's +milled +millennia +millennial +millennial's +millennium +millennium's +millenniums +Miller +miller +Miller's +miller's +millers +Millet +millet +Millet's +millet's +milliard +milliard's +milliards +millibar +millibar's +millibars +Millicent +Millicent's +Millie +Millie's +milligram +milligram's +milligrams +Millikan +Millikan's +milliliter +milliliter's +milliliters +millimeter +millimeter's +millimeters +milliner +milliner's +milliners +millinery +millinery's +milling +milling's +millings +million +millionaire +millionaire's +millionaires +millionairess +millionairesses +million's +millions +millionth +millionth's +millionths +millipede +millipede's +millipedes +millisecond +millisecond's +milliseconds +millpond +millpond's +millponds +millrace +millrace's +millraces +Mill's +Mills +mill's +mills +Mills's +millstone +millstone's +millstones +millstream +millstream's +millstreams +millwright +millwright's +millwrights +Milne +Milne's +Milo +milometer +milometers +Milo's +Milosevic +Milosevic's +Milquetoast +milquetoast +Milquetoast's +milquetoast's +milquetoasts +mil's +mils +milt +milted +Miltiades +Miltiades's +milting +Milton +Miltonic +Miltonic's +Milton's +Miltown +Miltown's +milt's +milts +Milwaukee +Milwaukee's +mime +mimed +mimeograph +mimeographed +mimeographing +mimeograph's +mimeographs +mime's +mimes +mimetic +Mimi +mimic +mimicked +mimicker +mimicker's +mimickers +mimicking +mimicries +mimicry +mimicry's +mimic's +mimics +miming +Mimi's +Mimosa +mimosa +Mimosa's +mimosa's +mimosas +Min +min +Minamoto +Minamoto's +minaret +minaret's +minarets +minatory +mince +minced +mincemeat +mincemeat's +mincer +mincer's +mincers +mince's +minces +mincing +mind +Mindanao +Mindanao's +mindbogglingly +minded +mindedness +minder +minders +mindful +mindfully +mindfulness +mindfulness's +minding +mindless +mindlessly +mindlessness +mindlessness's +Mindoro +Mindoro's +mind's +minds +mindset +mindset's +mindsets +Mindy +Mindy's +mine +mined +minefield +minefield's +minefields +miner +mineral +mineralogical +mineralogist +mineralogist's +mineralogists +mineralogy +mineralogy's +mineral's +minerals +miner's +miners +Minerva +Minerva's +mine's +mines +minestrone +minestrone's +minesweeper +minesweeper's +minesweepers +Ming +mingle +mingled +mingles +mingling +Ming's +Mingus +Mingus's +mingy +mini +miniature +miniature's +miniatures +miniaturist +miniaturist's +miniaturists +miniaturization +miniaturization's +miniaturize +miniaturized +miniaturizes +miniaturizing +minibar +minibars +minibike +minibike's +minibikes +minibus +minibuses +minibus's +minicab +minicabs +minicam +minicam's +minicams +minicomputer +minicomputer's +minicomputers +minifloppies +minim +minima +minimal +minimalism +minimalism's +minimalist +minimalist's +minimalists +minimally +minimization +minimization's +minimize +minimized +minimizes +minimizing +minim's +minims +minimum +minimum's +minimums +mining +mining's +minion +minion's +minions +mini's +minis +miniseries +miniseries's +miniskirt +miniskirt's +miniskirts +minister +ministered +ministerial +ministering +minister's +ministers +ministrant +ministrant's +ministrants +ministration +ministration's +ministrations +ministries +ministry +ministry's +minivan +minivan's +minivans +mink +mink's +minks +Minn +Minneapolis +Minneapolis's +Minnelli +Minnelli's +minnesinger +minnesinger's +minnesingers +Minnesota +Minnesotan +Minnesotan's +Minnesotans +Minnesota's +Minnie +Minnie's +minnow +minnow's +minnows +Minoan +Minoan's +Minoans +Minolta +Minolta's +minor +minored +minoring +minorities +minority +minority's +minor's +minors +Minos +Minos's +Minot +Minotaur +Minotaur's +Minot's +minoxidil +minoxidil's +Min's +Minsk +Minsk's +Minsky +Minsky's +minster +minster's +minsters +minstrel +minstrel's +minstrels +minstrelsy +minstrelsy's +mint +mintage +mintage's +Mintaka +Mintaka's +minted +minter +minter's +minters +mintier +mintiest +minting +mint's +mints +minty +minuend +minuend's +minuends +minuet +minuet's +minuets +Minuit +Minuit's +minus +minuscule +minuscule's +minuscules +minuses +minus's +minute +minuted +minutely +Minuteman +minuteman +Minuteman's +minuteman's +minutemen +minuteness +minuteness's +minuter +minute's +minutes +minutest +minutia +minutiae +minutia's +minuting +minx +minxes +minx's +Miocene +Miocene's +MIPS +Mir +Mira +Mirabeau +Mirabeau's +Mirach +Mirach's +miracle +miracle's +miracles +miraculous +miraculously +mirage +mirage's +mirages +Miranda +Miranda's +Mira's +mire +mired +mire's +mires +Mirfak +Mirfak's +Miriam +Miriam's +mirier +miriest +miring +Miro +Miro's +mirror +mirrored +mirroring +mirror's +mirrors +Mir's +mirth +mirthful +mirthfully +mirthfulness +mirthfulness's +mirthless +mirthlessly +mirth's +MIRV +miry +Mirzam +Mirzam's +MI's +mi's +misaddress +misaddressed +misaddresses +misaddressing +misadventure +misadventure's +misadventures +misaligned +misalignment +misalignment's +misalliance +misalliance's +misalliances +misanthrope +misanthrope's +misanthropes +misanthropic +misanthropically +misanthropist +misanthropist's +misanthropists +misanthropy +misanthropy's +misapplication +misapplication's +misapplications +misapplied +misapplies +misapply +misapplying +misapprehend +misapprehended +misapprehending +misapprehends +misapprehension +misapprehension's +misapprehensions +misappropriate +misappropriated +misappropriates +misappropriating +misappropriation +misappropriation's +misappropriations +misbegotten +misbehave +misbehaved +misbehaves +misbehaving +misbehavior +misbehavior's +misc +miscalculate +miscalculated +miscalculates +miscalculating +miscalculation +miscalculation's +miscalculations +miscall +miscalled +miscalling +miscalls +miscarriage +miscarriage's +miscarriages +miscarried +miscarries +miscarry +miscarrying +miscast +miscasting +miscasts +miscegenation +miscegenation's +miscellaneous +miscellaneously +miscellanies +miscellany +miscellany's +mischance +mischance's +mischances +mischief +mischief's +mischievous +mischievously +mischievousness +mischievousness's +miscibility +miscibility's +miscible +miscommunication +miscommunications +misconceive +misconceived +misconceives +misconceiving +misconception +misconception's +misconceptions +misconduct +misconducted +misconducting +misconduct's +misconducts +misconstruction +misconstruction's +misconstructions +misconstrue +misconstrued +misconstrues +misconstruing +miscount +miscounted +miscounting +miscount's +miscounts +miscreant +miscreant's +miscreants +miscue +miscued +miscue's +miscues +miscuing +misdeal +misdealing +misdeal's +misdeals +misdealt +misdeed +misdeed's +misdeeds +misdemeanor +misdemeanor's +misdemeanors +misdiagnose +misdiagnosed +misdiagnoses +misdiagnosing +misdiagnosis +misdiagnosis's +misdid +misdirect +misdirected +misdirecting +misdirection +misdirection's +misdirects +misdo +misdoes +misdoing +misdoing's +misdoings +misdone +miser +miserable +miserableness +miserableness's +miserably +miseries +miserliness +miserliness's +miserly +miser's +misers +misery +misery's +misfeasance +misfeasance's +misfeature +misfeatures +misfile +misfiled +misfiles +misfiling +misfire +misfired +misfire's +misfires +misfiring +misfit +misfit's +misfits +misfitted +misfitting +misfortune +misfortune's +misfortunes +misgiving +misgiving's +misgivings +misgovern +misgoverned +misgoverning +misgovernment +misgovernment's +misgoverns +misguidance +misguidance's +misguide +misguided +misguidedly +misguides +misguiding +mishandle +mishandled +mishandles +mishandling +mishap +mishap's +mishaps +mishear +misheard +mishearing +mishears +mishit +mishits +mishitting +mishmash +mishmashes +mishmash's +misidentified +misidentifies +misidentify +misidentifying +misinform +misinformation +misinformation's +misinformed +misinforming +misinforms +misinterpret +misinterpretation +misinterpretation's +misinterpretations +misinterpreted +misinterpreting +misinterprets +misjudge +misjudged +misjudges +misjudging +misjudgment +misjudgment's +misjudgments +Miskito +Miskito's +mislabel +mislabeled +mislabeling +mislabels +mislaid +mislay +mislaying +mislays +mislead +misleading +misleadingly +misleads +misled +mismanage +mismanaged +mismanagement +mismanagement's +mismanages +mismanaging +mismatch +mismatched +mismatches +mismatching +mismatch's +misname +misnamed +misnames +misnaming +misnomer +misnomer's +misnomers +misogamist +misogamist's +misogamists +misogamy +misogamy's +misogynist +misogynistic +misogynist's +misogynists +misogynous +misogyny +misogyny's +misplace +misplaced +misplacement +misplacement's +misplaces +misplacing +misplay +misplayed +misplaying +misplay's +misplays +misprint +misprinted +misprinting +misprint's +misprints +misprision +misprision's +mispronounce +mispronounced +mispronounces +mispronouncing +mispronunciation +mispronunciation's +mispronunciations +misquotation +misquotation's +misquotations +misquote +misquoted +misquote's +misquotes +misquoting +misread +misreading +misreading's +misreadings +misreads +misreport +misreported +misreporting +misreport's +misreports +misrepresent +misrepresentation +misrepresentation's +misrepresentations +misrepresented +misrepresenting +misrepresents +misrule +misruled +misrule's +misrules +misruling +Miss +miss +missal +missal's +missals +missed +misses +misshape +misshaped +misshapen +misshapes +misshaping +missile +missilery +missilery's +missile's +missiles +missing +mission +missionaries +missionary +missionary's +missioner +missioner's +missioners +mission's +missions +Mississauga +Mississauga's +Mississippi +Mississippian +Mississippian's +Mississippians +Mississippi's +missive +missive's +missives +Missouri +Missourian +Missourian's +Missourians +Missouri's +misspeak +misspeaking +misspeaks +misspell +misspelled +misspelling +misspelling's +misspellings +misspells +misspend +misspending +misspends +misspent +misspoke +misspoken +miss's +misstate +misstated +misstatement +misstatement's +misstatements +misstates +misstating +misstep +misstep's +missteps +missus +missuses +missus's +Missy +Missy's +mist +mistakable +mistake +mistaken +mistakenly +mistake's +mistakes +mistaking +Mistassini +Mistassini's +misted +Mister +mister +mister's +misters +mistier +mistiest +mistily +mistime +mistimed +mistimes +mistiming +mistiness +mistiness's +misting +mistletoe +mistletoe's +mistook +mistral +mistral's +mistrals +mistranslated +mistreat +mistreated +mistreating +mistreatment +mistreatment's +mistreats +Mistress +mistress +mistresses +mistress's +mistrial +mistrial's +mistrials +mistrust +mistrusted +mistrustful +mistrustfully +mistrusting +mistrust's +mistrusts +mist's +mists +Misty +misty +mistype +mistypes +mistyping +Misty's +misunderstand +misunderstanding +misunderstanding's +misunderstandings +misunderstands +misunderstood +misuse +misused +misuse's +misuses +misusing +MIT +Mitch +Mitchel +Mitchell +Mitchell's +Mitchel's +Mitch's +mite +miter +mitered +mitering +miter's +miters +mite's +mites +Mitford +Mitford's +Mithra +Mithra's +Mithridates +Mithridates's +mitigate +mitigated +mitigates +mitigating +mitigation +mitigation's +mitochondria +mitochondrial +mitochondrion +mitoses +mitosis +mitosis's +mitotic +mitral +MIT's +Mitsubishi +Mitsubishi's +mitt +mitten +mitten's +mittens +Mitterrand +Mitterrand's +mitt's +mitts +Mitty +Mitty's +Mitzi +Mitzi's +mitzvah +mix +mixable +mixed +mixer +mixer's +mixers +mixes +mixing +mix's +Mixtec +Mixtec's +mixture +mixture's +mixtures +Mizar +Mizar's +mizzen +mizzenmast +mizzenmast's +mizzenmasts +mizzen's +mizzens +Mk +mkay +mks +ml +mêlée +mêlée's +mêlées +Mlle +MM +mm +Mme +Mmes +MN +Mn +Münchhausen +Münchhausen's +mnemonic +mnemonically +mnemonic's +mnemonics +Mnemosyne +Mnemosyne's +Mn's +MO +Mo +mo +moan +moaned +moaner +moaner's +moaners +moaning +moan's +moans +moat +moated +moat's +moats +mob +mobbed +mobbing +Mobil +Mobile +mobile +Mobile's +mobile's +mobiles +mobility +mobility's +mobilization +mobilization's +mobilizations +mobilize +mobilized +mobilizer +mobilizer's +mobilizers +mobilizes +mobilizing +Mobil's +mob's +mobs +mobster +mobster's +mobsters +Mobutu +Mobutu's +moccasin +moccasin's +moccasins +mocha +mocha's +mochas +mock +mocked +mocker +mockeries +mocker's +mockers +mockery +mockery's +mocking +mockingbird +mockingbird's +mockingbirds +mockingly +mocks +mod +modal +modalities +modality +modal's +modals +modded +modding +mode +model +modeled +modeler +modeler's +modelers +modeling +modeling's +modelings +model's +models +modem +modem's +modems +moderate +moderated +moderately +moderateness +moderateness's +moderate's +moderates +moderating +moderation +moderation's +moderator +moderator's +moderators +modern +modernism +modernism's +modernist +modernistic +modernist's +modernists +modernity +modernity's +modernization +modernization's +modernize +modernized +modernizer +modernizer's +modernizers +modernizes +modernizing +modernly +modernness +modernness's +modern's +moderns +mode's +modes +modest +modestly +Modesto +Modesto's +modesty +modesty's +modicum +modicum's +modicums +modifiable +modification +modification's +modifications +modified +modifier +modifier's +modifiers +modifies +modify +modifying +Modigliani +Modigliani's +modish +modishly +modishness +modishness's +mod's +mods +modular +modulate +modulated +modulates +modulating +modulation +modulation's +modulations +modulator +modulator's +modulators +module +module's +modules +modulo +modulus +Moe +Moe's +Moet +Moet's +Mogadishu +Mogadishu's +moggy +Mogul +mogul +Mogul's +Moguls +mogul's +moguls +Mohacs +Mohacs's +mohair +mohair's +Mohamed +Mohamed's +Mohammad +Mohammad's +Mohammedan +Mohammedanism +Mohammedanism's +Mohammedanisms +Mohammedan's +Mohammedans +Mohave +Mohave's +Mohaves +Mohawk +Mohawk's +Mohawks +Mohegan +Moho +Mohorovicic +Mohorovicic's +Moho's +moi +moieties +moiety +moiety's +moil +moiled +moiling +moil's +moils +Moira +Moira's +moire +moire's +moires +Moises +Moises's +Moiseyev +Moiseyev's +moist +moisten +moistened +moistener +moistener's +moisteners +moistening +moistens +moister +moistest +moistly +moistness +moistness's +moisture +moisture's +moisturize +moisturized +moisturizer +moisturizer's +moisturizers +moisturizes +moisturizing +Mojave +Mojave's +Mojaves +molar +molar's +molars +molasses +molasses's +mold +Moldavia +Moldavian +Moldavia's +moldboard +moldboard's +moldboards +molded +molder +moldered +moldering +molder's +molders +moldier +moldiest +moldiness +moldiness's +molding +molding's +moldings +Moldova +Moldovan +Moldova's +mold's +molds +moldy +mole +molecular +molecularity +molecularity's +molecule +molecule's +molecules +molehill +molehill's +molehills +mole's +moles +moleskin +moleskin's +molest +molestation +molestation's +molested +molester +molester's +molesters +molesting +molests +Moliere +Moliere's +Molina +Molina's +Moll +moll +Mollie +Mollie's +mollies +mollification +mollification's +mollified +mollifies +mollify +mollifying +Moll's +moll's +molls +molluscan +mollusk +mollusk's +mollusks +Molly +molly +mollycoddle +mollycoddled +mollycoddle's +mollycoddles +mollycoddling +Molly's +molly's +Molnar +Molnar's +Moloch +Moloch's +Molokai +Molokai's +Molotov +Molotov's +molt +molted +molten +molter +molter's +molters +molting +molt's +molts +Moluccas +Moluccas's +molybdenum +molybdenum's +mom +Mombasa +Mombasa's +moment +momenta +momentarily +momentariness +momentariness's +momentary +momentous +momentously +momentousness +momentousness's +moment's +moments +momentum +momentum's +mommies +mommy +mommy's +mom's +moms +Mon +Mona +Monacan +Monaco +Monaco's +monarch +monarchic +monarchical +monarchies +monarchism +monarchism's +monarchist +monarchistic +monarchist's +monarchists +monarch's +monarchs +monarchy +monarchy's +Mona's +monasteries +monastery +monastery's +monastic +monastical +monastically +monasticism +monasticism's +monastic's +monastics +monaural +Mondale +Mondale's +Monday +Monday's +Mondays +Mondrian +Mondrian's +Monegasque +Monegasque's +Monegasques +Monera +Monera's +Monet +monetarily +monetarism +monetarism's +monetarist +monetarist's +monetarists +monetary +monetize +monetized +monetizes +monetizing +Monet's +money +moneybag +moneybag's +moneybags +moneybox +moneyboxes +moneyed +moneylender +moneylender's +moneylenders +moneymaker +moneymaker's +moneymakers +moneymaking +moneymaking's +money's +moneys +monger +mongered +mongering +monger's +mongers +Mongol +mongol +Mongolia +Mongolian +Mongolian's +Mongolians +Mongolia's +Mongolic +Mongolic's +mongolism +mongolism's +Mongoloid +mongoloid +mongoloid's +mongoloids +Mongol's +Mongols +mongols +mongoose +mongoose's +mongooses +mongrel +mongrel's +mongrels +Monica +Monica's +monies +moniker +moniker's +monikers +Monique +Monique's +monism +monism's +monist +monist's +monists +monition +monition's +monitions +monitor +monitored +monitoring +monitor's +monitors +monitory +Monk +monk +monkey +monkeyed +monkeying +monkey's +monkeys +monkeyshine +monkeyshine's +monkeyshines +monkish +Monk's +monk's +monks +monkshood +monkshood's +monkshoods +Monmouth +Monmouth's +mono +monochromatic +monochrome +monochrome's +monochromes +monocle +monocled +monocle's +monocles +monoclonal +monocotyledon +monocotyledonous +monocotyledon's +monocotyledons +monocular +monodic +monodies +monodist +monodist's +monodists +monody +monody's +monogamist +monogamist's +monogamists +monogamous +monogamously +monogamy +monogamy's +monogram +monogrammed +monogramming +monogram's +monograms +monograph +monograph's +monographs +monolingual +monolingual's +monolinguals +monolith +monolithic +monolith's +monoliths +monologist +monologist's +monologists +monologue +monologue's +monologues +monomania +monomaniac +monomaniacal +monomaniac's +monomaniacs +monomania's +monomer +monomer's +monomers +Monongahela +Monongahela's +mononucleosis +mononucleosis's +monophonic +monoplane +monoplane's +monoplanes +monopolies +monopolist +monopolistic +monopolist's +monopolists +monopolization +monopolization's +monopolize +monopolized +monopolizer +monopolizer's +monopolizers +monopolizes +monopolizing +monopoly +monopoly's +monorail +monorail's +monorails +mono's +monosyllabic +monosyllable +monosyllable's +monosyllables +monotheism +monotheism's +monotheist +monotheistic +monotheist's +monotheists +monotone +monotone's +monotones +monotonic +monotonically +monotonous +monotonously +monotonousness +monotonousness's +monotony +monotony's +monounsaturated +monoxide +monoxide's +monoxides +Monroe +Monroe's +Monrovia +Monrovia's +Mon's +Mons +Monsanto +Monsanto's +monseigneur +monseigneur's +Monsieur +monsieur +Monsieur's +monsieur's +Monsignor +monsignor +Monsignor's +Monsignors +monsignor's +monsignors +monsoon +monsoonal +monsoon's +monsoons +monster +monster's +monsters +monstrance +monstrance's +monstrances +monstrosities +monstrosity +monstrosity's +monstrous +monstrously +Mont +montage +montage's +montages +Montague +Montague's +Montaigne +Montaigne's +Montana +Montanan +Montanan's +Montanans +Montana's +Montcalm +Montcalm's +Monte +Montenegrin +Montenegrin's +Montenegro +Montenegro's +Monterrey +Monterrey's +Monte's +Montesquieu +Montesquieu's +Montessori +Montessori's +Monteverdi +Monteverdi's +Montevideo +Montevideo's +Montezuma +Montezuma's +Montgolfier +Montgolfier's +Montgomery +Montgomery's +month +monthlies +monthly +monthly's +month's +months +Monticello +Monticello's +Montoya +Montoya's +Montpelier +Montpelier's +Montrachet +Montrachet's +Montreal +Montreal's +Mont's +Montserrat +Montserrat's +Monty +Monty's +monument +monumental +monumentally +monument's +monuments +moo +MOOC +mooch +mooched +moocher +moocher's +moochers +mooches +mooching +mooch's +mood +moodier +moodiest +moodily +moodiness +moodiness's +mood's +moods +Moody +moody +Moody's +mooed +Moog +Moog's +mooing +Moon +moon +moonbeam +moonbeam's +moonbeams +mooned +Mooney +Mooney's +mooning +moonless +moonlight +moonlighted +moonlighter +moonlighter's +moonlighters +moonlighting +moonlighting's +moonlight's +moonlights +moonlit +Moon's +moon's +moons +moonscape +moonscape's +moonscapes +moonshine +moonshiner +moonshiner's +moonshiners +moonshine's +moonshines +moonshot +moonshot's +moonshots +moonstone +moonstone's +moonstones +moonstruck +moonwalk +moonwalk's +moonwalks +Moor +moor +Moore +moored +Moore's +moorhen +moorhens +mooring +mooring's +moorings +Moorish +Moorish's +moorland +moorland's +moorlands +Moor's +Moors +moor's +moors +moo's +moos +moose +moose's +moot +mooted +mooting +moots +mop +mope +moped +moped's +mopeds +moper +moper's +mopers +mope's +mopes +mopey +mopier +mopiest +moping +mopish +mopped +moppet +moppet's +moppets +mopping +mop's +mops +moraine +moraine's +moraines +moral +morale +Morales +morale's +Morales's +moralist +moralistic +moralistically +moralist's +moralists +moralities +morality +morality's +moralization +moralization's +moralize +moralized +moralizer +moralizer's +moralizers +moralizes +moralizing +morally +moral's +morals +Moran +Moran's +morass +morasses +morass's +moratorium +moratorium's +moratoriums +Moravia +Moravian +Moravian's +Moravia's +moray +moray's +morays +morbid +morbidity +morbidity's +morbidly +morbidness +morbidness's +mordancy +mordancy's +mordant +mordantly +mordant's +mordants +Mordred +Mordred's +More +more +moreish +morel +morel's +morels +Moreno +Moreno's +moreover +More's +more's +mores +mores's +Morgan +Morgan's +Morgans +morgue +morgue's +morgues +Moriarty +Moriarty's +moribund +Morin +Morin's +Morison +Morison's +Morita +Morita's +Morley +Morley's +Mormon +Mormonism +Mormonism's +Mormonisms +Mormon's +Mormons +morn +morning +morning's +mornings +morn's +morns +Moro +Moroccan +Moroccan's +Moroccans +Morocco +morocco +Morocco's +morocco's +moron +Moroni +moronic +moronically +Moroni's +moron's +morons +Moro's +morose +morosely +moroseness +moroseness's +morph +morphed +morpheme +morpheme's +morphemes +morphemic +Morpheus +Morpheus's +morphia +morphia's +morphine +morphine's +morphing +morphing's +morphological +morphology +morphology's +morphs +Morphy +Morphy's +Morris +Morrison +Morrison's +Morris's +Morrow +morrow +Morrow's +morrow's +morrows +Morse +morsel +morsel's +morsels +Morse's +Mort +mortal +mortality +mortality's +mortally +mortal's +mortals +mortar +mortarboard +mortarboard's +mortarboards +mortared +mortaring +mortar's +mortars +mortgage +mortgaged +mortgagee +mortgagee's +mortgagees +mortgage's +mortgages +mortgaging +mortgagor +mortgagor's +mortgagors +mortician +mortician's +morticians +mortification +mortification's +mortified +mortifies +mortify +mortifying +Mortimer +Mortimer's +mortise +mortised +mortise's +mortises +mortising +Morton +Morton's +Mort's +mortuaries +mortuary +mortuary's +Mo's +mos +Mosaic +mosaic +Mosaic's +mosaic's +mosaics +Moscow +Moscow's +Moseley +Moseley's +Moselle +Moselle's +Moses +Moses's +mosey +moseyed +moseying +moseys +mosh +moshed +moshes +moshing +Mosley +Mosley's +mosque +mosque's +mosques +mosquito +mosquitoes +mosquito's +Moss +moss +mossback +mossback's +mossbacks +mosses +mossier +mossiest +Moss's +moss's +mossy +most +mostly +most's +Mosul +Mosul's +mot +mote +motel +motel's +motels +mote's +motes +motet +motet's +motets +moth +mothball +mothballed +mothballing +mothball's +mothballs +mother +motherboard +motherboard's +motherboards +mothered +motherfucker +motherfucker's +motherfuckers +motherfucking +motherhood +motherhood's +mothering +motherland +motherland's +motherlands +motherless +motherliness +motherliness's +motherly +mother's +mothers +moth's +moths +motif +motif's +motifs +motile +motiles +motility +motility's +motion +motioned +motioning +motionless +motionlessly +motionlessness +motionlessness's +motion's +motions +motivate +motivated +motivates +motivating +motivation +motivational +motivation's +motivations +motivator +motivator's +motivators +motive +motiveless +motive's +motives +motley +motley's +motleys +motlier +motliest +motocross +motocrosses +motocross's +motor +motorbike +motorbiked +motorbike's +motorbikes +motorbiking +motorboat +motorboat's +motorboats +motorcade +motorcade's +motorcades +motorcar +motorcar's +motorcars +motorcycle +motorcycled +motorcycle's +motorcycles +motorcycling +motorcyclist +motorcyclist's +motorcyclists +motored +motoring +motorist +motorist's +motorists +motorization +motorization's +motorize +motorized +motorizes +motorizing +motorman +motorman's +motormen +motormouth +motormouth's +motormouths +Motorola +Motorola's +motor's +motors +motorway +motorway's +motorways +Motown +Motown's +Motrin +Motrin's +mot's +mots +Mott +mottle +mottled +mottles +mottling +motto +mottoes +motto's +Mott's +moue +moue's +moues +Moulton +Moulton's +mound +mounded +mounding +mound's +mounds +Mount +mount +mountable +mountain +mountaineer +mountaineered +mountaineering +mountaineering's +mountaineer's +mountaineers +mountainous +mountain's +mountains +mountainside +mountainside's +mountainsides +mountaintop +mountaintop's +mountaintops +Mountbatten +Mountbatten's +mountebank +mountebank's +mountebanks +mounted +mounter +mounter's +mounters +Mountie +Mountie's +Mounties +mounting +mounting's +mountings +Mount's +mount's +mounts +mourn +mourned +mourner +mourner's +mourners +mournful +mournfully +mournfulness +mournfulness's +mourning +mourning's +mourns +mouse +moused +mouser +mouser's +mousers +mouse's +mouses +mousetrap +mousetrapped +mousetrapping +mousetrap's +mousetraps +mousier +mousiest +mousiness +mousiness's +mousing +moussaka +moussakas +mousse +moussed +mousse's +mousses +moussing +Moussorgsky +Moussorgsky's +mousy +mouth +Mouthe +mouthed +Mouthe's +mouthfeel +mouthful +mouthful's +mouthfuls +mouthier +mouthiest +mouthiness +mouthiness's +mouthing +mouthpiece +mouthpiece's +mouthpieces +mouth's +mouths +mouthwash +mouthwashes +mouthwash's +mouthwatering +mouthy +Mouton +mouton +Mouton's +mouton's +movable +movable's +movables +move +moved +movement +movement's +movements +mover +mover's +movers +move's +moves +movie +moviegoer +moviegoer's +moviegoers +movie's +movies +moving +movingly +mow +mowed +mower +mower's +mowers +Mowgli +Mowgli's +mowing +mow's +mows +moxie +moxie's +Mozambican +Mozambican's +Mozambicans +Mozambique +Mozambique's +Mozart +Mozart's +Mozilla +Mozilla's +mozzarella +mozzarella's +MP +mp +MPEG +mpg +mph +MP's +Mr +MRI +MRI's +Mr's +Mrs +M's +MS +Ms +ms +Mses +MSG +Msgr +MSG's +MS's +MST +MST's +MSW +MT +Mt +mt +mtg +mtge +métier +métier's +métiers +MT's +MTV +MTV's +mu +Muawiya +Muawiya's +Mubarak +Mubarak's +much +much's +mucilage +mucilage's +mucilaginous +muck +mucked +muckier +muckiest +mucking +muckrake +muckraked +muckraker +muckraker's +muckrakers +muckrakes +muckraking +muck's +mucks +mucky +mucous +mucus +mucus's +mud +muddied +muddier +muddies +muddiest +muddily +muddiness +muddiness's +muddle +muddled +muddleheaded +muddle's +muddles +muddling +muddy +muddying +mudflap +mudflaps +mudflat +mudflat's +mudflats +mudguard +mudguard's +mudguards +mudpack +mudpacks +mudroom +mudroom's +mudrooms +mud's +mudslide +mudslide's +mudslides +mudslinger +mudslinger's +mudslingers +mudslinging +mudslinging's +Mueller +Mueller's +Muenster +muenster +Muenster's +Muensters +muenster's +muesli +muezzin +muezzin's +muezzins +muff +muffed +muffin +muffing +muffin's +muffins +muffle +muffled +muffler +muffler's +mufflers +muffles +muffling +muff's +muffs +mufti +mufti's +muftis +mug +Mugabe +Mugabe's +mugful +mugful's +mugfuls +mugged +mugger +mugger's +muggers +muggier +muggiest +mugginess +mugginess's +mugging +mugging's +muggings +muggins +muggle +muggle's +muggles +muggy +mug's +mugs +mugshot +mugshot's +mugshots +mugwump +mugwump's +mugwumps +Muhammad +Muhammadan +Muhammadanism +Muhammadanism's +Muhammadanisms +Muhammadan's +Muhammadans +Muhammad's +Muir +Muir's +mujaheddin +Mujib +Mujib's +mukluk +mukluk's +mukluks +mulatto +mulattoes +mulatto's +mulberries +mulberry +mulberry's +mulch +mulched +mulches +mulching +mulch's +mulct +mulcted +mulcting +mulct's +mulcts +Mulder +Mulder's +mule +mule's +mules +muleskinner +muleskinner's +muleskinners +muleteer +muleteer's +muleteers +mulish +mulishly +mulishness +mulishness's +mull +mullah +mullah's +mullahs +mulled +mullein +mullein's +Mullen +Mullen's +Muller +Muller's +mullet +mullet's +mullets +Mulligan +mulligan +Mulligan's +mulligan's +mulligans +mulligatawny +mulligatawny's +Mullikan +Mullikan's +mulling +Mullins +Mullins's +mullion +mullioned +mullion's +mullions +mulls +Mulroney +Mulroney's +Multan +Multan's +multi +multichannel +multicolored +Multics +multicultural +multiculturalism +multiculturalism's +multidimensional +multidisciplinary +multifaceted +multifamily +multifarious +multifariously +multifariousness +multifariousness's +multiform +multigrain +multilateral +multilaterally +multilayered +multilevel +multilingual +multilingualism +multilingualism's +multimedia +multimedia's +multimillionaire +multimillionaire's +multimillionaires +multinational +multinational's +multinationals +multipart +multiparty +multiplayer +multiplayer's +multiple +multiple's +multiples +multiplex +multiplexed +multiplexer +multiplexer's +multiplexers +multiplexes +multiplexing +multiplex's +multiplicand +multiplicand's +multiplicands +multiplication +multiplication's +multiplications +multiplicative +multiplicities +multiplicity +multiplicity's +multiplied +multiplier +multiplier's +multipliers +multiplies +multiply +multiplying +multiprocessing +multiprocessor +multiprocessor's +multiprocessors +multipurpose +multiracial +multistage +multistory +multitask +multitasking +multitasking's +multitasks +multitude +multitude's +multitudes +multitudinous +multivariate +multiverse +multiverse's +multiverses +multivitamin +multivitamin's +multivitamins +multiyear +mum +Mumbai +Mumbai's +mumble +mumbled +mumbler +mumbler's +mumblers +mumble's +mumbles +mumbletypeg +mumbletypeg's +mumbling +Mumford +Mumford's +mummer +mummer's +mummers +mummery +mummery's +mummies +mummification +mummification's +mummified +mummifies +mummify +mummifying +mummy +mummy's +mumps +mumps's +mun +Munch +munch +munched +munches +Munchhausen +Munchhausen's +munchie +munchies +munchies's +munching +munchkin +munchkin's +munchkins +Munch's +mundane +mundanely +mundanes +mung +munged +munging +mungs +Munich +Munich's +municipal +municipalities +municipality +municipality's +municipally +municipal's +municipals +munificence +munificence's +munificent +munificently +munition +munitioned +munitioning +munition's +munitions +Munoz +Munoz's +Munro +Munro's +Munster +Munster's +Muppet +Muppet's +mural +muralist +muralist's +muralists +mural's +murals +Murasaki +Murasaki's +Murat +Murat's +Murchison +Murchison's +Murcia +murder +murdered +murderer +murderer's +murderers +murderess +murderesses +murderess's +murdering +murderous +murderously +murder's +murders +Murdoch +Murdoch's +Muriel +Muriel's +Murillo +Murillo's +Murine +Murine's +murk +murkier +murkiest +murkily +murkiness +murkiness's +murk's +murks +murky +Murmansk +Murmansk's +murmur +murmured +murmurer +murmurer's +murmurers +murmuring +murmuring's +murmurings +murmurous +murmur's +murmurs +Murphy +Murphy's +murrain +murrain's +Murray +Murray's +Murrow +Murrow's +Murrumbidgee +Murrumbidgee's +mu's +mus +Muscat +muscat +muscatel +muscatel's +muscatels +Muscat's +muscat's +muscats +muscle +musclebound +muscled +muscleman +musclemen +muscle's +muscles +muscling +muscly +Muscovite +Muscovite's +Muscovy +Muscovy's +muscular +muscularity +muscularity's +muscularly +musculature +musculature's +Muse +muse +mused +Muse's +muse's +muses +musette +musette's +musettes +museum +museum's +museums +mush +Musharraf +Musharraf's +mushed +musher +mushers +mushes +mushier +mushiest +mushiness +mushiness's +mushing +mushroom +mushroomed +mushrooming +mushroom's +mushrooms +mush's +mushy +Musial +Musial's +music +musical +musicale +musicale's +musicales +musicality +musicality's +musically +musical's +musicals +musician +musicianly +musician's +musicians +musicianship +musicianship's +musicological +musicologist +musicologist's +musicologists +musicology +musicology's +music's +musics +musing +musingly +musing's +musings +musk +muskeg +muskeg's +muskegs +muskellunge +muskellunge's +muskellunges +musket +musketeer +musketeer's +musketeers +musketry +musketry's +musket's +muskets +muskie +muskier +muskie's +muskies +muskiest +muskiness +muskiness's +muskmelon +muskmelon's +muskmelons +Muskogee +Muskogee's +muskox +muskoxen +muskox's +muskrat +muskrat's +muskrats +musk's +musky +Muslim +Muslim's +Muslims +muslin +muslin's +muss +mussed +mussel +mussel's +mussels +musses +mussier +mussiest +mussing +Mussolini +Mussolini's +Mussorgsky +Mussorgsky's +muss's +mussy +must +mustache +mustached +mustache's +mustaches +mustachio +mustachioed +mustachio's +mustachios +mustang +mustang's +mustangs +mustard +mustard's +muster +mustered +mustering +muster's +musters +mustier +mustiest +mustily +mustiness +mustiness's +mustn't +must's +musts +must've +musty +mutability +mutability's +mutable +mutably +mutagen +mutagenic +mutagen's +mutagens +mutant +mutant's +mutants +mutate +mutated +mutates +mutating +mutation +mutational +mutation's +mutations +mutative +mute +muted +mutely +muteness +muteness's +muter +mute's +mutes +mutest +mutilate +mutilated +mutilates +mutilating +mutilation +mutilation's +mutilations +mutilator +mutilator's +mutilators +mutineer +mutineer's +mutineers +muting +mutinied +mutinies +mutinous +mutinously +mutiny +mutinying +mutiny's +Mutsuhito +Mutsuhito's +mutt +mutter +muttered +mutterer +mutterer's +mutterers +muttering +muttering's +mutterings +mutter's +mutters +mutton +muttonchops +muttonchops's +mutton's +muttony +mutt's +mutts +mutual +mutuality +mutuality's +mutually +muumuu +muumuu's +muumuus +Muzak +muzak +Muzak's +muzzily +muzziness +muzzle +muzzled +muzzle's +muzzles +muzzling +muzzy +MVP +MVP's +MW +my +Myanmar +Myanmar's +Mycenae +Mycenaean +Mycenaean's +Mycenae's +mycologist +mycologist's +mycologists +mycology +mycology's +myelitis +myelitis's +Myers +Myers's +Mylar +Mylar's +Mylars +Myles +Myles's +myna +myna's +mynas +myocardial +myocardium +myopia +myopia's +myopic +myopically +Myra +Myra's +Myrdal +Myrdal's +myriad +myriad's +myriads +myrmidon +myrmidon's +myrmidons +Myrna +Myrna's +Myron +Myron's +myrrh +myrrh's +Myrtle +myrtle +Myrtle's +myrtle's +myrtles +mys +myself +Mysore +Mysore's +MySpace +MySpace's +Myst +mysteries +mysterious +mysteriously +mysteriousness +mysteriousness's +mystery +mystery's +mystic +mystical +mystically +mysticism +mysticism's +mystic's +mystics +mystification +mystification's +mystified +mystifies +mystify +mystifying +mystique +mystique's +Myst's +myth +mythic +mythical +mythological +mythologies +mythologist +mythologist's +mythologists +mythologize +mythologized +mythologizes +mythologizing +mythology +mythology's +myth's +myths +myxomatosis +N +n +Na +NAACP +NAACP's +naan +naans +nab +nabbed +nabbing +Nabisco +Nabisco's +nabob +nabob's +nabobs +Nabokov +Nabokov's +nabs +nacelle +nacelle's +nacelles +nacho +nacho's +nachos +nacre +nacreous +nacre's +Nader +Nader's +Nadia +Nadia's +Nadine +Nadine's +nadir +nadir's +nadirs +nae +naff +naffer +naffest +NAFTA +NAFTA's +nag +Nagasaki +Nagasaki's +nagged +nagger +nagger's +naggers +nagging +Nagoya +Nagoya's +Nagpur +Nagpur's +nag's +nags +nagware +Nagy +Nagy's +nah +Nahuatl +Nahuatl's +Nahuatls +Nahum +Nahum's +naiad +naiad's +naiads +naif +naif's +naifs +nail +nailbrush +nailbrushes +nailbrush's +nailed +nailing +nail's +nails +Naipaul +Naipaul's +Nair +Nairobi +Nairobi's +Nair's +Naismith +Naismith's +naive +naively +naiver +naivest +naiveté +naivete +naivete's +naiveté's +naivety +naivety's +naked +nakedly +nakedness +nakedness's +Nam +Namath +Namath's +name +nameable +named +namedrop +namedropping +namedropping's +nameless +namelessly +namely +nameplate +nameplate's +nameplates +name's +names +namesake +namesake's +namesakes +Namibia +Namibian +Namibian's +Namibians +Namibia's +naming +Nam's +Nan +Nanak +Nanak's +Nanchang +Nanchang's +Nancy +Nancy's +Nanette +Nanette's +Nanjing +Nanjing's +Nannie +Nannie's +nannies +nanny +nanny's +nanobot +nanobots +Nanook +Nanook's +nanosecond +nanosecond's +nanoseconds +nanotechnologies +nanotechnology +nanotechnology's +Nan's +Nansen +Nansen's +Nantes +Nantes's +Nantucket +Nantucket's +Naomi +Naomi's +nap +napalm +napalmed +napalming +napalm's +napalms +nape +nape's +napes +Naphtali +Naphtali's +naphtha +naphthalene +naphthalene's +naphtha's +Napier +Napier's +napkin +napkin's +napkins +Naples +Naples's +napless +Napoleon +napoleon +Napoleonic +Napoleonic's +Napoleon's +Napoleons +napoleon's +napoleons +napped +napper +napper's +nappers +nappier +nappies +nappiest +napping +nappy +nappy's +nap's +naps +Napster +Napster's +narc +narcissism +narcissism's +narcissist +narcissistic +narcissist's +narcissists +Narcissus +narcissus +Narcissus's +narcissus's +narcolepsy +narcolepsy's +narcoleptic +narcoses +narcosis +narcosis's +narcotic +narcotic's +narcotics +narcotization +narcotization's +narcotize +narcotized +narcotizes +narcotizing +narc's +narcs +nark +narky +Narmada +Narmada's +Narnia +Narnia's +Narraganset +Narragansett +Narragansett's +narrate +narrated +narrates +narrating +narration +narration's +narrations +narrative +narrative's +narratives +narrator +narrator's +narrators +narrow +narrowed +narrower +narrowest +narrowing +narrowly +narrowness +narrowness's +narrow's +narrows +narwhal +narwhal's +narwhals +nary +Na's +NASA +nasal +nasality +nasality's +nasalization +nasalization's +nasalize +nasalized +nasalizes +nasalizing +nasally +nasal's +nasals +NASA's +NASCAR +NASCAR's +nascence +nascence's +nascent +NASDAQ +NASDAQ's +Nash +Nash's +Nashua +Nashua's +Nashville +Nashville's +Nassau +Nassau's +Nasser +Nasser's +nastier +nastiest +nastily +nastiness +nastiness's +nasturtium +nasturtium's +nasturtiums +nasty +Nat +natal +Natalia +Natalia's +Natalie +Natalie's +Natasha +Natasha's +natch +Natchez +Natchez's +Nate +Nate's +Nathan +Nathaniel +Nathaniel's +Nathan's +Nathans +Nathans's +Nation +nation +national +nationalism +nationalism's +nationalist +nationalistic +nationalistically +nationalist's +nationalists +nationalities +nationality +nationality's +nationalization +nationalization's +nationalizations +nationalize +nationalized +nationalizes +nationalizing +nationally +national's +nationals +nationhood +nationhood's +Nation's +nation's +nations +Nationwide +nationwide +Nationwide's +native +native's +natives +nativities +Nativity +nativity +Nativity's +nativity's +natl +NATO +NATO's +Nat's +natter +nattered +nattering +natter's +natters +nattier +nattiest +nattily +nattiness +nattiness's +natty +natural +naturalism +naturalism's +naturalist +naturalistic +naturalist's +naturalists +naturalization +naturalization's +naturalize +naturalized +naturalizes +naturalizing +naturally +naturalness +naturalness's +natural's +naturals +nature +nature's +natures +naturism +naturist +naturists +Naugahyde +Naugahyde's +naught +naughtier +naughtiest +naughtily +naughtiness +naughtiness's +naught's +naughts +naughty +Nauru +Nauru's +nausea +nausea's +nauseate +nauseated +nauseates +nauseating +nauseatingly +nauseous +nauseously +nauseousness +nauseousness's +nautical +nautically +Nautilus +nautilus +nautiluses +Nautilus's +nautilus's +Navajo +Navajoes +Navajo's +Navajos +naval +Navarre +Navarre's +Navarro +Navarro's +nave +navel +navel's +navels +nave's +naves +navies +navigability +navigability's +navigable +navigate +navigated +navigates +navigating +navigation +navigational +navigation's +navigator +navigator's +navigators +Navratilova +Navratilova's +navvies +navvy +Navy +navy +navy's +nay +nay's +nays +naysayer +naysayer's +naysayers +Nazarene +Nazarene's +Nazareth +Nazareth's +Nazca +Nazca's +Nazi +Nazi's +Nazis +Nazism +Nazism's +Nazisms +NB +Nb +NBA +NBA's +NBC +NBC's +NBS +Nb's +NC +NCAA +NCAA's +NCO +ND +Nd +N'Djamena +Ndjamena +Ndjamena's +Nd's +NE +Ne +née +Neal +Neal's +Neanderthal +neanderthal +Neanderthal's +Neanderthals +neanderthal's +neanderthals +neap +Neapolitan +Neapolitan's +neap's +neaps +near +nearby +neared +nearer +nearest +nearing +nearly +nearness +nearness's +nears +nearshore +nearside +nearsighted +nearsightedly +nearsightedness +nearsightedness's +neat +neaten +neatened +neatening +neatens +neater +neatest +neath +neatly +neatness +neatness's +Neb +Nebr +Nebraska +Nebraskan +Nebraskan's +Nebraskans +Nebraska's +Nebuchadnezzar +Nebuchadnezzar's +nebula +nebulae +nebular +nebula's +nebulous +nebulously +nebulousness +nebulousness's +necessaries +necessarily +necessary +necessary's +necessitate +necessitated +necessitates +necessitating +necessities +necessitous +necessity +necessity's +neck +neckband +neckbands +necked +neckerchief +neckerchief's +neckerchiefs +necking +necking's +necklace +necklaced +necklace's +necklaces +necklacing +necklacings +neckline +neckline's +necklines +neck's +necks +necktie +necktie's +neckties +necrology +necrology's +necromancer +necromancer's +necromancers +necromancy +necromancy's +necrophilia +necrophiliac +necrophiliacs +necropolis +necropolises +necropolis's +necroses +necrosis +necrosis's +necrotic +nectar +nectarine +nectarine's +nectarines +nectar's +Ned +Ned's +nee +need +needed +needful +needfully +needier +neediest +neediness +neediness's +needing +needle +needled +needlepoint +needlepoint's +needle's +needles +needless +needlessly +needlessness +needlessness's +needlewoman +needlewoman's +needlewomen +needlework +needlework's +needling +needn't +need's +needs +needy +ne'er +nefarious +nefariously +nefariousness +nefariousness's +Nefertiti +Nefertiti's +neg +negate +negated +negates +negating +negation +negation's +negations +negative +negatived +negatively +negativeness +negativeness's +negative's +negatives +negativing +negativism +negativism's +negativity +negativity's +Negev +Negev's +neglect +neglected +neglectful +neglectfully +neglectfulness +neglectfulness's +neglecting +neglect's +neglects +negligee +negligee's +negligees +negligence +negligence's +negligent +negligently +negligible +negligibly +negotiability +negotiability's +negotiable +negotiate +negotiated +negotiates +negotiating +negotiation +negotiation's +negotiations +negotiator +negotiator's +negotiators +Negress +Negresses +Negress's +Negritude +negritude +negritude's +Negro +negro +Negroes +Negroid +negroid +Negroid's +Negroids +Negro's +Negros +Negros's +NEH +Nehemiah +Nehemiah's +Nehru +Nehru's +neigh +neighbor +neighbored +neighborhood +neighborhood's +neighborhoods +neighboring +neighborliness +neighborliness's +neighborly +neighbor's +neighbors +neighed +neighing +neigh's +neighs +Neil +Neil's +neither +Nelda +Nelda's +Nell +Nellie +Nellie's +Nell's +Nelly +Nelly's +Nelsen +Nelsen's +Nelson +nelson +Nelson's +nelson's +nelsons +nematode +nematode's +nematodes +Nembutal +Nembutal's +nemeses +Nemesis +nemesis +Nemesis's +nemesis's +neoclassic +neoclassical +neoclassicism +neoclassicism's +neocolonialism +neocolonialism's +neocolonialist +neocolonialist's +neocolonialists +neocon +neocon's +neocons +neoconservative +neoconservative's +neoconservatives +neodymium +neodymium's +Neogene +Neogene's +Neolithic +neolithic +neologism +neologism's +neologisms +neon +neonatal +neonate +neonate's +neonates +neon's +neophilia +neophyte +neophyte's +neophytes +neoplasm +neoplasm's +neoplasms +neoplastic +neoprene +neoprene's +Nepal +Nepalese +Nepalese's +Nepali +Nepali's +Nepalis +Nepal's +nepenthe +nepenthe's +nephew +nephew's +nephews +nephrite +nephrite's +nephritic +nephritis +nephritis's +nephropathy +nepotism +nepotism's +nepotist +nepotistic +nepotist's +nepotists +Neptune +Neptune's +neptunium +neptunium's +nerd +nerdier +nerdiest +nerd's +nerds +nerdy +Nereid +Nereid's +Nerf +Nerf's +Nero +Nero's +Neruda +Neruda's +nerve +nerved +nerveless +nervelessly +nervelessness +nervelessness's +nerve's +nerves +nervier +nerviest +nerviness +nerviness's +nerving +nervous +nervously +nervousness +nervousness's +nervy +NE's +Ne's +Nescafe +Nescafe's +Nesselrode +Nesselrode's +nest +nested +nesting +Nestle +nestle +nestled +Nestle's +nestles +nestling +nestling's +nestlings +Nestor +Nestorius +Nestorius's +Nestor's +nest's +nests +net +netball +netbook +netbook's +netbooks +Netflix +Netflix's +nether +Netherlander +Netherlander's +Netherlanders +Netherlands +Netherlands's +nethermost +netherworld +netherworld's +netiquette +netiquettes +net's +nets +Netscape +Netscape's +netted +netter +netters +Nettie +Nettie's +netting +netting's +nettle +nettled +nettle's +nettles +nettlesome +nettling +network +networked +networking +networking's +network's +networks +Netzahualcoyotl +Netzahualcoyotl's +neural +neuralgia +neuralgia's +neuralgic +neurally +neurasthenia +neurasthenia's +neurasthenic +neurasthenic's +neurasthenics +neuritic +neuritic's +neuritics +neuritis +neuritis's +neurological +neurologically +neurologist +neurologist's +neurologists +neurology +neurology's +neuron +neuronal +neuron's +neurons +neuroses +neurosis +neurosis's +neurosurgeon +neurosurgeon's +neurosurgeons +neurosurgery +neurosurgery's +neurosurgical +neurotic +neurotically +neurotic's +neurotics +neurotransmitter +neurotransmitter's +neurotransmitters +neut +neuter +neutered +neutering +neuter's +neuters +neutral +neutralism +neutralism's +neutralist +neutralist's +neutralists +neutrality +neutrality's +neutralization +neutralization's +neutralize +neutralized +neutralizer +neutralizer's +neutralizers +neutralizes +neutralizing +neutrally +neutral's +neutrals +neutrino +neutrino's +neutrinos +neutron +neutron's +neutrons +Nev +Neva +Nevada +Nevadan +Nevadan's +Nevadans +Nevada's +Nevadian +Neva's +never +nevermore +nevertheless +nevi +Nevis +Nevis's +Nev's +Nevsky +Nevsky's +nevus +nevus's +new +Newark +Newark's +newbie +newbie's +newbies +newborn +newborn's +newborns +Newcastle +Newcastle's +newcomer +newcomer's +newcomers +newel +newel's +newels +newer +newest +newfangled +newfound +Newfoundland +Newfoundlander +Newfoundland's +Newfoundlands +newline +newlines +newly +newlywed +newlywed's +newlyweds +Newman +Newman's +newness +newness's +Newport +Newport's +NeWS +new's +news +newsagent +newsagents +newsboy +newsboy's +newsboys +newscast +newscaster +newscaster's +newscasters +newscast's +newscasts +newsdealer +newsdealer's +newsdealers +NeWSes +newsflash +newsflashes +newsgirl +newsgirl's +newsgirls +newsgroup +newsgroup's +newsgroups +newshound +newshounds +newsier +newsiest +newsletter +newsletter's +newsletters +newsman +newsman's +newsmen +newspaper +newspaperman +newspaperman's +newspapermen +newspaper's +newspapers +newspaperwoman +newspaperwoman's +newspaperwomen +newspeak +newsprint +newsprint's +newsreader +newsreaders +newsreel +newsreel's +newsreels +newsroom +newsroom's +newsrooms +news's +newsstand +newsstand's +newsstands +Newsweek +newsweeklies +newsweekly +newsweekly's +Newsweek's +newswoman +newswoman's +newswomen +newsworthiness +newsworthiness's +newsworthy +newsy +newt +Newton +newton +Newtonian +Newtonian's +Newton's +newton's +newtons +newt's +newts +Nexis +Nexis's +next +next's +nexus +nexuses +nexus's +NF +NFC +NFL +NFL's +Ngaliema +Ngaliema's +Ångström +Ångström's +Nguyen +Nguyen's +NH +NHL +NHL's +Ni +niacin +niacin's +Niagara +Niagara's +Niamey +Niamey's +nib +nibble +nibbled +nibbler +nibbler's +nibblers +nibble's +nibbles +nibbling +Nibelung +Nibelung's +nib's +nibs +Nicaea +Nicaea's +Nicaragua +Nicaraguan +Nicaraguan's +Nicaraguans +Nicaragua's +Niccolo +Niccolo's +Nice +nice +nicely +Nicene +Nicene's +niceness +niceness's +nicer +Nice's +nicest +niceties +nicety +nicety's +niche +niche's +niches +Nichiren +Nichiren's +Nicholas +Nicholas's +Nichole +Nichole's +Nichols +Nicholson +Nicholson's +Nichols's +Nick +nick +nicked +nickel +Nickelodeon +nickelodeon +Nickelodeon's +nickelodeon's +nickelodeons +nickel's +nickels +nicker +nickered +nickering +nicker's +nickers +nicking +Nicklaus +Nicklaus's +nickle +nickles +nickname +nicknamed +nickname's +nicknames +nicknaming +Nickolas +Nickolas's +Nick's +nick's +nicks +Nicobar +Nicobar's +Nicodemus +Nicodemus's +Nicola +Nicola's +Nicolas +Nicolas's +Nicole +Nicole's +Nicosia +Nicosia's +nicotine +nicotine's +Niebuhr +Niebuhr's +niece +niece's +nieces +Nielsen +Nielsen's +Nietzsche +Nietzsche's +Nieves +Nieves's +niff +niffy +niftier +niftiest +nifty +Nigel +Nigel's +Niger +Nigeria +Nigerian +Nigerian's +Nigerians +Nigeria's +Nigerien +Nigerien's +Niger's +nigga +niggard +niggardliness +niggardliness's +niggardly +niggard's +niggards +nigga's +niggas +niggaz +nigger +nigger's +niggers +niggle +niggled +niggler +niggler's +nigglers +niggle's +niggles +niggling +nigh +nigher +nighest +night +nightcap +nightcap's +nightcaps +nightclothes +nightclothes's +nightclub +nightclubbed +nightclubbing +nightclub's +nightclubs +nightdress +nightdresses +nightdress's +nightfall +nightfall's +nightgown +nightgown's +nightgowns +nighthawk +nighthawk's +nighthawks +nightie +nightie's +nighties +Nightingale +nightingale +Nightingale's +nightingale's +nightingales +nightlife +nightlife's +nightlight +nightlights +nightlong +nightly +nightmare +nightmare's +nightmares +nightmarish +night's +nights +nightshade +nightshade's +nightshades +nightshirt +nightshirt's +nightshirts +nightspot +nightspot's +nightspots +nightstand +nightstand's +nightstands +nightstick +nightstick's +nightsticks +nighttime +nighttime's +nightwatchman +nightwatchmen +nightwear +nightwear's +NIH +nihilism +nihilism's +nihilist +nihilistic +nihilist's +nihilists +Nijinsky +Nijinsky's +Nike +Nike's +Nikita +Nikita's +Nikkei +Nikkei's +Nikki +Nikki's +Nikolai +Nikolai's +Nikon +Nikon's +nil +Nile +Nile's +nil's +nimbi +nimble +nimbleness +nimbleness's +nimbler +nimblest +nimbly +nimbus +nimbus's +NIMBY +nimby +Nimitz +Nimitz's +Nimrod +nimrod +Nimrod's +nimrod's +nimrods +Nina +Nina's +nincompoop +nincompoop's +nincompoops +nine +ninepin +ninepin's +ninepins +ninepins's +nine's +nines +nineteen +nineteen's +nineteens +nineteenth +nineteenth's +nineteenths +nineties +ninetieth +ninetieth's +ninetieths +ninety +ninety's +Nineveh +Nineveh's +ninja +ninja's +ninjas +ninnies +ninny +ninny's +Nintendo +Nintendo's +ninth +ninth's +ninths +Niobe +Niobe's +niobium +niobium's +nip +nipped +nipper +nipper's +nippers +nippier +nippiest +nippiness +nippiness's +nipping +nipple +nipple's +nipples +Nippon +Nipponese +Nipponese's +Nippon's +nippy +nip's +nips +Nirenberg +Nirenberg's +Nirvana +nirvana +Nirvana's +nirvana's +Ni's +Nisan +Nisan's +Nisei +nisei +Nisei's +nisei's +Nissan +Nissan's +nit +Nita +Nita's +niter +niter's +nitpick +nitpicked +nitpicker +nitpicker's +nitpickers +nitpicking +nitpicking's +nitpicks +nitrate +nitrated +nitrate's +nitrates +nitrating +nitration +nitration's +nitric +nitrification +nitrification's +nitrite +nitrite's +nitrites +nitro +nitrocellulose +nitrocellulose's +nitrogen +nitrogenous +nitrogen's +nitroglycerin +nitroglycerin's +nit's +nits +nitwit +nitwit's +nitwits +Nivea +Nivea's +nix +nixed +nixes +nixing +Nixon +Nixon's +nix's +NJ +Nkrumah +Nkrumah's +NLRB +NM +No +no +Noah +Noah's +nob +nobble +nobbled +nobbles +nobbling +Nobel +Nobelist +Nobelist's +Nobelists +nobelium +nobelium's +Nobel's +nobility +nobility's +Noble +noble +nobleman +nobleman's +noblemen +nobleness +nobleness's +nobler +Noble's +noble's +nobles +noblest +noblewoman +noblewoman's +noblewomen +nobly +nobodies +nobody +nobody's +nobs +nocturnal +nocturnally +nocturne +nocturne's +nocturnes +nod +nodal +nodded +nodding +noddle +noddle's +noddles +noddy +node +node's +nodes +NoDoz +NoDoz's +nod's +nods +nodular +nodule +nodule's +nodules +Noe +Noel +noel +Noelle +Noelle's +Noel's +Noels +noel's +noels +Noemi +Noemi's +Noe's +noes +noggin +noggin's +noggins +nohow +noise +noised +noiseless +noiselessly +noiselessness +noiselessness's +noisemaker +noisemaker's +noisemakers +noise's +noises +noisier +noisiest +noisily +noisiness +noisiness's +noising +noisome +noisy +Nokia +Nokia's +Nola +Nolan +Nolan's +Nola's +nomad +nomadic +nomad's +nomads +Nome +nomenclature +nomenclature's +nomenclatures +Nome's +nominal +nominally +nominate +nominated +nominates +nominating +nomination +nomination's +nominations +nominative +nominative's +nominatives +nominator +nominator's +nominators +nominee +nominee's +nominees +non +Nona +nonabrasive +nonabsorbent +nonabsorbent's +nonabsorbents +nonacademic +nonacceptance +nonacceptance's +nonacid +nonactive +nonactive's +nonactives +nonaddictive +nonadhesive +nonadjacent +nonadjustable +nonadministrative +nonage +nonagenarian +nonagenarian's +nonagenarians +nonage's +nonages +nonaggression +nonaggression's +nonalcoholic +nonaligned +nonalignment +nonalignment's +nonallergic +nonappearance +nonappearance's +nonappearances +Nona's +nonassignable +nonathletic +nonattendance +nonattendance's +nonautomotive +nonavailability +nonavailability's +nonbasic +nonbeliever +nonbeliever's +nonbelievers +nonbelligerent +nonbelligerent's +nonbelligerents +nonbinding +nonbreakable +nonburnable +noncaloric +noncancerous +nonce +nonce's +nonchalance +nonchalance's +nonchalant +nonchalantly +nonchargeable +nonclerical +nonclerical's +nonclericals +nonclinical +noncollectable +noncom +noncombat +noncombatant +noncombatant's +noncombatants +noncombustible +noncommercial +noncommercial's +noncommercials +noncommittal +noncommittally +noncommunicable +noncompeting +noncompetitive +noncompliance +noncompliance's +noncomplying +noncomprehending +noncom's +noncoms +nonconducting +nonconductor +nonconductor's +nonconductors +nonconforming +nonconformism +nonconformist +nonconformist's +nonconformists +nonconformity +nonconformity's +nonconsecutive +nonconstructive +noncontagious +noncontinuous +noncontributing +noncontributory +noncontroversial +nonconvertible +noncooperation +noncooperation's +noncorroding +noncorrosive +noncredit +noncriminal +noncriminal's +noncriminals +noncritical +noncrystalline +noncumulative +noncustodial +nondairy +nondeductible +nondeductible's +nondeliveries +nondelivery +nondelivery's +nondemocratic +nondenominational +nondepartmental +nondepreciating +nondescript +nondestructive +nondetachable +nondisciplinary +nondisclosure +nondisclosure's +nondiscrimination +nondiscrimination's +nondiscriminatory +nondramatic +nondrinker +nondrinker's +nondrinkers +nondrying +none +noneducational +noneffective +nonelastic +nonelectric +nonelectrical +nonempty +nonenforceable +nonentities +nonentity +nonentity's +nonequivalent +nonequivalent's +nonequivalents +nonessential +nonesuch +nonesuches +nonesuch's +nonetheless +nonevent +nonevent's +nonevents +nonexchangeable +nonexclusive +nonexempt +nonexempt's +nonexistence +nonexistence's +nonexistent +nonexplosive +nonexplosive's +nonexplosives +nonfactual +nonfading +nonfat +nonfatal +nonfattening +nonferrous +nonfiction +nonfictional +nonfiction's +nonflammable +nonflowering +nonfluctuating +nonflying +nonfood +nonfood's +nonfreezing +nonfunctional +nongovernmental +nongranular +nonhazardous +nonhereditary +nonhuman +nonidentical +noninclusive +nonindependent +nonindustrial +noninfectious +noninflammatory +noninflationary +noninflected +nonintellectual +nonintellectual's +nonintellectuals +noninterchangeable +noninterference +noninterference's +nonintervention +nonintervention's +nonintoxicating +noninvasive +nonirritating +nonissue +nonjudgmental +nonjudicial +nonlegal +nonlethal +nonlinear +nonliterary +nonliving +nonliving's +nonmagnetic +nonmalignant +nonmember +nonmember's +nonmembers +nonmetal +nonmetallic +nonmetal's +nonmetals +nonmigratory +nonmilitant +nonmilitary +nonnarcotic +nonnarcotic's +nonnarcotics +nonnative +nonnative's +nonnatives +nonnegotiable +nonnuclear +nonnumerical +nonobjective +nonobligatory +nonobservance +nonobservance's +nonobservant +nonoccupational +nonoccurence +nonofficial +nonoperational +nonoperative +nonparallel +nonparallel's +nonparallels +nonpareil +nonpareil's +nonpareils +nonparticipant +nonparticipant's +nonparticipants +nonparticipating +nonpartisan +nonpartisan's +nonpartisans +nonpaying +nonpayment +nonpayment's +nonpayments +nonperformance +nonperformance's +nonperforming +nonperishable +nonperson +nonperson's +nonpersons +nonphysical +nonphysically +nonplus +nonpluses +nonplussed +nonplussing +nonpoisonous +nonpolitical +nonpolluting +nonporous +nonpracticing +nonprejudicial +nonprescription +nonproductive +nonprofessional +nonprofessional's +nonprofessionals +nonprofit +nonprofitable +nonprofit's +nonprofits +nonproliferation +nonproliferation's +nonpublic +nonpunishable +nonracial +nonradioactive +nonrandom +nonreactive +nonreciprocal +nonreciprocal's +nonreciprocals +nonreciprocating +nonrecognition +nonrecognition's +nonrecoverable +nonrecurring +nonredeemable +nonrefillable +nonrefundable +nonreligious +nonrenewable +nonrepresentational +nonresident +nonresidential +nonresident's +nonresidents +nonresidual +nonresidual's +nonresistance +nonresistance's +nonresistant +nonrestrictive +nonreturnable +nonreturnable's +nonreturnables +nonrhythmic +nonrigid +nonsalaried +nonscheduled +nonscientific +nonscoring +nonseasonal +nonsectarian +nonsecular +nonsegregated +nonsense +nonsense's +nonsensical +nonsensically +nonsensitive +nonsexist +nonsexual +nonskid +nonslip +nonsmoker +nonsmoker's +nonsmokers +nonsmoking +nonsocial +nonspeaking +nonspecialist +nonspecialist's +nonspecialists +nonspecializing +nonspecific +nonspiritual +nonspiritual's +nonspirituals +nonstaining +nonstandard +nonstarter +nonstarter's +nonstarters +nonstick +nonstop +nonstrategic +nonstriking +nonstructural +nonsuccessive +nonsupport +nonsupporting +nonsupport's +nonsurgical +nonsustaining +nonsympathizer +nonsympathizer's +nontarnishable +nontaxable +nontechnical +nontenured +nontheatrical +nonthinking +nonthreatening +nontoxic +nontraditional +nontransferable +nontransparent +nontrivial +nontropical +nonuniform +nonunion +nonuser +nonuser's +nonusers +nonvenomous +nonverbal +nonviable +nonviolence +nonviolence's +nonviolent +nonviolently +nonvirulent +nonvocal +nonvocational +nonvolatile +nonvoter +nonvoter's +nonvoters +nonvoting +nonwhite +nonwhite's +nonwhites +nonworking +nonyielding +nonzero +noodle +noodled +noodle's +noodles +noodling +nook +nookie +nook's +nooks +nooky +noon +noonday +noonday's +noon's +noontide +noontide's +noontime +noontime's +noose +noose's +nooses +Nootka +Nootka's +nope +nor +Nora +NORAD +NORAD's +Nora's +Norbert +Norberto +Norberto's +Norbert's +Nordic +Nordic's +Nordics +nor'easter +Noreen +Noreen's +Norfolk +Norfolk's +Noriega +Noriega's +norm +Norma +normal +normalcy +normalcy's +normality +normality's +normalization +normalization's +normalize +normalized +normalizes +normalizing +normally +normal's +Norman +Normand +Normand's +Normandy +Normandy's +Norman's +Normans +Norma's +normative +norm's +norms +Norplant +Norplant's +Norris +Norris's +Norse +Norseman +Norseman's +Norsemen +Norsemen's +Norse's +North +north +Northampton +Northampton's +northbound +Northeast +northeast +northeaster +northeasterly +northeastern +northeaster's +northeasters +Northeast's +Northeasts +northeast's +northeastward +northeastwards +norther +northerlies +northerly +northerly's +northern +Northerner +northerner +Northerner's +northerner's +northerners +northernmost +norther's +northers +Northrop +Northrop's +Northrup +Northrup's +North's +Norths +north's +northward +northwards +Northwest +northwest +northwester +northwesterly +northwestern +northwester's +northwesters +Northwest's +Northwests +northwest's +northwestward +northwestwards +Norton +Norton's +Norw +Norway +Norway's +Norwegian +Norwegian's +Norwegians +Norwich +Norwich's +No's +Nos +no's +nos +nose +nosebag +nosebags +nosebleed +nosebleed's +nosebleeds +nosecone +nosecone's +nosecones +nosed +nosedive +nosedived +nosedive's +nosedives +nosediving +nosegay +nosegay's +nosegays +nose's +noses +Nosferatu +Nosferatu's +nosh +noshed +nosher +nosher's +noshers +noshes +noshing +nosh's +nosier +nosiest +nosily +nosiness +nosiness's +nosing +nostalgia +nostalgia's +nostalgic +nostalgically +Nostradamus +Nostradamus's +nostril +nostril's +nostrils +nostrum +nostrum's +nostrums +nosy +not +notabilities +notability +notability's +notable +notable's +notables +notably +notarial +notaries +notarization +notarization's +notarize +notarized +notarizes +notarizing +notary +notary's +notate +notated +notates +notating +notation +notation's +notations +notch +notched +notches +notching +notch's +note +notebook +notebook's +notebooks +noted +notelet +notelets +notepad +notepads +notepaper +notepaper's +note's +notes +noteworthiness +noteworthiness's +noteworthy +nothing +nothingness +nothingness's +nothing's +nothings +notice +noticeable +noticeably +noticeboard +noticeboards +noticed +notice's +notices +noticing +notifiable +notification +notification's +notifications +notified +notifier +notifier's +notifiers +notifies +notify +notifying +noting +notion +notional +notionally +notion's +notions +notoriety +notoriety's +notorious +notoriously +Nottingham +Nottingham's +notwithstanding +notwork +notworks +Nouakchott +Nouakchott's +nougat +nougat's +nougats +Noumea +Noumea's +noun +noun's +nouns +nourish +nourished +nourishes +nourishing +nourishment +nourishment's +nous +Nov +Nova +nova +novae +Novartis +Novartis's +Nova's +nova's +novas +novel +novelette +novelette's +novelettes +novelist +novelist's +novelists +novelization +novelization's +novelizations +novelize +novelized +novelizes +novelizing +novella +novella's +novellas +novel's +novels +novelties +novelty +novelty's +November +November's +Novembers +novena +novena's +novenas +novene +Novgorod +Novgorod's +novice +novice's +novices +novitiate +novitiate's +novitiates +Novocain +Novocaine +Novocain's +Novocains +Novokuznetsk +Novokuznetsk's +Novosibirsk +Novosibirsk's +Nov's +NOW +now +nowadays +nowadays's +noway +noways +nowhere +nowhere's +nowise +now's +nowt +noxious +Noxzema +Noxzema's +Noyce +Noyce's +Noyes +Noyes's +nozzle +nozzle's +nozzles +NP +Np +NPR +NPR's +Np's +NR +NRA +NRC +N's +NS +NSA +NSA's +NSC +NSF +NSFW +NT +nth +nu +nuance +nuanced +nuance's +nuances +nub +nubbier +nubbiest +nubbin +nubbin's +nubbins +nubby +Nubia +Nubian +Nubian's +Nubia's +nubile +nub's +nubs +nuclear +nucleate +nucleated +nucleates +nucleating +nucleation +nucleation's +nuclei +nucleic +nucleoli +nucleolus +nucleolus's +nucleon +nucleon's +nucleons +nucleoside +nucleotide +nucleus +nucleus's +nude +nuder +nude's +nudes +nudest +nudge +nudged +nudge's +nudges +nudging +nudism +nudism's +nudist +nudist's +nudists +nudity +nudity's +nugatory +nugget +nugget's +nuggets +nuisance +nuisance's +nuisances +nuke +nuked +nuke's +nukes +nuking +Nukualofa +Nukualofa's +null +nullification +nullification's +nullified +nullifies +nullify +nullifying +nullity +nullity's +nulls +numb +numbed +number +numbered +numbering +numberless +Numbers +number's +numbers +Numbers's +numbest +numbing +numbly +numbness +numbness's +numbs +numerable +numeracy +numeracy's +numeral +numeral's +numerals +numerate +numerated +numerates +numerating +numeration +numeration's +numerations +numerator +numerator's +numerators +numeric +numerical +numerically +numerologist +numerologist's +numerologists +numerology +numerology's +numerous +numerously +numinous +numismatic +numismatics +numismatics's +numismatist +numismatist's +numismatists +numskull +numskull's +numskulls +nun +Nunavut +Nunavut's +nuncio +nuncio's +nuncios +Nunez +Nunez's +Nunki +Nunki's +nunneries +nunnery +nunnery's +nun's +nuns +nuptial +nuptial's +nuptials +Nuremberg +Nuremberg's +Nureyev +Nureyev's +nurse +nursed +nurselings +nursemaid +nursemaid's +nursemaids +nurser +nurseries +nurser's +nursers +nursery +nurseryman +nurseryman's +nurserymen +nursery's +nurse's +nurses +nursing +nursing's +nursling +nursling's +nurslings +nurture +nurtured +nurturer +nurturer's +nurturers +nurture's +nurtures +nurturing +nu's +nus +nut +nutcase +nutcases +nutcracker +nutcracker's +nutcrackers +nuthatch +nuthatches +nuthatch's +nuthouse +nuthouses +nutmeat +nutmeat's +nutmeats +nutmeg +nutmeg's +nutmegs +nutpick +nutpick's +nutpicks +NutraSweet +NutraSweet's +nutria +nutria's +nutrias +nutrient +nutrient's +nutrients +nutriment +nutriment's +nutriments +nutrition +nutritional +nutritionally +nutritionist +nutritionist's +nutritionists +nutrition's +nutritious +nutritiously +nutritiousness +nutritiousness's +nutritive +nut's +nuts +nutshell +nutshell's +nutshells +nutted +nutter +nutters +nuttier +nuttiest +nuttiness +nuttiness's +nutting +nutty +nuzzle +nuzzled +nuzzler +nuzzler's +nuzzlers +nuzzle's +nuzzles +nuzzling +NV +NW +NW's +NWT +NY +Nyasa +Nyasa's +nybble +nybbles +NYC +Nyerere +Nyerere's +nylon +nylon's +nylons +nylons's +nymph +nymphet +nymphet's +nymphets +nympho +nymphomania +nymphomaniac +nymphomaniac's +nymphomaniacs +nymphomania's +nymphos +nymph's +nymphs +NyQuil +NyQuil's +NYSE +NZ +O +o +oaf +oafish +oafishly +oafishness +oafishness's +oaf's +oafs +Oahu +Oahu's +oak +oaken +Oakland +Oakland's +Oakley +Oakley's +oak's +oaks +oakum +oakum's +oar +oared +oaring +oarlock +oarlock's +oarlocks +oar's +oars +oarsman +oarsman's +oarsmen +oarswoman +oarswoman's +oarswomen +OAS +oases +oasis +oasis's +OAS's +oat +oatcake +oatcake's +oatcakes +oaten +Oates +Oates's +oath +oath's +oaths +oatmeal +oatmeal's +oat's +oats +oats's +Oaxaca +Oaxaca's +OB +Ob +ob +Obadiah +Obadiah's +Obama +Obamacare +Obama's +obbligato +obbligato's +obbligatos +obduracy +obduracy's +obdurate +obdurately +obdurateness +obdurateness's +obedience +obedience's +obedient +obediently +obeisance +obeisance's +obeisances +obeisant +obelisk +obelisk's +obelisks +Oberlin +Oberlin's +Oberon +Oberon's +obese +obesity +obesity's +obey +obeyed +obeying +obeys +obfuscate +obfuscated +obfuscates +obfuscating +obfuscation +obfuscation's +obfuscations +obi +obi's +obis +obit +obit's +obits +obituaries +obituary +obituary's +obj +object +objected +objectification +objectified +objectifies +objectify +objectifying +objecting +objection +objectionable +objectionably +objection's +objections +objective +objectively +objectiveness +objectiveness's +objective's +objectives +objectivity +objectivity's +objector +objector's +objectors +object's +objects +objurgate +objurgated +objurgates +objurgating +objurgation +objurgation's +objurgations +oblate +oblation +oblation's +oblations +obligate +obligated +obligates +obligating +obligation +obligation's +obligations +obligatorily +obligatory +oblige +obliged +obliges +obliging +obligingly +oblique +obliquely +obliqueness +obliqueness's +oblique's +obliques +obliquity +obliquity's +obliterate +obliterated +obliterates +obliterating +obliteration +obliteration's +oblivion +oblivion's +oblivious +obliviously +obliviousness +obliviousness's +oblong +oblong's +oblongs +obloquy +obloquy's +obnoxious +obnoxiously +obnoxiousness +obnoxiousness's +oboe +oboe's +oboes +oboist +oboist's +oboists +O'Brien +O'Brien's +Ob's +obs +obscene +obscenely +obscener +obscenest +obscenities +obscenity +obscenity's +obscurantism +obscurantism's +obscurantist +obscurantist's +obscurantists +obscure +obscured +obscurely +obscurer +obscures +obscurest +obscuring +obscurities +obscurity +obscurity's +obsequies +obsequious +obsequiously +obsequiousness +obsequiousness's +obsequy +obsequy's +observable +observably +observance +observance's +observances +observant +observantly +observation +observational +observation's +observations +observatories +observatory +observatory's +observe +observed +observer +observer's +observers +observes +observing +obsess +obsessed +obsesses +obsessing +obsession +obsessional +obsessionally +obsession's +obsessions +obsessive +obsessively +obsessiveness +obsessiveness's +obsessive's +obsessives +obsidian +obsidian's +obsolesce +obsolesced +obsolescence +obsolescence's +obsolescent +obsolesces +obsolescing +obsolete +obsoleted +obsoletes +obsoleting +obstacle +obstacle's +obstacles +obstetric +obstetrical +obstetrician +obstetrician's +obstetricians +obstetrics +obstetrics's +obstinacy +obstinacy's +obstinate +obstinately +obstreperous +obstreperously +obstreperousness +obstreperousness's +obstruct +obstructed +obstructing +obstruction +obstructionism +obstructionism's +obstructionist +obstructionist's +obstructionists +obstruction's +obstructions +obstructive +obstructively +obstructiveness +obstructiveness's +obstructs +obtain +obtainable +obtained +obtaining +obtainment +obtainment's +obtains +obtrude +obtruded +obtrudes +obtruding +obtrusion +obtrusion's +obtrusive +obtrusively +obtrusiveness +obtrusiveness's +obtuse +obtusely +obtuseness +obtuseness's +obtuser +obtusest +obverse +obverse's +obverses +obviate +obviated +obviates +obviating +obviation +obviation's +obvious +obviously +obviousness +obviousness's +ocarina +ocarina's +ocarinas +O'Casey +O'Casey's +Occam +Occam's +occasion +occasional +occasionally +occasioned +occasioning +occasion's +occasions +Occident +Occidental +occidental +Occidental's +Occidentals +occidental's +occidentals +occlude +occluded +occludes +occluding +occlusion +occlusion's +occlusions +occlusive +occult +occultism +occultism's +occultist +occultist's +occultists +occult's +occupancy +occupancy's +occupant +occupant's +occupants +occupation +occupational +occupationally +occupation's +occupations +occupied +occupier +occupier's +occupiers +occupies +occupy +occupying +occur +occurred +occurrence +occurrence's +occurrences +occurring +occurs +ocean +oceanfront +oceanfront's +oceanfronts +oceangoing +Oceania +Oceania's +oceanic +oceanic's +oceanographer +oceanographer's +oceanographers +oceanographic +oceanography +oceanography's +oceanology +oceanology's +ocean's +oceans +Oceanside +Oceanus +Oceanus's +ocelot +ocelot's +ocelots +och +ocher +ocher's +Ochoa +Ochoa's +ocker +ockers +o'clock +O'Connell +O'Connell's +O'Connor +O'Connor's +OCR +Oct +octagon +octagonal +octagon's +octagons +octal +octane +octane's +octanes +octave +octave's +octaves +Octavia +Octavian +Octavian's +Octavia's +Octavio +Octavio's +octavo +octavo's +octavos +octet +octet's +octets +October +October's +Octobers +octogenarian +octogenarian's +octogenarians +octopus +octopuses +octopus's +Oct's +ocular +ocular's +oculars +oculist +oculist's +oculists +oculomotor +OD +odalisque +odalisque's +odalisques +odd +oddball +oddball's +oddballs +odder +oddest +oddities +oddity +oddity's +oddly +oddment +oddment's +oddments +oddness +oddness's +odds +odds's +ode +Odell +Odell's +Oder +Oder's +ode's +odes +Odessa +Odessa's +Odets +Odets's +Odin +Odin's +odious +odiously +odiousness +odiousness's +Odis +Odis's +odium +odium's +Odom +odometer +odometer's +odometers +Odom's +O'Donnell +O'Donnell's +odor +odored +odoriferous +odorless +odorous +odor's +odors +OD's +ODs +Odysseus +Odysseus's +Odyssey +odyssey +Odyssey's +odyssey's +odysseys +OE +OED +Oedipal +oedipal +Oedipal's +Oedipus +Oedipus's +oenology +oenology's +oenophile +oenophile's +oenophiles +o'er +Oersted +Oersted's +oeuvre +oeuvre's +oeuvres +of +Ofelia +Ofelia's +off +offal +offal's +offbeat +offbeat's +offbeats +offed +Offenbach +Offenbach's +offend +offended +offender +offender's +offenders +offending +offends +offense +offense's +offenses +offensive +offensively +offensiveness +offensiveness's +offensive's +offensives +offer +offered +offering +offering's +offerings +offer's +offers +offertories +offertory +offertory's +offhand +offhanded +offhandedly +offhandedness +offhandedness's +office +officeholder +officeholder's +officeholders +OfficeMax +OfficeMax's +officer +officer's +officers +office's +offices +official +officialdom +officialdom's +officialese +officialism +officialism's +officially +official's +officials +officiant +officiant's +officiants +officiate +officiated +officiates +officiating +officiator +officiator's +officiators +officious +officiously +officiousness +officiousness's +offing +offing's +offings +offish +offline +offload +offloaded +offloading +offloads +offprint +offprint's +offprints +offs +offset +offset's +offsets +offsetting +offshoot +offshoot's +offshoots +offshore +offshoring +offside +offsite +offspring +offspring's +offstage +offstages +offtrack +oft +often +oftener +oftenest +oftentimes +ofttimes +Ogbomosho +Ogbomosho's +Ogden +Ogden's +Ogilvy +Ogilvy's +ogle +ogled +ogler +ogler's +oglers +ogle's +ogles +Oglethorpe +Oglethorpe's +ogling +ogre +ogreish +ogre's +ogres +ogress +ogresses +ogress's +OH +oh +O'Hara +O'Hara's +O'Higgins +O'Higgins's +Ohio +Ohioan +Ohioan's +Ohioans +Ohio's +ohm +ohmmeter +ohmmeter's +ohmmeters +ohm's +ohms +oho +oh's +ohs +OHSA +OHSA's +oi +oik +oiks +oil +oilcan +oilcans +oilcloth +oilcloth's +oilcloths +oiled +oilfield +oilfields +oilier +oiliest +oiliness +oiliness's +oiling +oilman +oilmen +oil's +oils +oilskin +oilskin's +oilskins +oilskins's +oily +oink +oinked +oinking +oink's +oinks +ointment +ointment's +ointments +Oise +Oise's +OJ +Ojibwa +Ojibwa's +Ojibwas +OK +okapi +okapi's +okapis +okay +Okayama +okaying +okay's +okays +OKed +Okeechobee +Okeechobee's +O'Keeffe +O'Keeffe's +Okefenokee +Okefenokee's +Okhotsk +Okhotsk's +Okinawa +Okinawan +Okinawa's +OKing +Okla +Oklahoma +Oklahoman +Oklahoman's +Oklahoma's +okra +okra's +okras +OK's +OKs +Oktoberfest +Oktoberfest's +olé +Ola +Olaf +Olaf's +Olajuwon +Olajuwon's +Ola's +Olav +Olav's +old +olden +Oldenburg +Oldenburg's +older +oldest +Oldfield +Oldfield's +oldie +oldie's +oldies +oldish +oldness +oldness's +old's +Oldsmobile +Oldsmobile's +oldster +oldster's +oldsters +Olduvai +Olduvai's +ole +oleaginous +oleander +oleander's +oleanders +Olen +Olenek +Olenek's +Olen's +oleo +oleomargarine +oleomargarine's +oleo's +ole's +oles +olfactories +olfactory +olfactory's +Olga +Olga's +oligarch +oligarchic +oligarchical +oligarchies +oligarch's +oligarchs +oligarchy +oligarchy's +Oligocene +Oligocene's +oligonucleotide +oligonucleotides +oligopolies +oligopoly +oligopoly's +Olin +Olin's +Olive +olive +Oliver +Oliver's +Olive's +olive's +olives +Olivetti +Olivetti's +Olivia +Olivia's +Olivier +Olivier's +Ollie +Ollie's +Olmec +Olmec's +Olmsted +Olmsted's +olé's +Olsen +Olsen's +Olson +Olson's +Olympia +Olympiad +Olympiad's +Olympiads +Olympian +Olympian's +Olympians +Olympia's +Olympias +Olympic +Olympic's +Olympics +Olympics's +Olympus +Olympus's +om +Omaha +Omaha's +Omahas +Oman +Omani +Omani's +Omanis +Oman's +Omar +Omar's +Omayyad +Omayyad's +OMB +OMB's +ombudsman +ombudsman's +ombudsmen +Omdurman +Omdurman's +omega +omega's +omegas +omelet +omelet's +omelets +omen +omen's +omens +omicron +omicron's +omicrons +ominous +ominously +ominousness +ominousness's +omission +omission's +omissions +omit +omits +omitted +omitting +omnibus +omnibuses +omnibus's +omnipotence +omnipotence's +Omnipotent +omnipotent +omnipresence +omnipresence's +omnipresent +omniscience +omniscience's +omniscient +omnivore +omnivore's +omnivores +omnivorous +omnivorously +omnivorousness +omnivorousness's +om's +oms +Omsk +Omsk's +ON +on +Onassis +Onassis's +onboard +once +once's +oncogene +oncogene's +oncogenes +oncologist +oncologist's +oncologists +oncology +oncology's +oncoming +one +Oneal +Oneal's +Onega +Onega's +Onegin +Onegin's +Oneida +Oneida's +Oneidas +O'Neil +O'Neill +O'Neill's +O'Neil's +oneness +oneness's +onerous +onerously +onerousness +onerousness's +one's +ones +oneself +onetime +ongoing +Onion +onion +Onion's +onion's +onions +onionskin +onionskin's +online +onlooker +onlooker's +onlookers +onlooking +only +Ono +onomatopoeia +onomatopoeia's +onomatopoeic +onomatopoetic +Onondaga +Onondaga's +Onondagas +Ono's +onrush +onrushes +onrushing +onrush's +Onsager +Onsager's +onscreen +onset +onset's +onsets +onshore +onside +onsite +onslaught +onslaught's +onslaughts +onstage +Ont +Ontarian +Ontario +Ontario's +onto +ontogeny +ontogeny's +ontological +ontology +ontology's +onus +onuses +onus's +onward +onyx +onyxes +onyx's +oodles +oodles's +ooh +oohed +oohing +oohs +oomph +oops +Oort +Oort's +ooze +oozed +ooze's +oozes +oozier +ooziest +oozing +oozy +op +opacity +opacity's +Opal +opal +opalescence +opalescence's +opalescent +Opal's +opal's +opals +opaque +opaqued +opaquely +opaqueness +opaqueness's +opaquer +opaques +opaquest +opaquing +opcode +opcodes +ope +OPEC +OPEC's +oped +Opel +Opel's +open +opencast +opened +opener +opener's +openers +openest +openhanded +openhandedness +openhandedness's +openhearted +opening +opening's +openings +openly +openness +openness's +OpenOffice +OpenOffice's +open's +opens +openwork +openwork's +opera +operable +operand +operands +opera's +operas +operate +operated +operates +operatic +operatically +operating +operation +operational +operationally +operation's +operations +operative +operative's +operatives +operator +operator's +operators +operetta +operetta's +operettas +opes +Ophelia +Ophelia's +Ophiuchus +Ophiuchus's +ophthalmic +ophthalmologist +ophthalmologist's +ophthalmologists +ophthalmology +ophthalmology's +opiate +opiate's +opiates +opine +opined +opines +oping +opining +opinion +opinionated +opinion's +opinions +opium +opium's +opossum +opossum's +opossums +opp +Oppenheimer +Oppenheimer's +opponent +opponent's +opponents +opportune +opportunely +opportunism +opportunism's +opportunist +opportunistic +opportunistically +opportunist's +opportunists +opportunities +opportunity +opportunity's +oppose +opposed +opposes +opposing +opposite +oppositely +opposite's +opposites +Opposition +opposition +opposition's +oppositions +oppress +oppressed +oppresses +oppressing +oppression +oppression's +oppressive +oppressively +oppressiveness +oppressiveness's +oppressor +oppressor's +oppressors +opprobrious +opprobriously +opprobrium +opprobrium's +Oprah +Oprah's +op's +ops +opt +opted +optic +optical +optically +optician +optician's +opticians +optic's +optics +optics's +optima +optimal +optimally +optimism +optimism's +optimisms +optimist +optimistic +optimistically +optimist's +optimists +optimization +optimization's +optimizations +optimize +optimized +optimizer +optimizes +optimizing +optimum +optimum's +optimums +opting +option +optional +optionally +optioned +optioning +option's +options +optometrist +optometrist's +optometrists +optometry +optometry's +opts +opulence +opulence's +opulent +opulently +opus +opuses +opus's +OR +or +Ora +Oracle +oracle +Oracle's +oracle's +oracles +oracular +oral +orally +oral's +orals +Oran +Orange +orange +orangeade +orangeade's +orangeades +orangeness +orangeries +orangery +orangery's +Orange's +orange's +oranges +orangutan +orangutan's +orangutans +Oranjestad +Oranjestad's +Oran's +Ora's +orate +orated +orates +orating +oration +oration's +orations +orator +oratorical +oratorically +oratories +oratorio +oratorio's +oratorios +orator's +orators +oratory +oratory's +orb +orbicular +Orbison +Orbison's +orbit +orbital +orbital's +orbitals +orbited +orbiter +orbiter's +orbiters +orbiting +orbit's +orbits +orb's +orbs +orc +orchard +orchard's +orchards +orchestra +orchestral +orchestra's +orchestras +orchestrate +orchestrated +orchestrates +orchestrating +orchestration +orchestration's +orchestrations +orchid +orchid's +orchids +orc's +orcs +ordain +ordained +ordaining +ordainment +ordainment's +ordains +ordeal +ordeal's +ordeals +order +ordered +ordering +orderings +orderlies +orderliness +orderliness's +orderly +orderly's +order's +orders +ordinal +ordinal's +ordinals +ordinance +ordinance's +ordinances +ordinaries +ordinarily +ordinariness +ordinariness's +ordinary +ordinary's +ordinate +ordinate's +ordinates +ordination +ordination's +ordinations +ordnance +ordnance's +Ordovician +Ordovician's +ordure +ordure's +Ore +ore +Oreg +oregano +oregano's +Oregon +Oregonian +Oregonian's +Oregonians +Oregon's +Oreo +Oreo's +ore's +ores +Orestes +Orestes's +org +organ +organdy +organdy's +organelle +organelle's +organelles +organic +organically +organic's +organics +organism +organismic +organism's +organisms +organist +organist's +organists +organization +organizational +organizationally +organization's +organizations +organize +organized +organizer +organizer's +organizers +organizes +organizing +organ's +organs +organza +organza's +orgasm +orgasmic +orgasm's +orgasms +orgiastic +orgies +orgy +orgy's +oriel +oriel's +oriels +Orient +orient +Oriental +oriental +Orientalism +orientalist +orientalists +Oriental's +Orientals +oriental's +orientals +orientate +orientated +orientates +orientating +orientation +orientation's +orientations +oriented +orienteering +orienting +Orient's +orient's +orients +orifice +orifice's +orifices +orig +origami +origami's +origin +original +originality +originality's +originally +original's +originals +originate +originated +originates +originating +origination +origination's +originator +originator's +originators +origin's +origins +Orin +Orinoco +Orinoco's +Orin's +oriole +oriole's +orioles +Orion +Orion's +orison +orison's +orisons +Oriya +Oriya's +Orizaba +Orizaba's +Orkney +Orkney's +Orlando +Orlando's +Orleans +Orleans's +Orlon +Orlon's +Orlons +Orly +Orly's +ormolu +ormolu's +ornament +ornamental +ornamentation +ornamentation's +ornamented +ornamenting +ornament's +ornaments +ornate +ornately +ornateness +ornateness's +ornerier +orneriest +orneriness +orneriness's +ornery +ornithological +ornithologist +ornithologist's +ornithologists +ornithology +ornithology's +orotund +orotundities +orotundity +orotundity's +O'Rourke +O'Rourke's +orphan +orphanage +orphanage's +orphanages +orphaned +orphaning +orphan's +orphans +Orpheus +Orpheus's +Orphic +Orphic's +Orr +orris +orrises +orris's +Orr's +Ortega +Ortega's +orthodontia +orthodontia's +orthodontic +orthodontics +orthodontics's +orthodontist +orthodontist's +orthodontists +Orthodox +orthodox +orthodoxies +orthodoxy +orthodoxy's +orthogonal +orthogonality +orthographic +orthographically +orthographies +orthography +orthography's +orthopedic +orthopedics +orthopedics's +orthopedist +orthopedist's +orthopedists +Ortiz +Ortiz's +Orval +Orval's +Orville +Orville's +Orwell +Orwellian +Orwellian's +Orwell's +orzo +orzo's +O's +OS +Os +Osage +Osage's +Osages +Osaka +Osaka's +Osbert +Osbert's +Osborn +Osborne +Osborne's +Osborn's +Oscar +Oscar's +Oscars +Osceola +Osceola's +oscillate +oscillated +oscillates +oscillating +oscillation +oscillation's +oscillations +oscillator +oscillator's +oscillators +oscillatory +oscilloscope +oscilloscope's +oscilloscopes +osculate +osculated +osculates +osculating +osculation +osculation's +osculations +OSes +Osgood +Osgood's +OSHA +OSHA's +Oshawa +Oshawa's +Oshkosh +Oshkosh's +osier +osier's +osiers +Osiris +Osiris's +Oslo +Oslo's +Osman +Osman's +osmium +osmium's +osmosis +osmosis's +osmotic +osprey +osprey's +ospreys +OS's +Os's +ossification +ossification's +ossified +ossifies +ossify +ossifying +ostensible +ostensibly +ostentation +ostentation's +ostentatious +ostentatiously +osteoarthritis +osteoarthritis's +osteopath +osteopathic +osteopath's +osteopaths +osteopathy +osteopathy's +osteoporosis +osteoporosis's +ostler +ostlers +ostracism +ostracism's +ostracize +ostracized +ostracizes +ostracizing +ostrich +ostriches +ostrich's +Ostrogoth +Ostrogoth's +Ostwald +Ostwald's +Osvaldo +Osvaldo's +Oswald +Oswald's +OT +OTB +OTC +Othello +Othello's +other +otherness +other's +others +otherwise +otherworldly +otiose +Otis +Otis's +OTOH +O'Toole +O'Toole's +Ottawa +Ottawa's +Ottawas +otter +otter's +otters +Otto +Ottoman +ottoman +Ottoman's +ottoman's +ottomans +Otto's +Ouagadougou +Ouagadougou's +oubliette +oubliette's +oubliettes +ouch +ought +oughtn't +Ouija +Ouija's +Ouijas +ounce +ounce's +ounces +our +ours +ourselves +oust +ousted +ouster +ouster's +ousters +ousting +ousts +out +outage +outage's +outages +outargue +outargued +outargues +outarguing +outback +outback's +outbacks +outbalance +outbalanced +outbalances +outbalancing +outbid +outbidding +outbids +outboard +outboard's +outboards +outboast +outboasted +outboasting +outboasts +outbound +outbox +outboxes +outbox's +outbreak +outbreak's +outbreaks +outbuilding +outbuilding's +outbuildings +outburst +outburst's +outbursts +outcast +outcast's +outcasts +outclass +outclassed +outclasses +outclassing +outcome +outcome's +outcomes +outcries +outcrop +outcropped +outcropping +outcropping's +outcroppings +outcrop's +outcrops +outcry +outcry's +outdated +outdid +outdistance +outdistanced +outdistances +outdistancing +outdo +outdoes +outdoing +outdone +outdoor +outdoors +outdoors's +outdoorsy +outdraw +outdrawing +outdrawn +outdraws +outdrew +outed +outer +outermost +outerwear +outerwear's +outface +outfaced +outfaces +outfacing +outfall +outfalls +outfield +outfielder +outfielder's +outfielders +outfield's +outfields +outfight +outfighting +outfights +outfit +outfit's +outfits +outfitted +outfitter +outfitter's +outfitters +outfitting +outflank +outflanked +outflanking +outflanks +outflow +outflow's +outflows +outfought +outfox +outfoxed +outfoxes +outfoxing +outgo +outgoes +outgoing +outgoings +outgo's +outgrew +outgrow +outgrowing +outgrown +outgrows +outgrowth +outgrowth's +outgrowths +outguess +outguessed +outguesses +outguessing +outgun +outgunned +outgunning +outguns +outhit +outhits +outhitting +outhouse +outhouse's +outhouses +outing +outing's +outings +outlaid +outlandish +outlandishly +outlandishness +outlandishness's +outlast +outlasted +outlasting +outlasts +outlaw +outlawed +outlawing +outlaw's +outlaws +outlay +outlaying +outlay's +outlays +outlet +outlet's +outlets +outlier +outliers +outline +outlined +outline's +outlines +outlining +outlive +outlived +outlives +outliving +outlook +outlook's +outlooks +outlying +outmaneuver +outmaneuvered +outmaneuvering +outmaneuvers +outmatch +outmatched +outmatches +outmatching +outmoded +outnumber +outnumbered +outnumbering +outnumbers +outpace +outpaced +outpaces +outpacing +outpatient +outpatient's +outpatients +outperform +outperformed +outperforming +outperforms +outplace +outplacement +outplacement's +outplay +outplayed +outplaying +outplays +outpoint +outpointed +outpointing +outpoints +outpost +outpost's +outposts +outpouring +outpouring's +outpourings +outproduce +outproduced +outproduces +outproducing +output +output's +outputs +outputted +outputting +outré +outrace +outraced +outraces +outracing +outrage +outraged +outrageous +outrageously +outrage's +outrages +outraging +outran +outrank +outranked +outranking +outranks +outre +outreach +outreached +outreaches +outreaching +outreach's +outrider +outrider's +outriders +outrigger +outrigger's +outriggers +outright +outrun +outrunning +outruns +out's +outs +outscore +outscored +outscores +outscoring +outsell +outselling +outsells +outset +outset's +outsets +outshine +outshines +outshining +outshone +outshout +outshouted +outshouting +outshouts +outside +outsider +outsider's +outsiders +outside's +outsides +outsize +outsize's +outsizes +outskirt +outskirt's +outskirts +outsmart +outsmarted +outsmarting +outsmarts +outsold +outsource +outsourced +outsources +outsourcing +outsourcing's +outspend +outspending +outspends +outspent +outspoken +outspokenly +outspokenness +outspokenness's +outspread +outspreading +outspreads +outstanding +outstandingly +outstation +outstation's +outstations +outstay +outstayed +outstaying +outstays +outstretch +outstretched +outstretches +outstretching +outstrip +outstripped +outstripping +outstrips +outta +outtake +outtake's +outtakes +outvote +outvoted +outvotes +outvoting +outward +outwardly +outwards +outwear +outwearing +outwears +outweigh +outweighed +outweighing +outweighs +outwit +outwith +outwits +outwitted +outwitting +outwore +outwork +outworked +outworker +outworkers +outworking +outwork's +outworks +outworn +ouzo +ouzo's +ouzos +ova +oval +oval's +ovals +ovarian +ovaries +ovary +ovary's +ovate +ovation +ovation's +ovations +oven +ovenbird +ovenbird's +ovenbirds +ovenproof +oven's +ovens +ovenware +over +overabundance +overabundance's +overabundant +overachieve +overachieved +overachiever +overachiever's +overachievers +overachieves +overachieving +overact +overacted +overacting +overactive +overacts +overage +overage's +overages +overaggressive +overall +overall's +overalls +overalls's +overambitious +overanxious +overarching +overarm +overarmed +overarming +overarms +overate +overattentive +overawe +overawed +overawes +overawing +overbalance +overbalanced +overbalance's +overbalances +overbalancing +overbear +overbearing +overbearingly +overbears +overbid +overbidding +overbid's +overbids +overbite +overbite's +overbites +overblown +overboard +overbold +overbook +overbooked +overbooking +overbooks +overbore +overborne +overbought +overbuild +overbuilding +overbuilds +overbuilt +overburden +overburdened +overburdening +overburdens +overbuy +overbuying +overbuys +overcame +overcapacity +overcapacity's +overcapitalize +overcapitalized +overcapitalizes +overcapitalizing +overcareful +overcast +overcasting +overcast's +overcasts +overcautious +overcharge +overcharged +overcharge's +overcharges +overcharging +overclock +overclocked +overclocking +overcloud +overclouded +overclouding +overclouds +overcoat +overcoat's +overcoats +overcome +overcomes +overcoming +overcompensate +overcompensated +overcompensates +overcompensating +overcompensation +overcompensation's +overconfidence +overconfidence's +overconfident +overconscientious +overcook +overcooked +overcooking +overcooks +overcritical +overcrowd +overcrowded +overcrowding +overcrowding's +overcrowds +overdecorate +overdecorated +overdecorates +overdecorating +overdependent +overdevelop +overdeveloped +overdeveloping +overdevelops +overdid +overdo +overdoes +overdoing +overdone +overdose +overdosed +overdose's +overdoses +overdosing +overdraft +overdraft's +overdrafts +overdraw +overdrawing +overdrawn +overdraws +overdress +overdressed +overdresses +overdressing +overdress's +overdrew +overdrive +overdrive's +overdrives +overdub +overdubbed +overdubbing +overdub's +overdubs +overdue +overeager +overeat +overeaten +overeating +overeats +overemotional +overemphasis +overemphasis's +overemphasize +overemphasized +overemphasizes +overemphasizing +overenthusiastic +overestimate +overestimated +overestimate's +overestimates +overestimating +overestimation +overestimation's +overexcite +overexcited +overexcites +overexciting +overexercise +overexercised +overexercises +overexercising +overexert +overexerted +overexerting +overexertion +overexertion's +overexerts +overexpose +overexposed +overexposes +overexposing +overexposure +overexposure's +overextend +overextended +overextending +overextends +overfed +overfeed +overfeeding +overfeeds +overfill +overfilled +overfilling +overfills +overflew +overflies +overflight +overflight's +overflights +overflow +overflowed +overflowing +overflown +overflow's +overflows +overfly +overflying +overfond +overfull +overgeneralize +overgeneralized +overgeneralizes +overgeneralizing +overgenerous +overgraze +overgrazed +overgrazes +overgrazing +overgrew +overground +overgrow +overgrowing +overgrown +overgrows +overgrowth +overgrowth's +overhand +overhanded +overhand's +overhands +overhang +overhanging +overhang's +overhangs +overhasty +overhaul +overhauled +overhauling +overhaul's +overhauls +overhead +overhead's +overheads +overhear +overheard +overhearing +overhears +overheat +overheated +overheating +overheats +overhung +overindulge +overindulged +overindulgence +overindulgence's +overindulgent +overindulges +overindulging +overinflated +overjoy +overjoyed +overjoying +overjoys +overkill +overkill's +overladen +overlaid +overlain +overland +overlap +overlapped +overlapping +overlap's +overlaps +overlarge +overlay +overlaying +overlay's +overlays +overleaf +overlie +overlies +overload +overloaded +overloading +overload's +overloads +overlong +overlook +overlooked +overlooking +overlook's +overlooks +overlord +overlord's +overlords +overly +overlying +overmanned +overmanning +overmaster +overmastered +overmastering +overmasters +overmodest +overmuch +overmuches +overnice +overnight +overnight's +overnights +overoptimism +overoptimism's +overoptimistic +overpaid +overparticular +overpass +overpasses +overpass's +overpay +overpaying +overpays +overplay +overplayed +overplaying +overplays +overpopulate +overpopulated +overpopulates +overpopulating +overpopulation +overpopulation's +overpower +overpowered +overpowering +overpoweringly +overpowers +overpraise +overpraised +overpraises +overpraising +overprecise +overprice +overpriced +overprices +overpricing +overprint +overprinted +overprinting +overprint's +overprints +overproduce +overproduced +overproduces +overproducing +overproduction +overproduction's +overprotect +overprotected +overprotecting +overprotective +overprotects +overqualified +overran +overrate +overrated +overrates +overrating +overreach +overreached +overreaches +overreaching +overreact +overreacted +overreacting +overreaction +overreaction's +overreactions +overreacts +overrefined +overridden +override +override's +overrides +overriding +overripe +overripe's +overrode +overrule +overruled +overrules +overruling +overrun +overrunning +overrun's +overruns +over's +overs +oversampling +oversaw +oversea +overseas +oversee +overseeing +overseen +overseer +overseer's +overseers +oversees +oversell +overselling +oversells +oversensitive +oversensitiveness +oversensitiveness's +oversexed +overshadow +overshadowed +overshadowing +overshadows +overshare +overshared +overshares +oversharing +overshoe +overshoe's +overshoes +overshoot +overshooting +overshoots +overshot +oversight +oversight's +oversights +oversimple +oversimplification +oversimplification's +oversimplifications +oversimplified +oversimplifies +oversimplify +oversimplifying +oversize +oversleep +oversleeping +oversleeps +overslept +oversold +overspecialization +overspecialization's +overspecialize +overspecialized +overspecializes +overspecializing +overspend +overspending +overspends +overspent +overspread +overspreading +overspreads +overstaffed +overstate +overstated +overstatement +overstatement's +overstatements +overstates +overstating +overstay +overstayed +overstaying +overstays +overstep +overstepped +overstepping +oversteps +overstimulate +overstimulated +overstimulates +overstimulating +overstock +overstocked +overstocking +overstocks +overstretch +overstretched +overstretches +overstretching +overstrict +overstrung +overstuffed +oversubscribe +oversubscribed +oversubscribes +oversubscribing +oversubtle +oversupplied +oversupplies +oversupply +oversupplying +oversuspicious +overt +overtake +overtaken +overtakes +overtaking +overtax +overtaxed +overtaxes +overtaxing +overthink +overthinking +overthinks +overthought +overthrew +overthrow +overthrowing +overthrown +overthrow's +overthrows +overtime +overtime's +overtimes +overtire +overtired +overtires +overtiring +overtly +overtone +overtone's +overtones +overtook +overture +overture's +overtures +overturn +overturned +overturning +overturns +overuse +overused +overuse's +overuses +overusing +overvaluation +overvaluations +overvalue +overvalued +overvalues +overvaluing +overview +overview's +overviews +overweening +overweeningly +overweight +overweight's +overwhelm +overwhelmed +overwhelming +overwhelmingly +overwhelms +overwinter +overwintered +overwintering +overwinters +overwork +overworked +overworking +overwork's +overworks +overwrite +overwrites +overwriting +overwritten +overwrote +overwrought +overzealous +Ovid +Ovid's +oviduct +oviduct's +oviducts +oviparous +ovoid +ovoid's +ovoids +ovular +ovulate +ovulated +ovulates +ovulating +ovulation +ovulation's +ovule +ovule's +ovules +ovum +ovum's +ow +owe +owed +Owen +Owen's +Owens +Owens's +owes +owing +owl +owlet +owlet's +owlets +owlish +owlishly +owl's +owls +own +owned +owner +owner's +owners +ownership +ownership's +owning +owns +ox +oxblood +oxblood's +oxbow +oxbow's +oxbows +oxcart +oxcart's +oxcarts +oxen +Oxford +oxford +Oxford's +Oxfords +oxford's +oxfords +oxidant +oxidant's +oxidants +oxidase +oxidation +oxidation's +oxidative +oxide +oxide's +oxides +oxidization +oxidization's +oxidize +oxidized +oxidizer +oxidizer's +oxidizers +oxidizes +oxidizing +Oxnard +Oxnard's +Oxonian +Oxonian's +ox's +oxtail +oxtails +Oxus +Oxus's +oxyacetylene +oxyacetylene's +Oxycontin +Oxycontin's +oxygen +oxygenate +oxygenated +oxygenates +oxygenating +oxygenation +oxygenation's +oxygen's +oxymora +oxymoron +oxymoron's +oyster +oyster's +oysters +Oz +oz +Ozark +Ozark's +Ozarks +Ozarks's +ozone +ozone's +Oz's +Ozymandias +Ozymandias's +Ozzie +Ozzie's +P +p +PA +Pa +pa +Paar +Paar's +Pablo +Pablo's +Pablum +pablum +Pablum's +pablum's +Pabst +Pabst's +pabulum +pabulum's +PAC +Pace +pace +paced +pacemaker +pacemaker's +pacemakers +pacer +pacer's +pacers +Pace's +pace's +paces +pacesetter +pacesetter's +pacesetters +pacey +Pacheco +Pacheco's +pachyderm +pachyderm's +pachyderms +pachysandra +pachysandra's +pachysandras +pacier +paciest +Pacific +pacific +pacifically +pacification +pacification's +Pacific's +pacified +pacifier +pacifier's +pacifiers +pacifies +pacifism +pacifism's +pacifist +pacifistic +pacifist's +pacifists +pacify +pacifying +pacing +Pacino +Pacino's +pack +package +packaged +packager +packager's +packagers +package's +packages +packaging +packaging's +Packard +Packard's +packed +packer +packer's +packers +packet +packet's +packets +packing +packinghouse +packinghouse's +packinghouses +packing's +pack's +packs +packsaddle +packsaddle's +packsaddles +PAC's +pact +pact's +pacts +pacy +pad +Padang +padded +paddies +padding +padding's +paddle +paddled +paddler +paddler's +paddlers +paddle's +paddles +paddling +paddock +paddocked +paddocking +paddock's +paddocks +paddy +paddy's +Paderewski +Paderewski's +Padilla +Padilla's +padlock +padlocked +padlocking +padlock's +padlocks +padre +padre's +padres +pad's +pads +paean +paean's +paeans +paella +paella's +paellas +pagan +Paganini +Paganini's +paganism +paganism's +pagan's +pagans +Page +page +pageant +pageantry +pageantry's +pageant's +pageants +pageboy +pageboy's +pageboys +paged +pager +pager's +pagers +Page's +page's +pages +paginate +paginated +paginates +paginating +pagination +pagination's +paging +Paglia +Paglia's +pagoda +pagoda's +pagodas +pah +Pahlavi +Pahlavi's +paid +Paige +Paige's +pail +pailful +pailful's +pailfuls +pail's +pails +pain +Paine +pained +Paine's +painful +painfuller +painfullest +painfully +painfulness +painfulness's +paining +painkiller +painkiller's +painkillers +painkilling +painless +painlessly +painlessness +painlessness's +pain's +pains +painstaking +painstakingly +painstaking's +paint +paintball +paintbox +paintboxes +paintbox's +paintbrush +paintbrushes +paintbrush's +painted +painter +painterly +painter's +painters +painting +painting's +paintings +paint's +paints +paintwork +pair +paired +pairing +pairings +pair's +pairs +pairwise +paisley +paisley's +paisleys +Paiute +Paiute's +Paiutes +pajama +pajamas +pajamas's +Pakistan +Pakistani +Pakistani's +Pakistanis +Pakistan's +pal +palace +palace's +palaces +paladin +paladin's +paladins +palanquin +palanquin's +palanquins +palatable +palatal +palatalization +palatalization's +palatalize +palatalized +palatalizes +palatalizing +palatal's +palatals +palate +palate's +palates +palatial +palatially +palatinate +palatinate's +palatinates +palatine +palatine's +palatines +palaver +palavered +palavering +palaver's +palavers +palazzi +palazzo +pale +paled +paleface +paleface's +palefaces +palely +Palembang +Palembang's +paleness +paleness's +Paleocene +Paleocene's +Paleogene +Paleogene's +paleographer +paleographer's +paleographers +paleography +paleography's +Paleolithic +paleolithic +Paleolithic's +paleontologist +paleontologist's +paleontologists +paleontology +paleontology's +Paleozoic +Paleozoic's +paler +Palermo +Palermo's +pale's +pales +palest +Palestine +Palestine's +Palestinian +Palestinian's +Palestinians +Palestrina +Palestrina's +palette +palette's +palettes +Paley +Paley's +palfrey +palfrey's +palfreys +Palikir +Palikir's +palimony +palimony's +palimpsest +palimpsest's +palimpsests +palindrome +palindrome's +palindromes +palindromic +paling +paling's +palings +palisade +Palisades +palisade's +palisades +Palisades's +palish +pall +Palladio +Palladio's +palladium +palladium's +pallbearer +pallbearer's +pallbearers +palled +pallet +pallet's +pallets +palliate +palliated +palliates +palliating +palliation +palliation's +palliative +palliative's +palliatives +pallid +pallidly +pallidness +pallidness's +palling +pallor +pallor's +pall's +palls +pally +palm +palmate +palmed +Palmer +Palmer's +Palmerston +Palmerston's +palmetto +palmetto's +palmettos +palmier +palmiest +palming +palmist +palmistry +palmistry's +palmist's +palmists +Palmolive +Palmolive's +palm's +palms +palmtop +palmtop's +palmtops +palmy +Palmyra +Palmyra's +Palomar +Palomar's +palomino +palomino's +palominos +palpable +palpably +palpate +palpated +palpates +palpating +palpation +palpation's +palpitate +palpitated +palpitates +palpitating +palpitation +palpitation's +palpitations +pal's +pals +palsied +palsies +palsy +palsying +palsy's +paltrier +paltriest +paltriness +paltriness's +paltry +Pam +Pamela +Pamela's +Pamirs +Pamirs's +pampas +pampas's +pamper +pampered +pampering +Pampers +pampers +Pampers's +pamphlet +pamphleteer +pamphleteer's +pamphleteers +pamphlet's +pamphlets +Pam's +Pan +pan +panacea +panacea's +panaceas +panache +panache's +Panama +panama +Panamanian +Panamanian's +Panamanians +Panama's +Panamas +panama's +panamas +Panasonic +Panasonic's +panatella +panatellas +pancake +pancaked +pancake's +pancakes +pancaking +panchromatic +pancreas +pancreases +pancreas's +pancreatic +pancreatitis +panda +panda's +pandas +pandemic +pandemic's +pandemics +pandemonium +pandemonium's +pander +pandered +panderer +panderer's +panderers +pandering +pander's +panders +Pandora +Pandora's +pane +panegyric +panegyric's +panegyrics +panel +paneled +paneling +paneling's +panelings +panelist +panelist's +panelists +panel's +panels +pane's +panes +pang +Pangaea +Pangaea's +pang's +pangs +panhandle +panhandled +panhandler +panhandler's +panhandlers +panhandle's +panhandles +panhandling +panic +panicked +panicking +panicky +panic's +panics +Pankhurst +Pankhurst's +Panmunjom +Panmunjom's +panned +pannier +pannier's +panniers +panning +panoplies +panoply +panoply's +panorama +panorama's +panoramas +panoramic +panpipes +panpipes's +Pan's +pan's +pans +pansies +Pansy +pansy +Pansy's +pansy's +pant +Pantagruel +Pantagruel's +Pantaloon +Pantaloon's +pantaloons +pantaloons's +pantechnicon +pantechnicons +panted +pantheism +pantheism's +pantheist +pantheistic +pantheist's +pantheists +Pantheon +pantheon +Pantheon's +pantheon's +pantheons +panther +panther's +panthers +pantie +pantie's +panties +panting +panto +pantomime +pantomimed +pantomime's +pantomimes +pantomimic +pantomiming +pantomimist +pantomimist's +pantomimists +pantos +pantries +pantry +pantry's +pant's +pants +pantsuit +pantsuit's +pantsuits +pantyhose +pantyhose's +pantyliner +pantyliner's +pantywaist +pantywaist's +pantywaists +Panza +Panza's +pap +papa +papacies +papacy +papacy's +papal +paparazzi +paparazzi's +paparazzo +papa's +papas +papaya +papaya's +papayas +paper +paperback +paperback's +paperbacks +paperbark +paperbarks +paperboard +paperboard's +paperboy +paperboy's +paperboys +paperclip +paperclips +papered +paperer +paperer's +paperers +papergirl +papergirl's +papergirls +paperhanger +paperhanger's +paperhangers +paperhanging +paperhanging's +papering +paperless +paper's +papers +paperweight +paperweight's +paperweights +paperwork +paperwork's +papery +papilla +papillae +papillary +papilla's +papist +papist's +papists +papoose +papoose's +papooses +pappies +pappy +pappy's +paprika +paprika's +pap's +paps +papyri +papyrus +papyrus's +par +para +parable +parable's +parables +parabola +parabola's +parabolas +parabolic +Paracelsus +Paracelsus's +paracetamol +paracetamols +parachute +parachuted +parachute's +parachutes +parachuting +parachutist +parachutist's +parachutists +Paraclete +Paraclete's +parade +paraded +parader +parader's +paraders +parade's +parades +paradigm +paradigmatic +paradigm's +paradigms +parading +paradisaical +Paradise +paradise +paradise's +paradises +paradox +paradoxes +paradoxical +paradoxically +paradox's +paraffin +paraffin's +paragliding +paragon +paragon's +paragons +paragraph +paragraphed +paragraphing +paragraph's +paragraphs +Paraguay +Paraguayan +Paraguayan's +Paraguayans +Paraguay's +parakeet +parakeet's +parakeets +paralegal +paralegal's +paralegals +parallax +parallaxes +parallax's +parallel +paralleled +paralleling +parallelism +parallelism's +parallelisms +parallelogram +parallelogram's +parallelograms +parallel's +parallels +Paralympic +Paralympics +paralyses +paralysis +paralysis's +paralytic +paralytic's +paralytics +paralyze +paralyzed +paralyzes +paralyzing +paralyzingly +Paramaribo +Paramaribo's +paramecia +paramecium +paramecium's +paramedic +paramedical +paramedical's +paramedicals +paramedic's +paramedics +parameter +parameterize +parameterized +parameter's +parameters +parametric +paramilitaries +paramilitary +paramilitary's +Paramount +paramount +paramountcy +Paramount's +paramour +paramour's +paramours +Paraná +Parana +Parana's +paranoia +paranoiac +paranoiac's +paranoiacs +paranoia's +paranoid +paranoid's +paranoids +paranormal +Paraná's +parapet +parapet's +parapets +paraphernalia +paraphernalia's +paraphrase +paraphrased +paraphrase's +paraphrases +paraphrasing +paraplegia +paraplegia's +paraplegic +paraplegic's +paraplegics +paraprofessional +paraprofessional's +paraprofessionals +parapsychologist +parapsychologist's +parapsychologists +parapsychology +parapsychology's +paraquat +paraquat's +para's +paras +parasailing +parascending +parasite +parasite's +parasites +parasitic +parasitical +parasitically +parasitism +parasitism's +parasol +parasol's +parasols +parasympathetic +parasympathetics +parathion +parathion's +parathyroid +parathyroid's +parathyroids +paratroop +paratrooper +paratrooper's +paratroopers +paratroops +paratroops's +paratyphoid +paratyphoid's +parboil +parboiled +parboiling +parboils +PARC +parcel +parceled +parceling +parcel's +parcels +parch +parched +Parcheesi +Parcheesi's +parches +parching +parchment +parchment's +parchments +PARCs +pardner +pardners +pardon +pardonable +pardonably +pardoned +pardoner +pardoner's +pardoners +pardoning +pardon's +pardons +pare +pared +paregoric +paregoric's +parent +parentage +parentage's +parental +parented +parentheses +parenthesis +parenthesis's +parenthesize +parenthesized +parenthesizes +parenthesizing +parenthetic +parenthetical +parenthetically +parenthood +parenthood's +parenting +parenting's +parent's +parents +parer +parer's +parers +pares +pareses +paresis +paresis's +Pareto +Pareto's +parfait +parfait's +parfaits +pariah +pariah's +pariahs +parietal +parimutuel +parimutuel's +parimutuels +paring +paring's +parings +Paris +parish +parishes +parishioner +parishioner's +parishioners +parish's +Parisian +Parisian's +Parisians +Paris's +parities +parity +parity's +Park +park +parka +parka's +parkas +parked +Parker +Parker's +parking +parking's +Parkinson +Parkinsonism +Parkinson's +parkland +Parkman +Parkman's +parkour +Park's +Parks +park's +parks +Parks's +parkway +parkway's +parkways +parky +parlance +parlance's +parlay +parlayed +parlaying +parlay's +parlays +parley +parleyed +parleying +parley's +parleys +Parliament +parliament +parliamentarian +parliamentarian's +parliamentarians +parliamentary +Parliament's +parliament's +parliaments +parlor +parlor's +parlors +parlous +Parmenides +Parmesan +Parmesan's +Parmesans +parmigiana +Parnassus +Parnassuses +Parnassus's +Parnell +Parnell's +parochial +parochialism +parochialism's +parochially +parodied +parodies +parodist +parodist's +parodists +parody +parodying +parody's +parole +paroled +parolee +parolee's +parolees +parole's +paroles +paroling +parotid +paroxysm +paroxysmal +paroxysm's +paroxysms +parquet +parqueted +parqueting +parquetry +parquetry's +parquet's +parquets +Parr +parred +parricidal +parricide +parricide's +parricides +parried +parries +parring +Parrish +Parrish's +parrot +parroted +parroting +parrot's +parrots +Parr's +parry +parrying +parry's +par's +pars +parse +parsec +parsec's +parsecs +parsed +parser +parses +Parsifal +Parsifal's +parsimonious +parsimoniously +parsimony +parsimony's +parsing +parsley +parsley's +parsnip +parsnip's +parsnips +parson +parsonage +parsonage's +parsonages +Parsons +parson's +parsons +Parsons's +part +partake +partaken +partaker +partaker's +partakers +partakes +partaking +parted +parterre +parterre's +parterres +parthenogenesis +parthenogenesis's +Parthenon +Parthenon's +Parthia +Parthia's +partial +partiality +partiality's +partially +partial's +partials +participant +participant's +participants +participate +participated +participates +participating +participation +participation's +participator +participator's +participators +participatory +participial +participial's +participle +participle's +participles +particle +particleboard +particleboard's +particle's +particles +particular +particularities +particularity +particularity's +particularization +particularization's +particularize +particularized +particularizes +particularizing +particularly +particular's +particulars +particulate +particulate's +particulates +partied +parties +parting +parting's +partings +partisan +partisan's +partisans +partisanship +partisanship's +partition +partitioned +partitioning +partition's +partitions +partitive +partitive's +partitives +partly +partner +partnered +partnering +partner's +partners +partnership +partnership's +partnerships +partook +partridge +partridge's +partridges +part's +parts +parturition +parturition's +partway +party +partying +party's +parvenu +parvenu's +parvenus +PA's +Pa's +pa's +pas +Pasadena +Pasadena's +PASCAL +Pascal +pascal +Pascal's +Pascals +pascal's +pascals +paschal +pasha +pasha's +pashas +Pasquale +Pasquale's +pass +passé +passable +passably +passage +passage's +passages +passageway +passageway's +passageways +passbook +passbook's +passbooks +passe +passed +passel +passel's +passels +passenger +passenger's +passengers +passer +passerby +passerby's +passer's +passers +passersby +passes +passim +passing +passingly +passing's +Passion +passion +passionate +passionately +passionflower +passionflower's +passionflowers +passionless +Passion's +Passions +passion's +passions +passive +passively +passiveness +passiveness's +passive's +passives +passivity +passivity's +passivization +passivize +passivized +passivizes +passivizing +passkey +passkey's +passkeys +Passover +Passover's +Passovers +passphrase +passphrases +passport +passport's +passports +pass's +password +password's +passwords +past +pasta +pasta's +pastas +paste +pasteboard +pasteboard's +pasted +pastel +pastel's +pastels +pastern +Pasternak +Pasternak's +pastern's +pasterns +paste's +pastes +Pasteur +pasteurization +pasteurization's +pasteurize +pasteurized +pasteurizer +pasteurizer's +pasteurizers +pasteurizes +pasteurizing +Pasteur's +pastiche +pastiche's +pastiches +pastie +pastier +pasties +pastiest +pastille +pastille's +pastilles +pastime +pastime's +pastimes +pastiness +pastiness's +pasting +pastor +pastoral +pastoral's +pastorals +pastorate +pastorate's +pastorates +pastor's +pastors +pastrami +pastrami's +pastries +pastry +pastry's +past's +pasts +pasturage +pasturage's +pasture +pastured +pastureland +pastureland's +pasture's +pastures +pasturing +pasty +pasty's +Pat +pat +Patagonia +Patagonian +Patagonian's +Patagonia's +patch +patched +patches +patchier +patchiest +patchily +patchiness +patchiness's +patching +patchouli +patch's +patchwork +patchwork's +patchworks +patchy +Pate +pate +Patel +patella +patellae +patella's +patellas +Patel's +patent +patented +patenting +patently +patent's +patents +paterfamilias +paterfamiliases +paterfamilias's +paternal +paternalism +paternalism's +paternalist +paternalistic +paternalists +paternally +paternity +paternity's +paternoster +paternoster's +paternosters +Paterson +Paterson's +Pate's +pate's +pates +path +pathetic +pathetically +pathfinder +pathfinder's +pathfinders +pathless +pathogen +pathogenic +pathogen's +pathogens +pathological +pathologically +pathologist +pathologist's +pathologists +pathology +pathology's +pathos +pathos's +path's +paths +pathway +pathway's +pathways +patience +patience's +patient +patienter +patientest +patiently +patient's +patients +patina +patina's +patinas +patine +patio +patio's +patios +patisserie +patisseries +Patna +Patna's +patois +patois's +patresfamilias +patriarch +patriarchal +patriarchate +patriarchate's +patriarchates +patriarchies +patriarch's +patriarchs +patriarchy +patriarchy's +Patrica +Patrica's +Patrice +Patrice's +Patricia +patrician +patrician's +patricians +Patricia's +patricide +patricide's +patricides +Patrick +Patrick's +patrimonial +patrimonies +patrimony +patrimony's +patriot +patriotic +patriotically +patriotism +patriotism's +patriot's +patriots +patrol +patrolled +patrolling +patrolman +patrolman's +patrolmen +patrol's +patrols +patrolwoman +patrolwoman's +patrolwomen +patron +patronage +patronage's +patronages +patroness +patronesses +patroness's +patronize +patronized +patronizer +patronizer's +patronizers +patronizes +patronizing +patronizingly +patron's +patrons +patronymic +patronymically +patronymic's +patronymics +patroon +patroon's +patroons +Pat's +pat's +pats +patsies +Patsy +patsy +Patsy's +patsy's +patted +patter +pattered +pattering +pattern +patterned +patterning +pattern's +patterns +patter's +patters +Patterson +Patterson's +Patti +patties +patting +Patti's +Patton +Patton's +Patty +patty +Patty's +patty's +paucity +paucity's +Paul +Paula +Paula's +Paulette +Paulette's +Pauli +Pauline +Pauline's +Pauling +Pauling's +Pauli's +Paul's +paunch +paunches +paunchier +paunchiest +paunch's +paunchy +pauper +pauperism +pauperism's +pauperize +pauperized +pauperizes +pauperizing +pauper's +paupers +pause +paused +pause's +pauses +pausing +Pavarotti +Pavarotti's +pave +paved +pavement +pavement's +pavements +paves +pavilion +pavilion's +pavilions +paving +paving's +pavings +Pavlov +Pavlova +pavlova +Pavlova's +pavlovas +Pavlovian +Pavlovian's +Pavlov's +paw +pawed +pawing +pawl +pawl's +pawls +pawn +pawnbroker +pawnbroker's +pawnbrokers +pawnbroking +pawnbroking's +pawned +Pawnee +Pawnee's +Pawnees +pawning +pawn's +pawns +pawnshop +pawnshop's +pawnshops +pawpaw +pawpaw's +pawpaws +paw's +paws +pay +payable +payback +payback's +paybacks +paycheck +paycheck's +paychecks +payday +payday's +paydays +payed +payee +payee's +payees +payer +payer's +payers +paying +payload +payload's +payloads +paymaster +paymaster's +paymasters +payment +payment's +payments +Payne +Payne's +payoff +payoff's +payoffs +payola +payola's +payout +payout's +payouts +PayPal +PayPal's +payphone +payphones +payroll +payroll's +payrolls +pay's +pays +payslip +payslip's +payslips +paywall +paywall's +paywalls +payware +Pb +PBS +Pb's +PBS's +PBX +PC +PCB +PCMCIA +PCP +PCP's +PC's +PCs +pct +PD +Pd +pd +PDF +PDQ +Pd's +PDT +PE +épée +pea +Peabody +Peabody's +Peace +peace +peaceable +peaceably +peaceful +peacefully +peacefulness +peacefulness's +peacekeeper +peacekeeper's +peacekeepers +peacekeeping +peacekeeping's +peacemaker +peacemaker's +peacemakers +peacemaking +peacemaking's +Peace's +peace's +peaces +peacetime +peacetime's +peach +peaches +peachier +peachiest +peach's +peachy +peacock +peacock's +peacocks +peafowl +peafowl's +peafowls +peahen +peahen's +peahens +peak +peaked +peaking +peak's +peaks +peaky +peal +Peale +pealed +Peale's +pealing +peal's +peals +peanut +peanut's +peanuts +pear +Pearl +pearl +pearled +Pearlie +pearlier +Pearlie's +pearliest +pearling +Pearl's +pearl's +pearls +pearly +pear's +pears +Pearson +Pearson's +Peary +Peary's +pea's +peas +peasant +peasantry +peasantry's +peasant's +peasants +peashooter +peashooter's +peashooters +peat +peatier +peatiest +peat's +peaty +pebble +pebbled +pebble's +pebbles +pebbling +pebbly +pecan +pecan's +pecans +peccadillo +peccadilloes +peccadillo's +peccaries +peccary +peccary's +Pechora +Pechora's +Peck +peck +pecked +pecker +peckers +pecking +Peckinpah +Peckinpah's +peckish +Peck's +peck's +pecks +Pecos +Pecos's +pecs +pectic +pectin +pectin's +pectoral +pectoral's +pectorals +peculate +peculated +peculates +peculating +peculation +peculation's +peculator +peculator's +peculators +peculiar +peculiarities +peculiarity +peculiarity's +peculiarly +pecuniary +pedagogic +pedagogical +pedagogically +pedagogue +pedagogue's +pedagogues +pedagogy +pedagogy's +pedal +pedaled +pedaling +pedalo +pedalos +pedal's +pedals +pedant +pedantic +pedantically +pedantry +pedantry's +pedant's +pedants +peddle +peddled +peddler +peddler's +peddlers +peddles +peddling +pederast +pederast's +pederasts +pederasty +pederasty's +pedestal +pedestal's +pedestals +pedestrian +pedestrianization +pedestrianize +pedestrianized +pedestrianizes +pedestrianizing +pedestrian's +pedestrians +pediatric +pediatrician +pediatrician's +pediatricians +pediatrics +pediatrics's +pedicab +pedicab's +pedicabs +pedicure +pedicured +pedicure's +pedicures +pedicuring +pedicurist +pedicurist's +pedicurists +pedigree +pedigreed +pedigree's +pedigrees +pediment +pediment's +pediments +pedometer +pedometer's +pedometers +pedophile +pedophiles +pedophilia +Pedro +Pedro's +peduncle +peduncle's +peduncles +pee +peed +peeing +peek +peekaboo +peekaboo's +peeked +peeking +peek's +peeks +Peel +peel +peeled +peeler +peeler's +peelers +peeling +peeling's +peelings +Peel's +peel's +peels +peen +peen's +peens +peep +peepbo +peeped +peeper +peeper's +peepers +peephole +peephole's +peepholes +peeping +peep's +peeps +peepshow +peepshow's +peepshows +peer +peerage +peerage's +peerages +peered +peeress +peeresses +peeress's +peering +peerless +peer's +peers +pee's +pees +peeve +peeved +peeve's +peeves +peeving +peevish +peevishly +peevishness +peevishness's +peewee +peewee's +peewees +peewit +peewits +Peg +peg +Pegasus +Pegasuses +Pegasus's +pegboard +pegboard's +pegboards +pegged +pegging +Peggy +Peggy's +Peg's +peg's +pegs +Pei +peignoir +peignoir's +peignoirs +Peiping +Peiping's +Pei's +pejoration +pejoration's +pejorative +pejoratively +pejorative's +pejoratives +peke +peke's +pekes +pekineses +Peking +Pekingese +pekingese +Pekingese's +Pekingeses +pekingese's +pekingeses +Peking's +Pekings +pekoe +pekoe's +pelagic +Pele +Pelee +Pelee's +Pele's +pelf +pelf's +pelican +pelican's +pelicans +pellagra +pellagra's +pellet +pelleted +pelleting +pellet's +pellets +pellucid +pelmet +pelmets +Peloponnese +Peloponnese's +pelt +pelted +pelting +pelt's +pelts +pelvic +pelvis +pelvises +pelvis's +Pembroke +Pembroke's +pemmican +pemmican's +Pen +pen +Pena +penal +penalization +penalization's +penalize +penalized +penalizes +penalizing +penalties +penalty +penalty's +penance +penance's +penances +Pena's +pence +penchant +penchant's +penchants +pencil +penciled +penciling +pencilings +pencil's +pencils +pend +pendant +pendant's +pendants +pended +pendent +pendent's +pendents +Penderecki +Penderecki's +pending +pends +pendulous +pendulum +pendulum's +pendulums +Penelope +Penelope's +penetrability +penetrability's +penetrable +penetrate +penetrated +penetrates +penetrating +penetratingly +penetration +penetration's +penetrations +penetrative +penfriend +penfriends +penguin +penguin's +penguins +penicillin +penicillin's +penile +peninsula +peninsular +peninsula's +peninsulas +penis +penises +penis's +penitence +penitence's +penitent +penitential +penitentiaries +penitentiary +penitentiary's +penitently +penitent's +penitents +penknife +penknife's +penknives +penlight +penlight's +penlights +penman +penman's +penmanship +penmanship's +penmen +Penn +Penna +pennant +pennant's +pennants +penned +Penney +Penney's +pennies +penniless +penning +Pennington +Pennington's +pennon +pennon's +pennons +Penn's +Pennsylvania +Pennsylvanian +Pennsylvanian's +Pennsylvanians +Pennsylvania's +Penny +penny +Penny's +penny's +pennyweight +pennyweight's +pennyweights +pennyworth +Pennzoil +Pennzoil's +penologist +penologist's +penologists +penology +penology's +Pen's +pen's +pens +Pensacola +Pensacola's +pension +pensionable +pensioned +pensioner +pensioner's +pensioners +pensioning +pension's +pensions +pensive +pensively +pensiveness +pensiveness's +pent +pentacle +pentacle's +pentacles +Pentagon +pentagon +pentagonal +Pentagon's +pentagon's +pentagons +pentagram +pentagram's +pentagrams +pentameter +pentameter's +pentameters +Pentateuch +Pentateuch's +pentathlete +pentathlete's +pentathletes +pentathlon +pentathlon's +pentathlons +Pentax +Pentax's +Pentecost +Pentecostal +Pentecostalism +Pentecostal's +Pentecostals +Pentecost's +Pentecosts +penthouse +penthouse's +penthouses +Pentium +Pentium's +Pentiums +penuche +penuche's +penultimate +penultimate's +penultimates +penumbra +penumbrae +penumbra's +penumbras +penurious +penuriously +penuriousness +penuriousness's +penury +penury's +peon +peonage +peonage's +peonies +peon's +peons +peony +peony's +people +peopled +people's +peoples +peopling +Peoria +Peoria's +pep +Pepin +Pepin's +pepped +pepper +peppercorn +peppercorn's +peppercorns +peppered +peppering +peppermint +peppermint's +peppermints +pepperoni +pepperoni's +pepperonis +pepper's +peppers +peppery +peppier +peppiest +peppiness +peppiness's +pepping +peppy +pep's +peps +Pepsi +pepsin +pepsin's +Pepsi's +peptic +peptic's +peptics +peptide +peptides +Pepys +Pepys's +Pequot +Pequot's +per +peradventure +peradventure's +perambulate +perambulated +perambulates +perambulating +perambulation +perambulation's +perambulations +perambulator +perambulator's +perambulators +percale +percale's +percales +perceivable +perceive +perceived +perceives +perceiving +percent +percentage +percentage's +percentages +percentile +percentile's +percentiles +percent's +percents +perceptible +perceptibly +perception +perceptional +perception's +perceptions +perceptive +perceptively +perceptiveness +perceptiveness's +perceptual +perceptually +perch +perchance +perched +Percheron +Percheron's +perches +perching +perch's +percipience +percipience's +percipient +Percival +Percival's +percolate +percolated +percolates +percolating +percolation +percolation's +percolator +percolator's +percolators +percussion +percussionist +percussionist's +percussionists +percussion's +percussive +Percy +Percy's +perdition +perdition's +perdurable +peregrinate +peregrinated +peregrinates +peregrinating +peregrination +peregrination's +peregrinations +peregrine +peregrine's +peregrines +Perelman +Perelman's +peremptorily +peremptory +perennial +perennially +perennial's +perennials +perestroika +perestroika's +Perez +Perez's +perfect +perfecta +perfecta's +perfectas +perfected +perfecter +perfectest +perfectibility +perfectibility's +perfectible +perfecting +perfection +perfectionism +perfectionism's +perfectionist +perfectionist's +perfectionists +perfection's +perfections +perfectly +perfectness +perfectness's +perfect's +perfects +perfidies +perfidious +perfidiously +perfidy +perfidy's +perforate +perforated +perforates +perforating +perforation +perforation's +perforations +perforce +perform +performance +performance's +performances +performative +performed +performer +performer's +performers +performing +performs +perfume +perfumed +perfumer +perfumeries +perfumer's +perfumers +perfumery +perfumery's +perfume's +perfumes +perfuming +perfunctorily +perfunctory +perfusion +pergola +pergola's +pergolas +perhaps +pericardia +pericardial +pericarditis +pericardium +pericardium's +Periclean +Periclean's +Pericles +Pericles's +perigee +perigee's +perigees +perihelia +perihelion +perihelion's +peril +periled +periling +perilous +perilously +peril's +perils +perimeter +perimeter's +perimeters +perinatal +perinea +perineum +perineum's +period +periodic +periodical +periodically +periodical's +periodicals +periodicity +periodicity's +periodontal +periodontics +periodontics's +periodontist +periodontist's +periodontists +period's +periods +peripatetic +peripatetic's +peripatetics +peripheral +peripherally +peripheral's +peripherals +peripheries +periphery +periphery's +periphrases +periphrasis +periphrasis's +periphrastic +periscope +periscope's +periscopes +perish +perishable +perishable's +perishables +perished +perisher +perishers +perishes +perishing +peristalses +peristalsis +peristalsis's +peristaltic +peristyle +peristyle's +peristyles +peritoneal +peritoneum +peritoneum's +peritoneums +peritonitis +peritonitis's +periwig +periwig's +periwigs +periwinkle +periwinkle's +periwinkles +perjure +perjured +perjurer +perjurer's +perjurers +perjures +perjuries +perjuring +perjury +perjury's +perk +perked +perkier +perkiest +perkily +perkiness +perkiness's +perking +Perkins +Perkins's +perk's +perks +perky +Perl +Perl's +Perls +Perm +perm +permafrost +permafrost's +Permalloy +Permalloy's +permanence +permanence's +permanency +permanency's +permanent +permanently +permanent's +permanents +permeability +permeability's +permeable +permeate +permeated +permeates +permeating +permeation +permeation's +permed +Permian +Permian's +perming +permissible +permissibly +permission +permission's +permissions +permissive +permissively +permissiveness +permissiveness's +permit +permit's +permits +permitted +permitting +Perm's +perm's +perms +permutation +permutation's +permutations +permute +permuted +permutes +permuting +pernicious +perniciously +perniciousness +perniciousness's +Pernod +Pernod's +Peron +Peron's +peroration +peroration's +perorations +Perot +Perot's +peroxide +peroxided +peroxide's +peroxides +peroxiding +perpendicular +perpendicularity +perpendicularity's +perpendicularly +perpendicular's +perpendiculars +perpetrate +perpetrated +perpetrates +perpetrating +perpetration +perpetration's +perpetrator +perpetrator's +perpetrators +perpetual +perpetually +perpetual's +perpetuals +perpetuate +perpetuated +perpetuates +perpetuating +perpetuation +perpetuation's +perpetuity +perpetuity's +perplex +perplexed +perplexedly +perplexes +perplexing +perplexingly +perplexities +perplexity +perplexity's +perquisite +perquisite's +perquisites +Perrier +Perrier's +Perry +Perry's +persecute +persecuted +persecutes +persecuting +persecution +persecution's +persecutions +persecutor +persecutor's +persecutors +Perseid +Perseid's +Persephone +Persephone's +Persepolis +Persepolis's +Perseus +Perseus's +perseverance +perseverance's +persevere +persevered +perseveres +persevering +Pershing +Pershing's +Persia +Persian +Persian's +Persians +Persia's +persiflage +persiflage's +persimmon +persimmon's +persimmons +persist +persisted +persistence +persistence's +persistent +persistently +persisting +persists +persnickety +person +persona +personable +personae +personage +personage's +personages +personal +personalities +personality +personality's +personalize +personalized +personalizes +personalizing +personally +personal's +personals +personalty +personalty's +persona's +personas +personification +personification's +personifications +personified +personifies +personify +personifying +personnel +personnel's +person's +persons +perspective +perspective's +perspectives +perspex +perspicacious +perspicaciously +perspicacity +perspicacity's +perspicuity +perspicuity's +perspicuous +perspiration +perspiration's +perspire +perspired +perspires +perspiring +persuadable +persuade +persuaded +persuader +persuader's +persuaders +persuades +persuading +persuasion +persuasion's +persuasions +persuasive +persuasively +persuasiveness +persuasiveness's +pert +pertain +pertained +pertaining +pertains +perter +pertest +Perth +Perth's +pertinacious +pertinaciously +pertinacity +pertinacity's +pertinence +pertinence's +pertinent +pertinently +pertly +pertness +pertness's +perturb +perturbation +perturbation's +perturbations +perturbed +perturbing +perturbs +pertussis +pertussis's +Peru +peruke +peruke's +perukes +Peru's +perusal +perusal's +perusals +peruse +perused +peruses +perusing +Peruvian +Peruvian's +Peruvians +perv +pervade +pervaded +pervades +pervading +pervasive +pervasively +pervasiveness +pervasiveness's +perverse +perversely +perverseness +perverseness's +perversion +perversion's +perversions +perversity +perversity's +pervert +perverted +perverting +pervert's +perverts +pervs +épée's +épées +peseta +peseta's +pesetas +Peshawar +Peshawar's +peskier +peskiest +peskily +peskiness +peskiness's +pesky +peso +peso's +pesos +pessaries +pessary +pessimal +pessimism +pessimism's +pessimist +pessimistic +pessimistically +pessimist's +pessimists +pest +pester +pestered +pestering +pesters +pesticide +pesticide's +pesticides +pestiferous +pestilence +pestilence's +pestilences +pestilent +pestilential +pestle +pestled +pestle's +pestles +pestling +pesto +pesto's +pest's +pests +PET +pet +petabyte +petabyte's +petabytes +Petain +Petain's +petal +petaled +petal's +petals +petard +petard's +petards +petcock +petcock's +petcocks +Pete +Peter +peter +petered +petering +Peter's +Peters +peter's +peters +Petersen +Petersen's +Peterson +Peterson's +Peters's +Pete's +petiole +petiole's +petioles +petite +petite's +petites +petition +petitioned +petitioner +petitioner's +petitioners +petitioning +petition's +petitions +Petra +Petrarch +Petrarch's +Petra's +petrel +petrel's +petrels +petrifaction +petrifaction's +petrified +petrifies +petrify +petrifying +petrochemical +petrochemical's +petrochemicals +petrodollar +petrodollar's +petrodollars +petrol +petrolatum +petrolatum's +petroleum +petroleum's +petrologist +petrologist's +petrologists +petrology +petrology's +petrol's +PET's +pet's +pets +petted +petticoat +petticoat's +petticoats +pettier +pettiest +pettifog +pettifogged +pettifogger +pettifogger's +pettifoggers +pettifoggery +pettifoggery's +pettifogging +pettifogs +pettily +pettiness +pettiness's +petting +petting's +pettish +pettishly +Petty +petty +Petty's +petulance +petulance's +petulant +petulantly +petunia +petunia's +petunias +Peugeot +Peugeot's +pew +pewee +pewee's +pewees +pewit +pewit's +pewits +pew's +pews +pewter +pewter's +pewters +peyote +peyote's +pf +PFC +Pfc +pfennig +pfennig's +pfennigs +Pfizer +Pfizer's +PG +pg +PGP +pH +Phaedra +Phaedra's +Phaethon +Phaethon's +phaeton +phaeton's +phaetons +phage +phages +phagocyte +phagocyte's +phagocytes +phalanger +phalanger's +phalangers +phalanges +phalanx +phalanxes +phalanx's +phalli +phallic +phallocentric +phallocentrism +phallus +phallus's +Phanerozoic +Phanerozoic's +phantasm +phantasmagoria +phantasmagoria's +phantasmagorias +phantasmagorical +phantasmal +phantasm's +phantasms +phantom +phantom's +phantoms +Pharaoh +pharaoh +Pharaoh's +Pharaohs +pharaoh's +pharaohs +Pharisaic +pharisaic +Pharisaical +Pharisee +pharisee +Pharisee's +Pharisees +pharisee's +pharisees +pharmaceutic +pharmaceutical +pharmaceutical's +pharmaceuticals +pharmaceutic's +pharmaceutics +pharmaceutics's +pharmacies +pharmacist +pharmacist's +pharmacists +pharmacologic +pharmacological +pharmacologist +pharmacologist's +pharmacologists +pharmacology +pharmacology's +pharmacopoeia +pharmacopoeia's +pharmacopoeias +pharmacy +pharmacy's +pharyngeal +pharynges +pharyngitis +pharyngitis's +pharynx +pharynx's +phase +phased +phaseout +phaseout's +phaseouts +phase's +phases +phasing +phat +PhD +PhD's +pheasant +pheasant's +pheasants +Phekda +Phekda's +Phelps +Phelps's +phenacetin +phenacetin's +phenobarbital +phenobarbital's +phenol +phenol's +phenom +phenomena +phenomenal +phenomenally +phenomenological +phenomenology +phenomenon +phenomenon's +phenomenons +phenom's +phenoms +phenotype +pheromone +pheromone's +pheromones +phew +phi +phial +phial's +phials +Phidias +Phidias's +Phil +Philadelphia +Philadelphia's +philander +philandered +philanderer +philanderer's +philanderers +philandering +philandering's +philanders +philanthropic +philanthropically +philanthropies +philanthropist +philanthropist's +philanthropists +philanthropy +philanthropy's +philatelic +philatelist +philatelist's +philatelists +philately +philately's +Philby +Philby's +Philemon +Philemon's +philharmonic +philharmonic's +philharmonics +Philip +Philippe +Philippe's +Philippians +Philippians's +philippic +philippic's +philippics +Philippine +Philippine's +Philippines +Philippines's +Philip's +Philips +Philips's +Philistine +philistine +Philistine's +philistine's +philistines +philistinism +philistinism's +Phillip +Phillipa +Phillipa's +Phillip's +Phillips +Phillips's +Philly +Philly's +philodendron +philodendron's +philodendrons +philological +philologist +philologist's +philologists +philology +philology's +philosopher +philosopher's +philosophers +philosophic +philosophical +philosophically +philosophies +philosophize +philosophized +philosophizer +philosophizer's +philosophizers +philosophizes +philosophizing +philosophy +philosophy's +Phil's +philter +philter's +philters +Phipps +Phipps's +phi's +phis +phish +phished +phisher +phisher's +phishers +phishing +phlebitis +phlebitis's +phlegm +phlegmatic +phlegmatically +phlegm's +phloem +phloem's +phlox +phlox's +phobia +phobia's +phobias +phobic +phobic's +phobics +Phobos +Phobos's +Phoebe +phoebe +Phoebe's +phoebe's +phoebes +Phoenicia +Phoenician +Phoenician's +Phoenicians +Phoenicia's +Phoenix +phoenix +phoenixes +Phoenix's +phoenix's +phone +phonecard +phonecards +phoned +phoneme +phoneme's +phonemes +phonemic +phonemically +phone's +phones +phonetic +phonetically +phonetician +phonetician's +phoneticians +phonetics +phonetics's +phoneyed +phoneying +phonic +phonically +phonics +phonics's +phonied +phonier +phonies +phoniest +phoniness +phoniness's +phoning +phonograph +phonographic +phonograph's +phonographs +phonological +phonologically +phonologist +phonologist's +phonologists +phonology +phonology's +phony +phonying +phony's +phooey +phosphate +phosphate's +phosphates +phosphodiesterase +phosphor +phosphorescence +phosphorescence's +phosphorescent +phosphorescently +phosphoric +phosphorous +phosphor's +phosphors +phosphorus +phosphorus's +phosphorylation +photo +photocell +photocell's +photocells +photocopied +photocopier +photocopier's +photocopiers +photocopies +photocopy +photocopying +photocopy's +photoed +photoelectric +photoelectrically +photoengrave +photoengraved +photoengraver +photoengraver's +photoengravers +photoengraves +photoengraving +photoengraving's +photoengravings +photofinishing +photofinishing's +photogenic +photogenically +photograph +photographed +photographer +photographer's +photographers +photographic +photographically +photographing +photograph's +photographs +photography +photography's +photoing +photojournalism +photojournalism's +photojournalist +photojournalist's +photojournalists +photometer +photometer's +photometers +photon +photon's +photons +photo's +photos +photosensitive +Photostat +photostat +photostatic +Photostat's +Photostats +photostat's +photostats +Photostatted +photostatted +Photostatting +photostatting +photosynthesis +photosynthesis's +photosynthesize +photosynthesized +photosynthesizes +photosynthesizing +photosynthetic +phototropic +phototropism +phototypesetter +phototypesetting +phrasal +phrase +phrasebook +phrasebooks +phrased +phraseology +phraseology's +phrase's +phrases +phrasing +phrasing's +phrasings +phreaking +phrenologist +phrenologist's +phrenologists +phrenology +phrenology's +Phrygia +Phrygia's +phyla +phylacteries +phylactery +phylactery's +Phyllis +Phyllis's +phylogeny +phylogeny's +phylum +phylum's +phys +physic +physical +physicality +physically +physical's +physicals +physician +physician's +physicians +physicist +physicist's +physicists +physicked +physicking +physic's +physics +physics's +physio +physiognomies +physiognomy +physiognomy's +physiography +physiography's +physiologic +physiological +physiologically +physiologist +physiologist's +physiologists +physiology +physiology's +physios +physiotherapist +physiotherapist's +physiotherapists +physiotherapy +physiotherapy's +physique +physique's +physiques +pi +Piaf +Piaf's +Piaget +Piaget's +pianissimo +pianissimo's +pianissimos +pianist +pianist's +pianists +piano +pianoforte +pianoforte's +pianofortes +Pianola +pianola +Pianola's +pianolas +piano's +pianos +piaster +piaster's +piasters +piñata +piñata's +piñatas +piazza +piazza's +piazzas +pibroch +pibroch's +pibrochs +pic +pica +picador +picador's +picadors +picante +picaresque +pica's +Picasso +Picasso's +picayune +Piccadilly +Piccadilly's +piccalilli +piccalilli's +piccolo +piccolo's +piccolos +pick +pickax +pickaxed +pickaxes +pickaxing +pickax's +picked +picker +pickerel +pickerel's +pickerels +Pickering +Pickering's +picker's +pickers +picket +picketed +picketer +picketers +picketing +picket's +pickets +Pickett +Pickett's +Pickford +Pickford's +pickier +pickiest +pickiness +picking +pickings +pickings's +pickle +pickled +pickle's +pickles +pickling +pickpocket +pickpocket's +pickpockets +pick's +picks +pickup +pickup's +pickups +Pickwick +Pickwick's +picky +picnic +picnicked +picnicker +picnicker's +picnickers +picnicking +picnic's +picnics +picot +picot's +picots +pic's +pics +Pict +pictogram +pictograms +pictograph +pictograph's +pictographs +pictorial +pictorially +pictorial's +pictorials +Pict's +picture +pictured +picture's +pictures +picturesque +picturesquely +picturesqueness +picturesqueness's +picturing +piddle +piddled +piddle's +piddles +piddling +piddly +pidgin +pidgin's +pidgins +pie +piebald +piebald's +piebalds +piece +pieced +piecemeal +piece's +pieces +piecework +pieceworker +pieceworker's +pieceworkers +piecework's +piecing +piecrust +piecrust's +piecrusts +pied +Piedmont +Piedmont's +pieing +pier +Pierce +pierce +pierced +Pierce's +pierces +piercing +piercingly +piercing's +piercings +Pierre +Pierre's +Pierrot +Pierrot's +pier's +piers +pie's +pies +piety +piety's +piezoelectric +piffle +piffle's +piffling +pig +pigeon +pigeonhole +pigeonholed +pigeonhole's +pigeonholes +pigeonholing +pigeon's +pigeons +pigged +piggeries +piggery +piggier +piggies +piggiest +pigging +piggish +piggishly +piggishness +piggishness's +piggy +piggyback +piggybacked +piggybacking +piggyback's +piggybacks +piggy's +pigheaded +pigheadedly +pigheadedness +pigheadedness's +piglet +piglet's +piglets +pigment +pigmentation +pigmentation's +pigmented +pigment's +pigments +pigpen +pigpen's +pigpens +pig's +pigs +pigskin +pigskin's +pigskins +pigsties +pigsty +pigsty's +pigswill +pigtail +pigtail's +pigtails +piing +Pike +pike +piked +piker +piker's +pikers +Pike's +pike's +pikes +pikestaff +pikestaff's +pikestaffs +piking +pilaf +pilaf's +pilafs +pilaster +pilaster's +pilasters +Pilate +Pilate's +Pilates +Pilates's +pilchard +pilchard's +pilchards +Pilcomayo +Pilcomayo's +pile +piled +pile's +piles +pileup +pileup's +pileups +pilfer +pilferage +pilferage's +pilfered +pilferer +pilferer's +pilferers +pilfering +pilfers +Pilgrim +pilgrim +pilgrimage +pilgrimage's +pilgrimages +Pilgrim's +Pilgrims +pilgrim's +pilgrims +piling +piling's +pilings +pill +pillage +pillaged +pillager +pillager's +pillagers +pillage's +pillages +pillaging +pillar +pillared +pillar's +pillars +pillbox +pillboxes +pillbox's +pilled +pilling +pillion +pillion's +pillions +pillock +pillocks +pilloried +pillories +pillory +pillorying +pillory's +pillow +pillowcase +pillowcase's +pillowcases +pillowed +pillowing +pillow's +pillows +pillowslip +pillowslip's +pillowslips +pill's +pills +Pillsbury +Pillsbury's +pilot +piloted +pilothouse +pilothouse's +pilothouses +piloting +pilot's +pilots +pimento +pimento's +pimentos +pimiento +pimiento's +pimientos +pimp +pimped +pimpernel +pimpernel's +pimpernels +pimping +pimple +pimpled +pimple's +pimples +pimplier +pimpliest +pimply +pimp's +pimps +PIN +pin +pinafore +pinafore's +pinafores +pinata +pinata's +pinatas +Pinatubo +Pinatubo's +pinball +pinball's +pincer +pincer's +pincers +pinch +pinched +pinches +pinching +pinch's +Pincus +pincushion +pincushion's +pincushions +Pincus's +Pindar +Pindar's +pine +pineapple +pineapple's +pineapples +pined +pine's +pines +pinewood +pinewoods +piney +pinfeather +pinfeather's +pinfeathers +ping +pinged +pinging +ping's +pings +pinhead +pinhead's +pinheads +pinhole +pinhole's +pinholes +pinier +piniest +pining +pinion +pinioned +pinioning +pinion's +pinions +pink +pinked +pinker +Pinkerton +Pinkerton's +pinkest +pinkeye +pinkeye's +pinkie +pinkie's +pinkies +pinking +pinkish +pinkness +pinkness's +pinko +pinko's +pinkos +pink's +pinks +pinnacle +pinnacle's +pinnacles +pinnate +pinned +pinnies +pinning +pinny +Pinocchio +Pinocchio's +Pinochet +Pinochet's +pinochle +pinochle's +pinon +pinon's +pinons +pinpoint +pinpointed +pinpointing +pinpoint's +pinpoints +pinprick +pinprick's +pinpricks +pin's +pins +pinsetter +pinsetter's +pinsetters +pinstripe +pinstriped +pinstripe's +pinstripes +pint +Pinter +Pinter's +pinto +pinto's +pintos +pint's +pints +pinup +pinup's +pinups +pinwheel +pinwheeled +pinwheeling +pinwheel's +pinwheels +Pinyin +pinyin +pinyin's +pinyon +pinyon's +pinyons +piñon +pioneer +pioneered +pioneering +pioneer's +pioneers +piñon's +piñons +pious +piously +piousness +piousness's +pip +pipe +piped +pipeline +pipeline's +pipelines +piper +piper's +pipers +pipe's +pipes +pipette +pipette's +pipettes +pipework +piping +piping's +pipit +pipit's +pipits +pipped +Pippin +pippin +pipping +Pippin's +pippin's +pippins +pip's +pips +pipsqueak +pipsqueak's +pipsqueaks +piquancy +piquancy's +piquant +piquantly +pique +piqued +pique's +piques +piquing +piracy +piracy's +Piraeus +Piraeus's +Pirandello +Pirandello's +piranha +piranha's +piranhas +pirate +pirated +pirate's +pirates +piratical +piratically +pirating +pirogi +pirogi's +piroshki +piroshki's +pirouette +pirouetted +pirouette's +pirouettes +pirouetting +pi's +pis +Pisa +Pisa's +piscatorial +Pisces +Pisces's +Pisistratus +Pisistratus's +pismire +pismire's +pismires +piss +Pissaro +Pissaro's +pissed +pisser +pissers +pisses +pissing +pissoir +pissoirs +piss's +pistachio +pistachio's +pistachios +piste +pistes +pistil +pistillate +pistil's +pistils +pistol +pistol's +pistols +piston +piston's +pistons +pit +pita +pitapat +pitapat's +pitapats +pita's +pitas +Pitcairn +Pitcairn's +pitch +pitchblende +pitchblende's +pitched +pitcher +pitcher's +pitchers +pitches +pitchfork +pitchforked +pitchforking +pitchfork's +pitchforks +pitching +pitchman +pitchman's +pitchmen +pitch's +piteous +piteously +piteousness +piteousness's +pitfall +pitfall's +pitfalls +pith +pithead +pitheads +pithier +pithiest +pithily +pithiness +pithiness's +pith's +pithy +pitiable +pitiably +pitied +pities +pitiful +pitifully +pitiless +pitilessly +pitilessness +pitilessness's +piton +piton's +pitons +pit's +pits +Pitt +pitta +pittance +pittance's +pittances +pittas +pitted +pitting +Pittman +Pittman's +Pitt's +Pitts +Pittsburgh +Pittsburgh's +Pitts's +pituitaries +pituitary +pituitary's +pity +pitying +pityingly +pity's +Pius +Pius's +pivot +pivotal +pivoted +pivoting +pivot's +pivots +pix +pixel +pixel's +pixels +pixie +pixie's +pixies +pix's +Pizarro +Pizarro's +pizza +pizza's +pizzas +pizzazz +pizzazz's +pizzeria +pizzeria's +pizzerias +pizzicati +pizzicato +pizzicato's +PJ's +pj's +pk +pkg +pkt +Pkwy +pkwy +Pl +pl +placard +placarded +placarding +placard's +placards +placate +placated +placates +placating +placation +placation's +placatory +place +placebo +placebo's +placebos +placed +placeholder +placeholder's +placeholders +placekick +placekicked +placekicker +placekicker's +placekickers +placekicking +placekick's +placekicks +placement +placement's +placements +placenta +placental +placentals +placenta's +placentas +placer +placer's +placers +place's +places +placid +placidity +placidity's +placidly +placing +placings +placket +placket's +plackets +plagiarism +plagiarism's +plagiarisms +plagiarist +plagiarist's +plagiarists +plagiarize +plagiarized +plagiarizer +plagiarizer's +plagiarizers +plagiarizes +plagiarizing +plagiary +plagiary's +plague +plagued +plague's +plagues +plaguing +plaice +plaid +plaid's +plaids +plain +plainchant +plainclothes +plainclothesman +plainclothesman's +plainclothesmen +plainer +plainest +plainly +plainness +plainness's +plain's +plains +plainsman +plainsman's +plainsmen +plainsong +plainsong's +plainspoken +plaint +plaintiff +plaintiff's +plaintiffs +plaintive +plaintively +plaint's +plaints +plait +plaited +plaiting +plait's +plaits +plan +planar +Planck +Planck's +plane +planed +planeload +planeload's +planeloads +planer +planer's +planers +plane's +planes +planet +planetarium +planetarium's +planetariums +planetary +planet's +planets +plangency +plangency's +plangent +planing +plank +planked +planking +planking's +plank's +planks +plankton +plankton's +planned +planner +planner's +planners +planning +plannings +Plano +plan's +plans +plant +Plantagenet +Plantagenet's +plantain +plantain's +plantains +plantar +plantation +plantation's +plantations +planted +planter +planter's +planters +planting +planting's +plantings +plantlike +plant's +plants +plaque +plaque's +plaques +plash +plashed +plashes +plashing +plash's +plasma +plasma's +plaster +plasterboard +plasterboard's +plastered +plasterer +plasterer's +plasterers +plastering +plaster's +plasters +plastic +Plasticine +Plasticine's +plasticity +plasticity's +plasticize +plasticized +plasticizes +plasticizing +plastic's +plastics +plastique +plat +Plataea +Plataea's +plate +plateau +plateaued +plateauing +plateau's +plateaus +plated +plateful +plateful's +platefuls +platelet +platelet's +platelets +platen +platen's +platens +plate's +plates +platform +platformed +platforming +platform's +platforms +Plath +Plath's +plating +plating's +platinum +platinum's +platitude +platitude's +platitudes +platitudinous +Plato +Platonic +platonic +Platonism +Platonism's +Platonist +Platonist's +platoon +platooned +platooning +platoon's +platoons +Plato's +plat's +plats +Platte +platted +platter +platter's +platters +Platte's +platting +platy +platypus +platypuses +platypus's +platy's +platys +plaudit +plaudit's +plaudits +plausibility +plausibility's +plausible +plausibly +Plautus +Plautus's +play +playable +playact +playacted +playacting +playacting's +playacts +playback +playback's +playbacks +playbill +playbill's +playbills +playbook +playbook's +playbooks +Playboy +playboy +Playboy's +playboy's +playboys +played +player +player's +players +playfellow +playfellow's +playfellows +playful +playfully +playfulness +playfulness's +playgirl +playgirl's +playgirls +playgoer +playgoer's +playgoers +playground +playground's +playgrounds +playgroup +playgroups +playhouse +playhouse's +playhouses +playing +playlist +playlist's +playlists +playmate +playmate's +playmates +playoff +playoff's +playoffs +playpen +playpen's +playpens +playroom +playroom's +playrooms +play's +plays +playschool +playschools +PlayStation +PlayStation's +Playtex +Playtex's +plaything +plaything's +playthings +playtime +playtime's +playwright +playwright's +playwrights +plaza +plaza's +plazas +plea +plead +pleaded +pleader +pleader's +pleaders +pleading +pleadingly +pleading's +pleadings +pleads +plea's +pleas +pleasant +pleasanter +pleasantest +pleasantly +pleasantness +pleasantness's +pleasantries +pleasantry +pleasantry's +please +pleased +pleases +pleasing +pleasingly +pleasings +pleasurable +pleasurably +pleasure +pleasured +pleasureful +pleasure's +pleasures +pleasuring +pleat +pleated +pleating +pleat's +pleats +pleb +plebby +plebe +plebeian +plebeian's +plebeians +plebe's +plebes +plebiscite +plebiscite's +plebiscites +plebs +plectra +plectrum +plectrum's +plectrums +pledge +pledged +pledge's +pledges +pledging +Pleiades +Pleiades's +Pleistocene +Pleistocene's +plenaries +plenary +plenary's +plenipotentiaries +plenipotentiary +plenipotentiary's +plenitude +plenitude's +plenitudes +plenteous +plentiful +plentifully +plenty +plenty's +plenum +plenums +pleonasm +pleonasm's +pleonasms +plethora +plethora's +pleura +pleurae +pleura's +pleurisy +pleurisy's +Plexiglas +Plexiglases +Plexiglas's +plexus +plexuses +plexus's +pliability +pliability's +pliable +pliancy +pliancy's +pliant +pliantly +plied +pliers +pliers's +plies +plight +plighted +plighting +plight's +plights +plimsoll +plimsolls +plinth +plinth's +plinths +Pliny +Pliny's +Pliocene +Pliocene's +Pliocenes +PLO +plod +plodded +plodder +plodder's +plodders +plodding +ploddings +plods +plonk +plonked +plonker +plonkers +plonking +plonks +plop +plopped +plopping +plop's +plops +PLO's +plosive +plosives +plot +plot's +plots +plotted +plotter +plotter's +plotters +plotting +plover +plover's +plovers +plow +plowed +plowing +plowman +plowman's +plowmen +plow's +plows +plowshare +plowshare's +plowshares +ploy +ploy's +ploys +pluck +plucked +pluckier +pluckiest +pluckily +pluckiness +pluckiness's +plucking +pluck's +plucks +plucky +plug +plugged +plugging +plughole +plugholes +plugin +plugin's +plugins +plug's +plugs +plum +plumage +plumage's +plumb +plumbed +plumber +plumber's +plumbers +plumbing +plumbing's +plumbings +plumb's +plumbs +plume +plumed +plume's +plumes +plumier +plumiest +pluming +plummet +plummeted +plummeting +plummet's +plummets +plummy +plump +plumped +plumper +plumpest +plumping +plumply +plumpness +plumpness's +plump's +plumps +plum's +plums +plumy +plunder +plundered +plunderer +plunderer's +plunderers +plundering +plunder's +plunders +plunge +plunged +plunger +plunger's +plungers +plunge's +plunges +plunging +plunk +plunked +plunking +plunk's +plunks +pluperfect +pluperfect's +pluperfects +plural +pluralism +pluralism's +pluralist +pluralistic +pluralist's +pluralists +pluralities +plurality +plurality's +pluralization +pluralization's +pluralize +pluralized +pluralizes +pluralizing +plural's +plurals +plus +pluses +plush +plusher +plushest +plushier +plushiest +plushly +plushness +plushness's +plush's +plushy +plus's +Plutarch +Plutarch's +Pluto +plutocracies +plutocracy +plutocracy's +plutocrat +plutocratic +plutocrat's +plutocrats +plutonium +plutonium's +Pluto's +pluvial +ply +plying +Plymouth +Plymouth's +ply's +plywood +plywood's +PM +Pm +pm +PMed +PMing +PM's +PMS +PMs +Pm's +PMS's +pneumatic +pneumatically +pneumococcal +pneumococci +pneumococcus +pneumonia +pneumonia's +PO +Po +poach +poached +poacher +poacher's +poachers +poaches +poaching +poaching's +Pocahontas +Pocahontas's +pock +pocked +pocket +pocketbook +pocketbook's +pocketbooks +pocketed +pocketful +pocketful's +pocketfuls +pocketing +pocketknife +pocketknife's +pocketknives +pocket's +pockets +pocking +pockmark +pockmarked +pockmarking +pockmark's +pockmarks +pock's +pocks +Pocono +Pocono's +Poconos +Poconos's +pod +podcast +podcasting +podcast's +podcasts +podded +podding +Podgorica +Podgorica's +Podhoretz +Podhoretz's +podiatrist +podiatrist's +podiatrists +podiatry +podiatry's +podium +podium's +podiums +pod's +pods +Podunk +Podunk's +Poe +poem +poem's +poems +Poe's +poesy +poesy's +poet +poetaster +poetaster's +poetasters +poetess +poetesses +poetess's +poetic +poetical +poetically +poetics +poetry +poetry's +poet's +poets +Pogo +Pogo's +pogrom +pogrom's +pogroms +poi +poignancy +poignancy's +poignant +poignantly +Poincaré +Poincare +Poincare's +Poincaré's +poinciana +poinciana's +poincianas +poinsettia +poinsettia's +poinsettias +point +pointblank +pointed +pointedly +pointer +pointer's +pointers +pointier +pointiest +pointillism +pointillism's +pointillist +pointillist's +pointillists +pointing +pointless +pointlessly +pointlessness +pointlessness's +point's +points +pointy +Poiret +Poiret's +Poirot +Poirot's +poi's +poise +poised +poise's +poises +poising +poison +poisoned +poisoner +poisoner's +poisoners +poisoning +poisoning's +poisonings +poisonous +poisonously +poison's +poisons +Poisson +Poisson's +Poitier +Poitier's +poke +poked +Pokemon +Pokemon's +poker +poker's +pokers +poke's +pokes +pokey +pokey's +pokeys +pokier +pokiest +poking +Pokémon +Pokémon's +poky +Pol +pol +Poland +Poland's +Polanski +Polanski's +polar +Polaris +Polaris's +polarities +polarity +polarity's +polarization +polarization's +polarize +polarized +polarizes +polarizing +Polaroid +Polaroid's +Polaroids +Pole +pole +poleaxe +poleaxed +poleaxes +poleaxing +polecat +polecat's +polecats +poled +polemic +polemical +polemically +polemicist +polemicist's +polemicists +polemic's +polemics +polemics's +Pole's +Poles +pole's +poles +polestar +polestar's +polestars +police +policed +policeman +policeman's +policemen +police's +polices +policewoman +policewoman's +policewomen +policies +policing +policy +policyholder +policyholder's +policyholders +policymaker +policymakers +policy's +poling +polio +poliomyelitis +poliomyelitis's +polio's +polios +Polish +polish +polished +polisher +polisher's +polishers +polishes +polishing +Polish's +polish's +Politburo +politburo +Politburo's +politburo's +politburos +polite +politely +politeness +politeness's +politer +politesse +politesse's +politest +politic +political +politically +politician +politician's +politicians +politicization +politicization's +politicize +politicized +politicizes +politicizing +politicking +politicking's +politico +politico's +politicos +politics +politics's +polities +polity +polity's +Polk +polka +polkaed +polkaing +polka's +polkas +Polk's +poll +pollack +pollack's +pollacks +Pollard +pollard +Pollard's +pollards +polled +pollen +pollen's +pollinate +pollinated +pollinates +pollinating +pollination +pollination's +pollinator +pollinator's +pollinators +polling +polling's +polliwog +polliwog's +polliwogs +Pollock +Pollock's +poll's +polls +pollster +pollster's +pollsters +pollutant +pollutant's +pollutants +pollute +polluted +polluter +polluter's +polluters +pollutes +polluting +pollution +pollution's +Pollux +Pollux's +Polly +Pollyanna +Pollyanna's +Polly's +Polo +polo +polonaise +polonaise's +polonaises +polonium +polonium's +Polo's +polo's +Pol's +pol's +pols +Poltava +Poltava's +poltergeist +poltergeist's +poltergeists +poltroon +poltroon's +poltroons +poly +polyacrylamide +polyamories +polyamory +polyandrous +polyandry +polyandry's +polyclinic +polyclinic's +polyclinics +polyester +polyester's +polyesters +polyethylene +polyethylene's +polygamist +polygamist's +polygamists +polygamous +polygamy +polygamy's +polyglot +polyglot's +polyglots +polygon +polygonal +polygon's +polygons +polygraph +polygraphed +polygraphing +polygraph's +polygraphs +polyhedral +polyhedron +polyhedron's +polyhedrons +Polyhymnia +Polyhymnia's +polymath +polymath's +polymaths +polymer +polymeric +polymerization +polymerization's +polymerize +polymerized +polymerizes +polymerizing +polymer's +polymers +polymorphic +polymorphous +Polynesia +Polynesian +Polynesian's +Polynesians +Polynesia's +polynomial +polynomial's +polynomials +polyp +Polyphemus +Polyphemus's +polyphonic +polyphony +polyphony's +polypropylene +polypropylene's +polyp's +polyps +polys +polysemous +polystyrene +polystyrene's +polysyllabic +polysyllable +polysyllable's +polysyllables +polytechnic +polytechnic's +polytechnics +polytheism +polytheism's +polytheist +polytheistic +polytheist's +polytheists +polythene +polyunsaturate +polyunsaturated +polyunsaturates +polyurethane +polyurethane's +polyurethanes +polyvinyl +pom +pomade +pomaded +pomade's +pomades +pomading +pomander +pomander's +pomanders +pomegranate +pomegranate's +pomegranates +Pomerania +Pomeranian +Pomeranian's +Pomerania's +pommel +pommeled +pommeling +pommel's +pommels +pommies +pommy +Pomona +Pomona's +pomp +Pompadour +pompadour +pompadoured +Pompadour's +pompadour's +pompadours +pompano +pompano's +pompanos +Pompeian +Pompeii +Pompeii's +Pompey +Pompey's +pompom +pompom's +pompoms +pomposity +pomposity's +pompous +pompously +pompousness +pompousness's +pomp's +poms +Ponce +ponce +ponced +Ponce's +ponces +poncho +poncho's +ponchos +poncing +poncy +pond +ponder +pondered +ponderer +ponderer's +ponderers +pondering +ponderous +ponderously +ponderousness +ponderousness's +ponders +pond's +ponds +pone +pone's +pones +pong +ponged +pongee +pongee's +ponging +pongs +poniard +poniard's +poniards +ponied +ponies +Pontchartrain +Pontchartrain's +Pontiac +Pontiac's +Pontianak +Pontianak's +pontiff +pontiff's +pontiffs +pontifical +pontifically +pontificate +pontificated +pontificate's +pontificates +pontificating +pontoon +pontoon's +pontoons +pony +ponying +pony's +ponytail +ponytail's +ponytails +poo +pooch +pooched +pooches +pooching +pooch's +poodle +poodle's +poodles +pooed +poof +poof's +poofs +poofter +poofters +Pooh +pooh +poohed +poohing +Pooh's +pooh's +poohs +pooing +pool +Poole +pooled +Poole's +pooling +poolroom +poolroom's +poolrooms +pool's +pools +poolside +poolsides +Poona +Poona's +poop +pooped +pooping +poop's +poops +poor +poorboy +poorboy's +poorer +poorest +poorhouse +poorhouse's +poorhouses +poorly +poorness +poorness's +poos +pop +popcorn +popcorn's +Pope +pope +Pope's +pope's +popes +Popeye +Popeye's +popgun +popgun's +popguns +popinjay +popinjay's +popinjays +poplar +poplar's +poplars +poplin +poplin's +Popocatepetl +Popocatepetl's +popover +popover's +popovers +poppa +poppadom +poppadoms +poppa's +poppas +popped +Popper +popper +Popper's +popper's +poppers +poppet +poppets +poppies +popping +Poppins +Poppins's +poppy +poppycock +poppycock's +poppy's +pop's +pops +Popsicle +Popsicle's +populace +populace's +populaces +popular +popularity +popularity's +popularization +popularization's +popularize +popularized +popularizes +popularizing +popularly +populate +populated +populates +populating +population +population's +populations +populism +populism's +populist +populist's +populists +populous +populousness +populousness's +popup +popup's +popups +porcelain +porcelain's +porcelains +porch +porches +porch's +porcine +porcupine +porcupine's +porcupines +pore +pored +pore's +pores +Porfirio +Porfirio's +porgies +porgy +porgy's +poring +pork +porker +porker's +porkers +porkier +porkies +porkiest +pork's +porky +porky's +porn +porno +pornographer +pornographer's +pornographers +pornographic +pornographically +pornography +pornography's +porno's +porn's +porosity +porosity's +porous +porousness +porousness's +porphyritic +porphyry +porphyry's +porpoise +porpoised +porpoise's +porpoises +porpoising +porridge +porridge's +Porrima +Porrima's +porringer +porringer's +porringers +Porsche +Porsche's +Port +port +portability +portability's +portable +portable's +portables +portage +portaged +portage's +portages +portaging +portal +portal's +portals +portcullis +portcullises +portcullis's +ported +portend +portended +portending +portends +portent +portentous +portentously +portentousness +portent's +portents +Porter +porter +porterhouse +porterhouse's +porterhouses +Porter's +porter's +porters +portfolio +portfolio's +portfolios +porthole +porthole's +portholes +Portia +Portia's +portico +porticoes +portico's +portiere +portiere's +portieres +porting +portion +portioned +portioning +portion's +portions +portière +portière's +portières +Portland +Portland's +portlier +portliest +portliness +portliness's +portly +portmanteau +portmanteau's +portmanteaus +Porto +Porto's +portrait +portraitist +portraitist's +portraitists +portrait's +portraits +portraiture +portraiture's +portray +portrayal +portrayal's +portrayals +portrayed +portraying +portrays +Port's +port's +ports +Portsmouth +Portsmouth's +Portugal +Portugal's +Portuguese +Portuguese's +portulaca +portulaca's +Po's +pose +posed +Poseidon +Poseidon's +poser +poser's +posers +pose's +poses +poseur +poseur's +poseurs +posh +posher +poshest +posies +posing +posit +posited +positing +position +positional +positioned +positioning +position's +positions +positive +positively +positiveness +positiveness's +positive's +positives +positivism +positivist +positivists +positron +positron's +positrons +posits +poss +posse +posse's +posses +possess +possessed +possesses +possessing +possession +possession's +possessions +possessive +possessively +possessiveness +possessiveness's +possessive's +possessives +possessor +possessor's +possessors +possibilities +possibility +possibility's +possible +possible's +possibles +possibly +possum +possum's +possums +Post +post +postage +postage's +postal +postbag +postbags +postbox +postboxes +postcard +postcard's +postcards +postcode +postcodes +postcolonial +postconsonantal +postdate +postdated +postdates +postdating +postdoc +postdoc's +postdocs +postdoctoral +posted +poster +posterior +posterior's +posteriors +posterity +posterity's +poster's +posters +postgraduate +postgraduate's +postgraduates +posthaste +posthumous +posthumously +posthypnotic +postie +posties +postilion +postilion's +postilions +postindustrial +posting +posting's +postings +postlude +postlude's +postludes +postman +postman's +postmark +postmarked +postmarking +postmark's +postmarks +postmaster +postmaster's +postmasters +postmen +postmenopausal +postmeridian +postmistress +postmistresses +postmistress's +postmodern +postmodernism +postmodernism's +postmodernist +postmodernist's +postmodernists +postmortem +postmortem's +postmortems +postnasal +postnatal +postoperative +postpaid +postpartum +postpone +postponed +postponement +postponement's +postponements +postpones +postponing +postprandial +Post's +post's +posts +postscript +postscript's +postscripts +postseason +postseason's +postseasons +postsynaptic +postulate +postulated +postulate's +postulates +postulating +postulation +postulation's +postulations +postural +posture +postured +posture's +postures +posturing +posturing's +posturings +postwar +postwoman +postwomen +posy +posy's +pot +potability +potability's +potable +potable's +potables +potash +potash's +potassium +potassium's +potato +potatoes +potato's +potbellied +potbellies +potbelly +potbelly's +potboiler +potboiler's +potboilers +Potemkin +Potemkin's +potency +potency's +potent +potentate +potentate's +potentates +potential +potentialities +potentiality +potentiality's +potentially +potential's +potentials +potentiate +potentiated +potentiates +potentiating +potently +potful +potful's +potfuls +pothead +pothead's +potheads +pother +potherb +potherb's +potherbs +pothered +pothering +pother's +pothers +potholder +potholder's +potholders +pothole +potholed +potholer +potholers +pothole's +potholes +potholing +pothook +pothook's +pothooks +potion +potion's +potions +potluck +potluck's +potlucks +Potomac +Potomac's +potpie +potpie's +potpies +potpourri +potpourri's +potpourris +pot's +pots +Potsdam +Potsdam's +potsherd +potsherd's +potsherds +potshot +potshot's +potshots +pottage +pottage's +Pottawatomie +Pottawatomie's +potted +Potter +potter +pottered +potteries +pottering +Potter's +potter's +potters +pottery +pottery's +pottier +potties +pottiest +pottiness +potting +Potts +Potts's +potty +potty's +pouch +pouched +pouches +pouching +pouch's +pouf +pouffe +pouffes +poufs +poulterer +poulterer's +poulterers +poultice +poulticed +poultice's +poultices +poulticing +poultry +poultry's +pounce +pounced +pounce's +pounces +pouncing +Pound +pound +poundage +poundage's +pounded +pounding +pounding's +poundings +Pound's +pound's +pounds +pour +poured +pouring +pourings +pours +Poussin +Poussin's +pout +pouted +pouter +pouter's +pouters +pouting +pout's +pouts +poverty +poverty's +POW +pow +powder +powdered +powdering +powder's +powders +powdery +Powell +Powell's +power +powerboat +powerboat's +powerboats +powered +powerful +powerfully +powerhouse +powerhouse's +powerhouses +powering +powerless +powerlessly +powerlessness +powerlessness's +PowerPC +PowerPC's +PowerPoint +PowerPoint's +Powers +power's +powers +Powers's +Powhatan +Powhatan's +POW's +powwow +powwowed +powwowing +powwow's +powwows +pox +poxes +pox's +Poznan +Poznan's +PP +pp +ppm +ppr +PPS +PR +Pr +pr +practicability +practicability's +practicable +practicably +practical +practicalities +practicality +practicality's +practically +practical's +practicals +practice +practiced +practice's +practices +practicing +practicum +practicum's +practicums +practitioner +practitioner's +practitioners +Prada +Prada's +Prado +Prado's +praetor +Praetorian +praetorian +Praetorian's +praetor's +praetors +pragmatic +pragmatical +pragmatically +pragmatic's +pragmatics +pragmatism +pragmatism's +pragmatist +pragmatist's +pragmatists +Prague +Prague's +Praia +Praia's +prairie +prairie's +prairies +praise +praised +praise's +praises +praiseworthiness +praiseworthiness's +praiseworthy +praising +Prakrit +Prakrit's +praline +praline's +pralines +pram +pram's +prams +prance +pranced +prancer +prancer's +prancers +prance's +prances +prancing +prancingly +prang +pranged +pranging +prangs +prank +prank's +pranks +prankster +prankster's +pranksters +praseodymium +praseodymium's +prat +Pratchett +Pratchett's +prate +prated +prater +prater's +praters +prate's +prates +pratfall +pratfall's +pratfalls +prating +prats +Pratt +prattle +prattled +prattler +prattler's +prattlers +prattle's +prattles +prattling +Pratt's +Pravda +Pravda's +prawn +prawned +prawning +prawn's +prawns +Praxiteles +Praxiteles's +pray +prayed +prayer +prayerful +prayerfully +prayer's +prayers +praying +prays +PRC +précis +précised +précising +précis's +PRC's +preach +preached +preacher +preacher's +preachers +preaches +preachier +preachiest +preaching +preachment +preachment's +preachy +preadolescence +preadolescence's +preadolescences +Preakness +Preakness's +preamble +preambled +preamble's +preambles +preambling +prearrange +prearranged +prearrangement +prearrangement's +prearranges +prearranging +preassigned +Precambrian +Precambrian's +precancel +precanceled +precanceling +precancel's +precancels +precancerous +precarious +precariously +precariousness +precariousness's +precast +precaution +precautionary +precaution's +precautions +precede +preceded +precedence +precedence's +precedent +precedent's +precedents +precedes +preceding +precept +preceptor +preceptor's +preceptors +precept's +precepts +precinct +precinct's +precincts +preciosity +preciosity's +precious +preciously +preciousness +preciousness's +precipice +precipice's +precipices +precipitant +precipitant's +precipitants +precipitate +precipitated +precipitately +precipitate's +precipitates +precipitating +precipitation +precipitation's +precipitations +precipitous +precipitously +precis +precise +precised +precisely +preciseness +preciseness's +preciser +precises +precisest +precising +precision +precision's +precis's +preclude +precluded +precludes +precluding +preclusion +preclusion's +precocious +precociously +precociousness +precociousness's +precocity +precocity's +precognition +precognition's +precognitive +precolonial +preconceive +preconceived +preconceives +preconceiving +preconception +preconception's +preconceptions +precondition +preconditioned +preconditioning +precondition's +preconditions +precook +precooked +precooking +precooks +precursor +precursor's +precursors +precursory +predate +predated +predates +predating +predator +predator's +predators +predatory +predawn +predecease +predeceased +predeceases +predeceasing +predecessor +predecessor's +predecessors +predefined +predesignate +predesignated +predesignates +predesignating +predestination +predestination's +predestine +predestined +predestines +predestining +predetermination +predetermination's +predetermine +predetermined +predeterminer +predeterminer's +predeterminers +predetermines +predetermining +predicable +predicament +predicament's +predicaments +predicate +predicated +predicate's +predicates +predicating +predication +predication's +predicative +predicatively +predict +predictability +predictability's +predictable +predictably +predicted +predicting +prediction +prediction's +predictions +predictive +predictor +predictor's +predictors +predicts +predigest +predigested +predigesting +predigests +predilection +predilection's +predilections +predispose +predisposed +predisposes +predisposing +predisposition +predisposition's +predispositions +predominance +predominance's +predominant +predominantly +predominate +predominated +predominately +predominates +predominating +preemie +preemie's +preemies +preeminence +preeminence's +preeminent +preeminently +preempt +preempted +preempting +preemption +preemption's +preemptive +preemptively +preempts +preen +preened +preening +preens +preexist +preexisted +preexistence +preexistence's +preexisting +preexists +pref +prefab +prefabbed +prefabbing +prefabricate +prefabricated +prefabricates +prefabricating +prefabrication +prefabrication's +prefab's +prefabs +preface +prefaced +preface's +prefaces +prefacing +prefatory +prefect +prefect's +prefects +prefecture +prefecture's +prefectures +prefer +preferable +preferably +preference +preference's +preferences +preferential +preferentially +preferment +preferment's +preferred +preferring +prefers +prefigure +prefigured +prefigures +prefiguring +prefix +prefixed +prefixes +prefixing +prefix's +preform +preformed +preforming +preforms +prefrontal +pregame +pregame's +pregames +pregnancies +pregnancy +pregnancy's +pregnant +preheat +preheated +preheating +preheats +prehensile +prehistorian +prehistorians +prehistoric +prehistorical +prehistorically +prehistory +prehistory's +prehuman +prejudge +prejudged +prejudges +prejudging +prejudgment +prejudgment's +prejudgments +prejudice +prejudiced +prejudice's +prejudices +prejudicial +prejudicing +prekindergarten +prekindergarten's +prekindergartens +prelacy +prelacy's +prelate +prelate's +prelates +prelim +preliminaries +preliminary +preliminary's +prelim's +prelims +preliterate +prelude +prelude's +preludes +premarital +premature +prematurely +premed +premedical +premeditate +premeditated +premeditates +premeditating +premeditation +premeditation's +premed's +premeds +premenstrual +premier +premiere +premiered +premiere's +premieres +premiering +premier's +premiers +premiership +premiership's +premierships +Preminger +Preminger's +premise +premised +premise's +premises +premising +premium +premium's +premiums +premix +premixed +premixes +premixing +premolar +premolar's +premolars +premonition +premonition's +premonitions +premonitory +Premyslid +Premyslid's +prenatal +prenatally +Prensa +Prensa's +Prentice +Prentice's +prenup +prenup's +prenups +prenuptial +preoccupation +preoccupation's +preoccupations +preoccupied +preoccupies +preoccupy +preoccupying +preoperative +preordain +preordained +preordaining +preordains +preowned +prep +prepackage +prepackaged +prepackages +prepackaging +prepacked +prepaid +preparation +preparation's +preparations +preparatory +prepare +prepared +preparedness +preparedness's +prepares +preparing +prepay +prepaying +prepayment +prepayment's +prepayments +prepays +preponderance +preponderance's +preponderances +preponderant +preponderantly +preponderate +preponderated +preponderates +preponderating +preposition +prepositional +prepositionally +preposition's +prepositions +prepossess +prepossessed +prepossesses +prepossessing +prepossession +prepossession's +prepossessions +preposterous +preposterously +prepped +preppier +preppies +preppiest +prepping +preppy +preppy's +prep's +preps +prepubescence +prepubescence's +prepubescent +prepubescent's +prepubescents +prepuce +prepuce's +prepuces +prequel +prequel's +prequels +prerecord +prerecorded +prerecording +prerecords +preregister +preregistered +preregistering +preregisters +preregistration +preregistration's +prerequisite +prerequisite's +prerequisites +prerogative +prerogative's +prerogatives +Pres +pres +presage +presaged +presage's +presages +presaging +presbyopia +presbyopia's +presbyter +Presbyterian +Presbyterianism +Presbyterianism's +Presbyterianisms +Presbyterian's +Presbyterians +presbyteries +presbyter's +presbyters +presbytery +presbytery's +preschool +preschooler +preschooler's +preschoolers +preschool's +preschools +prescience +prescience's +prescient +presciently +Prescott +Prescott's +prescribe +prescribed +prescribes +prescribing +prescript +prescription +prescription's +prescriptions +prescriptive +prescriptively +prescript's +prescripts +preseason +preseason's +preseasons +presence +presence's +presences +present +presentable +presentably +presentation +presentation's +presentations +presented +presenter +presenter's +presenters +presentiment +presentiment's +presentiments +presenting +presently +presentment +presentment's +presentments +present's +presents +preservable +preservation +preservationist +preservationist's +preservationists +preservation's +preservative +preservative's +preservatives +preserve +preserved +preserver +preserver's +preservers +preserve's +preserves +preserving +preset +presets +presetting +preshrank +preshrink +preshrinking +preshrinks +preshrunk +preside +presided +presidencies +presidency +presidency's +president +presidential +president's +presidents +presides +presiding +presidium +presidium's +Presley +Presley's +presort +presorted +presorting +presorts +press +pressed +presser +presser's +pressers +presses +pressie +pressies +pressing +pressingly +pressing's +pressings +pressman +pressman's +pressmen +press's +pressure +pressured +pressure's +pressures +pressuring +pressurization +pressurization's +pressurize +pressurized +pressurizer +pressurizer's +pressurizers +pressurizes +pressurizing +prestidigitation +prestidigitation's +prestige +prestige's +prestigious +presto +Preston +Preston's +presto's +prestos +presumable +presumably +presume +presumed +presumes +presuming +presumption +presumption's +presumptions +presumptive +presumptuous +presumptuously +presumptuousness +presumptuousness's +presuppose +presupposed +presupposes +presupposing +presupposition +presupposition's +presuppositions +pretax +preteen +preteen's +preteens +pretend +pretended +pretender +pretender's +pretenders +pretending +pretends +pretense +pretense's +pretenses +pretension +pretension's +pretensions +pretentious +pretentiously +pretentiousness +pretentiousness's +preterit +preterit's +preterits +preterm +preternatural +preternaturally +pretest +pretested +pretesting +pretests +pretext +pretext's +pretexts +Pretoria +Pretoria's +pretrial +pretrials +prettied +prettier +pretties +prettiest +prettified +prettifies +prettify +prettifying +prettily +prettiness +prettiness's +pretty +prettying +pretty's +pretzel +pretzel's +pretzels +prevail +prevailed +prevailing +prevails +prevalence +prevalence's +prevalent +prevaricate +prevaricated +prevaricates +prevaricating +prevarication +prevarication's +prevarications +prevaricator +prevaricator's +prevaricators +prevent +preventable +preventative +preventative's +preventatives +prevented +preventing +prevention +prevention's +preventive +preventive's +preventives +prevents +preview +previewed +previewer +previewers +previewing +preview's +previews +previous +previously +prevision +prevision's +previsions +prewar +prey +preyed +preying +prey's +preys +prezzie +prezzies +Priam +Priam's +priapic +Pribilof +Pribilof's +Price +price +priced +priceless +Price's +price's +prices +pricey +pricier +priciest +pricing +prick +pricked +pricker +pricker's +prickers +pricking +prickle +prickled +prickle's +prickles +pricklier +prickliest +prickliness +prickliness's +prickling +prickly +prick's +pricks +pride +prided +prideful +pridefully +pride's +prides +priding +pried +prier +prier's +priers +pries +priest +priestess +priestesses +priestess's +priesthood +priesthood's +priesthoods +Priestley +Priestley's +priestlier +priestliest +priestliness +priestliness's +priestly +priest's +priests +prig +priggish +priggishness +priggishness's +prig's +prigs +prim +primacy +primacy's +primal +primaries +primarily +primary +primary's +primate +primate's +primates +prime +primed +primer +primer's +primers +prime's +primes +primeval +priming +priming's +primitive +primitively +primitiveness +primitiveness's +primitive's +primitives +primly +primmer +primmest +primness +primness's +primogenitor +primogenitor's +primogenitors +primogeniture +primogeniture's +primordial +primordially +primp +primped +primping +primps +primrose +primrose's +primroses +primula +primulas +Prince +prince +princedom +princedom's +princedoms +princelier +princeliest +princeliness +princeliness's +princely +Prince's +prince's +princes +princess +princesses +princess's +Princeton +Princeton's +principal +principalities +principality +principality's +principally +principal's +principals +Principe +Principe's +principle +principled +principle's +principles +print +printable +printed +printer +printer's +printers +printing +printing's +printings +printmaking +printout +printout's +printouts +print's +prints +prion +prions +prior +prioress +prioresses +prioress's +priories +priorities +prioritization +prioritize +prioritized +prioritizes +prioritizing +priority +priority's +prior's +priors +priory +priory's +Priscilla +Priscilla's +prism +prismatic +prism's +prisms +prison +prisoner +prisoner's +prisoners +prison's +prisons +prissier +prissiest +prissily +prissiness +prissiness's +prissy +pristine +prithee +Prius +Prius's +privacy +privacy's +Private +private +privateer +privateer's +privateers +privately +privater +private's +privates +privatest +privation +privation's +privations +privatization +privatization's +privatizations +privatize +privatized +privatizes +privatizing +privet +privet's +privets +privier +privies +priviest +privilege +privileged +privilege's +privileges +privileging +privily +privy +privy's +prize +prized +prizefight +prizefighter +prizefighter's +prizefighters +prizefighting +prizefighting's +prizefight's +prizefights +prize's +prizes +prizewinner +prizewinner's +prizewinners +prizewinning +prizing +PRO +pro +proactive +proactively +prob +probabilistic +probabilities +probability +probability's +probable +probable's +probables +probably +probate +probated +probate's +probates +probating +probation +probational +probationary +probationer +probationer's +probationers +probation's +probe +probed +probe's +probes +probing +probings +probity +probity's +problem +problematic +problematical +problematically +problem's +problems +probosces +proboscis +proboscises +proboscis's +procaine +procaine's +procedural +procedure +procedure's +procedures +proceed +proceeded +proceeding +proceeding's +proceedings +proceeds +proceeds's +process +processable +processed +processes +processing +procession +processional +processional's +processionals +processioned +processioning +procession's +processions +processor +processor's +processors +process's +proclaim +proclaimed +proclaiming +proclaims +proclamation +proclamation's +proclamations +proclivities +proclivity +proclivity's +proconsul +proconsular +proconsul's +proconsuls +procrastinate +procrastinated +procrastinates +procrastinating +procrastination +procrastination's +procrastinator +procrastinator's +procrastinators +procreate +procreated +procreates +procreating +procreation +procreation's +procreative +Procrustean +Procrustean's +Procrustes +Procrustes's +Procter +Procter's +proctor +proctored +proctoring +proctor's +proctors +procurable +procurator +procurator's +procurators +procure +procured +procurement +procurement's +procurer +procurer's +procurers +procures +procuring +Procyon +Procyon's +prod +prodded +prodding +prodigal +prodigality +prodigality's +prodigally +prodigal's +prodigals +prodigies +prodigious +prodigiously +prodigy +prodigy's +prod's +prods +produce +produced +producer +producer's +producers +produce's +produces +producible +producing +product +production +production's +productions +productive +productively +productiveness +productiveness's +productivity +productivity's +product's +products +Prof +prof +profanation +profanation's +profanations +profane +profaned +profanely +profaneness +profaneness's +profanes +profaning +profanities +profanity +profanity's +profess +professed +professedly +professes +professing +profession +professional +professionalism +professionalism's +professionalization +professionalize +professionalized +professionalizes +professionalizing +professionally +professional's +professionals +profession's +professions +professor +professorial +professorially +professor's +professors +professorship +professorship's +professorships +proffer +proffered +proffering +proffer's +proffers +proficiency +proficiency's +proficient +proficiently +proficient's +proficients +profile +profiled +profile's +profiles +profiling +profit +profitability +profitability's +profitable +profitably +profited +profiteer +profiteered +profiteering +profiteering's +profiteer's +profiteers +profiterole +profiterole's +profiteroles +profiting +profitless +profit's +profits +profligacy +profligacy's +profligate +profligately +profligate's +profligates +proforma +profound +profounder +profoundest +profoundly +profoundness +profoundness's +prof's +profs +profundities +profundity +profundity's +profuse +profusely +profuseness +profuseness's +profusion +profusion's +profusions +progenitor +progenitor's +progenitors +progeny +progeny's +progesterone +progesterone's +progestin +progestins +prognathous +prognoses +prognosis +prognosis's +prognostic +prognosticate +prognosticated +prognosticates +prognosticating +prognostication +prognostication's +prognostications +prognosticator +prognosticator's +prognosticators +prognostic's +prognostics +program +programmable +programmable's +programmables +programmatic +programmed +programmer +programmer's +programmers +programming +programming's +programmings +program's +programs +progress +progressed +progresses +progressing +progression +progression's +progressions +progressive +progressively +progressiveness +progressiveness's +progressive's +progressives +progress's +prohibit +prohibited +prohibiting +Prohibition +prohibition +prohibitionist +prohibitionist's +prohibitionists +prohibition's +prohibitions +prohibitive +prohibitively +prohibitory +prohibits +project +projected +projectile +projectile's +projectiles +projecting +projection +projectionist +projectionist's +projectionists +projection's +projections +projector +projector's +projectors +project's +projects +prokaryotic +Prokofiev +Prokofiev's +prolapse +prolapsed +prolapse's +prolapses +prolapsing +prole +proles +proletarian +proletarian's +proletarians +proletariat +proletariat's +proliferate +proliferated +proliferates +proliferating +proliferation +proliferation's +prolific +prolifically +prolix +prolixity +prolixity's +prolixly +prologue +prologue's +prologues +prolong +prolongation +prolongation's +prolongations +prolonged +prolonging +prolongs +prom +promenade +promenaded +promenade's +promenades +promenading +Promethean +Promethean's +Prometheus +Prometheus's +promethium +promethium's +prominence +prominence's +prominent +prominently +promiscuity +promiscuity's +promiscuous +promiscuously +promise +promised +promise's +promises +promising +promisingly +promissory +promo +promontories +promontory +promontory's +promo's +promos +promote +promoted +promoter +promoter's +promoters +promotes +promoting +promotion +promotional +promotion's +promotions +prompt +prompted +prompter +prompter's +prompters +promptest +prompting +prompting's +promptings +promptitude +promptitude's +promptly +promptness +promptness's +prompt's +prompts +prom's +proms +promulgate +promulgated +promulgates +promulgating +promulgation +promulgation's +promulgator +promulgator's +promulgators +pron +prone +proneness +proneness's +prong +pronged +pronghorn +pronghorn's +pronghorns +prong's +prongs +pronominal +pronominal's +pronoun +pronounce +pronounceable +pronounced +pronouncement +pronouncement's +pronouncements +pronounces +pronouncing +pronoun's +pronouns +pronto +pronuclear +pronunciation +pronunciation's +pronunciations +proof +proofed +proofing +proofread +proofreader +proofreader's +proofreaders +proofreading +proofreads +proof's +proofs +prop +propaganda +propaganda's +propagandist +propagandist's +propagandists +propagandize +propagandized +propagandizes +propagandizing +propagate +propagated +propagates +propagating +propagation +propagation's +propagator +propagator's +propagators +propane +propane's +propel +propellant +propellant's +propellants +propelled +propeller +propeller's +propellers +propelling +propels +propensities +propensity +propensity's +proper +properer +properest +properly +proper's +propertied +properties +property +property's +prophecies +prophecy +prophecy's +prophesied +prophesier +prophesier's +prophesiers +prophesies +prophesy +prophesying +prophesy's +prophet +prophetess +prophetesses +prophetess's +prophetic +prophetical +prophetically +Prophets +prophet's +prophets +prophylactic +prophylactic's +prophylactics +prophylaxes +prophylaxis +prophylaxis's +propinquity +propinquity's +propitiate +propitiated +propitiates +propitiating +propitiation +propitiation's +propitiatory +propitious +propitiously +proponent +proponent's +proponents +proportion +proportional +proportionality +proportionally +proportionals +proportionate +proportionately +proportioned +proportioning +proportion's +proportions +proposal +proposal's +proposals +propose +proposed +proposer +proposer's +proposers +proposes +proposing +proposition +propositional +propositioned +propositioning +proposition's +propositions +propound +propounded +propounding +propounds +propped +propping +proprietaries +proprietary +proprietary's +proprieties +proprieties's +proprietor +proprietorial +proprietorially +proprietor's +proprietors +proprietorship +proprietorship's +proprietress +proprietresses +proprietress's +propriety +propriety's +prop's +props +propulsion +propulsion's +propulsive +prorate +prorated +prorates +prorating +prorogation +prorogation's +prorogue +prorogued +prorogues +proroguing +pro's +pros +prosaic +prosaically +proscenium +proscenium's +prosceniums +prosciutto +prosciutto's +proscribe +proscribed +proscribes +proscribing +proscription +proscription's +proscriptions +prose +prosecute +prosecuted +prosecutes +prosecuting +prosecution +prosecution's +prosecutions +prosecutor +prosecutor's +prosecutors +proselyte +proselyted +proselyte's +proselytes +proselyting +proselytism +proselytism's +proselytize +proselytized +proselytizer +proselytizer's +proselytizers +proselytizes +proselytizing +Proserpina +Proserpina's +Proserpine +Proserpine's +prose's +prosier +prosiest +prosodies +prosody +prosody's +prospect +prospected +prospecting +prospective +prospectively +prospector +prospector's +prospectors +prospect's +prospects +prospectus +prospectuses +prospectus's +prosper +prospered +prospering +prosperity +prosperity's +prosperous +prosperously +prospers +prostate +prostate's +prostates +prostheses +prosthesis +prosthesis's +prosthetic +prostitute +prostituted +prostitute's +prostitutes +prostituting +prostitution +prostitution's +prostrate +prostrated +prostrates +prostrating +prostration +prostration's +prostrations +prosy +protactinium +protactinium's +protagonist +protagonist's +protagonists +Protagoras +Protagoras's +protean +protect +protected +protecting +protection +protectionism +protectionism's +protectionist +protectionist's +protectionists +protection's +protections +protective +protectively +protectiveness +protectiveness's +protector +protectorate +protectorate's +protectorates +protector's +protectors +protects +protege +protegee +protegees +protege's +proteges +protein +protein's +proteins +Proterozoic +Proterozoic's +protest +Protestant +protestant +Protestantism +Protestantism's +Protestantisms +Protestant's +Protestants +protestants +protestation +protestation's +protestations +protested +protester +protester's +protesters +protesting +protest's +protests +Proteus +Proteus's +protégé +protégée +protégées +protégé's +protégés +protocol +protocol's +protocols +proton +proton's +protons +protoplasm +protoplasmic +protoplasm's +prototype +prototype's +prototypes +prototypical +prototyping +protozoa +protozoan +protozoan's +protozoans +protozoic +protract +protracted +protracting +protraction +protraction's +protractor +protractor's +protractors +protracts +protrude +protruded +protrudes +protruding +protrusile +protrusion +protrusion's +protrusions +protuberance +protuberance's +protuberances +protuberant +proud +prouder +proudest +Proudhon +Proudhon's +proudly +Proust +Proust's +prov +provability +provability's +provable +provably +prove +proved +proven +Provençal +Provençal's +provenance +provenance's +provenances +Provencal +Provencal's +Provencals +Provence +Provence's +provender +provender's +provenience +provenience's +proverb +proverbial +proverbially +Proverbs +proverb's +proverbs +proves +provide +provided +Providence +providence +Providence's +Providences +providence's +provident +providential +providentially +providently +provider +provider's +providers +provides +providing +province +province's +provinces +provincial +provincialism +provincialism's +provincially +provincial's +provincials +proving +provision +provisional +provisionally +provisioned +provisioning +provision's +provisions +proviso +proviso's +provisos +Provo +provocateur +provocateurs +provocation +provocation's +provocations +provocative +provocatively +provocativeness +provocativeness's +provoke +provoked +provoker +provoker's +provokers +provokes +provoking +provokingly +provolone +provolone's +Provo's +provost +provost's +provosts +prow +prowess +prowess's +prowl +prowled +prowler +prowler's +prowlers +prowling +prowl's +prowls +prow's +prows +proxies +proximal +proximate +proximity +proximity's +proxy +proxy's +Prozac +Prozac's +Prozacs +Pr's +Pôrto +Pôrto's +prude +Prudence +prudence +Prudence's +prudence's +prudent +Prudential +prudential +prudentially +Prudential's +prudently +prudery +prudery's +prude's +prudes +prudish +prudishly +prudishness +prudishness's +Pruitt +Pruitt's +prune +pruned +pruner +pruner's +pruners +prune's +prunes +pruning +prurience +prurience's +prurient +pruriently +Prussia +Prussian +Prussian's +Prussians +Prussia's +Prut +Prut's +pry +prying +Pryor +Pryor's +pry's +P's +PS +psalm +psalmist +psalmist's +psalmists +Psalms +psalm's +psalms +Psalms's +Psalter +psalteries +Psalter's +Psalters +psaltery +psaltery's +psephologist +psephologists +psephology +pseud +pseudo +pseudonym +pseudonymous +pseudonym's +pseudonyms +pseudos +pseudoscience +pseudoscience's +pseudosciences +pseuds +pseudy +pshaw +pshaw's +pshaws +psi +psi's +psis +psittacosis +psittacosis's +psoriasis +psoriasis's +PS's +psst +PST +PST's +psych +Psyche +psyche +psyched +psychedelia +psychedelic +psychedelically +psychedelic's +psychedelics +Psyche's +psyche's +psyches +psychiatric +psychiatrist +psychiatrist's +psychiatrists +psychiatry +psychiatry's +psychic +psychical +psychically +psychic's +psychics +psyching +psycho +psychoactive +psychoanalyses +psychoanalysis +psychoanalysis's +psychoanalyst +psychoanalyst's +psychoanalysts +psychoanalytic +psychoanalytical +psychoanalytically +psychoanalyze +psychoanalyzed +psychoanalyzes +psychoanalyzing +psychobabble +psychobabble's +psychodrama +psychodrama's +psychodramas +psychogenic +psychokinesis +psychokinetic +psychological +psychologically +psychologies +psychologist +psychologist's +psychologists +psychology +psychology's +psychometric +psychoneuroses +psychoneurosis +psychoneurosis's +psychopath +psychopathic +psychopathology +psychopath's +psychopaths +psychopathy +psychopathy's +psychopharmacology +psycho's +psychos +psychoses +psychosis +psychosis's +psychosomatic +psychotherapies +psychotherapist +psychotherapist's +psychotherapists +psychotherapy +psychotherapy's +psychotic +psychotically +psychotic's +psychotics +psychotropic +psychotropic's +psychotropics +psych's +psychs +PT +Pt +pt +PTA +Ptah +Ptah's +Pétain +Pétain's +ptarmigan +ptarmigan's +ptarmigans +PTA's +pterodactyl +pterodactyl's +pterodactyls +PTO +Ptolemaic +Ptolemaic's +Ptolemies +Ptolemy +Ptolemy's +ptomaine +ptomaine's +ptomaines +Pt's +Pu +pub +pubertal +puberty +puberty's +pubes +pubescence +pubescence's +pubescent +pubes's +pubic +pubis +pubis's +public +publican +publican's +publicans +publication +publication's +publications +publicist +publicist's +publicists +publicity +publicity's +publicize +publicized +publicizes +publicizing +publicly +public's +publish +publishable +published +publisher +publisher's +publishers +publishes +publishing +publishing's +pub's +pubs +Puccini +Puccini's +puce +puce's +Puck +puck +pucker +puckered +puckering +pucker's +puckers +Puckett +Puckett's +puckish +puckishly +puckishness +puckishness's +Puck's +puck's +pucks +pud +pudding +pudding's +puddings +puddle +puddled +puddle's +puddles +puddling +puddling's +pudenda +pudendum +pudendum's +pudgier +pudgiest +pudginess +pudginess's +pudgy +puds +Puebla +Puebla's +Pueblo +pueblo +Pueblo's +pueblo's +pueblos +puerile +puerility +puerility's +puerperal +Puerto +puff +puffball +puffball's +puffballs +puffed +puffer +puffer's +puffers +puffier +puffiest +puffin +puffiness +puffiness's +puffing +puffin's +puffins +puff's +puffs +puffy +pug +Puget +Puget's +Pugh +Pugh's +pugilism +pugilism's +pugilist +pugilistic +pugilist's +pugilists +pugnacious +pugnaciously +pugnaciousness +pugnaciousness's +pugnacity +pugnacity's +pug's +pugs +puke +puked +puke's +pukes +puking +pukka +Pulaski +Pulaski's +pulchritude +pulchritude's +pulchritudinous +pule +puled +pules +puling +Pulitzer +Pulitzer's +pull +pullback +pullback's +pullbacks +pulled +puller +puller's +pullers +pullet +pullet's +pullets +pulley +pulley's +pulleys +pulling +Pullman +Pullman's +Pullmans +pullout +pullout's +pullouts +pullover +pullover's +pullovers +pull's +pulls +pulmonary +pulp +pulped +pulpier +pulpiest +pulpiness +pulpiness's +pulping +pulpit +pulpit's +pulpits +pulp's +pulps +pulpwood +pulpwood's +pulpy +pulsar +pulsar's +pulsars +pulsate +pulsated +pulsates +pulsating +pulsation +pulsation's +pulsations +pulse +pulsed +pulse's +pulses +pulsing +pulverization +pulverization's +pulverize +pulverized +pulverizes +pulverizing +puma +puma's +pumas +pumice +pumice's +pumices +pummel +pummeled +pummeling +pummels +pump +pumped +pumper +pumpernickel +pumpernickel's +pumper's +pumpers +pumping +pumpkin +pumpkin's +pumpkins +pump's +pumps +pun +Punch +punch +punchbag +punchbags +punched +puncheon +puncheon's +puncheons +puncher +puncher's +punchers +punches +punchier +punchiest +punching +punchline +punchlines +Punch's +punch's +punchy +punctilio +punctilio's +punctilious +punctiliously +punctiliousness +punctiliousness's +punctual +punctuality +punctuality's +punctually +punctuate +punctuated +punctuates +punctuating +punctuation +punctuation's +puncture +punctured +puncture's +punctures +puncturing +pundit +punditry +punditry's +pundit's +pundits +pungency +pungency's +pungent +pungently +Punic +Punic's +punier +puniest +puniness +puniness's +punish +punishable +punished +punishes +punishing +punishingly +punishment +punishment's +punishments +punitive +punitively +Punjab +Punjabi +Punjabi's +Punjab's +punk +punker +punkest +punk's +punks +punned +punnet +punnets +punning +pun's +puns +punster +punster's +punsters +punt +punted +punter +punter's +punters +punting +punt's +punts +puny +pup +pupa +pupae +pupal +pupa's +pupate +pupated +pupates +pupating +pupil +pupil's +pupils +pupped +puppet +puppeteer +puppeteer's +puppeteers +puppetry +puppetry's +puppet's +puppets +puppies +pupping +puppy +puppy's +pup's +pups +Purana +Purana's +purblind +Purcell +Purcell's +purchasable +purchase +purchased +purchaser +purchaser's +purchasers +purchase's +purchases +purchasing +purdah +purdah's +Purdue +Purdue's +pure +purebred +purebred's +purebreds +puree +pureed +pureeing +puree's +purees +purely +pureness +pureness's +purer +purest +purgative +purgative's +purgatives +purgatorial +purgatories +purgatory +purgatory's +purge +purged +purger +purger's +purgers +purge's +purges +purging +purification +purification's +purified +purifier +purifier's +purifiers +purifies +purify +purifying +Purim +Purim's +Purims +Purina +Purina's +purine +purine's +purines +purism +purism's +purist +puristic +purist's +purists +Puritan +puritan +puritanical +puritanically +Puritanism +puritanism +Puritanism's +Puritanisms +puritanism's +Puritan's +puritan's +puritans +purity +purity's +purl +purled +purlieu +purlieu's +purlieus +purling +purloin +purloined +purloining +purloins +purl's +purls +purple +purpler +purple's +purples +purplest +purplish +purport +purported +purportedly +purporting +purport's +purports +purpose +purposed +purposeful +purposefully +purposefulness +purposefulness's +purposeless +purposelessly +purposelessness +purposely +purpose's +purposes +purposing +purr +purred +purring +purr's +purrs +purse +pursed +purser +purser's +pursers +purse's +purses +pursing +pursuance +pursuance's +pursuant +pursue +pursued +pursuer +pursuer's +pursuers +pursues +pursuing +pursuit +pursuit's +pursuits +purulence +purulence's +purulent +Purus +Purus's +purvey +purveyance +purveyance's +purveyed +purveying +purveyor +purveyor's +purveyors +purveys +purview +purview's +Pu's +pus +Pusan +Pusan's +Pusey +Pusey's +push +pushbike +pushbikes +pushcart +pushcart's +pushcarts +pushchair +pushchairs +pushed +pusher +pusher's +pushers +pushes +pushier +pushiest +pushily +pushiness +pushiness's +pushing +Pushkin +Pushkin's +pushover +pushover's +pushovers +pushpin +pushpins +push's +Pushtu +Pushtu's +pushy +pusillanimity +pusillanimity's +pusillanimous +pusillanimously +pus's +puss +pusses +pussier +pussies +pussiest +puss's +pussy +pussycat +pussycat's +pussycats +pussyfoot +pussyfooted +pussyfooting +pussyfoots +pussy's +pustular +pustule +pustule's +pustules +put +putative +Putin +Putin's +Putnam +Putnam's +putout +putout's +putouts +putrefaction +putrefaction's +putrefactive +putrefied +putrefies +putrefy +putrefying +putrescence +putrescence's +putrescent +putrid +put's +puts +putsch +putsches +putsch's +putt +putted +puttee +puttee's +puttees +putter +puttered +putterer +putterer's +putterers +puttering +putter's +putters +puttied +putties +putting +putt's +putts +putty +puttying +putty's +putz +putzes +Puzo +Puzo's +puzzle +puzzled +puzzlement +puzzlement's +puzzler +puzzler's +puzzlers +puzzle's +puzzles +puzzling +PVC +PVC's +Pvt +pvt +PW +pwn +pwned +pwning +pwns +PX +pyelonephritis +Pygmalion +Pygmalion's +Pygmies +pygmies +Pygmy +pygmy +Pygmy's +pygmy's +Pyle +Pyle's +pylon +pylon's +pylons +pylori +pyloric +pylorus +pylorus's +Pym +Pym's +Pynchon +Pynchon's +Pyongyang +Pyongyang's +pyorrhea +pyorrhea's +Pyotr +Pyotr's +pyramid +pyramidal +pyramided +pyramiding +pyramid's +pyramids +pyre +Pyrenees +Pyrenees's +pyre's +pyres +Pyrex +Pyrexes +Pyrex's +pyrimidine +pyrimidine's +pyrimidines +pyrite +pyrite's +pyrites +pyrites's +pyromania +pyromaniac +pyromaniac's +pyromaniacs +pyromania's +pyrotechnic +pyrotechnical +pyrotechnics +pyrotechnics's +Pyrrhic +Pyrrhic's +pyruvate +Pythagoras +Pythagoras's +Pythagorean +Pythagorean's +Pythias +Pythias's +Python +python +Python's +python's +pythons +pyx +pyxes +pyx's +pzazz +Q +q +QA +Qaddafi +Qaddafi's +Qantas +Qantas's +Qatar +Qatari +Qatari's +Qataris +Qatar's +QB +QC +QED +Qingdao +Qingdao's +Qiqihar +Qiqihar's +QM +Qom +Qom's +qr +qt +qts +qty +qua +Quaalude +Quaalude's +quack +quacked +quackery +quackery's +quacking +quack's +quacks +quad +quadrangle +quadrangle's +quadrangles +quadrangular +quadrant +quadrant's +quadrants +quadraphonic +quadratic +quadratic's +quadratics +quadrature +quadrennial +quadrennium +quadrennium's +quadrenniums +quadriceps +quadricepses +quadriceps's +quadrilateral +quadrilateral's +quadrilaterals +quadrille +quadrille's +quadrilles +quadrillion +quadrillion's +quadrillions +quadriplegia +quadriplegia's +quadriplegic +quadriplegic's +quadriplegics +quadrivium +quadrivium's +quadruped +quadrupedal +quadruped's +quadrupeds +quadruple +quadrupled +quadruple's +quadruples +quadruplet +quadruplet's +quadruplets +quadruplicate +quadruplicated +quadruplicate's +quadruplicates +quadruplicating +quadruplication +quadruplication's +quadrupling +quad's +quads +quaff +quaffed +quaffing +quaff's +quaffs +quagmire +quagmire's +quagmires +quahog +quahog's +quahogs +quail +quailed +quailing +quail's +quails +quaint +quainter +quaintest +quaintly +quaintness +quaintness's +quake +quaked +Quaker +Quakerism +Quakerism's +Quakerisms +Quaker's +Quakers +quake's +quakes +quaking +quaky +qualification +qualification's +qualifications +qualified +qualifier +qualifier's +qualifiers +qualifies +qualify +qualifying +qualitative +qualitatively +qualities +quality +quality's +qualm +qualmish +qualm's +qualms +quandaries +quandary +quandary's +quango +quangos +quanta +quantifiable +quantification +quantification's +quantified +quantifier +quantifier's +quantifiers +quantifies +quantify +quantifying +quantitative +quantitatively +quantities +quantity +quantity's +quantum +quantum's +Quaoar +Quaoar's +quarantine +quarantined +quarantine's +quarantines +quarantining +quark +quark's +quarks +quarrel +quarreled +quarreler +quarreler's +quarrelers +quarreling +quarrel's +quarrels +quarrelsome +quarrelsomeness +quarrelsomeness's +quarried +quarries +quarry +quarrying +quarry's +quart +quarter +quarterback +quarterbacked +quarterbacking +quarterback's +quarterbacks +quarterdeck +quarterdeck's +quarterdecks +quartered +quarterfinal +quarterfinal's +quarterfinals +quartering +quarterlies +quarterly +quarterly's +quartermaster +quartermaster's +quartermasters +quarter's +quarters +quarterstaff +quarterstaff's +quarterstaves +quartet +quartet's +quartets +quarto +quarto's +quartos +quart's +quarts +quartz +quartz's +quasar +quasar's +quasars +quash +quashed +quashes +quashing +quasi +Quasimodo +Quasimodo's +Quaternary +Quaternary's +quatrain +quatrain's +quatrains +quaver +quavered +quavering +quaver's +quavers +quavery +quay +Quayle +Quayle's +quay's +quays +quayside +quaysides +Québecois +Québecois's +Que +queasier +queasiest +queasily +queasiness +queasiness's +queasy +Quebec +Quebecois +Quebecois's +Quebec's +Quechua +Quechua's +Queen +queen +queened +queening +queenlier +queenliest +queenly +Queen's +Queens +queen's +queens +Queensland +Queensland's +Queens's +queer +queered +queerer +queerest +queering +queerly +queerness +queerness's +queer's +queers +quell +quelled +quelling +quells +quench +quenchable +quenched +quencher +quencher's +quenchers +quenches +quenching +quenchless +Quentin +Quentin's +queried +queries +querulous +querulously +querulousness +querulousness's +query +querying +query's +ques +quesadilla +quesadilla's +quesadillas +quest +quested +questing +question +questionable +questionably +questioned +questioner +questioner's +questioners +questioning +questioningly +questioning's +questionings +questionnaire +questionnaire's +questionnaires +question's +questions +quest's +quests +Quetzalcoatl +Quetzalcoatl's +queue +queued +queue's +queues +queuing +Quezon +Quezon's +quibble +quibbled +quibbler +quibbler's +quibblers +quibble's +quibbles +quibbling +quiche +quiche's +quiches +quick +quicken +quickened +quickening +quickens +quicker +quickest +quickfire +quickie +quickie's +quickies +quicklime +quicklime's +quickly +quickness +quickness's +quick's +quicksand +quicksand's +quicksands +quicksilver +quicksilver's +quickstep +quickstep's +quicksteps +quid +quid's +quids +quiescence +quiescence's +quiescent +quiescently +quiet +quieted +quieten +quietened +quietening +quietens +quieter +quietest +quieting +quietism +quietly +quietness +quietness's +quiet's +quiets +quietude +quietude's +quietus +quietuses +quietus's +quiff +quiffs +quill +quill's +quills +quilt +quilted +quilter +quilter's +quilters +quilting +quilting's +quilt's +quilts +quin +quince +quince's +quinces +Quincy +Quincy's +quine +quines +quinidine +quinine +quinine's +Quinn +Quinn's +quinoa +quins +quinsy +quinsy's +quint +quintessence +quintessence's +quintessences +quintessential +quintessentially +quintet +quintet's +quintets +Quintilian +Quintilian's +Quinton +Quinton's +quint's +quints +quintuple +quintupled +quintuple's +quintuples +quintuplet +quintuplet's +quintuplets +quintupling +quip +quipped +quipping +quip's +quips +quipster +quipster's +quipsters +quire +quire's +quires +Quirinal +Quirinal's +quirk +quirked +quirkier +quirkiest +quirkiness +quirkiness's +quirking +quirk's +quirks +quirky +quirt +quirt's +quirts +Quisling +quisling +Quisling's +quisling's +quislings +quit +quitclaim +quitclaim's +quitclaims +quite +Quito +Quito's +quits +quittance +quittance's +quitter +quitter's +quitters +quitting +quiver +quivered +quivering +quiver's +quivers +quivery +Quixote +Quixote's +quixotic +quixotically +Quixotism +Quixotism's +quiz +quiz's +quizzed +quizzer +quizzer's +quizzers +quizzes +quizzical +quizzically +quizzing +Qumran +Qumran's +quo +quoin +quoin's +quoins +quoit +quoited +quoiting +quoit's +quoits +quondam +Quonset +Quonset's +quorate +quorum +quorum's +quorums +quot +quota +quotability +quotability's +quotable +quota's +quotas +quotation +quotation's +quotations +quote +quoted +quote's +quotes +quoth +quotidian +quotient +quotient's +quotients +quoting +QWERTY +qwerty +R +r +Ra +Rabat +Rabat's +rabbet +rabbeted +rabbeting +rabbet's +rabbets +rabbi +rabbinate +rabbinate's +rabbinic +rabbinical +rabbi's +rabbis +rabbit +rabbited +rabbiting +rabbit's +rabbits +rabble +rabble's +rabbles +Rabelais +Rabelaisian +Rabelaisian's +Rabelais's +rabid +rabidly +rabidness +rabidness's +rabies +rabies's +Rabin +Rabin's +raccoon +raccoon's +race +racecourse +racecourse's +racecourses +raced +racegoer +racegoers +racehorse +racehorse's +racehorses +raceme +raceme's +racemes +racer +racer's +racers +race's +races +racetrack +racetrack's +racetracks +raceway +raceway's +raceways +Rachael +Rachael's +Rachel +Rachelle +Rachelle's +Rachel's +Rachmaninoff +Rachmaninoff's +racial +racialism +racialism's +racialist +racialist's +racialists +racially +racier +raciest +racily +Racine +Racine's +raciness +raciness's +racing +racing's +racism +racism's +racist +racist's +racists +rack +racked +racket +racketed +racketeer +racketeered +racketeering +racketeering's +racketeer's +racketeers +racketing +racket's +rackets +racking +rack's +racks +raconteur +raconteur's +raconteurs +racquetball +racquetball's +racquetballs +racy +rad +radar +radar's +radars +radarscope +radarscope's +radarscopes +Radcliffe +Radcliffe's +raddled +radial +radially +radial's +radials +radian +radiance +radiance's +radians +radiant +radiantly +radiate +radiated +radiates +radiating +radiation +radiation's +radiations +radiator +radiator's +radiators +radical +radicalism +radicalism's +radicalization +radicalization's +radicalize +radicalized +radicalizes +radicalizing +radically +radical's +radicals +radicchio +radicchio's +radii +radio +radioactive +radioactively +radioactivity +radioactivity's +radiocarbon +radiocarbon's +radioed +radiogram +radiogram's +radiograms +radiographer +radiographer's +radiographers +radiography +radiography's +radioing +radioisotope +radioisotope's +radioisotopes +radiologist +radiologist's +radiologists +radiology +radiology's +radioman +radioman's +radiomen +radiometer +radiometer's +radiometers +radiometric +radiometry +radiometry's +radiophone +radiophone's +radiophones +radio's +radios +radioscopy +radioscopy's +radiosonde +radiosonde's +radiosondes +radiosurgery +radiotelegraph +radiotelegraph's +radiotelegraphs +radiotelegraphy +radiotelegraphy's +radiotelephone +radiotelephone's +radiotelephones +radiotherapist +radiotherapist's +radiotherapists +radiotherapy +radiotherapy's +radish +radishes +radish's +radium +radium's +radius +radius's +radon +radon's +rad's +rads +Rae +Rae's +RAF +Rafael +Rafael's +raffia +raffia's +raffish +raffishly +raffishness +raffishness's +raffle +raffled +Raffles +raffle's +raffles +Raffles's +raffling +RAF's +raft +rafted +rafter +rafter's +rafters +rafting +rafting's +raft's +rafts +rag +raga +ragamuffin +ragamuffin's +ragamuffins +raga's +ragas +ragbag +ragbag's +rage +raged +rage's +rages +ragga +ragged +raggeder +raggedest +raggedier +raggediest +raggedly +raggedness +raggedness's +raggedy +ragging +raging +ragingly +raglan +raglan's +raglans +Ragnarök +Ragnarök's +Ragnarok +Ragnarok's +ragout +ragout's +ragouts +rag's +rags +ragtag +ragtags +ragtime +ragtime's +ragweed +ragweed's +ragwort +rah +raid +raided +raider +raider's +raiders +raiding +raid's +raids +rail +railcard +railcards +railed +railing +railing's +railings +railleries +raillery +raillery's +railroad +railroaded +railroader +railroader's +railroaders +railroading +railroading's +railroad's +railroads +rail's +rails +railway +railwayman +railwaymen +railway's +railways +raiment +raiment's +rain +rainbow +rainbow's +rainbows +raincoat +raincoat's +raincoats +raindrop +raindrop's +raindrops +rained +rainfall +rainfall's +rainfalls +Rainier +rainier +Rainier's +rainiest +raining +rainmaker +rainmaker's +rainmakers +rainmaking +rainmaking's +rainproof +rain's +rains +rainstorm +rainstorm's +rainstorms +rainwater +rainwater's +rainy +raise +raised +raiser +raiser's +raisers +raise's +raises +raisin +raising +raisin's +raisins +rajah +rajah's +rajahs +rake +raked +rake's +rakes +raking +rakish +rakishly +rakishness +rakishness's +Raleigh +Raleigh's +rallied +rallies +rally +rallying +rally's +Ralph +Ralph's +RAM +ram +Rama +Ramada +Ramadan +Ramadan's +Ramadans +Ramada's +Ramakrishna +Ramakrishna's +Ramanujan +Ramanujan's +Rama's +Ramayana +Ramayana's +ramble +rambled +rambler +rambler's +ramblers +ramble's +rambles +rambling +ramblings +Rambo +Rambo's +rambunctious +rambunctiously +rambunctiousness +rambunctiousness's +ramekin +ramekin's +ramekins +ramie +ramie's +ramification +ramification's +ramifications +ramified +ramifies +ramify +ramifying +Ramirez +Ramirez's +Ramiro +Ramiro's +ramjet +ramjet's +ramjets +rammed +ramming +Ramon +Ramona +Ramona's +Ramon's +Ramos +Ramos's +ramp +rampage +rampaged +rampage's +rampages +rampaging +rampancy +rampancy's +rampant +rampantly +rampart +rampart's +ramparts +ramping +ramp's +ramps +ramrod +ramrodded +ramrodding +ramrod's +ramrods +RAM's +RAMs +ram's +rams +Ramsay +Ramsay's +Ramses +Ramses's +Ramsey +Ramsey's +ramshackle +ran +ranch +ranched +rancher +rancher's +ranchers +ranches +ranching +ranching's +ranch's +rancid +rancidity +rancidity's +rancidness +rancidness's +rancor +rancorous +rancorously +rancor's +Rand +rand +Randal +Randall +Randall's +Randal's +Randell +Randell's +Randi +randier +randiest +randiness +randiness's +Randi's +Randolph +Randolph's +random +randomization +randomization's +randomize +randomized +randomizes +randomizing +randomly +randomness +randomnesses +randomness's +randoms +Rand's +rand's +Randy +randy +Randy's +ranee +ranee's +ranees +rang +range +ranged +rangefinder +rangefinders +ranger +ranger's +rangers +range's +ranges +rangier +rangiest +ranginess +ranginess's +ranging +Rangoon +Rangoon's +rangy +rank +ranked +ranker +rankest +Rankin +Rankine +Rankine's +ranking +ranking's +rankings +Rankin's +rankle +rankled +rankles +rankling +rankly +rankness +rankness's +rank's +ranks +ransack +ransacked +ransacking +ransacks +ransom +ransomed +ransomer +ransomer's +ransomers +ransoming +ransom's +ransoms +ransomware +rant +ranted +ranter +ranter's +ranters +ranting +rantings +rant's +rants +Raoul +Raoul's +rap +rapacious +rapaciously +rapaciousness +rapaciousness's +rapacity +rapacity's +rape +raped +raper +raper's +rapers +rape's +rapes +rapeseed +rapeseed's +Raphael +Raphael's +rapid +rapider +rapidest +rapidity +rapidity's +rapidly +rapidness +rapidness's +rapid's +rapids +rapier +rapier's +rapiers +rapine +rapine's +raping +rapist +rapist's +rapists +Rappaport +Rappaport's +rapped +rappel +rappelled +rappelling +rappel's +rappels +rapper +rapper's +rappers +rapping +rapport +rapporteur +rapporteurs +rapport's +rapports +rapprochement +rapprochement's +rapprochements +rap's +raps +rapscallion +rapscallion's +rapscallions +rapt +raptly +raptness +raptness's +raptor +raptors +rapture +rapture's +raptures +rapturous +rapturously +Rapunzel +Rapunzel's +Raquel +Raquel's +rare +rarebit +rarebit's +rarebits +rared +rarefaction +rarefaction's +rarefied +rarefies +rarefy +rarefying +rarely +rareness +rareness's +rarer +rares +rarest +raring +rarities +rarity +rarity's +Ra's +Rasalgethi +Rasalgethi's +Rasalhague +Rasalhague's +rascal +rascally +rascal's +rascals +rash +rasher +rasher's +rashers +rashes +rashest +rashly +rashness +rashness's +rash's +Rasmussen +Rasmussen's +rasp +raspberries +raspberry +raspberry's +rasped +raspier +raspiest +rasping +rasp's +rasps +Rasputin +Rasputin's +raspy +Rasta +Rastaban +Rastaban's +Rastafarian +Rastafarianism +Rastafarian's +Rastafarians +raster +rat +ratatouille +ratatouille's +ratbag +ratbags +ratchet +ratcheted +ratcheting +ratchet's +ratchets +rate +rated +ratepayer +ratepayers +rater +rater's +raters +rate's +rates +Rather +rather +Rather's +rathskeller +rathskeller's +rathskellers +ratification +ratification's +ratified +ratifier +ratifier's +ratifiers +ratifies +ratify +ratifying +rating +rating's +ratings +ratio +ratiocinate +ratiocinated +ratiocinates +ratiocinating +ratiocination +ratiocination's +ration +rational +rationale +rationale's +rationales +rationalism +rationalism's +rationalist +rationalistic +rationalist's +rationalists +rationality +rationality's +rationalization +rationalization's +rationalizations +rationalize +rationalized +rationalizes +rationalizing +rationally +rational's +rationals +rationed +rationing +ration's +rations +ratio's +ratios +Ratliff +Ratliff's +ratlike +ratline +ratline's +ratlines +rat's +rats +rattan +rattan's +rattans +ratted +ratter +ratter's +ratters +rattier +rattiest +ratting +rattle +rattlebrain +rattlebrained +rattlebrain's +rattlebrains +rattled +rattler +rattler's +rattlers +rattle's +rattles +rattlesnake +rattlesnake's +rattlesnakes +rattletrap +rattletrap's +rattletraps +rattling +rattlings +rattly +rattrap +rattrap's +rattraps +ratty +raucous +raucously +raucousness +raucousness's +Raul +Raul's +raunchier +raunchiest +raunchily +raunchiness +raunchiness's +raunchy +ravage +ravaged +ravager +ravager's +ravagers +ravage's +ravages +ravages's +ravaging +rave +raved +Ravel +ravel +raveled +raveling +ravelings +Ravel's +ravel's +ravels +raven +ravened +ravening +ravenous +ravenously +raven's +ravens +raver +ravers +rave's +raves +ravine +ravine's +ravines +raving +raving's +ravings +ravioli +ravioli's +raviolis +ravish +ravished +ravisher +ravisher's +ravishers +ravishes +ravishing +ravishingly +ravishment +ravishment's +raw +Rawalpindi +Rawalpindi's +rawboned +rawer +rawest +rawhide +rawhide's +rawness +rawness's +raw's +Ray +ray +RayBan +RayBan's +Rayburn +Rayburn's +Rayleigh +Rayleigh's +Raymond +Raymond's +Raymundo +Raymundo's +rayon +rayon's +Ray's +ray's +rays +raze +razed +razes +razing +razor +razorback +razorback's +razorbacks +razor's +razors +razz +razzed +razzes +razzing +razzmatazz +razzmatazz's +razz's +Rb +RBI +Rb's +RC +RCA +RCA's +RCMP +rcpt +RD +Rd +rd +RDA +Re +re +reabsorb +reabsorbed +reabsorbing +reabsorbs +reach +reachable +reached +reaches +reaching +reach's +reacquaint +reacquainted +reacquainting +reacquaints +reacquire +reacquired +reacquires +reacquiring +react +reactant +reactant's +reactants +reacted +reacting +reaction +reactionaries +reactionary +reactionary's +reaction's +reactions +reactivate +reactivated +reactivates +reactivating +reactivation +reactivation's +reactive +reactivity +reactor +reactor's +reactors +reacts +read +readabilities +readability +readability's +readable +readdress +readdressed +readdresses +readdressing +reader +reader's +readers +readership +readership's +readerships +readied +readier +readies +readiest +readily +readiness +readiness's +Reading +reading +Reading's +reading's +readings +readjust +readjusted +readjusting +readjustment +readjustment's +readjustments +readjusts +readmission +readmission's +readmit +readmits +readmitted +readmitting +readopt +readopted +readopting +readopts +readout +readout's +readouts +read's +reads +ready +readying +reaffirm +reaffirmation +reaffirmation's +reaffirmations +reaffirmed +reaffirming +reaffirms +reafforestation +Reagan +Reaganomics +Reaganomics's +Reagan's +reagent +reagent's +reagents +real +realer +realest +realign +realigned +realigning +realignment +realignment's +realignments +realigns +realism +realism's +realist +realistic +realistically +realist's +realists +realities +reality +reality's +realizable +realization +realization's +realizations +realize +realized +realizes +realizing +reallocate +reallocated +reallocates +reallocating +reallocation +reallocation's +really +realm +realm's +realms +realness +realness's +realpolitik +realpolitik's +real's +reals +Realtor +Realtor's +realty +realty's +ream +reamed +reamer +reamer's +reamers +reaming +ream's +reams +reanalyses +reanalysis +reanalysis's +reanalyze +reanalyzed +reanalyzes +reanalyzing +reanimate +reanimated +reanimates +reanimating +reanimation +reanimation's +reap +reaped +reaper +reaper's +reapers +reaping +reappear +reappearance +reappearance's +reappearances +reappeared +reappearing +reappears +reapplication +reapplication's +reapplications +reapplied +reapplies +reapply +reapplying +reappoint +reappointed +reappointing +reappointment +reappointment's +reappoints +reapportion +reapportioned +reapportioning +reapportionment +reapportionment's +reapportions +reappraisal +reappraisal's +reappraisals +reappraise +reappraised +reappraises +reappraising +reaps +rear +reared +rearguard +rearguard's +rearguards +rearing +rearm +rearmament +rearmament's +rearmed +rearming +rearmost +rearms +rearrange +rearranged +rearrangement +rearrangement's +rearrangements +rearranges +rearranging +rearrest +rearrested +rearresting +rearrest's +rearrests +rear's +rears +rearward +rearwards +reascend +reascended +reascending +reascends +reason +reasonable +reasonableness +reasonableness's +reasonably +reasoned +Reasoner +reasoner +Reasoner's +reasoner's +reasoners +reasoning +reasoning's +reason's +reasons +reassemble +reassembled +reassembles +reassembling +reassembly +reassembly's +reassert +reasserted +reasserting +reassertion +reassertion's +reasserts +reassess +reassessed +reassesses +reassessing +reassessment +reassessment's +reassessments +reassign +reassigned +reassigning +reassignment +reassignment's +reassignments +reassigns +reassurance +reassurance's +reassurances +reassure +reassured +reassures +reassuring +reassuringly +reattach +reattached +reattaches +reattaching +reattachment +reattachment's +reattain +reattained +reattaining +reattains +reattempt +reattempted +reattempting +reattempts +reauthorize +reauthorized +reauthorizes +reauthorizing +reawaken +reawakened +reawakening +reawakens +Reba +Reba's +rebate +rebated +rebate's +rebates +rebating +Rebekah +Rebekah's +rebel +rebelled +rebelling +rebellion +rebellion's +rebellions +rebellious +rebelliously +rebelliousness +rebelliousness's +rebel's +rebels +rebid +rebidding +rebids +rebind +rebinding +rebinds +rebirth +rebirth's +rebirths +reboil +reboiled +reboiling +reboils +reboot +rebooted +rebooting +reboots +reborn +rebound +rebounded +rebounding +rebound's +rebounds +rebroadcast +rebroadcasting +rebroadcast's +rebroadcasts +rebuff +rebuffed +rebuffing +rebuff's +rebuffs +rebuild +rebuilding +rebuilds +rebuilt +rebuke +rebuked +rebuke's +rebukes +rebuking +rebukingly +reburial +reburial's +reburials +reburied +reburies +rebury +reburying +rebus +rebuses +rebus's +rebut +rebuts +rebuttal +rebuttal's +rebuttals +rebutted +rebutting +rec +recalcitrance +recalcitrance's +recalcitrant +recalculate +recalculated +recalculates +recalculating +recalculation +recalculation's +recalculations +recall +recalled +recalling +recall's +recalls +recant +recantation +recantation's +recantations +recanted +recanting +recants +recap +recapitalization +recapitalize +recapitalized +recapitalizes +recapitalizing +recapitulate +recapitulated +recapitulates +recapitulating +recapitulation +recapitulation's +recapitulations +recapped +recapping +recap's +recaps +recapture +recaptured +recapture's +recaptures +recapturing +recast +recasting +recasting's +recast's +recasts +recce +recces +rec'd +recd +recede +receded +recedes +receding +receipt +receipted +receipting +receipt's +receipts +receivable +receivables +receivables's +receive +received +receiver +receiver's +receivers +receivership +receivership's +receives +receiving +recent +recenter +recentest +recently +recentness +recentness's +receptacle +receptacle's +receptacles +reception +receptionist +receptionist's +receptionists +reception's +receptions +receptive +receptively +receptiveness +receptiveness's +receptivity +receptivity's +receptor +receptor's +receptors +recess +recessed +recesses +recessing +recession +recessional +recessional's +recessionals +recessionary +recession's +recessions +recessive +recessive's +recessives +recess's +recharge +rechargeable +recharged +recharge's +recharges +recharging +recharter +rechartered +rechartering +recharters +recheck +rechecked +rechecking +recheck's +rechecks +recherché +recherche +rechristen +rechristened +rechristening +rechristens +recidivism +recidivism's +recidivist +recidivist's +recidivists +Recife +Recife's +recipe +recipe's +recipes +recipient +recipient's +recipients +reciprocal +reciprocally +reciprocal's +reciprocals +reciprocate +reciprocated +reciprocates +reciprocating +reciprocation +reciprocation's +reciprocity +reciprocity's +recirculate +recirculated +recirculates +recirculating +recital +recitalist +recitalist's +recitalists +recital's +recitals +recitation +recitation's +recitations +recitative +recitative's +recitatives +recite +recited +reciter +reciter's +reciters +recites +reciting +reckless +recklessly +recklessness +recklessness's +reckon +reckoned +reckoning +reckoning's +reckonings +reckons +reclaim +reclaimable +reclaimed +reclaiming +reclaims +reclamation +reclamation's +reclassification +reclassification's +reclassified +reclassifies +reclassify +reclassifying +recline +reclined +recliner +recliner's +recliners +reclines +reclining +recluse +recluse's +recluses +reclusive +recognition +recognition's +recognizable +recognizably +recognizance +recognizance's +recognize +recognized +recognizer +recognizes +recognizing +recoil +recoiled +recoiling +recoil's +recoils +recollect +recollected +recollecting +recollection +recollection's +recollections +recollects +recolonization +recolonization's +recolonize +recolonized +recolonizes +recolonizing +recolor +recolored +recoloring +recolors +recombination +recombine +recombined +recombines +recombining +recommence +recommenced +recommencement +recommencement's +recommences +recommencing +recommend +recommendable +recommendation +recommendation's +recommendations +recommended +recommending +recommends +recommission +recommissioned +recommissioning +recommissions +recommit +recommits +recommitted +recommitting +recompense +recompensed +recompense's +recompenses +recompensing +recompilation +recompile +recompiled +recompiling +recompose +recomposed +recomposes +recomposing +recompute +recomputed +recomputes +recomputing +recon +reconcilable +reconcile +reconciled +reconciles +reconciliation +reconciliation's +reconciliations +reconciling +recondite +recondition +reconditioned +reconditioning +reconditions +reconfiguration +reconfigure +reconfigured +reconfirm +reconfirmation +reconfirmation's +reconfirmations +reconfirmed +reconfirming +reconfirms +reconnaissance +reconnaissance's +reconnaissances +reconnect +reconnected +reconnecting +reconnects +reconnoiter +reconnoitered +reconnoitering +reconnoiters +reconquer +reconquered +reconquering +reconquers +reconquest +reconquest's +recons +reconsecrate +reconsecrated +reconsecrates +reconsecrating +reconsecration +reconsecration's +reconsider +reconsideration +reconsideration's +reconsidered +reconsidering +reconsiders +reconsign +reconsigned +reconsigning +reconsigns +reconstitute +reconstituted +reconstitutes +reconstituting +reconstitution +reconstitution's +reconstruct +reconstructed +reconstructing +Reconstruction +reconstruction +Reconstruction's +reconstruction's +reconstructions +reconstructive +reconstructs +recontact +recontacted +recontacting +recontacts +recontaminate +recontaminated +recontaminates +recontaminating +reconvene +reconvened +reconvenes +reconvening +reconvert +reconverted +reconverting +reconverts +recook +recooked +recooking +recooks +recopied +recopies +recopy +recopying +record +recorded +recorder +recorder's +recorders +recording +recording's +recordings +record's +records +recount +recounted +recounting +recount's +recounts +recoup +recouped +recouping +recoups +recourse +recourse's +recover +recoverable +recovered +recoveries +recovering +recovers +recovery +recovery's +recreant +recreant's +recreants +recreate +recreated +recreates +recreating +recreation +recreational +recreation's +recreations +recriminate +recriminated +recriminates +recriminating +recrimination +recrimination's +recriminations +recriminatory +recross +recrossed +recrosses +recrossing +recrudesce +recrudesced +recrudescence +recrudescence's +recrudescent +recrudesces +recrudescing +recruit +recruited +recruiter +recruiter's +recruiters +recruiting +recruitment +recruitment's +recruit's +recruits +recrystallize +recrystallized +recrystallizes +recrystallizing +rec's +rectal +rectally +rectangle +rectangle's +rectangles +rectangular +rectifiable +rectification +rectification's +rectifications +rectified +rectifier +rectifier's +rectifiers +rectifies +rectify +rectifying +rectilinear +rectitude +rectitude's +recto +rector +rectories +rector's +rectors +rectory +rectory's +recto's +rectos +rectum +rectum's +rectums +recumbent +recuperate +recuperated +recuperates +recuperating +recuperation +recuperation's +recuperative +recur +recurred +recurrence +recurrence's +recurrences +recurrent +recurrently +recurring +recurs +recursion +recursions +recursive +recursively +recuse +recused +recuses +recusing +recyclable +recyclable's +recyclables +recycle +recycled +recycle's +recycles +recycling +recycling's +red +redact +redacted +redacting +redaction +redaction's +redactor +redactor's +redactors +redacts +redbird +redbird's +redbirds +redbreast +redbreast's +redbreasts +redbrick +redcap +redcap's +redcaps +redcoat +redcoat's +redcoats +redcurrant +redcurrants +redden +reddened +reddening +reddens +redder +reddest +reddish +redecorate +redecorated +redecorates +redecorating +redecoration +redecoration's +rededicate +rededicated +rededicates +rededicating +redeem +redeemable +redeemed +Redeemer +redeemer +Redeemer's +redeemer's +redeemers +redeeming +redeems +redefine +redefined +redefines +redefining +redefinition +redefinition's +redeliver +redelivered +redelivering +redelivers +redemption +redemption's +redemptive +redeploy +redeployed +redeploying +redeployment +redeployment's +redeploys +redeposit +redeposited +redepositing +redeposit's +redeposits +redesign +redesigned +redesigning +redesigns +redetermine +redetermined +redetermines +redetermining +redevelop +redeveloped +redeveloping +redevelopment +redevelopment's +redevelopments +redevelops +Redford +Redford's +Redgrave +Redgrave's +redhead +redheaded +redhead's +redheads +redial +redialed +redialing +redial's +redials +redid +redirect +redirected +redirecting +redirection +redirects +rediscover +rediscovered +rediscoveries +rediscovering +rediscovers +rediscovery +rediscovery's +redissolve +redissolved +redissolves +redissolving +redistribute +redistributed +redistributes +redistributing +redistribution +redistribution's +redistributor +redistributors +redistrict +redistricted +redistricting +redistricts +redivide +redivided +redivides +redividing +redlining +redlining's +Redmond +Redmond's +redneck +redneck's +rednecks +redness +redness's +redo +redoes +redoing +redolence +redolence's +redolent +redone +redouble +redoubled +redoubles +redoubling +redoubt +redoubtable +redoubtably +redoubt's +redoubts +redound +redounded +redounding +redounds +redraft +redrafted +redrafting +redrafts +redraw +redrawing +redrawn +redraws +redress +redressed +redresses +redressing +redress's +redrew +red's +reds +redskin +redskin's +redskins +reduce +reduced +reducer +reducer's +reducers +reduces +reducible +reducing +reductase +reductase's +reduction +reductionist +reduction's +reductions +reductive +redundancies +redundancy +redundancy's +redundant +redundantly +reduplicate +reduplicated +reduplicates +reduplicating +reduplication +reduplication's +redwood +redwood's +redwoods +redye +redyed +redyeing +redyes +Reebok +Reebok's +reecho +reechoed +reechoes +reechoing +Reed +reed +reedier +reediest +reediness +reediness's +reedit +reedited +reediting +reedits +Reed's +reed's +reeds +reeducate +reeducated +reeducates +reeducating +reeducation +reeducation's +reedy +reef +reefed +reefer +reefer's +reefers +reefing +reef's +reefs +reek +reeked +reeking +reek's +reeks +reel +reelect +reelected +reelecting +reelection +reelection's +reelections +reelects +reeled +reeling +reel's +reels +reembark +reembarked +reembarking +reembarks +reembodied +reembodies +reembody +reembodying +reemerge +reemerged +reemergence +reemergence's +reemerges +reemerging +reemphasize +reemphasized +reemphasizes +reemphasizing +reemploy +reemployed +reemploying +reemployment +reemployment's +reemploys +reenact +reenacted +reenacting +reenactment +reenactment's +reenactments +reenacts +reengage +reengaged +reengages +reengaging +reenlist +reenlisted +reenlisting +reenlistment +reenlistment's +reenlists +reenter +reentered +reentering +reenters +reentries +reentry +reentry's +reequip +reequipped +reequipping +reequips +Reese +Reese's +reestablish +reestablished +reestablishes +reestablishing +reestablishment +reestablishment's +reevaluate +reevaluated +reevaluates +reevaluating +reevaluation +reevaluation's +reevaluations +reeve +Reeves +reeve's +reeves +Reeves's +reeving +reexamination +reexamination's +reexaminations +reexamine +reexamined +reexamines +reexamining +reexplain +reexplained +reexplaining +reexplains +reexport +reexported +reexporting +reexports +ref +reface +refaced +refaces +refacing +refactor +refactored +refactoring +refactors +refashion +refashioned +refashioning +refashions +refasten +refastened +refastening +refastens +refection +refection's +refectories +refectory +refectory's +refer +referable +referee +refereed +refereeing +referee's +referees +reference +referenced +reference's +references +referencing +referendum +referendum's +referendums +referent +referential +referent's +referents +referral +referral's +referrals +referred +referrer +referrer's +referrers +referring +refers +reffed +reffing +refile +refiled +refiles +refiling +refill +refillable +refilled +refilling +refill's +refills +refinance +refinanced +refinances +refinancing +refine +refined +refinement +refinement's +refinements +refiner +refineries +refiner's +refiners +refinery +refinery's +refines +refining +refinish +refinished +refinishes +refinishing +refit +refit's +refits +refitted +refitting +reflate +reflated +reflates +reflating +reflation +reflationary +reflations +reflect +reflected +reflecting +reflection +reflection's +reflections +reflective +reflectively +reflector +reflector's +reflectors +reflects +reflex +reflexes +reflexive +reflexively +reflexive's +reflexives +reflexology +reflex's +refocus +refocused +refocuses +refocusing +refold +refolded +refolding +refolds +reforest +reforestation +reforestation's +reforested +reforesting +reforests +reforge +reforged +reforges +reforging +reform +reformat +Reformation +reformation +Reformation's +Reformations +reformation's +reformations +reformative +reformatories +reformatory +reformatory's +reformatted +reformatting +reformed +reformer +reformer's +reformers +reforming +reformist +reformists +reform's +reforms +reformulate +reformulated +reformulates +reformulating +reformulation +reformulation's +reformulations +refortified +refortifies +refortify +refortifying +refract +refracted +refracting +refraction +refraction's +refractive +refractories +refractory +refractory's +refracts +refrain +refrained +refraining +refrain's +refrains +refreeze +refreezes +refreezing +refresh +refreshed +refresher +refresher's +refreshers +refreshes +refreshing +refreshingly +refreshment +refreshment's +refreshments +refreshments's +refrigerant +refrigerant's +refrigerants +refrigerate +refrigerated +refrigerates +refrigerating +refrigeration +refrigeration's +refrigerator +refrigerator's +refrigerators +refroze +refrozen +ref's +refs +refuel +refueled +refueling +refuels +refuge +refugee +refugee's +refugees +refuge's +refuges +Refugio +Refugio's +refulgence +refulgence's +refulgent +refund +refundable +refunded +refunding +refund's +refunds +refurbish +refurbished +refurbishes +refurbishing +refurbishment +refurbishment's +refurbishments +refurnish +refurnished +refurnishes +refurnishing +refusal +refusal's +refusals +refuse +refused +refuse's +refuses +refusing +refutable +refutation +refutation's +refutations +refute +refuted +refuter +refuter's +refuters +refutes +refuting +reg +regain +regained +regaining +regains +regal +regale +regaled +regalement +regalement's +regales +regalia +regalia's +regaling +regally +regard +regarded +regarding +regardless +regard's +regards +regards's +regather +regathered +regathering +regathers +regatta +regatta's +regattas +regencies +regency +regency's +regeneracy +regeneracy's +regenerate +regenerated +regenerates +regenerating +regeneration +regeneration's +regenerative +regent +regent's +regents +regex +regexp +regexps +regex's +reggae +reggae's +Reggie +Reggie's +regicide +regicide's +regicides +regime +regimen +regimen's +regimens +regiment +regimental +regimentation +regimentation's +regimented +regimenting +regiment's +regiments +regime's +regimes +Regina +Reginae +Reginae's +Reginald +Reginald's +Regina's +region +regional +regionalism +regionalism's +regionalisms +regionally +region's +regions +register +registered +registering +register's +registers +registrant +registrant's +registrants +registrar +registrar's +registrars +registration +registration's +registrations +registries +registry +registry's +regnant +Regor +Regor's +regrade +regraded +regrades +regrading +regress +regressed +regresses +regressing +regression +regression's +regressions +regressive +regress's +regret +regretful +regretfully +regret's +regrets +regrettable +regrettably +regretted +regretting +regrew +regrind +regrinding +regrinds +reground +regroup +regrouped +regrouping +regroups +regrow +regrowing +regrown +regrows +regrowth +regrowth's +regular +regularities +regularity +regularity's +regularization +regularization's +regularize +regularized +regularizes +regularizing +regularly +regular's +regulars +regulate +regulated +regulates +regulating +regulation +regulation's +regulations +regulative +regulator +regulator's +regulators +regulatory +Regulus +Regulus's +regurgitate +regurgitated +regurgitates +regurgitating +regurgitation +regurgitation's +rehab +rehabbed +rehabbing +rehabilitate +rehabilitated +rehabilitates +rehabilitating +rehabilitation +rehabilitation's +rehabilitative +rehab's +rehabs +rehang +rehanged +rehanging +rehangs +rehash +rehashed +rehashes +rehashing +rehash's +rehear +reheard +rehearing +rehearing's +rehearings +rehears +rehearsal +rehearsal's +rehearsals +rehearse +rehearsed +rehearses +rehearsing +reheat +reheated +reheating +reheats +rehi +rehire +rehired +rehires +rehiring +Rehnquist +Rehnquist's +rehouse +rehoused +rehouses +rehousing +rehung +Reich +Reich's +Reichstag's +Reid +Reid's +reign +reigned +reigning +reignite +reignited +reignites +reigniting +reign's +reigns +Reilly +Reilly's +reimbursable +reimburse +reimbursed +reimbursement +reimbursement's +reimbursements +reimburses +reimbursing +reimpose +reimposed +reimposes +reimposing +rein +Reinaldo +Reinaldo's +reincarnate +reincarnated +reincarnates +reincarnating +reincarnation +reincarnation's +reincarnations +reincorporate +reincorporated +reincorporates +reincorporating +reincorporation +reincorporation's +reindeer +reindeer's +reined +reinfect +reinfected +reinfecting +reinfection +reinfection's +reinfections +reinfects +reinflate +reinflated +reinflates +reinflating +reinforce +reinforced +reinforcement +reinforcement's +reinforcements +reinforces +reinforcing +Reinhardt +Reinhardt's +Reinhold +Reinhold's +reining +reinitialize +reinitialized +reinoculate +reinoculated +reinoculates +reinoculating +rein's +reins +reinsert +reinserted +reinserting +reinsertion +reinsertion's +reinserts +reinspect +reinspected +reinspecting +reinspects +reinstall +reinstalled +reinstalling +reinstate +reinstated +reinstatement +reinstatement's +reinstates +reinstating +reinsurance +reintegrate +reintegrated +reintegrates +reintegrating +reintegration +reintegration's +reinterpret +reinterpretation +reinterpretation's +reinterpretations +reinterpreted +reinterpreting +reinterprets +reintroduce +reintroduced +reintroduces +reintroducing +reintroduction +reintroduction's +reinvent +reinvented +reinventing +reinvention +reinvention's +reinventions +reinvents +reinvest +reinvested +reinvesting +reinvestment +reinvestment's +reinvests +reinvigorate +reinvigorated +reinvigorates +reinvigorating +reissue +reissued +reissue's +reissues +reissuing +REIT +reiterate +reiterated +reiterates +reiterating +reiteration +reiteration's +reiterations +reiterative +reject +rejected +rejecting +rejection +rejection's +rejections +reject's +rejects +rejig +rejigged +rejigger +rejiggered +rejiggering +rejiggers +rejigging +rejigs +rejoice +rejoiced +rejoices +rejoicing +rejoicing's +rejoicings +rejoin +rejoinder +rejoinder's +rejoinders +rejoined +rejoining +rejoins +rejudge +rejudged +rejudges +rejudging +rejuvenate +rejuvenated +rejuvenates +rejuvenating +rejuvenation +rejuvenation's +rekindle +rekindled +rekindles +rekindling +rel +relabel +relabeled +relabeling +relabels +relaid +relapse +relapsed +relapse's +relapses +relapsing +relate +related +relatedness +relatedness's +relater +relater's +relaters +relates +relating +relation +relational +relation's +relations +relationship +relationship's +relationships +relative +relatively +relative's +relatives +relativism +relativism's +relativist +relativistic +relativists +relativity +relativity's +relaunch +relaunched +relaunches +relaunching +relaunch's +relax +relaxant +relaxant's +relaxants +relaxation +relaxation's +relaxations +relaxed +relaxer +relaxer's +relaxers +relaxes +relaxing +relay +relayed +relaying +relay's +relays +relearn +relearned +relearning +relearns +releasable +release +released +release's +releases +releasing +relegate +relegated +relegates +relegating +relegation +relegation's +relent +relented +relenting +relentless +relentlessly +relentlessness +relentlessness's +relents +relevance +relevance's +relevancy +relevancy's +relevant +relevantly +reliability +reliability's +reliable +reliably +reliance +reliance's +reliant +relic +relic's +relics +relied +relief +relief's +reliefs +relies +relieve +relieved +reliever +reliever's +relievers +relieves +relieving +relight +relighted +relighting +relights +religion +religion's +religions +religiosity +religious +religiously +religiousness +religiousness's +religious's +reline +relined +relines +relining +relinquish +relinquished +relinquishes +relinquishing +relinquishment +relinquishment's +reliquaries +reliquary +reliquary's +relish +relished +relishes +relishing +relish's +relist +relisted +relisting +relists +relivable +relive +relived +relives +reliving +reload +reloaded +reloading +reloads +relocatable +relocate +relocated +relocates +relocating +relocation +relocation's +reluctance +reluctance's +reluctant +reluctantly +rely +relying +REM +rem +remade +remain +remainder +remaindered +remaindering +remainder's +remainders +remained +remaining +remains +remake +remake's +remakes +remaking +remand +remanded +remanding +remands +remap +remapped +remapping +remaps +remark +remarkable +remarkableness +remarkableness's +remarkably +remarked +remarking +remark's +remarks +Remarque +Remarque's +remarriage +remarriage's +remarriages +remarried +remarries +remarry +remarrying +remaster +remastered +remastering +remasters +rematch +rematches +rematch's +Rembrandt +Rembrandt's +remeasure +remeasured +remeasures +remeasuring +remediable +remedial +remedially +remediation +remediation's +remedied +remedies +remedy +remedying +remedy's +remelt +remelted +remelting +remelts +remember +remembered +remembering +remembers +remembrance +remembrance's +remembrances +remigrate +remigrated +remigrates +remigrating +remind +reminded +reminder +reminder's +reminders +reminding +reminds +Remington +Remington's +reminisce +reminisced +reminiscence +reminiscence's +reminiscences +reminiscent +reminiscently +reminisces +reminiscing +remiss +remission +remission's +remissions +remissly +remissness +remissness's +remit +remits +remittance +remittance's +remittances +remitted +remitting +remix +remixed +remixes +remixing +remnant +remnant's +remnants +remodel +remodeled +remodeling +remodels +remold +remolded +remolding +remolds +remonstrance +remonstrance's +remonstrances +remonstrant +remonstrant's +remonstrants +remonstrate +remonstrated +remonstrates +remonstrating +remorse +remorseful +remorsefully +remorseless +remorselessly +remorselessness +remorselessness's +remorse's +remortgage +remortgaged +remortgages +remortgaging +remote +remotely +remoteness +remoteness's +remoter +remote's +remotes +remotest +remount +remounted +remounting +remount's +remounts +removable +removal +removal's +removals +remove +removed +remover +remover's +removers +remove's +removes +removing +REM's +REMs +rem's +rems +remunerate +remunerated +remunerates +remunerating +remuneration +remuneration's +remunerations +remunerative +Remus +Remus's +Rena +Renaissance +renaissance +Renaissance's +Renaissances +renaissance's +renaissances +renal +rename +renamed +renames +renaming +Rena's +Renascence +renascence +renascence's +renascences +renascent +Renault +Renault's +rend +render +rendered +rendering +rendering's +renderings +render's +renders +rendezvous +rendezvoused +rendezvouses +rendezvousing +rendezvous's +rending +rendition +rendition's +renditions +rends +Rene +Renee +Renee's +renegade +renegaded +renegade's +renegades +renegading +renege +reneged +reneger +reneger's +renegers +reneges +reneging +renegotiable +renegotiate +renegotiated +renegotiates +renegotiating +renegotiation +renegotiation's +Rene's +renew +renewable +renewal +renewal's +renewals +renewed +renewing +renews +rennet +rennet's +rennin +rennin's +Reno +Renoir +Renoir's +renominate +renominated +renominates +renominating +renomination +renomination's +Reno's +renounce +renounced +renouncement +renouncement's +renounces +renouncing +renovate +renovated +renovates +renovating +renovation +renovation's +renovations +renovator +renovator's +renovators +renown +renowned +renown's +rent +rental +rental's +rentals +rented +renter +renter's +renters +renting +rent's +rents +renumber +renumbered +renumbering +renumbers +renunciation +renunciation's +renunciations +reoccupation +reoccupation's +reoccupied +reoccupies +reoccupy +reoccupying +reoccur +reoccurred +reoccurring +reoccurs +reopen +reopened +reopening +reopens +reorder +reordered +reordering +reorder's +reorders +reorg +reorganization +reorganization's +reorganizations +reorganize +reorganized +reorganizes +reorganizing +reorged +reorging +reorg's +reorgs +reorient +reorientation +reorientation's +reoriented +reorienting +reorients +Rep +rep +repack +repackage +repackaged +repackages +repackaging +repacked +repacking +repacks +repaid +repaint +repainted +repainting +repaints +repair +repairable +repaired +repairer +repairer's +repairers +repairing +repairman +repairman's +repairmen +repair's +repairs +reparable +reparation +reparation's +reparations +reparations's +repartee +repartee's +repast +repast's +repasts +repatriate +repatriated +repatriate's +repatriates +repatriating +repatriation +repatriation's +repatriations +repave +repaved +repaves +repaving +repay +repayable +repaying +repayment +repayment's +repayments +repays +repeal +repealed +repealing +repeal's +repeals +repeat +repeatability +repeatable +repeatably +repeated +repeatedly +repeater +repeater's +repeaters +repeating +repeating's +repeat's +repeats +repel +repelled +repellent +repellent's +repellents +repelling +repels +repent +repentance +repentance's +repentant +repentantly +repented +repenting +repents +repercussion +repercussion's +repercussions +repertoire +repertoire's +repertoires +repertories +repertory +repertory's +repetition +repetition's +repetitions +repetitious +repetitiously +repetitiousness +repetitiousness's +repetitive +repetitively +repetitiveness +repetitiveness's +rephotograph +rephotographed +rephotographing +rephotographs +rephrase +rephrased +rephrases +rephrasing +repine +repined +repines +repining +replace +replaceable +replaced +replacement +replacement's +replacements +replaces +replacing +replant +replanted +replanting +replants +replay +replayed +replaying +replay's +replays +replenish +replenished +replenishes +replenishing +replenishment +replenishment's +replete +repleted +repleteness +repleteness's +repletes +repleting +repletion +repletion's +replica +replica's +replicas +replicate +replicated +replicates +replicating +replication +replication's +replications +replicator +replicators +replied +replies +reply +replying +reply's +repopulate +repopulated +repopulates +repopulating +report +reportage +reportage's +reported +reportedly +reporter +reporter's +reporters +reporting +reportorial +report's +reports +repose +reposed +reposeful +repose's +reposes +reposing +reposition +repositioning +repositories +repository +repository's +repossess +repossessed +repossesses +repossessing +repossession +repossession's +repossessions +reprehend +reprehended +reprehending +reprehends +reprehensibility +reprehensibility's +reprehensible +reprehensibly +reprehension +reprehension's +represent +representation +representational +representation's +representations +Representative +representative +representative's +representatives +represented +representing +represents +repress +repressed +represses +repressing +repression +repression's +repressions +repressive +repressively +repressiveness +reprice +repriced +reprices +repricing +reprieve +reprieved +reprieve's +reprieves +reprieving +reprimand +reprimanded +reprimanding +reprimand's +reprimands +reprint +reprinted +reprinting +reprint's +reprints +reprisal +reprisal's +reprisals +reprise +reprise's +reprises +reprising +reprized +reproach +reproachable +reproached +reproaches +reproachful +reproachfully +reproaching +reproach's +reprobate +reprobate's +reprobates +reprocess +reprocessed +reprocesses +reprocessing +reproduce +reproduced +reproducer +reproducer's +reproducers +reproduces +reproducible +reproducing +reproduction +reproduction's +reproductions +reproductive +reprogram +reprogrammed +reprogramming +reprograms +reproof +reproofed +reproofing +reproof's +reproofs +reprove +reproved +reproves +reproving +reprovingly +rep's +reps +reptile +reptile's +reptiles +reptilian +reptilian's +reptilians +republic +Republican +republican +Republicanism +republicanism +republicanism's +Republican's +Republicans +republican's +republicans +republication +republication's +republications +republic's +republics +republish +republished +republishes +republishing +repudiate +repudiated +repudiates +repudiating +repudiation +repudiation's +repudiations +repudiator +repudiator's +repudiators +repugnance +repugnance's +repugnant +repulse +repulsed +repulse's +repulses +repulsing +repulsion +repulsion's +repulsive +repulsively +repulsiveness +repulsiveness's +repurchase +repurchased +repurchases +repurchasing +reputability +reputability's +reputable +reputably +reputation +reputation's +reputations +repute +reputed +reputedly +repute's +reputes +reputing +request +requested +requester +requesting +request's +requests +Requiem +requiem +Requiem's +Requiems +requiem's +requiems +require +required +requirement +requirement's +requirements +requires +requiring +requisite +requisite's +requisites +requisition +requisitioned +requisitioning +requisition's +requisitions +requital +requital's +requite +requited +requiter +requiter's +requiters +requites +requiting +reran +reread +rereading +rereads +rerecord +rerecorded +rerecording +rerecords +reroute +rerouted +reroutes +rerouting +rerun +rerunning +rerun's +reruns +Re's +re's +res +resalable +resale +resale's +resales +resat +reschedule +rescheduled +reschedules +rescheduling +rescind +rescinded +rescinding +rescinds +rescission +rescission's +rescue +rescued +rescuer +rescuer's +rescuers +rescue's +rescues +rescuing +reseal +resealable +resealed +resealing +reseals +research +researched +researcher +researcher's +researchers +researches +researching +research's +resection +resection's +resections +reseed +reseeded +reseeding +reseeds +resell +reseller +resellers +reselling +resells +resemblance +resemblance's +resemblances +resemble +resembled +resembles +resembling +resend +resent +resented +resentful +resentfully +resentfulness +resentfulness's +resenting +resentment +resentment's +resentments +resents +reserpine +reserpine's +reservation +reservation's +reservations +reserve +reserved +reservedly +reservedness +reservedness's +reserve's +reserves +reserving +reservist +reservist's +reservists +reservoir +reservoir's +reservoirs +reset +reset's +resets +resetting +resettle +resettled +resettlement +resettlement's +resettles +resettling +resew +resewed +resewing +resewn +resews +reshape +reshaped +reshapes +reshaping +resharpen +resharpened +resharpening +resharpens +reship +reshipment +reshipment's +reshipped +reshipping +reships +reshuffle +reshuffled +reshuffle's +reshuffles +reshuffling +reside +resided +residence +residence's +residences +residencies +residency +residency's +resident +residential +resident's +residents +resides +residing +residua +residual +residual's +residuals +residue +residue's +residues +residuum +residuum's +resign +resignation +resignation's +resignations +resigned +resignedly +resigning +resigns +resilience +resilience's +resiliency +resiliency's +resilient +resiliently +resin +resinous +resin's +resins +resist +Resistance +resistance +resistance's +resistances +resistant +resisted +resister +resister's +resisters +resistible +resisting +resistivity +resistless +resistor +resistor's +resistors +resist's +resists +resit +resits +resitting +resize +resized +resizes +resizing +resold +resole +resoled +resoles +resoling +resolute +resolutely +resoluteness +resoluteness's +resolution +resolution's +resolutions +resolvable +resolve +resolved +resolver +resolve's +resolves +resolving +resonance +resonance's +resonances +resonant +resonantly +resonate +resonated +resonates +resonating +resonator +resonator's +resonators +resorption +resorption's +resort +resorted +resorting +resort's +resorts +resound +resounded +resounding +resoundingly +resounds +resource +resourced +resourceful +resourcefully +resourcefulness +resourcefulness's +resource's +resources +resourcing +resow +resowed +resowing +resown +resows +resp +respect +respectability +respectability's +respectable +respectably +respected +respecter +respecter's +respecters +respectful +respectfully +respectfulness +respectfulness's +respecting +respective +respectively +respect's +respects +respell +respelled +respelling +respells +respiration +respiration's +respirator +respirator's +respirators +respiratory +respire +respired +respires +respiring +respite +respite's +respites +resplendence +resplendence's +resplendent +resplendently +respond +responded +respondent +respondent's +respondents +responding +responds +response +response's +responses +responsibilities +responsibility +responsibility's +responsible +responsibly +responsive +responsively +responsiveness +responsiveness's +respray +resprayed +respraying +resprays +rest +restaff +restaffed +restaffing +restaffs +restart +restarted +restarting +restart's +restarts +restate +restated +restatement +restatement's +restatements +restates +restating +restaurant +restaurant's +restaurants +restaurateur +restaurateur's +restaurateurs +rested +restful +restfuller +restfullest +restfully +restfulness +restfulness's +resting +restitch +restitched +restitches +restitching +restitution +restitution's +restive +restively +restiveness +restiveness's +restless +restlessly +restlessness +restlessness's +restock +restocked +restocking +restocks +Restoration +restoration +Restoration's +restoration's +restorations +restorative +restorative's +restoratives +restore +restored +restorer +restorer's +restorers +restores +restoring +restrain +restrained +restrainer +restrainer's +restrainers +restraining +restrains +restraint +restraint's +restraints +restrengthen +restrengthened +restrengthening +restrengthens +restrict +restricted +restricting +restriction +restriction's +restrictions +restrictive +restrictively +restrictiveness +restrictiveness's +restricts +restring +restringing +restrings +restroom +restroom's +restrooms +restructure +restructured +restructures +restructuring +restructuring's +restructurings +restrung +rest's +rests +restudied +restudies +restudy +restudying +restyle +restyled +restyles +restyling +resubmit +resubmits +resubmitted +resubmitting +resubscribe +resubscribed +resubscribes +resubscribing +result +resultant +resultant's +resultants +resulted +resulting +result's +results +resume +resumed +resume's +resumes +resuming +resumption +resumption's +resumptions +resupplied +resupplies +resupply +resupplying +resurface +resurfaced +resurfaces +resurfacing +resurgence +resurgence's +resurgences +resurgent +resurrect +resurrected +resurrecting +Resurrection +resurrection +resurrection's +resurrections +resurrects +resurvey +resurveyed +resurveying +resurveys +resuscitate +resuscitated +resuscitates +resuscitating +resuscitation +resuscitation's +resuscitator +resuscitator's +resuscitators +retail +retailed +retailer +retailer's +retailers +retailing +retail's +retails +retain +retained +retainer +retainer's +retainers +retaining +retains +retake +retaken +retake's +retakes +retaking +retaliate +retaliated +retaliates +retaliating +retaliation +retaliation's +retaliations +retaliative +retaliatory +retard +retardant +retardant's +retardants +retardation +retardation's +retarded +retarder +retarder's +retarders +retarding +retard's +retards +retaught +retch +retched +retches +retching +reteach +reteaches +reteaching +retell +retelling +retells +retention +retention's +retentive +retentively +retentiveness +retentiveness's +retest +retested +retesting +retest's +retests +rethink +rethinking +rethink's +rethinks +rethought +reticence +reticence's +reticent +reticently +reticulated +reticulation +reticulation's +reticulations +retie +retied +reties +retina +retinal +retina's +retinas +retinue +retinue's +retinues +retire +retired +retiree +retiree's +retirees +retirement +retirement's +retirements +retires +retiring +retold +retook +retool +retooled +retooling +retools +retort +retorted +retorting +retort's +retorts +retouch +retouched +retouches +retouching +retouch's +retrace +retraced +retraces +retracing +retract +retractable +retracted +retractile +retracting +retraction +retraction's +retractions +retracts +retrain +retrained +retraining +retrains +retread +retreaded +retreading +retread's +retreads +retreat +retreated +retreating +retreat's +retreats +retrench +retrenched +retrenches +retrenching +retrenchment +retrenchment's +retrenchments +retrial +retrial's +retrials +retribution +retribution's +retributions +retributive +retried +retries +retrievable +retrieval +retrieval's +retrievals +retrieve +retrieved +retriever +retriever's +retrievers +retrieve's +retrieves +retrieving +retro +retroactive +retroactively +retrod +retrodden +retrofire +retrofired +retrofires +retrofiring +retrofit +retrofit's +retrofits +retrofitted +retrofitting +retrograde +retrograded +retrogrades +retrograding +retrogress +retrogressed +retrogresses +retrogressing +retrogression +retrogression's +retrogressive +retrorocket +retrorocket's +retrorockets +retro's +retros +retrospect +retrospected +retrospecting +retrospection +retrospection's +retrospective +retrospectively +retrospective's +retrospectives +retrospect's +retrospects +retrovirus +retroviruses +retrovirus's +retry +retrying +retsina +retsina's +return +returnable +returnable's +returnables +returned +returnee +returnee's +returnees +returner +returner's +returners +returning +return's +returns +retweet +retweeted +retweeting +retweets +retying +retype +retyped +retypes +retyping +Reuben +Reuben's +reunification +reunification's +reunified +reunifies +reunify +reunifying +Reunion +reunion +Reunion's +reunion's +reunions +reunite +reunited +reunites +reuniting +reupholster +reupholstered +reupholstering +reupholsters +reusable +reuse +reused +reuse's +reuses +reusing +Reuters +Reuters's +Reuther +Reuther's +Rev +rev +Reva +revaluation +revaluation's +revaluations +revalue +revalued +revalues +revaluing +revamp +revamped +revamping +revamping's +revamp's +revamps +Reva's +reveal +revealed +revealing +revealingly +revealings +reveals +reveille +reveille's +revel +Revelation +revelation +Revelation's +Revelations +revelation's +revelations +Revelations's +reveled +reveler +reveler's +revelers +reveling +revelings +revelries +revelry +revelry's +revel's +revels +revenge +revenged +revengeful +revengefully +revenge's +revenges +revenging +revenue +revenuer +revenuer's +revenuers +revenue's +revenues +reverb +reverberate +reverberated +reverberates +reverberating +reverberation +reverberation's +reverberations +Revere +revere +revered +reverence +reverenced +reverence's +reverences +reverencing +Reverend +reverend +Reverend's +reverend's +reverends +reverent +reverential +reverentially +reverently +Revere's +reveres +reverie +reverie's +reveries +revering +revers +reversal +reversal's +reversals +reverse +reversed +reversely +reverse's +reverses +reversibility +reversible +reversibly +reversing +reversion +reversion's +reversions +revers's +revert +reverted +revertible +reverting +reverts +revetment +revetment's +revetments +review +reviewed +reviewer +reviewer's +reviewers +reviewing +review's +reviews +revile +reviled +revilement +revilement's +reviler +reviler's +revilers +reviles +reviling +revise +revised +reviser +reviser's +revisers +revise's +revises +revising +revision +revisionism +revisionism's +revisionist +revisionist's +revisionists +revision's +revisions +revisit +revisited +revisiting +revisits +revitalization +revitalization's +revitalize +revitalized +revitalizes +revitalizing +revival +revivalism +revivalism's +revivalist +revivalist's +revivalists +revival's +revivals +revive +revived +revives +revivification +revivification's +revivified +revivifies +revivify +revivifying +reviving +Revlon +Revlon's +revocable +revocation +revocation's +revocations +revoke +revoked +revokes +revoking +revolt +revolted +revolting +revoltingly +revolt's +revolts +revolution +revolutionaries +revolutionary +revolutionary's +revolutionist +revolutionist's +revolutionists +revolutionize +revolutionized +revolutionizes +revolutionizing +revolution's +revolutions +revolvable +revolve +revolved +revolver +revolver's +revolvers +revolves +revolving +rev's +revs +revue +revue's +revues +revulsion +revulsion's +revved +revving +reward +rewarded +rewarding +reward's +rewards +rewarm +rewarmed +rewarming +rewarms +rewash +rewashed +rewashes +rewashing +reweave +reweaves +reweaving +rewed +rewedded +rewedding +reweds +reweigh +reweighed +reweighing +reweighs +rewind +rewindable +rewinding +rewind's +rewinds +rewire +rewired +rewires +rewiring +reword +reworded +rewording +rewords +rework +reworked +reworking +reworkings +reworks +rewound +rewove +rewoven +rewrite +rewrite's +rewrites +rewriting +rewritten +rewrote +Rex +Rex's +Reyes +Reyes's +Reykjavik +Reykjavik's +Reyna +Reynaldo +Reynaldo's +Reyna's +Reynolds +Reynolds's +rezone +rezoned +rezones +rezoning +RF +Rf +RFC +RFCs +RFD +Rf's +Rh +rhapsodic +rhapsodical +rhapsodies +rhapsodize +rhapsodized +rhapsodizes +rhapsodizing +rhapsody +rhapsody's +Rhea +rhea +Rhea's +rhea's +rheas +Rhee +Rhee's +Rheingau +Rheingau's +Rhenish +Rhenish's +rhenium +rhenium's +rheostat +rheostat's +rheostats +rhesus +rhesuses +rhesus's +rhetoric +rhetorical +rhetorically +rhetorician +rhetorician's +rhetoricians +rhetoric's +rheum +rheumatic +rheumatically +rheumatic's +rheumatics +rheumatism +rheumatism's +rheumatoid +rheum's +rheumy +Rhiannon +Rhiannon's +Rhine +Rhineland +Rhineland's +Rhine's +rhinestone +rhinestone's +rhinestones +rhinitis +rhinitis's +rhino +rhinoceros +rhinoceroses +rhinoceros's +rhinoplasty +rhino's +rhinos +rhinovirus +rhinoviruses +rhinovirus's +rhizome +rhizome's +rhizomes +rho +Rhoda +Rhoda's +Rhode +Rhodes +Rhodesia +Rhodesian +Rhodesia's +Rhodes's +rhodium +rhodium's +rhododendron +rhododendron's +rhododendrons +rhomboid +rhomboidal +rhomboid's +rhomboids +rhombus +rhombuses +rhombus's +Rhonda +Rhonda's +Rhone +Rhone's +rho's +rhos +Rh's +rhubarb +rhubarb's +rhubarbs +rhyme +rhymed +rhymer +rhymer's +rhymers +rhyme's +rhymes +rhymester +rhymester's +rhymesters +rhyming +rhythm +rhythmic +rhythmical +rhythmically +rhythm's +rhythms +RI +rial +rial's +rials +rib +ribald +ribaldry +ribaldry's +ribbed +Ribbentrop +Ribbentrop's +ribber +ribber's +ribbers +ribbing +ribbon +ribbon's +ribbons +riboflavin +riboflavin's +rib's +ribs +Ricardo +Ricardo's +Rice +rice +riced +ricer +ricer's +ricers +Rice's +rice's +rices +Rich +rich +Richard +Richard's +Richards +Richardson +Richardson's +Richards's +Richelieu +Richelieu's +richer +riches +richest +Richie +Richie's +richly +Richmond +Richmond's +richness +richness's +Rich's +rich's +Richter +Richter's +Richthofen +Richthofen's +ricing +Rick +rick +ricked +Rickenbacker +Rickenbacker's +ricketier +ricketiest +rickets +rickets's +rickety +Rickey +Rickey's +Rickie +Rickie's +ricking +Rickover +Rickover's +rickrack +rickrack's +Rick's +rick's +ricks +rickshaw +rickshaw's +rickshaws +Ricky +Ricky's +Rico +ricochet +ricocheted +ricocheting +ricochet's +ricochets +Rico's +ricotta +ricotta's +rid +riddance +riddance's +ridden +ridding +Riddle +riddle +riddled +Riddle's +riddle's +riddles +riddling +Ride +ride +rider +riderless +rider's +riders +ridership +ridership's +Ride's +ride's +rides +ridge +ridged +ridgepole +ridgepole's +ridgepoles +ridge's +ridges +ridging +ridgy +ridicule +ridiculed +ridicule's +ridicules +ridiculing +ridiculous +ridiculously +ridiculousness +ridiculousness's +riding +riding's +rids +Riefenstahl +Riefenstahl's +Riel +Riel's +Riemann +Riemann's +Riesling +Riesling's +Rieslings +RIF +rife +rifer +rifest +riff +riffed +riffing +riffle +riffled +riffle's +riffles +riffling +riffraff +riffraff's +riff's +riffs +rifle +rifled +rifleman +rifleman's +riflemen +rifler +rifler's +riflers +rifle's +rifles +rifling +rifling's +rift +rifted +rifting +rift's +rifts +rig +Riga +Riga's +rigatoni +rigatoni's +Rigel +Rigel's +rigged +rigger +rigger's +riggers +rigging +rigging's +Riggs +Riggs's +Right +right +righted +righteous +righteously +righteousness +righteousness's +righter +rightest +rightful +rightfully +rightfulness +rightfulness's +righting +rightism +rightism's +rightist +rightist's +rightists +rightly +rightmost +rightness +rightness's +righto +right's +rights +rightsize +rightsized +rightsizes +rightsizing +rightward +rightwards +rigid +rigidity +rigidity's +rigidly +rigidness +rigidness's +rigmarole +rigmarole's +rigmaroles +Rigoberto +Rigoberto's +Rigoletto +Rigoletto's +rigor +rigorous +rigorously +rigorousness +rigorousness's +rigor's +rigors +rig's +rigs +rile +riled +riles +Riley +Riley's +riling +Rilke +Rilke's +rill +rill's +rills +rim +Rimbaud +Rimbaud's +rime +rimed +rime's +rimes +riming +rimless +rimmed +rimming +rim's +rims +rind +rind's +rinds +ring +ringed +ringer +ringer's +ringers +ringgit +ringgit's +ringgits +ringing +ringings +ringleader +ringleader's +ringleaders +ringlet +ringlet's +ringlets +ringlike +Ringling +Ringling's +ringmaster +ringmaster's +ringmasters +Ringo +Ringo's +ring's +rings +ringside +ringside's +ringtone +ringtone's +ringtones +ringworm +ringworm's +rink +rink's +rinks +rinse +rinsed +rinse's +rinses +rinsing +Rio +Rio's +Rios +Rios's +riot +rioted +rioter +rioter's +rioters +rioting +rioting's +riotous +riotously +riotousness +riot's +riots +RIP +rip +riparian +ripcord +ripcord's +ripcords +ripe +ripely +ripen +ripened +ripeness +ripeness's +ripening +ripens +riper +ripest +Ripley +Ripley's +ripoff +ripoff's +ripoffs +riposte +riposted +riposte's +ripostes +riposting +ripped +ripper +ripper's +rippers +ripping +ripple +rippled +ripple's +ripples +rippling +ripply +rip's +rips +ripsaw +ripsaw's +ripsaws +riptide +riptide's +riptides +RISC +rise +risen +riser +riser's +risers +rise's +rises +risibility +risibility's +risible +rising +rising's +risings +risk +risked +riskier +riskiest +riskily +riskiness +riskiness's +risking +risk's +risks +risky +Risorgimento +Risorgimento's +risotto +risotto's +risottos +risqué +risque +rissole +rissoles +Rita +Ritalin +Ritalin's +Rita's +rite +rite's +rites +ritual +ritualism +ritualism's +ritualistic +ritualistically +ritualized +ritually +ritual's +rituals +Ritz +ritzier +ritziest +Ritz's +ritzy +riv +rival +rivaled +rivaling +rivalries +rivalry +rivalry's +rival's +rivals +Rivas +Rivas's +rive +rived +riven +river +Rivera +Rivera's +riverbank +riverbank's +riverbanks +riverbed +riverbed's +riverbeds +riverboat +riverboat's +riverboats +riverfront +Rivers +river's +rivers +Riverside +riverside +riverside's +riversides +Rivers's +rives +rivet +riveted +riveter +riveter's +riveters +riveting +rivet's +rivets +Riviera +riviera +Riviera's +Rivieras +rivieras +riving +rivulet +rivulet's +rivulets +Riyadh +Riyadh's +riyal +riyal's +riyals +Rizal +Rizal's +rm +RN +Rn +RNA +RNA's +RN's +Rn's +Roach +roach +roached +roaches +roaching +Roach's +roach's +road +roadbed +roadbed's +roadbeds +roadblock +roadblocked +roadblocking +roadblock's +roadblocks +roadhouse +roadhouse's +roadhouses +roadie +roadie's +roadies +roadkill +roadkill's +roadrunner +roadrunner's +roadrunners +road's +roads +roadshow +roadshow's +roadshows +roadside +roadside's +roadsides +roadster +roadster's +roadsters +roadway +roadway's +roadways +roadwork +roadwork's +roadworks +roadworthy +roam +roamed +roamer +roamer's +roamers +roaming +roaming's +roams +roan +Roanoke +Roanoke's +roan's +roans +roar +roared +roarer +roarer's +roarers +roaring +roaring's +roar's +roars +roast +roasted +roaster +roaster's +roasters +roasting +roasting's +roastings +roast's +roasts +Rob +rob +robbed +robber +robberies +robber's +robbers +robbery +robbery's +Robbie +Robbie's +Robbin +robbing +Robbin's +Robbins +Robbins's +Robby +Robby's +robe +robed +Roberson +Roberson's +Robert +Roberta +Roberta's +Roberto +Roberto's +Robert's +Roberts +Robertson +Robertson's +Roberts's +robe's +robes +Robeson +Robeson's +Robespierre +Robespierre's +Robin +robin +robing +Robin's +robin's +robins +Robinson +Robinson's +Robitussin +Robitussin's +Robles +Robles's +robocall +robocalled +robocalling +robocall's +robocalls +robot +robotic +robotics +robotics's +robotize +robotized +robotizes +robotizing +robot's +robots +Rob's +robs +Robson +Robson's +Robt +Robt's +robust +robuster +robustest +robustly +robustness +robustness's +Robyn +Robyn's +Rocco +Rocco's +Rocha +Rochambeau +Rochambeau's +Rocha's +Roche +Rochelle +Rochelle's +Roche's +Rochester +Rochester's +Rock +rock +rockabilly +rockabilly's +rockbound +rocked +Rockefeller +Rockefeller's +rocker +rockeries +rocker's +rockers +rockery +rocket +rocketed +rocketing +rocketry +rocketry's +rocket's +rockets +rockfall +rockfall's +rockfalls +Rockford +Rockford's +rockier +Rockies +Rockies's +rockiest +rockiness +rockiness's +rocking +Rockne +Rockne's +Rock's +rock's +rocks +Rockwell +Rockwell's +Rocky +rocky +Rocky's +rococo +rococo's +Rod +rod +Roddenberry +Roddenberry's +rode +rodent +rodent's +rodents +rodeo +rodeo's +rodeos +Roderick +Roderick's +Rodger +Rodger's +Rodgers +Rodgers's +Rodin +Rodin's +Rodney +Rodney's +Rodolfo +Rodolfo's +Rodrick +Rodrick's +Rodrigo +Rodrigo's +Rodriguez +Rodriguez's +Rodriquez +Rodriquez's +Rod's +rod's +rods +roe +roebuck +roebuck's +roebucks +Roeg +Roeg's +Roentgen +roentgen +roentgen's +roentgens +roe's +roes +ROFL +Rogelio +Rogelio's +Roger +roger +rogered +rogering +Roger's +Rogers +rogers +Rogers's +Roget +Roget's +rogue +roguery +roguery's +rogue's +rogues +roguish +roguishly +roguishness +roguishness's +roil +roiled +roiling +roils +roister +roistered +roisterer +roisterer's +roisterers +roistering +roisters +Rojas +Rojas's +Roku +Roku's +Rolaids +Rolaids's +Roland +Rolando +Rolando's +Roland's +role +role's +roles +Rolex +Rolex's +roll +Rolland +Rolland's +rollback +rollback's +rollbacks +rolled +roller +Rollerblade +Rollerblade's +rollerblading +roller's +rollers +rollerskating +rollerskating's +rollick +rollicked +rollicking +rollicking's +rollicks +rolling +rollings +Rollins +Rollins's +rollmop +rollmops +rollover +rollover's +rollovers +roll's +rolls +Rolodex +Rolodex's +Rolvaag +Rolvaag's +ROM +Rom +romaine +romaine's +romaines +Roman +roman +romance +romanced +romancer +romancer's +romancers +romance's +romances +romancing +Romanesque +Romanesque's +Romanesques +Romania +Romanian +Romanian's +Romanians +Romania's +Romanies +Romano +Romano's +Romanov +Romanov's +Roman's +Romans +roman's +Romansh +Romansh's +Romans's +romantic +romantically +Romanticism +romanticism +romanticism's +romanticist +romanticist's +romanticists +romanticize +romanticized +romanticizes +romanticizing +romantic's +romantics +Romany +Romany's +Rome +Romeo +romeo +Romeo's +romeo's +romeos +Romero +Romero's +Rome's +Romes +Rommel +Rommel's +Romney +Romney's +romp +romped +romper +romper's +rompers +romping +romp's +romps +ROM's +Romulus +Romulus's +Ron +Ronald +Ronald's +Ronda +Ronda's +rondo +rondo's +rondos +Ronnie +Ronnie's +Ronny +Ronny's +Ron's +Ronstadt +Ronstadt's +Rontgen +rood +rood's +roods +roof +roofed +roofer +roofer's +roofers +roofing +roofing's +roofless +roof's +roofs +rooftop +rooftop's +rooftops +rook +rooked +rookeries +rookery +rookery's +rookie +rookie's +rookies +rooking +rook's +rooks +room +roomed +roomer +roomer's +roomers +roomette +roomette's +roomettes +roomful +roomful's +roomfuls +roomier +roomiest +roominess +roominess's +rooming +roommate +roommate's +roommates +room's +rooms +roomy +Rooney +Rooney's +Roosevelt +Roosevelt's +roost +roosted +rooster +rooster's +roosters +roosting +roost's +roosts +Root +root +rooted +rooter +rooter's +rooters +rooting +rootkit +rootkit's +rootkits +rootless +rootlessness +rootlet +rootlet's +rootlets +Root's +root's +roots +rope +roped +roper +roper's +ropers +rope's +ropes +ropier +ropiest +roping +ropy +Roquefort +Roquefort's +Roqueforts +Rorschach +Rorschach's +Rory +Rory's +Rosa +Rosales +Rosales's +Rosalie +Rosalie's +Rosalind +Rosalinda +Rosalinda's +Rosalind's +Rosalyn +Rosalyn's +Rosanna +Rosanna's +Rosanne +Rosanne's +rosaries +Rosario +Rosario's +rosary +rosary's +Rosa's +Roscoe +Roscoe's +Rose +rose +Roseann +Roseann's +roseate +Roseau +Roseau's +rosebud +rosebud's +rosebuds +rosebush +rosebushes +rosebush's +Rosecrans +Rosecrans's +Rosella +Rosella's +Rosemarie +Rosemarie's +Rosemary +rosemary +Rosemary's +rosemary's +Rosenberg +Rosenberg's +Rosendo +Rosendo's +Rosenzweig +Rosenzweig's +Rose's +rose's +roses +Rosetta +Rosetta's +rosette +rosette's +rosettes +rosewater +rosewater's +rosewood +rosewood's +rosewoods +Rosicrucian +Rosicrucian's +Rosie +rosier +Rosie's +rosiest +rosily +rosin +rosined +rosiness +rosiness's +rosining +rosin's +rosins +Roslyn +Roslyn's +Ross +Rossetti +Rossetti's +Rossini +Rossini's +Ross's +Rostand +Rostand's +roster +roster's +rosters +Rostov +Rostov's +Rostropovich +Rostropovich's +rostrum +rostrum's +rostrums +Roswell +Roswell's +rosy +rot +rota +Rotarian +Rotarian's +rotaries +rotary +rotary's +rotas +rotate +rotated +rotates +rotating +rotation +rotational +rotation's +rotations +rotatory +ROTC +ROTC's +rote +rote's +rotgut +rotgut's +Roth +Rothko +Rothko's +Roth's +Rothschild +Rothschild's +rotisserie +rotisserie's +rotisseries +rotogravure +rotogravure's +rotogravures +rotor +rotor's +rotors +rototiller +rototiller's +rototillers +rot's +rots +rotted +rotten +rottener +rottenest +rottenly +rottenness +rottenness's +rotter +Rotterdam +Rotterdam's +rotters +rotting +Rottweiler +rottweiler +Rottweiler's +rottweilers +rotund +rotunda +rotunda's +rotundas +rotundity +rotundity's +rotundness +rotundness's +roué +Rouault +Rouault's +roue +roue's +roues +rouge +rouged +rouge's +rouges +rough +roughage +roughage's +roughcast +roughed +roughen +roughened +roughening +roughens +rougher +roughest +roughhouse +roughhoused +roughhouse's +roughhouses +roughhousing +roughing +roughly +roughneck +roughnecked +roughnecking +roughneck's +roughnecks +roughness +roughness's +rough's +roughs +roughshod +rouging +roulette +roulette's +round +roundabout +roundabout's +roundabouts +rounded +roundel +roundelay +roundelay's +roundelays +roundels +rounder +rounders +roundest +roundhouse +roundhouse's +roundhouses +rounding +roundish +roundly +roundness +roundness's +round's +rounds +roundup +roundup's +roundups +roundworm +roundworm's +roundworms +Rourke +Rourke's +roué's +roués +rouse +roused +rouses +rousing +Rousseau +Rousseau's +roust +roustabout +roustabout's +roustabouts +rousted +rousting +rousts +rout +route +routed +routeing +router +router's +routers +route's +routes +routine +routinely +routine's +routines +routing +routinize +routinized +routinizes +routinizing +rout's +routs +roux +Rove +rove +roved +Rover +rover +Rover's +rover's +rovers +Rove's +roves +roving +row +rowan +rowans +rowboat +rowboat's +rowboats +rowdier +rowdies +rowdiest +rowdily +rowdiness +rowdiness's +rowdy +rowdyism +rowdyism's +rowdy's +Rowe +rowed +rowel +roweled +roweling +rowel's +rowels +Rowena +Rowena's +rower +rower's +rowers +Rowe's +rowing +rowing's +Rowland +Rowland's +Rowling +Rowling's +rowlock +rowlocks +row's +rows +Roxanne +Roxanne's +Roxie +Roxie's +Roxy +Roxy's +Roy +Royal +royal +royalist +royalist's +royalists +royally +Royal's +royal's +royals +royalties +royalties's +royalty +royalty's +Royce +Royce's +Roy's +Rozelle +Rozelle's +RP +rpm +rps +RR +R's +rs +RSFSR +RSI +RSV +RSVP +rt +Rte +rte +RTFM +Ru +rub +Rubaiyat +Rubaiyat's +rubato +rubato's +rubatos +rubbed +rubber +rubberize +rubberized +rubberizes +rubberizing +Rubbermaid +Rubbermaid's +rubberneck +rubbernecked +rubbernecker +rubbernecker's +rubberneckers +rubbernecking +rubberneck's +rubbernecks +rubber's +rubbers +rubbery +rubbing +rubbings +rubbish +rubbished +rubbishes +rubbishing +rubbish's +rubbishy +rubble +rubble's +rubdown +rubdown's +rubdowns +rube +rubella +rubella's +Ruben +Ruben's +Rubens +Rubens's +rube's +rubes +Rubicon +Rubicon's +Rubicons +rubicund +rubidium +rubidium's +rubier +rubies +rubiest +Rubik +Rubik's +Rubin +Rubin's +Rubinstein +Rubinstein's +ruble +ruble's +rubles +rubric +rubric's +rubrics +rub's +rubs +Ruby +ruby +Ruby's +ruby's +Ruchbah +Ruchbah's +ruched +ruck +rucked +rucking +rucks +rucksack +rucksack's +rucksacks +ruckus +ruckuses +ruckus's +ructions +rudder +rudderless +rudder's +rudders +ruddier +ruddiest +ruddiness +ruddiness's +ruddy +rude +rudely +rudeness +rudeness's +ruder +rudest +rudiment +rudimentary +rudiment's +rudiments +Rudolf +Rudolf's +Rudolph +Rudolph's +Rudy +Rudyard +Rudyard's +Rudy's +rue +rued +rueful +ruefully +ruefulness +ruefulness's +rue's +rues +ruff +ruffed +ruffian +ruffianly +ruffian's +ruffians +ruffing +ruffle +ruffled +ruffle's +ruffles +ruffling +ruffly +ruff's +ruffs +Rufus +Rufus's +rug +rugby +rugby's +rugged +ruggeder +ruggedest +ruggedly +ruggedness +ruggedness's +rugger +rugrat +rugrat's +rugrats +rug's +rugs +Ruhr +Ruhr's +ruin +ruination +ruination's +ruined +ruing +ruining +ruinous +ruinously +ruin's +ruins +Ruiz +Ruiz's +Rukeyser +Rukeyser's +rule +ruled +ruler +ruler's +rulers +rule's +rules +ruling +ruling's +rulings +rum +rumba +rumbaed +rumbaing +rumba's +rumbas +rumble +rumbled +rumble's +rumbles +rumbling +rumbling's +rumblings +rumbustious +ruminant +ruminant's +ruminants +ruminate +ruminated +ruminates +ruminating +rumination +rumination's +ruminations +ruminative +ruminatively +rummage +rummaged +rummage's +rummages +rummaging +rummer +rummest +rummy +rummy's +rumor +rumored +rumoring +rumormonger +rumormonger's +rumormongers +rumor's +rumors +rump +Rumpelstiltskin +Rumpelstiltskin's +rumple +rumpled +rumple's +rumples +rumpling +rumply +rump's +rumps +rumpus +rumpuses +rumpus's +rum's +rums +Rumsfeld +Rumsfeld's +run +runabout +runabout's +runabouts +runaround +runaround's +runarounds +runaway +runaway's +runaways +rundown +rundown's +rundowns +rune +rune's +runes +rung +rung's +rungs +runic +runlet +runlet's +runlets +runnel +runnel's +runnels +runner +runner's +runners +runnier +runniest +running +running's +runny +Runnymede +Runnymede's +runoff +runoff's +runoffs +run's +runs +runt +runtier +runtiest +runt's +runts +runty +runway +runway's +runways +Runyon +Runyon's +rupee +rupee's +rupees +Rupert +Rupert's +rupiah +rupiah's +rupiahs +rupture +ruptured +rupture's +ruptures +rupturing +rural +Ru's +ruse +ruse's +ruses +Rush +rush +Rushdie +Rushdie's +rushed +rusher +rusher's +rushers +rushes +rushing +Rushmore +Rushmore's +Rush's +rush's +rushy +rusk +Ruskin +Ruskin's +rusk's +rusks +Russ +Russel +Russell +Russell's +Russel's +russet +russet's +russets +Russia +Russian +Russian's +Russians +Russia's +Russo +Russo's +Russ's +rust +Rustbelt +Rustbelt's +rusted +rustic +rustically +rusticate +rusticated +rusticates +rusticating +rustication +rustication's +rusticity +rusticity's +rustic's +rustics +rustier +rustiest +rustiness +rustiness's +rusting +rustle +rustled +rustler +rustler's +rustlers +rustle's +rustles +rustling +rustlings +rustproof +rustproofed +rustproofing +rustproofs +rust's +rusts +Rusty +rusty +Rusty's +rut +rutabaga +rutabaga's +rutabagas +Rutan +Rutan's +Rutgers +Rutgers's +Ruth +ruthenium +ruthenium's +Rutherford +rutherfordium +rutherfordium's +Rutherford's +Ruthie +Ruthie's +ruthless +ruthlessly +ruthlessness +ruthlessness's +Ruth's +Rutledge +Rutledge's +rut's +ruts +rutted +ruttier +ruttiest +rutting +rutty +RV +RV's +RVs +Rwanda +Rwandan +Rwandan's +Rwandans +Rwanda's +Rwandas +Rwy +Rx +Ry +Ryan +Ryan's +Rydberg +Rydberg's +Ryder +Ryder's +rye +rye's +Ryukyu +Ryukyu's +S +s +SA +Saab +Saab's +Saar +Saarinen +Saarinen's +Saar's +Saatchi +Saatchi's +Sabbath +sabbath +Sabbath's +Sabbaths +sabbath's +sabbaths +sabbatical +sabbatical's +sabbaticals +saber +saber's +sabers +Sabik +Sabik's +Sabin +Sabina +Sabina's +Sabine +Sabine's +Sabin's +sable +sable's +sables +sabot +sabotage +sabotaged +sabotage's +sabotages +sabotaging +saboteur +saboteur's +saboteurs +sabot's +sabots +sabra +sabra's +sabras +Sabre +Sabre's +Sabrina +Sabrina's +SAC +sac +Sacajawea +Sacajawea's +saccharin +saccharine +saccharin's +Sacco +Sacco's +sacerdotal +sachem +sachem's +sachems +sachet +sachet's +sachets +Sachs +Sachs's +sack +sackcloth +sackcloth's +sacked +sacker +sacker's +sackers +sackful +sackful's +sackfuls +sacking +sacking's +sackings +sack's +sacks +sacra +sacrament +sacramental +Sacramento +Sacramento's +sacrament's +sacraments +sacred +sacredly +sacredness +sacredness's +sacrifice +sacrificed +sacrifice's +sacrifices +sacrificial +sacrificially +sacrificing +sacrilege +sacrilege's +sacrileges +sacrilegious +sacrilegiously +sacristan +sacristan's +sacristans +sacristies +sacristy +sacristy's +sacroiliac +sacroiliac's +sacroiliacs +sacrosanct +sacrosanctness +sacrosanctness's +sacrum +sacrum's +sac's +sacs +sad +Sadat +Sadat's +Saddam +Saddam's +sadden +saddened +saddening +saddens +sadder +saddest +saddle +saddlebag +saddlebag's +saddlebags +saddled +saddler +saddlers +saddlery +saddle's +saddles +saddling +Sadducee +Sadducee's +Sade +Sade's +sades +sadhu +sadhus +Sadie +Sadie's +sadism +sadism's +sadist +sadistic +sadistically +sadist's +sadists +sadly +sadness +sadness's +sadomasochism +sadomasochism's +sadomasochist +sadomasochistic +sadomasochist's +sadomasochists +Sadr +Sadr's +safari +safaried +safariing +safari's +safaris +Safavid +Safavid's +safe +safeguard +safeguarded +safeguarding +safeguard's +safeguards +safekeeping +safekeeping's +safely +safeness +safeness's +safer +safe's +safes +safest +safeties +safety +safety's +Safeway +Safeway's +safflower +safflower's +safflowers +saffron +saffron's +saffrons +sag +saga +sagacious +sagaciously +sagacity +sagacity's +Sagan +Sagan's +saga's +sagas +sage +sagebrush +sagebrush's +sagely +sager +sage's +sages +sagest +sagged +saggier +saggiest +sagging +saggy +Saginaw +Saginaw's +Sagittarius +Sagittariuses +Sagittarius's +sago +sago's +sag's +sags +saguaro +saguaro's +saguaros +Sahara +Saharan +Saharan's +Sahara's +Sahel +Sahel's +sahib +sahib's +sahibs +said +Saigon +Saigon's +sail +sailboard +sailboarder +sailboarder's +sailboarders +sailboarding +sailboarding's +sailboard's +sailboards +sailboat +sailboat's +sailboats +sailcloth +sailcloth's +sailed +sailfish +sailfishes +sailfish's +sailing +sailing's +sailings +sailor +sailor's +sailors +sailplane +sailplane's +sailplanes +sail's +sails +saint +sainted +sainthood +sainthood's +saintlier +saintliest +saintlike +saintliness +saintliness's +saintly +saint's +saints +Saiph +Saiph's +saith +Sakai +Sakai's +sake +sake's +Sakha +Sakhalin +Sakhalin's +Sakharov +Sakharov's +Sakha's +Saki +Saki's +Saks +Saks's +Sal +salaam +salaamed +salaaming +salaam's +salaams +salable +salacious +salaciously +salaciousness +salaciousness's +salacity +salacity's +salad +Saladin +Saladin's +Salado +Salado's +salad's +salads +salamander +salamander's +salamanders +salami +Salamis +salami's +salamis +Salamis's +salaried +salaries +salary +salary's +Salas +Salas's +Salazar +Salazar's +sale +Salem +Salem's +Salerno +Salerno's +saleroom +salerooms +sale's +sales +salesclerk +salesclerk's +salesclerks +salesgirl +salesgirl's +salesgirls +salesladies +saleslady +saleslady's +salesman +salesman's +salesmanship +salesmanship's +salesmen +salespeople +salespeople's +salesperson +salesperson's +salespersons +salesroom +salesrooms +saleswoman +saleswoman's +saleswomen +salience +salience's +salient +saliently +salient's +salients +Salinas +Salinas's +saline +saline's +salines +Salinger +Salinger's +salinity +salinity's +Salisbury +Salisbury's +Salish +Salish's +saliva +salivary +saliva's +salivate +salivated +salivates +salivating +salivation +salivation's +Salk +Salk's +Sallie +sallied +Sallie's +sallies +sallow +sallower +sallowest +sallowness +sallowness's +Sallust +Sallust's +Sally +sally +sallying +Sally's +sally's +salmon +salmonella +salmonellae +salmonella's +salmon's +salmons +Salome +Salome's +salon +Salonika +Salonika's +salon's +salons +saloon +saloon's +saloons +Sal's +salsa +salsa's +salsas +SALT +salt +saltbox +saltboxes +saltbox's +saltcellar +saltcellar's +saltcellars +salted +salter +saltest +saltier +saltiest +saltine +saltine's +saltines +saltiness +saltiness's +salting +Salton +Salton's +saltpeter +saltpeter's +SALT's +salt's +salts +saltshaker +saltshaker's +saltshakers +saltwater +saltwater's +salty +salubrious +salutary +salutation +salutation's +salutations +salutatorian +salutatorian's +salutatorians +salutatory +salute +saluted +salute's +salutes +saluting +Salvador +Salvadoran +Salvadoran's +Salvadorans +Salvadorean +Salvadorean's +Salvadoreans +Salvadorian +Salvadorian's +Salvadorians +Salvador's +salvage +salvageable +salvaged +salvage's +salvages +salvaging +salvation +salvation's +Salvatore +Salvatore's +salve +salved +salver +salver's +salvers +salve's +salves +salving +salvo +salvo's +salvos +Salween +Salween's +Salyut +Salyut's +SAM +Sam +Samantha +Samantha's +Samar +Samara +Samara's +Samaritan +Samaritan's +Samaritans +samarium +samarium's +Samarkand +Samarkand's +Samar's +samba +sambaed +sambaing +samba's +sambas +same +sameness +sameness's +sames +samey +samizdat +samizdats +Sammie +Sammie's +Sammy +Sammy's +Samoa +Samoan +Samoan's +Samoans +Samoa's +samosa +samosas +Samoset +Samoset's +samovar +samovar's +samovars +Samoyed +Samoyed's +sampan +sampan's +sampans +sample +sampled +sampler +sampler's +samplers +sample's +samples +sampling +sampling's +samplings +Sampson +Sampson's +SAM's +Sam's +Samson +Samsonite +Samsonite's +Samson's +Samsung +Samsung's +Samuel +Samuel's +Samuelson +Samuelson's +samurai +samurai's +samurais +San +San'a +Sana +Sana's +sanatorium +sanatorium's +sanatoriums +séance +séance's +séances +Sanchez +Sanchez's +Sancho +Sancho's +sanctification +sanctification's +sanctified +sanctifies +sanctify +sanctifying +sanctimonious +sanctimoniously +sanctimoniousness +sanctimoniousness's +sanctimony +sanctimony's +sanction +sanctioned +sanctioning +sanction's +sanctions +sanctity +sanctity's +sanctuaries +sanctuary +sanctuary's +sanctum +sanctum's +sanctums +Sand +sand +sandal +sandal's +sandals +sandalwood +sandalwood's +sandbag +sandbagged +sandbagger +sandbagger's +sandbaggers +sandbagging +sandbag's +sandbags +sandbank +sandbank's +sandbanks +sandbar +sandbar's +sandbars +sandblast +sandblasted +sandblaster +sandblaster's +sandblasters +sandblasting +sandblast's +sandblasts +sandbox +sandboxes +sandbox's +Sandburg +Sandburg's +sandcastle +sandcastle's +sandcastles +sanded +sander +Sanders +sander's +sanders +Sanders's +sandhog +sandhog's +sandhogs +sandier +sandiest +sandiness +sandiness's +sanding +Sandinista +Sandinista's +sandlot +sandlot's +sandlots +sandlotter +sandlotter's +sandlotters +sandman +sandman's +sandmen +Sandoval +Sandoval's +sandpaper +sandpapered +sandpapering +sandpaper's +sandpapers +sandpiper +sandpiper's +sandpipers +sandpit +sandpits +Sandra +Sandra's +Sand's +sand's +sands +sandstone +sandstone's +sandstorm +sandstorm's +sandstorms +sandwich +sandwiched +sandwiches +sandwiching +sandwich's +Sandy +sandy +Sandy's +sane +sanely +saneness +saneness's +saner +sanest +Sanford +Sanford's +Sanforized +Sanforized's +Sang +sang +Sanger +Sanger's +sangfroid +sangfroid's +sangria +sangria's +Sang's +sangs +sanguinary +sanguine +sanguinely +Sanhedrin +Sanhedrin's +sanitarian +sanitarian's +sanitarians +sanitarium +sanitarium's +sanitariums +sanitary +sanitation +sanitation's +sanitize +sanitized +sanitizes +sanitizing +sanity +sanity's +sank +Sanka +Sankara +Sankara's +Sanka's +San's +sans +sanserif +Sanskrit +Sanskrit's +Santa +Santana +Santana's +Santa's +Santayana +Santayana's +Santeria +Santeria's +Santiago +Santiago's +Santos +Santos's +SAP +sap +sapience +sapience's +sapiens +sapient +sapless +sapling +sapling's +saplings +sapped +sapper +sappers +sapphire +sapphire's +sapphires +Sappho +Sappho's +sappier +sappiest +sappiness +sappiness's +sapping +Sapporo +Sapporo's +sappy +saprophyte +saprophyte's +saprophytes +saprophytic +SAP's +sap's +saps +sapsucker +sapsucker's +sapsuckers +sapwood +sapwood's +Sara +Saracen +Saracen's +Saracens +Saragossa +Saragossa's +Sarah +Sarah's +Sarajevo +Sarajevo's +Saran +saran +Saran's +saran's +Sara's +Sarasota +Sarasota's +Saratov +Saratov's +Sarawak +Sarawak's +sarcasm +sarcasm's +sarcasms +sarcastic +sarcastically +sarcoma +sarcoma's +sarcomas +sarcophagi +sarcophagus +sarcophagus's +sardine +sardine's +sardines +Sardinia +Sardinia's +sardonic +sardonically +Sargasso +Sargasso's +sarge +Sargent +Sargent's +sarge's +sarges +Sargon +Sargon's +sari +sari's +saris +sarky +sarnie +sarnies +Sarnoff +Sarnoff's +sarong +sarong's +sarongs +Saroyan +Saroyan's +SARS +sarsaparilla +sarsaparilla's +sarsaparillas +SARS's +Sarto +sartorial +sartorially +Sarto's +Sartre +Sartre's +SASE +sash +Sasha +Sasha's +sashay +sashayed +sashaying +sashay's +sashays +sashes +sash's +Sask +Saskatchewan +Saskatchewan's +Saskatoon +Saskatoon's +Sasquatch +Sasquatches +Sasquatch's +sass +sassafras +sassafrases +sassafras's +Sassanian +Sassanian's +sassed +sasses +sassier +sassiest +sassing +Sassoon +Sassoon's +sass's +sassy +SAT +Sat +sat +Satan +satanic +satanical +satanically +Satanism +satanism +Satanism's +satanism's +Satanist +satanist +Satanist's +satanist's +satanists +Satan's +satay +satchel +satchel's +satchels +sate +sated +sateen +sateen's +satellite +satellited +satellite's +satellites +satelliting +sates +satiable +satiate +satiated +satiates +satiating +satiation +satiation's +satiety +satiety's +satin +sating +satin's +satinwood +satinwood's +satinwoods +satiny +satire +satire's +satires +satiric +satirical +satirically +satirist +satirist's +satirists +satirize +satirized +satirizes +satirizing +satisfaction +satisfaction's +satisfactions +satisfactorily +satisfactory +satisfied +satisfies +satisfy +satisfying +satisfyingly +satori +satori's +satrap +satrap's +satraps +Sat's +satsuma +satsumas +saturate +saturated +saturates +saturating +saturation +saturation's +Saturday +Saturday's +Saturdays +Saturn +Saturnalia +Saturnalia's +saturnine +Saturn's +satyr +satyriasis +satyriasis's +satyric +satyr's +satyrs +sauce +sauced +saucepan +saucepan's +saucepans +saucer +saucer's +saucers +sauce's +sauces +saucier +sauciest +saucily +sauciness +sauciness's +saucing +saucy +Saudi +Saudi's +Saudis +sauerkraut +sauerkraut's +Saul +Saul's +sauna +saunaed +saunaing +sauna's +saunas +Saunders +Saunders's +Saundra +Saundra's +saunter +sauntered +sauntering +saunter's +saunters +saurian +sauropod +sauropod's +sauropods +sausage +sausage's +sausages +Saussure +Saussure's +sauté +saute +sautéed +sauteed +sauteing +Sauternes +saute's +sautes +sautéing +sauté's +sautés +savable +Savage +savage +savaged +savagely +savageness +savageness's +savager +savageries +savagery +savagery's +Savage's +savage's +savages +savagest +savaging +savanna +Savannah +Savannah's +savanna's +savannas +savant +savant's +savants +save +saved +saver +saver's +savers +save's +saves +saving +saving's +savings +savings's +Savior +savior +Savior's +savior's +saviors +Savonarola +Savonarola's +savor +savored +savorier +savories +savoriest +savoriness +savoriness's +savoring +savor's +savors +savory +savory's +Savoy +savoy +Savoyard +Savoyard's +Savoy's +savoy's +savoys +savvied +savvier +savvies +savviest +savvy +savvying +savvy's +saw +sawbones +sawbones's +sawbuck +sawbuck's +sawbucks +sawdust +sawdust's +sawed +sawflies +sawfly +sawfly's +sawhorse +sawhorse's +sawhorses +sawing +sawmill +sawmill's +sawmills +saw's +saws +Sawyer +sawyer +Sawyer's +sawyer's +sawyers +sax +saxes +saxifrage +saxifrage's +saxifrages +Saxon +Saxon's +Saxons +Saxony +Saxony's +saxophone +saxophone's +saxophones +saxophonist +saxophonist's +saxophonists +sax's +say +Sayers +Sayers's +saying +saying's +sayings +say's +says +Sb +SBA +Sb's +SC +Sc +scab +scabbard +scabbard's +scabbards +scabbed +scabbier +scabbiest +scabbiness +scabbiness's +scabbing +scabby +scabies +scabies's +scabrous +scab's +scabs +scad +scad's +scads +scaffold +scaffolding +scaffolding's +scaffold's +scaffolds +scag +scagged +scags +Scala +scalar +scalars +Scala's +scalawag +scalawag's +scalawags +scald +scalded +scalding +scald's +scalds +scale +scaled +scaleless +scalene +scale's +scales +scalier +scaliest +scaliness +scaliness's +scaling +scallion +scallion's +scallions +scallop +scalloped +scalloping +scallop's +scallops +scalp +scalped +scalpel +scalpel's +scalpels +scalper +scalper's +scalpers +scalping +scalp's +scalps +scaly +scam +scammed +scammer +scammers +scamming +scamp +scamper +scampered +scampering +scamper's +scampers +scampi +scampi's +scamp's +scamps +scam's +scams +Scan +scan +scandal +scandalize +scandalized +scandalizes +scandalizing +scandalmonger +scandalmonger's +scandalmongers +scandalous +scandalously +scandal's +scandals +Scandinavia +Scandinavian +Scandinavian's +Scandinavians +Scandinavia's +scandium +scandium's +scanned +scanner +scanner's +scanners +scanning +scan's +scans +scansion +scansion's +scant +scanted +scanter +scantest +scantier +scanties +scantiest +scantily +scantiness +scantiness's +scanting +scantly +scantness +scantness's +scants +scanty +scapegoat +scapegoated +scapegoating +scapegoat's +scapegoats +scapegrace +scapegrace's +scapegraces +scapula +scapulae +scapular +scapular's +scapulars +scapula's +scar +scarab +scarab's +scarabs +Scaramouch +Scaramouch's +Scarborough +Scarborough's +scarce +scarcely +scarceness +scarceness's +scarcer +scarcest +scarcities +scarcity +scarcity's +scare +scarecrow +scarecrow's +scarecrows +scared +scaremonger +scaremongering +scaremonger's +scaremongers +scare's +scares +scarf +scarfed +scarfing +scarf's +scarfs +scarier +scariest +scarification +scarification's +scarified +scarifies +scarify +scarifying +scarily +scariness +scariness's +scaring +scarlatina +scarlatina's +Scarlatti +Scarlatti's +scarlet +scarlet's +scarp +scarped +scarper +scarpered +scarpering +scarpers +scarping +scarp's +scarps +scarred +scarring +scar's +scars +scarves +scary +scat +scathing +scathingly +scatological +scatology +scatology's +scat's +scats +scatted +scatter +scatterbrain +scatterbrained +scatterbrain's +scatterbrains +scattered +scattering +scattering's +scatterings +scatter's +scatters +scattershot +scatting +scatty +scavenge +scavenged +scavenger +scavenger's +scavengers +scavenges +scavenging +scenario +scenario's +scenarios +scenarist +scenarist's +scenarists +scene +scenery +scenery's +scene's +scenes +scenic +scenically +scent +scented +scenting +scentless +scent's +scents +scepter +scepter's +scepters +sch +schadenfreude +Scheat +Scheat's +Schedar +Schedar's +schedule +scheduled +scheduler +schedulers +schedule's +schedules +scheduling +Scheherazade +Scheherazade's +Schelling +Schelling's +schema +schemata +schematic +schematically +schematic's +schematics +schematize +schematized +schematizes +schematizing +scheme +schemed +schemer +schemer's +schemers +scheme's +schemes +scheming +Schenectady +Schenectady's +scherzo +scherzo's +scherzos +Schiaparelli +Schiaparelli's +Schick +Schick's +Schiller +Schiller's +schilling +schilling's +schillings +Schindler +Schindler's +schism +schismatic +schismatic's +schismatics +schism's +schisms +schist +schist's +schizo +schizoid +schizoid's +schizoids +schizophrenia +schizophrenia's +schizophrenic +schizophrenic's +schizophrenics +schizo's +schizos +schlemiel +schlemiel's +schlemiels +schlep +schlepped +schlepping +schlep's +schleps +Schlesinger +Schlesinger's +Schliemann +Schliemann's +Schlitz +Schlitz's +schlock +schlock's +schmaltz +schmaltzier +schmaltziest +schmaltz's +schmaltzy +Schmidt +Schmidt's +schmo +schmoes +schmooze +schmoozed +schmoozer +schmoozers +schmoozes +schmoozing +schmo's +schmuck +schmuck's +schmucks +Schnabel +Schnabel's +schnapps +schnapps's +Schnauzer +schnauzer +Schnauzer's +schnauzer's +schnauzers +Schneider +Schneider's +schnitzel +schnitzel's +schnitzels +schnook +schnook's +schnooks +schnoz +schnozes +schnoz's +schnozzle +schnozzle's +schnozzles +Schoenberg +Schoenberg's +scholar +scholarly +scholar's +scholars +scholarship +scholarship's +scholarships +scholastic +scholastically +scholasticism +school +schoolbag +schoolbag's +schoolbags +schoolbook +schoolbook's +schoolbooks +schoolboy +schoolboy's +schoolboys +schoolchild +schoolchildren +schoolchildren's +schoolchild's +schooldays +schooled +schoolfellow +schoolfellow's +schoolfellows +schoolgirl +schoolgirl's +schoolgirls +schoolhouse +schoolhouse's +schoolhouses +schooling +schooling's +schoolkid +schoolkids +schoolmarm +schoolmarmish +schoolmarm's +schoolmarms +schoolmaster +schoolmaster's +schoolmasters +schoolmate +schoolmate's +schoolmates +schoolmistress +schoolmistresses +schoolmistress's +schoolroom +schoolroom's +schoolrooms +school's +schools +schoolteacher +schoolteacher's +schoolteachers +schoolwork +schoolwork's +schoolyard +schoolyard's +schoolyards +schooner +schooner's +schooners +Schopenhauer +Schopenhauer's +Schrödinger +Schrödinger's +Schrieffer +Schrieffer's +Schrodinger +Schrodinger's +Schroeder +Schroeder's +Schubert +Schubert's +Schultz +Schultz's +Schulz +Schulz's +Schumann +Schumann's +Schumpeter +Schumpeter's +schuss +schussboomer +schussboomer's +schussboomers +schussed +schusses +schussing +schuss's +Schuyler +Schuyler's +Schuylkill +Schuylkill's +schwa +Schwartz +Schwartz's +Schwarzenegger +Schwarzenegger's +Schwarzkopf +Schwarzkopf's +schwa's +schwas +Schweitzer +Schweitzer's +Schweppes +Schweppes's +Schwinger +Schwinger's +Schwinn +Schwinn's +sci +sciatic +sciatica +sciatica's +science +science's +sciences +scientific +scientifically +scientist +scientist's +scientists +Scientologist +Scientologist's +Scientologists +Scientology +Scientology's +scimitar +scimitar's +scimitars +scintilla +scintilla's +scintillas +scintillate +scintillated +scintillates +scintillating +scintillation +scintillation's +scion +scion's +scions +Scipio +Scipio's +scissor +scissored +scissoring +scissors +scleroses +sclerosis +sclerosis's +sclerotic +scoff +scoffed +scoffer +scoffer's +scoffers +scoffing +scofflaw +scofflaw's +scofflaws +scoff's +scoffs +scold +scolded +scolding +scolding's +scoldings +scold's +scolds +scoliosis +scoliosis's +sconce +sconce's +sconces +scone +scone's +scones +scoop +scooped +scoopful +scoopful's +scoopfuls +scooping +scoop's +scoops +scoot +scooted +scooter +scooter's +scooters +scooting +scoots +scope +scoped +Scopes +scope's +scopes +Scopes's +scoping +scorbutic +scorch +scorched +scorcher +scorcher's +scorchers +scorches +scorching +scorch's +score +scoreboard +scoreboard's +scoreboards +scorecard +scorecard's +scorecards +scored +scorekeeper +scorekeeper's +scorekeepers +scoreless +scoreline +scorelines +scorer +scorer's +scorers +score's +scores +scoring +scorn +scorned +scorner +scorner's +scorners +scornful +scornfully +scorning +scorn's +scorns +Scorpio +scorpion +scorpion's +scorpions +Scorpio's +Scorpios +Scorpius +Scorpius's +Scorsese +Scorsese's +Scot +Scotch +scotch +scotched +Scotches +scotches +scotching +Scotchman +Scotchman's +Scotchmen +Scotchmen's +Scotch's +scotch's +scotchs +Scotchwoman +Scotchwoman's +Scotchwomen +Scotchwomen's +Scotia +Scotia's +Scotland +Scotland's +Scot's +Scots +Scotsman +Scotsman's +Scotsmen +Scotsmen's +Scotswoman +Scotswoman's +Scotswomen +Scotswomen's +Scott +Scottie +Scottie's +Scotties +Scottish +Scottish's +Scott's +Scottsdale +Scottsdale's +scoundrel +scoundrel's +scoundrels +scour +scoured +scourer +scourer's +scourers +scourge +scourged +scourge's +scourges +scourging +scouring +scours +scout +scouted +scouter +scouters +scouting +scouting's +scoutmaster +scoutmaster's +scoutmasters +scout's +scouts +scow +scowl +scowled +scowling +scowl's +scowls +scow's +scows +Scrabble +scrabble +scrabbled +scrabbler +scrabbler's +scrabblers +Scrabble's +Scrabbles +scrabble's +scrabbles +scrabbling +scrag +scraggier +scraggiest +scragglier +scraggliest +scraggly +scraggy +scrag's +scrags +scram +scramble +scrambled +scrambler +scrambler's +scramblers +scramble's +scrambles +scrambling +scrammed +scramming +scrams +Scranton +Scranton's +scrap +scrapbook +scrapbook's +scrapbooks +scrape +scraped +scraper +scraper's +scrapers +scrape's +scrapes +scrapheap +scrapheap's +scrapheaps +scrapie +scraping +scrapings +scrapped +scrapper +scrapper's +scrappers +scrappier +scrappiest +scrapping +scrappy +scrap's +scraps +scrapyard +scrapyard's +scrapyards +scratch +scratchcard +scratchcards +scratched +scratches +scratchier +scratchiest +scratchily +scratchiness +scratchiness's +scratching +scratchpad +scratchpads +scratch's +scratchy +scrawl +scrawled +scrawling +scrawl's +scrawls +scrawly +scrawnier +scrawniest +scrawniness +scrawniness's +scrawny +scream +screamed +screamer +screamer's +screamers +screaming +screamingly +scream's +screams +scree +screech +screeched +screeches +screechier +screechiest +screeching +screech's +screechy +screed +screeds +screen +screened +screening +screening's +screenings +screenplay +screenplay's +screenplays +screen's +screens +screensaver +screensaver's +screensavers +screenshot +screenshots +screenwriter +screenwriter's +screenwriters +screenwriting +screenwriting's +scree's +screes +screw +screwball +screwball's +screwballs +screwdriver +screwdriver's +screwdrivers +screwed +screwier +screwiest +screwiness +screwiness's +screwing +screw's +screws +screwworm +screwworm's +screwworms +screwy +Scriabin +Scriabin's +scribal +scribble +scribbled +scribbler +scribbler's +scribblers +scribble's +scribbles +scribbling +scribe +scribe's +scribes +Scribner +Scribner's +scrim +scrimmage +scrimmaged +scrimmage's +scrimmages +scrimmaging +scrimp +scrimped +scrimping +scrimps +scrim's +scrims +scrimshaw +scrimshawed +scrimshawing +scrimshaw's +scrimshaws +scrip +scrip's +scrips +script +scripted +scripting +script's +scripts +scriptural +Scripture +scripture +Scripture's +Scriptures +scripture's +scriptures +scriptwriter +scriptwriter's +scriptwriters +scrivener +scrivener's +scriveners +scrod +scrod's +scrofula +scrofula's +scrofulous +scrog +scrogs +scroll +scrolled +scrolling +scroll's +scrolls +Scrooge +scrooge +Scrooge's +scrooge's +scrooges +scrota +scrotal +scrotum +scrotum's +scrounge +scrounged +scrounger +scrounger's +scroungers +scrounges +scroungier +scroungiest +scrounging +scroungy +scrub +scrubbed +scrubber +scrubber's +scrubbers +scrubbier +scrubbiest +scrubbing +scrubby +scrub's +scrubs +scruff +scruffier +scruffiest +scruffily +scruffiness +scruffiness's +scruff's +scruffs +scruffy +Scruggs +Scruggs's +scrum +scrumhalf +scrumhalves +scrummage +scrummages +scrummed +scrumming +scrump +scrumped +scrumping +scrumps +scrumptious +scrumptiously +scrumpy +scrums +scrunch +scrunched +scrunches +scrunchies +scrunching +scrunch's +scrunchy +scrunchy's +scruple +scrupled +scruple's +scruples +scrupling +scrupulosity +scrupulosity's +scrupulous +scrupulously +scrupulousness +scrupulousness's +scrutineer +scrutineers +scrutinize +scrutinized +scrutinizes +scrutinizing +scrutiny +scrutiny's +SC's +Sc's +SCSI +SCSI's +scuba +scubaed +scubaing +scuba's +scubas +Scud +scud +scudded +scudding +Scud's +scud's +scuds +scuff +scuffed +scuffing +scuffle +scuffled +scuffle's +scuffles +scuffling +scuff's +scuffs +scull +sculled +sculler +sculleries +sculler's +scullers +scullery +scullery's +Sculley +Sculley's +sculling +scullion +scullion's +scullions +scull's +sculls +sculpt +sculpted +sculpting +sculptor +sculptor's +sculptors +sculptress +sculptresses +sculptress's +sculpts +sculptural +sculpture +sculptured +sculpture's +sculptures +sculpturing +scum +scumbag +scumbag's +scumbags +scummed +scummier +scummiest +scumming +scummy +scum's +scums +scupper +scuppered +scuppering +scupper's +scuppers +scurf +scurf's +scurfy +scurried +scurries +scurrility +scurrility's +scurrilous +scurrilously +scurrilousness +scurrilousness's +scurry +scurrying +scurry's +scurvier +scurviest +scurvily +scurvy +scurvy's +scutcheon +scutcheon's +scutcheons +scuttle +scuttlebutt +scuttlebutt's +scuttled +scuttle's +scuttles +scuttling +scuzzier +scuzziest +scuzzy +Scylla +Scylla's +scythe +scythed +scythe's +scythes +Scythia +Scythian +Scythian's +Scythia's +scything +SD +SDI +SE +Se +sea +seabed +seabed's +seabeds +seabird +seabird's +seabirds +seaboard +seaboard's +seaboards +Seaborg +Seaborg's +seaborne +seacoast +seacoast's +seacoasts +seafarer +seafarer's +seafarers +seafaring +seafaring's +seafloor +seafloor's +seafloors +seafood +seafood's +seafront +seafront's +seafronts +seagoing +Seagram +Seagram's +seagull +seagull's +seagulls +seahorse +seahorse's +seahorses +seal +sealant +sealant's +sealants +sealed +sealer +sealer's +sealers +sealing +seal's +seals +sealskin +sealskin's +seam +seaman +seaman's +seamanship +seamanship's +seamed +seamen +seamier +seamiest +seaming +seamless +seamlessly +seamount +seamount's +seamounts +seam's +seams +seamstress +seamstresses +seamstress's +seamy +Sean +seance +seance's +seances +Sean's +seaplane +seaplane's +seaplanes +seaport +seaport's +seaports +sear +search +searchable +searched +searcher +searcher's +searchers +searches +searching +searchingly +searchlight +searchlight's +searchlights +search's +seared +searing +searingly +Sears +sear's +sears +Sears's +sea's +seas +seascape +seascape's +seascapes +seashell +seashell's +seashells +seashore +seashore's +seashores +seasick +seasickness +seasickness's +seaside +seaside's +seasides +season +seasonable +seasonably +seasonal +seasonality +seasonally +seasoned +seasoning +seasoning's +seasonings +season's +seasons +seat +seated +seating +seating's +seatmate +seatmate's +seatmates +SEATO +seat's +seats +Seattle +Seattle's +seawall +seawall's +seawalls +seaward +seaward's +seawards +seawater +seawater's +seaway +seaway's +seaways +seaweed +seaweed's +seaweeds +seaworthiness +seaworthiness's +seaworthy +sebaceous +Sebastian +Sebastian's +seborrhea +seborrhea's +sebum +SEC +Sec +sec +secant +secant's +secants +secateurs +secede +seceded +secedes +seceding +secession +secessionist +secessionist's +secessionists +secession's +seclude +secluded +secludes +secluding +seclusion +seclusion's +seclusive +Seconal +Seconal's +second +secondaries +secondarily +secondary +secondary's +seconded +seconder +seconder's +seconders +secondhand +seconding +secondly +secondment +secondments +second's +seconds +secrecy +secrecy's +secret +secretarial +Secretariat +secretariat +Secretariat's +secretariat's +secretariats +secretaries +Secretary +secretary +secretary's +secretaryship +secretaryship's +secrete +secreted +secretes +secreting +secretion +secretion's +secretions +secretive +secretively +secretiveness +secretiveness's +secretly +secretory +secret's +secrets +SEC's +sec's +secs +sect +sectarian +sectarianism +sectarianism's +sectarian's +sectarians +sectaries +sectary +sectary's +section +sectional +sectionalism +sectionalism's +sectional's +sectionals +sectioned +sectioning +section's +sections +sector +sector's +sectors +sect's +sects +secular +secularism +secularism's +secularist +secularist's +secularists +secularization +secularization's +secularize +secularized +secularizes +secularizing +secure +secured +securely +securer +secures +securest +securing +securities +security +security's +sec'y +secy +sedan +sedan's +sedans +sedate +sedated +sedately +sedateness +sedateness's +sedater +sedates +sedatest +sedating +sedation +sedation's +sedative +sedative's +sedatives +sedentary +Seder +Seder's +Seders +sedge +sedge's +sedgy +sediment +sedimentary +sedimentation +sedimentation's +sediment's +sediments +sedition +sedition's +seditious +Sedna +Sedna's +seduce +seduced +seducer +seducer's +seducers +seduces +seducing +seduction +seduction's +seductions +seductive +seductively +seductiveness +seductiveness's +seductress +seductresses +seductress's +sedulous +sedulously +see +Seebeck +Seebeck's +seed +seedbed +seedbed's +seedbeds +seedcase +seedcase's +seedcases +seeded +seeder +seeder's +seeders +seedier +seediest +seediness +seediness's +seeding +seedless +seedling +seedling's +seedlings +seedpod +seedpod's +seedpods +seed's +seeds +seedy +Seeger +Seeger's +seeing +seeings +seek +seeker +seeker's +seekers +seeking +seeks +seem +seemed +seeming +seemingly +seemlier +seemliest +seemliness +seemliness's +seemly +seems +seen +seep +seepage +seepage's +seeped +seeping +seeps +seer +seer's +seers +seersucker +seersucker's +see's +sees +seesaw +seesawed +seesawing +seesaw's +seesaws +seethe +seethed +seethes +seething +Sega +Sega's +segfault +segfaults +segment +segmentation +segmentation's +segmented +segmenting +segment's +segments +Segovia +Segovia's +Segre +segregate +segregated +segregates +segregating +segregation +segregationist +segregationist's +segregationists +segregation's +Segre's +segue +segued +segueing +segue's +segues +seguing +Segundo +Segundo's +Segway +Segways +seigneur +seigneur's +seigneurs +seignior +seignior's +seigniors +Seiko +Seiko's +Seine +seine +seined +seiner +seiner's +seiners +Seine's +seine's +seines +Seinfeld +Seinfeld's +seining +seismic +seismically +seismograph +seismographer +seismographer's +seismographers +seismographic +seismograph's +seismographs +seismography +seismography's +seismologic +seismological +seismologist +seismologist's +seismologists +seismology +seismology's +seize +seized +seizes +seizing +seizure +seizure's +seizures +Sejong +Sejong's +Selassie +Selassie's +seldom +select +selected +selecting +selection +selection's +selections +selective +selectively +selectivity +selectivity's +selectman +selectman's +selectmen +selectness +selectness's +selector +selector's +selectors +Selectric +Selectric's +selects +Selena +Selena's +selenium +selenium's +selenographer +selenographer's +selenographers +selenography +selenography's +Seleucid +Seleucid's +Seleucus +Seleucus's +self +selfie +selfie's +selfies +selfish +selfishly +selfishness +selfishness's +selfless +selflessly +selflessness +selflessness's +self's +selfsame +Selim +Selim's +Seljuk +Seljuk's +Selkirk +Selkirk's +sell +seller +Sellers +seller's +sellers +Sellers's +selling +selloff +selloff's +selloffs +sellotape +sellotaped +sellotapes +sellotaping +sellout +sellout's +sellouts +sell's +sells +Selma +Selma's +seltzer +seltzer's +seltzers +selvage +selvage's +selvages +selves +Selznick +Selznick's +semantic +semantically +semanticist +semanticist's +semanticists +semantics +semantics's +semaphore +semaphored +semaphore's +semaphores +semaphoring +Semarang +Semarang's +semblance +semblance's +semblances +semen +semen's +semester +semester's +semesters +semi +semiannual +semiannually +semiarid +semiautomatic +semiautomatic's +semiautomatics +semibreve +semibreves +semicircle +semicircle's +semicircles +semicircular +semicolon +semicolon's +semicolons +semiconducting +semiconductor +semiconductor's +semiconductors +semiconscious +semidarkness +semidarkness's +semidetached +semifinal +semifinalist +semifinalist's +semifinalists +semifinal's +semifinals +semigloss +semiglosses +semimonthlies +semimonthly +semimonthly's +seminal +seminar +seminarian +seminarian's +seminarians +seminaries +seminar's +seminars +seminary +seminary's +Seminole +Seminole's +Seminoles +semiofficial +semiotic +semiotics +semiotics's +semipermeable +semiprecious +semiprivate +semipro +semiprofessional +semiprofessional's +semiprofessionals +semipros +semiquaver +semiquavers +Semiramis +Semiramis's +semiretired +semi's +semis +semiskilled +semisolid +semisweet +Semite +Semite's +Semites +Semitic +Semitic's +Semitics +semitone +semitone's +semitones +semitrailer +semitrailer's +semitrailers +semitransparent +semitropical +semivowel +semivowel's +semivowels +semiweeklies +semiweekly +semiweekly's +semiyearly +semolina +semolina's +sempstress +sempstresses +sempstress's +Semtex +Semtex's +Sen +sen +Senate +senate +Senate's +Senates +senate's +senates +senator +senatorial +senator's +senators +send +Sendai +Sendai's +sender +sender's +senders +sending +sendoff +sendoff's +sendoffs +sends +Seneca +Seneca's +Senecas +Senegal +Senegalese +Senegalese's +Senegal's +senescence +senescence's +senescent +Senghor +Senghor's +senile +senility +senility's +Senior +senior +seniority +seniority's +Senior's +senior's +seniors +senna +Sennacherib +Sennacherib's +senna's +Sennett +Sennett's +senor +senora +senora's +senoras +senorita +senorita's +senoritas +senor's +senors +sens +sensation +sensational +sensationalism +sensationalism's +sensationalist +sensationalist's +sensationalists +sensationalize +sensationalized +sensationalizes +sensationalizing +sensationally +sensation's +sensations +sense +sensed +senseless +senselessly +senselessness +senselessness's +sense's +senses +sensibilities +sensibility +sensibility's +sensible +sensibleness +sensibleness's +sensibly +sensing +sensitive +sensitively +sensitiveness +sensitiveness's +sensitive's +sensitives +sensitivities +sensitivity +sensitivity's +sensitization +sensitization's +sensitize +sensitized +sensitizes +sensitizing +sensor +sensor's +sensors +sensory +sensual +sensualist +sensualist's +sensualists +sensuality +sensuality's +sensually +sensuous +sensuously +sensuousness +sensuousness's +Sensurround +Sensurround's +sent +sentence +sentenced +sentence's +sentences +sentencing +sententious +sententiously +sentience +sentience's +sentient +sentiment +sentimental +sentimentalism +sentimentalism's +sentimentalist +sentimentalist's +sentimentalists +sentimentality +sentimentality's +sentimentalization +sentimentalization's +sentimentalize +sentimentalized +sentimentalizes +sentimentalizing +sentimentally +sentiment's +sentiments +sentinel +sentinel's +sentinels +sentries +sentry +sentry's +Seoul +Seoul's +Sep +sepal +sepal's +sepals +separability +separability's +separable +separably +separate +separated +separately +separateness +separateness's +separate's +separates +separating +separation +separation's +separations +separatism +separatism's +separatist +separatist's +separatists +separative +separator +separator's +separators +Sephardi +Sephardi's +sepia +sepia's +Sepoy +Sepoy's +sepsis +sepsis's +Sept +septa +septal +September +September's +Septembers +septet +septet's +septets +septic +septicemia +septicemia's +septicemic +Sept's +septuagenarian +septuagenarian's +septuagenarians +Septuagint +Septuagint's +Septuagints +septum +septum's +sepulcher +sepulchered +sepulchering +sepulcher's +sepulchers +sepulchral +seq +sequel +sequel's +sequels +sequence +sequenced +sequencer +sequencers +sequence's +sequences +sequencing +sequencing's +sequential +sequentially +sequester +sequestered +sequestering +sequesters +sequestrate +sequestrated +sequestrates +sequestrating +sequestration +sequestration's +sequestrations +sequin +sequined +sequinned +sequin's +sequins +sequitur +sequoia +sequoia's +sequoias +Sequoya +Sequoya's +seraglio +seraglio's +seraglios +serape +serape's +serapes +seraph +seraphic +seraph's +seraphs +Serb +Serbia +Serbian +Serbian's +Serbians +Serbia's +Serb's +Serbs +sere +Serena +serenade +serenaded +serenade's +serenades +serenading +Serena's +serendipitous +serendipity +serendipity's +serene +serenely +sereneness +sereneness's +serener +serenest +Serengeti +Serengeti's +serenity +serenity's +serer +serest +serf +serfdom +serfdom's +serf's +serfs +serge +sergeant +sergeant's +sergeants +Sergei +Sergei's +serge's +Sergio +Sergio's +serial +serialization +serialization's +serializations +serialize +serialized +serializes +serializing +serially +serial's +serials +series +series's +serif +serif's +serifs +serigraph +serigraph's +serigraphs +serine +serious +seriously +seriousness +seriousness's +sermon +sermonize +sermonized +sermonizes +sermonizing +sermon's +sermons +serology +serology's +serotonin +serous +Serpens +Serpens's +serpent +serpentine +serpentine's +serpent's +serpents +Serra +Serrano +Serrano's +Serra's +serrate +serrated +serration +serration's +serrations +serried +serum +serum's +serums +servant +servant's +servants +serve +served +server +serveries +server's +servers +servery +serve's +serves +service +serviceability +serviceability's +serviceable +serviced +serviceman +serviceman's +servicemen +service's +services +servicewoman +servicewoman's +servicewomen +servicing +serviette +serviette's +serviettes +servile +servility +servility's +serving +serving's +servings +servitor +servitor's +servitors +servitude +servitude's +servo +servomechanism +servomechanism's +servomechanisms +servomotor +servomotor's +servomotors +servo's +servos +SE's +Se's +sesame +sesame's +sesames +sesquicentennial +sesquicentennial's +sesquicentennials +session +session's +sessions +Set +set +setback +setback's +setbacks +Seth +Seth's +Seton +Seton's +Set's +set's +sets +setscrew +setscrew's +setscrews +setsquare +setsquares +sett +settable +settee +settee's +settees +setter +setter's +setters +setting +setting's +settings +settle +settled +settlement +settlement's +settlements +settler +settler's +settlers +settle's +settles +settling +setts +setup +setup's +setups +Seurat +Seurat's +Seuss +Seuss's +Sevastopol +Sevastopol's +seven +seven's +sevens +seventeen +seventeen's +seventeens +seventeenth +seventeenth's +seventeenths +seventh +seventh's +sevenths +seventies +seventieth +seventieth's +seventieths +seventy +seventy's +sever +several +severally +several's +severance +severance's +severances +severe +severed +severely +severeness +severeness's +severer +severest +severing +severity +severity's +Severn +Severn's +severs +Severus +Severus's +Seville +Seville's +Sevres +Sevres's +sew +sewage +sewage's +Seward +Seward's +sewed +sewer +sewerage +sewerage's +sewer's +sewers +sewing +sewing's +sewn +sews +sex +sexagenarian +sexagenarian's +sexagenarians +sexed +sexes +sexier +sexiest +sexily +sexiness +sexiness's +sexing +sexism +sexism's +sexist +sexist's +sexists +sexless +sexologist +sexologist's +sexologists +sexology +sexology's +sexpot +sexpot's +sexpots +sex's +Sextans +Sextans's +sextant +sextant's +sextants +sextet +sextet's +sextets +sexting +Sexton +sexton +Sexton's +sexton's +sextons +sextuplet +sextuplet's +sextuplets +sexual +sexuality +sexuality's +sexually +sexy +Seychelles +Seychelles's +Seyfert +Seyfert's +Seymour +Seymour's +SF +sf +SGML +SGML's +Sgt +sh +shabbier +shabbiest +shabbily +shabbiness +shabbiness's +shabby +shack +shacked +shacking +shackle +shackled +shackle's +shackles +Shackleton +Shackleton's +shackling +shack's +shacks +shad +shade +shaded +shade's +shades +shadier +shadiest +shadily +shadiness +shadiness's +shading +shading's +shadings +shadow +shadowbox +shadowboxed +shadowboxes +shadowboxing +shadowed +shadowier +shadowiest +shadowing +shadow's +shadows +shadowy +shad's +shads +shady +Shaffer +Shaffer's +shaft +shafted +shafting +shaft's +shafts +shag +shagged +shaggier +shaggiest +shagginess +shagginess's +shagging +shaggy +shag's +shags +Shah +shah +Shah's +shah's +shahs +Shaka +Shaka's +shake +shakedown +shakedown's +shakedowns +shaken +shakeout +shakeout's +shakeouts +Shaker +shaker +shaker's +shakers +shake's +shakes +Shakespeare +Shakespearean +Shakespearean's +Shakespeare's +shakeup +shakeup's +shakeups +shakier +shakiest +shakily +shakiness +shakiness's +shaking +shaky +shale +shale's +shall +shallot +shallot's +shallots +shallow +shallower +shallowest +shallowly +shallowness +shallowness's +shallow's +shallows +shalom +shalt +sham +shaman +shamanic +shamanism +shamanistic +shaman's +shamans +shamble +shambled +shamble's +shambles +shambles's +shambling +shambolic +shame +shamed +shamefaced +shamefacedly +shameful +shamefully +shamefulness +shamefulness's +shameless +shamelessly +shamelessness +shamelessness's +shame's +shames +shaming +shammed +shamming +shampoo +shampooed +shampooer +shampooer's +shampooers +shampooing +shampoo's +shampoos +shamrock +shamrock's +shamrocks +sham's +shams +Shana +Shana's +shandies +shandy +Shane +Shane's +Shanghai +shanghai +shanghaied +shanghaiing +Shanghai's +shanghais +shank +Shankara +Shankara's +shank's +shanks +Shanna +Shanna's +Shannon +Shannon's +shan't +shanties +Shantung +shantung +Shantung's +shantung's +shanty +shanty's +shantytown +shantytown's +shantytowns +shape +shaped +shapeless +shapelessly +shapelessness +shapelessness's +shapelier +shapeliest +shapeliness +shapeliness's +shapely +shape's +shapes +shaping +Shapiro +Shapiro's +shard +shard's +shards +share +shareable +sharecrop +sharecropped +sharecropper +sharecropper's +sharecroppers +sharecropping +sharecrops +shared +shareholder +shareholder's +shareholders +shareholding +shareholdings +sharer +sharer's +sharers +share's +shares +shareware +shareware's +Shari +Shari'a +sharia +shariah +Shari'a's +sharia's +Sharif +Sharif's +sharing +Shari's +shark +sharked +sharking +shark's +sharks +sharkskin +sharkskin's +Sharlene +Sharlene's +Sharon +Sharon's +Sharp +sharp +Sharpe +sharped +sharpen +sharpened +sharpener +sharpener's +sharpeners +sharpening +sharpens +sharper +sharper's +sharpers +Sharpe's +sharpest +sharpie +sharpie's +sharpies +sharping +sharpish +sharply +sharpness +sharpness's +Sharp's +sharp's +sharps +sharpshooter +sharpshooter's +sharpshooters +sharpshooting +sharpshooting's +Sharron +Sharron's +Shasta +Shasta's +shatter +shattered +shattering +shatterproof +shatter's +shatters +Shaula +Shaula's +Shaun +Shauna +Shauna's +Shaun's +shave +shaved +shaven +shaver +shaver's +shavers +shave's +shaves +Shavian +Shavian's +shaving +shaving's +shavings +Shavuot +Shavuot's +Shaw +shawl +shawl's +shawls +Shawn +Shawna +Shawna's +Shawnee +Shawnee's +Shawnees +Shawn's +Shaw's +shay +shay's +shays +Shcharansky +Shcharansky's +she +Shea +sheaf +sheaf's +shear +sheared +shearer +shearer's +shearers +shearing +shear's +shears +Shea's +sheath +sheathe +sheathed +sheathes +sheathing +sheathing's +sheathings +sheath's +sheaths +sheave +sheaved +sheave's +sheaves +sheaving +Sheba +shebang +shebang's +shebangs +Sheba's +shebeen +shebeens +Shebeli +Shebeli's +she'd +shed +shedding +shed's +sheds +sheen +Sheena +Sheena's +sheenier +sheeniest +sheen's +sheeny +sheep +sheepdog +sheepdog's +sheepdogs +sheepfold +sheepfold's +sheepfolds +sheepherder +sheepherder's +sheepherders +sheepish +sheepishly +sheepishness +sheepishness's +sheep's +sheepskin +sheepskin's +sheepskins +sheer +sheered +sheerer +sheerest +sheering +sheerness +sheerness's +sheer's +sheers +sheet +sheeting +sheeting's +sheetlike +Sheetrock +Sheetrock's +sheet's +sheets +Sheffield +Sheffield's +sheikdom +sheikdom's +sheikdoms +sheikh +sheikh's +sheikhs +Sheila +sheila +Sheila's +sheilas +shekel +shekel's +shekels +Shelby +Shelby's +Sheldon +Sheldon's +shelf +shelf's +Shelia +Shelia's +Shell +she'll +shell +shellac +shellacked +shellacking +shellacking's +shellackings +shellac's +shellacs +shelled +sheller +Shelley +Shelley's +shellfire +shellfire's +shellfish +shellfishes +shellfish's +shelling +Shell's +shell's +shells +Shelly +Shelly's +shelter +sheltered +sheltering +shelter's +shelters +Shelton +Shelton's +shelve +shelved +shelves +shelving +shelving's +Shenandoah +Shenandoah's +shenanigan +shenanigan's +shenanigans +Shenyang +Shenyang's +Sheol +Sheol's +Shepard +Shepard's +Shepherd +shepherd +shepherded +shepherdess +shepherdesses +shepherdess's +shepherding +Shepherd's +shepherd's +shepherds +Sheppard +Sheppard's +Sheratan +Sheratan's +Sheraton +Sheraton's +sherbet +sherbet's +sherbets +Sheree +Sheree's +Sheri +Sheridan +Sheridan's +sheriff +sheriff's +sheriffs +Sheri's +Sherlock +Sherlock's +Sherman +Sherman's +Sherpa +Sherpa's +Sherri +Sherrie +Sherrie's +sherries +Sherri's +Sherry +sherry +Sherry's +sherry's +Sherwood +Sherwood's +Sheryl +Sheryl's +she's +shes +Shetland +Shetland's +Shetlands +Shetlands's +Shevardnadze +Shevardnadze's +Shevat +Shevat's +shew +shewed +shewing +shewn +shews +shh +shiatsu +shiatsu's +shibboleth +shibboleth's +shibboleths +shied +shield +shielded +shielding +Shields +shield's +shields +Shields's +shier +shies +shiest +shift +shifted +shiftier +shiftiest +shiftily +shiftiness +shiftiness's +shifting +shiftless +shiftlessly +shiftlessness +shiftlessness's +shift's +shifts +shifty +shiitake +shiitake's +shiitakes +Shi'ite +Shiite +Shi'ite's +Shiite's +Shiites +Shijiazhuang +Shijiazhuang's +Shikoku +Shikoku's +shill +shilled +shillelagh +shillelagh's +shillelaghs +shilling +shilling's +shillings +Shillong +Shillong's +shill's +shills +Shiloh +Shiloh's +shim +shimmed +shimmer +shimmered +shimmering +shimmer's +shimmers +shimmery +shimmied +shimmies +shimming +shimmy +shimmying +shimmy's +shim's +shims +shin +shinbone +shinbone's +shinbones +shindig +shindig's +shindigs +shine +shined +shiner +shiner's +shiners +shine's +shines +shingle +shingled +shingle's +shingles +shingling +shinguard +shinguard's +shinier +shiniest +shininess +shininess's +shining +shinned +shinnied +shinnies +shinning +shinny +shinnying +shin's +shins +shinsplints +shinsplints's +Shinto +Shintoism +Shintoism's +Shintoisms +Shintoist +Shintoist's +Shintoists +Shinto's +Shintos +shiny +ship +shipboard +shipboard's +shipboards +shipbuilder +shipbuilder's +shipbuilders +shipbuilding +shipbuilding's +shipload +shipload's +shiploads +shipmate +shipmate's +shipmates +shipment +shipment's +shipments +shipowner +shipowner's +shipowners +shipped +shipper +shipper's +shippers +shipping +shipping's +ship's +ships +shipshape +shipwreck +shipwrecked +shipwrecking +shipwreck's +shipwrecks +shipwright +shipwright's +shipwrights +shipyard +shipyard's +shipyards +Shiraz +Shiraz's +shire +shire's +shires +shirk +shirked +shirker +shirker's +shirkers +shirking +shirks +Shirley +Shirley's +shirr +shirred +shirring +shirring's +shirrings +shirr's +shirrs +shirt +shirted +shirtfront +shirtfront's +shirtfronts +shirting +shirting's +shirtless +shirt's +shirts +shirtsleeve +shirtsleeve's +shirtsleeves +shirttail +shirttail's +shirttails +shirtwaist +shirtwaist's +shirtwaists +shirty +shit +shitfaced +shithead +shitheads +shitload +shit's +shits +shitted +shittier +shittiest +shitting +shitty +shiv +Shiva +Shiva's +shiver +shivered +shivering +shiver's +shivers +shivery +shiv's +shivs +shoal +shoaled +shoaling +shoal's +shoals +shoat +shoat's +shoats +shock +shocked +shocker +shocker's +shockers +shocking +shockingly +Shockley +Shockley's +shockproof +shock's +shocks +shod +shoddier +shoddiest +shoddily +shoddiness +shoddiness's +shoddy +shoddy's +shoe +shoehorn +shoehorned +shoehorning +shoehorn's +shoehorns +shoeing +shoelace +shoelace's +shoelaces +shoemaker +shoemaker's +shoemakers +shoe's +shoes +shoeshine +shoeshine's +shoeshines +shoestring +shoestring's +shoestrings +shoetree +shoetree's +shoetrees +shogun +shogunate +shogunate's +shogun's +shoguns +shone +shoo +shooed +shooing +shook +shoos +shoot +shooter +shooter's +shooters +shooting +shooting's +shootings +shootout +shootout's +shootouts +shoot's +shoots +shop +shopaholic +shopaholic's +shopaholics +shopfitter +shopfitters +shopfitting +shopfront +shopfronts +shopkeeper +shopkeeper's +shopkeepers +shoplift +shoplifted +shoplifter +shoplifter's +shoplifters +shoplifting +shoplifting's +shoplifts +shoppe +shopped +shopper +shopper's +shoppers +shoppe's +shoppes +shopping +shopping's +shop's +shops +shoptalk +shoptalk's +shopworn +shore +shorebird +shorebird's +shorebirds +shored +shoreline +shoreline's +shorelines +shore's +shores +shoring +shoring's +Short +short +shortage +shortage's +shortages +shortbread +shortbread's +shortcake +shortcake's +shortcakes +shortchange +shortchanged +shortchanges +shortchanging +shortcoming +shortcoming's +shortcomings +shortcrust +shortcut +shortcut's +shortcuts +shorted +shorten +shortened +shortening +shortening's +shortenings +shortens +shorter +shortest +shortfall +shortfall's +shortfalls +shorthand +shorthanded +shorthand's +Shorthorn +shorthorn +Shorthorn's +shorthorn's +shorthorns +shorties +shorting +shortish +shortlist +shortlisted +shortlisting +shortlists +shortly +shortness +shortness's +Short's +short's +shorts +shortsighted +shortsightedly +shortsightedness +shortsightedness's +shortstop +shortstop's +shortstops +shortwave +shortwave's +shortwaves +shorty +shorty's +Shoshone +Shoshone's +Shoshones +Shostakovitch +Shostakovitch's +shot +shotgun +shotgunned +shotgunning +shotgun's +shotguns +shot's +shots +should +shoulder +shouldered +shouldering +shoulder's +shoulders +shouldn't +should've +shout +shouted +shouter +shouter's +shouters +shouting +shout's +shouts +shove +shoved +shovel +shoveled +shovelful +shovelful's +shovelfuls +shoveling +shovel's +shovels +shove's +shoves +shoving +show +showbiz +showbiz's +showboat +showboated +showboating +showboat's +showboats +showcase +showcased +showcase's +showcases +showcasing +showdown +showdown's +showdowns +showed +shower +showered +showering +showerproof +shower's +showers +showery +showgirl +showgirl's +showgirls +showground +showgrounds +showier +showiest +showily +showiness +showiness's +showing +showing's +showings +showjumping +showman +showman's +showmanship +showmanship's +showmen +shown +showoff +showoff's +showoffs +showpiece +showpiece's +showpieces +showplace +showplace's +showplaces +showroom +showroom's +showrooms +show's +shows +showstopper +showstopper's +showstoppers +showstopping +showtime +showy +shpt +shrank +shrapnel +shrapnel's +shred +shredded +shredder +shredder's +shredders +shredding +shred's +shreds +Shrek +Shrek's +Shreveport +Shreveport's +shrew +shrewd +shrewder +shrewdest +shrewdly +shrewdness +shrewdness's +shrewish +shrew's +shrews +shriek +shrieked +shrieking +shriek's +shrieks +shrift +shrift's +shrike +shrike's +shrikes +shrill +shrilled +shriller +shrillest +shrilling +shrillness +shrillness's +shrills +shrilly +shrimp +shrimped +shrimper +shrimpers +shrimping +shrimp's +shrimps +shrine +Shriner +Shriner's +shrine's +shrines +shrink +shrinkable +shrinkage +shrinkage's +shrinking +shrink's +shrinks +shrive +shrived +shrivel +shriveled +shriveling +shrivels +shriven +shrives +shriving +Shropshire +Shropshire's +shroud +shrouded +shrouding +shroud's +shrouds +shrub +shrubberies +shrubbery +shrubbery's +shrubbier +shrubbiest +shrubby +shrub's +shrubs +shrug +shrugged +shrugging +shrug's +shrugs +shrunk +shrunken +shtick +shtick's +shticks +shuck +shucked +shucking +shuck's +shucks +shuckses +shudder +shuddered +shuddering +shudder's +shudders +shuffle +shuffleboard +shuffleboard's +shuffleboards +shuffled +shuffler +shuffler's +shufflers +shuffle's +shuffles +shuffling +Shula +Shula's +shun +shunned +shunning +shuns +shunt +shunted +shunting +shunt's +shunts +shush +shushed +shushes +shushing +shut +shutdown +shutdown's +shutdowns +shuteye +shuteye's +shutoff +shutoff's +shutoffs +shutout +shutout's +shutouts +shuts +shutter +shutterbug +shutterbug's +shutterbugs +shuttered +shuttering +shutter's +shutters +shutting +shuttle +shuttlecock +shuttlecocked +shuttlecocking +shuttlecock's +shuttlecocks +shuttled +shuttle's +shuttles +shuttling +shy +shyer +shyest +shying +Shylock +Shylockian +Shylockian's +Shylock's +shyly +shyness +shyness's +shy's +shyster +shyster's +shysters +Si +Siam +Siamese +Siamese's +Siam's +Sibelius +Sibelius's +Siberia +Siberian +Siberian's +Siberians +Siberia's +sibilant +sibilant's +sibilants +sibling +sibling's +siblings +Sibyl +sibyl +sibylline +Sibyl's +sibyl's +sibyls +sic +sicced +siccing +Sicilian +Sicilian's +Sicilians +Sicily +Sicily's +sick +sickbay +sickbays +sickbed +sickbed's +sickbeds +sicked +sicken +sickened +sickening +sickeningly +sickens +sicker +sickest +sickie +sickie's +sickies +sicking +sickish +sickle +sickle's +sickles +sicklier +sickliest +sickly +sickness +sicknesses +sickness's +sicko +sicko's +sickos +sickout +sickout's +sickouts +sickroom +sickroom's +sickrooms +sicks +sics +Sid +Siddhartha +Siddhartha's +side +sidearm +sidearm's +sidearms +sidebar +sidebar's +sidebars +sideboard +sideboard's +sideboards +sideburns +sideburns's +sidecar +sidecar's +sidecars +sided +sidekick +sidekick's +sidekicks +sidelight +sidelight's +sidelights +sideline +sidelined +sideline's +sidelines +sidelining +sidelong +sideman +sideman's +sidemen +sidepiece +sidepiece's +sidepieces +sidereal +side's +sides +sidesaddle +sidesaddle's +sidesaddles +sideshow +sideshow's +sideshows +sidesplitting +sidestep +sidestepped +sidestepping +sidestep's +sidesteps +sidestroke +sidestroked +sidestroke's +sidestrokes +sidestroking +sideswipe +sideswiped +sideswipe's +sideswipes +sideswiping +sidetrack +sidetracked +sidetracking +sidetrack's +sidetracks +sidewalk +sidewalk's +sidewalks +sidewall +sidewall's +sidewalls +sideways +sidewinder +sidewinder's +sidewinders +siding +siding's +sidings +sidle +sidled +sidle's +sidles +sidling +Sidney +Sidney's +SIDS +Sid's +SIDS's +siege +siege's +sieges +Siegfried +Siegfried's +Siemens +Siemens's +sienna +sienna's +Sierpinski +Sierpinski's +sierra +Sierras +sierra's +sierras +siesta +siesta's +siestas +sieve +sieved +sieve's +sieves +sieving +sift +sifted +sifter +sifter's +sifters +sifting +sifts +sigh +sighed +sighing +sigh's +sighs +sight +sighted +sighting +sighting's +sightings +sightless +sightlier +sightliest +sightly +sightread +sight's +sights +sightseeing +sightseeing's +sightseer +sightseer's +sightseers +Sigismund +Sigismund's +sigma +sigma's +sigmas +Sigmund +Sigmund's +sign +signage +signage's +signal +signaled +signaler +signaler's +signalers +signaling +signalization +signalization's +signalize +signalized +signalizes +signalizing +signally +signalman +signalman's +signalmen +signal's +signals +signatories +signatory +signatory's +signature +signature's +signatures +signboard +signboard's +signboards +signed +signer +signer's +signers +signet +signet's +signets +significance +significance's +significant +significantly +signification +signification's +significations +signified +signifies +signify +signifying +signing +signing's +signings +signor +signora +signora's +signoras +signore +signori +signorina +signorina's +signorinas +signorine +signor's +signors +signpost +signposted +signposting +signpost's +signposts +sign's +signs +Sigurd +Sigurd's +Sihanouk +Sihanouk's +Sikh +Sikhism +Sikh's +Sikhs +Sikkim +Sikkimese +Sikkimese's +Sikkim's +Sikorsky +Sikorsky's +silage +silage's +Silas +Silas's +silence +silenced +silencer +silencer's +silencers +silence's +silences +silencing +silent +silenter +silentest +silently +silent's +silents +Silesia +Silesia's +silhouette +silhouetted +silhouette's +silhouettes +silhouetting +silica +silica's +silicate +silicate's +silicates +siliceous +silicon +silicone +silicone's +silicon's +silicons +silicosis +silicosis's +silk +silken +silkier +silkiest +silkily +silkiness +silkiness's +silk's +silks +silkscreen +silkscreen's +silkscreens +silkworm +silkworm's +silkworms +silky +sill +sillier +sillies +silliest +silliness +silliness's +sill's +sills +silly +silly's +silo +silo's +silos +silt +silted +siltier +siltiest +silting +silt's +silts +silty +Silurian +Silurian's +Silurians +Silva +Silva's +silver +silvered +silverfish +silverfishes +silverfish's +silvering +silver's +silvers +silversmith +silversmith's +silversmiths +silverware +silverware's +silvery +Silvia +Silvia's +sim +Simenon +Simenon's +simian +simian's +simians +similar +similarities +similarity +similarity's +similarly +simile +simile's +similes +similitude +similitude's +Simmental +Simmental's +simmer +simmered +simmering +simmer's +simmers +Simmons +Simmons's +Simon +Simone +Simone's +simonize +simonized +simonizes +simonizing +Simon's +simony +simony's +simpatico +simper +simpered +simpering +simperingly +simper's +simpers +simple +simpleminded +simpleness +simpleness's +simpler +simplest +simpleton +simpleton's +simpletons +simplex +simplicity +simplicity's +simplification +simplification's +simplifications +simplified +simplifies +simplify +simplifying +simplistic +simplistically +simply +Simpson +Simpson's +Simpsons +Simpsons's +Sims +sim's +sims +Sims's +simulacra +simulacrum +simulacrums +simulate +simulated +simulates +simulating +simulation +simulation's +simulations +simulator +simulator's +simulators +simulcast +simulcasted +simulcasting +simulcast's +simulcasts +simultaneity +simultaneity's +simultaneous +simultaneously +sin +Sinai +Sinai's +Sinatra +Sinatra's +Sinbad +Sinbad's +since +sincere +sincerely +sincerer +sincerest +sincerity +sincerity's +Sinclair +Sinclair's +Sindbad +Sindbad's +Sindhi +Sindhi's +sine +sinecure +sinecure's +sinecures +sine's +sines +sinew +sinew's +sinews +sinewy +sinful +sinfully +sinfulness +sinfulness's +sing +singable +singalong +singalongs +Singapore +Singaporean +Singaporean's +Singaporeans +Singapore's +singe +singed +singeing +Singer +singer +Singer's +singer's +singers +singe's +singes +Singh +Singh's +singing +singing's +single +singled +singleness +singleness's +single's +singles +singles's +singlet +Singleton +singleton +Singleton's +singleton's +singletons +singletree +singletree's +singletrees +singlets +singling +singly +sing's +sings +singsong +singsonged +singsonging +singsong's +singsongs +singular +singularities +singularity +singularity's +singularly +singular's +singulars +Sinhalese +Sinhalese's +sinister +sink +sinkable +sinker +sinker's +sinkers +sinkhole +sinkhole's +sinkholes +Sinkiang +Sinkiang's +sinking +sink's +sinks +sinless +sinned +sinner +sinner's +sinners +sinning +sinology +sin's +sins +sinuosity +sinuosity's +sinuous +sinuously +sinus +sinuses +sinusitis +sinusitis's +sinusoidal +sinus's +Sioux +Sioux's +sip +siphon +siphoned +siphoning +siphon's +siphons +sipped +sipper +sipper's +sippers +sipping +sip's +sips +Sir +sir +sire +sired +siren +siren's +sirens +sire's +sires +siring +Sirius +Sirius's +sirloin +sirloin's +sirloins +sirocco +sirocco's +siroccos +sirrah +sirree +sirree's +Sir's +Sirs +sir's +sirs +Si's +sis +sisal +sisal's +sises +sis's +sissier +sissies +sissiest +sissified +sissy +sissy's +sister +sisterhood +sisterhood's +sisterhoods +sisterliness +sisterliness's +sisterly +sister's +sisters +Sistine +Sistine's +Sisyphean +Sisyphean's +Sisyphus +Sisyphus's +sit +sitar +sitarist +sitarist's +sitarists +sitar's +sitars +sitcom +sitcom's +sitcoms +site +sited +sitemap +sitemap's +sitemaps +site's +sites +siting +sits +sitter +sitter's +sitters +sitting +sitting's +sittings +situate +situated +situates +situating +situation +situational +situation's +situations +Siva +Sivan +Sivan's +Siva's +six +sixes +sixfold +sixpence +sixpence's +sixpences +six's +sixshooter +sixshooter's +sixteen +sixteen's +sixteens +sixteenth +sixteenth's +sixteenths +sixth +sixth's +sixths +sixties +sixtieth +sixtieth's +sixtieths +sixty +sixty's +sizable +size +sized +sizer +size's +sizes +sizing +sizing's +sizzle +sizzled +sizzler +sizzlers +sizzle's +sizzles +sizzling +SJ +Sjaelland +Sjaelland's +SJW +SK +ska +ska's +skate +skateboard +skateboarded +skateboarder +skateboarder's +skateboarders +skateboarding +skateboarding's +skateboard's +skateboards +skated +skater +skater's +skaters +skate's +skates +skating +skating's +skedaddle +skedaddled +skedaddle's +skedaddles +skedaddling +skeet +skeeter +skeeters +skeet's +skein +skein's +skeins +skeletal +skeleton +skeleton's +skeletons +skeptic +skeptical +skeptically +skepticism +skepticism's +skeptic's +skeptics +sketch +sketchbook +sketchbooks +sketched +sketcher +sketcher's +sketchers +sketches +sketchier +sketchiest +sketchily +sketchiness +sketchiness's +sketching +sketchpad +sketchpads +sketch's +sketchy +skew +skewbald +skewbalds +skewed +skewer +skewered +skewering +skewer's +skewers +skewing +skew's +skews +ski +skibob +skibobs +skid +skidded +skidding +skidpan +skidpans +skid's +skids +skied +skier +skier's +skiers +skies +skiff +skiffle +skiff's +skiffs +skiing +skiing's +skill +skilled +skillet +skillet's +skillets +skillful +skillfully +skillfulness +skillfulness's +skill's +skills +skim +skimmed +skimmer +skimmer's +skimmers +skimming +skimp +skimped +skimpier +skimpiest +skimpily +skimpiness +skimpiness's +skimping +skimps +skimpy +skim's +skims +skin +skincare +skincare's +skinflint +skinflint's +skinflints +skinful +skinhead +skinhead's +skinheads +skinless +skinned +Skinner +Skinner's +skinnier +skinniest +skinniness +skinniness's +skinning +skinny +skinny's +skin's +skins +skint +skintight +skip +skipped +skipper +skippered +skippering +skipper's +skippers +skipping +Skippy +Skippy's +skip's +skips +skirmish +skirmished +skirmisher +skirmishers +skirmishes +skirmishing +skirmish's +skirt +skirted +skirting +skirt's +skirts +ski's +skis +skit +skit's +skits +skitter +skittered +skittering +skitters +skittish +skittishly +skittishness +skittishness's +skittle +skittles +skive +skived +skiver +skivers +skives +skiving +skivvied +skivvies +skivvy +skivvying +skivvy's +skoal +skoal's +skoals +Skopje +Skopje's +skua +skuas +skulduggery +skulduggery's +skulk +skulked +skulker +skulker's +skulkers +skulking +skulks +skull +skullcap +skullcap's +skullcaps +skull's +skulls +skunk +skunked +skunking +skunk's +skunks +sky +skycap +skycap's +skycaps +skydive +skydived +skydiver +skydiver's +skydivers +skydives +skydiving +skydiving's +Skye +Skye's +skying +skyjack +skyjacked +skyjacker +skyjacker's +skyjackers +skyjacking +skyjacking's +skyjackings +skyjacks +Skylab +Skylab's +skylark +skylarked +skylarking +skylark's +skylarks +skylight +skylight's +skylights +skyline +skyline's +skylines +Skype +Skype's +skyrocket +skyrocketed +skyrocketing +skyrocket's +skyrockets +sky's +skyscraper +skyscraper's +skyscrapers +skyward +skywards +skywriter +skywriter's +skywriters +skywriting +skywriting's +slab +slabbed +slabbing +slab's +slabs +slack +slacked +slacken +slackened +slackening +slackens +slacker +slacker's +slackers +slackest +slacking +slackly +slackness +slackness's +slack's +slacks +slacks's +Slackware +Slackware's +slag +slagged +slagging +slagheap +slagheaps +slag's +slags +slain +slake +slaked +slakes +slaking +slalom +slalomed +slaloming +slalom's +slaloms +slam +slammed +slammer +slammer's +slammers +slamming +slam's +slams +slander +slandered +slanderer +slanderer's +slanderers +slandering +slanderous +slander's +slanders +slang +slangier +slangiest +slang's +slangy +slant +slanted +slanting +slantingly +slant's +slants +slantwise +slap +slapdash +slaphappy +slapped +slapper +slappers +slapping +slap's +slaps +slapstick +slapstick's +slash +Slashdot +Slashdot's +slashed +slasher +slasher's +slashers +slashes +slashing +slash's +slat +slate +slated +Slater +Slater's +slate's +slates +slather +slathered +slathering +slathers +slating +slat's +slats +slatted +slattern +slatternly +slattern's +slatterns +slaughter +slaughtered +slaughterer +slaughterer's +slaughterers +slaughterhouse +slaughterhouse's +slaughterhouses +slaughtering +slaughter's +slaughters +Slav +slave +slaved +slaveholder +slaveholder's +slaveholders +slaver +slavered +slavering +slaver's +slavers +slavery +slavery's +slave's +slaves +Slavic +Slavic's +slaving +slavish +slavishly +slavishness +slavishness's +Slavonic +Slavonic's +Slav's +Slavs +slaw +slaw's +slay +slayed +slayer +slayer's +slayers +slaying +slaying's +slayings +slays +sleaze +sleazebag +sleazebags +sleazeball +sleazeballs +sleaze's +sleazes +sleazier +sleaziest +sleazily +sleaziness +sleaziness's +sleazy +sled +sledded +sledder +sledder's +sledders +sledding +sledge +sledged +sledgehammer +sledgehammered +sledgehammering +sledgehammer's +sledgehammers +sledge's +sledges +sledging +sled's +sleds +sleek +sleeked +sleeker +sleekest +sleeking +sleekly +sleekness +sleekness's +sleeks +sleep +sleeper +sleeper's +sleepers +sleepier +sleepiest +sleepily +sleepiness +sleepiness's +sleeping +sleepless +sleeplessly +sleeplessness +sleeplessness's +sleepover +sleepover's +sleepovers +sleep's +sleeps +sleepwalk +sleepwalked +sleepwalker +sleepwalker's +sleepwalkers +sleepwalking +sleepwalking's +sleepwalks +sleepwear +sleepwear's +sleepy +sleepyhead +sleepyhead's +sleepyheads +sleet +sleeted +sleeting +sleet's +sleets +sleety +sleeve +sleeved +sleeveless +sleeve's +sleeves +sleigh +sleighed +sleighing +sleigh's +sleighs +sleight +sleight's +sleights +slender +slenderer +slenderest +slenderize +slenderized +slenderizes +slenderizing +slenderness +slenderness's +slept +sleuth +sleuthing +sleuth's +sleuths +slew +slewed +slewing +slew's +slews +slice +sliced +slicer +slicer's +slicers +slice's +slices +slicing +slick +slicked +slicker +slicker's +slickers +slickest +slicking +slickly +slickness +slickness's +slick's +slicks +slid +slide +slider +slider's +sliders +slide's +slides +slideshow +slideshow's +slideshows +sliding +slier +sliest +slight +slighted +slighter +slightest +slighting +slightly +slightness +slightness's +slight's +slights +slim +slime +slime's +slimier +slimiest +sliminess +sliminess's +slimline +slimmed +slimmer +slimmers +slimmest +slimming +slimming's +slimness +slimness's +slims +slimy +sling +slingback +slingbacks +slinging +sling's +slings +slingshot +slingshot's +slingshots +slink +slinkier +slinkiest +slinking +slinks +Slinky +slinky +Slinky's +slip +slipcase +slipcase's +slipcases +slipcover +slipcover's +slipcovers +slipknot +slipknot's +slipknots +slippage +slippage's +slippages +slipped +slipper +slipperier +slipperiest +slipperiness +slipperiness's +slipper's +slippers +slippery +slipping +slippy +slip's +slips +slipshod +slipstream +slipstream's +slipstreams +slipway +slipway's +slipways +slit +slither +slithered +slithering +slither's +slithers +slithery +slit's +slits +slitter +slitting +sliver +slivered +slivering +sliver's +slivers +Sloan +Sloane +Sloane's +Sloan's +slob +slobbed +slobber +slobbered +slobbering +slobber's +slobbers +slobbery +slobbing +slob's +slobs +Slocum +Slocum's +sloe +sloe's +sloes +slog +slogan +sloganeering +slogan's +slogans +slogged +slogging +slog's +slogs +sloop +sloop's +sloops +slop +slope +sloped +slope's +slopes +sloping +slopped +sloppier +sloppiest +sloppily +sloppiness +sloppiness's +slopping +sloppy +slop's +slops +slops's +slosh +sloshed +sloshes +sloshing +slot +sloth +slothful +slothfully +slothfulness +slothfulness's +sloth's +sloths +slot's +slots +slotted +slotting +slouch +slouched +sloucher +sloucher's +slouchers +slouches +slouchier +slouchiest +slouching +slouch's +slouchy +slough +sloughed +sloughing +slough's +sloughs +Slovak +Slovakia +Slovakian +Slovakia's +Slovak's +Slovaks +sloven +Slovene +Slovene's +Slovenes +Slovenia +Slovenian +Slovenian's +Slovenians +Slovenia's +slovenlier +slovenliest +slovenliness +slovenliness's +slovenly +sloven's +slovens +slow +slowcoach +slowcoaches +slowdown +slowdown's +slowdowns +slowed +slower +slowest +slowing +slowly +slowness +slowness's +slowpoke +slowpoke's +slowpokes +slows +SLR +sludge +sludge's +sludgier +sludgiest +sludgy +slue +slued +slue's +slues +slug +sluggard +sluggard's +sluggards +slugged +slugger +slugger's +sluggers +slugging +sluggish +sluggishly +sluggishness +sluggishness's +slug's +slugs +sluice +sluiced +sluice's +sluices +sluicing +sluing +slum +slumber +slumbered +slumbering +slumberous +slumber's +slumbers +slumdog +slumdog's +slumdogs +slumlord +slumlord's +slumlords +slummed +slummer +slummier +slummiest +slumming +slummy +slump +slumped +slumping +slump's +slumps +slum's +slums +slung +slunk +slur +slurp +slurped +Slurpee +Slurpee's +slurping +slurp's +slurps +slurred +slurring +slurry +slurry's +slur's +slurs +slush +slushier +slushiest +slushiness +slushiness's +slush's +slushy +slut +slut's +sluts +sluttier +sluttiest +sluttish +slutty +sly +slyly +slyness +slyness's +Sm +smack +smacked +smacker +smacker's +smackers +smacking +smack's +smacks +Small +small +smaller +smallest +smallholder +smallholders +smallholding +smallholdings +smallish +smallness +smallness's +smallpox +smallpox's +Small's +small's +smalls +smarmier +smarmiest +smarmy +smart +smarted +smarten +smartened +smartening +smartens +smarter +smartest +smarties +smarting +smartly +smartness +smartness's +smartphone +smartphone's +smartphones +smart's +smarts +smarts's +smartwatch +smartwatches +smartwatch's +smarty +smartypants +smartypants's +smarty's +smash +smashed +smasher +smasher's +smashers +smashes +smashing +smash's +smashup +smashup's +smashups +smattering +smattering's +smatterings +smear +smeared +smearier +smeariest +smearing +smear's +smears +smeary +smell +smelled +smellier +smelliest +smelliness +smelliness's +smelling +smell's +smells +smelly +smelt +smelted +smelter +smelter's +smelters +smelting +smelt's +smelts +Smetana +Smetana's +smidgen +smidgen's +smidgens +smilax +smilax's +smile +smiled +smile's +smiles +smiley +smiley's +smileys +smiling +smilingly +smirch +smirched +smirches +smirching +smirch's +smirk +smirked +smirking +smirk's +smirks +Smirnoff +Smirnoff's +smite +smites +Smith +smith +smithereens +smithereens's +smithies +Smith's +smith's +smiths +Smithson +Smithsonian +Smithsonian's +Smithson's +smithy +smithy's +smiting +smitten +smock +smocked +smocking +smocking's +smock's +smocks +smog +smoggier +smoggiest +smoggy +smog's +smogs +smoke +smoked +smokehouse +smokehouse's +smokehouses +smokeless +smoker +smoker's +smokers +smoke's +smokes +smokescreen +smokescreen's +smokescreens +smokestack +smokestack's +smokestacks +Smokey +smokey +Smokey's +smokier +smokiest +smokiness +smokiness's +smoking +smoking's +smoky +smolder +smoldered +smoldering +smolder's +smolders +Smolensk +Smolensk's +Smollett +Smollett's +smooch +smooched +smooches +smooching +smooch's +smoochy +smooth +smoothed +smoother +smoothest +smoothie +smoothie's +smoothies +smoothing +smoothly +smoothness +smoothness's +smooths +smorgasbord +smorgasbord's +smorgasbords +smote +smother +smothered +smothering +smother's +smothers +smörgåsbord +smörgåsbord's +smörgåsbords +Sm's +smudge +smudged +smudge's +smudges +smudgier +smudgiest +smudging +smudgy +smug +smugger +smuggest +smuggle +smuggled +smuggler +smuggler's +smugglers +smuggles +smuggling +smuggling's +smugly +smugness +smugness's +smurf +smurfs +smut +Smuts +smut's +smuts +Smuts's +smuttier +smuttiest +smuttiness +smuttiness's +smutty +Smyrna +Sn +snack +snacked +snacking +snack's +snacks +snaffle +snaffled +snaffle's +snaffles +snaffling +snafu +snafu's +snafus +snag +snagged +snagging +snag's +snags +snail +snailed +snailing +snail's +snails +Snake +snake +snakebite +snakebite's +snakebites +snaked +snakelike +Snake's +snake's +snakes +snakeskin +snakier +snakiest +snaking +snaky +snap +snapdragon +snapdragon's +snapdragons +snapped +snapper +snapper's +snappers +snappier +snappiest +snappily +snappiness +snappiness's +snapping +snappish +snappishly +snappishness +snappishness's +Snapple +Snapple's +snappy +snap's +snaps +snapshot +snapshot's +snapshots +snare +snared +snare's +snares +snarf +snarfed +snarfing +snarfs +snaring +snark +snarkier +snarkiest +snarks +snarky +snarl +snarled +snarlier +snarliest +snarling +snarlingly +snarl's +snarls +snarly +snatch +snatched +snatcher +snatcher's +snatchers +snatches +snatching +snatch's +snazzier +snazziest +snazzily +snazzy +Snead +Snead's +sneak +sneaked +sneaker +sneaker's +sneakers +sneakier +sneakiest +sneakily +sneakiness +sneakiness's +sneaking +sneakingly +sneak's +sneaks +sneaky +sneer +sneered +sneering +sneeringly +sneerings +sneer's +sneers +sneeze +sneezed +sneeze's +sneezes +sneezing +Snell +Snell's +snick +snicked +snicker +snickered +snickering +Snickers +snicker's +snickers +Snickers's +snicking +snicks +snide +snidely +Snider +snider +Snider's +snidest +sniff +sniffed +sniffer +sniffer's +sniffers +sniffier +sniffiest +sniffing +sniffle +sniffled +sniffle's +sniffles +sniffling +sniff's +sniffs +sniffy +snifter +snifter's +snifters +snip +snipe +sniped +sniper +sniper's +snipers +snipe's +snipes +sniping +snipped +snippet +snippet's +snippets +snippier +snippiest +snipping +snippy +snip's +snips +snips's +snit +snitch +snitched +snitches +snitching +snitch's +snit's +snits +snivel +sniveled +sniveler +sniveler's +snivelers +sniveling +snivel's +snivels +snob +snobbery +snobbery's +snobbier +snobbiest +snobbish +snobbishly +snobbishness +snobbishness's +snobby +snob's +snobs +snog +snogged +snogging +snogs +snood +snood's +snoods +snooker +snookered +snookering +snooker's +snookers +snoop +snooped +snooper +snooper's +snoopers +snoopier +snoopiest +snooping +snoop's +snoops +Snoopy +snoopy +Snoopy's +snoot +snootier +snootiest +snootily +snootiness +snootiness's +snoot's +snoots +snooty +snooze +snoozed +snooze's +snoozes +snoozing +snore +snored +snorer +snorer's +snorers +snore's +snores +snoring +snorkel +snorkeled +snorkeler +snorkeler's +snorkelers +snorkeling +snorkeling's +snorkel's +snorkels +snort +snorted +snorter +snorter's +snorters +snorting +snort's +snorts +snot +snot's +snots +snottier +snottiest +snottily +snottiness +snottiness's +snotty +snout +snout's +snouts +Snow +snow +snowball +snowballed +snowballing +snowball's +snowballs +snowbank +snowbank's +snowbanks +Snowbelt +Snowbelt's +snowbird +snowbird's +snowbirds +snowblower +snowblower's +snowblowers +snowboard +snowboarded +snowboarder +snowboarder's +snowboarders +snowboarding +snowboarding's +snowboard's +snowboards +snowbound +snowdrift +snowdrift's +snowdrifts +snowdrop +snowdrop's +snowdrops +snowed +snowfall +snowfall's +snowfalls +snowfield +snowfield's +snowfields +snowflake +snowflake's +snowflakes +snowier +snowiest +snowiness +snowiness's +snowing +snowline +snowman +snowman's +snowmen +snowmobile +snowmobiled +snowmobile's +snowmobiles +snowmobiling +snowplow +snowplowed +snowplowing +snowplow's +snowplows +Snow's +snow's +snows +snowshed +snowshoe +snowshoeing +snowshoe's +snowshoes +snowstorm +snowstorm's +snowstorms +snowsuit +snowsuit's +snowsuits +snowy +Sn's +snub +snubbed +snubbing +snub's +snubs +snuff +snuffbox +snuffboxes +snuffbox's +snuffed +snuffer +snuffer's +snuffers +snuffing +snuffle +snuffled +snuffle's +snuffles +snuffling +snuffly +snuff's +snuffs +snug +snugged +snugger +snuggest +snugging +snuggle +snuggled +snuggle's +snuggles +snuggling +snugly +snugness +snugness's +snug's +snugs +Snyder +Snyder's +SO +so +soak +soaked +soaking +soaking's +soakings +soak's +soaks +soap +soapbox +soapboxes +soapbox's +soaped +soapier +soapiest +soapiness +soapiness's +soaping +soap's +soaps +soapstone +soapstone's +soapsuds +soapsuds's +soapy +soar +soared +soaring +soar's +soars +Soave +Soave's +SOB +sob +sobbed +sobbing +sobbingly +sober +sobered +soberer +soberest +sobering +soberly +soberness +soberness's +sobers +sobriety +sobriety's +sobriquet +sobriquet's +sobriquets +SOB's +sob's +sobs +Soc +soc +soccer +soccer's +sociability +sociability's +sociable +sociable's +sociables +sociably +social +socialism +socialism's +socialist +socialistic +socialist's +socialists +socialite +socialite's +socialites +socialization +socialization's +socialize +socialized +socializes +socializing +socially +social's +socials +societal +societies +society +society's +socioeconomic +socioeconomically +sociological +sociologically +sociologist +sociologist's +sociologists +sociology +sociology's +sociopath +sociopath's +sociopaths +sociopolitical +sock +socked +socket +socket's +sockets +sockeye +sockeye's +sockeyes +socking +sock's +socks +Socorro +Socorro's +Socrates +Socrates's +Socratic +Socratic's +sod +soda +soda's +sodas +sodded +sodden +soddenly +sodding +Soddy +Soddy's +sodium +sodium's +Sodom +sodomite +sodomite's +sodomites +sodomize +sodomized +sodomizes +sodomizing +Sodom's +sodomy +sodomy's +sod's +sods +soever +sofa +sofa's +sofas +Sofia +Sofia's +soft +softback +softball +softball's +softballs +softbound +softcover +soften +softened +softener +softener's +softeners +softening +softens +softer +softest +softhearted +softies +softly +softness +softness's +software +software's +softwood +softwood's +softwoods +softy +softy's +soggier +soggiest +soggily +sogginess +sogginess's +soggy +Soho +Soho's +soigné +soigne +soignée +soignee +soil +soiled +soiling +soil's +soils +soirée +soiree +soiree's +soirees +soirée's +soirées +sojourn +sojourned +sojourner +sojourner's +sojourners +sojourning +sojourn's +sojourns +Sol +sol +solace +solaced +solace's +solaces +solacing +solar +solaria +solarium +solarium's +sold +solder +soldered +solderer +solderer's +solderers +soldering +solder's +solders +soldier +soldiered +soldiering +soldierly +soldier's +soldiers +soldiery +soldiery's +sole +solecism +solecism's +solecisms +soled +solely +solemn +solemner +solemness +solemness's +solemnest +solemnified +solemnifies +solemnify +solemnifying +solemnities +solemnity +solemnity's +solemnization +solemnization's +solemnize +solemnized +solemnizes +solemnizing +solemnly +solemnness +solemnness's +solenoid +solenoid's +solenoids +sole's +soles +solicit +solicitation +solicitation's +solicitations +solicited +soliciting +solicitor +solicitor's +solicitors +solicitous +solicitously +solicitousness +solicitousness's +solicits +solicitude +solicitude's +solid +solidarity +solidarity's +solider +solidest +solidi +solidification +solidification's +solidified +solidifies +solidify +solidifying +solidity +solidity's +solidly +solidness +solidness's +solid's +solids +solidus +solidus's +soliloquies +soliloquize +soliloquized +soliloquizes +soliloquizing +soliloquy +soliloquy's +soling +solipsism +solipsism's +solipsistic +Solis +Solis's +solitaire +solitaire's +solitaires +solitaries +solitariness +solitariness's +solitary +solitary's +solitude +solitude's +solo +soloed +soloing +soloist +soloist's +soloists +Solomon +Solomon's +Solon +Solon's +solo's +solos +Sol's +sol's +sols +solstice +solstice's +solstices +solubility +solubility's +soluble +soluble's +solubles +solute +solute's +solutes +solution +solution's +solutions +solvable +solve +solved +solvency +solvency's +solvent +solvent's +solvents +solver +solver's +solvers +solves +solving +Solzhenitsyn +Solzhenitsyn's +Somali +Somalia +Somalian +Somalian's +Somalians +Somalia's +Somali's +Somalis +somatic +somber +somberly +somberness +somberness's +sombrero +sombrero's +sombreros +some +somebodies +somebody +somebody's +someday +somehow +someone +someone's +someones +someplace +somersault +somersaulted +somersaulting +somersault's +somersaults +somerset +somerset's +somersets +somersetted +somersetting +something +something's +somethings +sometime +sometimes +someway +someways +somewhat +somewhats +somewhere +Somme +Somme's +somnambulism +somnambulism's +somnambulist +somnambulist's +somnambulists +somnolence +somnolence's +somnolent +Somoza +Somoza's +Son +son +sonar +sonar's +sonars +sonata +sonata's +sonatas +sonatina +sonatina's +sonatinas +Sondheim +Sondheim's +Sondra +Sondra's +song +songbird +songbird's +songbirds +songbook +songbook's +songbooks +songfest +songfest's +songfests +Songhai +Songhai's +Songhua +Songhua's +song's +songs +songster +songster's +songsters +songstress +songstresses +songstress's +songwriter +songwriter's +songwriters +songwriting +Sonia +Sonia's +sonic +Sonja +Sonja's +sonnet +sonnet's +sonnets +sonnies +Sonny +sonny +Sonny's +sonny's +sonogram +sonogram's +sonograms +Sonora +Sonora's +sonority +sonority's +sonorous +sonorously +sonorousness +sonorousness's +Son's +son's +sons +sonsofbitches +Sontag +Sontag's +Sony +Sonya +Sonya's +Sony's +soon +sooner +soonest +soot +sooth +soothe +soothed +soother +soother's +soothers +soothes +soothing +soothingly +sooth's +soothsayer +soothsayer's +soothsayers +soothsaying +soothsaying's +sootier +sootiest +soot's +sooty +SOP +sop +soph +Sophia +Sophia's +Sophie +Sophie's +sophism +sophism's +sophist +sophistic +sophistical +sophisticate +sophisticated +sophisticate's +sophisticates +sophisticating +sophistication +sophistication's +sophistries +sophistry +sophistry's +sophist's +sophists +Sophoclean +Sophoclean's +Sophocles +Sophocles's +sophomore +sophomore's +sophomores +sophomoric +soporific +soporifically +soporific's +soporifics +sopped +soppier +soppiest +sopping +soppy +soprano +soprano's +sopranos +SOP's +sop's +sops +Sopwith +Sopwith's +sorbet +sorbet's +sorbets +Sorbonne +Sorbonne's +sorcerer +sorcerer's +sorcerers +sorceress +sorceresses +sorceress's +sorcery +sorcery's +sordid +sordidly +sordidness +sordidness's +sore +sorehead +sorehead's +soreheads +sorely +soreness +soreness's +sorer +sore's +sores +sorest +sorghum +sorghum's +sororities +sorority +sorority's +sorrel +sorrel's +sorrels +sorrier +sorriest +sorrily +sorriness +sorriness's +sorrow +sorrowed +sorrowful +sorrowfully +sorrowfulness +sorrowfulness's +sorrowing +sorrow's +sorrows +sorry +sort +sorta +sorted +sorter +sorter's +sorters +sortie +sortied +sortieing +sortie's +sorties +sorting +sort's +sorts +SOS +SOs +Sosa +Sosa's +SOSes +SOS's +sot +Soto +Soto's +sot's +sots +sottish +sou +soufflé +souffle +souffle's +souffles +soufflé's +soufflés +sough +soughed +soughing +sough's +soughs +sought +souk +souks +soul +soulful +soulfully +soulfulness +soulfulness's +soulless +soullessly +soullessness +soulmate +soulmate's +soulmates +soul's +souls +sound +soundalike +soundalikes +soundbar +soundbars +soundbite +soundbites +soundboard +soundboard's +soundboards +soundcheck +soundchecks +sounded +sounder +sounder's +sounders +soundest +sounding +sounding's +soundings +soundless +soundlessly +soundly +soundness +soundness's +soundproof +soundproofed +soundproofing +soundproofing's +soundproofs +sound's +sounds +soundscape +soundscapes +soundtrack +soundtrack's +soundtracks +soup +soupcon +soupcon's +soupcons +souped +Souphanouvong +Souphanouvong's +soupier +soupiest +souping +soupçon +soupçon's +soupçons +soup's +soups +soupy +sour +source +sourced +Sourceforge +Sourceforge's +source's +sources +sourcing +sourdough +sourdough's +sourdoughs +soured +sourer +sourest +souring +sourish +sourly +sourness +sourness's +sourpuss +sourpusses +sourpuss's +sour's +sours +sou's +sous +Sousa +sousaphone +sousaphone's +sousaphones +Sousa's +souse +soused +souse's +souses +sousing +South +south +Southampton +Southampton's +southbound +Southeast +southeast +southeaster +southeasterly +southeastern +southeaster's +southeasters +Southeast's +Southeasts +southeast's +southeastward +southeastwards +southerlies +southerly +southerly's +southern +Southerner +southerner +Southerner's +Southerners +southerner's +southerners +southernmost +southern's +southerns +Southey +Southey's +southpaw +southpaw's +southpaws +South's +Souths +south's +southward +southward's +southwards +Southwest +southwest +southwester +southwesterly +southwestern +southwester's +southwesters +Southwest's +Southwests +southwest's +southwestward +southwestwards +souvenir +souvenir's +souvenirs +sou'wester +sovereign +sovereign's +sovereigns +sovereignty +sovereignty's +Soviet +soviet +Soviet's +soviet's +soviets +sow +sowed +sower +sower's +sowers +Soweto +Soweto's +sowing +sown +sow's +sows +soy +soybean +soybean's +soybeans +Soyinka +Soyinka's +soy's +Soyuz +Soyuz's +sozzled +Sp +spa +Spaatz +Spaatz's +space +spacecraft +spacecraft's +spacecrafts +spaced +spaceflight +spaceflight's +spaceflights +spaceman +spaceman's +spacemen +spaceport +spaceport's +spaceports +spacer +spacer's +spacers +space's +spaces +spaceship +spaceship's +spaceships +spacesuit +spacesuit's +spacesuits +spacewalk +spacewalked +spacewalking +spacewalk's +spacewalks +spacewoman +spacewoman's +spacewomen +spacey +spacial +spacier +spaciest +spaciness +spaciness's +spacing +spacing's +spacious +spaciously +spaciousness +spaciousness's +Spackle +Spackle's +spade +spaded +spadeful +spadeful's +spadefuls +spade's +spades +spadework +spadework's +spadices +spading +spadix +spadix's +spaghetti +spaghetti's +Spahn +Spahn's +Spain +Spain's +spake +Spam +spam +spammed +spammer +spammer's +spammers +spamming +Spam's +spam's +spams +Span +span +spandex +spandex's +spangle +spangled +spangle's +spangles +spangling +Spanglish +spangly +Spaniard +Spaniard's +Spaniards +spaniel +spaniel's +spaniels +Spanish +Spanish's +spank +spanked +spanking +spanking's +spankings +spank's +spanks +spanned +spanner +spanner's +spanners +spanning +span's +spans +spar +spare +spared +sparely +spareness +spareness's +sparer +spareribs +spareribs's +spare's +spares +sparest +sparing +sparingly +spark +sparked +sparkier +sparkiest +sparking +sparkle +sparkled +sparkler +sparkler's +sparklers +sparkle's +sparkles +sparkling +sparkly +Sparks +spark's +sparks +Sparks's +sparky +sparred +sparring +sparrow +sparrowhawk +sparrowhawks +sparrow's +sparrows +spar's +spars +sparse +sparsely +sparseness +sparseness's +sparser +sparsest +sparsity +sparsity's +Sparta +Spartacus +Spartacus's +Spartan +spartan +Spartan's +Spartans +Sparta's +spa's +spas +spasm +spasmodic +spasmodically +spasm's +spasms +spastic +spastic's +spastics +spat +spate +spate's +spates +spathe +spathe's +spathes +spatial +spatially +spat's +spats +spatted +spatter +spattered +spattering +spatter's +spatters +spatting +spatula +spatula's +spatulas +spavin +spavined +spavin's +spawn +spawned +spawning +spawn's +spawns +spay +spayed +spaying +spays +SPCA +speak +speakeasies +speakeasy +speakeasy's +speaker +speakerphone +speakerphones +speaker's +speakers +speaking +speakings +speaks +spear +speared +spearfish +spearfished +spearfishes +spearfishing +spearfish's +speargun +spearhead +spearheaded +spearheading +spearhead's +spearheads +spearing +spearmint +spearmint's +Spears +spear's +spears +Spears's +spec +special +specialism +specialisms +specialist +specialist's +specialists +specialization +specialization's +specializations +specialize +specialized +specializes +specializing +specially +special's +specials +specialties +specialty +specialty's +specie +specie's +species +species's +specif +specifiable +specific +specifically +specification +specification's +specifications +specificity +specificity's +specific's +specifics +specified +specifier +specifiers +specifies +specify +specifying +specimen +specimen's +specimens +specious +speciously +speciousness +speciousness's +speck +specked +specking +speckle +speckled +speckle's +speckles +speckling +speck's +specks +spec's +specs +specs's +spectacle +spectacle's +spectacles +spectacles's +spectacular +spectacularly +spectacular's +spectaculars +spectate +spectated +spectates +spectating +spectator +spectator's +spectators +specter +specter's +specters +spectra +spectral +spectrometer +spectrometer's +spectrometers +spectroscope +spectroscope's +spectroscopes +spectroscopic +spectroscopy +spectroscopy's +spectrum +spectrum's +speculate +speculated +speculates +speculating +speculation +speculation's +speculations +speculative +speculatively +speculator +speculator's +speculators +sped +speech +speeches +speechified +speechifies +speechify +speechifying +speechless +speechlessly +speechlessness +speechlessness's +speech's +speechwriter +speechwriters +speed +speedboat +speedboat's +speedboats +speeder +speeder's +speeders +speedier +speediest +speedily +speediness +speediness's +speeding +speeding's +speedometer +speedometer's +speedometers +speed's +speeds +speedster +speedster's +speedsters +speedup +speedup's +speedups +speedway +speedway's +speedways +speedwell +speedwell's +speedy +Speer +Speer's +speleological +speleologist +speleologist's +speleologists +speleology +speleology's +spell +spellbind +spellbinder +spellbinder's +spellbinders +spellbinding +spellbinds +spellbound +spellcheck +spellchecked +spellchecker +spellchecker's +spellcheckers +spellchecking +spellcheck's +spellchecks +spelldown +spelldown's +spelldowns +spelled +speller +speller's +spellers +spelling +spelling's +spellings +spell's +spells +spelunker +spelunker's +spelunkers +spelunking +spelunking's +Spence +Spencer +Spencerian +Spencerian's +Spencer's +Spence's +spend +spendable +spender +spender's +spenders +spending +spending's +spends +spendthrift +spendthrift's +spendthrifts +Spengler +Spenglerian +Spenglerian's +Spengler's +Spenser +Spenserian +Spenserian's +Spenser's +spent +sperm +spermatozoa +spermatozoon +spermatozoon's +spermicidal +spermicide +spermicide's +spermicides +sperm's +sperms +Sperry +Sperry's +spew +spewed +spewer +spewer's +spewers +spewing +spew's +spews +SPF +sphagnum +sphagnum's +sphagnums +sphere +sphere's +spheres +spherical +spherically +spheroid +spheroidal +spheroid's +spheroids +sphincter +sphincter's +sphincters +Sphinx +sphinx +sphinxes +Sphinx's +sphinx's +spic +Spica +Spica's +spice +spiced +spice's +spices +spicier +spiciest +spicily +spiciness +spiciness's +spicing +spics +spicule +spicule's +spicules +spicy +spider +spider's +spiders +spiderweb +spiderweb's +spiderwebs +spidery +spied +spiel +Spielberg +Spielberg's +spieled +spieling +spiel's +spiels +spies +spiff +spiffed +spiffier +spiffiest +spiffing +spiffs +spiffy +spigot +spigot's +spigots +spike +spiked +spike's +spikes +spikier +spikiest +spikiness +spikiness's +spiking +spiky +spill +spillage +spillage's +spillages +Spillane +Spillane's +spilled +spilling +spillover +spillover's +spillovers +spill's +spills +spillway +spillway's +spillways +spin +spinach +spinach's +spinal +spinally +spinal's +spinals +spindle +spindled +spindle's +spindles +spindlier +spindliest +spindling +spindly +spine +spineless +spinelessly +spinelessness +spine's +spines +spinet +spinet's +spinets +spinier +spiniest +spinnaker +spinnaker's +spinnakers +spinner +spinneret +spinneret's +spinnerets +spinner's +spinners +spinney +spinneys +spinning +spinning's +Spinoza +Spinoza's +spin's +spins +spinster +spinsterhood +spinsterhood's +spinsterish +spinster's +spinsters +Spinx +Spinx's +spiny +spiracle +spiracle's +spiracles +spiral +spiraled +spiraling +spirally +spiral's +spirals +spire +spirea +spirea's +spireas +spire's +spires +spirit +spirited +spiritedly +spiriting +spiritless +spirit's +spirits +spiritual +spiritualism +spiritualism's +spiritualist +spiritualistic +spiritualist's +spiritualists +spirituality +spirituality's +spiritually +spiritual's +spirituals +spirituous +Spiro +spirochete +spirochete's +spirochetes +Spirograph +Spirograph's +Spiro's +spiry +spit +spitball +spitball's +spitballs +spite +spited +spiteful +spitefuller +spitefullest +spitefully +spitefulness +spitefulness's +spite's +spites +spitfire +spitfire's +spitfires +spiting +spit's +spits +Spitsbergen +Spitsbergen's +spitted +spitting +spittle +spittle's +spittoon +spittoon's +spittoons +Spitz +Spitz's +spiv +spivs +splash +splashdown +splashdown's +splashdowns +splashed +splashes +splashier +splashiest +splashily +splashiness +splashiness's +splashing +splash's +splashy +splat +splat's +splats +splatted +splatter +splattered +splattering +splatter's +splatters +splatting +splay +splayed +splayfeet +splayfoot +splayfooted +splayfoot's +splaying +splay's +splays +spleen +spleen's +spleens +splendid +splendider +splendidest +splendidly +splendor +splendorous +splendor's +splendors +splenectomy +splenetic +splice +spliced +splicer +splicer's +splicers +splice's +splices +splicing +spliff +spliffs +spline +splines +splint +splinted +splinter +splintered +splintering +splinter's +splinters +splintery +splinting +splint's +splints +split +split's +splits +splitting +splitting's +splittings +splodge +splodges +splosh +sploshed +sploshes +sploshing +splotch +splotched +splotches +splotchier +splotchiest +splotching +splotch's +splotchy +splurge +splurged +splurge's +splurges +splurging +splutter +spluttered +spluttering +splutter's +splutters +Spock +Spock's +spoil +spoilage +spoilage's +spoiled +spoiler +spoiler's +spoilers +spoiling +spoil's +spoils +spoilsport +spoilsport's +spoilsports +Spokane +Spokane's +spoke +spoken +spoke's +spokes +spokesman +spokesman's +spokesmen +spokespeople +spokesperson +spokesperson's +spokespersons +spokeswoman +spokeswoman's +spokeswomen +spoliation +spoliation's +sponge +spongecake +spongecake's +sponged +sponger +sponger's +spongers +sponge's +sponges +spongier +spongiest +sponginess +sponginess's +sponging +spongy +sponsor +sponsored +sponsoring +sponsor's +sponsors +sponsorship +sponsorship's +spontaneity +spontaneity's +spontaneous +spontaneously +spoof +spoofed +spoofing +spoof's +spoofs +spook +spooked +spookier +spookiest +spookiness +spookiness's +spooking +spook's +spooks +spooky +spool +spooled +spooling +spool's +spools +spoon +spoonbill +spoonbill's +spoonbills +spooned +spoonerism +spoonerism's +spoonerisms +spoonful +spoonful's +spoonfuls +spooning +spoon's +spoons +spoor +spoored +spooring +spoor's +spoors +sporadic +sporadically +spore +spored +spore's +spores +sporing +sporran +sporrans +sport +sported +sportier +sportiest +sportiness +sportiness's +sporting +sportingly +sportive +sportively +sport's +sports +sportscast +sportscaster +sportscaster's +sportscasters +sportscasting +sportscast's +sportscasts +sportsman +sportsmanlike +sportsman's +sportsmanship +sportsmanship's +sportsmen +sportspeople +sportsperson +sportswear +sportswear's +sportswoman +sportswoman's +sportswomen +sportswriter +sportswriter's +sportswriters +sporty +spot +spotless +spotlessly +spotlessness +spotlessness's +spotlight +spotlighted +spotlighting +spotlight's +spotlights +spotlit +spot's +spots +spotted +spotter +spotter's +spotters +spottier +spottiest +spottily +spottiness +spottiness's +spotting +spotty +spousal +spousal's +spousals +spouse +spouse's +spouses +spout +spouted +spouting +spout's +spouts +sprain +sprained +spraining +sprain's +sprains +sprang +sprat +sprat's +sprats +sprawl +sprawled +sprawling +sprawl's +sprawls +spray +sprayed +sprayer +sprayer's +sprayers +spraying +spray's +sprays +spread +spreadable +spreadeagled +spreader +spreader's +spreaders +spreading +spread's +spreads +spreadsheet +spreadsheet's +spreadsheets +spree +spreed +spreeing +spree's +sprees +sprier +spriest +sprig +sprigged +sprightlier +sprightliest +sprightliness +sprightliness's +sprightly +sprig's +sprigs +spring +springboard +springboard's +springboards +springbok +springbok's +springboks +Springfield +Springfield's +springier +springiest +springily +springiness +springiness's +springing +springlike +spring's +springs +Springsteen +Springsteen's +springtime +springtime's +springy +sprinkle +sprinkled +sprinkler +sprinkler's +sprinklers +sprinkle's +sprinkles +sprinkling +sprinkling's +sprinklings +Sprint +sprint +sprinted +sprinter +sprinter's +sprinters +sprinting +Sprint's +sprint's +sprints +Sprite +sprite +Sprite's +sprite's +sprites +spritz +spritzed +spritzer +spritzer's +spritzers +spritzes +spritzing +spritz's +sprocket +sprocket's +sprockets +sprog +sprogs +sprout +sprouted +sprouting +sprout's +sprouts +spruce +spruced +sprucely +spruceness +spruceness's +sprucer +spruce's +spruces +sprucest +sprucing +sprung +spry +spryly +spryness +spryness's +spud +spud's +spuds +spume +spumed +spume's +spumes +spuming +spumoni +spumoni's +spumy +spun +spunk +spunkier +spunkiest +spunk's +spunks +spunky +spur +spurge +spurge's +spurious +spuriously +spuriousness +spuriousness's +spurn +spurned +spurning +spurns +spurred +spurring +spur's +spurs +spurt +spurted +spurting +spurt's +spurts +sputa +Sputnik +sputnik +Sputnik's +sputnik's +sputniks +sputter +sputtered +sputtering +sputter's +sputters +sputum +sputum's +spy +spyglass +spyglasses +spyglass's +spying +spymaster +spymasters +spy's +spyware +spyware's +Sq +sq +SQL +sqq +squab +squabble +squabbled +squabbler +squabbler's +squabblers +squabble's +squabbles +squabbling +squab's +squabs +squad +squadron +squadron's +squadrons +squad's +squads +squalid +squalider +squalidest +squalidly +squalidness +squalidness's +squall +squalled +squalling +squall's +squalls +squally +squalor +squalor's +squamous +squander +squandered +squandering +squanders +Squanto +Squanto's +square +squared +squarely +squareness +squareness's +squarer +square's +squares +squarest +squaring +squarish +squash +squashed +squashes +squashier +squashiest +squashing +squash's +squashy +squat +squatness +squatness's +squat's +squats +squatted +squatter +squatter's +squatters +squattest +squatting +squaw +squawk +squawked +squawker +squawker's +squawkers +squawking +squawk's +squawks +squaw's +squaws +squeak +squeaked +squeaker +squeaker's +squeakers +squeakier +squeakiest +squeakily +squeakiness +squeakiness's +squeaking +squeak's +squeaks +squeaky +squeal +squealed +squealer +squealer's +squealers +squealing +squeal's +squeals +squeamish +squeamishly +squeamishness +squeamishness's +squeegee +squeegeed +squeegeeing +squeegee's +squeegees +squeezable +squeeze +squeezebox +squeezeboxes +squeezed +squeezer +squeezer's +squeezers +squeeze's +squeezes +squeezing +squelch +squelched +squelches +squelching +squelch's +squelchy +squib +Squibb +Squibb's +squib's +squibs +squid +squidgy +squid's +squids +squiffy +squiggle +squiggled +squiggle's +squiggles +squiggling +squiggly +squint +squinted +squinter +squintest +squinting +squint's +squints +squire +squired +squire's +squires +squiring +squirm +squirmed +squirmier +squirmiest +squirming +squirm's +squirms +squirmy +squirrel +squirreled +squirreling +squirrel's +squirrels +squirt +squirted +squirting +squirt's +squirts +squish +squished +squishes +squishier +squishiest +squishing +squish's +squishy +Sr +Srinagar +Srinagar's +sriracha +Srivijaya +Srivijaya's +SRO +Sr's +S's +SS +SSA +SSE +SSE's +ssh +SSS +SST +SSW +SSW's +ST +St +st +Sta +stab +stabbed +stabber +stabber's +stabbers +stabbing +stabbing's +stabbings +stability +stability's +stabilization +stabilization's +stabilize +stabilized +stabilizer +stabilizer's +stabilizers +stabilizes +stabilizing +stable +stabled +stableman +stableman's +stablemate +stablemates +stablemen +stabler +stable's +stables +stablest +stabling +stably +stab's +stabs +staccato +staccato's +staccatos +Stacey +Stacey's +Staci +Stacie +Stacie's +Staci's +stack +stacked +stacking +stack's +stacks +Stacy +Stacy's +stadium +stadium's +stadiums +Stael +Stael's +staff +staffed +staffer +staffer's +staffers +staffing +staffing's +Stafford +Stafford's +staff's +staffs +stag +stage +stagecoach +stagecoaches +stagecoach's +stagecraft +stagecraft's +staged +stagehand +stagehand's +stagehands +stage's +stages +stagestruck +stagflation +stagflation's +stagger +staggered +staggering +staggeringly +stagger's +staggers +stagier +stagiest +staging +staging's +stagings +stagnancy +stagnancy's +stagnant +stagnantly +stagnate +stagnated +stagnates +stagnating +stagnation +stagnation's +stag's +stags +stagy +staid +staider +staidest +staidly +staidness +staidness's +stain +stained +staining +stainless +stainless's +stain's +stains +stair +staircase +staircase's +staircases +StairMaster +StairMaster's +stair's +stairs +stairway +stairway's +stairways +stairwell +stairwell's +stairwells +stake +staked +stakeholder +stakeholder's +stakeholders +stakeout +stakeout's +stakeouts +stake's +stakes +staking +stalactite +stalactite's +stalactites +stalagmite +stalagmite's +stalagmites +stale +staled +stalemate +stalemated +stalemate's +stalemates +stalemating +staleness +staleness's +staler +stales +stalest +Stalin +staling +Stalingrad +Stalingrad's +Stalinist +Stalinist's +Stalin's +stalk +stalked +stalker +stalker's +stalkers +stalking +stalking's +stalkings +stalk's +stalks +stall +stalled +stallholder +stallholders +stalling +stallion +stallion's +stallions +Stallone +Stallone's +stall's +stalls +stalwart +stalwartly +stalwart's +stalwarts +stamen +stamen's +stamens +Stamford +Stamford's +stamina +stamina's +stammer +stammered +stammerer +stammerer's +stammerers +stammering +stammeringly +stammer's +stammers +stamp +stamped +stampede +stampeded +stampede's +stampedes +stampeding +stamper +stamper's +stampers +stamping +stamp's +stamps +Stan +stance +stance's +stances +stanch +stanched +stancher +stanches +stanchest +stanching +stanchion +stanchion's +stanchions +stand +standalone +standard +standardization +standardization's +standardize +standardized +standardizes +standardizing +standard's +standards +standby +standby's +standbys +standee +standee's +standees +stander +stander's +standers +standing +standing's +standings +Standish +Standish's +standoff +standoffish +standoff's +standoffs +standout +standout's +standouts +standpipe +standpipe's +standpipes +standpoint +standpoint's +standpoints +stand's +stands +standstill +standstill's +standstills +Stanford +Stanford's +Stanislavsky +Stanislavsky's +stank +Stanley +Stanley's +Stan's +Stanton +Stanton's +stanza +stanza's +stanzas +staph +staph's +staphylococcal +staphylococci +staphylococcus +staphylococcus's +staple +stapled +stapler +stapler's +staplers +Staples +staple's +staples +Staples's +stapling +star +starboard +starboard's +Starbucks +Starbucks's +starburst +starbursts +starch +starched +starches +starchier +starchiest +starchily +starchiness +starchiness's +starching +starch's +starchy +stardom +stardom's +stardust +stardust's +stare +stared +starer +starer's +starers +stare's +stares +starfish +starfishes +starfish's +starfruit +stargaze +stargazed +stargazer +stargazer's +stargazers +stargazes +stargazing +staring +Stark +stark +starker +starkers +starkest +Starkey +Starkey's +starkly +starkness +starkness's +Stark's +starless +starlet +starlet's +starlets +starlight +starlight's +starling +starling's +starlings +starlit +Starr +starred +starrier +starriest +starring +Starr's +starry +star's +stars +starstruck +start +started +starter +starter's +starters +starting +startle +startled +startles +startling +startlingly +start's +starts +startup +startup's +startups +starvation +starvation's +starve +starved +starveling +starveling's +starvelings +starves +starving +starvings +stash +stashed +stashes +stashing +stash's +stasis +stat +state +statecraft +statecraft's +stated +statehood +statehood's +statehouse +statehouse's +statehouses +stateless +statelessness +statelessness's +statelier +stateliest +stateliness +stateliness's +stately +statement +statemented +statementing +statement's +statements +Staten +Staten's +stater +stateroom +stateroom's +staterooms +States +state's +states +stateside +statesman +statesmanlike +statesman's +statesmanship +statesmanship's +statesmen +stateswoman +stateswoman's +stateswomen +statewide +static +statically +static's +statics +stating +station +stationary +stationed +stationer +stationer's +stationers +stationery +stationery's +stationing +stationmaster +stationmasters +station's +stations +statistic +statistical +statistically +statistician +statistician's +statisticians +statistic's +statistics +stat's +stats +statuary +statuary's +statue +statue's +statues +statuesque +statuette +statuette's +statuettes +stature +stature's +statures +status +statuses +status's +statute +statute's +statutes +statutorily +statutory +Staubach +Staubach's +staunch +staunched +stauncher +staunches +staunchest +staunching +staunchly +staunchness +staunchness's +stave +staved +stave's +staves +staving +stay +stayed +stayer +stayers +staying +stay's +stays +STD +std +stdio +Ste +stead +steadfast +steadfastly +steadfastness +steadfastness's +Steadicam +Steadicam's +steadied +steadier +steadies +steadiest +steadily +steadiness +steadiness's +stead's +steads +steady +steadying +steady's +steak +steakhouse +steakhouse's +steakhouses +steak's +steaks +steal +stealing +steal's +steals +stealth +stealthier +stealthiest +stealthily +stealthiness +stealthiness's +stealth's +stealthy +steam +steamboat +steamboat's +steamboats +steamed +steamer +steamer's +steamers +steamfitter +steamfitter's +steamfitters +steamfitting +steamfitting's +steamier +steamiest +steaminess +steaminess's +steaming +steampunk +steamroll +steamrolled +steamroller +steamrollered +steamrollering +steamroller's +steamrollers +steamrolling +steamrolls +steam's +steams +steamship +steamship's +steamships +steamy +steed +steed's +steeds +steel +Steele +steeled +Steele's +steelier +steeliest +steeliness +steeliness's +steeling +steelmaker +steelmakers +steel's +steels +steelworker +steelworker's +steelworkers +steelworks +steelworks's +steely +steelyard +steelyard's +steelyards +steep +steeped +steepen +steepened +steepening +steepens +steeper +steepest +steeping +steeple +steeplechase +steeplechase's +steeplechases +steeplejack +steeplejack's +steeplejacks +steeple's +steeples +steeply +steepness +steepness's +steep's +steeps +steer +steerable +steerage +steerage's +steered +steering +steering's +steer's +steers +steersman +steersman's +steersmen +Stefan +Stefanie +Stefanie's +Stefan's +stegosauri +stegosaurus +stegosauruses +stegosaurus's +Stein +stein +Steinbeck +Steinbeck's +Steinem +Steinem's +Steiner +Steiner's +Steinmetz +Steinmetz's +Stein's +stein's +steins +Steinway +Steinway's +Stella +stellar +Stella's +stem +stemless +stemmed +stemming +stem's +stems +stemware +stemware's +stench +stenches +stench's +stencil +stenciled +stenciling +stencil's +stencils +Stendhal +Stendhal's +Stengel +Stengel's +steno +stenographer +stenographer's +stenographers +stenographic +stenography +stenography's +steno's +stenos +stenosis +stent +stentorian +stent's +stents +step +stepbrother +stepbrother's +stepbrothers +stepchild +stepchildren +stepchildren's +stepchild's +stepdad +stepdad's +stepdads +stepdaughter +stepdaughter's +stepdaughters +stepfather +stepfather's +stepfathers +Stephan +Stephanie +Stephanie's +Stephan's +Stephen +Stephen's +Stephens +Stephenson +Stephenson's +Stephens's +stepladder +stepladder's +stepladders +stepmom +stepmom's +stepmoms +stepmother +stepmother's +stepmothers +stepparent +stepparent's +stepparents +steppe +stepped +stepper +stepper's +steppers +steppe's +steppes +stepping +steppingstone +steppingstone's +steppingstones +step's +steps +stepsister +stepsister's +stepsisters +stepson +stepson's +stepsons +stereo +stereophonic +stereo's +stereos +stereoscope +stereoscope's +stereoscopes +stereoscopic +stereotype +stereotyped +stereotype's +stereotypes +stereotypical +stereotyping +sterile +sterility +sterility's +sterilization +sterilization's +sterilizations +sterilize +sterilized +sterilizer +sterilizer's +sterilizers +sterilizes +sterilizing +Sterling +sterling +Sterling's +sterling's +Stern +stern +Sterne +sterner +Sterne's +sternest +sternly +sternness +sternness's +Sterno +Sterno's +Stern's +stern's +sterns +sternum +sternum's +sternums +steroid +steroidal +steroid's +steroids +stertorous +stet +stethoscope +stethoscope's +stethoscopes +stets +Stetson +stetson +Stetson's +stetson's +stetsons +stetted +stetting +Steuben +Steuben's +Steve +stevedore +stevedore's +stevedores +Steven +Steven's +Stevens +Stevenson +Stevenson's +Stevens's +Steve's +Stevie +Stevie's +stew +steward +stewarded +stewardess +stewardesses +stewardess's +stewarding +steward's +stewards +stewardship +stewardship's +Stewart +Stewart's +stewed +stewing +stew's +stews +stick +sticker +sticker's +stickers +stickier +stickies +stickiest +stickily +stickiness +stickiness's +sticking +stickleback +stickleback's +sticklebacks +stickler +stickler's +sticklers +stickpin +stickpin's +stickpins +stick's +sticks +stickup +stickup's +stickups +sticky +sticky's +Stieglitz +Stieglitz's +sties +stiff +stiffed +stiffen +stiffened +stiffener +stiffener's +stiffeners +stiffening +stiffening's +stiffens +stiffer +stiffest +stiffing +stiffly +stiffness +stiffness's +stiff's +stiffs +stifle +stifled +stifles +stifling +stiflingly +stiflings +stigma +stigma's +stigmas +stigmata +stigmatic +stigmatization +stigmatization's +stigmatize +stigmatized +stigmatizes +stigmatizing +stile +stile's +stiles +stiletto +stiletto's +stilettos +still +stillbirth +stillbirth's +stillbirths +stillborn +stilled +stiller +stillest +stilling +stillness +stillness's +still's +stills +stilt +stilted +stiltedly +Stilton +Stilton's +Stiltons +stilt's +stilts +Stimson +Stimson's +stimulant +stimulant's +stimulants +stimulate +stimulated +stimulates +stimulating +stimulation +stimulation's +stimulative +stimuli +stimulus +stimulus's +Stine +Stine's +sting +stinger +stinger's +stingers +stingier +stingiest +stingily +stinginess +stinginess's +stinging +stingray +stingray's +stingrays +sting's +stings +stingy +stink +stinkbug +stinkbug's +stinkbugs +stinker +stinker's +stinkers +stinkier +stinkiest +stinking +stink's +stinks +stinky +stint +stinted +stinting +stint's +stints +stipend +stipendiaries +stipendiary +stipend's +stipends +stipple +stippled +stipple's +stipples +stippling +stippling's +stipulate +stipulated +stipulates +stipulating +stipulation +stipulation's +stipulations +stir +Stirling +Stirling's +stirred +stirrer +stirrer's +stirrers +stirring +stirringly +stirrings +stirrup +stirrup's +stirrups +stir's +stirs +stitch +stitched +stitchery +stitchery's +stitches +stitching +stitching's +stitch's +stoat +stoat's +stoats +stochastic +stock +stockade +stockaded +stockade's +stockades +stockading +stockbreeder +stockbreeder's +stockbreeders +stockbroker +stockbroker's +stockbrokers +stockbroking +stockbroking's +stocked +Stockhausen +Stockhausen's +stockholder +stockholder's +stockholders +Stockholm +Stockholm's +stockier +stockiest +stockily +stockiness +stockiness's +stockinette +stockinette's +stocking +stocking's +stockings +stockist +stockists +stockpile +stockpiled +stockpile's +stockpiles +stockpiling +stockpot +stockpot's +stockpots +stockroom +stockroom's +stockrooms +stock's +stocks +stocktaking +stocktaking's +Stockton +Stockton's +stocky +stockyard +stockyard's +stockyards +stodge +stodgier +stodgiest +stodgily +stodginess +stodginess's +stodgy +stogie +stogie's +stogies +Stoic +stoic +stoical +stoically +Stoicism +stoicism +Stoicism's +Stoicisms +stoicism's +Stoic's +Stoics +stoic's +stoics +stoke +stoked +stoker +stoker's +stokers +Stokes +stokes +Stokes's +stoking +STOL +stole +stolen +stole's +stoles +Stolichnaya +Stolichnaya's +stolid +stolider +stolidest +stolidity +stolidity's +stolidly +stolidness +stolidness's +stolon +stolon's +stolons +Stolypin +Stolypin's +stomach +stomachache +stomachache's +stomachaches +stomached +stomacher +stomacher's +stomachers +stomaching +stomach's +stomachs +stomp +stomped +stomping +stomp's +stomps +Stone +stone +stoned +Stonehenge +Stonehenge's +stonemason +stonemason's +stonemasons +stoner +stoner's +stoners +Stone's +stone's +stones +stonewall +stonewalled +stonewalling +stonewalls +stoneware +stoneware's +stonewashed +stonework +stonework's +stonier +stoniest +stonily +stoniness +stoniness's +stoning +stonkered +stonking +stony +stood +stooge +stooge's +stooges +stool +stool's +stools +stoop +stooped +stooping +stoop's +stoops +stop +stopcock +stopcock's +stopcocks +stopgap +stopgap's +stopgaps +stoplight +stoplight's +stoplights +stopover +stopover's +stopovers +stoppable +stoppage +stoppage's +stoppages +Stoppard +Stoppard's +stopped +stopper +stoppered +stoppering +stopper's +stoppers +stopping +stopple +stoppled +stopple's +stopples +stoppling +stop's +stops +stopwatch +stopwatches +stopwatch's +storage +storage's +store +stored +storefront +storefront's +storefronts +storehouse +storehouse's +storehouses +storekeeper +storekeeper's +storekeepers +storeroom +storeroom's +storerooms +store's +stores +storied +stories +storing +stork +stork's +storks +storm +stormed +stormier +stormiest +stormily +storminess +storminess's +storming +storm's +storms +stormy +story +storyboard +storyboard's +storyboards +storybook +storybook's +storybooks +story's +storyteller +storyteller's +storytellers +storytelling +storytelling's +stoup +stoup's +stoups +Stout +stout +stouter +stoutest +stouthearted +stoutly +stoutness +stoutness's +Stout's +stout's +stouts +stove +stovepipe +stovepipe's +stovepipes +stove's +stoves +stow +stowage +stowage's +stowaway +stowaway's +stowaways +Stowe +stowed +Stowe's +stowing +stows +Strabo +Strabo's +straddle +straddled +straddler +straddler's +straddlers +straddle's +straddles +straddling +Stradivari +Stradivarius +Stradivarius's +strafe +strafed +strafe's +strafes +strafing +straggle +straggled +straggler +straggler's +stragglers +straggles +stragglier +straggliest +straggling +straggly +straight +straightaway +straightaway's +straightaways +straightedge +straightedge's +straightedges +straighten +straightened +straightener +straightener's +straighteners +straightening +straightens +straighter +straightest +straightforward +straightforwardly +straightforwardness +straightforwardness's +straightforwards +straightly +straightness +straightness's +straight's +straights +straightway +strain +strained +strainer +strainer's +strainers +straining +strain's +strains +strait +straiten +straitened +straitening +straitens +straitjacket +straitjacketed +straitjacketing +straitjacket's +straitjackets +straitlaced +strait's +straits +strand +stranded +stranding +strand's +strands +strange +strangely +strangeness +strangeness's +stranger +stranger's +strangers +strangest +strangle +strangled +stranglehold +stranglehold's +strangleholds +strangler +strangler's +stranglers +strangles +strangling +strangulate +strangulated +strangulates +strangulating +strangulation +strangulation's +strap +strapless +straplesses +strapless's +strapped +strapping +strapping's +strap's +straps +Strasbourg +Strasbourg's +strata +stratagem +stratagem's +stratagems +strategic +strategical +strategically +strategics +strategics's +strategies +strategist +strategist's +strategists +strategy +strategy's +strati +stratification +stratification's +stratified +stratifies +stratify +stratifying +stratosphere +stratosphere's +stratospheres +stratospheric +stratum +stratum's +stratus +stratus's +Strauss +Strauss's +Stravinsky +Stravinsky's +straw +strawberries +strawberry +strawberry's +strawed +strawing +straw's +straws +stray +strayed +straying +stray's +strays +streak +streaked +streaker +streaker's +streakers +streakier +streakiest +streaking +streak's +streaks +streaky +stream +streamed +streamer +streamer's +streamers +streaming +streamline +streamlined +streamlines +streamlining +stream's +streams +street +streetcar +streetcar's +streetcars +streetlamp +streetlamps +streetlight +streetlight's +streetlights +street's +streets +streetwalker +streetwalker's +streetwalkers +streetwise +Streisand +Streisand's +strength +strengthen +strengthened +strengthener +strengthener's +strengtheners +strengthening +strengthens +strength's +strengths +strenuous +strenuously +strenuousness +strenuousness's +strep +strep's +streptococcal +streptococci +streptococcus +streptococcus's +streptomycin +streptomycin's +stress +stressed +stresses +stressful +stressing +stress's +stretch +stretchable +stretched +stretcher +stretchered +stretchering +stretcher's +stretchers +stretches +stretchier +stretchiest +stretching +stretchmarks +stretch's +stretchy +strew +strewed +strewing +strewn +strews +strewth +stria +striae +stria's +striated +striation +striation's +striations +stricken +Strickland +Strickland's +strict +stricter +strictest +strictly +strictness +strictness's +stricture +stricture's +strictures +stridden +stride +stridency +stridency's +strident +stridently +stride's +strides +striding +strife +strife's +strike +strikebound +strikebreaker +strikebreaker's +strikebreakers +strikebreaking +strikeout +strikeout's +strikeouts +striker +striker's +strikers +strike's +strikes +striking +strikingly +strikings +Strindberg +Strindberg's +string +stringed +stringency +stringency's +stringent +stringently +stringer +stringer's +stringers +stringier +stringiest +stringiness +stringiness's +stringing +string's +strings +stringy +strip +stripe +striped +stripe's +stripes +stripey +striping +stripling +stripling's +striplings +stripped +stripper +stripper's +strippers +stripping +strip's +strips +striptease +stripteased +stripteaser +stripteaser's +stripteasers +striptease's +stripteases +stripteasing +stripy +strive +striven +strives +striving +strobe +strobe's +strobes +stroboscope +stroboscope's +stroboscopes +stroboscopic +strode +stroke +stroked +stroke's +strokes +stroking +stroll +strolled +stroller +stroller's +strollers +strolling +stroll's +strolls +Stromboli +Stromboli's +Strong +strong +strongbox +strongboxes +strongbox's +stronger +strongest +stronghold +stronghold's +strongholds +strongly +strongman +strongman's +strongmen +strongroom +strongrooms +Strong's +strontium +strontium's +strop +strophe +strophe's +strophes +strophic +stropped +stroppier +stroppiest +stroppily +stroppiness +stropping +stroppy +strop's +strops +strove +struck +structural +structuralism +structuralist +structuralists +structurally +structure +structured +structure's +structures +structuring +strudel +strudel's +strudels +struggle +struggled +struggle's +struggles +struggling +strum +strummed +strumming +strumpet +strumpet's +strumpets +strum's +strums +strung +strut +strut's +struts +strutted +strutting +strychnine +strychnine's +Stu +Stuart +Stuart's +Stuarts +stub +stubbed +stubbier +stubbiest +stubbing +stubble +stubble's +stubbly +stubborn +stubborner +stubbornest +stubbornly +stubbornness +stubbornness's +stubby +stub's +stubs +stucco +stuccoed +stuccoes +stuccoing +stucco's +stuck +stud +studbook +studbook's +studbooks +studded +studding +studding's +Studebaker +Studebaker's +student +student's +students +studentship +studentships +studied +studiedly +studies +studio +studio's +studios +studious +studiously +studiousness +studiousness's +studlier +studliest +studly +stud's +studs +study +studying +study's +stuff +stuffed +stuffier +stuffiest +stuffily +stuffiness +stuffiness's +stuffing +stuffing's +stuffings +stuff's +stuffs +stuffy +stultification +stultification's +stultified +stultifies +stultify +stultifying +stumble +stumbled +stumbler +stumbler's +stumblers +stumble's +stumbles +stumbling +stump +stumped +stumpier +stumpiest +stumping +stump's +stumps +stumpy +stun +stung +stunk +stunned +stunner +stunners +stunning +stunningly +stuns +stunt +stunted +stunting +stuntman +stuntmen +stunt's +stunts +stupefaction +stupefaction's +stupefied +stupefies +stupefy +stupefying +stupendous +stupendously +stupid +stupider +stupidest +stupidities +stupidity +stupidity's +stupidly +stupid's +stupids +stupor +stupor's +stupors +sturdier +sturdiest +sturdily +sturdiness +sturdiness's +sturdy +sturgeon +sturgeon's +sturgeons +Stu's +stutter +stuttered +stutterer +stutterer's +stutterers +stuttering +stutter's +stutters +Stuttgart +Stuttgart's +Stuyvesant +Stuyvesant's +sty +Stygian +Stygian's +style +styled +style's +styles +styli +styling +stylish +stylishly +stylishness +stylishness's +stylist +stylistic +stylistically +stylistics +stylist's +stylists +stylize +stylized +stylizes +stylizing +stylus +styluses +stylus's +stymie +stymied +stymieing +stymie's +stymies +styptic +styptic's +styptics +Styrofoam +Styrofoam's +Styrofoams +Styron +Styron's +sty's +Styx +Styx's +Suarez +Suarez's +suasion +suasion's +suave +suavely +suaveness +suaveness's +suaver +suavest +suavity +suavity's +sub +subaltern +subaltern's +subalterns +subaqua +subarctic +subarea +subarea's +subareas +Subaru +Subaru's +subatomic +subbasement +subbasement's +subbasements +subbed +subbing +subbranch +subbranches +subbranch's +subcategories +subcategory +subcategory's +subclass +subcommittee +subcommittee's +subcommittees +subcompact +subcompact's +subcompacts +subconscious +subconsciously +subconsciousness +subconsciousness's +subconscious's +subcontinent +subcontinental +subcontinent's +subcontinents +subcontract +subcontracted +subcontracting +subcontractor +subcontractor's +subcontractors +subcontract's +subcontracts +subculture +subculture's +subcultures +subcutaneous +subcutaneously +subdivide +subdivided +subdivides +subdividing +subdivision +subdivision's +subdivisions +subdomain +subdomain's +subdomains +subdominant +subdue +subdued +subdues +subduing +subeditor +subeditors +subfamilies +subfamily +subfamily's +subfreezing +subgroup +subgroup's +subgroups +subhead +subheading +subheading's +subheadings +subhead's +subheads +subhuman +subhuman's +subhumans +subj +subject +subjected +subjecting +subjection +subjection's +subjective +subjectively +subjectivity +subjectivity's +subject's +subjects +subjoin +subjoined +subjoining +subjoins +subjugate +subjugated +subjugates +subjugating +subjugation +subjugation's +subjunctive +subjunctive's +subjunctives +sublease +subleased +sublease's +subleases +subleasing +sublet +sublet's +sublets +subletting +sublieutenant +sublieutenants +sublimate +sublimated +sublimates +sublimating +sublimation +sublimation's +sublime +sublimed +sublimely +sublimer +sublimes +sublimest +subliminal +subliminally +subliming +sublimity +sublimity's +sublingual +submarginal +submarine +submariner +submariner's +submariners +submarine's +submarines +submerge +submerged +submergence +submergence's +submerges +submerging +submerse +submersed +submerses +submersible +submersible's +submersibles +submersing +submersion +submersion's +submicroscopic +submission +submission's +submissions +submissive +submissively +submissiveness +submissiveness's +submit +submits +submitted +submitter +submitting +subnormal +suborbital +suborder +suborder's +suborders +subordinate +subordinated +subordinate's +subordinates +subordinating +subordination +subordination's +suborn +subornation +subornation's +suborned +suborning +suborns +subparagraph +subplot +subplot's +subplots +subpoena +subpoenaed +subpoenaing +subpoena's +subpoenas +subprime +subprofessional +subprofessional's +subprofessionals +subprogram +subprograms +subroutine +subroutine's +subroutines +sub's +subs +subscribe +subscribed +subscriber +subscriber's +subscribers +subscribes +subscribing +subscript +subscription +subscription's +subscriptions +subscript's +subscripts +subsection +subsection's +subsections +subsequent +subsequently +subservience +subservience's +subservient +subserviently +subset +subset's +subsets +subside +subsided +subsidence +subsidence's +subsides +subsidiaries +subsidiarity +subsidiary +subsidiary's +subsidies +subsiding +subsidization +subsidization's +subsidize +subsidized +subsidizer +subsidizer's +subsidizers +subsidizes +subsidizing +subsidy +subsidy's +subsist +subsisted +subsistence +subsistence's +subsisting +subsists +subsoil +subsoil's +subsonic +subspace +subspecies +subspecies's +substance +substance's +substances +substandard +substantial +substantially +substantiate +substantiated +substantiates +substantiating +substantiation +substantiation's +substantiations +substantive +substantively +substantive's +substantives +substation +substation's +substations +substituent +substitute +substituted +substitute's +substitutes +substituting +substitution +substitution's +substitutions +substrata +substrate +substrate's +substrates +substratum +substratum's +substructure +substructure's +substructures +subsume +subsumed +subsumes +subsuming +subsumption +subsurface +subsurface's +subsystem +subsystem's +subsystems +subteen +subteen's +subteens +subtenancy +subtenancy's +subtenant +subtenant's +subtenants +subtend +subtended +subtending +subtends +subterfuge +subterfuge's +subterfuges +subterranean +subtext +subtext's +subtexts +subtitle +subtitled +subtitle's +subtitles +subtitling +subtle +subtler +subtlest +subtleties +subtlety +subtlety's +subtly +subtopic +subtopic's +subtopics +subtotal +subtotaled +subtotaling +subtotal's +subtotals +subtract +subtracted +subtracting +subtraction +subtraction's +subtractions +subtracts +subtrahend +subtrahend's +subtrahends +subtropic +subtropical +subtropics +subtropics's +suburb +suburban +suburbanite +suburbanite's +suburbanites +suburban's +suburbans +suburbia +suburbia's +suburb's +suburbs +subvention +subvention's +subventions +subversion +subversion's +subversive +subversively +subversiveness +subversiveness's +subversive's +subversives +subvert +subverted +subverting +subverts +subway +subway's +subways +subzero +succeed +succeeded +succeeding +succeeds +success +successes +successful +successfully +succession +succession's +successions +successive +successively +successor +successor's +successors +success's +succinct +succincter +succinctest +succinctly +succinctness +succinctness's +succor +succored +succoring +succor's +succors +succotash +succotash's +succubi +succubus +succulence +succulence's +succulency +succulency's +succulent +succulent's +succulents +succumb +succumbed +succumbing +succumbs +such +suchlike +suck +sucked +sucker +suckered +suckering +sucker's +suckers +sucking +suckle +suckled +suckles +suckling +suckling's +sucklings +suck's +sucks +Sucre +Sucre's +Sucrets +Sucrets's +sucrose +sucrose's +suction +suctioned +suctioning +suction's +suctions +Sudan +Sudanese +Sudanese's +Sudan's +sudden +suddenly +suddenness +suddenness's +Sudetenland +Sudetenland's +Sudoku +Sudoku's +Sudra +Sudra's +suds +sudsier +sudsiest +suds's +sudsy +Sue +sue +sued +suede +suede's +Sue's +sues +suet +Suetonius +Suetonius's +suet's +suety +Suez +Suez's +suffer +sufferance +sufferance's +suffered +sufferer +sufferer's +sufferers +suffering +suffering's +sufferings +suffers +suffice +sufficed +suffices +sufficiency +sufficiency's +sufficient +sufficiently +sufficing +suffix +suffixation +suffixation's +suffixed +suffixes +suffixing +suffix's +suffocate +suffocated +suffocates +suffocating +suffocation +suffocation's +Suffolk +Suffolk's +suffragan +suffragan's +suffragans +suffrage +suffrage's +suffragette +suffragette's +suffragettes +suffragist +suffragist's +suffragists +suffuse +suffused +suffuses +suffusing +suffusion +suffusion's +Sufi +Sufi's +Sufism +Sufism's +sugar +sugarcane +sugarcane's +sugarcoat +sugarcoated +sugarcoating +sugarcoats +sugared +sugarier +sugariest +sugaring +sugarless +sugarplum +sugarplum's +sugarplums +sugar's +sugars +sugary +suggest +suggested +suggester +suggestibility +suggestibility's +suggestible +suggesting +suggestion +suggestion's +suggestions +suggestive +suggestively +suggestiveness +suggestiveness's +suggests +Suharto +Suharto's +Sui +suicidal +suicide +suicide's +suicides +suing +Sui's +suit +suitability +suitability's +suitable +suitableness +suitableness's +suitably +suitcase +suitcase's +suitcases +suite +suited +suite's +suites +suiting +suiting's +suitor +suitor's +suitors +suit's +suits +Sukarno +Sukarno's +sukiyaki +sukiyaki's +Sukkot +Sulawesi +Sulawesi's +Suleiman +Suleiman's +sulfa +sulfa's +sulfate +sulfate's +sulfates +sulfide +sulfide's +sulfides +sulfonamides +sulfur +sulfured +sulfuric +sulfuring +sulfurous +sulfur's +sulfurs +sulk +sulked +sulkier +sulkies +sulkiest +sulkily +sulkiness +sulkiness's +sulking +sulk's +sulks +sulky +sulky's +Sulla +Sulla's +sullen +sullener +sullenest +sullenly +sullenness +sullenness's +sullied +sullies +Sullivan +Sullivan's +sully +sullying +sultan +sultana +sultana's +sultanas +sultanate +sultanate's +sultanates +sultan's +sultans +sultrier +sultriest +sultrily +sultriness +sultriness's +sultry +sum +sumac +sumac's +Sumatra +Sumatran +Sumatran's +Sumatrans +Sumatra's +Sumeria +Sumerian +Sumerian's +Sumerians +Sumeria's +summaries +summarily +summarize +summarized +summarizes +summarizing +summary +summary's +summat +summation +summation's +summations +summed +Summer +summer +summered +summerhouse +summerhouse's +summerhouses +summering +Summer's +Summers +summer's +summers +Summers's +summertime +summertime's +summery +summing +summit +summitry +summitry's +summit's +summits +summon +summoned +summoner +summoner's +summoners +summoning +summons +summonsed +summonses +summonsing +summons's +Sumner +Sumner's +sumo +sumo's +sump +sump's +sumps +sumptuous +sumptuously +sumptuousness +sumptuousness's +sum's +sums +Sumter +Sumter's +Sun +sun +sunbath +sunbathe +sunbathed +sunbather +sunbather's +sunbathers +sunbathes +sunbathing +sunbathing's +sunbath's +sunbaths +Sunbeam +sunbeam +Sunbeam's +sunbeam's +sunbeams +sunbed +sunbeds +Sunbelt +sunbelt +Sunbelt's +sunbelt's +sunbelts +sunblock +sunblock's +sunblocks +sunbonnet +sunbonnet's +sunbonnets +sunburn +sunburned +sunburning +sunburn's +sunburns +sunburst +sunburst's +sunbursts +sundae +sundae's +sundaes +Sundanese +Sundanese's +Sundas +Sundas's +Sunday +Sunday's +Sundays +sundeck +sundecks +sunder +sundered +sundering +sunders +sundial +sundial's +sundials +sundown +sundown's +sundowns +sundress +sundresses +sundries +sundries's +sundry +sunfish +sunfishes +sunfish's +sunflower +sunflower's +sunflowers +Sung +sung +sunglasses +sunglasses's +Sung's +sunhat +sunhats +sunk +sunken +Sunkist +Sunkist's +sunlamp +sunlamp's +sunlamps +sunless +sunlight +sunlight's +sunlit +sunned +Sunni +sunnier +sunniest +sunniness +sunniness's +sunning +Sunni's +Sunnis +Sunnite +Sunnite's +Sunnites +sunny +Sunnyvale +Sunnyvale's +sunrise +sunrise's +sunrises +sunroof +sunroof's +sunroofs +Sun's +Suns +sun's +suns +sunscreen +sunscreen's +sunscreens +sunset +sunset's +sunsets +sunshade +sunshade's +sunshades +sunshine +sunshine's +sunshiny +sunspot +sunspot's +sunspots +sunstroke +sunstroke's +suntan +suntanned +suntanning +suntan's +suntans +suntrap +suntraps +sunup +sunup's +sup +super +superabundance +superabundance's +superabundances +superabundant +superannuate +superannuated +superannuates +superannuating +superannuation +superannuation's +superb +superber +superbest +superbly +Superbowl +Superbowl's +supercargo +supercargoes +supercargo's +supercharge +supercharged +supercharger +supercharger's +superchargers +supercharges +supercharging +supercilious +superciliously +superciliousness +superciliousness's +supercities +supercity +supercity's +supercomputer +supercomputer's +supercomputers +superconducting +superconductive +superconductivity +superconductivity's +superconductor +superconductor's +superconductors +supercritical +superego +superego's +superegos +supererogation +supererogation's +supererogatory +superficial +superficiality +superficiality's +superficially +superfine +superfluity +superfluity's +superfluous +superfluously +superfluousness +superfluousness's +Superfund +Superfund's +Superglue +superglue +Superglue's +supergrass +supergrasses +superhero +superheroes +superhero's +superheros +superhighway +superhighway's +superhighways +superhuman +superimpose +superimposed +superimposes +superimposing +superimposition +superimposition's +superintend +superintended +superintendence +superintendence's +superintendency +superintendency's +superintendent +superintendent's +superintendents +superintending +superintends +Superior +superior +superiority +superiority's +Superior's +superior's +superiors +superlative +superlatively +superlative's +superlatives +Superman +superman +Superman's +superman's +supermarket +supermarket's +supermarkets +supermassive +supermen +supermodel +supermodel's +supermodels +supermom +supermom's +supermoms +supernal +supernatural +supernaturally +supernaturals +supernova +supernovae +supernova's +supernovas +supernumeraries +supernumerary +supernumerary's +superpose +superposed +superposes +superposing +superposition +superposition's +superpower +superpower's +superpowers +super's +supers +supersaturate +supersaturated +supersaturates +supersaturating +supersaturation +supersaturation's +superscribe +superscribed +superscribes +superscribing +superscript +superscription +superscription's +superscript's +superscripts +supersede +superseded +supersedes +superseding +supersize +supersized +supersizes +supersizing +supersonic +superstar +superstar's +superstars +superstate +superstates +superstition +superstition's +superstitions +superstitious +superstitiously +superstore +superstore's +superstores +superstructure +superstructure's +superstructures +supertanker +supertanker's +supertankers +superuser +superusers +supervene +supervened +supervenes +supervening +supervention +supervention's +supervise +supervised +supervises +supervising +supervision +supervision's +supervisions +supervisor +supervisor's +supervisors +supervisory +superwoman +superwoman's +superwomen +supine +supinely +supp +supped +supper +supper's +suppers +suppertime +supping +suppl +supplant +supplanted +supplanting +supplants +supple +supplement +supplemental +supplementary +supplementation +supplementation's +supplemented +supplementing +supplement's +supplements +suppleness +suppleness's +suppler +supplest +suppliant +suppliant's +suppliants +supplicant +supplicant's +supplicants +supplicate +supplicated +supplicates +supplicating +supplication +supplication's +supplications +supplied +supplier +supplier's +suppliers +supplies +supply +supplying +supply's +support +supportable +supported +supporter +supporter's +supporters +supporting +supportive +support's +supports +suppose +supposed +supposedly +supposes +supposing +supposition +supposition's +suppositions +suppositories +suppository +suppository's +suppress +suppressant +suppressant's +suppressants +suppressed +suppresses +suppressible +suppressing +suppression +suppression's +suppressive +suppressor +suppressor's +suppressors +suppurate +suppurated +suppurates +suppurating +suppuration +suppuration's +supra +supranational +supremacist +supremacist's +supremacists +supremacy +supremacy's +supreme +supremely +supremo +supremos +sup's +sups +Supt +supt +Surabaya +Surabaya's +Surat +Surat's +surcease +surceased +surcease's +surceases +surceasing +surcharge +surcharged +surcharge's +surcharges +surcharging +surcingle +surcingle's +surcingles +sure +surefire +surefooted +surely +sureness +sureness's +surer +surest +sureties +surety +surety's +surf +surface +surfaced +surface's +surfaces +surfacing +surfboard +surfboarded +surfboarding +surfboard's +surfboards +surfed +surfeit +surfeited +surfeiting +surfeit's +surfeits +surfer +surfer's +surfers +surfing +surfing's +surf's +surfs +surge +surged +surgeon +surgeon's +surgeons +surgeries +surgery +surgery's +surge's +surges +surgical +surgically +surging +Suriname +Suriname's +Surinamese +surlier +surliest +surliness +surliness's +surly +surmise +surmised +surmise's +surmises +surmising +surmount +surmountable +surmounted +surmounting +surmounts +surname +surname's +surnames +surpass +surpassed +surpasses +surpassing +surplice +surplice's +surplices +surplus +surpluses +surplus's +surplussed +surplussing +surprise +surprised +surprise's +surprises +surprising +surprisingly +surprisings +surreal +surrealism +surrealism's +surrealist +surrealistic +surrealistically +surrealist's +surrealists +surrender +surrendered +surrendering +surrender's +surrenders +surreptitious +surreptitiously +surreptitiousness +surreptitiousness's +surrey +surrey's +surreys +surrogacy +surrogacy's +surrogate +surrogate's +surrogates +surround +surrounded +surrounding +surrounding's +surroundings +surroundings's +surrounds +surtax +surtaxed +surtaxes +surtaxing +surtax's +surtitle +surtitles +surveillance +surveillance's +survey +surveyed +surveying +surveying's +surveyor +surveyor's +surveyors +survey's +surveys +survivable +survival +survivalist +survivalist's +survivalists +survival's +survivals +survive +survived +survives +surviving +survivor +survivor's +survivors +Surya +Surya's +Susan +Susana +Susana's +Susanna +Susanna's +Susanne +Susanne's +Susan's +susceptibilities +susceptibility +susceptibility's +susceptible +SUSE +SUSE's +sushi +sushi's +Susie +Susie's +suspect +suspected +suspecting +suspect's +suspects +suspend +suspended +suspender +suspender's +suspenders +suspending +suspends +suspense +suspenseful +suspense's +suspension +suspension's +suspensions +suspicion +suspicion's +suspicions +suspicious +suspiciously +Susquehanna +Susquehanna's +suss +sussed +susses +Sussex +Sussex's +sussing +sustain +sustainability +sustainable +sustained +sustaining +sustains +sustenance +sustenance's +Sutherland +Sutherland's +sutler +sutler's +sutlers +suttee +Sutton +Sutton's +suture +sutured +suture's +sutures +suturing +SUV +Suva +Suva's +Suwanee +Suwanee's +Suzanne +Suzanne's +suzerain +suzerain's +suzerains +suzerainty +suzerainty's +Suzette +Suzette's +Suzhou +Suzhou's +Suzuki +Suzuki's +Suzy +Suzy's +Svalbard +Svalbard's +svelte +svelter +sveltest +Sven +Svengali +Svengali's +Sven's +Sverdlovsk +SVN +SVN's +Sèvres +Sèvres's +SW +swab +swabbed +swabbing +swab's +swabs +swaddle +swaddled +swaddles +swaddling +swag +swagged +swagger +swaggered +swaggerer +swaggering +swagger's +swaggers +swagging +swag's +swags +Swahili +Swahili's +Swahilis +swain +swain's +swains +SWAK +swallow +swallowed +swallowing +swallow's +swallows +swallowtail +swallowtail's +swallowtails +swam +swami +swami's +swamis +Swammerdam +Swammerdam's +swamp +swamped +swampier +swampiest +swamping +swampland +swampland's +swamp's +swamps +swampy +swan +Swanee +Swanee's +swank +swanked +swanker +swankest +swankier +swankiest +swankily +swankiness +swankiness's +swanking +swank's +swanks +swanky +swanned +swanning +swan's +swans +Swansea +Swansea's +Swanson +swansong +swansongs +Swanson's +swap +swapped +swapping +swap's +swaps +sward +sward's +swards +swarm +swarmed +swarming +swarm's +swarms +swarthier +swarthiest +swarthy +swash +swashbuckler +swashbuckler's +swashbucklers +swashbuckling +swashbuckling's +swashed +swashes +swashing +swash's +swastika +swastika's +swastikas +SWAT +swat +swatch +swatches +swatch's +swath +swathe +swathed +swathe's +swathes +swathing +swath's +swaths +swat's +swats +swatted +swatter +swattered +swattering +swatter's +swatters +swatting +sway +swayback +swaybacked +swayback's +swayed +swaying +sway's +sways +Swazi +Swaziland +Swaziland's +Swazi's +Swazis +swear +swearer +swearer's +swearers +swearing +swears +swearword +swearword's +swearwords +sweat +sweatband +sweatband's +sweatbands +sweated +sweater +sweater's +sweaters +sweatier +sweatiest +sweating +sweatpants +sweatpants's +sweat's +sweats +sweatshirt +sweatshirt's +sweatshirts +sweatshop +sweatshop's +sweatshops +sweats's +sweatsuit +sweatsuits +sweaty +Swed +Swede +swede +Sweden +Swedenborg +Swedenborg's +Sweden's +Swede's +Swedes +swede's +swedes +Swedish +Swedish's +Sweeney +Sweeney's +sweep +sweeper +sweeper's +sweepers +sweeping +sweepingly +sweeping's +sweepings +sweepings's +sweep's +sweeps +sweepstakes +sweepstakes's +Sweet +sweet +sweetbread +sweetbread's +sweetbreads +sweetbrier +sweetbrier's +sweetbriers +sweetcorn +sweeten +sweetened +sweetener +sweetener's +sweeteners +sweetening +sweetening's +sweetens +sweeter +sweetest +sweetheart +sweetheart's +sweethearts +sweetie +sweetie's +sweeties +sweetish +sweetly +sweetmeat +sweetmeat's +sweetmeats +sweetness +sweetness's +Sweet's +sweet's +sweets +swell +swelled +sweller +swellest +swellhead +swellheaded +swellhead's +swellheads +swelling +swelling's +swellings +swell's +swells +swelter +sweltered +sweltering +swelter's +swelters +swept +sweptback +swerve +swerved +swerve's +swerves +swerving +Swift +swift +swifter +swiftest +swiftly +swiftness +swiftness's +Swift's +swift's +swifts +swig +swigged +swigging +swig's +swigs +swill +swilled +swilling +swill's +swills +swim +swimmer +swimmer's +swimmers +swimming +swimmingly +swimming's +swim's +swims +swimsuit +swimsuit's +swimsuits +swimwear +Swinburne +Swinburne's +swindle +swindled +swindler +swindler's +swindlers +swindle's +swindles +swindling +swine +swineherd +swineherd's +swineherds +swine's +swines +swing +swingeing +swinger +swinger's +swingers +swinging +swing's +swings +swinish +swipe +swiped +swipe's +swipes +swiping +swirl +swirled +swirling +swirl's +swirls +swirly +swish +swished +swisher +swishes +swishest +swishing +swish's +Swiss +Swissair +Swissair's +Swisses +Swiss's +switch +switchable +switchback +switchback's +switchbacks +switchblade +switchblade's +switchblades +switchboard +switchboard's +switchboards +switched +switcher +switcher's +switchers +switches +switching +switch's +Switz +Switzerland +Switzerland's +swivel +swiveled +swiveling +swivel's +swivels +swiz +swizz +swizzle +swizzled +swizzles +swizzling +swollen +swoon +swooned +swooning +swoon's +swoons +swoop +swooped +swooping +swoop's +swoops +swoosh +swooshed +swooshes +swooshing +swoosh's +sword +swordfish +swordfishes +swordfish's +swordplay +swordplay's +sword's +swords +swordsman +swordsman's +swordsmanship +swordsmanship's +swordsmen +swore +sworn +swot +swots +swotted +swotting +SW's +swum +swung +sybarite +sybarite's +sybarites +sybaritic +Sybil +Sybil's +sycamore +sycamore's +sycamores +sycophancy +sycophancy's +sycophant +sycophantic +sycophant's +sycophants +Sydney +Sydney's +Sykes +Sykes's +syllabic +syllabicate +syllabicated +syllabicates +syllabicating +syllabication +syllabication's +syllabification +syllabification's +syllabified +syllabifies +syllabify +syllabifying +syllable +syllable's +syllables +syllabub +syllabubs +syllabus +syllabuses +syllabus's +syllogism +syllogism's +syllogisms +syllogistic +sylph +sylphic +sylphlike +sylph's +sylphs +sylvan +Sylvester +Sylvester's +Sylvia +Sylvia's +Sylvie +Sylvie's +symbioses +symbiosis +symbiosis's +symbiotic +symbiotically +symbol +symbolic +symbolical +symbolically +symbolism +symbolism's +symbolization +symbolization's +symbolize +symbolized +symbolizes +symbolizing +symbol's +symbols +symmetric +symmetrical +symmetrically +symmetries +symmetry +symmetry's +sympathetic +sympathetically +sympathies +sympathies's +sympathize +sympathized +sympathizer +sympathizer's +sympathizers +sympathizes +sympathizing +sympathy +sympathy's +symphonic +symphonies +symphony +symphony's +symposium +symposium's +symposiums +symptom +symptomatic +symptomatically +symptom's +symptoms +syn +synagogal +synagogue +synagogue's +synagogues +synapse +synapse's +synapses +synaptic +sync +synced +synchronicity +synchronization +synchronization's +synchronizations +synchronize +synchronized +synchronizes +synchronizing +synchronous +synchronously +syncing +syncopate +syncopated +syncopates +syncopating +syncopation +syncopation's +syncope +syncope's +sync's +syncs +syndicalism +syndicalist +syndicalists +syndicate +syndicated +syndicate's +syndicates +syndicating +syndication +syndication's +syndrome +syndrome's +syndromes +synergies +synergism +synergism's +synergistic +synergy +synergy's +synfuel +synfuel's +synfuels +Synge +Synge's +synod +synod's +synods +synonym +synonymous +synonym's +synonyms +synonymy +synonymy's +synopses +synopsis +synopsis's +synoptic +synovial +syntactic +syntactical +syntactically +syntax +syntax's +synth +syntheses +synthesis +synthesis's +synthesize +synthesized +synthesizer +synthesizer's +synthesizers +synthesizes +synthesizing +synthetic +synthetically +synthetic's +synthetics +synths +syphilis +syphilis's +syphilitic +syphilitic's +syphilitics +Syracuse +Syracuse's +Syria +Syriac +Syriac's +Syrian +Syrian's +Syrians +Syria's +syringe +syringed +syringe's +syringes +syringing +syrup +syrup's +syrups +syrupy +sysadmin +sysadmins +sysop +sysops +system +systematic +systematical +systematically +systematization +systematization's +systematize +systematized +systematizes +systematizing +systemic +systemically +systemic's +systemics +system's +systems +systole +systole's +systoles +systolic +Szilard +Szilard's +Szymborska +Szymborska's +T +t +TA +Ta +ta +tab +Tabasco +Tabasco's +Tabascos +Tabatha +Tabatha's +tabbed +tabbies +tabbing +tabbouleh +tabbouleh's +tabby +tabby's +Tabernacle +tabernacle +Tabernacle's +Tabernacles +tabernacle's +tabernacles +Tabitha +Tabitha's +tabla +tabla's +tablas +table +tableau +tableau's +tableaux +tablecloth +tablecloth's +tablecloths +tabled +tableland +tableland's +tablelands +table's +tables +tablespoon +tablespoonful +tablespoonful's +tablespoonfuls +tablespoon's +tablespoons +tablet +tabletop +tabletop's +tabletops +tablet's +tablets +tableware +tableware's +tabling +tabloid +tabloid's +tabloids +taboo +tabooed +tabooing +taboo's +taboos +tabor +tabor's +tabors +Tabriz +Tabrizes +Tabriz's +tab's +tabs +tabular +tabulate +tabulated +tabulates +tabulating +tabulation +tabulation's +tabulations +tabulator +tabulator's +tabulators +tachograph +tachographs +tachometer +tachometer's +tachometers +tachycardia +tachycardia's +tachyon +tacit +tacitly +tacitness +tacitness's +taciturn +taciturnity +taciturnity's +taciturnly +Tacitus +Tacitus's +tack +tacked +tacker +tacker's +tackers +tackier +tackiest +tackiness +tackiness's +tacking +tackle +tackled +tackler +tackler's +tacklers +tackle's +tackles +tackling +tack's +tacks +tacky +taco +Tacoma +Tacoma's +taco's +tacos +tact +tactful +tactfully +tactfulness +tactfulness's +tactic +tactical +tactically +tactician +tactician's +tacticians +tactic's +tactics +tactile +tactility +tactility's +tactless +tactlessly +tactlessness +tactlessness's +tact's +Tad +tad +tadpole +tadpole's +tadpoles +Tad's +tad's +tads +Tadzhik +Tadzhik's +Taegu +Taegu's +Taejon +Taejon's +taffeta +taffeta's +taffies +taffrail +taffrail's +taffrails +taffy +taffy's +Taft +Taft's +tag +Tagalog +Tagalog's +Tagalogs +tagged +tagger +tagger's +taggers +tagging +tagliatelle +tagline +tagline's +taglines +Tagore +Tagore's +tag's +tags +Tagus +Tagus's +Tahiti +Tahitian +Tahitian's +Tahitians +Tahiti's +Tahoe +Tahoe's +Taichung +Taichung's +taiga +taiga's +taigas +tail +tailback +tailback's +tailbacks +tailboard +tailboards +tailbone +tailbones +tailcoat +tailcoat's +tailcoats +tailed +tailgate +tailgated +tailgater +tailgater's +tailgaters +tailgate's +tailgates +tailgating +tailing +tailless +taillight +taillight's +taillights +tailor +tailored +tailoring +tailoring's +tailor's +tailors +tailpiece +tailpieces +tailpipe +tailpipe's +tailpipes +tail's +tails +tailspin +tailspin's +tailspins +tailwind +tailwind's +tailwinds +Tainan +Taine +Taine's +taint +tainted +tainting +taint's +taints +Taipei +Taipei's +Taiping +Taiping's +Taiwan +Taiwanese +Taiwanese's +Taiwan's +Taiyuan +Taiyuan's +Tajikistan +Tajikistan's +take +takeaway +takeaways +taken +takeoff +takeoff's +takeoffs +takeout +takeout's +takeouts +takeover +takeover's +takeovers +taker +taker's +takers +take's +takes +taking +taking's +takings +takings's +Taklamakan +Taklamakan's +Talbot +Talbot's +talc +talc's +talcum +talcum's +tale +talebearer +talebearer's +talebearers +talent +talented +talent's +talents +tale's +tales +tali +Taliban +Taliban's +Taliesin +Taliesin's +talisman +talisman's +talismans +talk +talkative +talkatively +talkativeness +talkativeness's +talked +talker +talker's +talkers +talkie +talkier +talkie's +talkies +talkiest +talking +talk's +talks +talky +tall +Tallahassee +Tallahassee's +tallboy +tallboy's +tallboys +Tallchief +Tallchief's +taller +tallest +Talley +Talleyrand +Talleyrand's +Talley's +tallied +tallier +tallier's +talliers +tallies +Tallinn +Tallinn's +tallish +tallness +tallness's +tallow +tallow's +tallowy +tally +tallyho +tallyhoed +tallyhoing +tallyho's +tallyhos +tallying +tally's +Talmud +Talmudic +Talmudist +Talmud's +Talmuds +talon +talon's +talons +talus +taluses +talus's +tam +tamable +tamale +tamale's +tamales +Tamara +tamarack +tamarack's +tamaracks +Tamara's +tamarind +tamarind's +tamarinds +tambourine +tambourine's +tambourines +tame +tamed +Tameka +Tameka's +tamely +tameness +tameness's +tamer +Tamera +Tamera's +Tamerlane +Tamerlane's +tamer's +tamers +tames +tamest +Tami +Tamika +Tamika's +Tamil +Tamil's +Tamils +taming +Tami's +Tammany +Tammany's +Tammi +Tammie +Tammie's +Tammi's +Tammuz +Tammuz's +Tammy +Tammy's +tamoxifen +tamp +Tampa +Tampa's +Tampax +Tampax's +tamped +tamper +tampered +tamperer +tamperer's +tamperers +tampering +tampers +tamping +tampon +tampon's +tampons +tamps +Tamra +Tamra's +tam's +tams +Tamworth +Tamworth's +tan +tanager +tanager's +tanagers +tanbark +tanbark's +Tancred +Tancred's +tandem +tandem's +tandems +tandoori +tandoori's +Taney +Taney's +T'ang +tang +Tanganyika +Tanganyika's +tangelo +tangelo's +tangelos +tangent +tangential +tangentially +tangent's +tangents +tangerine +tangerine's +tangerines +tangibility +tangibility's +tangible +tangibleness +tangibleness's +tangible's +tangibles +tangibly +Tangier +tangier +Tangier's +Tangiers +tangiest +tangle +tangled +tangle's +tangles +tangling +tango +tangoed +tangoing +tango's +tangos +T'ang's +tang's +tangs +Tangshan +Tangshan's +tangy +Tania +Tania's +Tanisha +Tanisha's +tank +tankard +tankard's +tankards +tanked +tanker +tanker's +tankers +tankful +tankful's +tankfuls +tanking +tank's +tanks +tanned +Tanner +tanner +tanneries +Tanner's +tanner's +tanners +tannery +tannery's +tannest +Tannhauser +Tannhauser's +Tannhäuser +Tannhäuser's +tannin +tanning +tanning's +tannin's +tan's +tans +tansy +tansy's +tantalization +tantalization's +tantalize +tantalized +tantalizer +tantalizer's +tantalizers +tantalizes +tantalizing +tantalizingly +tantalum +tantalum's +Tantalus +Tantalus's +tantamount +tantra +tantra's +tantrum +tantrum's +tantrums +Tanya +Tanya's +Tanzania +Tanzanian +Tanzanian's +Tanzanians +Tanzania's +Tao +Taoism +Taoism's +Taoisms +Taoist +Taoist's +Taoists +Tao's +tap +tapas +tape +taped +tapeline +tapeline's +tapelines +taper +tapered +tapering +taper's +tapers +tape's +tapes +tapestries +tapestry +tapestry's +tapeworm +tapeworm's +tapeworms +taping +tapioca +tapioca's +tapir +tapir's +tapirs +tapped +tapper +tapper's +tappers +tappet +tappet's +tappets +tapping +taproom +taproom's +taprooms +taproot +taproot's +taproots +tap's +taps +tar +Tara +taramasalata +tarantella +tarantella's +tarantellas +Tarantino +Tarantino's +tarantula +tarantula's +tarantulas +Tara's +Tarawa +Tarawa's +Tarazed +Tarazed's +tarball +tarballs +Tarbell +Tarbell's +tardier +tardiest +tardily +tardiness +tardiness's +tardy +tare +tared +tare's +tares +Target +target +targeted +targeting +Target's +target's +targets +tariff +tariff's +tariffs +Tarim +Tarim's +taring +Tarkenton +Tarkenton's +Tarkington +Tarkington's +tarmac +tarmacadam +tarmacked +tarmacking +tarmac's +tarmacs +tarn +tarnish +tarnished +tarnishes +tarnishing +tarnish's +tarn's +tarns +taro +taro's +taros +tarot +tarot's +tarots +TARP +tarp +tarpaulin +tarpaulin's +tarpaulins +tarpon +tarpon's +tarpons +tarp's +tarps +tarragon +tarragon's +tarragons +tarred +tarried +tarrier +tarries +tarriest +tarring +tarry +tarrying +tar's +tars +tarsal +tarsal's +tarsals +tarsi +tarsus +tarsus's +tart +tartan +tartan's +tartans +tartar +tartaric +tartar's +tartars +Tartary +Tartary's +tarted +tarter +tartest +tartiest +tarting +tartly +tartness +tartness's +tart's +tarts +Tartuffe +Tartuffe's +tarty +Tarzan +Tarzan's +Ta's +taser +tasered +tasering +taser's +tasers +Tasha +Tasha's +Tashkent +Tashkent's +task +taskbar +tasked +tasking +taskmaster +taskmaster's +taskmasters +taskmistress +taskmistresses +taskmistress's +task's +tasks +Tasman +Tasmania +Tasmanian +Tasmanian's +Tasmania's +Tasman's +Tass +tassel +tasseled +tasseling +tassel's +tassels +Tass's +taste +tasted +tasteful +tastefully +tastefulness +tastefulness's +tasteless +tastelessly +tastelessness +tastelessness's +taster +taster's +tasters +taste's +tastes +tastier +tastiest +tastily +tastiness +tastiness's +tasting +tasting's +tastings +tasty +tat +tatami +tatami's +tatamis +Tatar +Tatar's +Tatars +Tate +tater +tater's +taters +Tate's +tats +tatted +tatter +tatterdemalion +tatterdemalion's +tatterdemalions +tattered +tattering +tatter's +tatters +tattie +tattier +tatties +tattiest +tatting +tatting's +tattle +tattled +tattler +tattler's +tattlers +tattle's +tattles +tattletale +tattletale's +tattletales +tattling +tattoo +tattooed +tattooer +tattooer's +tattooers +tattooing +tattooist +tattooist's +tattooists +tattoo's +tattoos +tatty +Tatum +Tatum's +tau +taught +taunt +taunted +taunter +taunter's +taunters +taunting +tauntingly +taunt's +taunts +taupe +taupe's +Taurus +Tauruses +Taurus's +tau's +taus +taut +tauten +tautened +tautening +tautens +tauter +tautest +tautly +tautness +tautness's +tautological +tautologically +tautologies +tautologous +tautology +tautology's +tavern +tavern's +taverns +tawdrier +tawdriest +tawdrily +tawdriness +tawdriness's +tawdry +Tawney +Tawney's +tawnier +tawniest +tawny +tawny's +tax +taxa +taxable +taxation +taxation's +taxed +taxer +taxer's +taxers +taxes +taxi +taxicab +taxicab's +taxicabs +taxidermist +taxidermist's +taxidermists +taxidermy +taxidermy's +taxied +taxiing +taximeter +taximeter's +taximeters +taxing +taxi's +taxis +taxiway +taxiways +taxman +taxmen +taxon +taxonomic +taxonomies +taxonomist +taxonomist's +taxonomists +taxonomy +taxonomy's +taxpayer +taxpayer's +taxpayers +taxpaying +tax's +Taylor +Taylor's +TB +Tb +tb +TBA +Tbilisi +Tbilisi's +TB's +Tb's +tbs +tbsp +Tc +Tchaikovsky +Tchaikovsky's +Tc's +TD +TDD +Te +tea +teabag +teabags +teacake +teacake's +teacakes +teach +teachable +teacher +teacher's +teachers +teaches +teaching +teaching's +teachings +teacup +teacupful +teacupful's +teacupfuls +teacup's +teacups +teak +teakettle +teakettle's +teakettles +teak's +teaks +teal +tealight +tealight's +tealights +teal's +teals +team +teamed +teaming +teammate +teammate's +teammates +team's +teams +teamster +teamster's +teamsters +teamwork +teamwork's +teapot +teapot's +teapots +tear +tearaway +tearaways +teardrop +teardrop's +teardrops +teared +tearful +tearfully +teargas +teargases +teargas's +teargassed +teargassing +tearier +teariest +tearing +tearjerker +tearjerker's +tearjerkers +tearoom +tearoom's +tearooms +tear's +tears +teary +tea's +teas +Teasdale +Teasdale's +tease +teased +teasel +teasel's +teasels +teaser +teaser's +teasers +tease's +teases +teasing +teasingly +teaspoon +teaspoonful +teaspoonful's +teaspoonfuls +teaspoon's +teaspoons +teat +teatime +teatimes +teat's +teats +tech +techie +techies +technetium +technetium's +technical +technicalities +technicality +technicality's +technically +technician +technician's +technicians +Technicolor +technicolor +Technicolor's +technique +technique's +techniques +techno +technobabble +technocracies +technocracy +technocracy's +technocrat +technocratic +technocrat's +technocrats +technological +technologically +technologies +technologist +technologist's +technologists +technology +technology's +technophobe +technophobes +tech's +techs +tectonic +tectonics +tectonics's +Tecumseh +Tecumseh's +Ted +ted +teddies +Teddy +teddy +Teddy's +tedious +tediously +tediousness +tediousness's +tedium +tedium's +Ted's +teds +tee +teed +teeing +teem +teemed +teeming +teems +teen +teenage +teenager +teenager's +teenagers +teenier +teeniest +teen's +teens +teeny +teenybopper +teenybopper's +teenyboppers +tee's +tees +teeter +teetered +teetering +teeter's +teeters +teeth +teethe +teethed +teethes +teething +teething's +teetotal +teetotaler +teetotaler's +teetotalers +teetotalism +teetotalism's +TEFL +Teflon +Teflon's +Teflons +Tegucigalpa +Tegucigalpa's +Tehran +tektite +tektite's +tektites +tel +telecast +telecaster +telecaster's +telecasters +telecasting +telecast's +telecasts +telecommunication +telecommunication's +telecommunications +telecommunications's +telecommute +telecommuted +telecommuter +telecommuter's +telecommuters +telecommutes +telecommuting +telecommuting's +teleconference +teleconferenced +teleconference's +teleconferences +teleconferencing +teleconferencing's +telegenic +telegram +telegram's +telegrams +telegraph +telegraphed +telegrapher +telegrapher's +telegraphers +telegraphese +telegraphic +telegraphically +telegraphing +telegraphist +telegraphist's +telegraphists +telegraph's +telegraphs +telegraphy +telegraphy's +telekinesis +telekinesis's +telekinetic +Telemachus +Telemachus's +Telemann +Telemann's +telemarketer +telemarketer's +telemarketers +telemarketing +telemarketing's +telemeter +telemeter's +telemeters +telemetries +telemetry +telemetry's +teleological +teleology +telepathic +telepathically +telepathy +telepathy's +telephone +telephoned +telephoner +telephoner's +telephoners +telephone's +telephones +telephonic +telephoning +telephonist +telephonists +telephony +telephony's +telephoto +telephotography +telephotography's +telephoto's +telephotos +teleplay +teleplay's +teleplays +teleport +teleportation +teleprinter +teleprinter's +teleprinters +teleprocessing +teleprocessing's +TelePrompTer +TelePrompter +teleprompter +TelePrompter's +teleprompter's +teleprompters +telesales +telescope +telescoped +telescope's +telescopes +telescopic +telescopically +telescoping +teletext +teletext's +teletexts +telethon +telethon's +telethons +Teletype +teletype +teletypes +teletypewriter +teletypewriter's +teletypewriters +televangelism +televangelism's +televangelist +televangelist's +televangelists +televise +televised +televises +televising +television +television's +televisions +teleworker +teleworkers +teleworking +telex +telexed +telexes +telexing +telex's +Tell +tell +Teller +teller +Teller's +teller's +tellers +tellies +telling +tellingly +Tell's +tells +telltale +telltale's +telltales +tellurium +tellurium's +telly +telly's +TELNET +telnet +TELNETs +TELNETTed +TELNETTing +Telugu +Telugu's +temblor +temblor's +temblors +temerity +temerity's +temp +Tempe +temped +temper +tempera +temperament +temperamental +temperamentally +temperament's +temperaments +temperance +temperance's +tempera's +temperas +temperate +temperately +temperateness +temperateness's +temperature +temperature's +temperatures +tempered +tempering +temper's +tempers +tempest +tempest's +tempests +tempestuous +tempestuously +tempestuousness +tempestuousness's +temping +Templar +Templar's +template +template's +templates +temple +temple's +temples +tempo +temporal +temporally +temporaries +temporarily +temporariness +temporariness's +temporary +temporary's +temporize +temporized +temporizer +temporizer's +temporizers +temporizes +temporizing +tempo's +tempos +temp's +temps +tempt +temptation +temptation's +temptations +tempted +tempter +tempter's +tempters +tempting +temptingly +temptress +temptresses +temptress's +tempts +tempura +tempura's +ten +tenability +tenability's +tenable +tenably +tenacious +tenaciously +tenaciousness +tenaciousness's +tenacity +tenacity's +tenancies +tenancy +tenancy's +tenant +tenanted +tenanting +tenantry +tenantry's +tenant's +tenants +tench +tend +tended +tendencies +tendency +tendency's +tendentious +tendentiously +tendentiousness +tendentiousness's +tender +tendered +tenderer +tenderest +tenderfoot +tenderfoot's +tenderfoots +tenderhearted +tenderheartedness +tenderheartedness's +tendering +tenderize +tenderized +tenderizer +tenderizer's +tenderizers +tenderizes +tenderizing +tenderloin +tenderloin's +tenderloins +tenderly +tenderness +tenderness's +tender's +tenders +tending +tendinitis +tendinitis's +tendon +tendon's +tendons +tendril +tendril's +tendrils +tends +tenement +tenement's +tenements +tenet +tenet's +tenets +tenfold +Tenn +tenner +tenners +Tennessean +Tennessean's +Tennesseans +Tennessee +Tennessee's +tennis +tennis's +Tenn's +Tennyson +Tennyson's +Tenochtitlan +Tenochtitlan's +tenon +tenoned +tenoning +tenon's +tenons +tenor +tenor's +tenors +tenpin +tenpin's +tenpins +tenpins's +ten's +tens +tense +tensed +tensely +tenseness +tenseness's +tenser +tense's +tenses +tensest +tensile +tensing +tension +tension's +tensions +tensity +tensity's +tensor +tensors +tent +tentacle +tentacled +tentacle's +tentacles +tentative +tentatively +tentativeness +tentativeness's +tented +tenterhook +tenterhook's +tenterhooks +tenth +tenthly +tenth's +tenths +tenting +tent's +tents +tenuity +tenuity's +tenuous +tenuously +tenuousness +tenuousness's +tenure +tenured +tenure's +tenures +tenuring +Teotihuacan +Teotihuacan's +tepee +tepee's +tepees +tepid +tepidity +tepidity's +tepidly +tepidness +tepidness's +tequila +tequila's +tequilas +terabit +terabit's +terabits +terabyte +terabyte's +terabytes +terahertz +terahertz's +terapixel +terapixel's +terapixels +terbium +terbium's +tercentenaries +tercentenary +tercentenary's +tercentennial +tercentennial's +tercentennials +Terence +Terence's +Teresa +Teresa's +Tereshkova +Tereshkova's +Teri +Teri's +teriyaki +Terkel +Terkel's +term +termagant +termagant's +termagants +termed +terminable +terminal +terminally +terminal's +terminals +terminate +terminated +terminates +terminating +termination +termination's +terminations +terminator +terminators +terming +termini +terminological +terminologically +terminologies +terminology +terminology's +terminus +terminus's +termite +termite's +termites +termly +term's +terms +tern +ternaries +ternary +ternary's +tern's +terns +Terpsichore +Terpsichore's +Terr +terr +Terra +terrace +terraced +terrace's +terraces +terracing +terracotta +terracotta's +terrain +terrain's +terrains +Terran +Terrance +Terrance's +Terran's +terrapin +terrapin's +terrapins +terrarium +terrarium's +terrariums +Terra's +terrazzo +terrazzo's +terrazzos +Terrell +Terrell's +Terrence +Terrence's +terrestrial +terrestrially +terrestrial's +terrestrials +Terri +terrible +terribleness +terribleness's +terribly +Terrie +terrier +terrier's +terriers +Terrie's +terrific +terrifically +terrified +terrifies +terrify +terrifying +terrifyingly +terrine +terrines +Terri's +territorial +territoriality +territorial's +territorials +territories +territory +territory's +terror +terrorism +terrorism's +terrorist +terrorist's +terrorists +terrorize +terrorized +terrorizes +terrorizing +terror's +terrors +Terr's +Terry +terry +terrycloth +terrycloth's +Terry's +terry's +terse +tersely +terseness +terseness's +terser +tersest +Tertiary +tertiary +Tertiary's +Te's +TESL +Tesla +Tesla's +TESOL +Tess +Tessa +Tessa's +tessellate +tessellated +tessellates +tessellating +tessellation +tessellation's +tessellations +Tessie +Tessie's +Tess's +test +testable +testament +testamentary +testament's +testaments +testate +testates +testator +testator's +testators +testatrices +testatrix +testatrix's +tested +tester +tester's +testers +testes +testicle +testicle's +testicles +testicular +testier +testiest +testified +testifier +testifier's +testifiers +testifies +testify +testifying +testily +testimonial +testimonial's +testimonials +testimonies +testimony +testimony's +testiness +testiness's +testing +testings +testis +testis's +testosterone +testosterone's +test's +tests +testy +Tet +tetanus +tetanus's +tetchier +tetchiest +tetchily +tetchiness +tetchy +tether +tethered +tethering +tether's +tethers +Tethys +Tethys's +Tetons +Tetons's +tetra +tetracycline +tetracycline's +tetrahedral +tetrahedron +tetrahedron's +tetrahedrons +tetrameter +tetrameter's +tetrameters +tetra's +tetras +Tet's +Teuton +Teutonic +Teutonic's +Teuton's +Teutons +Tevet +Tevet's +TeX +Tex +Texaco +Texaco's +Texan +Texan's +Texans +Texas +Texas's +TeXes +Tex's +text +textbook +textbook's +textbooks +texted +textile +textile's +textiles +texting +text's +texts +textual +textually +textural +texture +textured +texture's +textures +texturing +TGIF +Th +Thackeray +Thackeray's +Thad +Thaddeus +Thaddeus's +Thad's +Thai +Thailand +Thailand's +Thai's +Thais +thalami +thalamus +thalamus's +Thales +Thales's +Thalia +Thalia's +thalidomide +thalidomide's +thallium +thallium's +Thames +Thames's +than +thane +thane's +thanes +Thanh +Thanh's +thank +thanked +thankful +thankfully +thankfulness +thankfulness's +thanking +thankless +thanklessly +thanklessness +thanklessness's +thanks +Thanksgiving +thanksgiving +Thanksgiving's +Thanksgivings +thanksgiving's +thanksgivings +Thant +Thant's +Thar +Tharp +Tharp's +Thar's +that +thatch +thatched +Thatcher +thatcher +Thatcher's +thatcher's +thatchers +thatches +thatching +thatching's +thatch's +that'd +that'll +that's +thaw +thawed +thawing +thaw's +thaws +THC +the +Thea +Thea's +theater +theatergoer +theatergoer's +theatergoers +theater's +theaters +theatrical +theatricality +theatricality's +theatrically +theatricals +theatricals's +theatrics +theatrics's +Thebes +Thebes's +thee +thees +theft +theft's +thefts +Theiler +Theiler's +their +theirs +theism +theism's +theist +theistic +theist's +theists +Thelma +Thelma's +them +thematic +thematically +theme +themed +theme's +themes +Themistocles +Themistocles's +themselves +then +thence +thenceforth +thenceforward +then's +theocracies +theocracy +theocracy's +theocratic +Theocritus +Theocritus's +theodolite +theodolites +Theodora +Theodora's +Theodore +Theodore's +Theodoric +Theodoric's +Theodosius +Theodosius's +theologian +theologian's +theologians +theological +theologically +theologies +theology +theology's +theorem +theorem's +theorems +theoretic +theoretical +theoretically +theoretician +theoretician's +theoreticians +theories +theorist +theorist's +theorists +theorize +theorized +theorizes +theorizing +theory +theory's +theosophic +theosophical +theosophist +theosophist's +theosophists +Theosophy +theosophy +Theosophy's +theosophy's +therapeutic +therapeutically +therapeutics +therapeutics's +therapies +therapist +therapist's +therapists +therapy +therapy's +Theravada +Theravada's +there +thereabout +thereabouts +thereafter +thereat +thereby +therefor +therefore +therefrom +therein +theremin +theremin's +theremins +thereof +thereon +there's +Theresa +Theresa's +Therese +Therese's +thereto +theretofore +thereunder +thereunto +thereupon +therewith +therm +thermal +thermally +thermal's +thermals +thermionic +thermodynamic +thermodynamics +thermodynamics's +thermometer +thermometer's +thermometers +thermometric +thermonuclear +thermoplastic +thermoplastic's +thermoplastics +Thermopylae +Thermopylae's +Thermos +thermos +thermoses +thermos's +thermostat +thermostatic +thermostatically +thermostat's +thermostats +therm's +therms +Theron +Theron's +thesauri +thesaurus +thesauruses +thesaurus's +these +theses +Theseus +Theseus's +thesis +thesis's +Thespian +thespian +Thespian's +thespian's +thespians +Thespis +Thespis's +Thessalonian +Thessalonian's +Thessalonians +Thessaloniki +Thessaloniki's +Thessaloníki +Thessaloníki's +Thessaly +Thessaly's +theta +theta's +thetas +thew +thew's +thews +they +they'd +they'll +they're +they've +thiamine +thiamine's +thick +thicken +thickened +thickener +thickener's +thickeners +thickening +thickening's +thickenings +thickens +thicker +thickest +thicket +thicket's +thickets +thickheaded +thickheaded's +thickly +thickness +thicknesses +thickness's +thicko +thickos +thick's +thickset +thief +thief's +Thieu +Thieu's +thieve +thieved +thievery +thievery's +thieves +thieving +thieving's +thievish +thigh +thighbone +thighbone's +thighbones +thigh's +thighs +thimble +thimbleful +thimbleful's +thimblefuls +thimble's +thimbles +Thimbu +Thimbu's +Thimphu +thin +thine +thing +thingamabob +thingamabob's +thingamabobs +thingamajig +thingamajig's +thingamajigs +thingies +thing's +things +thingumabob +thingumabobs +thingummies +thingummy +thingy +think +thinkable +thinker +thinker's +thinkers +thinking +thinking's +thinks +thinly +thinned +thinner +thinner's +thinners +thinness +thinness's +thinnest +thinning +thins +third +thirdly +third's +thirds +thirst +thirsted +thirstier +thirstiest +thirstily +thirstiness +thirstiness's +thirsting +thirst's +thirsts +thirsty +thirteen +thirteen's +thirteens +thirteenth +thirteenth's +thirteenths +thirties +thirtieth +thirtieth's +thirtieths +thirty +thirty's +this +thistle +thistledown +thistledown's +thistle's +thistles +thither +tho +thole +thole's +tholes +Thomas +Thomas's +Thomism +Thomism's +Thomistic +Thomistic's +Thompson +Thompson's +Thomson +Thomson's +thong +thong's +thongs +Thor +thoracic +thorax +thoraxes +thorax's +Thorazine +Thorazine's +Thoreau +Thoreau's +thorium +thorium's +thorn +thornier +thorniest +thorniness +thorniness's +thorn's +thorns +Thornton +Thornton's +thorny +thorough +Thoroughbred +thoroughbred +Thoroughbred's +thoroughbred's +thoroughbreds +thorougher +thoroughest +thoroughfare +thoroughfare's +thoroughfares +thoroughgoing +thoroughly +thoroughness +thoroughness's +Thorpe +Thorpe's +Thor's +those +Thoth +Thoth's +thou +though +thought +thoughtful +thoughtfully +thoughtfulness +thoughtfulness's +thoughtless +thoughtlessly +thoughtlessness +thoughtlessness's +thought's +thoughts +thou's +thous +thousand +thousandfold +thousand's +thousands +thousandth +thousandth's +thousandths +Thrace +Thrace's +Thracian +Thracian's +thrall +thralldom +thralldom's +thralled +thralling +thrall's +thralls +thrash +thrashed +thrasher +thrasher's +thrashers +thrashes +thrashing +thrashing's +thrashings +thrash's +thread +threadbare +threaded +threader +threader's +threaders +threadier +threadiest +threading +threadlike +thread's +threads +thready +threat +threaten +threatened +threatening +threateningly +threatens +threat's +threats +three +threefold +threepence +threepence's +three's +threes +threescore +threescore's +threescores +threesome +threesome's +threesomes +threnodies +threnody +threnody's +thresh +threshed +thresher +thresher's +threshers +threshes +threshing +threshold +threshold's +thresholds +thresh's +threw +thrice +thrift +thriftier +thriftiest +thriftily +thriftiness +thriftiness's +thriftless +thrift's +thrifts +thrifty +thrill +thrilled +thriller +thriller's +thrillers +thrilling +thrillingly +thrill's +thrills +thrive +thrived +thrives +thriving +throat +throatier +throatiest +throatily +throatiness +throatiness's +throat's +throats +throaty +throb +throbbed +throbbing +throb's +throbs +throe +throe's +throes +thrombi +thrombolytic +thromboses +thrombosis +thrombosis's +thrombotic +thrombus +thrombus's +throne +throne's +thrones +throng +thronged +thronging +throng's +throngs +throttle +throttled +throttler +throttler's +throttlers +throttle's +throttles +throttling +through +throughout +throughput +throughput's +throw +throwaway +throwaway's +throwaways +throwback +throwback's +throwbacks +thrower +thrower's +throwers +throwing +thrown +throw's +throws +thru +thrum +thrummed +thrumming +thrum's +thrums +thrush +thrushes +thrush's +thrust +thrusting +thrust's +thrusts +thruway +thruway's +thruways +Th's +Thu +Thucydides +Thucydides's +thud +thudded +thudding +thud's +thuds +thug +thuggery +thuggery's +thuggish +thug's +thugs +Thule +Thule's +thulium +thulium's +thumb +thumbed +thumbing +thumbnail +thumbnail's +thumbnails +thumbprint +thumbprint's +thumbprints +thumb's +thumbs +thumbscrew +thumbscrew's +thumbscrews +thumbtack +thumbtack's +thumbtacks +thump +thumped +thumping +thumping's +thump's +thumps +thunder +Thunderbird +Thunderbird's +thunderbolt +thunderbolt's +thunderbolts +thunderclap +thunderclap's +thunderclaps +thundercloud +thundercloud's +thunderclouds +thundered +thunderer +thunderer's +thunderers +thunderhead +thunderhead's +thunderheads +thundering +thunderous +thunderously +thunder's +thunders +thundershower +thundershower's +thundershowers +thunderstorm +thunderstorm's +thunderstorms +thunderstruck +thundery +thunk +thunks +Thur +Thurber +Thurber's +Thurman +Thurman's +Thurmond +Thurmond's +Thurs +Thursday +Thursday's +Thursdays +thus +Thutmose +Thutmose's +thwack +thwacked +thwacker +thwacker's +thwackers +thwacking +thwack's +thwacks +thwart +thwarted +thwarting +thwart's +thwarts +thy +thyme +thyme's +thymine +thymine's +thymus +thymuses +thymus's +thyroid +thyroidal +thyroid's +thyroids +thyself +Ti +ti +Tia +Tianjin +Tianjin's +tiara +tiara's +tiaras +Tia's +Tiber +Tiberius +Tiberius's +Tiber's +Tibet +Tibetan +Tibetan's +Tibetans +Tibet's +tibia +tibiae +tibial +tibia's +tic +tick +ticked +ticker +ticker's +tickers +ticket +ticketed +ticketing +Ticketmaster +Ticketmaster's +ticket's +tickets +ticking +ticking's +tickle +tickled +tickler +tickler's +ticklers +tickle's +tickles +tickling +ticklish +ticklishly +ticklishness +ticklishness's +tick's +ticks +ticktacktoe +ticktacktoe's +ticktock +ticktock's +ticktocks +Ticonderoga +Ticonderoga's +tic's +tics +tidal +tidally +tidbit +tidbit's +tidbits +tiddler +tiddlers +tiddly +tiddlywink +tiddlywinks +tiddlywinks's +Tide +tide +tided +tideland +tideland's +tidelands +tidemark +tidemarks +Tide's +tide's +tides +tidewater +tidewater's +tidewaters +tideway +tideway's +tideways +tidied +tidier +tidies +tidiest +tidily +tidiness +tidiness's +tiding +tidings +tidings's +tidy +tidying +tidy's +tie +tieback +tieback's +tiebacks +tiebreak +tiebreaker +tiebreaker's +tiebreakers +tiebreaks +tied +Tienanmen +Tienanmen's +tiepin +tiepins +tier +tiered +tier's +tiers +tie's +ties +tiff +Tiffany +Tiffany's +tiffed +tiffing +tiff's +tiffs +tiger +tigerish +tiger's +tigers +tight +tighten +tightened +tightener +tightener's +tighteners +tightening +tightens +tighter +tightest +tightfisted +tightly +tightness +tightness's +tightrope +tightrope's +tightropes +tights +tights's +tightwad +tightwad's +tightwads +tigress +tigresses +tigress's +Tigris +Tigris's +Tijuana +Tijuana's +til +tilapia +tilde +tilde's +tildes +tile +tiled +tiler +tiler's +tilers +tile's +tiles +tiling +tiling's +till +tillable +tillage +tillage's +tilled +tiller +tiller's +tillers +Tillich +Tillich's +tilling +Tillman +Tillman's +till's +tills +Tilsit +Tilsit's +tilt +tilted +tilting +tilt's +tilts +Tim +timber +timbered +timbering +timberland +timberland's +timberline +timberline's +timberlines +timber's +timbers +timbre +timbrel +timbrel's +timbrels +timbre's +timbres +Timbuktu +Timbuktu's +time +timed +timekeeper +timekeeper's +timekeepers +timekeeping +timekeeping's +timeless +timelessly +timelessness +timelessness's +timelier +timeliest +timeline +timeline's +timelines +timeliness +timeliness's +timely +timeout +timeout's +timeouts +timepiece +timepiece's +timepieces +timer +timer's +timers +time's +times +timescale +timescales +timeserver +timeserver's +timeservers +timeserving +timeserving's +timeshare +timeshares +timestamp +timestamped +timestamp's +timestamps +timetable +timetabled +timetable's +timetables +timetabling +timeworn +Timex +Timex's +timezone +timid +timider +timidest +timidity +timidity's +timidly +timidness +timidness's +timing +timing's +timings +Timmy +Timmy's +Timon +Timon's +Timor +timorous +timorously +timorousness +timorousness's +Timor's +Timothy +timothy +Timothy's +timothy's +timpani +timpani's +timpanist +timpanist's +timpanists +Tim's +Timur +Timurid +Timurid's +Timur's +tin +Tina +Tina's +tincture +tinctured +tincture's +tinctures +tincturing +tinder +tinderbox +tinderboxes +tinderbox's +tinder's +tine +tine's +tines +tinfoil +tinfoil's +Ting +ting +tinge +tinged +tingeing +tinge's +tinges +tinging +tingle +tingled +tingle's +tingles +tingling +tingling's +tinglings +tingly +Ting's +ting's +tings +tinier +tiniest +tininess +tininess's +tinker +Tinkerbell +Tinkerbell's +tinkered +tinkerer +tinkerer's +tinkerers +tinkering +tinker's +tinkers +Tinkertoy +Tinkertoy's +tinkle +tinkled +tinkle's +tinkles +tinkling +tinned +tinnier +tinniest +tinniness +tinniness's +tinning +tinnitus +tinnitus's +tinny +tinplate +tinplate's +tinpot +tin's +tins +tinsel +tinseled +tinseling +tinsel's +tinsels +Tinseltown +Tinseltown's +tinsmith +tinsmith's +tinsmiths +tint +tinted +tinting +tintinnabulation +tintinnabulation's +tintinnabulations +Tintoretto +Tintoretto's +tint's +tints +tintype +tintype's +tintypes +tinware +tinware's +tiny +tip +Tippecanoe +Tippecanoe's +tipped +tipper +Tipperary +Tipperary's +tipper's +tippers +tippet +tippet's +tippets +tippex +tippexed +tippexes +tippexing +tipping +tipple +tippled +tippler +tippler's +tipplers +tipple's +tipples +tippling +tip's +tips +tipsier +tipsiest +tipsily +tipsiness +tipsiness's +tipster +tipster's +tipsters +tipsy +tiptoe +tiptoed +tiptoeing +tiptoe's +tiptoes +tiptop +tiptop's +tiptops +tirade +tirade's +tirades +tiramisu +tiramisu's +tiramisus +Tirane +tire +tired +tireder +tiredest +tiredly +tiredness +tiredness's +tireless +tirelessly +tirelessness +tirelessness's +tire's +tires +Tiresias +Tiresias's +tiresome +tiresomely +tiresomeness +tiresomeness's +tiring +Tirol +Tirolean +Tirol's +Ti's +ti's +Tisha +Tisha's +Tishri +Tishri's +tissue +tissue's +tissues +tit +Titan +titan +Titania +Titania's +Titanic +titanic +Titanic's +titanium +titanium's +Titan's +Titans +titan's +titans +titch +titches +titchy +tithe +tithed +tither +tither's +tithers +tithe's +tithes +tithing +Titian +titian +Titian's +titian's +Titicaca +Titicaca's +titillate +titillated +titillates +titillating +titillatingly +titillation +titillation's +titivate +titivated +titivates +titivating +titivation +titivation's +title +titled +titleholder +titleholder's +titleholders +title's +titles +titling +titlist +titlist's +titlists +titmice +titmouse +titmouse's +Tito +Tito's +tit's +tits +titter +tittered +tittering +titter's +titters +titties +tittle +tittle's +tittles +titty +titular +Titus +Titus's +tizz +tizzies +tizzy +tizzy's +TKO +TKO's +Tl +Tlaloc +Tlaloc's +TLC +TLC's +Tlingit +Tlingit's +Tl's +TM +Tm +Tm's +TN +tn +tnpk +TNT +TNT's +to +toad +toadied +toadies +toad's +toads +toadstool +toadstool's +toadstools +toady +toadying +toadyism +toadyism's +toady's +toast +toasted +toaster +toaster's +toasters +toastier +toasties +toastiest +toasting +toastmaster +toastmaster's +toastmasters +toastmistress +toastmistresses +toastmistress's +toast's +toasts +toasty +tobacco +tobacconist +tobacconist's +tobacconists +tobacco's +tobaccos +Tobago +Tobago's +Tobit +Tobit's +toboggan +tobogganed +tobogganer +tobogganer's +tobogganers +tobogganing +tobogganing's +toboggan's +toboggans +Toby +Toby's +Tocantins +Tocantins's +toccata +toccatas +Tocqueville +Tocqueville's +tocsin +tocsin's +tocsins +Tod +today +today's +Todd +toddies +toddle +toddled +toddler +toddler's +toddlers +toddle's +toddles +toddling +Todd's +toddy +toddy's +Tod's +toe +toecap +toecap's +toecaps +toed +TOEFL +toehold +toehold's +toeholds +toeing +toenail +toenail's +toenails +toerag +toerags +toe's +toes +toff +toffee +toffee's +toffees +toffs +tofu +tofu's +tog +toga +togaed +toga's +togas +together +togetherness +togetherness's +togged +togging +toggle +toggled +toggle's +toggles +toggling +Togo +Togolese +Togolese's +Togo's +tog's +togs +togs's +toil +toiled +toiler +toiler's +toilers +toilet +toileted +toileting +toiletries +toiletry +toiletry's +toilet's +toilets +toilette +toilette's +toiling +toil's +toils +toilsome +Tojo +Tojo's +Tokay +Tokay's +toke +toked +token +tokenism +tokenism's +token's +tokens +toke's +tokes +toking +Tokugawa +Tokugawa's +Tokyo +Tokyoite +Tokyo's +told +tole +Toledo +Toledo's +Toledos +tolerable +tolerably +tolerance +tolerance's +tolerances +tolerant +tolerantly +tolerate +tolerated +tolerates +tolerating +toleration +toleration's +tole's +Tolkien +Tolkien's +toll +tollbooth +tollbooth's +tollbooths +tolled +tollgate +tollgate's +tollgates +tolling +toll's +tolls +tollway +tollway's +tollways +Tolstoy +Tolstoy's +Toltec +Toltec's +toluene +toluene's +Tolyatti +Tolyatti's +Tom +tom +tomahawk +tomahawked +tomahawking +tomahawk's +tomahawks +Tomas +Tomas's +tomato +tomatoes +tomato's +tomb +Tombaugh +Tombaugh's +tombed +tombing +tombola +tombolas +tomboy +tomboyish +tomboy's +tomboys +tomb's +tombs +tombstone +tombstone's +tombstones +tomcat +tomcat's +tomcats +tome +tome's +tomes +tomfooleries +tomfoolery +tomfoolery's +Tomlin +Tomlin's +Tommie +Tommie's +Tommy +Tommy's +tomographic +tomography +tomography's +tomorrow +tomorrow's +tomorrows +Tompkins +Tompkins's +Tom's +tom's +toms +Tomsk +Tomsk's +tomtit +tomtit's +tomtits +ton +tonal +tonalities +tonality +tonality's +tonally +tone +tonearm +tonearm's +tonearms +toned +toneless +tonelessly +toner +toner's +toners +tone's +tones +tong +Tonga +Tongan +Tongan's +Tongans +Tonga's +tonged +tonging +tong's +tongs +tongue +tongued +tongueless +tongue's +tongues +tonguing +Toni +Tonia +Tonia's +tonic +tonic's +tonics +tonier +toniest +tonight +tonight's +toning +Toni's +tonnage +tonnage's +tonnages +tonne +tonne's +tonnes +ton's +tons +tonsil +tonsillectomies +tonsillectomy +tonsillectomy's +tonsillitis +tonsillitis's +tonsil's +tonsils +tonsorial +tonsure +tonsured +tonsure's +tonsures +tonsuring +Tonto +Tonto's +Tony +tony +Tonya +Tonya's +Tony's +too +took +tool +toolbar +toolbar's +toolbars +toolbox +toolboxes +toolbox's +tooled +tooling +toolkit +toolmaker +toolmaker's +toolmakers +tool's +tools +toot +tooted +tooter +tooter's +tooters +tooth +toothache +toothache's +toothaches +toothbrush +toothbrushes +toothbrush's +toothed +toothier +toothiest +toothily +toothless +toothpaste +toothpaste's +toothpastes +toothpick +toothpick's +toothpicks +tooth's +toothsome +toothy +tooting +tootle +tootled +tootles +tootling +toot's +toots +tootsie +tootsies +top +topaz +topazes +topaz's +topcoat +topcoat's +topcoats +topdressing +topdressing's +topdressings +topee +topees +Topeka +Topeka's +topflight +topi +topiary +topiary's +topic +topical +topicality +topicality's +topically +topic's +topics +topknot +topknot's +topknots +topless +topmast +topmast's +topmasts +topmost +topnotch +topographer +topographer's +topographers +topographic +topographical +topographically +topographies +topography +topography's +topological +topologically +topology +topped +topper +topper's +toppers +topping +topping's +toppings +topple +toppled +topples +toppling +top's +tops +topsail +topsail's +topsails +topside +topside's +topsides +topsoil +topsoil's +topspin +topspin's +Topsy +Topsy's +toque +toque's +toques +tor +Torah +Torah's +Torahs +torch +torchbearer +torchbearer's +torchbearers +torched +torches +torching +torchlight +torchlight's +torch's +tore +toreador +toreador's +toreadors +Tories +torment +tormented +tormenting +tormentingly +tormentor +tormentor's +tormentors +torment's +torments +torn +tornado +tornadoes +tornado's +Toronto +Toronto's +torpedo +torpedoed +torpedoes +torpedoing +torpedo's +torpid +torpidity +torpidity's +torpidly +torpor +torpor's +torque +torqued +Torquemada +Torquemada's +torque's +torques +torquing +Torrance +Torrance's +Torrens +Torrens's +torrent +torrential +torrent's +torrents +Torres +Torres's +Torricelli +Torricelli's +torrid +torridity +torridity's +torridly +torridness +torridness's +tor's +tors +torsion +torsional +torsion's +torso +torso's +torsos +tort +torte +tortellini +tortellini's +torte's +tortes +tortilla +tortilla's +tortillas +tortoise +tortoise's +tortoises +tortoiseshell +tortoiseshell's +tortoiseshells +Tortola +Tortola's +tortoni +tortoni's +tort's +torts +Tortuga +Tortuga's +tortuous +tortuously +tortuousness +tortuousness's +torture +tortured +torturer +torturer's +torturers +torture's +tortures +torturing +torturous +torus +Torvalds +Torvalds's +Tory +Tory's +Tosca +Toscanini +Toscanini's +Tosca's +tosh +Toshiba +Toshiba's +toss +tossed +tosser +tossers +tosses +tossing +toss's +tossup +tossup's +tossups +tot +total +totaled +totaling +totalitarian +totalitarianism +totalitarianism's +totalitarian's +totalitarians +totalities +totality +totality's +totalizator +totalizator's +totalizators +totally +total's +totals +tote +toted +totem +totemic +totem's +totems +tote's +totes +toting +Toto +Toto's +tot's +tots +totted +totter +tottered +totterer +totterer's +totterers +tottering +totter's +totters +totting +toucan +toucan's +toucans +touch +touché +touchable +touchdown +touchdown's +touchdowns +touche +touched +touches +touchier +touchiest +touchily +touchiness +touchiness's +touching +touchingly +touchings +touchline +touchlines +touchpaper +touchpapers +touch's +touchscreen +touchscreen's +touchscreens +touchstone +touchstone's +touchstones +touchy +tough +toughed +toughen +toughened +toughener +toughener's +tougheners +toughening +toughens +tougher +toughest +toughie +toughie's +toughies +toughing +toughly +toughness +toughness's +tough's +toughs +Toulouse +Toulouse's +toupee +toupee's +toupees +tour +toured +touring +tourism +tourism's +tourist +touristic +tourist's +tourists +touristy +tourmaline +tourmaline's +tournament +tournament's +tournaments +tourney +tourney's +tourneys +tourniquet +tourniquet's +tourniquets +tour's +tours +tousle +tousled +tousles +tousling +tout +touted +touting +tout's +touts +tow +toward +towards +towboat +towboat's +towboats +towed +towel +toweled +towelette +towelette's +towelettes +toweling +toweling's +towelings +towel's +towels +tower +towered +towering +tower's +towers +towhead +towheaded +towhead's +towheads +towhee +towhee's +towhees +towing +towline +towline's +towlines +town +townee +townees +Townes +Townes's +townhouse +townhouse's +townhouses +townie +townie's +townies +town's +towns +Townsend +Townsend's +townsfolk +townsfolk's +township +township's +townships +townsman +townsman's +townsmen +townspeople +townspeople's +townswoman +townswoman's +townswomen +towpath +towpath's +towpaths +towrope +towrope's +towropes +tow's +tows +toxemia +toxemia's +toxic +toxicities +toxicity +toxicity's +toxicological +toxicologist +toxicologist's +toxicologists +toxicology +toxicology's +toxin +toxin's +toxins +toy +toyboy +toyboys +toyed +toying +Toynbee +Toynbee's +Toyoda +Toyoda's +Toyota +Toyota's +toy's +toys +TQM +tr +trabecula +trabecular +trabecule +trace +traceability +traceable +traced +tracer +traceries +tracer's +tracers +tracery +tracery's +trace's +traces +Tracey +Tracey's +trachea +tracheae +tracheal +trachea's +tracheotomies +tracheotomy +tracheotomy's +Traci +Tracie +Tracie's +tracing +tracing's +tracings +Traci's +track +trackball +trackball's +trackballs +tracked +tracker +tracker's +trackers +tracking +trackless +track's +tracks +tracksuit +tracksuits +tract +tractability +tractability's +tractable +tractably +traction +traction's +tractor +tractor's +tractors +tract's +tracts +Tracy +Tracy's +trad +trade +traded +trademark +trademarked +trademarking +trademark's +trademarks +trader +trader's +traders +trade's +trades +tradesman +tradesman's +tradesmen +tradespeople +tradespeople's +tradeswoman +tradeswoman's +tradeswomen +trading +trading's +tradings +tradition +traditional +traditionalism +traditionalism's +traditionalist +traditionalist's +traditionalists +traditionally +tradition's +traditions +traduce +traduced +traducer +traducer's +traducers +traduces +traducing +Trafalgar +Trafalgar's +traffic +trafficked +trafficker +trafficker's +traffickers +trafficking +trafficking's +traffic's +traffics +tragedian +tragedian's +tragedians +tragedienne +tragedienne's +tragediennes +tragedies +tragedy +tragedy's +tragic +tragically +tragicomedies +tragicomedy +tragicomedy's +tragicomic +trail +trailblazer +trailblazer's +trailblazers +trailblazing +trailblazing's +trailed +trailer +trailer's +trailers +trailing +trail's +trails +Trailways +Trailways's +train +trainable +trained +trainee +trainee's +trainees +trainer +trainer's +trainers +training +training's +trainload +trainload's +trainloads +trainman +trainman's +trainmen +train's +trains +trainspotter +trainspotters +trainspotting +traipse +traipsed +traipse's +traipses +traipsing +trait +traitor +traitorous +traitorously +traitor's +traitors +trait's +traits +Trajan +Trajan's +trajectories +trajectory +trajectory's +tram +tramcar +tramcars +tramlines +trammed +trammel +trammeled +trammeling +trammel's +trammels +tramming +tramp +tramped +tramper +tramper's +trampers +tramping +trample +trampled +trampler +trampler's +tramplers +trample's +tramples +trampling +trampoline +trampolined +trampoline's +trampolines +trampolining +tramp's +tramps +tram's +trams +tramway +tramways +Tran +trance +trance's +trances +tranche +tranches +tranquil +tranquiler +tranquilest +tranquility +tranquility's +tranquilize +tranquilized +tranquilizer +tranquilizer's +tranquilizers +tranquilizes +tranquilizing +tranquilly +Tran's +trans +transact +transacted +transacting +transaction +transaction's +transactions +transactor +transactor's +transactors +transacts +transatlantic +Transcaucasia +Transcaucasia's +transceiver +transceiver's +transceivers +transcend +transcended +transcendence +transcendence's +transcendent +transcendental +transcendentalism +transcendentalism's +transcendentalist +transcendentalist's +transcendentalists +transcendentally +transcending +transcends +transcontinental +transcribe +transcribed +transcriber +transcriber's +transcribers +transcribes +transcribing +transcript +transcription +transcription's +transcriptions +transcript's +transcripts +transducer +transducer's +transducers +transect +transected +transecting +transects +transept +transept's +transepts +transfer +transferable +transferal +transferal's +transferals +transference +transference's +transferred +transferring +transfer's +transfers +transfiguration +transfiguration's +transfigure +transfigured +transfigures +transfiguring +transfinite +transfix +transfixed +transfixes +transfixing +transform +transformable +transformation +transformation's +transformations +transformed +transformer +transformer's +transformers +transforming +transform's +transforms +transfuse +transfused +transfuses +transfusing +transfusion +transfusion's +transfusions +transgender +transgenders +transgenic +transgress +transgressed +transgresses +transgressing +transgression +transgression's +transgressions +transgressor +transgressor's +transgressors +transience +transience's +transiency +transiency's +transient +transiently +transient's +transients +transistor +transistorize +transistorized +transistorizes +transistorizing +transistor's +transistors +transit +transited +transiting +transition +transitional +transitionally +transitioned +transitioning +transition's +transitions +transitive +transitively +transitiveness +transitiveness's +transitive's +transitives +transitivity +transitivity's +transitory +transit's +transits +transl +translatable +translate +translated +translates +translating +translation +translation's +translations +translator +translator's +translators +transliterate +transliterated +transliterates +transliterating +transliteration +transliteration's +transliterations +translocation +translucence +translucence's +translucency +translucency's +translucent +translucently +transmigrate +transmigrated +transmigrates +transmigrating +transmigration +transmigration's +transmissible +transmission +transmission's +transmissions +transmit +transmits +transmittable +transmittal +transmittal's +transmittance +transmittance's +transmitted +transmitter +transmitter's +transmitters +transmitting +transmogrification +transmogrification's +transmogrified +transmogrifies +transmogrify +transmogrifying +transmutable +transmutation +transmutation's +transmutations +transmute +transmuted +transmutes +transmuting +transnational +transnational's +transnationals +transoceanic +transom +transom's +transoms +transpacific +transparencies +transparency +transparency's +transparent +transparently +transpiration +transpiration's +transpire +transpired +transpires +transpiring +transplant +transplantation +transplantation's +transplanted +transplanting +transplant's +transplants +transpolar +transponder +transponder's +transponders +transport +transportable +transportation +transportation's +transported +transporter +transporter's +transporters +transporting +transport's +transports +transpose +transposed +transposes +transposing +transposition +transposition's +transpositions +transsexual +transsexualism +transsexualism's +transsexual's +transsexuals +transship +transshipment +transshipment's +transshipped +transshipping +transships +transubstantiation +transubstantiation's +Transvaal +Transvaal's +transverse +transversely +transverse's +transverses +transvestism +transvestism's +transvestite +transvestite's +transvestites +Transylvania +Transylvanian +Transylvanian's +Transylvania's +trap +trapdoor +trapdoor's +trapdoors +trapeze +trapeze's +trapezes +trapezium +trapezium's +trapeziums +trapezoid +trapezoidal +trapezoid's +trapezoids +trappable +trapped +trapper +trapper's +trappers +trapping +trappings +trappings's +Trappist +Trappist's +Trappists +trap's +traps +trapshooting +trapshooting's +trash +trashcan +trashcan's +trashcans +trashed +trashes +trashier +trashiest +trashiness +trashiness's +trashing +trash's +trashy +trauma +trauma's +traumas +traumatic +traumatically +traumatize +traumatized +traumatizes +traumatizing +travail +travailed +travailing +travail's +travails +travel +traveled +traveler +traveler's +travelers +traveling +traveling's +travelings +travelogue +travelogue's +travelogues +travel's +travels +traversal +traversal's +traversals +traverse +traversed +traverse's +traverses +traversing +travestied +travesties +travesty +travestying +travesty's +Travis +Travis's +Travolta +Travolta's +trawl +trawled +trawler +trawler's +trawlers +trawling +trawl's +trawls +tray +tray's +trays +treacheries +treacherous +treacherously +treacherousness +treacherousness's +treachery +treachery's +treacle +treacle's +treacly +tread +treading +treadle +treadled +treadle's +treadles +treadling +treadmill +treadmill's +treadmills +tread's +treads +treas +treason +treasonable +treasonous +treason's +treasure +treasured +treasurer +treasurer's +treasurers +treasure's +treasures +Treasuries +treasuries +treasuring +Treasury +treasury +Treasury's +treasury's +treat +treatable +treated +treaties +treating +treatise +treatise's +treatises +treatment +treatment's +treatments +treat's +treats +treaty +treaty's +treble +trebled +treble's +trebles +trebling +Treblinka +Treblinka's +tree +treed +treeing +treeless +treelike +treeline +tree's +trees +treetop +treetop's +treetops +trefoil +trefoil's +trefoils +trek +trekked +trekker +trekker's +trekkers +Trekkie +Trekkie's +trekking +trek's +treks +trellis +trellised +trellises +trellising +trellis's +trematode +trematode's +trematodes +tremble +trembled +tremble's +trembles +trembling +tremendous +tremendously +tremolo +tremolo's +tremolos +tremor +tremor's +tremors +tremulous +tremulously +tremulousness +tremulousness's +trench +trenchancy +trenchancy's +trenchant +trenchantly +trenched +trencher +trencherman +trencherman's +trenchermen +trencher's +trenchers +trenches +trenching +trench's +trend +trended +trendier +trendies +trendiest +trendily +trendiness +trendiness's +trending +trend's +trends +trendsetter +trendsetters +trendsetting +trendy +trendy's +Trent +Trenton +Trenton's +Trent's +trepidation +trepidation's +trespass +trespassed +trespasser +trespasser's +trespassers +trespasses +trespassing +trespass's +tress +tresses +tress's +trestle +trestle's +trestles +Trevelyan +Trevelyan's +Trevino +Trevino's +Trevor +Trevor's +trews +Trey +trey +Trey's +trey's +treys +triad +triad's +triads +triage +triage's +trial +trialed +trialing +trial's +trials +triangle +triangle's +triangles +triangular +triangularly +triangulate +triangulated +triangulates +triangulating +triangulation +triangulation's +Triangulum +Triangulum's +Triassic +Triassic's +triathlete +triathletes +triathlon +triathlon's +triathlons +tribal +tribalism +tribalism's +tribe +tribe's +tribes +tribesman +tribesman's +tribesmen +tribeswoman +tribeswoman's +tribeswomen +tribulation +tribulation's +tribulations +tribunal +tribunal's +tribunals +tribune +tribune's +tribunes +tributaries +tributary +tributary's +tribute +tribute's +tributes +trice +tricentennial +tricentennial's +tricentennials +triceps +tricepses +triceps's +triceratops +triceratops's +trice's +trichina +trichinae +trichina's +trichinosis +trichinosis's +Tricia +Tricia's +trick +tricked +trickery +trickery's +trickier +trickiest +trickily +trickiness +trickiness's +tricking +trickle +trickled +trickle's +trickles +trickling +trick's +tricks +trickster +trickster's +tricksters +tricky +tricolor +tricolor's +tricolors +tricycle +tricycle's +tricycles +Trident +trident +Trident's +trident's +tridents +tried +triennial +triennially +triennial's +triennials +trier +trier's +triers +tries +Trieste +Trieste's +trifecta +trifecta's +trifectas +trifle +trifled +trifler +trifler's +triflers +trifle's +trifles +trifling +trifocals +trifocals's +trig +trigger +triggered +triggering +trigger's +triggers +triglyceride +triglyceride's +triglycerides +trigonometric +trigonometrical +trigonometry +trigonometry's +trig's +trike +trike's +trikes +trilateral +trilaterals +trilbies +trilby +trilby's +trill +trilled +trilling +trillion +trillion's +trillions +trillionth +trillionth's +trillionths +trillium +trillium's +trill's +trills +trilobite +trilobite's +trilobites +trilogies +trilogy +trilogy's +trim +trimaran +trimaran's +trimarans +trimester +trimester's +trimesters +trimly +trimmed +trimmer +trimmer's +trimmers +trimmest +trimming +trimming's +trimmings +trimmings's +trimness +trimness's +trimonthly +trim's +trims +Trimurti +Trimurti's +Trina +Trina's +Trinidad +Trinidadian +Trinidadian's +Trinidadians +Trinidad's +Trinities +trinities +trinitrotoluene +trinitrotoluene's +Trinity +trinity +Trinity's +trinity's +trinket +trinket's +trinkets +trio +trio's +trios +trip +tripartite +tripe +tripe's +Tripitaka +Tripitaka's +triple +tripled +triple's +triples +triplet +triplet's +triplets +triplex +triplexes +triplex's +triplicate +triplicated +triplicate's +triplicates +triplicating +tripling +triply +tripod +tripodal +tripod's +tripods +Tripoli +Tripoli's +tripos +Trippe +tripped +tripper +tripper's +trippers +Trippe's +tripping +trip's +trips +triptych +triptych's +triptychs +tripwire +tripwires +trireme +trireme's +triremes +trisect +trisected +trisecting +trisection +trisection's +trisects +Trisha +Trisha's +Tristan +Tristan's +trite +tritely +triteness +triteness's +triter +tritest +tritium +tritium's +Triton +Triton's +triumph +triumphal +triumphalism +triumphalist +triumphant +triumphantly +triumphed +triumphing +triumph's +triumphs +triumvir +triumvirate +triumvirate's +triumvirates +triumvir's +triumvirs +trivalent +trivet +trivet's +trivets +trivia +trivial +trivialities +triviality +triviality's +trivialization +trivialization's +trivialize +trivialized +trivializes +trivializing +trivially +trivia's +trivium +trivium's +Trobriand +Trobriand's +trochaic +trochee +trochee's +trochees +trod +trodden +troglodyte +troglodyte's +troglodytes +troika +troika's +troikas +Troilus +Troilus's +Trojan +Trojan's +Trojans +troll +trolled +trolley +trolleybus +trolleybuses +trolleybus's +trolley's +trolleys +trolling +trollop +Trollope +Trollope's +trollop's +trollops +troll's +trolls +trombone +trombone's +trombones +trombonist +trombonist's +trombonists +tromp +tromped +tromping +tromps +tron +Trondheim +Trondheim's +trons +troop +trooped +trooper +trooper's +troopers +trooping +troop's +troops +troopship +troopship's +troopships +trope +trope's +tropes +trophies +trophy +trophy's +tropic +tropical +tropically +Tropicana +Tropicana's +tropic's +tropics +tropics's +tropism +tropism's +tropisms +troposphere +troposphere's +tropospheres +trot +troth +troth's +trot's +trots +Trotsky +Trotsky's +trotted +trotter +trotter's +trotters +trotting +troubadour +troubadour's +troubadours +trouble +troubled +troublemaker +troublemaker's +troublemakers +trouble's +troubles +troubleshoot +troubleshooted +troubleshooter +troubleshooter's +troubleshooters +troubleshooting +troubleshooting's +troubleshoots +troubleshot +troublesome +troublesomely +troubling +trough +trough's +troughs +trounce +trounced +trouncer +trouncer's +trouncers +trounces +trouncing +troupe +trouped +trouper +trouper's +troupers +troupe's +troupes +trouping +trouser +trouser's +trousers +trousers's +trousseau +trousseau's +trousseaux +trout +trout's +trouts +trove +trove's +troves +trow +trowed +trowel +troweled +troweling +trowel's +trowels +trowing +trows +Troy +troy +Troyes +Troy's +troys +truancy +truancy's +truant +truanted +truanting +truant's +truants +truce +truce's +truces +truck +trucked +Truckee +Truckee's +trucker +trucker's +truckers +trucking +trucking's +truckle +truckled +truckle's +truckles +truckling +truckload +truckload's +truckloads +truck's +trucks +truculence +truculence's +truculent +truculently +Trudeau +Trudeau's +trudge +trudged +trudge's +trudges +trudging +Trudy +Trudy's +true +trued +truelove +truelove's +trueloves +truer +true's +trues +truest +Truffaut +Truffaut's +truffle +truffle's +truffles +trug +trugs +truing +truism +truism's +truisms +Trujillo +Trujillo's +truly +Truman +Truman's +Trumbull +Trumbull's +Trump +trump +trumped +trumpery +trumpery's +trumpet +trumpeted +trumpeter +trumpeter's +trumpeters +trumpeting +trumpet's +trumpets +trumping +Trump's +trump's +trumps +truncate +truncated +truncates +truncating +truncation +truncation's +truncheon +truncheon's +truncheons +trundle +trundled +trundler +trundler's +trundlers +trundle's +trundles +trundling +trunk +trunking +trunk's +trunks +truss +trussed +trusses +trussing +truss's +trust +trusted +trustee +trustee's +trustees +trusteeship +trusteeship's +trusteeships +trustful +trustfully +trustfulness +trustfulness's +trustier +trusties +trustiest +trusting +trustingly +trust's +trusts +trustworthier +trustworthiest +trustworthiness +trustworthiness's +trustworthy +trusty +trusty's +Truth +truth +truther +truther's +truthers +truthful +truthfully +truthfulness +truthfulness's +truthiness +Truth's +truth's +truths +try +trying +tryingly +tryout +tryout's +tryouts +tryptophan +try's +tryst +trysted +trysting +tryst's +trysts +T's +ts +tsarists +tsetse +tsetse's +tsetses +Tsimshian +Tsimshian's +Tsiolkovsky +Tsiolkovsky's +Tsitsihar +Tsitsihar's +Tsongkhapa +Tsongkhapa's +tsp +tsunami +tsunami's +tsunamis +Tswana +Tswana's +ttys +Tu +Tuamotu +Tuamotu's +Tuareg +Tuareg's +tub +tuba +tubal +tuba's +tubas +tubbier +tubbiest +tubby +tube +tubed +tubeless +tubeless's +tuber +tubercle +tubercle's +tubercles +tubercular +tuberculin +tuberculin's +tuberculosis +tuberculosis's +tuberculous +tuberose +tuberose's +tuberous +tuber's +tubers +tube's +tubes +tubful +tubful's +tubfuls +tubing +tubing's +Tubman +Tubman's +tub's +tubs +tubular +tubule +tubule's +tubules +tuck +tucked +Tucker +tucker +tuckered +tuckering +Tucker's +tucker's +tuckers +tucking +tuck's +tucks +Tucson +Tucson's +Tucuman +Tucuman's +étude +étude's +études +Tudor +Tudor's +Tudors +Tue +Tues +Tuesday +Tuesday's +Tuesdays +Tues's +tuft +tufted +tufter +tufter's +tufters +tufting +tuft's +tufts +tug +tugboat +tugboat's +tugboats +tugged +tugging +tug's +tugs +tuition +tuition's +Tulane +Tulane's +tularemia +tularemia's +tulip +tulip's +tulips +Tull +tulle +tulle's +Tull's +Tulsa +Tulsa's +Tulsidas +Tulsidas's +tum +tumble +tumbled +tumbledown +tumbler +tumbler's +tumblers +tumble's +tumbles +tumbleweed +tumbleweed's +tumbleweeds +tumbling +tumbling's +tumbrel +tumbrel's +tumbrels +tumescence +tumescence's +tumescent +tumid +tumidity +tumidity's +tummies +tummy +tummy's +tumor +tumorous +tumor's +tumors +Tums +tums +Tums's +tumult +tumult's +tumults +tumultuous +tumultuously +tun +tuna +tuna's +tunas +tundra +tundra's +tundras +tune +tuned +tuneful +tunefully +tunefulness +tunefulness's +tuneless +tunelessly +tuner +tuner's +tuners +tune's +tunes +tuneup +tuneup's +tuneups +tungsten +tungsten's +Tungus +Tunguska +Tunguska's +Tungus's +tunic +tunic's +tunics +tuning +Tunis +Tunisia +Tunisian +Tunisian's +Tunisians +Tunisia's +Tunis's +tunnel +tunneled +tunneler +tunneler's +tunnelers +tunneling +tunnelings +tunnel's +tunnels +Tunney +Tunney's +tunnies +tunny +tunny's +tun's +tuns +Tupi +Tupi's +tuple +tuples +tuppence +tuppenny +Tupperware +Tupperware's +Tupungato +Tupungato's +tuque +tuque's +tuques +turban +turbaned +turban's +turbans +turbid +turbidity +turbidity's +turbine +turbine's +turbines +turbo +turbocharge +turbocharged +turbocharger +turbocharger's +turbochargers +turbocharges +turbocharging +turbofan +turbofan's +turbofans +turbojet +turbojet's +turbojets +turboprop +turboprop's +turboprops +turbo's +turbos +turbot +turbot's +turbots +turbulence +turbulence's +turbulent +turbulently +turd +turd's +turds +turducken +turducken's +turduckens +tureen +tureen's +tureens +turf +turfed +turfing +turf's +turfs +turfy +Turgenev +Turgenev's +turgid +turgidity +turgidity's +turgidly +Turin +Turing +Turing's +Turin's +Turk +Turkestan +Turkestan's +Turkey +turkey +Turkey's +turkey's +turkeys +Turkic +Turkic's +Turkics +Turkish +Turkish's +Turkmenistan +Turkmenistan's +Turk's +Turks +turmeric +turmeric's +turmerics +turmoil +turmoil's +turmoils +turn +turnabout +turnabout's +turnabouts +turnaround +turnaround's +turnarounds +turnbuckle +turnbuckle's +turnbuckles +turncoat +turncoat's +turncoats +turned +Turner +turner +Turner's +turner's +turners +turning +turning's +turnings +turnip +turnip's +turnips +turnkey +turnkey's +turnkeys +turnoff +turnoff's +turnoffs +turnout +turnout's +turnouts +turnover +turnover's +turnovers +turnpike +turnpike's +turnpikes +turn's +turns +turnstile +turnstile's +turnstiles +turntable +turntable's +turntables +turpentine +turpentine's +Turpin +Turpin's +turpitude +turpitude's +turps +turquoise +turquoise's +turquoises +turret +turreted +turret's +turrets +turtle +turtledove +turtledove's +turtledoves +turtleneck +turtlenecked +turtleneck's +turtlenecks +turtle's +turtles +Tu's +Tuscaloosa +Tuscaloosa's +Tuscan +Tuscan's +Tuscany +Tuscany's +Tuscarora +Tuscarora's +Tuscaroras +Tuscon +Tuscon's +tush +tushes +tush's +tusk +tusked +Tuskegee +Tuskegee's +tusk's +tusks +Tussaud +Tussaud's +tussle +tussled +tussle's +tussles +tussling +tussock +tussock's +tussocks +tussocky +Tut +tut +Tutankhamen +Tutankhamen's +tutelage +tutelage's +tutelary +tutor +tutored +tutorial +tutorial's +tutorials +tutoring +tutor's +tutors +tutorship +tutorship's +Tut's +tut's +tuts +Tutsi +Tutsi's +tutted +tutti +tutting +tutti's +tuttis +Tutu +tutu +Tutu's +tutu's +tutus +Tuvalu +Tuvaluan +Tuvalu's +tux +tuxedo +tuxedo's +tuxedos +tuxes +tux's +TV +TVA +TV's +TVs +TWA +twaddle +twaddled +twaddler +twaddler's +twaddlers +twaddle's +twaddles +twaddling +Twain +twain +Twain's +twain's +twang +twanged +twangier +twangiest +twanging +twang's +twangs +twangy +TWA's +twas +twat +twats +tweak +tweaked +tweaking +tweak's +tweaks +twee +Tweed +tweed +tweedier +tweediest +Tweedledee +Tweedledee's +Tweedledum +Tweedledum's +Tweed's +tweed's +tweeds +tweeds's +tweedy +tween +tweet +tweeted +tweeter +tweeter's +tweeters +tweeting +tweet's +tweets +tweezers +tweezers's +twelfth +twelfth's +twelfths +twelve +twelvemonth +twelvemonth's +twelvemonths +twelve's +twelves +twenties +twentieth +twentieth's +twentieths +twenty +twenty's +twerk +twerked +twerking +twerks +twerp +twerp's +twerps +twice +twiddle +twiddled +twiddle's +twiddles +twiddling +twiddly +twig +twigged +twiggier +twiggiest +twigging +twiggy +twig's +twigs +Twila +Twila's +twilight +twilight's +twilit +twill +twilled +twill's +twin +twine +twined +twiner +twiner's +twiners +twine's +twines +twinge +twinged +twinge's +twinges +twinging +twining +twink +Twinkies +Twinkies's +twinkle +twinkled +twinkle's +twinkles +twinkling +twinkling's +twinklings +twinkly +twinks +twinned +twinning +twin's +twins +twinset +twinsets +twirl +twirled +twirler +twirler's +twirlers +twirling +twirl's +twirls +twirly +twist +twisted +twister +twister's +twisters +twistier +twistiest +twisting +twist's +twists +twisty +twit +twitch +twitched +twitches +twitchier +twitchiest +twitching +twitch's +twitchy +twit's +twits +twitted +Twitter +twitter +twittered +twittering +Twitter's +twitter's +twitters +twittery +twitting +twixt +Twizzlers +Twizzlers's +two +twofer +twofer's +twofers +twofold +twopence +twopence's +twopences +twopenny +two's +twos +twosome +twosome's +twosomes +Twp +twp +TWX +TX +Ty +Tycho +Tycho's +tycoon +tycoon's +tycoons +tying +tyke +tyke's +tykes +Tylenol +Tylenol's +Tyler +Tyler's +tympani +tympanic +tympani's +tympanist +tympanist's +tympanists +tympanum +tympanum's +tympanums +Tyndale +Tyndale's +Tyndall +Tyndall's +type +typecast +typecasting +typecasts +typed +typeface +typeface's +typefaces +type's +types +typescript +typescript's +typescripts +typeset +typesets +typesetter +typesetter's +typesetters +typesetting +typesetting's +typewrite +typewriter +typewriter's +typewriters +typewrites +typewriting +typewriting's +typewritten +typewrote +typhoid +typhoid's +typhoon +typhoon's +typhoons +typhus +typhus's +typical +typicality +typicality's +typically +typification +typification's +typified +typifies +typify +typifying +typing +typing's +typist +typist's +typists +typo +typographer +typographer's +typographers +typographic +typographical +typographically +typography +typography's +typologies +typology +typology's +typo's +typos +tyrannic +tyrannical +tyrannically +tyrannies +tyrannize +tyrannized +tyrannizes +tyrannizing +tyrannosaur +tyrannosaur's +tyrannosaurs +tyrannosaurus +tyrannosauruses +tyrannosaurus's +tyrannous +tyranny +tyranny's +tyrant +tyrant's +tyrants +Tyre +Tyree +Tyree's +Tyre's +tyro +Tyrolean +Tyrone +Tyrone's +tyro's +tyros +Ty's +Tyson +Tyson's +U +u +UAR +UAW +Ubangi +Ubangi's +ubiquitous +ubiquitously +ubiquity +ubiquity's +UBS +UBS's +Ubuntu +Ubuntu's +Ucayali +Ucayali's +Uccello +Uccello's +UCLA +UCLA's +Udall +Udall's +udder +udder's +udders +Ufa +Ufa's +UFO +ufologist +ufologist's +ufologists +ufology +ufology's +UFO's +UFOs +Uganda +Ugandan +Ugandan's +Ugandans +Uganda's +ugh +uglier +ugliest +ugliness +ugliness's +ugly +uh +UHF +uhf +UHF's +Uighur +Uighur's +Ujungpandang +Ujungpandang's +UK +ukase +ukase's +ukases +Ukraine +Ukraine's +Ukrainian +Ukrainian's +Ukrainians +UK's +ukulele +ukulele's +ukuleles +UL +ulcer +ulcerate +ulcerated +ulcerates +ulcerating +ulceration +ulceration's +ulcerations +ulcerous +ulcer's +ulcers +ulna +ulnae +ulnar +ulna's +Ulster +ulster +Ulster's +ulster's +ulsters +ult +ulterior +ultimate +ultimately +ultimate's +ultimatum +ultimatum's +ultimatums +ultimo +ultra +ultraconservative +ultraconservative's +ultraconservatives +ultrahigh +ultralight +ultralight's +ultralights +ultramarine +ultramarine's +ultramodern +ultra's +ultras +ultrashort +ultrasonic +ultrasonically +ultrasound +ultrasound's +ultrasounds +Ultrasuede +Ultrasuede's +ultraviolet +ultraviolet's +ululate +ululated +ululates +ululating +ululation +ululation's +ululations +Ulyanovsk +Ulyanovsk's +Ulysses +Ulysses's +um +umbel +umbel's +umbels +umber +umber's +umbilical +umbilici +umbilicus +umbilicus's +umbra +umbrage +umbrage's +umbra's +umbras +umbrella +umbrella's +umbrellas +Umbriel +Umbriel's +umiak +umiak's +umiaks +umlaut +umlaut's +umlauts +ump +umped +umping +umpire +umpired +umpire's +umpires +umpiring +ump's +umps +umpteen +umpteenth +UN +unabashed +unabashedly +unabated +unable +unabridged +unabridged's +unabridgeds +unaccented +unacceptability +unacceptable +unacceptably +unaccepted +unaccommodating +unaccompanied +unaccomplished +unaccountable +unaccountably +unaccounted +unaccredited +unaccustomed +unachievable +unacknowledged +unacquainted +unaddressed +unadorned +unadulterated +unadventurous +unadvertised +unadvised +unadvisedly +unaesthetic +unaffected +unaffectedly +unaffiliated +unafraid +unaided +unalienable +unaligned +unalike +unallowable +unalloyed +unalterable +unalterably +unaltered +unambiguous +unambiguously +unambitious +unanimity +unanimity's +unanimous +unanimously +unannounced +unanswerable +unanswered +unanticipated +unapologetic +unapparent +unappealing +unappealingly +unappetizing +unappreciated +unappreciative +unapproachable +unappropriated +unapproved +unarguable +unarguably +unarmed +unarmored +unashamed +unashamedly +unasked +unassailable +unassertive +unassigned +unassisted +unassuming +unassumingly +unattached +unattainable +unattended +unattested +unattractive +unattractively +unattributed +unauthentic +unauthenticated +unauthorized +unavailability +unavailability's +unavailable +unavailing +unavailingly +unavoidable +unavoidably +unaware +unawareness +unawareness's +unawares +unbaked +unbalance +unbalanced +unbalances +unbalancing +unbaptized +unbar +unbarred +unbarring +unbars +unbearable +unbearably +unbeatable +unbeaten +unbecoming +unbecomingly +unbeknownst +unbelief +unbelief's +unbelievable +unbelievably +unbeliever +unbeliever's +unbelievers +unbelieving +unbend +unbending +unbends +unbent +unbiased +unbid +unbidden +unbind +unbinding +unbinds +unbleached +unblemished +unblinking +unblinkingly +unblock +unblocked +unblocking +unblocks +unblushing +unblushingly +unbolt +unbolted +unbolting +unbolts +unborn +unbosom +unbosomed +unbosoming +unbosoms +unbothered +unbound +unbounded +unbowed +unbranded +unbreakable +unbridgeable +unbridled +unbroken +unbuckle +unbuckled +unbuckles +unbuckling +unburden +unburdened +unburdening +unburdens +unbutton +unbuttoned +unbuttoning +unbuttons +uncalled +uncannier +uncanniest +uncannily +uncanny +uncap +uncapped +uncapping +uncaps +uncaring +uncased +uncatalogued +uncaught +unceasing +unceasingly +uncensored +unceremonious +unceremoniously +uncertain +uncertainly +uncertainties +uncertainty +uncertainty's +unchain +unchained +unchaining +unchains +unchallenged +unchangeable +unchanged +unchanging +unchaperoned +uncharacteristic +uncharacteristically +uncharged +uncharitable +uncharitably +uncharted +unchaste +unchaster +unchastest +unchecked +unchristian +uncial +uncial's +uncircumcised +uncivil +uncivilized +uncivilly +unclad +unclaimed +unclasp +unclasped +unclasping +unclasps +unclassified +uncle +unclean +uncleaned +uncleaner +uncleanest +uncleanlier +uncleanliest +uncleanliness +uncleanliness's +uncleanly +uncleanness +uncleanness's +unclear +uncleared +unclearer +unclearest +uncle's +uncles +uncloak +uncloaked +uncloaking +uncloaks +unclog +unclogged +unclogging +unclogs +unclothe +unclothed +unclothes +unclothing +unclouded +unclutter +uncluttered +uncluttering +unclutters +uncoil +uncoiled +uncoiling +uncoils +uncollected +uncolored +uncombed +uncombined +uncomfortable +uncomfortably +uncommitted +uncommon +uncommoner +uncommonest +uncommonly +uncommonness +uncommonness's +uncommunicative +uncompensated +uncomplaining +uncomplainingly +uncompleted +uncomplicated +uncomplimentary +uncompounded +uncomprehending +uncomprehendingly +uncompressed +uncompromising +uncompromisingly +unconcealed +unconcern +unconcerned +unconcernedly +unconcern's +unconditional +unconditionally +unconditioned +unconfined +unconfirmed +unconformable +uncongenial +unconnected +unconquerable +unconquered +unconscionable +unconscionably +unconscious +unconsciously +unconsciousness +unconsciousness's +unconscious's +unconsecrated +unconsidered +unconsolidated +unconstitutional +unconstitutionality +unconstitutionality's +unconstitutionally +unconstrained +unconsumed +unconsummated +uncontaminated +uncontested +uncontrollable +uncontrollably +uncontrolled +uncontroversial +unconventional +unconventionality +unconventionality's +unconventionally +unconverted +unconvinced +unconvincing +unconvincingly +uncooked +uncool +uncooperative +uncoordinated +uncork +uncorked +uncorking +uncorks +uncorrected +uncorrelated +uncorroborated +uncountable +uncounted +uncouple +uncoupled +uncouples +uncoupling +uncouth +uncouthly +uncover +uncovered +uncovering +uncovers +uncritical +uncritically +uncross +uncrossed +uncrosses +uncrossing +uncrowded +uncrowned +uncrushable +unction +unction's +unctions +unctuous +unctuously +unctuousness +unctuousness's +uncultivated +uncultured +uncured +uncurl +uncurled +uncurling +uncurls +uncustomary +uncut +undamaged +undated +undaunted +undauntedly +undeceive +undeceived +undeceives +undeceiving +undecidable +undecided +undecided's +undecideds +undecipherable +undeclared +undefeated +undefended +undefinable +undefined +undelivered +undemanding +undemocratic +undemonstrative +undemonstratively +undeniable +undeniably +undependable +under +underachieve +underachieved +underachievement +underachiever +underachiever's +underachievers +underachieves +underachieving +underact +underacted +underacting +underacts +underage +underappreciated +underarm +underarm's +underarms +underbellies +underbelly +underbelly's +underbid +underbidding +underbids +underbrush +underbrush's +undercarriage +undercarriage's +undercarriages +undercharge +undercharged +undercharge's +undercharges +undercharging +underclass +underclasses +underclassman +underclassman's +underclassmen +underclass's +underclothes +underclothes's +underclothing +underclothing's +undercoat +undercoated +undercoating +undercoating's +undercoatings +undercoat's +undercoats +undercover +undercurrent +undercurrent's +undercurrents +undercut +undercut's +undercuts +undercutting +underdeveloped +underdevelopment +underdevelopment's +underdog +underdog's +underdogs +underdone +underemployed +underemployment +underemployment's +underestimate +underestimated +underestimate's +underestimates +underestimating +underestimation +underestimation's +underestimations +underexpose +underexposed +underexposes +underexposing +underexposure +underexposure's +underexposures +underfed +underfeed +underfeeding +underfeeds +underfloor +underflow +underfoot +underfunded +underfur +underfur's +undergarment +undergarment's +undergarments +undergo +undergoes +undergoing +undergone +undergrad +undergrads +undergraduate +undergraduate's +undergraduates +underground +underground's +undergrounds +undergrowth +undergrowth's +underhand +underhanded +underhandedly +underhandedness +underhandedness's +underinflated +underlain +underlay +underlay's +underlays +underlie +underlies +underline +underlined +underline's +underlines +underling +underling's +underlings +underlining +underlip +underlip's +underlips +underlying +undermanned +undermentioned +undermine +undermined +undermines +undermining +undermost +underneath +underneath's +underneaths +undernourished +undernourishment +undernourishment's +underpaid +underpants +underpants's +underpart +underpart's +underparts +underpass +underpasses +underpass's +underpay +underpaying +underpayment +underpayment's +underpayments +underpays +underpin +underpinned +underpinning +underpinning's +underpinnings +underpins +underplay +underplayed +underplaying +underplays +underpopulated +underprivileged +underproduction +underproduction's +underrate +underrated +underrates +underrating +underrepresented +underscore +underscored +underscore's +underscores +underscoring +undersea +underseas +undersecretaries +undersecretary +undersecretary's +undersell +underselling +undersells +undersexed +undershirt +undershirt's +undershirts +undershoot +undershooting +undershoots +undershorts +undershorts's +undershot +underside +underside's +undersides +undersign +undersigned +undersigned's +undersigning +undersigns +undersized +underskirt +underskirt's +underskirts +undersold +understaffed +understand +understandable +understandably +understanding +understandingly +understanding's +understandings +understands +understate +understated +understatement +understatement's +understatements +understates +understating +understood +understudied +understudies +understudy +understudying +understudy's +undertake +undertaken +undertaker +undertaker's +undertakers +undertakes +undertaking +undertaking's +undertakings +underthings +underthings's +undertone +undertone's +undertones +undertook +undertow +undertow's +undertows +underused +underutilized +undervaluation +undervaluation's +undervalue +undervalued +undervalues +undervaluing +underwater +underway +underwear +underwear's +underweight +underweight's +underwent +underwhelm +underwhelmed +underwhelming +underwhelms +underwire +underwired +underwires +Underwood +Underwood's +underworld +underworld's +underworlds +underwrite +underwriter +underwriter's +underwriters +underwrites +underwriting +underwritten +underwrote +undeserved +undeservedly +undeserving +undesirability +undesirability's +undesirable +undesirable's +undesirables +undesirably +undesired +undetectable +undetected +undetermined +undeterred +undeveloped +undeviating +undid +undies +undies's +undifferentiated +undigested +undignified +undiluted +undiminished +undimmed +undiplomatic +undischarged +undisciplined +undisclosed +undiscovered +undiscriminating +undisguised +undismayed +undisputed +undissolved +undistinguished +undistributed +undisturbed +undivided +undo +undocumented +undoes +undoing +undoing's +undoings +undomesticated +undone +undoubted +undoubtedly +undramatic +undreamed +undress +undressed +undresses +undressing +undress's +undrinkable +undue +undulant +undulate +undulated +undulates +undulating +undulation +undulation's +undulations +unduly +undying +unearned +unearth +unearthed +unearthing +unearthliness +unearthliness's +unearthly +unearths +unease +unease's +uneasier +uneasiest +uneasily +uneasiness +uneasiness's +uneasy +uneatable +uneaten +uneconomic +uneconomical +uneconomically +unedifying +unedited +uneducated +unembarrassed +unemotional +unemotionally +unemphatic +unemployable +unemployed +unemployed's +unemployment +unemployment's +unenclosed +unencumbered +unending +unendurable +unenforceable +unenforced +unenlightened +unenterprising +unenthusiastic +unenviable +unequal +unequaled +unequally +unequipped +unequivocal +unequivocally +unerring +unerringly +UNESCO +UNESCO's +unessential +unethical +unethically +uneven +unevenly +unevenness +unevenness's +uneventful +uneventfully +unexampled +unexceptionable +unexceptionably +unexceptional +unexceptionally +unexcited +unexciting +unexcused +unexpected +unexpectedly +unexpectedness +unexpectedness's +unexpired +unexplained +unexploited +unexplored +unexposed +unexpressed +unexpurgated +unfading +unfailing +unfailingly +unfair +unfairer +unfairest +unfairly +unfairness +unfairness's +unfaithful +unfaithfully +unfaithfulness +unfaithfulness's +unfaltering +unfamiliar +unfamiliarity +unfamiliarity's +unfashionable +unfashionably +unfasten +unfastened +unfastening +unfastens +unfathomable +unfathomably +unfavorable +unfavorably +unfazed +unfeasible +unfed +unfeeling +unfeelingly +unfeigned +unfeminine +unfertilized +unfetter +unfettered +unfettering +unfetters +unfilled +unfiltered +unfinished +unfit +unfitness +unfitness's +unfits +unfitted +unfitting +unfix +unfixed +unfixes +unfixing +unflagging +unflaggingly +unflappability +unflappability's +unflappable +unflappably +unflattering +unflavored +unfledged +unflinching +unflinchingly +unfocused +unfold +unfolded +unfolding +unfolds +unforced +unforeseeable +unforeseen +unforgettable +unforgettably +unforgivable +unforgivably +unforgiving +unforgotten +unformed +unformulated +unfortified +unfortunate +unfortunately +unfortunate's +unfortunates +unfounded +unframed +unfreeze +unfreezes +unfreezing +unfrequented +unfriend +unfriended +unfriending +unfriendlier +unfriendliest +unfriendliness +unfriendliness's +unfriendly +unfriends +unfrock +unfrocked +unfrocking +unfrocks +unfroze +unfrozen +unfruitful +unfulfilled +unfulfilling +unfunded +unfunny +unfurl +unfurled +unfurling +unfurls +unfurnished +ungainlier +ungainliest +ungainliness +ungainliness's +ungainly +Ungava +Ungava's +ungenerous +ungentle +ungentlemanly +unglued +ungodlier +ungodliest +ungodliness +ungodliness's +ungodly +ungovernable +ungoverned +ungraceful +ungracefully +ungracious +ungraciously +ungraded +ungrammatical +ungrammatically +ungrateful +ungratefully +ungratefulness +ungratefulness's +ungrudging +unguarded +unguent +unguent's +unguents +unguided +ungulate +ungulate's +ungulates +unhallowed +unhampered +unhand +unhanded +unhandier +unhandiest +unhanding +unhands +unhandy +unhappier +unhappiest +unhappily +unhappiness +unhappiness's +unhappy +unhardened +unharmed +unharness +unharnessed +unharnesses +unharnessing +unharvested +unhatched +unhealed +unhealthful +unhealthier +unhealthiest +unhealthily +unhealthiness +unhealthiness's +unhealthy +unheard +unheated +unheeded +unhelpful +unhelpfully +unheralded +unhesitating +unhesitatingly +unhindered +unhinge +unhinged +unhinges +unhinging +unhistorical +unhitch +unhitched +unhitches +unhitching +unholier +unholiest +unholiness +unholiness's +unholy +unhook +unhooked +unhooking +unhooks +unhorse +unhorsed +unhorses +unhorsing +unhurried +unhurriedly +unhurt +unhygienic +uni +unicameral +UNICEF +UNICEF's +unicellular +Unicode +Unicode's +unicorn +unicorn's +unicorns +unicycle +unicycle's +unicycles +unidentifiable +unidentified +unidiomatic +unidirectional +unification +unification's +unified +unifies +uniform +uniformed +uniforming +uniformity +uniformity's +uniformly +uniform's +uniforms +unify +unifying +unilateral +unilateralism +unilaterally +Unilever +Unilever's +unimaginable +unimaginably +unimaginative +unimaginatively +unimpaired +unimpeachable +unimpeded +unimplementable +unimplemented +unimportant +unimposing +unimpressed +unimpressive +unimproved +unincorporated +uninfected +uninfluenced +uninformative +uninformed +uninhabitable +uninhabited +uninhibited +uninhibitedly +uninitialized +uninitiated +uninjured +uninspired +uninspiring +uninstall +uninstallable +uninstalled +uninstaller +uninstaller's +uninstallers +uninstalling +uninstalls +uninstructed +uninsured +unintelligent +unintelligible +unintelligibly +unintended +unintentional +unintentionally +uninterested +uninteresting +uninterpreted +uninterrupted +uninterruptedly +uninterruptible +uninvited +uninviting +uninvolved +Union +union +unionism +unionism's +Unionist +unionist +unionist's +unionists +unionization +unionization's +unionize +unionized +unionizes +unionizing +Union's +Unions +union's +unions +unique +uniquely +uniqueness +uniqueness's +uniquer +uniquest +Uniroyal +Uniroyal's +unis +unisex +unisex's +unison +unison's +unit +Unitarian +Unitarianism +Unitarianism's +Unitarianisms +Unitarian's +Unitarians +unitary +Unitas +Unitas's +unite +united +unitedly +unites +unities +uniting +unitize +unitized +unitizes +unitizing +unit's +units +unity +unity's +univ +univalent +univalve +univalve's +univalves +universal +universality +universality's +universalize +universalized +universalizes +universalizing +universally +universal's +universals +universe +universe's +universes +universities +university +university's +UNIX +Unix +Unixes +UNIX's +unjust +unjustifiable +unjustifiably +unjustified +unjustly +unkempt +unkind +unkinder +unkindest +unkindlier +unkindliest +unkindly +unkindness +unkindness's +unknowable +unknowable's +unknowing +unknowingly +unknowings +unknown +unknown's +unknowns +unlabeled +unlace +unlaced +unlaces +unlacing +unladen +unladylike +unlatch +unlatched +unlatches +unlatching +unlawful +unlawfully +unlawfulness +unlawfulness's +unleaded +unleaded's +unlearn +unlearned +unlearning +unlearns +unleash +unleashed +unleashes +unleashing +unleavened +unless +unlettered +unlicensed +unlighted +unlikable +unlike +unlikelier +unlikeliest +unlikelihood +unlikelihood's +unlikeliness +unlikeliness's +unlikely +unlikeness +unlikeness's +unlimber +unlimbered +unlimbering +unlimbers +unlimited +unlined +unlisted +unlit +unlivable +unload +unloaded +unloading +unloads +unlock +unlocked +unlocking +unlocks +unloose +unloosed +unloosen +unloosened +unloosening +unloosens +unlooses +unloosing +unlovable +unloved +unlovelier +unloveliest +unlovely +unloving +unluckier +unluckiest +unluckily +unluckiness +unluckiness's +unlucky +unmade +unmake +unmakes +unmaking +unman +unmanageable +unmanlier +unmanliest +unmanly +unmanned +unmannerly +unmanning +unmans +unmarked +unmarketable +unmarred +unmarried +unmask +unmasked +unmasking +unmasks +unmatched +unmeaning +unmeant +unmeasured +unmediated +unmemorable +unmentionable +unmentionable's +unmentionables +unmentionables's +unmentioned +unmerciful +unmercifully +unmerited +unmet +unmindful +unmissable +unmissed +unmistakable +unmistakably +unmitigated +unmixed +unmodified +unmolested +unmoral +unmorality +unmorality's +unmotivated +unmounted +unmourned +unmovable +unmoved +unmusical +unnameable +unnamed +unnatural +unnaturally +unnaturalness +unnaturalness's +unnecessarily +unnecessary +unneeded +unnerve +unnerved +unnerves +unnerving +unnervingly +unnoticeable +unnoticed +unnumbered +unobjectionable +unobservant +unobserved +unobstructed +unobtainable +unobtrusive +unobtrusively +unobtrusiveness +unobtrusiveness's +unoccupied +unoffensive +unofficial +unofficially +unopened +unopposed +unordered +unorganized +unoriginal +unorthodox +unpack +unpacked +unpacking +unpacks +unpaid +unpainted +unpaired +unpalatable +unparalleled +unpardonable +unpardonably +unpasteurized +unpatriotic +unpaved +unpeeled +unpeople +unperceived +unperceptive +unperformed +unperson +unperson's +unpersons +unpersuaded +unpersuasive +unperturbed +unpick +unpicked +unpicking +unpicks +unpin +unpinned +unpinning +unpins +unplaced +unplanned +unplayable +unpleasant +unpleasantly +unpleasantness +unpleasantness's +unpleasing +unplug +unplugged +unplugging +unplugs +unplumbed +unpolished +unpolitical +unpolluted +unpopular +unpopularity +unpopularity's +unpopulated +unpractical +unpracticed +unprecedented +unprecedentedly +unpredictability +unpredictability's +unpredictable +unpredictably +unprejudiced +unpremeditated +unprepared +unpreparedness +unpreparedness's +unprepossessing +unpressed +unpretentious +unpretentiously +unpreventable +unprincipled +unprintable +unprivileged +unproblematic +unprocessed +unproductive +unproductively +unprofessional +unprofessionally +unprofitable +unprofitably +unpromising +unprompted +unpronounceable +unpropitious +unprotected +unproved +unproven +unprovided +unprovoked +unpublished +unpunished +unqualified +unquenchable +unquestionable +unquestionably +unquestioned +unquestioning +unquestioningly +unquiet +unquieter +unquietest +unquote +unquoted +unquotes +unquoting +unrated +unravel +unraveled +unraveling +unravels +unreachable +unread +unreadable +unready +unreal +unrealistic +unrealistically +unreality +unreality's +unrealized +unreasonable +unreasonableness +unreasonableness's +unreasonably +unreasoning +unrecognizable +unrecognized +unreconstructed +unrecorded +unrecoverable +unreel +unreeled +unreeling +unreels +unrefined +unreformed +unregenerate +unregistered +unregulated +unrehearsed +unrelated +unreleased +unrelenting +unrelentingly +unreliability +unreliability's +unreliable +unreliably +unrelieved +unrelievedly +unremarkable +unremarked +unremembered +unremitting +unremittingly +unrepeatable +unrepentant +unreported +unrepresentative +unrepresented +unrequited +unreserved +unreservedly +unresistant +unresolved +unresponsive +unresponsively +unresponsiveness +unresponsiveness's +unrest +unrestrained +unrestricted +unrest's +unrevealed +unrevealing +unrewarded +unrewarding +unrighteous +unrighteousness +unrighteousness's +unripe +unripened +unriper +unripest +unrivaled +unroll +unrolled +unrolling +unrolls +unromantic +unruffled +unrulier +unruliest +unruliness +unruliness's +unruly +UN's +unsaddle +unsaddled +unsaddles +unsaddling +unsafe +unsafely +unsafer +unsafest +unsaid +unsalable +unsaleable +unsalted +unsanctioned +unsanitary +unsatisfactorily +unsatisfactory +unsatisfied +unsatisfying +unsaturated +unsaved +unsavory +unsay +unsaying +unsays +unscathed +unscented +unscheduled +unschooled +unscientific +unscientifically +unscramble +unscrambled +unscrambles +unscrambling +unscratched +unscrew +unscrewed +unscrewing +unscrews +unscripted +unscrupulous +unscrupulously +unscrupulousness +unscrupulousness's +unseal +unsealed +unsealing +unseals +unsearchable +unseasonable +unseasonably +unseasoned +unseat +unseated +unseating +unseats +unsecured +unseeded +unseeing +unseeingly +unseemlier +unseemliest +unseemliness +unseemliness's +unseemly +unseen +unseen's +unsegmented +unsegregated +unselfish +unselfishly +unselfishness +unselfishness's +unsent +unsentimental +unset +unsettle +unsettled +unsettles +unsettling +unshackle +unshackled +unshackles +unshackling +unshakable +unshakably +unshaken +unshaped +unshapely +unshaven +unsheathe +unsheathed +unsheathes +unsheathing +unshockable +unshod +unshorn +unsifted +unsightlier +unsightliest +unsightliness +unsightliness's +unsightly +unsigned +unsinkable +unskilled +unskillful +unskillfully +unsmiling +unsnap +unsnapped +unsnapping +unsnaps +unsnarl +unsnarled +unsnarling +unsnarls +unsociable +unsocial +unsoiled +unsold +unsolicited +unsolvable +unsolved +unsophisticated +unsorted +unsought +unsound +unsounder +unsoundest +unsoundly +unsoundness +unsoundness's +unsparing +unsparingly +unspeakable +unspeakably +unspecific +unspecified +unspectacular +unspent +unspoiled +unspoken +unsporting +unsportsmanlike +unstable +unstably +unstained +unstated +unsteadier +unsteadiest +unsteadily +unsteadiness +unsteadiness's +unsteady +unstinting +unstintingly +unstop +unstoppable +unstopped +unstopping +unstops +unstrap +unstrapped +unstrapping +unstraps +unstressed +unstructured +unstrung +unstuck +unstudied +unsubscribe +unsubscribed +unsubscribes +unsubscribing +unsubstantial +unsubstantiated +unsubtle +unsuccessful +unsuccessfully +unsuitability +unsuitability's +unsuitable +unsuitably +unsuited +unsullied +unsung +unsupervised +unsupportable +unsupported +unsure +unsurpassed +unsurprising +unsurprisingly +unsuspected +unsuspecting +unsuspectingly +unsustainable +unswayed +unsweetened +unswerving +unsymmetrical +unsympathetic +unsympathetically +unsystematic +untactful +untainted +untalented +untamed +untangle +untangled +untangles +untangling +untanned +untapped +untarnished +untasted +untaught +unteachable +untenable +untenanted +untended +untested +unthinkable +unthinkably +unthinking +unthinkingly +untidier +untidiest +untidily +untidiness +untidiness's +untidy +untie +untied +unties +until +untimelier +untimeliest +untimeliness +untimeliness's +untimely +untiring +untiringly +untitled +unto +untold +untouchable +untouchable's +untouchables +untouched +untoward +untraceable +untrained +untrammeled +untranslatable +untranslated +untraveled +untreated +untried +untrimmed +untrod +untroubled +untrue +untruer +untruest +untruly +untrustworthy +untruth +untruthful +untruthfully +untruthfulness +untruthfulness's +untruth's +untruths +untutored +untwist +untwisted +untwisting +untwists +untying +untypical +untypically +Unukalhai +Unukalhai's +unusable +unused +unusual +unusually +unutterable +unutterably +unvaried +unvarnished +unvarying +unveil +unveiled +unveiling +unveils +unverifiable +unverified +unversed +unvoiced +unwaged +unwanted +unwarier +unwariest +unwarily +unwariness +unwariness's +unwarrantable +unwarranted +unwary +unwashed +unwatchable +unwavering +unwearable +unwearied +unwed +unweighted +unwelcome +unwelcoming +unwell +unwholesome +unwholesomeness +unwholesomeness's +unwieldier +unwieldiest +unwieldiness +unwieldiness's +unwieldy +unwilling +unwillingly +unwillingness +unwillingness's +unwind +unwinding +unwinds +unwinnable +unwise +unwisely +unwiser +unwisest +unwitting +unwittingly +unwonted +unworkable +unworldliness +unworldliness's +unworldly +unworn +unworried +unworthier +unworthiest +unworthily +unworthiness +unworthiness's +unworthy +unwound +unwoven +unwrap +unwrapped +unwrapping +unwraps +unwrinkled +unwritten +unyielding +unyoke +unyoked +unyokes +unyoking +unzip +unzipped +unzipping +unzips +up +Upanishads +Upanishads's +upbeat +upbeat's +upbeats +upbraid +upbraided +upbraiding +upbraids +upbringing +upbringing's +upbringings +UPC +upchuck +upchucked +upchucking +upchucks +upcoming +upcountry +upcountry's +update +updated +updater +update's +updates +updating +Updike +Updike's +updraft +updraft's +updrafts +upend +upended +upending +upends +upfront +upgrade +upgraded +upgrade's +upgrades +upgrading +upheaval +upheaval's +upheavals +upheld +uphill +uphill's +uphills +uphold +upholder +upholder's +upholders +upholding +upholds +upholster +upholstered +upholsterer +upholsterer's +upholsterers +upholstering +upholsters +upholstery +upholstery's +UPI +UPI's +Upjohn +Upjohn's +upkeep +upkeep's +upland +upland's +uplands +uplift +uplifted +uplifting +upliftings +uplift's +uplifts +upload +uploaded +uploading +uploads +upmarket +upmost +upon +upped +upper +uppercase +uppercase's +upperclassman +upperclassman's +upperclassmen +upperclasswoman +upperclasswomen +uppercut +uppercut's +uppercuts +uppercutting +uppermost +upper's +uppers +upping +uppish +uppity +upraise +upraised +upraises +upraising +uprear +upreared +uprearing +uprears +upright +uprightly +uprightness +uprightness's +upright's +uprights +uprising +uprising's +uprisings +upriver +uproar +uproarious +uproariously +uproar's +uproars +uproot +uprooted +uprooting +uproots +UPS +ups +upscale +upset +upset's +upsets +upsetting +upshot +upshot's +upshots +upside +upside's +upsides +upsilon +upsilon's +upsilons +UPS's +upstage +upstaged +upstages +upstaging +upstairs +upstanding +upstart +upstarted +upstarting +upstart's +upstarts +upstate +upstate's +upstream +upstroke +upstroke's +upstrokes +upsurge +upsurged +upsurge's +upsurges +upsurging +upswing +upswing's +upswings +uptake +uptake's +uptakes +uptempo +upthrust +upthrusting +upthrust's +upthrusts +uptick +uptick's +upticks +uptight +Upton +Upton's +uptown +uptown's +uptrend +upturn +upturned +upturning +upturn's +upturns +upward +upwardly +upwards +upwind +Ur +uracil +uracil's +Ural +Ural's +Urals +Urals's +Urania +Urania's +uranium +uranium's +Uranus +Uranus's +Urban +urban +urbane +urbanely +urbaner +urbanest +urbanity +urbanity's +urbanization +urbanization's +urbanize +urbanized +urbanizes +urbanizing +urbanologist +urbanologist's +urbanologists +urbanology +urbanology's +Urban's +urchin +urchin's +urchins +Urdu +Urdu's +urea +urea's +uremia +uremia's +uremic +ureter +ureter's +ureters +urethane +urethane's +urethra +urethrae +urethral +urethra's +Urey +Urey's +urge +urged +urgency +urgency's +urgent +urgently +urge's +urges +urging +Uriah +Uriah's +uric +Uriel +Uriel's +urinal +urinal's +urinals +urinalyses +urinalysis +urinalysis's +urinary +urinate +urinated +urinates +urinating +urination +urination's +urine +urine's +Uris +Uris's +URL +URLs +urn +urn's +urns +urogenital +urological +urologist +urologist's +urologists +urology +urology's +Urquhart +Urquhart's +Ur's +Ursa +Ursa's +ursine +Ursula +Ursula's +Ursuline +Ursuline's +urticaria +urticaria's +Uruguay +Uruguayan +Uruguayan's +Uruguayans +Uruguay's +Urumqi +Urumqi's +U's +US +us +USA +usability +usability's +usable +USAF +usage +usage's +usages +USA's +USB +USCG +USDA +USDA's +use +used +useful +usefully +usefulness +usefulness's +useless +uselessly +uselessness +uselessness's +Usenet +Usenet's +Usenets +user +username +username's +usernames +user's +users +use's +uses +usher +ushered +usherette +usherette's +usherettes +ushering +usher's +ushers +USIA +using +USMC +USN +USO +USP +USPS +US's +USS +USSR +USSR's +Ustinov +Ustinov's +usu +usual +usually +usual's +usurer +usurer's +usurers +usurious +usurp +usurpation +usurpation's +usurped +usurper +usurper's +usurpers +usurping +usurps +usury +usury's +UT +Ut +Utah +Utahan +Utahan's +Utahans +Utah's +UTC +Ute +utensil +utensil's +utensils +uteri +uterine +uterus +uterus's +Ute's +Utes +utilitarian +utilitarianism +utilitarianism's +utilitarian's +utilitarians +utilities +utility +utility's +utilizable +utilization +utilization's +utilize +utilized +utilizes +utilizing +utmost +utmost's +Utopia +utopia +Utopian +Utopian's +Utopians +Utopia's +Utopias +utopia's +utopias +Utrecht +Utrecht's +Utrillo +Utrillo's +UT's +utter +utterance +utterance's +utterances +uttered +uttering +utterly +uttermost +uttermost's +utters +UV +uveitis +UV's +uvula +uvular +uvular's +uvulars +uvula's +uvulas +uxorious +Uzbek +Uzbekistan +Uzbekistan's +Uzbek's +Uzi +Uzi's +Uzis +V +v +VA +Va +vac +vacancies +vacancy +vacancy's +vacant +vacantly +vacate +vacated +vacates +vacating +vacation +vacationed +vacationer +vacationer's +vacationers +vacationing +vacationist +vacationist's +vacationists +vacation's +vacations +vaccinate +vaccinated +vaccinates +vaccinating +vaccination +vaccination's +vaccinations +vaccine +vaccine's +vaccines +vacillate +vacillated +vacillates +vacillating +vacillation +vacillation's +vacillations +vacs +vacuity +vacuity's +vacuole +vacuole's +vacuoles +vacuous +vacuously +vacuousness +vacuousness's +vacuum +vacuumed +vacuuming +vacuum's +vacuums +Vader +Vader's +Vaduz +Vaduz's +vagabond +vagabondage +vagabondage's +vagabonded +vagabonding +vagabond's +vagabonds +vagaries +vagarious +vagary +vagary's +vagina +vaginae +vaginal +vaginally +vagina's +vaginas +vagrancy +vagrancy's +vagrant +vagrant's +vagrants +vague +vaguely +vagueness +vagueness's +vaguer +vaguest +vagus +vain +vainer +vainest +vainglorious +vaingloriously +vainglory +vainglory's +vainly +Val +val +valance +valance's +valances +Valarie +Valarie's +Valdez +Valdez's +vale +valediction +valediction's +valedictions +valedictorian +valedictorian's +valedictorians +valedictories +valedictory +valedictory's +valence +valence's +valences +Valencia +Valencia's +Valencias +valencies +valency +valency's +Valenti +Valentin +Valentine +valentine +Valentine's +valentine's +valentines +Valentino +Valentino's +Valentin's +Valenti's +Valenzuela +Valenzuela's +Valeria +Valerian +Valerian's +Valeria's +Valerie +Valerie's +Valery +Valery's +vale's +vales +valet +valeted +valeting +valet's +valets +valetudinarian +valetudinarianism +valetudinarianism's +valetudinarian's +valetudinarians +Valhalla +Valhalla's +valiance +valiance's +valiant +valiantly +valid +validate +validated +validates +validating +validation +validation's +validations +validity +validity's +validly +validness +validness's +valise +valise's +valises +Valium +Valium's +Valiums +Valkyrie +Valkyrie's +Valkyries +Vallejo +Valletta +Valletta's +valley +valley's +valleys +Valois +Valois's +valor +valorous +valorously +valor's +Valparaiso +Valparaiso's +Valéry +Valéry's +Val's +valuable +valuable's +valuables +valuate +valuated +valuates +valuating +valuation +valuation's +valuations +value +valued +valueless +valuer +valuer's +valuers +value's +values +valuing +valve +valved +valveless +valve's +valves +valving +Valvoline +Valvoline's +valvular +vamoose +vamoosed +vamooses +vamoosing +vamp +vamped +vamping +vampire +vampire's +vampires +vamp's +vamps +Van +van +vanadium +vanadium's +Vance +Vance's +Vancouver +Vancouver's +Vandal +vandal +vandalism +vandalism's +vandalize +vandalized +vandalizes +vandalizing +Vandal's +Vandals +vandal's +vandals +Vanderbilt +Vanderbilt's +Vandyke +Vandyke's +vane +vane's +vanes +Vanessa +Vanessa's +Vang +Vang's +vanguard +vanguard's +vanguards +vanilla +vanilla's +vanillas +vanish +vanished +vanishes +vanishing +vanishings +vanities +vanity +vanity's +vanned +vanning +vanquish +vanquished +vanquisher +vanquisher's +vanquishers +vanquishes +vanquishing +Van's +van's +vans +vantage +vantage's +vantages +Vanuatu +Vanuatu's +Vanzetti +Vanzetti's +vape +vaped +vapes +vapid +vapidity +vapidity's +vapidly +vapidness +vapidness's +vaping +vapor +vaporization +vaporization's +vaporize +vaporized +vaporizer +vaporizer's +vaporizers +vaporizes +vaporizing +vaporous +vapor's +vapors +vaporware +vapory +vaquero +vaquero's +vaqueros +var +Varanasi +Varanasi's +Varese +Varese's +Vargas +Vargas's +variability +variability's +variable +variable's +variables +variably +variance +variance's +variances +variant +variant's +variants +variate +variation +variation's +variations +varicolored +varicose +varied +variegate +variegated +variegates +variegating +variegation +variegation's +varies +varietal +varietal's +varietals +varieties +variety +variety's +various +variously +varlet +varlet's +varlets +varmint +varmint's +varmints +varnish +varnished +varnishes +varnishing +varnish's +vars +varsities +varsity +varsity's +vary +varying +Va's +vascular +vase +vasectomies +vasectomy +vasectomy's +Vaseline +Vaseline's +Vaselines +vase's +vases +vasoconstriction +vasomotor +Vasquez +Vasquez's +vassal +vassalage +vassalage's +vassal's +vassals +Vassar +Vassar's +vast +vaster +vastest +vastly +vastness +vastness's +vast's +vasts +VAT +vat +Vatican +Vatican's +VAT's +vat's +vats +vatted +vatting +Vauban +Vauban's +vaudeville +vaudeville's +vaudevillian +vaudevillian's +vaudevillians +Vaughan +Vaughan's +Vaughn +Vaughn's +vault +vaulted +vaulter +vaulter's +vaulters +vaulting +vaulting's +vault's +vaults +vaunt +vaunted +vaunting +vaunt's +vaunts +VAX +VAXes +Vazquez +Vazquez's +vb +VCR +VCR's +VD +VD's +VDT +VDU +veal +veal's +Veblen +Veblen's +vector +vectored +vectoring +vector's +vectors +Veda +Vedanta +Vedanta's +Veda's +Vedas +veejay +veejay's +veejays +veep +veep's +veeps +veer +veered +veering +veer's +veers +veg +Vega +vegan +veganism +vegan's +vegans +Vega's +Vegas +Vegas's +vegeburger +vegeburgers +Vegemite +Vegemite's +veges +vegetable +vegetable's +vegetables +vegetarian +vegetarianism +vegetarianism's +vegetarian's +vegetarians +vegetate +vegetated +vegetates +vegetating +vegetation +vegetation's +vegetative +vegged +vegges +veggie +veggieburger +veggieburgers +veggie's +veggies +vegging +veg's +vehemence +vehemence's +vehemency +vehemency's +vehement +vehemently +vehicle +vehicle's +vehicles +vehicular +veil +veiled +veiling +veil's +veils +vein +veined +veining +vein's +veins +Vela +vela +velar +velar's +velars +Vela's +Velasquez +Velasquez's +Velazquez +Velazquez's +Velcro +Velcro's +Velcros +veld +veld's +velds +Velez +Velez's +vellum +vellum's +Velma +Velma's +velocipede +velocipede's +velocipedes +velocities +velocity +velocity's +velodrome +velodromes +velour +velour's +velours +Velásquez +Velásquez's +velum +velum's +Velveeta +Velveeta's +velvet +velveteen +velveteen's +velvet's +velvety +Velázquez +Velázquez's +venal +venality +venality's +venally +venation +venation's +vend +vended +vendetta +vendetta's +vendettas +vendible +vending +vendor +vendor's +vendors +vends +veneer +veneered +veneering +veneer's +veneers +venerability +venerability's +venerable +venerate +venerated +venerates +venerating +veneration +veneration's +venereal +Venetian +Venetian's +Venetians +Venezuela +Venezuelan +Venezuelan's +Venezuelans +Venezuela's +vengeance +vengeance's +vengeful +vengefully +venial +Venice +Venice's +venireman +venireman's +veniremen +venison +venison's +Venn +Venn's +venom +venomous +venomously +venom's +venous +vent +vented +ventilate +ventilated +ventilates +ventilating +ventilation +ventilation's +ventilator +ventilator's +ventilators +venting +Ventolin +Ventolin's +ventral +ventricle +ventricle's +ventricles +ventricular +ventriloquism +ventriloquism's +ventriloquist +ventriloquist's +ventriloquists +ventriloquy +ventriloquy's +vent's +vents +venture +ventured +venture's +ventures +venturesome +venturesomely +venturesomeness +venturesomeness's +venturing +venturous +venturously +venturousness +venturousness's +venue +venue's +venues +Venus +Venuses +Venusian +Venusian's +Venus's +Vera +veracious +veraciously +veracity +veracity's +Veracruz +Veracruz's +veranda +veranda's +verandas +Vera's +verb +verbal +verbalization +verbalization's +verbalize +verbalized +verbalizes +verbalizing +verbally +verbal's +verbals +verbatim +verbena +verbena's +verbenas +verbiage +verbiage's +verbiages +verbose +verbosely +verbosity +verbosity's +verboten +verb's +verbs +verdant +verdantly +Verde +Verde's +Verdi +verdict +verdict's +verdicts +verdigris +verdigrised +verdigrises +verdigrising +verdigris's +Verdi's +Verdun +Verdun's +verdure +verdure's +verge +verged +verger +verger's +vergers +verge's +verges +verging +verier +veriest +verifiable +verification +verification's +verified +verifies +verify +verifying +verily +verisimilitude +verisimilitude's +veritable +veritably +verities +verity +verity's +Verizon +Verizon's +Verlaine +Verlaine's +Vermeer +Vermeer's +vermicelli +vermicelli's +vermiculite +vermiculite's +vermiform +vermilion +vermilion's +vermin +verminous +vermin's +Vermont +Vermonter +Vermonter's +Vermonters +Vermont's +vermouth +vermouth's +Vern +Verna +vernacular +vernacular's +vernaculars +vernal +Verna's +Verne +Verne's +vernier +vernier's +verniers +Vernon +Vernon's +Vern's +Verona +Verona's +Veronese +Veronese's +Veronica +veronica +Veronica's +veronica's +verruca +verrucae +verruca's +verrucas +versa +Versailles +Versailles's +versatile +versatility +versatility's +verse +versed +verse's +verses +versification +versification's +versified +versifier +versifier's +versifiers +versifies +versify +versifying +versing +version +versioned +versioning +version's +versions +verso +verso's +versos +versus +vert +vertebra +vertebrae +vertebral +vertebra's +vertebrate +vertebrate's +vertebrates +vertex +vertexes +vertex's +vertical +vertically +vertical's +verticals +vertices +vertiginous +vertigo +vertigo's +verve +verve's +very +Vesalius +Vesalius's +vesicle +vesicle's +vesicles +vesicular +vesiculate +Vespasian +Vespasian's +vesper +vesper's +vespers +Vespucci +Vespucci's +vessel +vessel's +vessels +vest +Vesta +vestal +vestal's +vestals +Vesta's +vested +vestibule +vestibule's +vestibules +vestige +vestige's +vestiges +vestigial +vestigially +vesting +vesting's +vestment +vestment's +vestments +vestries +vestry +vestryman +vestryman's +vestrymen +vestry's +vest's +vests +Vesuvius +Vesuvius's +vet +vetch +vetches +vetch's +veteran +veteran's +veterans +veterinarian +veterinarian's +veterinarians +veterinaries +veterinary +veterinary's +veto +vetoed +vetoes +vetoing +veto's +vet's +vets +vetted +vetting +vex +vexation +vexation's +vexations +vexatious +vexatiously +vexed +vexes +vexing +VF +VFW +VFW's +VG +VGA +VHF +vhf +VHF's +VHS +VI +vi +via +viability +viability's +viable +viably +Viacom +Viacom's +viaduct +viaduct's +viaducts +Viagra +Viagra's +vial +vial's +vials +viand +viand's +viands +vibe +vibe's +vibes +vibes's +vibraharp +vibraharp's +vibraharps +vibrancy +vibrancy's +vibrant +vibrantly +vibraphone +vibraphone's +vibraphones +vibraphonist +vibraphonist's +vibraphonists +vibrate +vibrated +vibrates +vibrating +vibration +vibration's +vibrations +vibrato +vibrator +vibrator's +vibrators +vibratory +vibrato's +vibratos +viburnum +viburnum's +viburnums +Vic +vicar +vicarage +vicarage's +vicarages +vicarious +vicariously +vicariousness +vicariousness's +vicar's +vicars +vice +viced +vicegerent +vicegerent's +vicegerents +vicennial +Vicente +Vicente's +viceregal +viceroy +viceroy's +viceroys +vice's +vices +Vichy +Vichy's +vichyssoise +vichyssoise's +vicing +vicinity +vicinity's +vicious +viciously +viciousness +viciousness's +vicissitude +vicissitude's +vicissitudes +Vicki +Vickie +Vickie's +Vicki's +Vicksburg +Vicksburg's +Vicky +Vicky's +Vic's +victim +victimization +victimization's +victimize +victimized +victimizes +victimizing +victimless +victim's +victims +Victor +victor +Victoria +Victorian +Victorianism +Victorian's +Victorians +Victoria's +victories +victorious +victoriously +Victor's +victor's +victors +victory +victory's +Victrola +Victrola's +victual +victualed +victualing +victual's +victuals +vicuña +vicuña's +vicuñas +vicuna +vicuna's +vicunas +Vidal +Vidal's +videlicet +video +videocassette +videocassette's +videocassettes +videoconferencing +videodisc +videodisc's +videodiscs +videoed +videoing +videophone +videophone's +videophones +video's +videos +videotape +videotaped +videotape's +videotapes +videotaping +videotex +vie +vied +Vienna +Vienna's +Viennese +Viennese's +Vientiane +Vientiane's +vies +Vietcong +Vietcong's +Vietminh +Vietminh's +Vietnam +Vietnamese +Vietnamese's +Vietnam's +view +viewed +viewer +viewer's +viewers +viewership +viewership's +viewfinder +viewfinder's +viewfinders +viewing +viewing's +viewings +viewpoint +viewpoint's +viewpoints +view's +views +vigesimal +vigil +vigilance +vigilance's +vigilant +vigilante +vigilante's +vigilantes +vigilantism +vigilantism's +vigilantist +vigilantist's +vigilantly +vigil's +vigils +vignette +vignetted +vignette's +vignettes +vignetting +vignettist +vignettist's +vignettists +vigor +vigorous +vigorously +vigor's +vii +viii +Vijayanagar +Vijayanagar's +Vijayawada +Vijayawada's +Viking +viking +Viking's +Vikings +viking's +vikings +Vila +Vila's +vile +vilely +vileness +vileness's +viler +vilest +vilification +vilification's +vilified +vilifies +vilify +vilifying +Villa +villa +village +villager +villager's +villagers +village's +villages +villain +villainies +villainous +villain's +villains +villainy +villainy's +Villarreal +Villarreal's +Villa's +villa's +villas +villein +villeinage +villeinage's +villein's +villeins +villi +Villon +Villon's +villus +villus's +Vilma +Vilma's +Vilnius +Vilnius's +Vilyui +Vilyui's +vim +vim's +vinaigrette +vinaigrette's +Vince +Vincent +Vincent's +Vince's +vincible +Vindemiatrix +Vindemiatrix's +vindicate +vindicated +vindicates +vindicating +vindication +vindication's +vindications +vindicator +vindicator's +vindicators +vindictive +vindictively +vindictiveness +vindictiveness's +vine +vinegar +vinegar's +vinegary +vine's +vines +vineyard +vineyard's +vineyards +vino +vino's +vinous +Vinson +Vinson's +vintage +vintage's +vintages +vintner +vintner's +vintners +vinyl +vinyl's +vinyls +viol +Viola +viola +violable +Viola's +viola's +violas +violate +violated +violates +violating +violation +violation's +violations +violator +violator's +violators +violence +violence's +violent +violently +Violet +violet +Violet's +violet's +violets +violin +violincello +violincellos +violinist +violinist's +violinists +violin's +violins +violist +violist's +violists +violoncellist +violoncellist's +violoncellists +violoncello +violoncello's +violoncellos +viol's +viols +VIP +viper +viperous +viper's +vipers +VIP's +VIPs +virago +viragoes +virago's +viral +vireo +vireo's +vireos +Virgie +Virgie's +Virgil +Virgil's +virgin +virginal +virginal's +virginals +Virginia +Virginian +Virginian's +Virginians +Virginia's +virginity +virginity's +virgin's +virgins +Virgo +Virgo's +Virgos +virgule +virgule's +virgules +virile +virility +virility's +virologist +virologist's +virologists +virology +virology's +virtual +virtualization +virtually +virtue +virtue's +virtues +virtuosity +virtuosity's +virtuoso +virtuoso's +virtuous +virtuously +virtuousness +virtuousness's +virulence +virulence's +virulent +virulently +virus +viruses +virus's +VI's +Visa +visa +visaed +visage +visage's +visages +visaing +Visa's +visa's +visas +Visayans +Visayans's +viscera +visceral +viscerally +viscid +viscose +viscose's +viscosity +viscosity's +viscount +viscountcies +viscountcy +viscountcy's +viscountess +viscountesses +viscountess's +viscount's +viscounts +viscous +viscus +viscus's +vise +vised +vise's +vises +Vishnu +Vishnu's +visibility +visibility's +visible +visibly +Visigoth +Visigoth's +Visigoths +vising +vision +visionaries +visionary +visionary's +visioned +visioning +vision's +visions +visit +visitant +visitant's +visitants +visitation +visitation's +visitations +visited +visiting +visitor +visitor's +visitors +visit's +visits +visor +visor's +visors +VISTA +vista +vista's +vistas +Vistula +Vistula's +visual +visualization +visualization's +visualizations +visualize +visualized +visualizer +visualizer's +visualizers +visualizes +visualizing +visually +visual's +visuals +vita +vitae +vital +vitality +vitality's +vitalization +vitalization's +vitalize +vitalized +vitalizes +vitalizing +vitally +vitals +vitals's +vitamin +vitamin's +vitamins +vita's +vitiate +vitiated +vitiates +vitiating +vitiation +vitiation's +viticulture +viticulture's +viticulturist +viticulturist's +viticulturists +Vitim +Vitim's +Vito +Vito's +vitreous +vitrifaction +vitrifaction's +vitrification +vitrification's +vitrified +vitrifies +vitrify +vitrifying +vitrine +vitrine's +vitrines +vitriol +vitriolic +vitriolically +vitriol's +vittles +vittles's +vituperate +vituperated +vituperates +vituperating +vituperation +vituperation's +vituperative +Vitus +Vitus's +viva +vivace +vivacious +vivaciously +vivaciousness +vivaciousness's +vivacity +vivacity's +Vivaldi +Vivaldi's +vivaria +vivarium +vivarium's +vivariums +viva's +vivas +Vivekananda +Vivekananda's +Vivian +Vivian's +vivid +vivider +vividest +vividly +vividness +vividness's +Vivienne +Vivienne's +vivified +vivifies +vivify +vivifying +viviparous +vivisect +vivisected +vivisecting +vivisection +vivisectional +vivisectionist +vivisectionist's +vivisectionists +vivisection's +vivisects +vixen +vixenish +vixenishly +vixen's +vixens +viz +vizier +vizier's +viziers +VJ +Vlad +Vladimir +Vladimir's +Vladivostok +Vladivostok's +Vlad's +Vlaminck +Vlaminck's +Vlasic +Vlasic's +VLF +vlf +VLF's +VOA +vocab +vocable +vocable's +vocables +vocabularies +vocabulary +vocabulary's +vocal +vocalic +vocalist +vocalist's +vocalists +vocalization +vocalization's +vocalizations +vocalize +vocalized +vocalizes +vocalizing +vocally +vocal's +vocals +vocation +vocational +vocationally +vocation's +vocations +vocative +vocative's +vocatives +vociferate +vociferated +vociferates +vociferating +vociferation +vociferation's +vociferous +vociferously +vociferousness +vociferousness's +vodka +vodka's +vodkas +Vogue +vogue +Vogue's +vogue's +vogues +voguish +voice +voiced +voiceless +voicelessly +voicelessness +voicelessness's +voicemail +voicemail's +voicemails +voice's +voices +voicing +void +voidable +voided +voiding +void's +voids +voilà +voila +voile +voile's +VoIP +vol +volatile +volatility +volatility's +volatilize +volatilized +volatilizes +volatilizing +volcanic +volcano +volcanoes +volcano's +Volcker +Volcker's +Voldemort +Voldemort's +vole +vole's +voles +Volga +Volga's +Volgograd +Volgograd's +volition +volitional +volition's +Volkswagen +Volkswagen's +volley +volleyball +volleyball's +volleyballs +volleyed +volleying +volley's +volleys +vols +Volstead +Volstead's +volt +Volta +voltage +voltage's +voltages +voltaic +Voltaire +Voltaire's +Volta's +voltmeter +voltmeter's +voltmeters +volt's +volts +volubility +volubility's +voluble +volubly +volume +volume's +volumes +volumetric +voluminous +voluminously +voluminousness +voluminousness's +voluntaries +voluntarily +voluntarism +voluntarism's +voluntary +voluntary's +volunteer +volunteered +volunteering +volunteerism +volunteerism's +volunteer's +volunteers +voluptuaries +voluptuary +voluptuary's +voluptuous +voluptuously +voluptuousness +voluptuousness's +volute +volute's +volutes +Volvo +Volvo's +vomit +vomited +vomiting +vomit's +vomits +Vonda +Vonda's +Vonnegut +Vonnegut's +voodoo +voodooed +voodooing +voodooism +voodooism's +voodoo's +voodoos +voracious +voraciously +voraciousness +voraciousness's +voracity +voracity's +Voronezh +Voronezh's +Vorster +Vorster's +vortex +vortexes +vortex's +votaries +votary +votary's +vote +voted +voter +voter's +voters +vote's +votes +voting +votive +vouch +vouched +voucher +voucher's +vouchers +vouches +vouching +vouchsafe +vouchsafed +vouchsafes +vouchsafing +vow +vowed +vowel +vowel's +vowels +vowing +vow's +vows +voyage +voyaged +Voyager +voyager +Voyager's +voyager's +voyagers +voyage's +voyages +voyageur +voyageur's +voyageurs +voyaging +voyeur +voyeurism +voyeurism's +voyeuristic +voyeur's +voyeurs +VP +V's +vs +VT +Vt +VTOL +Vuitton +Vuitton's +Vulcan +vulcanization +vulcanization's +vulcanize +vulcanized +vulcanizes +vulcanizing +Vulcan's +Vulg +vulgar +vulgarer +vulgarest +vulgarian +vulgarian's +vulgarians +vulgarism +vulgarism's +vulgarisms +vulgarities +vulgarity +vulgarity's +vulgarization +vulgarization's +vulgarize +vulgarized +vulgarizer +vulgarizer's +vulgarizers +vulgarizes +vulgarizing +vulgarly +Vulgate +Vulgate's +Vulgates +vulnerabilities +vulnerability +vulnerability's +vulnerable +vulnerably +vulpine +vulture +vulture's +vultures +vulturous +vulva +vulvae +vulva's +vuvuzela +vuvuzela's +vuvuzelas +vying +W +w +WA +Wabash +Wabash's +wabbit +wabbits +WAC +Wac +wack +wacker +wackest +wackier +wackiest +wackiness +wackiness's +wacko +wacko's +wackos +wack's +wacks +wacky +Waco +Waco's +wad +wadded +wadding +wadding's +waddle +waddled +waddle's +waddles +waddling +Wade +wade +waded +wader +wader's +waders +waders's +Wade's +wade's +wades +wadge +wadges +wadi +wading +wadi's +wadis +wad's +wads +wafer +wafer's +wafers +waffle +waffled +waffler +waffler's +wafflers +waffle's +waffles +waffling +waft +wafted +wafting +waft's +wafts +wag +wage +waged +wager +wagered +wagerer +wagerer's +wagerers +wagering +wager's +wagers +wage's +wages +wagged +waggeries +waggery +waggery's +wagging +waggish +waggishly +waggishness +waggishness's +waggle +waggled +waggle's +waggles +waggling +waging +Wagner +Wagnerian +Wagnerian's +Wagner's +wagon +wagoner +wagoner's +wagoners +wagon's +wagons +wag's +wags +wagtail +wagtail's +wagtails +Wahhabi +Wahhabi's +waif +waif's +waifs +Waikiki +Waikiki's +wail +wailed +wailer +wailer's +wailers +wailing +wailing's +wail's +wails +wain +wain's +wains +wainscot +wainscoted +wainscoting +wainscoting's +wainscotings +wainscot's +wainscots +wainwright +wainwright's +wainwrights +waist +waistband +waistband's +waistbands +waistcoat +waistcoat's +waistcoats +waistline +waistline's +waistlines +waist's +waists +wait +Waite +waited +waiter +waiter's +waiters +Waite's +waiting +waiting's +waitperson +waitperson's +waitpersons +waitress +waitresses +waitress's +wait's +waits +waitstaff +waitstaff's +waive +waived +waiver +waiver's +waivers +waives +waiving +Wake +wake +waked +wakeful +wakefully +wakefulness +wakefulness's +waken +wakened +wakening +wakens +Wake's +wake's +wakes +waking +wakings +Waksman +Waksman's +Wald +Waldemar +Waldemar's +Walden +Walden's +Waldensian +Waldensian's +Waldheim +Waldheim's +Waldo +waldo +waldoes +Waldorf +Waldorf's +Waldo's +waldos +Wald's +wale +waled +Wales +wale's +wales +Walesa +Walesa's +Wales's +Walgreen +Walgreen's +waling +walk +walkabout +walkabouts +walkaway +walkaway's +walkaways +walked +Walker +walker +Walker's +walker's +walkers +walkies +walking +walking's +Walkman +Walkman's +walkout +walkout's +walkouts +walkover +walkover's +walkovers +walk's +walks +walkway +walkway's +walkways +Wall +wall +wallabies +wallaby +wallaby's +Wallace +Wallace's +wallah +wallahs +wallboard +wallboard's +walled +Wallenstein +Wallenstein's +Waller +Waller's +wallet +wallet's +wallets +walleye +walleyed +walleye's +walleyes +wallflower +wallflower's +wallflowers +wallies +walling +Wallis +Wallis's +Walloon +Walloon's +wallop +walloped +walloping +walloping's +wallopings +wallop's +wallops +wallow +wallowed +wallowing +wallow's +wallows +wallpaper +wallpapered +wallpapering +wallpaper's +wallpapers +Wall's +Walls +wall's +walls +Walls's +wally +Walmart +Walmart's +walnut +walnut's +walnuts +Walpole +Walpole's +Walpurgisnacht +Walpurgisnacht's +walrus +walruses +walrus's +Walsh +Walsh's +Walt +Walter +Walter's +Walters +Walters's +Walton +Walton's +Walt's +waltz +waltzed +waltzer +waltzer's +waltzers +waltzes +waltzing +waltz's +wampum +wampum's +wan +Wanamaker +Wanamaker's +wand +Wanda +Wanda's +wander +wandered +wanderer +wanderer's +wanderers +wandering +wanderings +wanderings's +wanderlust +wanderlust's +wanderlusts +wanders +wand's +wands +wane +waned +wane's +wanes +Wang +wangle +wangled +wangler +wangler's +wanglers +wangle's +wangles +wangling +Wang's +waning +wank +wanked +Wankel +Wankel's +wanker +wankers +wanking +wanks +wanly +wanna +wannabe +wannabee +wannabees +wannabe's +wannabes +wanner +wanness +wanness's +wannest +want +wanted +wanting +wanton +wantoned +wantoning +wantonly +wantonness +wantonness's +wanton's +wantons +want's +wants +wapiti +wapiti's +wapitis +war +warble +warbled +warbler +warbler's +warblers +warble's +warbles +warbling +warbonnet +warbonnet's +warbonnets +Ward +ward +warded +warden +warden's +wardens +warder +warder's +warders +warding +wardress +wardresses +wardrobe +wardrobe's +wardrobes +wardroom +wardroom's +wardrooms +Ward's +ward's +wards +Ware +ware +warehouse +warehoused +warehouse's +warehouses +warehousing +Ware's +ware's +wares +warez +warfare +warfare's +warhead +warhead's +warheads +Warhol +Warhol's +warhorse +warhorse's +warhorses +warier +wariest +warily +wariness +wariness's +Waring +Waring's +warlike +warlock +warlock's +warlocks +warlord +warlord's +warlords +warm +warmblooded +warmed +warmer +warmer's +warmers +warmest +warmhearted +warmheartedness +warmheartedness's +warming +warmish +warmly +warmness +warmness's +warmonger +warmongering +warmongering's +warmonger's +warmongers +warms +warmth +warmth's +warn +warned +Warner +Warner's +warning +warning's +warnings +warns +warp +warpaint +warpath +warpath's +warpaths +warped +warping +warplane +warplane's +warplanes +warp's +warps +warrant +warranted +warrantied +warranties +warranting +warrant's +warrants +warranty +warrantying +warranty's +warred +Warren +warren +Warren's +warren's +warrens +warring +warrior +warrior's +warriors +war's +wars +Warsaw +Warsaw's +warship +warship's +warships +wart +warthog +warthog's +warthogs +wartier +wartiest +wartime +wartime's +wart's +warts +warty +Warwick +Warwick's +wary +was +wasabi +Wasatch +Wasatch's +Wash +wash +washable +washable's +washables +washbasin +washbasin's +washbasins +washboard +washboard's +washboards +washbowl +washbowl's +washbowls +washcloth +washcloth's +washcloths +washed +washer +washer's +washers +washerwoman +washerwoman's +washerwomen +washes +washier +washiest +washing +washing's +washings +Washington +Washingtonian +Washingtonian's +Washingtonians +Washington's +washout +washout's +washouts +washrag +washrag's +washrags +washroom +washroom's +washrooms +Wash's +wash's +washstand +washstand's +washstands +washtub +washtub's +washtubs +washy +wasn't +WASP +wasp +waspish +waspishly +waspishness +waspishness's +WASP's +wasp's +wasps +wassail +wassailed +wassailing +wassail's +wassails +Wassermann +Wassermann's +wast +wastage +wastage's +waste +wastebasket +wastebasket's +wastebaskets +wasted +wasteful +wastefully +wastefulness +wastefulness's +wasteland +wasteland's +wastelands +wastepaper +wastepaper's +waster +waster's +wasters +waste's +wastes +wastewater +wasting +wastrel +wastrel's +wastrels +watch +watchable +watchband +watchband's +watchbands +watchdog +watchdog's +watchdogs +watched +watcher +watcher's +watchers +watches +watchful +watchfully +watchfulness +watchfulness's +watching +watchmaker +watchmaker's +watchmakers +watchmaking +watchmaking's +watchman +watchman's +watchmen +watch's +watchstrap +watchstraps +watchtower +watchtower's +watchtowers +watchword +watchword's +watchwords +water +waterbed +waterbed's +waterbeds +waterbird +waterbird's +waterbirds +waterboard +waterboarded +waterboarding +waterboarding's +waterboardings +waterboard's +waterboards +waterborne +Waterbury +Waterbury's +watercolor +watercolor's +watercolors +watercourse +watercourse's +watercourses +watercraft +watercraft's +watercress +watercress's +watered +waterfall +waterfall's +waterfalls +Waterford +Waterford's +waterfowl +waterfowl's +waterfowls +waterfront +waterfront's +waterfronts +Watergate +Watergate's +waterhole +waterhole's +waterholes +waterier +wateriest +wateriness +wateriness's +watering +waterlilies +waterlily +waterlily's +waterline +waterline's +waterlines +waterlogged +Waterloo +Waterloo's +Waterloos +watermark +watermarked +watermarking +watermark's +watermarks +watermelon +watermelon's +watermelons +watermill +watermill's +watermills +waterproof +waterproofed +waterproofing +waterproofing's +waterproof's +waterproofs +Waters +water's +waters +watershed +watershed's +watersheds +waterside +waterside's +watersides +waterspout +waterspout's +waterspouts +Waters's +waters's +watertight +waterway +waterway's +waterways +waterwheel +waterwheel's +waterwheels +waterworks +waterworks's +watery +Watkins +Watkins's +WATS +Watson +Watson's +WATS's +Watt +watt +wattage +wattage's +Watteau +Watteau's +wattle +wattled +wattle's +wattles +wattling +Watt's +Watts +watt's +watts +Watts's +Watusi +Watusi's +Waugh +Waugh's +Wave +wave +waveband +wavebands +waved +waveform +wavefront +wavelength +wavelength's +wavelengths +wavelet +wavelet's +wavelets +wavelike +waver +wavered +waverer +waverer's +waverers +wavering +waveringly +waver's +wavers +wave's +waves +wavier +waviest +waviness +waviness's +waving +wavy +wax +waxed +waxen +waxes +waxier +waxiest +waxiness +waxiness's +waxing +wax's +waxwing +waxwing's +waxwings +waxwork +waxwork's +waxworks +waxy +way +waybill +waybill's +waybills +wayfarer +wayfarer's +wayfarers +wayfaring +wayfaring's +wayfarings +waylaid +waylay +waylayer +waylayer's +waylayers +waylaying +waylays +Wayne +Wayne's +way's +ways +wayside +wayside's +waysides +wayward +waywardly +waywardness +waywardness's +wazoo +wazoos +WC +we +weak +weaken +weakened +weakener +weakener's +weakeners +weakening +weakens +weaker +weakest +weakfish +weakfishes +weakfish's +weakish +weakling +weakling's +weaklings +weakly +weakness +weaknesses +weakness's +weal +weal's +weals +wealth +wealthier +wealthiest +wealthiness +wealthiness's +wealth's +wealthy +wean +weaned +weaning +weans +weapon +weaponize +weaponized +weaponizes +weaponizing +weaponless +weaponry +weaponry's +weapon's +weapons +wear +wearable +wearer +wearer's +wearers +wearied +wearier +wearies +weariest +wearily +weariness +weariness's +wearing +wearings +wearisome +wearisomely +wear's +wears +weary +wearying +weasel +weaseled +weaseling +weaselly +weasel's +weasels +weather +weatherboard +weatherboarding +weatherboards +weathercock +weathercock's +weathercocks +weathered +weathering +weathering's +weatherization +weatherization's +weatherize +weatherized +weatherizes +weatherizing +weatherman +weatherman's +weathermen +weatherperson +weatherperson's +weatherpersons +weatherproof +weatherproofed +weatherproofing +weatherproofs +weather's +weathers +weatherstrip +weatherstripped +weatherstripping +weatherstripping's +weatherstrips +weave +weaved +Weaver +weaver +Weaver's +weaver's +weavers +weave's +weaves +weaving +weaving's +Web +web +Webb +webbed +webbing +webbing's +Webb's +webcam +webcam's +webcams +webcast +webcasting +webcast's +webcasts +Weber +Webern +Webern's +Weber's +webfeet +webfoot +webfoot's +webinar +webinar's +webinars +webisode +webisode's +webisodes +weblog +weblog's +weblogs +webmaster +webmaster's +webmasters +webmistress +webmistresses +webmistress's +Web's +web's +webs +website +website's +websites +Webster +Webster's +Websters +Wed +we'd +wed +wedded +Weddell +Weddell's +wedder +wedding +wedding's +weddings +wedge +wedged +wedge's +wedges +wedgie +wedgie's +wedgies +wedging +Wedgwood +Wedgwood's +wedlock +wedlock's +Wednesday +Wednesday's +Wednesdays +Wed's +weds +wee +weed +weeded +weeder +weeder's +weeders +weedier +weediest +weeding +weedkiller +weedkillers +weedless +weed's +weeds +weedy +weeing +week +weekday +weekday's +weekdays +weekend +weekended +weekender +weekenders +weekending +weekend's +weekends +weeklies +weekly +weekly's +weeknight +weeknight's +weeknights +Weeks +week's +weeks +Weeks's +ween +weened +weenie +weenier +weenie's +weenies +weeniest +weening +weens +weensier +weensiest +weensy +weeny +weep +weeper +weeper's +weepers +weepie +weepier +weepies +weepiest +weeping +weepings +weep's +weeps +weepy +weepy's +weer +wee's +wees +weest +weevil +weevil's +weevils +weft +weft's +wefts +Wehrmacht +Wehrmacht's +Wei +Weierstrass +Weierstrass's +weigh +weighbridge +weighbridges +weighed +weighing +weigh's +weighs +weight +weighted +weightier +weightiest +weightily +weightiness +weightiness's +weighting +weightings +weightless +weightlessly +weightlessness +weightlessness's +weightlifter +weightlifter's +weightlifters +weightlifting +weightlifting's +weight's +weights +weighty +Weill +Weill's +Weinberg +Weinberg's +weir +weird +weirder +weirdest +weirdie +weirdie's +weirdies +weirdly +weirdness +weirdness's +weirdo +weirdo's +weirdos +weir's +weirs +Wei's +Weiss +Weissmuller +Weissmuller's +Weiss's +Weizmann +Weizmann's +welcome +welcomed +welcome's +welcomes +welcoming +weld +weldable +welded +welder +welder's +welders +welding +Weldon +Weldon's +weld's +welds +welfare +welfare's +welkin +welkin's +we'll +well +Welland +Welland's +welled +Weller +Weller's +Welles +Welles's +wellhead +wellhead's +wellheads +wellie +wellies +welling +Wellington +wellington +Wellington's +Wellingtons +wellington's +wellingtons +wellness +wellness's +Wells +well's +wells +wellspring +wellspring's +wellsprings +Wells's +welly +Welsh +welsh +welshed +welsher +welsher's +welshers +welshes +welshing +Welshman +Welshman's +Welshmen +Welshmen's +Welsh's +Welshwoman +welt +welted +welter +weltered +weltering +welter's +welters +welterweight +welterweight's +welterweights +welting +welt's +welts +wen +wench +wenches +wench's +wend +wended +Wendell +Wendell's +Wendi +wending +Wendi's +wends +Wendy +Wendy's +wen's +wens +went +wept +we're +were +weren't +werewolf +werewolf's +werewolves +Wesak +Wesak's +Wesley +Wesleyan +Wesleyan's +Wesley's +Wessex +Wessex's +Wesson +Wesson's +West +west +westbound +westerlies +westerly +westerly's +Western +western +Westerner +westerner +westerner's +westerners +westernization +westernization's +westernize +westernized +westernizes +westernizing +westernmost +Western's +Westerns +western's +westerns +Westinghouse +Westinghouse's +Westminster +Westminster's +Weston +Weston's +Westphalia +Westphalia's +West's +Wests +west's +westward +westwards +wet +wetback +wetback's +wetbacks +wetland +wetland's +wetlands +wetly +wetness +wetness's +wet's +wets +wetter +wetter's +wetters +wettest +wetting +wetware +wetwares +we've +Weyden +Weyden's +Wezen +Wezen's +whack +whacked +whacker +whacker's +whackers +whacking +whackings +whack's +whacks +whale +whaleboat +whaleboat's +whaleboats +whalebone +whalebone's +whaled +whaler +whaler's +whalers +whale's +whales +whaling +whaling's +wham +whammed +whammies +whamming +whammy +whammy's +wham's +whams +wharf +wharf's +Wharton +Wharton's +wharves +what +whatchamacallit +whatchamacallit's +whatchamacallits +whatever +whatnot +whatnot's +what's +whats +whatshername +whatshisname +whatsit +whatsits +whatsoever +wheal +wheal's +wheals +wheat +wheaten +wheatgerm +Wheaties +Wheaties's +wheatmeal +wheat's +Wheatstone +Wheatstone's +whee +wheedle +wheedled +wheedler +wheedler's +wheedlers +wheedles +wheedling +wheel +wheelbarrow +wheelbarrow's +wheelbarrows +wheelbase +wheelbase's +wheelbases +wheelchair +wheelchair's +wheelchairs +wheeled +Wheeler +wheeler +Wheeler's +wheelhouse +wheelhouse's +wheelhouses +wheelie +wheelie's +wheelies +Wheeling +wheeling +Wheeling's +wheel's +wheels +wheelwright +wheelwright's +wheelwrights +wheeze +wheezed +wheeze's +wheezes +wheezier +wheeziest +wheezily +wheeziness +wheeziness's +wheezing +wheezy +whelk +whelked +whelk's +whelks +whelm +whelmed +whelming +whelms +whelp +whelped +whelping +whelp's +whelps +when +whence +whenever +when's +whens +whensoever +where +whereabouts +whereabouts's +whereas +whereat +whereby +wherefore +wherefore's +wherefores +wherein +whereof +whereon +where's +wheres +wheresoever +whereto +whereupon +wherever +wherewith +wherewithal +wherewithal's +wherries +wherry +wherry's +whet +whether +whets +whetstone +whetstone's +whetstones +whetted +whetting +whew +whey +whey's +which +whichever +whiff +whiffed +whiffing +whiffletree +whiffletree's +whiffletrees +whiff's +whiffs +Whig +Whig's +Whigs +while +whiled +while's +whiles +whiling +whilom +whilst +whim +whimper +whimpered +whimpering +whimper's +whimpers +whim's +whims +whimsical +whimsicality +whimsicality's +whimsically +whimsies +whimsy +whimsy's +whine +whined +whiner +whiner's +whiners +whine's +whines +whinge +whinged +whingeing +whinger +whingers +whinges +whinging +whinier +whiniest +whining +whinnied +whinnies +whinny +whinnying +whinny's +whiny +whip +whipcord +whipcord's +whiplash +whiplashes +whiplash's +whipped +whipper +whipper's +whippers +whippersnapper +whippersnapper's +whippersnappers +whippet +whippet's +whippets +whipping +whipping's +whippings +Whipple +Whipple's +whippletree +whippletree's +whippletrees +whippoorwill +whippoorwill's +whippoorwills +whip's +whips +whipsaw +whipsawed +whipsawing +whipsaw's +whipsaws +whir +whirl +whirled +whirligig +whirligig's +whirligigs +whirling +Whirlpool +whirlpool +Whirlpool's +whirlpool's +whirlpools +whirl's +whirls +whirlwind +whirlwind's +whirlwinds +whirlybird +whirlybird's +whirlybirds +whirred +whirring +whir's +whirs +whisk +whisked +whisker +whiskered +whisker's +whiskers +whiskery +whiskey +whiskey's +whiskeys +whisking +whisk's +whisks +whiskys +whisper +whispered +whisperer +whisperer's +whisperers +whispering +whisper's +whispers +whist +whistle +whistled +Whistler +whistler +Whistler's +whistler's +whistlers +whistle's +whistles +whistling +whist's +whit +Whitaker +Whitaker's +White +white +whitebait +whiteboard +whiteboards +whitecap +whitecap's +whitecaps +whited +Whitefield +Whitefield's +whitefish +whitefishes +whitefish's +Whitehall +Whitehall's +Whitehead +whitehead +Whitehead's +whitehead's +whiteheads +Whitehorse +Whitehorse's +Whiteley +Whiteley's +whiten +whitened +whitener +whitener's +whiteners +whiteness +whiteness's +whitening +whitening's +whitenings +whitens +whiteout +whiteout's +whiteouts +whiter +White's +Whites +white's +whites +whitest +whitetail +whitetail's +whitetails +whitewall +whitewall's +whitewalls +whitewash +whitewashed +whitewashes +whitewashing +whitewash's +whitewater +whitewater's +whitey +whitey's +whiteys +Whitfield +Whitfield's +whither +whiting +whiting's +whitings +whitish +Whitley +Whitley's +Whitman +Whitman's +Whitney +Whitney's +whit's +whits +Whitsunday +Whitsunday's +Whitsundays +Whittier +Whittier's +whittle +whittled +whittler +whittler's +whittlers +whittles +whittling +whiz +whizkid +whizkid's +whiz's +whizzbang +whizzbang's +whizzbangs +whizzed +whizzes +whizzing +WHO +who +whoa +who'd +whodunit +whodunit's +whodunits +whoever +whole +wholefood +wholefoods +wholegrain +wholehearted +wholeheartedly +wholeheartedness +wholeheartedness's +wholemeal +wholeness +wholeness's +whole's +wholes +wholesale +wholesaled +wholesaler +wholesaler's +wholesalers +wholesale's +wholesales +wholesaling +wholesome +wholesomely +wholesomeness +wholesomeness's +wholewheat +who'll +wholly +whom +whomever +whomsoever +whoop +whooped +whoopee +whoopees +whooper +whooper's +whoopers +whooping +whoop's +whoops +whoosh +whooshed +whooshes +whooshing +whoosh's +whop +whopped +whopper +whopper's +whoppers +whopping +whops +who're +whore +whorehouse +whorehouse's +whorehouses +whoreish +whore's +whores +whoring +whorish +whorl +whorled +whorl's +whorls +WHO's +who's +whose +whoso +whosoever +who've +whup +whupped +whupping +whups +why +why'd +why's +whys +WI +Wicca +Wicca's +Wichita +Wichita's +wick +wicked +wickeder +wickedest +wickedly +wickedness +wickedness's +wicker +wicker's +wickers +wickerwork +wickerwork's +wicket +wicket's +wickets +wick's +wicks +wide +widely +widemouthed +widen +widened +widener +widener's +wideners +wideness +wideness's +widening +widens +wider +widescreen +widescreen's +widescreens +widespread +widest +widget +widgets +widow +widowed +widower +widower's +widowers +widowhood +widowhood's +widowing +widow's +widows +width +width's +widths +wield +wielded +wielder +wielder's +wielders +wielding +wields +Wiemar +Wiemar's +wiener +wiener's +wieners +wienie +wienie's +wienies +Wiesel +Wiesel's +Wiesenthal +Wiesenthal's +wife +wifeless +wifely +wife's +WiFi +wig +wigeon +wigeon's +wigged +wigging +Wiggins +Wiggins's +wiggle +wiggled +wiggler +wiggler's +wigglers +wiggle's +wiggles +wigglier +wiggliest +wiggling +wiggly +wight +wight's +wights +wiglet +wiglet's +wiglets +Wigner +Wigner's +wig's +wigs +wigwag +wigwagged +wigwagging +wigwag's +wigwags +wigwam +wigwam's +wigwams +Wii +Wii's +wiki +Wikileaks +Wikipedia +Wikipedia's +wiki's +wikis +Wilberforce +Wilberforce's +Wilbert +Wilbert's +Wilbur +Wilburn +Wilburn's +Wilbur's +Wilcox +Wilcox's +wild +Wilda +Wilda's +wildcard +wildcard's +wildcards +wildcat +wildcat's +wildcats +wildcatted +wildcatter +wildcatter's +wildcatters +wildcatting +Wilde +wildebeest +wildebeest's +wildebeests +Wilder +wilder +wilderness +wildernesses +wilderness's +Wilder's +Wilde's +wildest +wildfire +wildfire's +wildfires +wildflower +wildflower's +wildflowers +wildfowl +wildfowl's +wildlife +wildlife's +wildly +wildness +wildness's +wild's +wilds +wilds's +wile +wiled +Wiles +wile's +wiles +Wiles's +Wiley +Wiley's +Wilford +Wilford's +Wilfred +Wilfredo +Wilfredo's +Wilfred's +Wilhelm +Wilhelmina +Wilhelmina's +Wilhelm's +wilier +wiliest +wiliness +wiliness's +wiling +Wilkerson +Wilkerson's +Wilkes +Wilkes's +Wilkins +Wilkinson +Wilkinson's +Wilkins's +Will +will +Willa +Willamette +Willamette's +Willard +Willard's +Willa's +willed +Willemstad +Willemstad's +willful +willfully +willfulness +willfulness's +William +William's +Williams +Williamson +Williamson's +Williams's +Willie +Willie's +willies +willies's +willing +willingly +willingness +willingness's +Willis +Willis's +williwaw +williwaw's +williwaws +willow +willow's +willows +willowy +willpower +willpower's +Will's +will's +wills +Willy +willy +Willy's +Wilma +Wilma's +Wilmer +Wilmer's +Wilmington +Wilmington's +Wilson +Wilsonian +Wilsonian's +Wilson's +wilt +wilted +wilting +Wilton +Wilton's +wilt's +wilts +wily +Wimbledon +Wimbledon's +wimp +wimped +wimpier +wimpiest +wimping +wimpish +wimple +wimpled +wimple's +wimples +wimpling +wimp's +wimps +wimpy +Wimsey +Wimsey's +win +wince +winced +wince's +winces +winch +winched +Winchell +Winchell's +winches +Winchester +Winchester's +Winchesters +winching +winch's +wincing +wind +windbag +windbag's +windbags +windblown +windbreak +Windbreaker +windbreaker +Windbreaker's +windbreaker's +windbreakers +windbreak's +windbreaks +windburn +windburned +windburn's +windcheater +windcheaters +windchill +windchill's +winded +winder +winder's +winders +Windex +Windex's +windfall +windfall's +windfalls +windflower +windflower's +windflowers +Windhoek +Windhoek's +windier +windiest +windily +windiness +windiness's +winding +winding's +windjammer +windjammer's +windjammers +windlass +windlasses +windlass's +windless +windmill +windmilled +windmilling +windmill's +windmills +window +windowed +windowing +windowless +windowpane +windowpane's +windowpanes +Windows +window's +windows +windowsill +windowsill's +windowsills +Windows's +windpipe +windpipe's +windpipes +windproof +windrow +windrow's +windrows +wind's +winds +windscreen +windscreen's +windscreens +windshield +windshield's +windshields +windsock +windsock's +windsocks +Windsor +Windsor's +Windsors +windstorm +windstorm's +windstorms +windsurf +windsurfed +windsurfer +windsurfer's +windsurfers +windsurfing +windsurfing's +windsurfs +windswept +windup +windup's +windups +Windward +windward +Windward's +windward's +windy +wine +wined +wineglass +wineglasses +wineglass's +winegrower +winegrower's +winegrowers +winemaker +winemaker's +winemakers +wineries +winery +winery's +wine's +wines +Winesap +Winesap's +Winfred +Winfred's +Winfrey +Winfrey's +wing +wingding +wingding's +wingdings +winged +winger +wingers +winging +wingless +winglike +wingnut +wingnut's +wingnuts +wing's +wings +wingspan +wingspan's +wingspans +wingspread +wingspread's +wingspreads +wingtip +wingtip's +wingtips +winier +winiest +Winifred +Winifred's +wining +wink +winked +winker +winker's +winkers +winking +Winkle +winkle +winkled +Winkle's +winkle's +winkles +winkling +wink's +winks +winnable +Winnebago +Winnebago's +winner +winner's +winners +Winnie +Winnie's +winning +winningly +winning's +winnings +Winnipeg +Winnipeg's +winnow +winnowed +winnower +winnower's +winnowers +winnowing +winnows +wino +wino's +winos +win's +wins +winsome +winsomely +winsomeness +winsomeness's +winsomer +winsomest +Winston +Winston's +winter +wintered +wintergreen +wintergreen's +wintering +winterize +winterized +winterizes +winterizing +Winters +winter's +winters +Winters's +wintertime +wintertime's +Winthrop +Winthrop's +wintrier +wintriest +wintry +winy +wipe +wiped +wiper +wiper's +wipers +wipe's +wipes +wiping +wire +wired +wireds +wirehair +wirehair's +wirehairs +wireless +wirelesses +wireless's +wire's +wires +wiretap +wiretapped +wiretapper +wiretapper's +wiretappers +wiretapping +wiretapping's +wiretap's +wiretaps +wirier +wiriest +wiriness +wiriness's +wiring +wiring's +wiry +Wis +Wisc +Wisconsin +Wisconsinite +Wisconsinite's +Wisconsinites +Wisconsin's +wisdom +wisdom's +Wise +wise +wiseacre +wiseacre's +wiseacres +wisecrack +wisecracked +wisecracking +wisecrack's +wisecracks +wised +wiseguy +wiseguys +wisely +wiser +Wise's +wise's +wises +wisest +wish +wishbone +wishbone's +wishbones +wished +wisher +wisher's +wishers +wishes +wishful +wishfully +wishing +wishlist's +wish's +wising +wisp +wispier +wispiest +wisp's +wisps +wispy +wist +wisteria +wisteria's +wisterias +wistful +wistfully +wistfulness +wistfulness's +wit +witch +witchcraft +witchcraft's +witched +witchery +witchery's +witches +witching +witch's +with +withal +withdraw +withdrawal +withdrawal's +withdrawals +withdrawing +withdrawn +withdraws +withdrew +withe +withed +wither +withered +withering +witheringly +witherings +withers +withers's +withe's +withes +withheld +withhold +withholding +withholding's +withholds +within +withing +within's +without +withstand +withstanding +withstands +withstood +witless +witlessly +witlessness +witlessness's +witness +witnessed +witnesses +witnessing +witness's +wit's +wits +wits's +Witt +witted +witter +wittered +wittering +witters +Wittgenstein +Wittgenstein's +witticism +witticism's +witticisms +wittier +wittiest +wittily +wittiness +wittiness's +witting +wittingly +Witt's +witty +Witwatersrand +Witwatersrand's +wive +wived +wives +wiving +wiz +wizard +wizardly +wizardry +wizardry's +wizard's +wizards +wizened +wk +wkly +Wm +WMD +Wm's +WNW +WNW's +woad +woad's +wobble +wobbled +wobble's +wobbles +wobblier +wobbliest +wobbliness +wobbliness's +wobbling +wobbly +Wobegon +Wobegon's +Wodehouse +Wodehouse's +wodge +wodges +woe +woebegone +woeful +woefuller +woefullest +woefully +woefulness +woefulness's +woe's +woes +wog +wogs +wok +woke +woken +wok's +woks +wold +wold's +wolds +Wolf +wolf +Wolfe +wolfed +Wolfe's +Wolff +Wolff's +Wolfgang +Wolfgang's +wolfhound +wolfhound's +wolfhounds +wolfing +wolfish +wolfram +wolfram's +Wolf's +wolf's +wolfs +Wollongong +Wollongong's +Wollstonecraft +Wollstonecraft's +Wolsey +Wolsey's +Wolverhampton +wolverine +wolverine's +wolverines +wolves +woman +womanhood +womanhood's +womanish +womanize +womanized +womanizer +womanizer's +womanizers +womanizes +womanizing +womankind +womankind's +womanlier +womanliest +womanlike +womanlike's +womanliness +womanliness's +womanly +woman's +womb +wombat +wombat's +wombats +womble +wombles +womb's +wombs +women +womenfolk +womenfolk's +womenfolks +womenfolks's +women's +won +Wonder +wonder +Wonderbra +Wonderbra's +wondered +wonderful +wonderfully +wonderfulness +wonderfulness's +wondering +wonderingly +wonderland +wonderland's +wonderlands +wonderment +wonderment's +Wonder's +wonder's +wonders +wondrous +wondrously +Wong +Wong's +wonk +wonkier +wonkiest +wonk's +wonks +wonky +won's +won't +wont +wonted +wont's +woo +Wood +wood +Woodard +Woodard's +woodbine +woodbine's +woodblock +woodblock's +woodblocks +woodcarver +woodcarver's +woodcarvers +woodcarving +woodcarving's +woodcarvings +woodchuck +woodchuck's +woodchucks +woodcock +woodcock's +woodcocks +woodcraft +woodcraft's +woodcut +woodcut's +woodcuts +woodcutter +woodcutter's +woodcutters +woodcutting +woodcutting's +wooded +wooden +woodener +woodenest +woodenly +woodenness +woodenness's +Woodhull +Woodhull's +woodier +woodies +woodiest +woodiness +woodiness's +wooding +woodland +woodland's +woodlands +woodlice +woodlot +woodlot's +woodlots +woodlouse +woodman +woodman's +woodmen +woodpecker +woodpecker's +woodpeckers +woodpile +woodpile's +woodpiles +Woodrow +Woodrow's +Wood's +Woods +wood's +woods +woodshed +woodshed's +woodsheds +woodsier +woodsiest +woodsiness +woodsiness's +woodsman +woodsman's +woodsmen +Woods's +woods's +Woodstock +Woodstock's +woodsy +Woodward +Woodward's +woodwind +woodwind's +woodwinds +woodwork +woodworker +woodworker's +woodworkers +woodworking +woodworking's +woodwork's +woodworm +woodworms +woody +woody's +wooed +wooer +wooer's +wooers +woof +woofed +woofer +woofer's +woofers +woofing +woof's +woofs +wooing +wool +woolen +woolen's +woolens +Woolf +Woolf's +woolgathering +woolgathering's +wooliness +Woolite +Woolite's +woollier +woollies +woolliest +woolliness +woolliness's +woolly +woolly's +Woolongong +Woolongong's +wool's +Woolworth +Woolworth's +woos +Wooster +Wooster's +Wooten +Wooten's +woozier +wooziest +woozily +wooziness +wooziness's +woozy +wop +wops +Worcester +Worcester's +Worcesters +Worcestershire +Worcestershire's +word +wordage +wordage's +wordbook +wordbook's +wordbooks +worded +wordier +wordiest +wordily +wordiness +wordiness's +wording +wording's +wordings +wordless +wordlessly +wordplay +wordplay's +word's +words +wordsmith +wordsmiths +Wordsworth +Wordsworth's +wordy +wore +work +workable +workaday +workaholic +workaholic's +workaholics +workaround +workarounds +workbasket +workbaskets +workbench +workbenches +workbench's +workbook +workbook's +workbooks +workday +workday's +workdays +worked +worker +worker's +workers +workfare +workfare's +workflow +workflow's +workflows +workforce +workforce's +workhorse +workhorse's +workhorses +workhouse +workhouse's +workhouses +working +workingman +workingman's +workingmen +working's +workings +workings's +workingwoman +workingwoman's +workingwomen +workload +workload's +workloads +Workman +workman +workmanlike +Workman's +workman's +workmanship +workmanship's +workmate +workmates +workmen +workout +workout's +workouts +workplace +workplace's +workplaces +workroom +workroom's +workrooms +work's +works +worksheet +worksheet's +worksheets +workshop +workshop's +workshops +workshy +worksite +worksites +workspace +works's +workstation +workstation's +workstations +worktable +worktable's +worktables +worktop +worktops +workup +workup's +workups +workweek +workweek's +workweeks +world +worldlier +worldliest +worldliness +worldliness's +worldly +world's +worlds +worldview +worldview's +worldviews +worldwide +worm +wormed +wormhole +wormhole's +wormholes +wormier +wormiest +worming +Worms +worm's +worms +Worms's +wormwood +wormwood's +wormy +worn +worried +worriedly +worrier +worrier's +worriers +worries +worriment +worriment's +worrisome +worry +worrying +worryingly +worryings +worry's +worrywart +worrywart's +worrywarts +worse +worsen +worsened +worsening +worsens +worse's +worship +worshiped +worshiper +worshiper's +worshipers +worshipful +worshiping +worship's +worships +worst +worsted +worsted's +worsting +worst's +worsts +wort +worth +worthier +worthies +worthiest +worthily +worthiness +worthiness's +worthless +worthlessly +worthlessness +worthlessness's +worth's +worthwhile +worthy +worthy's +wort's +wot +Wotan +Wotan's +wotcha +would +wouldn't +woulds +wouldst +would've +wound +wounded +wounder +wounding +wound's +wounds +wove +woven +Wovoka +Wovoka's +wow +wowed +wowing +wow's +wows +Wozniak +Wozniak's +Wozzeck +Wozzeck's +WP +wpm +wrack +wracked +wracking +wrack's +wracks +wraith +wraith's +wraiths +Wrangell +Wrangell's +wrangle +wrangled +wrangler +wrangler's +wranglers +wrangle's +wrangles +wrangling +wranglings +wrap +wraparound +wraparound's +wraparounds +wrapped +wrapper +wrapper's +wrappers +wrapping +wrapping's +wrappings +wrap's +wraps +wrasse +wrasse's +wrasses +wrath +wrathful +wrathfully +wrath's +wreak +wreaked +wreaking +wreaks +wreath +wreathe +wreathed +wreathes +wreathing +wreath's +wreaths +wreck +wreckage +wreckage's +wrecked +wrecker +wrecker's +wreckers +wrecking +wreck's +wrecks +Wren +wren +wrench +wrenched +wrenches +wrenching +wrench's +Wren's +wren's +wrens +wrest +wrested +wresting +wrestle +wrestled +wrestler +wrestler's +wrestlers +wrestle's +wrestles +wrestling +wrestling's +wrest's +wrests +wretch +wretched +wretcheder +wretchedest +wretchedly +wretchedness +wretchedness's +wretches +wretch's +wriggle +wriggled +wriggler +wriggler's +wrigglers +wriggle's +wriggles +wriggling +wriggly +Wright +wright +Wright's +wright's +wrights +Wrigley +Wrigley's +wring +wringer +wringer's +wringers +wringing +wring's +wrings +wrinkle +wrinkled +wrinkle's +wrinkles +wrinklier +wrinklies +wrinkliest +wrinkling +wrinkly +wrinkly's +wrist +wristband +wristband's +wristbands +wrist's +wrists +wristwatch +wristwatches +wristwatch's +writ +writable +write +writer +writer's +writers +writes +writhe +writhed +writhe's +writhes +writhing +writing +writing's +writings +writ's +writs +written +Wroclaw +Wroclaw's +wrong +wrongdoer +wrongdoer's +wrongdoers +wrongdoing +wrongdoing's +wrongdoings +wronged +wronger +wrongest +wrongful +wrongfully +wrongfulness +wrongfulness's +wrongheaded +wrongheadedly +wrongheadedness +wrongheadedness's +wronging +wrongly +wrongness +wrongness's +wrong's +wrongs +wrote +wroth +wrought +wrung +wry +wryer +wryest +wryly +wryness +wryness's +W's +WSW +WSW's +wt +WTO +Wu +Wuhan +Wuhan's +wunderkind +wunderkinds +Wurlitzer +Wurlitzer's +wurst +wurst's +wursts +Wu's +wuss +wusses +wussier +wussies +wussiest +wuss's +wussy +wussy's +WV +WW +WWI +WWII +WWW +WWW's +WY +Wyatt +Wyatt's +Wycherley +Wycherley's +Wycliffe +Wycliffe's +Wyeth +Wyeth's +Wylie +Wylie's +Wynn +Wynn's +Wyo +Wyoming +Wyomingite +Wyomingite's +Wyomingites +Wyoming's +WYSIWYG +X +x +Xanadu +Xanadu's +Xanthippe +Xanthippe's +Xavier +Xavier's +xci +xcii +xciv +xcix +xcvi +xcvii +Xe +XEmacs +XEmacs's +Xenakis +Xenakis's +Xenia +Xenia's +xenon +xenon's +xenophobe +xenophobe's +xenophobes +xenophobia +xenophobia's +xenophobic +Xenophon +Xenophon's +xerographic +xerography +xerography's +Xerox +xerox +xeroxed +Xeroxes +xeroxes +xeroxing +Xerox's +xerox's +Xerxes +Xerxes's +Xe's +Xes +Xhosa +Xhosa's +xi +Xi'an +Xian +Xi'an's +Xian's +Xians +Xiaoping +Xiaoping's +xii +xiii +Ximenes +Ximenes's +Xingu +Xingu's +Xiongnu +Xiongnu's +xi's +xis +xiv +xix +XL +XL's +Xmas +Xmases +Xmas's +XML +Xochipilli +Xochipilli's +xor +xref +xrefs +X's +XS +xterm +xterm's +Xuzhou +Xuzhou's +xv +xvi +xvii +xviii +xx +xxi +xxii +xxiii +xxiv +xxix +XXL +xxv +xxvi +xxvii +xxviii +xxx +xxxi +xxxii +xxxiii +xxxiv +xxxix +xxxv +xxxvi +xxxvii +xxxviii +xylem +xylem's +xylene +xylophone +xylophone's +xylophones +xylophonist +xylophonist's +xylophonists +Y +y +ya +Yacc +Yacc's +yacht +yachted +yachting +yachting's +yacht's +yachts +yachtsman +yachtsman's +yachtsmen +yachtswoman +yachtswoman's +yachtswomen +Yahoo +yahoo +Yahoo's +yahoo's +yahoos +Yahtzee +Yahtzee's +Yahweh +Yahweh's +yak +Yakima +Yakima's +yakked +yakking +yak's +yaks +Yakut +Yakut's +Yakutsk +Yakutsk's +Yale +Yale's +y'all +Yalow +Yalow's +Yalta +Yalta's +Yalu +Yalu's +yam +Yamagata +Yamagata's +Yamaha +Yamaha's +yammer +yammered +yammerer +yammerer's +yammerers +yammering +yammer's +yammers +Yamoussoukro +Yamoussoukro's +yam's +yams +Yang +yang +Yangon +Yangon's +Yang's +yang's +Yangtze +Yangtze's +Yank +yank +yanked +Yankee +Yankee's +Yankees +yanking +Yank's +Yanks +yank's +yanks +Yaobang +Yaobang's +Yaounde +Yaounde's +yap +yapped +yapping +yap's +yaps +Yaqui +Yaqui's +yard +yardage +yardage's +yardages +yardarm +yardarm's +yardarms +yardman +yardman's +yardmaster +yardmaster's +yardmasters +yardmen +yard's +yards +yardstick +yardstick's +yardsticks +Yaren +yarmulke +yarmulke's +yarmulkes +yarn +yarn's +yarns +Yaroslavl +Yaroslavl's +yarrow +yarrow's +yashmak +yashmaks +Yataro +Yataro's +Yates +Yates's +yaw +yawed +yawing +yawl +yawl's +yawls +yawn +yawned +yawner +yawner's +yawners +yawning +yawn's +yawns +yaw's +yaws +yaws's +Yb +Yb's +yd +ye +yea +Yeager +Yeager's +yeah +yeah's +yeahs +year +yearbook +yearbook's +yearbooks +yearlies +yearling +yearling's +yearlings +yearlong +yearly +yearly's +yearn +yearned +yearning +yearning's +yearnings +yearns +year's +years +yea's +yeas +yeast +yeastier +yeastiest +yeast's +yeasts +yeasty +Yeats +Yeats's +yegg +yegg's +yeggs +Yekaterinburg +Yekaterinburg's +yell +yelled +yelling +yellow +yellowed +yellower +yellowest +yellowhammer +yellowhammers +yellowing +yellowish +Yellowknife +Yellowknife's +yellowness +yellowness's +yellow's +yellows +Yellowstone +Yellowstone's +yellowy +yell's +yells +yelp +yelped +yelping +yelp's +yelps +Yeltsin +Yeltsin's +Yemen +Yemeni +Yemeni's +Yemenis +Yemenite +Yemen's +yen +Yenisei +Yenisei's +yen's +yens +yeoman +yeomanry +yeomanry's +yeoman's +yeomen +yep +yep's +yeps +yer +Yerevan +Yerevan's +Yerkes +Yerkes's +yes +Yesenia +Yesenia's +yeses +yeshiva +yeshiva's +yeshivas +yes's +yessed +yessing +yest +yesterday +yesterday's +yesterdays +yesteryear +yesteryear's +yet +yeti +yeti's +yetis +Yevtushenko +Yevtushenko's +yew +yew's +yews +Yggdrasil +Yggdrasil's +yid +Yiddish +Yiddish's +yids +yield +yielded +yielding +yieldings +yield's +yields +yikes +yin +yin's +yip +yipe +yipped +yippee +yipping +yip's +yips +YMCA +YMCA's +YMHA +Ymir +Ymir's +YMMV +yo +yob +yobbo +yobbos +yobs +Yoda +Yoda's +yodel +yodeled +yodeler +yodeler's +yodelers +yodeling +yodel's +yodels +yoga +yoga's +yogi +yogic +yogi's +yogis +yogurt +yogurt's +yogurts +yoke +yoked +yokel +yokel's +yokels +yoke's +yokes +yoking +Yoknapatawpha +Yoknapatawpha's +Yoko +Yokohama +Yokohama's +Yoko's +Yolanda +Yolanda's +yolk +yolked +yolk's +yolks +yon +yonder +Yong +Yong's +Yonkers +Yonkers's +yonks +yore +yore's +York +Yorkie +Yorkie's +York's +Yorkshire +Yorkshire's +Yorkshires +Yorktown +Yorktown's +Yoruba +Yoruba's +Yosemite +Yosemite's +Yossarian +Yossarian's +you +you'd +you'll +Young +young +younger +youngest +youngish +Young's +young's +youngster +youngster's +youngsters +Youngstown +Youngstown's +your +you're +yours +yourself +yourselves +you's +yous +youth +youthful +youthfully +youthfulness +youthfulness's +youth's +youths +YouTube +YouTube's +you've +yow +yowl +yowled +yowling +yowl's +yowls +Ypres +Ypres's +Ypsilanti +Ypsilanti's +yr +yrs +Y's +YT +ytterbium +ytterbium's +yttrium +yttrium's +Yuan +yuan +Yuan's +yuan's +Yucatan +Yucatan's +yucca +yucca's +yuccas +yuck +yuckier +yuckiest +yucky +Yugo +Yugo's +Yugoslav +Yugoslavia +Yugoslavian +Yugoslavian's +Yugoslavians +Yugoslavia's +Yugoslav's +Yugoslavs +yuk +yukked +yukking +yukky +Yukon +Yukon's +yuk's +yuks +Yule +yule +Yule's +Yules +yule's +Yuletide +yuletide +Yuletide's +Yuletides +yuletide's +yum +Yuma +Yuma's +Yumas +yummier +yummiest +yummy +Yunnan +Yunnan's +yup +yuppie +yuppie's +yuppies +yuppified +yuppifies +yuppify +yuppifying +yup's +yups +Yuri +Yuri's +yurt +yurt's +yurts +Yves +Yves's +Yvette +Yvette's +Yvonne +Yvonne's +YWCA +YWCA's +YWHA +Z +z +Zachariah +Zachariah's +Zachary +Zachary's +Zachery +Zachery's +Zagreb +Zagreb's +Zaire +Zaire's +Zairian +Zambezi +Zambezi's +Zambia +Zambian +Zambian's +Zambians +Zambia's +Zamboni +Zamboni's +Zamenhof +Zamenhof's +Zamora +Zamora's +Zane +Zane's +zanier +zanies +zaniest +zaniness +zaniness's +Zanuck +Zanuck's +zany +zany's +Zanzibar +Zanzibar's +zap +Zapata +Zapata's +Zaporozhye +Zaporozhye's +Zapotec +Zapotec's +Zappa +Zappa's +zapped +zapper +zapper's +zappers +zapping +zappy +zap's +zaps +Zara +Zara's +Zarathustra +Zarathustra's +zeal +Zealand +Zealand's +zealot +zealotry +zealotry's +zealot's +zealots +zealous +zealously +zealousness +zealousness's +zeal's +Zebedee +Zebedee's +zebra +zebra's +zebras +zebu +zebu's +zebus +Zechariah +Zechariah's +zed +Zedekiah +Zedekiah's +Zedong +Zedong's +zed's +zeds +Zeffirelli +Zeffirelli's +zeitgeist +zeitgeist's +zeitgeists +Zeke +Zeke's +Zelig +Zelig's +Zelma +Zelma's +Zen +zen +Zenger +Zenger's +zenith +zenith's +zeniths +zenned +Zeno +Zeno's +Zen's +Zens +zens +zeolite +zeolites +Zephaniah +Zephaniah's +zephyr +zephyr's +zephyrs +Zephyrus +Zephyrus's +zeppelin +zeppelin's +zeppelins +zero +zeroed +zeroes +zeroing +zero's +zeros +zeroth +Zest +zest +zestful +zestfully +zestfulness +zestfulness's +zestier +zestiest +Zest's +zest's +zests +zesty +zeta +zeta's +zetas +Zeus +Zeus's +Zhdanov +Zhengzhou +Zhengzhou's +Zhivago +Zhivago's +Zhukov +Zhukov's +Zibo +Zibo's +Ziegfeld +Ziegfeld's +Ziegler +Ziegler's +Ziggy +Ziggy's +zigzag +zigzagged +zigzagging +zigzag's +zigzags +Zika +zilch +zilch's +zillion +zillion's +zillions +Zimbabwe +Zimbabwean +Zimbabwean's +Zimbabweans +Zimbabwe's +Zimmerman +Zimmerman's +zinc +zincked +zincking +zinc's +zincs +zine +zines +Zinfandel +zinfandel +Zinfandel's +zinfandel's +zing +zinged +zinger +zinger's +zingers +zingier +zingiest +zinging +zing's +zings +zingy +zinnia +zinnia's +zinnias +Zion +Zionism +Zionism's +Zionisms +Zionist +Zionist's +Zionists +Zion's +Zions +zip +Ziploc +Ziploc's +zipped +zipper +zippered +zippering +zipper's +zippers +zippier +zippiest +zipping +zippy +zip's +zips +zircon +zirconium +zirconium's +zircon's +zircons +zit +zither +zither's +zithers +zit's +zits +zloties +zloty +zloty's +zlotys +Zn +Zn's +zodiac +zodiacal +zodiac's +zodiacs +Zoe +Zoe's +Zola +Zola's +Zollverein +Zollverein's +Zoloft +Zoloft's +Zomba +Zomba's +zombie +zombie's +zombies +zonal +zonally +zone +zoned +zone's +zones +zoning +zoning's +zonked +zoo +zookeeper +zookeeper's +zookeepers +zoological +zoologically +zoologist +zoologist's +zoologists +zoology +zoology's +zoom +zoomed +zooming +zoom's +zooms +zoophyte +zoophyte's +zoophytes +zoophytic +zooplankton +zoo's +zoos +zorch +Zorn +Zorn's +Zoroaster +Zoroaster's +Zoroastrian +Zoroastrianism +Zoroastrianism's +Zoroastrianisms +Zoroastrian's +Zoroastrians +Zorro +Zorro's +Zosma +Zosma's +zoster +zounds +Zr +Zürich +Zürich's +Zr's +Z's +Zs +Zsigmondy +Zsigmondy's +Zubenelgenubi +Zubenelgenubi's +Zubeneschamali +Zubeneschamali's +zucchini +zucchini's +zucchinis +Zukor +Zukor's +Zulu +Zululand +Zulu's +Zulus +Zuni +Zuni's +Zurich +Zurich's +zwieback +zwieback's +Zwingli +Zwingli's +Zworykin +Zworykin's +zydeco +zydeco's +zygote +zygote's +zygotes +zygotic +zymurgy +zymurgy's +Zyrtec +Zyrtec's +Zyuganov +Zyuganov's +Zzz diff --git a/src/packed/api.rs b/src/packed/api.rs index bc4c60d..667f6ba 100644 --- a/src/packed/api.rs +++ b/src/packed/api.rs @@ -1,9 +1,7 @@ +use alloc::sync::Arc; + use crate::{ - packed::{ - pattern::Patterns, - rabinkarp::RabinKarp, - teddy::{self, Teddy}, - }, + packed::{pattern::Patterns, rabinkarp::RabinKarp, teddy}, util::search::{Match, Span}, }; @@ -77,7 +75,9 @@ impl Default for MatchKind { /// .collect(); /// assert_eq!(vec![PatternID::must(1)], matches); /// # Some(()) } -/// # if cfg!(all(feature = "std", target_arch = "x86_64")) { +/// # if cfg!(all(feature = "std", any( +/// # target_arch = "x86_64", target_arch = "aarch64", +/// # ))) { /// # example().unwrap() /// # } else { /// # assert!(example().is_none()); @@ -87,8 +87,9 @@ impl Default for MatchKind { pub struct Config { kind: MatchKind, force: Option, - force_teddy_fat: Option, - force_avx: Option, + only_teddy_fat: Option, + only_teddy_256bit: Option, + heuristic_pattern_limits: bool, } /// An internal option for forcing the use of a particular packed algorithm. @@ -115,8 +116,9 @@ impl Config { Config { kind: MatchKind::LeftmostFirst, force: None, - force_teddy_fat: None, - force_avx: None, + only_teddy_fat: None, + only_teddy_256bit: None, + heuristic_pattern_limits: true, } } @@ -138,7 +140,7 @@ impl Config { /// should not use it as it is not part of the API stability guarantees of /// this crate. #[doc(hidden)] - pub fn force_teddy(&mut self, yes: bool) -> &mut Config { + pub fn only_teddy(&mut self, yes: bool) -> &mut Config { if yes { self.force = Some(ForceAlgorithm::Teddy); } else { @@ -153,8 +155,8 @@ impl Config { /// should not use it as it is not part of the API stability guarantees of /// this crate. #[doc(hidden)] - pub fn force_teddy_fat(&mut self, yes: Option) -> &mut Config { - self.force_teddy_fat = yes; + pub fn only_teddy_fat(&mut self, yes: Option) -> &mut Config { + self.only_teddy_fat = yes; self } @@ -165,8 +167,8 @@ impl Config { /// should not use it as it is not part of the API stability guarantees of /// this crate. #[doc(hidden)] - pub fn force_avx(&mut self, yes: Option) -> &mut Config { - self.force_avx = yes; + pub fn only_teddy_256bit(&mut self, yes: Option) -> &mut Config { + self.only_teddy_256bit = yes; self } @@ -176,7 +178,7 @@ impl Config { /// should not use it as it is not part of the API stability guarantees of /// this crate. #[doc(hidden)] - pub fn force_rabin_karp(&mut self, yes: bool) -> &mut Config { + pub fn only_rabin_karp(&mut self, yes: bool) -> &mut Config { if yes { self.force = Some(ForceAlgorithm::RabinKarp); } else { @@ -184,6 +186,17 @@ impl Config { } self } + + /// Request that heuristic limitations on the number of patterns be + /// employed. This useful to disable for benchmarking where one wants to + /// explore how Teddy performs on large number of patterns even if the + /// heuristics would otherwise refuse construction. + /// + /// This is enabled by default. + pub fn heuristic_pattern_limits(&mut self, yes: bool) -> &mut Config { + self.heuristic_pattern_limits = yes; + self + } } /// A builder for constructing a packed searcher from a collection of patterns. @@ -207,7 +220,9 @@ impl Config { /// .collect(); /// assert_eq!(vec![PatternID::ZERO], matches); /// # Some(()) } -/// # if cfg!(all(feature = "std", target_arch = "x86_64")) { +/// # if cfg!(all(feature = "std", any( +/// # target_arch = "x86_64", target_arch = "aarch64", +/// # ))) { /// # example().unwrap() /// # } else { /// # assert!(example().is_none()); @@ -241,6 +256,7 @@ impl Builder { } let mut patterns = self.patterns.clone(); patterns.set_match_kind(self.config.kind); + let patterns = Arc::new(patterns); let rabinkarp = RabinKarp::new(&patterns); // Effectively, we only want to return a searcher if we can use Teddy, // since Teddy is our only fast packed searcher at the moment. @@ -250,7 +266,7 @@ impl Builder { let (search_kind, minimum_len) = match self.config.force { None | Some(ForceAlgorithm::Teddy) => { debug!("trying to build Teddy packed matcher"); - let teddy = match self.build_teddy(&patterns) { + let teddy = match self.build_teddy(Arc::clone(&patterns)) { None => return None, Some(teddy) => teddy, }; @@ -265,11 +281,12 @@ impl Builder { Some(Searcher { patterns, rabinkarp, search_kind, minimum_len }) } - fn build_teddy(&self, patterns: &Patterns) -> Option { + fn build_teddy(&self, patterns: Arc) -> Option { teddy::Builder::new() - .avx(self.config.force_avx) - .fat(self.config.force_teddy_fat) - .build(&patterns) + .only_256bit(self.config.only_teddy_256bit) + .only_fat(self.config.only_teddy_fat) + .heuristic_pattern_limits(self.config.heuristic_pattern_limits) + .build(patterns) } /// Add the given pattern to this set to match. @@ -327,6 +344,16 @@ impl Builder { } self } + + /// Returns the number of patterns added to this builder. + pub fn len(&self) -> usize { + self.patterns.len() + } + + /// Returns the length, in bytes, of the shortest pattern added. + pub fn minimum_len(&self) -> usize { + self.patterns.minimum_len() + } } impl Default for Builder { @@ -357,7 +384,9 @@ impl Default for Builder { /// .collect(); /// assert_eq!(vec![PatternID::ZERO], matches); /// # Some(()) } -/// # if cfg!(all(feature = "std", target_arch = "x86_64")) { +/// # if cfg!(all(feature = "std", any( +/// # target_arch = "x86_64", target_arch = "aarch64", +/// # ))) { /// # example().unwrap() /// # } else { /// # assert!(example().is_none()); @@ -365,7 +394,7 @@ impl Default for Builder { /// ``` #[derive(Clone, Debug)] pub struct Searcher { - patterns: Patterns, + patterns: Arc, rabinkarp: RabinKarp, search_kind: SearchKind, minimum_len: usize, @@ -373,7 +402,7 @@ pub struct Searcher { #[derive(Clone, Debug)] enum SearchKind { - Teddy(Teddy), + Teddy(teddy::Searcher), RabinKarp, } @@ -400,7 +429,9 @@ impl Searcher { /// .collect(); /// assert_eq!(vec![PatternID::ZERO], matches); /// # Some(()) } - /// # if cfg!(all(feature = "std", target_arch = "x86_64")) { + /// # if cfg!(all(feature = "std", any( + /// # target_arch = "x86_64", target_arch = "aarch64", + /// # ))) { /// # example().unwrap() /// # } else { /// # assert!(example().is_none()); @@ -448,7 +479,9 @@ impl Searcher { /// assert_eq!(0, mat.start()); /// assert_eq!(6, mat.end()); /// # Some(()) } - /// # if cfg!(all(feature = "std", target_arch = "x86_64")) { + /// # if cfg!(all(feature = "std", any( + /// # target_arch = "x86_64", target_arch = "aarch64", + /// # ))) { /// # example().unwrap() /// # } else { /// # assert!(example().is_none()); @@ -484,7 +517,9 @@ impl Searcher { /// assert_eq!(3, mat.start()); /// assert_eq!(9, mat.end()); /// # Some(()) } - /// # if cfg!(all(feature = "std", target_arch = "x86_64")) { + /// # if cfg!(all(feature = "std", any( + /// # target_arch = "x86_64", target_arch = "aarch64", + /// # ))) { /// # example().unwrap() /// # } else { /// # assert!(example().is_none()); @@ -499,20 +534,15 @@ impl Searcher { let haystack = haystack.as_ref(); match self.search_kind { SearchKind::Teddy(ref teddy) => { + // self.find_in_slow(haystack, span) if haystack[span].len() < teddy.minimum_len() { return self.find_in_slow(haystack, span); } - teddy.find_at( - &self.patterns, - &haystack[..span.end], - span.start, - ) + teddy.find(&haystack[..span.end], span.start) + } + SearchKind::RabinKarp => { + self.rabinkarp.find_at(&haystack[..span.end], span.start) } - SearchKind::RabinKarp => self.rabinkarp.find_at( - &self.patterns, - &haystack[..span.end], - span.start, - ), } } @@ -539,12 +569,15 @@ impl Searcher { /// PatternID::must(1), /// ], matches); /// # Some(()) } - /// # if cfg!(all(feature = "std", target_arch = "x86_64")) { + /// # if cfg!(all(feature = "std", any( + /// # target_arch = "x86_64", target_arch = "aarch64", + /// # ))) { /// # example().unwrap() /// # } else { /// # assert!(example().is_none()); /// # } /// ``` + #[inline] pub fn find_iter<'a, 'b, B: ?Sized + AsRef<[u8]>>( &'a self, haystack: &'b B, @@ -568,12 +601,15 @@ impl Searcher { /// // leftmost-first is the default. /// assert_eq!(&MatchKind::LeftmostFirst, searcher.match_kind()); /// # Some(()) } - /// # if cfg!(all(feature = "std", target_arch = "x86_64")) { + /// # if cfg!(all(feature = "std", any( + /// # target_arch = "x86_64", target_arch = "aarch64", + /// # ))) { /// # example().unwrap() /// # } else { /// # assert!(example().is_none()); /// # } /// ``` + #[inline] pub fn match_kind(&self) -> &MatchKind { self.patterns.match_kind() } @@ -588,12 +624,14 @@ impl Searcher { /// want to avoid ever using the slower variant, which one can do by /// never passing a haystack shorter than the minimum length returned by /// this method. + #[inline] pub fn minimum_len(&self) -> usize { self.minimum_len } /// Returns the approximate total amount of heap used by this searcher, in /// units of bytes. + #[inline] pub fn memory_usage(&self) -> usize { self.patterns.memory_usage() + self.rabinkarp.memory_usage() @@ -607,11 +645,7 @@ impl Searcher { /// built but the haystack is smaller than ~34 bytes, then Teddy might not /// be able to run. fn find_in_slow(&self, haystack: &[u8], span: Span) -> Option { - self.rabinkarp.find_at( - &self.patterns, - &haystack[..span.end], - span.start, - ) + self.rabinkarp.find_at(&haystack[..span.end], span.start) } } diff --git a/src/packed/ext.rs b/src/packed/ext.rs new file mode 100644 index 0000000..b689642 --- /dev/null +++ b/src/packed/ext.rs @@ -0,0 +1,39 @@ +/// A trait for adding some helper routines to pointers. +pub(crate) trait Pointer { + /// Returns the distance, in units of `T`, between `self` and `origin`. + /// + /// # Safety + /// + /// Same as `ptr::offset_from` in addition to `self >= origin`. + unsafe fn distance(self, origin: Self) -> usize; + + /// Casts this pointer to `usize`. + /// + /// Callers should not convert the `usize` back to a pointer if at all + /// possible. (And if you believe it's necessary, open an issue to discuss + /// why. Otherwise, it has the potential to violate pointer provenance.) + /// The purpose of this function is just to be able to do arithmetic, i.e., + /// computing offsets or alignments. + fn as_usize(self) -> usize; +} + +impl Pointer for *const T { + unsafe fn distance(self, origin: *const T) -> usize { + // TODO: Replace with `ptr::sub_ptr` once stabilized. + usize::try_from(self.offset_from(origin)).unwrap_unchecked() + } + + fn as_usize(self) -> usize { + self as usize + } +} + +impl Pointer for *mut T { + unsafe fn distance(self, origin: *mut T) -> usize { + (self as *const T).distance(origin as *const T) + } + + fn as_usize(self) -> usize { + (self as *const T).as_usize() + } +} diff --git a/src/packed/mod.rs b/src/packed/mod.rs index 1c4120d..2d66eb3 100644 --- a/src/packed/mod.rs +++ b/src/packed/mod.rs @@ -40,7 +40,9 @@ let matches: Vec = searcher .collect(); assert_eq!(vec![PatternID::ZERO], matches); # Some(()) } -# if cfg!(all(feature = "std", target_arch = "x86_64")) { +# if cfg!(all(feature = "std", any( +# target_arch = "x86_64", target_arch = "aarch64", +# ))) { # example().unwrap() # } else { # assert!(example().is_none()); @@ -66,7 +68,9 @@ let matches: Vec = searcher .collect(); assert_eq!(vec![PatternID::must(1)], matches); # Some(()) } -# if cfg!(all(feature = "std", target_arch = "x86_64")) { +# if cfg!(all(feature = "std", any( +# target_arch = "x86_64", target_arch = "aarch64", +# ))) { # example().unwrap() # } else { # assert!(example().is_none()); @@ -107,10 +111,10 @@ implementation detail, here are some common reasons: pub use crate::packed::api::{Builder, Config, FindIter, MatchKind, Searcher}; mod api; +mod ext; mod pattern; mod rabinkarp; mod teddy; #[cfg(all(feature = "std", test))] mod tests; -#[cfg(all(feature = "std", target_arch = "x86_64"))] -mod vectorold; +mod vector; diff --git a/src/packed/pattern.rs b/src/packed/pattern.rs index a0b371c..95aca4d 100644 --- a/src/packed/pattern.rs +++ b/src/packed/pattern.rs @@ -1,14 +1,11 @@ use core::{cmp, fmt, mem, u16, usize}; -use alloc::{string::String, vec, vec::Vec}; +use alloc::{boxed::Box, string::String, vec, vec::Vec}; -use crate::packed::api::MatchKind; - -/// The type used for representing a pattern identifier. -/// -/// We don't use `usize` here because our packed searchers don't scale to -/// huge numbers of patterns, so we keep things a bit smaller. -pub type PatternID = u16; +use crate::{ + packed::{api::MatchKind, ext::Pointer}, + PatternID, +}; /// A non-empty collection of non-empty patterns to search for. /// @@ -20,7 +17,7 @@ pub type PatternID = u16; /// Note that this collection is not a set. The same pattern can appear more /// than once. #[derive(Clone, Debug)] -pub struct Patterns { +pub(crate) struct Patterns { /// The match semantics supported by this collection of patterns. /// /// The match semantics determines the order of the iterator over patterns. @@ -38,14 +35,17 @@ pub struct Patterns { order: Vec, /// The length of the smallest pattern, in bytes. minimum_len: usize, - /// The largest pattern identifier. This should always be equivalent to - /// the number of patterns minus one in this collection. - max_pattern_id: PatternID, /// The total number of pattern bytes across the entire collection. This /// is used for reporting total heap usage in constant time. total_pattern_bytes: usize, } +// BREADCRUMBS: I think we want to experiment with a different bucket +// representation. Basically, each bucket is just a Range to a single +// contiguous allocation? Maybe length-prefixed patterns or something? The +// idea is to try to get rid of the pointer chasing in verification. I don't +// know that that is the issue, but I suspect it is. + impl Patterns { /// Create a new collection of patterns for the given match semantics. The /// ID of each pattern is the index of the pattern at which it occurs in @@ -54,13 +54,12 @@ impl Patterns { /// If any of the patterns in the slice given are empty, then this panics. /// Similarly, if the number of patterns given is zero, then this also /// panics. - pub fn new() -> Patterns { + pub(crate) fn new() -> Patterns { Patterns { kind: MatchKind::default(), by_id: vec![], order: vec![], minimum_len: usize::MAX, - max_pattern_id: 0, total_pattern_bytes: 0, } } @@ -68,12 +67,11 @@ impl Patterns { /// Add a pattern to this collection. /// /// This panics if the pattern given is empty. - pub fn add(&mut self, bytes: &[u8]) { + pub(crate) fn add(&mut self, bytes: &[u8]) { assert!(!bytes.is_empty()); assert!(self.by_id.len() <= u16::MAX as usize); - let id = self.by_id.len() as u16; - self.max_pattern_id = id; + let id = PatternID::new(self.by_id.len()).unwrap(); self.order.push(id); self.by_id.push(bytes.to_vec()); self.minimum_len = cmp::min(self.minimum_len, bytes.len()); @@ -83,7 +81,7 @@ impl Patterns { /// Set the match kind semantics for this collection of patterns. /// /// If the kind is not set, then the default is leftmost-first. - pub fn set_match_kind(&mut self, kind: MatchKind) { + pub(crate) fn set_match_kind(&mut self, kind: MatchKind) { self.kind = kind; match self.kind { MatchKind::LeftmostFirst => { @@ -92,10 +90,7 @@ impl Patterns { MatchKind::LeftmostLongest => { let (order, by_id) = (&mut self.order, &mut self.by_id); order.sort_by(|&id1, &id2| { - by_id[id1 as usize] - .len() - .cmp(&by_id[id2 as usize].len()) - .reverse() + by_id[id1].len().cmp(&by_id[id2].len()).reverse() }); } } @@ -104,18 +99,18 @@ impl Patterns { /// Return the number of patterns in this collection. /// /// This is guaranteed to be greater than zero. - pub fn len(&self) -> usize { + pub(crate) fn len(&self) -> usize { self.by_id.len() } /// Returns true if and only if this collection of patterns is empty. - pub fn is_empty(&self) -> bool { + pub(crate) fn is_empty(&self) -> bool { self.len() == 0 } /// Returns the approximate total amount of heap used by these patterns, in /// units of bytes. - pub fn memory_usage(&self) -> usize { + pub(crate) fn memory_usage(&self) -> usize { self.order.len() * mem::size_of::() + self.by_id.len() * mem::size_of::>() + self.total_pattern_bytes @@ -123,38 +118,29 @@ impl Patterns { /// Clears all heap memory associated with this collection of patterns and /// resets all state such that it is a valid empty collection. - pub fn reset(&mut self) { + pub(crate) fn reset(&mut self) { self.kind = MatchKind::default(); self.by_id.clear(); self.order.clear(); self.minimum_len = usize::MAX; - self.max_pattern_id = 0; - } - - /// Return the maximum pattern identifier in this collection. This can be - /// useful in searchers for ensuring that the collection of patterns they - /// are provided at search time and at build time have the same size. - pub fn max_pattern_id(&self) -> PatternID { - assert_eq!((self.max_pattern_id + 1) as usize, self.len()); - self.max_pattern_id } /// Returns the length, in bytes, of the smallest pattern. /// /// This is guaranteed to be at least one. - pub fn minimum_len(&self) -> usize { + pub(crate) fn minimum_len(&self) -> usize { self.minimum_len } /// Returns the match semantics used by these patterns. - pub fn match_kind(&self) -> &MatchKind { + pub(crate) fn match_kind(&self) -> &MatchKind { &self.kind } /// Return the pattern with the given identifier. If such a pattern does /// not exist, then this panics. - pub fn get(&self, id: PatternID) -> Pattern<'_> { - Pattern(&self.by_id[id as usize]) + pub(crate) fn get(&self, id: PatternID) -> Pattern<'_> { + Pattern(&self.by_id[id]) } /// Return the pattern with the given identifier without performing bounds @@ -164,9 +150,8 @@ impl Patterns { /// /// Callers must ensure that a pattern with the given identifier exists /// before using this method. - #[cfg(all(feature = "std", target_arch = "x86_64"))] - pub unsafe fn get_unchecked(&self, id: PatternID) -> Pattern<'_> { - Pattern(self.by_id.get_unchecked(id as usize)) + pub(crate) unsafe fn get_unchecked(&self, id: PatternID) -> Pattern<'_> { + Pattern(self.by_id.get_unchecked(id.as_usize())) } /// Return an iterator over all the patterns in this collection, in the @@ -187,7 +172,7 @@ impl Patterns { /// the order provided by this iterator, then the result is guaranteed /// to satisfy the correct match semantics. (Either leftmost-first or /// leftmost-longest.) - pub fn iter(&self) -> PatternIter<'_> { + pub(crate) fn iter(&self) -> PatternIter<'_> { PatternIter { patterns: self, i: 0 } } } @@ -200,7 +185,7 @@ impl Patterns { /// The lifetime `'p` corresponds to the lifetime of the collection of patterns /// this is iterating over. #[derive(Debug)] -pub struct PatternIter<'p> { +pub(crate) struct PatternIter<'p> { patterns: &'p Patterns, i: usize, } @@ -221,7 +206,7 @@ impl<'p> Iterator for PatternIter<'p> { /// A pattern that is used in packed searching. #[derive(Clone)] -pub struct Pattern<'a>(&'a [u8]); +pub(crate) struct Pattern<'a>(&'a [u8]); impl<'a> fmt::Debug for Pattern<'a> { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { @@ -233,97 +218,263 @@ impl<'a> fmt::Debug for Pattern<'a> { impl<'p> Pattern<'p> { /// Returns the length of this pattern, in bytes. - pub fn len(&self) -> usize { + pub(crate) fn len(&self) -> usize { self.0.len() } /// Returns the bytes of this pattern. - pub fn bytes(&self) -> &[u8] { + pub(crate) fn bytes(&self) -> &[u8] { &self.0 } /// Returns the first `len` low nybbles from this pattern. If this pattern /// is shorter than `len`, then this panics. - #[cfg(all(feature = "std", target_arch = "x86_64"))] - pub fn low_nybbles(&self, len: usize) -> Vec { - let mut nybs = vec![]; - for &b in self.bytes().iter().take(len) { - nybs.push(b & 0xF); + pub(crate) fn low_nybbles(&self, len: usize) -> Box<[u8]> { + let mut nybs = vec![0; len].into_boxed_slice(); + for (i, byte) in self.bytes().iter().take(len).enumerate() { + nybs[i] = byte & 0xF; } nybs } /// Returns true if this pattern is a prefix of the given bytes. #[inline(always)] - pub fn is_prefix(&self, bytes: &[u8]) -> bool { - self.len() <= bytes.len() && self.equals(&bytes[..self.len()]) + pub(crate) fn is_prefix(&self, bytes: &[u8]) -> bool { + is_prefix(bytes, self.bytes()) } - /// Returns true if and only if this pattern equals the given bytes. + /// Returns true if this pattern is a prefix of the haystack given by the + /// raw `start` and `end` pointers. + /// + /// # Safety + /// + /// * It must be the case that `start < end` and that the distance between + /// them is at least equal to `V::BYTES`. That is, it must always be valid + /// to do at least an unaligned load of `V` at `start`. + /// * Both `start` and `end` must be valid for reads. + /// * Both `start` and `end` must point to an initialized value. + /// * Both `start` and `end` must point to the same allocated object and + /// must either be in bounds or at most one byte past the end of the + /// allocated object. + /// * Both `start` and `end` must be _derived from_ a pointer to the same + /// object. + /// * The distance between `start` and `end` must not overflow `isize`. + /// * The distance being in bounds must not rely on "wrapping around" the + /// address space. #[inline(always)] - pub fn equals(&self, bytes: &[u8]) -> bool { - // Why not just use memcmp for this? Well, memcmp requires calling out - // to libc, and this routine is called in fairly hot code paths. Other - // than just calling out to libc, it also seems to result in worse - // codegen. By rolling our own memcpy in pure Rust, it seems to appear - // more friendly to the optimizer. - // - // This results in an improvement in just about every benchmark. Some - // smaller than others, but in some cases, up to 30% faster. - - let (x, y) = (self.bytes(), bytes); - if x.len() != y.len() { + pub(crate) unsafe fn is_prefix_raw( + &self, + start: *const u8, + end: *const u8, + ) -> bool { + let patlen = self.bytes().len(); + let haylen = end.distance(start); + if patlen > haylen { return false; } - // If we don't have enough bytes to do 4-byte at a time loads, then - // fall back to the naive slow version. - if x.len() < 4 { - for (&b1, &b2) in x.iter().zip(y) { - if b1 != b2 { - return false; - } + // SAFETY: We've checked that the haystack has length at least equal + // to this pattern. All other safety concerns are the responsibility + // of the caller. + is_equal_raw(start, self.bytes().as_ptr(), patlen) + } +} + +/// Returns true if and only if `needle` is a prefix of `haystack`. +/// +/// This uses a latency optimized variant of `memcmp` internally which *might* +/// make this faster for very short strings. +/// +/// # Inlining +/// +/// This routine is marked `inline(always)`. If you want to call this function +/// in a way that is not always inlined, you'll need to wrap a call to it in +/// another function that is marked as `inline(never)` or just `inline`. +#[inline(always)] +fn is_prefix(haystack: &[u8], needle: &[u8]) -> bool { + if needle.len() > haystack.len() { + return false; + } + // SAFETY: Our pointers are derived directly from borrowed slices which + // uphold all of our safety guarantees except for length. We account for + // length with the check above. + unsafe { is_equal_raw(haystack.as_ptr(), needle.as_ptr(), needle.len()) } +} + +/// Compare corresponding bytes in `x` and `y` for equality. +/// +/// That is, this returns true if and only if `x.len() == y.len()` and +/// `x[i] == y[i]` for all `0 <= i < x.len()`. +/// +/// Note that this isn't used. We only use it in tests as a convenient way +/// of testing `is_equal_raw`. +/// +/// # Inlining +/// +/// This routine is marked `inline(always)`. If you want to call this function +/// in a way that is not always inlined, you'll need to wrap a call to it in +/// another function that is marked as `inline(never)` or just `inline`. +/// +/// # Motivation +/// +/// Why not use slice equality instead? Well, slice equality usually results in +/// a call out to the current platform's `libc` which might not be inlineable +/// or have other overhead. This routine isn't guaranteed to be a win, but it +/// might be in some cases. +#[cfg(test)] +#[inline(always)] +fn is_equal(x: &[u8], y: &[u8]) -> bool { + if x.len() != y.len() { + return false; + } + // SAFETY: Our pointers are derived directly from borrowed slices which + // uphold all of our safety guarantees except for length. We account for + // length with the check above. + unsafe { is_equal_raw(x.as_ptr(), y.as_ptr(), x.len()) } +} + +/// Compare `n` bytes at the given pointers for equality. +/// +/// This returns true if and only if `*x.add(i) == *y.add(i)` for all +/// `0 <= i < n`. +/// +/// # Inlining +/// +/// This routine is marked `inline(always)`. If you want to call this function +/// in a way that is not always inlined, you'll need to wrap a call to it in +/// another function that is marked as `inline(never)` or just `inline`. +/// +/// # Motivation +/// +/// Why not use slice equality instead? Well, slice equality usually results in +/// a call out to the current platform's `libc` which might not be inlineable +/// or have other overhead. This routine isn't guaranteed to be a win, but it +/// might be in some cases. +/// +/// # Safety +/// +/// * Both `x` and `y` must be valid for reads of up to `n` bytes. +/// * Both `x` and `y` must point to an initialized value. +/// * Both `x` and `y` must each point to an allocated object and +/// must either be in bounds or at most one byte past the end of the +/// allocated object. `x` and `y` do not need to point to the same allocated +/// object, but they may. +/// * Both `x` and `y` must be _derived from_ a pointer to their respective +/// allocated objects. +/// * The distance between `x` and `x+n` must not overflow `isize`. Similarly +/// for `y` and `y+n`. +/// * The distance being in bounds must not rely on "wrapping around" the +/// address space. +#[inline(always)] +unsafe fn is_equal_raw(mut x: *const u8, mut y: *const u8, n: usize) -> bool { + // If we don't have enough bytes to do 4-byte at a time loads, then + // handle each possible length specially. Note that I used to have a + // byte-at-a-time loop here and that turned out to be quite a bit slower + // for the memmem/pathological/defeat-simple-vector-alphabet benchmark. + if n < 4 { + return match n { + 0 => true, + 1 => x.read() == y.read(), + 2 => { + x.cast::().read_unaligned() + == y.cast::().read_unaligned() } - return true; + // I also tried copy_nonoverlapping here and it looks like the + // codegen is the same. + 3 => x.cast::<[u8; 3]>().read() == y.cast::<[u8; 3]>().read(), + _ => unreachable!(), + }; + } + // When we have 4 or more bytes to compare, then proceed in chunks of 4 at + // a time using unaligned loads. + // + // Also, why do 4 byte loads instead of, say, 8 byte loads? The reason is + // that this particular version of memcmp is likely to be called with tiny + // needles. That means that if we do 8 byte loads, then a higher proportion + // of memcmp calls will use the slower variant above. With that said, this + // is a hypothesis and is only loosely supported by benchmarks. There's + // likely some improvement that could be made here. The main thing here + // though is to optimize for latency, not throughput. + + // SAFETY: The caller is responsible for ensuring the pointers we get are + // valid and readable for at least `n` bytes. We also do unaligned loads, + // so there's no need to ensure we're aligned. (This is justified by this + // routine being specifically for short strings.) + let xend = x.add(n.wrapping_sub(4)); + let yend = y.add(n.wrapping_sub(4)); + while x < xend { + let vx = x.cast::().read_unaligned(); + let vy = y.cast::().read_unaligned(); + if vx != vy { + return false; } - // When we have 4 or more bytes to compare, then proceed in chunks of 4 - // at a time using unaligned loads. - // - // Also, why do 4 byte loads instead of, say, 8 byte loads? The reason - // is that this particular version of memcmp is likely to be called - // with tiny needles. That means that if we do 8 byte loads, then a - // higher proportion of memcmp calls will use the slower variant above. - // With that said, this is a hypothesis and is only loosely supported - // by benchmarks. There's likely some improvement that could be made - // here. The main thing here though is to optimize for latency, not - // throughput. - - // SAFETY: Via the conditional above, we know that both `px` and `py` - // have the same length, so `px < pxend` implies that `py < pyend`. - // Thus, derefencing both `px` and `py` in the loop below is safe. - // - // Moreover, we set `pxend` and `pyend` to be 4 bytes before the actual - // end of of `px` and `py`. Thus, the final dereference outside of the - // loop is guaranteed to be valid. (The final comparison will overlap - // with the last comparison done in the loop for lengths that aren't - // multiples of four.) - // - // Finally, we needn't worry about alignment here, since we do - // unaligned loads. - unsafe { - let (mut px, mut py) = (x.as_ptr(), y.as_ptr()); - let (pxend, pyend) = (px.add(x.len() - 4), py.add(y.len() - 4)); - while px < pxend { - let vx = (px as *const u32).read_unaligned(); - let vy = (py as *const u32).read_unaligned(); - if vx != vy { - return false; - } - px = px.add(4); - py = py.add(4); - } - let vx = (pxend as *const u32).read_unaligned(); - let vy = (pyend as *const u32).read_unaligned(); - vx == vy + x = x.add(4); + y = y.add(4); + } + let vx = xend.cast::().read_unaligned(); + let vy = yend.cast::().read_unaligned(); + vx == vy +} + +#[cfg(test)] +mod tests { + use super::*; + + #[test] + fn equals_different_lengths() { + assert!(!is_equal(b"", b"a")); + assert!(!is_equal(b"a", b"")); + assert!(!is_equal(b"ab", b"a")); + assert!(!is_equal(b"a", b"ab")); + } + + #[test] + fn equals_mismatch() { + let one_mismatch = [ + (&b"a"[..], &b"x"[..]), + (&b"ab"[..], &b"ax"[..]), + (&b"abc"[..], &b"abx"[..]), + (&b"abcd"[..], &b"abcx"[..]), + (&b"abcde"[..], &b"abcdx"[..]), + (&b"abcdef"[..], &b"abcdex"[..]), + (&b"abcdefg"[..], &b"abcdefx"[..]), + (&b"abcdefgh"[..], &b"abcdefgx"[..]), + (&b"abcdefghi"[..], &b"abcdefghx"[..]), + (&b"abcdefghij"[..], &b"abcdefghix"[..]), + (&b"abcdefghijk"[..], &b"abcdefghijx"[..]), + (&b"abcdefghijkl"[..], &b"abcdefghijkx"[..]), + (&b"abcdefghijklm"[..], &b"abcdefghijklx"[..]), + (&b"abcdefghijklmn"[..], &b"abcdefghijklmx"[..]), + ]; + for (x, y) in one_mismatch { + assert_eq!(x.len(), y.len(), "lengths should match"); + assert!(!is_equal(x, y)); + assert!(!is_equal(y, x)); } } + + #[test] + fn equals_yes() { + assert!(is_equal(b"", b"")); + assert!(is_equal(b"a", b"a")); + assert!(is_equal(b"ab", b"ab")); + assert!(is_equal(b"abc", b"abc")); + assert!(is_equal(b"abcd", b"abcd")); + assert!(is_equal(b"abcde", b"abcde")); + assert!(is_equal(b"abcdef", b"abcdef")); + assert!(is_equal(b"abcdefg", b"abcdefg")); + assert!(is_equal(b"abcdefgh", b"abcdefgh")); + assert!(is_equal(b"abcdefghi", b"abcdefghi")); + } + + #[test] + fn prefix() { + assert!(is_prefix(b"", b"")); + assert!(is_prefix(b"a", b"")); + assert!(is_prefix(b"ab", b"")); + assert!(is_prefix(b"foo", b"foo")); + assert!(is_prefix(b"foobar", b"foo")); + + assert!(!is_prefix(b"foo", b"fob")); + assert!(!is_prefix(b"foobar", b"fob")); + } } diff --git a/src/packed/rabinkarp.rs b/src/packed/rabinkarp.rs index a30b63c..fdd8a6f 100644 --- a/src/packed/rabinkarp.rs +++ b/src/packed/rabinkarp.rs @@ -1,9 +1,6 @@ -use alloc::{vec, vec::Vec}; +use alloc::{sync::Arc, vec, vec::Vec}; -use crate::{ - packed::pattern::{PatternID, Patterns}, - util::search::Match, -}; +use crate::{packed::pattern::Patterns, util::search::Match, PatternID}; /// The type of the rolling hash used in the Rabin-Karp algorithm. type Hash = usize; @@ -36,7 +33,9 @@ const NUM_BUCKETS: usize = 64; /// But ESMAJ provides something a bit more concrete: /// https://www-igm.univ-mlv.fr/~lecroq/string/node5.html #[derive(Clone, Debug)] -pub struct RabinKarp { +pub(crate) struct RabinKarp { + /// The patterns we're searching for. + patterns: Arc, /// The order of patterns in each bucket is significant. Namely, they are /// arranged such that the first one to match is the correct match. This /// may not necessarily correspond to the order provided by the caller. @@ -51,16 +50,6 @@ pub struct RabinKarp { /// The factor to subtract out of a hash before updating it with a new /// byte. hash_2pow: usize, - /// The maximum identifier of a pattern. This is used as a sanity check - /// to ensure that the patterns provided by the caller are the same as - /// the patterns that were used to compile the matcher. This sanity check - /// possibly permits safely eliminating bounds checks regardless of what - /// patterns are provided by the caller. - /// - /// (Currently, we don't use this to elide bounds checks since it doesn't - /// result in a measurable performance improvement, but we do use it for - /// better failure modes.) - max_pattern_id: PatternID, } impl RabinKarp { @@ -68,7 +57,7 @@ impl RabinKarp { /// /// This panics if any of the patterns in the collection are empty, or if /// the collection is itself empty. - pub fn new(patterns: &Patterns) -> RabinKarp { + pub(crate) fn new(patterns: &Arc) -> RabinKarp { assert!(patterns.len() >= 1); let hash_len = patterns.minimum_len(); assert!(hash_len >= 1); @@ -79,10 +68,10 @@ impl RabinKarp { } let mut rk = RabinKarp { + patterns: Arc::clone(patterns), buckets: vec![vec![]; NUM_BUCKETS], hash_len, hash_2pow, - max_pattern_id: patterns.max_pattern_id(), }; for (id, pat) in patterns.iter() { let hash = rk.hash(&pat.bytes()[..rk.hash_len]); @@ -94,18 +83,12 @@ impl RabinKarp { /// Return the first matching pattern in the given haystack, begining the /// search at `at`. - pub fn find_at( + pub(crate) fn find_at( &self, - patterns: &Patterns, haystack: &[u8], mut at: usize, ) -> Option { assert_eq!(NUM_BUCKETS, self.buckets.len()); - assert_eq!( - self.max_pattern_id, - patterns.max_pattern_id(), - "Rabin-Karp must be called with same patterns it was built with", - ); if at + self.hash_len > haystack.len() { return None; @@ -115,7 +98,7 @@ impl RabinKarp { let bucket = &self.buckets[hash % NUM_BUCKETS]; for &(phash, pid) in bucket { if phash == hash { - if let Some(c) = self.verify(patterns, pid, haystack, at) { + if let Some(c) = self.verify(pid, haystack, at) { return Some(c); } } @@ -134,10 +117,9 @@ impl RabinKarp { /// Returns the approximate total amount of heap used by this searcher, in /// units of bytes. - pub fn memory_usage(&self) -> usize { - let num_patterns = self.max_pattern_id as usize + 1; + pub(crate) fn memory_usage(&self) -> usize { self.buckets.len() * core::mem::size_of::>() - + num_patterns * core::mem::size_of::<(Hash, PatternID)>() + + self.patterns.len() * core::mem::size_of::<(Hash, PatternID)>() } /// Verify whether the pattern with the given id matches at @@ -152,14 +134,13 @@ impl RabinKarp { #[cold] fn verify( &self, - patterns: &Patterns, id: PatternID, haystack: &[u8], at: usize, ) -> Option { - let pat = patterns.get(id); + let pat = self.patterns.get(id); if pat.is_prefix(&haystack[at..]) { - Some(Match::must(id as usize, at..at + pat.len())) + Some(Match::new(id, at..at + pat.len())) } else { None } diff --git a/src/packed/teddy/builder.rs b/src/packed/teddy/builder.rs new file mode 100644 index 0000000..fa34e7c --- /dev/null +++ b/src/packed/teddy/builder.rs @@ -0,0 +1,733 @@ +use core::{ + fmt::Debug, + panic::{RefUnwindSafe, UnwindSafe}, +}; + +use alloc::sync::Arc; + +use crate::packed::{ext::Pointer, pattern::Patterns, teddy::generic::Match}; + +/// A builder for constructing a Teddy matcher. +/// +/// The builder primarily permits fine grained configuration of the Teddy +/// matcher. Most options are made only available for testing/benchmarking +/// purposes. In reality, options are automatically determined by the nature +/// and number of patterns given to the builder. +#[derive(Clone, Debug)] +pub(crate) struct Builder { + /// When none, this is automatically determined. Otherwise, `false` means + /// slim Teddy is used (8 buckets) and `true` means fat Teddy is used + /// (16 buckets). Fat Teddy requires AVX2, so if that CPU feature isn't + /// available and Fat Teddy was requested, no matcher will be built. + only_fat: Option, + /// When none, this is automatically determined. Otherwise, `false` means + /// that 128-bit vectors will be used (up to SSSE3 instructions) where as + /// `true` means that 256-bit vectors will be used. As with `fat`, if + /// 256-bit vectors are requested and they aren't available, then a + /// searcher will not be built. + only_256bit: Option, + /// When true (the default), the number of patterns will be used as a + /// heuristic for refusing construction of a Teddy searcher. The point here + /// is that too many patterns can overwhelm Teddy. But this can be disabled + /// in cases where the caller knows better. + heuristic_pattern_limits: bool, +} + +impl Default for Builder { + fn default() -> Builder { + Builder::new() + } +} + +impl Builder { + /// Create a new builder for configuring a Teddy matcher. + pub(crate) fn new() -> Builder { + Builder { + only_fat: None, + only_256bit: None, + heuristic_pattern_limits: true, + } + } + + /// Build a matcher for the set of patterns given. If a matcher could not + /// be built, then `None` is returned. + /// + /// Generally, a matcher isn't built if the necessary CPU features aren't + /// available, an unsupported target or if the searcher is believed to be + /// slower than standard techniques (i.e., if there are too many literals). + pub(crate) fn build(&self, patterns: Arc) -> Option { + self.build_imp(patterns) + } + + /// Require the use of Fat (true) or Slim (false) Teddy. Fat Teddy uses + /// 16 buckets where as Slim Teddy uses 8 buckets. More buckets are useful + /// for a larger set of literals. + /// + /// `None` is the default, which results in an automatic selection based + /// on the number of literals and available CPU features. + pub(crate) fn only_fat(&mut self, yes: Option) -> &mut Builder { + self.only_fat = yes; + self + } + + /// Request the use of 256-bit vectors (true) or 128-bit vectors (false). + /// Generally, a larger vector size is better since it either permits + /// matching more patterns or matching more bytes in the haystack at once. + /// + /// `None` is the default, which results in an automatic selection based on + /// the number of literals and available CPU features. + pub(crate) fn only_256bit(&mut self, yes: Option) -> &mut Builder { + self.only_256bit = yes; + self + } + + /// Request that heuristic limitations on the number of patterns be + /// employed. This useful to disable for benchmarking where one wants to + /// explore how Teddy performs on large number of patterns even if the + /// heuristics would otherwise refuse construction. + /// + /// This is enabled by default. + pub(crate) fn heuristic_pattern_limits( + &mut self, + yes: bool, + ) -> &mut Builder { + self.heuristic_pattern_limits = yes; + self + } + + fn build_imp(&self, patterns: Arc) -> Option { + let patlimit = self.heuristic_pattern_limits; + if patlimit && patterns.len() > 64 { + debug!("skipping Teddy because of too many patterns"); + return None; + } + + #[cfg(all(target_arch = "x86_64", target_feature = "sse2"))] + { + use self::x86_64::{FatAVX2, SlimAVX2, SlimSSSE3}; + + let mask_len = core::cmp::min(4, patterns.minimum_len()); + let beefy = patterns.len() > 32; + let has_avx2 = self::x86_64::is_available_avx2(); + let has_ssse3 = has_avx2 || self::x86_64::is_available_ssse3(); + let use_avx2 = if self.only_256bit == Some(true) { + if !has_avx2 { + debug!( + "skipping Teddy because avx2 was demanded but unavailable" + ); + return None; + } + true + } else if self.only_256bit == Some(false) { + if !has_ssse3 { + debug!( + "skipping Teddy because ssse3 was demanded but unavailable" + ); + return None; + } + false + } else if !has_ssse3 && !has_avx2 { + debug!( + "skipping Teddy because ssse3 and avx2 are unavailable" + ); + return None; + } else { + has_avx2 + }; + let fat = match self.only_fat { + None => use_avx2 && beefy, + Some(false) => false, + Some(true) if !use_avx2 => { + debug!( + "skipping Teddy because fat was demanded, but fat \ + Teddy requires avx2 which is unavailable" + ); + return None; + } + Some(true) => true, + }; + // Just like for aarch64, it's possible that too many patterns will + // overhwelm Teddy. Unlike aarch64 though, we have Fat teddy which + // helps things scale a bit more by spreading patterns over more + // buckets. + // + // These thresholds were determined by looking at the measurements + // for the rust/aho-corasick/packed/leftmost-first and + // rust/aho-corasick/dfa/leftmost-first engines on the `teddy/` + // benchmarks. + if patlimit && mask_len == 1 && patterns.len() > 16 { + debug!( + "skipping Teddy (mask len: 1) because there are \ + too many patterns", + ); + return None; + } + match (mask_len, use_avx2, fat) { + (1, false, _) => { + debug!("Teddy choice: 128-bit slim, 1 byte"); + SlimSSSE3::<1>::new(&patterns) + } + (1, true, false) => { + debug!("Teddy choice: 256-bit slim, 1 byte"); + SlimAVX2::<1>::new(&patterns) + } + (1, true, true) => { + debug!("Teddy choice: 256-bit fat, 1 byte"); + FatAVX2::<1>::new(&patterns) + } + (2, false, _) => { + debug!("Teddy choice: 128-bit slim, 2 bytes"); + SlimSSSE3::<2>::new(&patterns) + } + (2, true, false) => { + debug!("Teddy choice: 256-bit slim, 2 bytes"); + SlimAVX2::<2>::new(&patterns) + } + (2, true, true) => { + debug!("Teddy choice: 256-bit fat, 2 bytes"); + FatAVX2::<2>::new(&patterns) + } + (3, false, _) => { + debug!("Teddy choice: 128-bit slim, 3 bytes"); + SlimSSSE3::<3>::new(&patterns) + } + (3, true, false) => { + debug!("Teddy choice: 256-bit slim, 3 bytes"); + SlimAVX2::<3>::new(&patterns) + } + (3, true, true) => { + debug!("Teddy choice: 256-bit fat, 3 bytes"); + FatAVX2::<3>::new(&patterns) + } + (4, false, _) => { + debug!("Teddy choice: 128-bit slim, 4 bytes"); + SlimSSSE3::<4>::new(&patterns) + } + (4, true, false) => { + debug!("Teddy choice: 256-bit slim, 4 bytes"); + SlimAVX2::<4>::new(&patterns) + } + (4, true, true) => { + debug!("Teddy choice: 256-bit fat, 4 bytes"); + FatAVX2::<4>::new(&patterns) + } + _ => { + debug!("no supported Teddy configuration found"); + None + } + } + } + #[cfg(target_arch = "aarch64")] + { + use self::aarch64::SlimNeon; + + let mask_len = core::cmp::min(4, patterns.minimum_len()); + if self.only_256bit == Some(true) { + debug!( + "skipping Teddy because 256-bits were demanded \ + but unavailable" + ); + return None; + } + if self.only_fat == Some(true) { + debug!( + "skipping Teddy because fat was demanded but unavailable" + ); + } + // Since we don't have Fat teddy in aarch64 (I think we'd want at + // least 256-bit vectors for that), we need to be careful not to + // allow too many patterns as it might overwhelm Teddy. Generally + // speaking, as the mask length goes up, the more patterns we can + // handle because the mask length results in fewer candidates + // generated. + // + // These thresholds were determined by looking at the measurements + // for the rust/aho-corasick/packed/leftmost-first and + // rust/aho-corasick/dfa/leftmost-first engines on the `teddy/` + // benchmarks. + match mask_len { + 1 => { + if patlimit && patterns.len() > 16 { + debug!( + "skipping Teddy (mask len: 1) because there are \ + too many patterns", + ); + } + debug!("Teddy choice: 128-bit slim, 1 byte"); + SlimNeon::<1>::new(&patterns) + } + 2 => { + if patlimit && patterns.len() > 32 { + debug!( + "skipping Teddy (mask len: 2) because there are \ + too many patterns", + ); + } + debug!("Teddy choice: 128-bit slim, 2 bytes"); + SlimNeon::<2>::new(&patterns) + } + 3 => { + if patlimit && patterns.len() > 48 { + debug!( + "skipping Teddy (mask len: 3) because there are \ + too many patterns", + ); + } + debug!("Teddy choice: 128-bit slim, 3 bytes"); + SlimNeon::<3>::new(&patterns) + } + 4 => { + debug!("Teddy choice: 128-bit slim, 4 bytes"); + SlimNeon::<4>::new(&patterns) + } + _ => { + debug!("no supported Teddy configuration found"); + None + } + } + } + #[cfg(not(any( + all(target_arch = "x86_64", target_feature = "sse2"), + target_arch = "aarch64" + )))] + { + None + } + } +} + +#[derive(Clone, Debug)] +pub(crate) struct Searcher { + imp: Arc, + memory_usage: usize, + minimum_len: usize, +} + +impl Searcher { + #[inline(always)] + pub(crate) fn find( + &self, + haystack: &[u8], + at: usize, + ) -> Option { + let hayptr = haystack.as_ptr(); + let teddym = unsafe { + self.imp.find(hayptr.add(at), hayptr.add(haystack.len()))? + }; + let start = teddym.start().as_usize().wrapping_sub(hayptr.as_usize()); + let end = teddym.end().as_usize().wrapping_sub(hayptr.as_usize()); + let span = crate::Span { start, end }; + // OK because we won't permit the construction of a searcher that + // could report a pattern ID bigger than what can fit in the crate-wide + // PatternID type. + let pid = crate::PatternID::new_unchecked(teddym.pattern().as_usize()); + let m = crate::Match::new(pid, span); + Some(m) + } + + /// Returns the approximate total amount of heap used by this type, in + /// units of bytes. + #[inline(always)] + pub(crate) fn memory_usage(&self) -> usize { + self.memory_usage + } + + /// Returns the minimum length, in bytes, that a haystack must be in order + /// to use it with this searcher. + #[inline(always)] + pub(crate) fn minimum_len(&self) -> usize { + self.minimum_len + } +} + +/// A trait that provides dynamic dispatch over the different possible Teddy +/// variants on the same algorithm. +/// +/// On `x86_64` for example, it isn't known until runtime which of 12 possible +/// variants will be used. One might use one of the four slim 128-bit vector +/// variants, or one of the four 256-bit vector variants or even one of the +/// four fat 256-bit vector variants. +/// +/// Since this choice is generally made when the Teddy searcher is constructed +/// and this choice is based on the patterns given and what the current CPU +/// supports, it follows that there must be some kind of indirection at search +/// time that "selects" the variant chosen at build time. +/// +/// There are a few different ways to go about this. One approach is to use an +/// enum. It works fine, but in my experiments, this generally results in worse +/// codegen. Another approach, which is what we use here, is dynamic dispatch +/// via a trait object. We basically implement this trait for each possible +/// variant, select the variant we want at build time and convert it to a +/// trait object for use at search time. +/// +/// Another approach is to use function pointers and stick each of the possible +/// variants into a union. This is essentially isomorphic to the dynamic +/// dispatch approach, but doesn't require any allocations. Since this crate +/// requires `alloc`, there's no real reason (AFAIK) to go down this path. (The +/// `memchr` crate does this.) +trait SearcherT: + Debug + Send + Sync + UnwindSafe + RefUnwindSafe + 'static +{ + /// Execute a search on the given haystack (identified by `start` and `end` + /// raw pointers). + /// + /// # Safety + /// + /// Essentially, the `start` and `end` pointers must be valid and point + /// to a haystack one can read. As long as you derive them from, for + /// example, a `&[u8]`, they should automatically satisfy all of the safety + /// obligations: + /// + /// * Both `start` and `end` must be valid for reads. + /// * Both `start` and `end` must point to an initialized value. + /// * Both `start` and `end` must point to the same allocated object and + /// must either be in bounds or at most one byte past the end of the + /// allocated object. + /// * Both `start` and `end` must be _derived from_ a pointer to the same + /// object. + /// * The distance between `start` and `end` must not overflow `isize`. + /// * The distance being in bounds must not rely on "wrapping around" the + /// address space. + /// * It must be the case that `start <= end`. + unsafe fn find(&self, start: *const u8, end: *const u8) -> Option; +} + +#[cfg(all(target_arch = "x86_64", target_feature = "sse2"))] +mod x86_64 { + use core::arch::x86_64::{__m128i, __m256i}; + + use alloc::sync::Arc; + + use crate::packed::{ + ext::Pointer, + pattern::Patterns, + teddy::generic::{self, Match}, + }; + + use super::{Searcher, SearcherT}; + + #[derive(Clone, Debug)] + pub(super) struct SlimSSSE3 { + slim128: generic::Slim<__m128i, BYTES>, + } + + // Defines SlimSSSE3 wrapper functions for 1, 2, 3 and 4 bytes. + macro_rules! slim_ssse3 { + ($len:expr) => { + impl SlimSSSE3<$len> { + /// Creates a new searcher using "slim" Teddy with 128-bit + /// vectors. If SSSE3 is not available in the current + /// environment, then this returns `None`. + pub(super) fn new( + patterns: &Arc, + ) -> Option { + if !is_available_ssse3() { + return None; + } + Some(unsafe { SlimSSSE3::<$len>::new_unchecked(patterns) }) + } + + /// Creates a new searcher using "slim" Teddy with 256-bit + /// vectors without checking whether SSSE3 is available or not. + /// + /// # Safety + /// + /// Callers must ensure that SSSE3 is available in the current + /// environment. + #[target_feature(enable = "ssse3")] + unsafe fn new_unchecked(patterns: &Arc) -> Searcher { + let slim128 = generic::Slim::<__m128i, $len>::new( + Arc::clone(patterns), + ); + let memory_usage = slim128.memory_usage(); + let minimum_len = slim128.minimum_len(); + let imp = Arc::new(SlimSSSE3 { slim128 }); + Searcher { imp, memory_usage, minimum_len } + } + } + + impl SearcherT for SlimSSSE3<$len> { + #[target_feature(enable = "ssse3")] + #[inline] + unsafe fn find( + &self, + start: *const u8, + end: *const u8, + ) -> Option { + // SAFETY: All obligations except for `target_feature` are + // passed to the caller. Our use of `target_feature` is + // safe because construction of this type requires that the + // requisite target features are available. + self.slim128.find(start, end) + } + } + }; + } + + slim_ssse3!(1); + slim_ssse3!(2); + slim_ssse3!(3); + slim_ssse3!(4); + + #[derive(Clone, Debug)] + pub(super) struct SlimAVX2 { + slim128: generic::Slim<__m128i, BYTES>, + slim256: generic::Slim<__m256i, BYTES>, + } + + // Defines SlimAVX2 wrapper functions for 1, 2, 3 and 4 bytes. + macro_rules! slim_avx2 { + ($len:expr) => { + impl SlimAVX2<$len> { + /// Creates a new searcher using "slim" Teddy with 256-bit + /// vectors. If AVX2 is not available in the current + /// environment, then this returns `None`. + pub(super) fn new( + patterns: &Arc, + ) -> Option { + if !is_available_avx2() { + return None; + } + Some(unsafe { SlimAVX2::<$len>::new_unchecked(patterns) }) + } + + /// Creates a new searcher using "slim" Teddy with 256-bit + /// vectors without checking whether AVX2 is available or not. + /// + /// # Safety + /// + /// Callers must ensure that AVX2 is available in the current + /// environment. + #[target_feature(enable = "avx2")] + unsafe fn new_unchecked(patterns: &Arc) -> Searcher { + let slim128 = generic::Slim::<__m128i, $len>::new( + Arc::clone(&patterns), + ); + let slim256 = generic::Slim::<__m256i, $len>::new( + Arc::clone(&patterns), + ); + let memory_usage = + slim128.memory_usage() + slim256.memory_usage(); + let minimum_len = slim128.minimum_len(); + let imp = Arc::new(SlimAVX2 { slim128, slim256 }); + Searcher { imp, memory_usage, minimum_len } + } + } + + impl SearcherT for SlimAVX2<$len> { + #[target_feature(enable = "avx2")] + #[inline] + unsafe fn find( + &self, + start: *const u8, + end: *const u8, + ) -> Option { + // SAFETY: All obligations except for `target_feature` are + // passed to the caller. Our use of `target_feature` is + // safe because construction of this type requires that the + // requisite target features are available. + let len = end.distance(start); + if len < self.slim256.minimum_len() { + self.slim128.find(start, end) + } else { + self.slim256.find(start, end) + } + } + } + }; + } + + slim_avx2!(1); + slim_avx2!(2); + slim_avx2!(3); + slim_avx2!(4); + + #[derive(Clone, Debug)] + pub(super) struct FatAVX2 { + fat256: generic::Fat<__m256i, BYTES>, + } + + // Defines SlimAVX2 wrapper functions for 1, 2, 3 and 4 bytes. + macro_rules! fat_avx2 { + ($len:expr) => { + impl FatAVX2<$len> { + /// Creates a new searcher using "slim" Teddy with 256-bit + /// vectors. If AVX2 is not available in the current + /// environment, then this returns `None`. + pub(super) fn new( + patterns: &Arc, + ) -> Option { + if !is_available_avx2() { + return None; + } + Some(unsafe { FatAVX2::<$len>::new_unchecked(patterns) }) + } + + /// Creates a new searcher using "slim" Teddy with 256-bit + /// vectors without checking whether AVX2 is available or not. + /// + /// # Safety + /// + /// Callers must ensure that AVX2 is available in the current + /// environment. + #[target_feature(enable = "avx2")] + unsafe fn new_unchecked(patterns: &Arc) -> Searcher { + let fat256 = generic::Fat::<__m256i, $len>::new( + Arc::clone(&patterns), + ); + let memory_usage = fat256.memory_usage(); + let minimum_len = fat256.minimum_len(); + let imp = Arc::new(FatAVX2 { fat256 }); + Searcher { imp, memory_usage, minimum_len } + } + } + + impl SearcherT for FatAVX2<$len> { + #[target_feature(enable = "avx2")] + #[inline] + unsafe fn find( + &self, + start: *const u8, + end: *const u8, + ) -> Option { + // SAFETY: All obligations except for `target_feature` are + // passed to the caller. Our use of `target_feature` is + // safe because construction of this type requires that the + // requisite target features are available. + self.fat256.find(start, end) + } + } + }; + } + + fat_avx2!(1); + fat_avx2!(2); + fat_avx2!(3); + fat_avx2!(4); + + #[inline] + pub(super) fn is_available_ssse3() -> bool { + #[cfg(not(target_feature = "sse2"))] + { + false + } + #[cfg(target_feature = "sse2")] + { + #[cfg(target_feature = "ssse3")] + { + true + } + #[cfg(not(target_feature = "ssse3"))] + { + #[cfg(feature = "std")] + { + std::is_x86_feature_detected!("ssse3") + } + #[cfg(not(feature = "std"))] + { + false + } + } + } + } + + #[inline] + pub(super) fn is_available_avx2() -> bool { + #[cfg(not(target_feature = "sse2"))] + { + false + } + #[cfg(target_feature = "sse2")] + { + #[cfg(target_feature = "avx2")] + { + true + } + #[cfg(not(target_feature = "avx2"))] + { + #[cfg(feature = "std")] + { + std::is_x86_feature_detected!("avx2") + } + #[cfg(not(feature = "std"))] + { + false + } + } + } + } +} + +#[cfg(target_arch = "aarch64")] +mod aarch64 { + use core::arch::aarch64::uint8x16_t; + + use alloc::sync::Arc; + + use crate::packed::{ + pattern::Patterns, + teddy::generic::{self, Match}, + }; + + use super::{Searcher, SearcherT}; + + #[derive(Clone, Debug)] + pub(super) struct SlimNeon { + slim128: generic::Slim, + } + + // Defines SlimSSSE3 wrapper functions for 1, 2, 3 and 4 bytes. + macro_rules! slim_neon { + ($len:expr) => { + impl SlimNeon<$len> { + /// Creates a new searcher using "slim" Teddy with 128-bit + /// vectors. If SSSE3 is not available in the current + /// environment, then this returns `None`. + pub(super) fn new( + patterns: &Arc, + ) -> Option { + Some(unsafe { SlimNeon::<$len>::new_unchecked(patterns) }) + } + + /// Creates a new searcher using "slim" Teddy with 256-bit + /// vectors without checking whether SSSE3 is available or not. + /// + /// # Safety + /// + /// Callers must ensure that SSSE3 is available in the current + /// environment. + #[target_feature(enable = "neon")] + unsafe fn new_unchecked(patterns: &Arc) -> Searcher { + let slim128 = generic::Slim::::new( + Arc::clone(patterns), + ); + let memory_usage = slim128.memory_usage(); + let minimum_len = slim128.minimum_len(); + let imp = Arc::new(SlimNeon { slim128 }); + Searcher { imp, memory_usage, minimum_len } + } + } + + impl SearcherT for SlimNeon<$len> { + #[target_feature(enable = "neon")] + #[inline] + unsafe fn find( + &self, + start: *const u8, + end: *const u8, + ) -> Option { + // SAFETY: All obligations except for `target_feature` are + // passed to the caller. Our use of `target_feature` is + // safe because construction of this type requires that the + // requisite target features are available. + self.slim128.find(start, end) + } + } + }; + } + + slim_neon!(1); + slim_neon!(2); + slim_neon!(3); + slim_neon!(4); +} diff --git a/src/packed/teddy/compile.rs b/src/packed/teddy/compile.rs deleted file mode 100644 index 2e27e10..0000000 --- a/src/packed/teddy/compile.rs +++ /dev/null @@ -1,502 +0,0 @@ -// See the README in this directory for an explanation of the Teddy algorithm. - -use core::{cmp, fmt}; - -use alloc::{collections::BTreeMap, format, vec, vec::Vec}; - -use crate::packed::{ - pattern::{PatternID, Patterns}, - teddy::Teddy, -}; - -/// A builder for constructing a Teddy matcher. -/// -/// The builder primarily permits fine grained configuration of the Teddy -/// matcher. Most options are made only available for testing/benchmarking -/// purposes. In reality, options are automatically determined by the nature -/// and number of patterns given to the builder. -#[derive(Clone, Debug)] -pub struct Builder { - /// When none, this is automatically determined. Otherwise, `false` means - /// slim Teddy is used (8 buckets) and `true` means fat Teddy is used - /// (16 buckets). Fat Teddy requires AVX2, so if that CPU feature isn't - /// available and Fat Teddy was requested, no matcher will be built. - fat: Option, - /// When none, this is automatically determined. Otherwise, `false` means - /// that 128-bit vectors will be used (up to SSSE3 instructions) where as - /// `true` means that 256-bit vectors will be used. As with `fat`, if - /// 256-bit vectors are requested and they aren't available, then a - /// searcher will not be built. - avx: Option, -} - -impl Default for Builder { - fn default() -> Builder { - Builder::new() - } -} - -impl Builder { - /// Create a new builder for configuring a Teddy matcher. - pub fn new() -> Builder { - Builder { fat: None, avx: None } - } - - /// Build a matcher for the set of patterns given. If a matcher could not - /// be built, then `None` is returned. - /// - /// Generally, a matcher isn't built if the necessary CPU features aren't - /// available, an unsupported target or if the searcher is believed to be - /// slower than standard techniques (i.e., if there are too many literals). - pub fn build(&self, patterns: &Patterns) -> Option { - self.build_imp(patterns) - } - - /// Require the use of Fat (true) or Slim (false) Teddy. Fat Teddy uses - /// 16 buckets where as Slim Teddy uses 8 buckets. More buckets are useful - /// for a larger set of literals. - /// - /// `None` is the default, which results in an automatic selection based - /// on the number of literals and available CPU features. - pub fn fat(&mut self, yes: Option) -> &mut Builder { - self.fat = yes; - self - } - - /// Request the use of 256-bit vectors (true) or 128-bit vectors (false). - /// Generally, a larger vector size is better since it either permits - /// matching more patterns or matching more bytes in the haystack at once. - /// - /// `None` is the default, which results in an automatic selection based on - /// the number of literals and available CPU features. - pub fn avx(&mut self, yes: Option) -> &mut Builder { - self.avx = yes; - self - } - - fn build_imp(&self, patterns: &Patterns) -> Option { - use crate::packed::teddy::runtime; - - // Most of the logic here is just about selecting the optimal settings, - // or perhaps even rejecting construction altogether. The choices - // we have are: fat (avx only) or not, ssse3 or avx2, and how many - // patterns we allow ourselves to search. Additionally, for testing - // and benchmarking, we permit callers to try to "force" a setting, - // and if the setting isn't allowed (e.g., forcing AVX when AVX isn't - // available), then we bail and return nothing. - - if patterns.len() > 64 { - debug!("skipping Teddy because of too many patterns"); - return None; - } - let has_ssse3 = std::is_x86_feature_detected!("ssse3"); - let has_avx = std::is_x86_feature_detected!("avx2"); - let avx = if self.avx == Some(true) { - if !has_avx { - debug!( - "skipping Teddy because avx was demanded but unavailable" - ); - return None; - } - true - } else if self.avx == Some(false) { - if !has_ssse3 { - debug!( - "skipping Teddy because ssse3 was demanded but unavailable" - ); - return None; - } - false - } else if !has_ssse3 && !has_avx { - debug!("skipping Teddy because ssse3 and avx are unavailable"); - return None; - } else { - has_avx - }; - let fat = match self.fat { - None => avx && patterns.len() > 32, - Some(false) => false, - Some(true) if !avx => { - debug!( - "skipping Teddy because it needs to be fat, but fat \ - Teddy requires avx which is unavailable" - ); - return None; - } - Some(true) => true, - }; - - let mut compiler = Compiler::new(patterns, fat); - compiler.compile(); - let Compiler { buckets, masks, .. } = compiler; - // SAFETY: It is required that the builder only produce Teddy matchers - // that are allowed to run on the current CPU, since we later assume - // that the presence of (for example) TeddySlim1Mask256 means it is - // safe to call functions marked with the `avx2` target feature. - match (masks.len(), avx, fat) { - (1, false, _) => { - debug!("Teddy choice: 128-bit slim, 1 byte"); - Some(Teddy { - buckets, - max_pattern_id: patterns.max_pattern_id(), - exec: runtime::Exec::TeddySlim1Mask128( - runtime::TeddySlim1Mask128 { - mask1: runtime::Mask128::new(masks[0]), - }, - ), - }) - } - (1, true, false) => { - debug!("Teddy choice: 256-bit slim, 1 byte"); - Some(Teddy { - buckets, - max_pattern_id: patterns.max_pattern_id(), - exec: runtime::Exec::TeddySlim1Mask256( - runtime::TeddySlim1Mask256 { - mask1: runtime::Mask256::new(masks[0]), - }, - ), - }) - } - (1, true, true) => { - debug!("Teddy choice: 256-bit fat, 1 byte"); - Some(Teddy { - buckets, - max_pattern_id: patterns.max_pattern_id(), - exec: runtime::Exec::TeddyFat1Mask256( - runtime::TeddyFat1Mask256 { - mask1: runtime::Mask256::new(masks[0]), - }, - ), - }) - } - (2, false, _) => { - debug!("Teddy choice: 128-bit slim, 2 bytes"); - Some(Teddy { - buckets, - max_pattern_id: patterns.max_pattern_id(), - exec: runtime::Exec::TeddySlim2Mask128( - runtime::TeddySlim2Mask128 { - mask1: runtime::Mask128::new(masks[0]), - mask2: runtime::Mask128::new(masks[1]), - }, - ), - }) - } - (2, true, false) => { - debug!("Teddy choice: 256-bit slim, 2 bytes"); - Some(Teddy { - buckets, - max_pattern_id: patterns.max_pattern_id(), - exec: runtime::Exec::TeddySlim2Mask256( - runtime::TeddySlim2Mask256 { - mask1: runtime::Mask256::new(masks[0]), - mask2: runtime::Mask256::new(masks[1]), - }, - ), - }) - } - (2, true, true) => { - debug!("Teddy choice: 256-bit fat, 2 bytes"); - Some(Teddy { - buckets, - max_pattern_id: patterns.max_pattern_id(), - exec: runtime::Exec::TeddyFat2Mask256( - runtime::TeddyFat2Mask256 { - mask1: runtime::Mask256::new(masks[0]), - mask2: runtime::Mask256::new(masks[1]), - }, - ), - }) - } - (3, false, _) => { - debug!("Teddy choice: 128-bit slim, 3 bytes"); - Some(Teddy { - buckets, - max_pattern_id: patterns.max_pattern_id(), - exec: runtime::Exec::TeddySlim3Mask128( - runtime::TeddySlim3Mask128 { - mask1: runtime::Mask128::new(masks[0]), - mask2: runtime::Mask128::new(masks[1]), - mask3: runtime::Mask128::new(masks[2]), - }, - ), - }) - } - (3, true, false) => { - debug!("Teddy choice: 256-bit slim, 3 bytes"); - Some(Teddy { - buckets, - max_pattern_id: patterns.max_pattern_id(), - exec: runtime::Exec::TeddySlim3Mask256( - runtime::TeddySlim3Mask256 { - mask1: runtime::Mask256::new(masks[0]), - mask2: runtime::Mask256::new(masks[1]), - mask3: runtime::Mask256::new(masks[2]), - }, - ), - }) - } - (3, true, true) => { - debug!("Teddy choice: 256-bit fat, 3 bytes"); - Some(Teddy { - buckets, - max_pattern_id: patterns.max_pattern_id(), - exec: runtime::Exec::TeddyFat3Mask256( - runtime::TeddyFat3Mask256 { - mask1: runtime::Mask256::new(masks[0]), - mask2: runtime::Mask256::new(masks[1]), - mask3: runtime::Mask256::new(masks[2]), - }, - ), - }) - } - (4, false, _) => { - debug!("Teddy choice: 128-bit slim, 4 bytes"); - Some(Teddy { - buckets, - max_pattern_id: patterns.max_pattern_id(), - exec: runtime::Exec::TeddySlim4Mask128( - runtime::TeddySlim4Mask128 { - mask1: runtime::Mask128::new(masks[0]), - mask2: runtime::Mask128::new(masks[1]), - mask3: runtime::Mask128::new(masks[2]), - mask4: runtime::Mask128::new(masks[3]), - }, - ), - }) - } - (4, true, false) => { - debug!("Teddy choice: 256-bit slim, 4 bytes"); - Some(Teddy { - buckets, - max_pattern_id: patterns.max_pattern_id(), - exec: runtime::Exec::TeddySlim4Mask256( - runtime::TeddySlim4Mask256 { - mask1: runtime::Mask256::new(masks[0]), - mask2: runtime::Mask256::new(masks[1]), - mask3: runtime::Mask256::new(masks[2]), - mask4: runtime::Mask256::new(masks[3]), - }, - ), - }) - } - (4, true, true) => { - debug!("Teddy choice: 256-bit fat, 4 bytes"); - Some(Teddy { - buckets, - max_pattern_id: patterns.max_pattern_id(), - exec: runtime::Exec::TeddyFat4Mask256( - runtime::TeddyFat4Mask256 { - mask1: runtime::Mask256::new(masks[0]), - mask2: runtime::Mask256::new(masks[1]), - mask3: runtime::Mask256::new(masks[2]), - mask4: runtime::Mask256::new(masks[3]), - }, - ), - }) - } - _ => unreachable!(), - } - } -} - -/// A compiler is in charge of allocating patterns into buckets and generating -/// the masks necessary for searching. -#[derive(Clone)] -struct Compiler<'p> { - patterns: &'p Patterns, - buckets: Vec>, - masks: Vec, -} - -impl<'p> Compiler<'p> { - /// Create a new Teddy compiler for the given patterns. If `fat` is true, - /// then 16 buckets will be used instead of 8. - /// - /// This panics if any of the patterns given are empty. - fn new(patterns: &'p Patterns, fat: bool) -> Compiler<'p> { - let mask_len = cmp::min(4, patterns.minimum_len()); - assert!(1 <= mask_len && mask_len <= 4); - - Compiler { - patterns, - buckets: vec![vec![]; if fat { 16 } else { 8 }], - masks: vec![Mask::default(); mask_len], - } - } - - /// Compile the patterns in this compiler into buckets and masks. - fn compile(&mut self) { - let mut lonibble_to_bucket: BTreeMap, usize> = BTreeMap::new(); - for (id, pattern) in self.patterns.iter() { - // We try to be slightly clever in how we assign patterns into - // buckets. Generally speaking, we want patterns with the same - // prefix to be in the same bucket, since it minimizes the amount - // of time we spend churning through buckets in the verification - // step. - // - // So we could assign patterns with the same N-prefix (where N - // is the size of the mask, which is one of {1, 2, 3}) to the - // same bucket. However, case insensitive searches are fairly - // common, so we'd for example, ideally want to treat `abc` and - // `ABC` as if they shared the same prefix. ASCII has the nice - // property that the lower 4 bits of A and a are the same, so we - // therefore group patterns with the same low-nybbe-N-prefix into - // the same bucket. - // - // MOREOVER, this is actually necessary for correctness! In - // particular, by grouping patterns with the same prefix into the - // same bucket, we ensure that we preserve correct leftmost-first - // and leftmost-longest match semantics. In addition to the fact - // that `patterns.iter()` iterates in the correct order, this - // guarantees that all possible ambiguous matches will occur in - // the same bucket. The verification routine could be adjusted to - // support correct leftmost match semantics regardless of bucket - // allocation, but that results in a performance hit. It's much - // nicer to be able to just stop as soon as a match is found. - let lonybs = pattern.low_nybbles(self.masks.len()); - if let Some(&bucket) = lonibble_to_bucket.get(&lonybs) { - self.buckets[bucket].push(id); - } else { - // N.B. We assign buckets in reverse because it shouldn't have - // any influence on performance, but it does make it harder to - // get leftmost match semantics accidentally correct. - let bucket = (self.buckets.len() - 1) - - (id as usize % self.buckets.len()); - self.buckets[bucket].push(id); - lonibble_to_bucket.insert(lonybs, bucket); - } - } - for (bucket_index, bucket) in self.buckets.iter().enumerate() { - for &pat_id in bucket { - let pat = self.patterns.get(pat_id); - for (i, mask) in self.masks.iter_mut().enumerate() { - if self.buckets.len() == 8 { - mask.add_slim(bucket_index as u8, pat.bytes()[i]); - } else { - mask.add_fat(bucket_index as u8, pat.bytes()[i]); - } - } - } - } - } -} - -impl<'p> fmt::Debug for Compiler<'p> { - fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - let mut buckets = vec![vec![]; self.buckets.len()]; - for (i, bucket) in self.buckets.iter().enumerate() { - for &patid in bucket { - buckets[i].push(self.patterns.get(patid)); - } - } - f.debug_struct("Compiler") - .field("buckets", &buckets) - .field("masks", &self.masks) - .finish() - } -} - -/// Mask represents the low and high nybble masks that will be used during -/// search. Each mask is 32 bytes wide, although only the first 16 bytes are -/// used for the SSSE3 runtime. -/// -/// Each byte in the mask corresponds to a 8-bit bitset, where bit `i` is set -/// if and only if the corresponding nybble is in the ith bucket. The index of -/// the byte (0-15, inclusive) corresponds to the nybble. -/// -/// Each mask is used as the target of a shuffle, where the indices for the -/// shuffle are taken from the haystack. AND'ing the shuffles for both the -/// low and high masks together also results in 8-bit bitsets, but where bit -/// `i` is set if and only if the correspond *byte* is in the ith bucket. -/// -/// During compilation, masks are just arrays. But during search, these masks -/// are represented as 128-bit or 256-bit vectors. -/// -/// (See the README is this directory for more details.) -#[derive(Clone, Copy, Default)] -pub struct Mask { - lo: [u8; 32], - hi: [u8; 32], -} - -impl Mask { - /// Update this mask by adding the given byte to the given bucket. The - /// given bucket must be in the range 0-7. - /// - /// This is for "slim" Teddy, where there are only 8 buckets. - fn add_slim(&mut self, bucket: u8, byte: u8) { - assert!(bucket < 8); - - let byte_lo = (byte & 0xF) as usize; - let byte_hi = ((byte >> 4) & 0xF) as usize; - // When using 256-bit vectors, we need to set this bucket assignment in - // the low and high 128-bit portions of the mask. This allows us to - // process 32 bytes at a time. Namely, AVX2 shuffles operate on each - // of the 128-bit lanes, rather than the full 256-bit vector at once. - self.lo[byte_lo] |= 1 << bucket; - self.lo[byte_lo + 16] |= 1 << bucket; - self.hi[byte_hi] |= 1 << bucket; - self.hi[byte_hi + 16] |= 1 << bucket; - } - - /// Update this mask by adding the given byte to the given bucket. The - /// given bucket must be in the range 0-15. - /// - /// This is for "fat" Teddy, where there are 16 buckets. - fn add_fat(&mut self, bucket: u8, byte: u8) { - assert!(bucket < 16); - - let byte_lo = (byte & 0xF) as usize; - let byte_hi = ((byte >> 4) & 0xF) as usize; - // Unlike slim teddy, fat teddy only works with AVX2. For fat teddy, - // the high 128 bits of our mask correspond to buckets 8-15, while the - // low 128 bits correspond to buckets 0-7. - if bucket < 8 { - self.lo[byte_lo] |= 1 << bucket; - self.hi[byte_hi] |= 1 << bucket; - } else { - self.lo[byte_lo + 16] |= 1 << (bucket % 8); - self.hi[byte_hi + 16] |= 1 << (bucket % 8); - } - } - - /// Return the low 128 bits of the low-nybble mask. - pub fn lo128(&self) -> [u8; 16] { - let mut tmp = [0; 16]; - tmp.copy_from_slice(&self.lo[..16]); - tmp - } - - /// Return the full low-nybble mask. - pub fn lo256(&self) -> [u8; 32] { - self.lo - } - - /// Return the low 128 bits of the high-nybble mask. - pub fn hi128(&self) -> [u8; 16] { - let mut tmp = [0; 16]; - tmp.copy_from_slice(&self.hi[..16]); - tmp - } - - /// Return the full high-nybble mask. - pub fn hi256(&self) -> [u8; 32] { - self.hi - } -} - -impl fmt::Debug for Mask { - fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - let (mut parts_lo, mut parts_hi) = (vec![], vec![]); - for i in 0..32 { - parts_lo.push(format!("{:02}: {:08b}", i, self.lo[i])); - parts_hi.push(format!("{:02}: {:08b}", i, self.hi[i])); - } - f.debug_struct("Mask") - .field("lo", &parts_lo) - .field("hi", &parts_hi) - .finish() - } -} diff --git a/src/packed/teddy/generic.rs b/src/packed/teddy/generic.rs new file mode 100644 index 0000000..95f9ddf --- /dev/null +++ b/src/packed/teddy/generic.rs @@ -0,0 +1,1378 @@ +use core::fmt::Debug; + +use alloc::{ + boxed::Box, collections::BTreeMap, format, sync::Arc, vec, vec::Vec, +}; + +use crate::{ + packed::{ + ext::Pointer, + pattern::Patterns, + vector::{FatVector, Vector}, + }, + util::int::U32, + PatternID, +}; + +/// A match type specialized to the Teddy implementations below. +/// +/// Essentially, instead of representing a match at byte offsets, we use +/// raw pointers. This is because the implementations below operate on raw +/// pointers, and so this is a more natural return type based on how the +/// implementation works. +/// +/// Also, the `PatternID` used here is a `u16`. +#[derive(Clone, Copy, Debug)] +pub(crate) struct Match { + pid: PatternID, + start: *const u8, + end: *const u8, +} + +impl Match { + /// Returns the ID of the pattern that matched. + pub(crate) fn pattern(&self) -> PatternID { + self.pid + } + + /// Returns a pointer into the haystack at which the match starts. + pub(crate) fn start(&self) -> *const u8 { + self.start + } + + /// Returns a pointer into the haystack at which the match ends. + pub(crate) fn end(&self) -> *const u8 { + self.end + } +} + +/// A "slim" Teddy implementation that is generic over both the vector type +/// and the minimum length of the patterns being searched for. +/// +/// Only 1, 2, 3 and 4 bytes are supported as minimum lengths. +#[derive(Clone, Debug)] +pub(crate) struct Slim { + /// A generic data structure for doing "slim" Teddy verification. + teddy: Teddy<8>, + /// The masks used as inputs to the shuffle operation to generate + /// candidates (which are fed into the verification routines). + masks: [Mask; BYTES], +} + +impl Slim { + /// Create a new "slim" Teddy searcher for the given patterns. + /// + /// # Panics + /// + /// This panics when `BYTES` is any value other than 1, 2, 3 or 4. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + #[inline(always)] + pub(crate) unsafe fn new(patterns: Arc) -> Slim { + assert!( + 1 <= BYTES && BYTES <= 4, + "only 1, 2, 3 or 4 bytes are supported" + ); + let teddy = Teddy::new(patterns); + let masks = SlimMaskBuilder::from_teddy(&teddy); + Slim { teddy, masks } + } + + /// Returns the approximate total amount of heap used by this type, in + /// units of bytes. + #[inline(always)] + pub(crate) fn memory_usage(&self) -> usize { + self.teddy.memory_usage() + } + + /// Returns the minimum length, in bytes, that a haystack must be in order + /// to use it with this searcher. + #[inline(always)] + pub(crate) fn minimum_len(&self) -> usize { + V::BYTES + (BYTES - 1) + } +} + +impl Slim { + /// Look for an occurrences of the patterns in this finder in the haystack + /// given by the `start` and `end` pointers. + /// + /// If no match could be found, then `None` is returned. + /// + /// # Safety + /// + /// The given pointers representing the haystack must be valid to read + /// from. + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + #[inline(always)] + pub(crate) unsafe fn find( + &self, + start: *const u8, + end: *const u8, + ) -> Option { + let len = end.distance(start); + debug_assert!(len >= self.minimum_len()); + let mut cur = start; + while cur <= end.sub(V::BYTES) { + if let Some(m) = self.find_one(cur, end) { + return Some(m); + } + cur = cur.add(V::BYTES); + } + if cur < end { + cur = end.sub(V::BYTES); + if let Some(m) = self.find_one(cur, end) { + return Some(m); + } + } + None + } + + /// Look for a match starting at the `V::BYTES` at and after `cur`. If + /// there isn't one, then `None` is returned. + /// + /// # Safety + /// + /// The given pointers representing the haystack must be valid to read + /// from. + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + #[inline(always)] + unsafe fn find_one( + &self, + cur: *const u8, + end: *const u8, + ) -> Option { + let c = self.candidate(cur); + if !c.is_zero() { + if let Some(m) = self.teddy.verify(cur, end, c) { + return Some(m); + } + } + None + } + + /// Look for a candidate match (represented as a vector) starting at the + /// `V::BYTES` at and after `cur`. If there isn't one, then a vector with + /// all bits set to zero is returned. + /// + /// # Safety + /// + /// The given pointer representing the haystack must be valid to read + /// from. + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + #[inline(always)] + unsafe fn candidate(&self, cur: *const u8) -> V { + let chunk = V::load_unaligned(cur); + Mask::members1(chunk, self.masks) + } +} + +impl Slim { + /// See Slim::find. + #[inline(always)] + pub(crate) unsafe fn find( + &self, + start: *const u8, + end: *const u8, + ) -> Option { + let len = end.distance(start); + debug_assert!(len >= self.minimum_len()); + let mut cur = start.add(1); + let mut prev0 = V::splat(0xFF); + while cur <= end.sub(V::BYTES) { + if let Some(m) = self.find_one(cur, end, &mut prev0) { + return Some(m); + } + cur = cur.add(V::BYTES); + } + if cur < end { + cur = end.sub(V::BYTES); + prev0 = V::splat(0xFF); + if let Some(m) = self.find_one(cur, end, &mut prev0) { + return Some(m); + } + } + None + } + + /// See Slim::find_one. + #[inline(always)] + unsafe fn find_one( + &self, + cur: *const u8, + end: *const u8, + prev0: &mut V, + ) -> Option { + let c = self.candidate(cur, prev0); + if !c.is_zero() { + if let Some(m) = self.teddy.verify(cur.sub(1), end, c) { + return Some(m); + } + } + None + } + + /// See Slim::candidate. + #[inline(always)] + unsafe fn candidate(&self, cur: *const u8, prev0: &mut V) -> V { + let chunk = V::load_unaligned(cur); + let (res0, res1) = Mask::members2(chunk, self.masks); + let res0prev0 = res0.shift_in_one_byte(*prev0); + let res = res0prev0.and(res1); + *prev0 = res0; + res + } +} + +impl Slim { + /// See Slim::find. + #[inline(always)] + pub(crate) unsafe fn find( + &self, + start: *const u8, + end: *const u8, + ) -> Option { + let len = end.distance(start); + debug_assert!(len >= self.minimum_len()); + let mut cur = start.add(2); + let mut prev0 = V::splat(0xFF); + let mut prev1 = V::splat(0xFF); + while cur <= end.sub(V::BYTES) { + if let Some(m) = self.find_one(cur, end, &mut prev0, &mut prev1) { + return Some(m); + } + cur = cur.add(V::BYTES); + } + if cur < end { + cur = end.sub(V::BYTES); + prev0 = V::splat(0xFF); + prev1 = V::splat(0xFF); + if let Some(m) = self.find_one(cur, end, &mut prev0, &mut prev1) { + return Some(m); + } + } + None + } + + /// See Slim::find_one. + #[inline(always)] + unsafe fn find_one( + &self, + cur: *const u8, + end: *const u8, + prev0: &mut V, + prev1: &mut V, + ) -> Option { + let c = self.candidate(cur, prev0, prev1); + if !c.is_zero() { + if let Some(m) = self.teddy.verify(cur.sub(2), end, c) { + return Some(m); + } + } + None + } + + /// See Slim::candidate. + #[inline(always)] + unsafe fn candidate( + &self, + cur: *const u8, + prev0: &mut V, + prev1: &mut V, + ) -> V { + let chunk = V::load_unaligned(cur); + let (res0, res1, res2) = Mask::members3(chunk, self.masks); + let res0prev0 = res0.shift_in_two_bytes(*prev0); + let res1prev1 = res1.shift_in_one_byte(*prev1); + let res = res0prev0.and(res1prev1).and(res2); + *prev0 = res0; + *prev1 = res1; + res + } +} + +impl Slim { + /// See Slim::find. + #[inline(always)] + pub(crate) unsafe fn find( + &self, + start: *const u8, + end: *const u8, + ) -> Option { + let len = end.distance(start); + debug_assert!(len >= self.minimum_len()); + let mut cur = start.add(3); + let mut prev0 = V::splat(0xFF); + let mut prev1 = V::splat(0xFF); + let mut prev2 = V::splat(0xFF); + while cur <= end.sub(V::BYTES) { + if let Some(m) = + self.find_one(cur, end, &mut prev0, &mut prev1, &mut prev2) + { + return Some(m); + } + cur = cur.add(V::BYTES); + } + if cur < end { + cur = end.sub(V::BYTES); + prev0 = V::splat(0xFF); + prev1 = V::splat(0xFF); + prev2 = V::splat(0xFF); + if let Some(m) = + self.find_one(cur, end, &mut prev0, &mut prev1, &mut prev2) + { + return Some(m); + } + } + None + } + + /// See Slim::find_one. + #[inline(always)] + unsafe fn find_one( + &self, + cur: *const u8, + end: *const u8, + prev0: &mut V, + prev1: &mut V, + prev2: &mut V, + ) -> Option { + let c = self.candidate(cur, prev0, prev1, prev2); + if !c.is_zero() { + if let Some(m) = self.teddy.verify(cur.sub(3), end, c) { + return Some(m); + } + } + None + } + + /// See Slim::candidate. + #[inline(always)] + unsafe fn candidate( + &self, + cur: *const u8, + prev0: &mut V, + prev1: &mut V, + prev2: &mut V, + ) -> V { + let chunk = V::load_unaligned(cur); + let (res0, res1, res2, res3) = Mask::members4(chunk, self.masks); + let res0prev0 = res0.shift_in_three_bytes(*prev0); + let res1prev1 = res1.shift_in_two_bytes(*prev1); + let res2prev2 = res2.shift_in_one_byte(*prev2); + let res = res0prev0.and(res1prev1).and(res2prev2).and(res3); + *prev0 = res0; + *prev1 = res1; + *prev2 = res2; + res + } +} + +/// A "fat" Teddy implementation that is generic over both the vector type +/// and the minimum length of the patterns being searched for. +/// +/// Only 1, 2, 3 and 4 bytes are supported as minimum lengths. +#[derive(Clone, Debug)] +pub(crate) struct Fat { + /// A generic data structure for doing "fat" Teddy verification. + teddy: Teddy<16>, + /// The masks used as inputs to the shuffle operation to generate + /// candidates (which are fed into the verification routines). + masks: [Mask; BYTES], +} + +impl Fat { + /// Create a new "fat" Teddy searcher for the given patterns. + /// + /// # Panics + /// + /// This panics when `BYTES` is any value other than 1, 2, 3 or 4. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + #[inline(always)] + pub(crate) unsafe fn new(patterns: Arc) -> Fat { + assert!( + 1 <= BYTES && BYTES <= 4, + "only 1, 2, 3 or 4 bytes are supported" + ); + let teddy = Teddy::new(patterns); + let masks = FatMaskBuilder::from_teddy(&teddy); + Fat { teddy, masks } + } + + /// Returns the approximate total amount of heap used by this type, in + /// units of bytes. + #[inline(always)] + pub(crate) fn memory_usage(&self) -> usize { + self.teddy.memory_usage() + } + + /// Returns the minimum length, in bytes, that a haystack must be in order + /// to use it with this searcher. + #[inline(always)] + pub(crate) fn minimum_len(&self) -> usize { + V::Half::BYTES + (BYTES - 1) + } +} + +impl Fat { + /// Look for an occurrences of the patterns in this finder in the haystack + /// given by the `start` and `end` pointers. + /// + /// If no match could be found, then `None` is returned. + /// + /// # Safety + /// + /// The given pointers representing the haystack must be valid to read + /// from. + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + #[inline(always)] + pub(crate) unsafe fn find( + &self, + start: *const u8, + end: *const u8, + ) -> Option { + let len = end.distance(start); + debug_assert!(len >= self.minimum_len()); + let mut cur = start; + while cur <= end.sub(V::Half::BYTES) { + if let Some(m) = self.find_one(cur, end) { + return Some(m); + } + cur = cur.add(V::Half::BYTES); + } + if cur < end { + cur = end.sub(V::Half::BYTES); + if let Some(m) = self.find_one(cur, end) { + return Some(m); + } + } + None + } + + /// Look for a match starting at the `V::BYTES` at and after `cur`. If + /// there isn't one, then `None` is returned. + /// + /// # Safety + /// + /// The given pointers representing the haystack must be valid to read + /// from. + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + #[inline(always)] + unsafe fn find_one( + &self, + cur: *const u8, + end: *const u8, + ) -> Option { + let c = self.candidate(cur); + if !c.is_zero() { + if let Some(m) = self.teddy.verify(cur, end, c) { + return Some(m); + } + } + None + } + + /// Look for a candidate match (represented as a vector) starting at the + /// `V::BYTES` at and after `cur`. If there isn't one, then a vector with + /// all bits set to zero is returned. + /// + /// # Safety + /// + /// The given pointer representing the haystack must be valid to read + /// from. + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + #[inline(always)] + unsafe fn candidate(&self, cur: *const u8) -> V { + let chunk = V::load_half_unaligned(cur); + Mask::members1(chunk, self.masks) + } +} + +impl Fat { + /// See `Fat::find`. + #[inline(always)] + pub(crate) unsafe fn find( + &self, + start: *const u8, + end: *const u8, + ) -> Option { + let len = end.distance(start); + debug_assert!(len >= self.minimum_len()); + let mut cur = start.add(1); + let mut prev0 = V::splat(0xFF); + while cur <= end.sub(V::Half::BYTES) { + if let Some(m) = self.find_one(cur, end, &mut prev0) { + return Some(m); + } + cur = cur.add(V::Half::BYTES); + } + if cur < end { + cur = end.sub(V::Half::BYTES); + prev0 = V::splat(0xFF); + if let Some(m) = self.find_one(cur, end, &mut prev0) { + return Some(m); + } + } + None + } + + /// See `Fat::find_one`. + #[inline(always)] + unsafe fn find_one( + &self, + cur: *const u8, + end: *const u8, + prev0: &mut V, + ) -> Option { + let c = self.candidate(cur, prev0); + if !c.is_zero() { + if let Some(m) = self.teddy.verify(cur.sub(1), end, c) { + return Some(m); + } + } + None + } + + /// See `Fat::candidate`. + #[inline(always)] + unsafe fn candidate(&self, cur: *const u8, prev0: &mut V) -> V { + let chunk = V::load_half_unaligned(cur); + let (res0, res1) = Mask::members2(chunk, self.masks); + let res0prev0 = res0.half_shift_in_one_byte(*prev0); + let res = res0prev0.and(res1); + *prev0 = res0; + res + } +} + +impl Fat { + /// See `Fat::find`. + #[inline(always)] + pub(crate) unsafe fn find( + &self, + start: *const u8, + end: *const u8, + ) -> Option { + let len = end.distance(start); + debug_assert!(len >= self.minimum_len()); + let mut cur = start.add(2); + let mut prev0 = V::splat(0xFF); + let mut prev1 = V::splat(0xFF); + while cur <= end.sub(V::Half::BYTES) { + if let Some(m) = self.find_one(cur, end, &mut prev0, &mut prev1) { + return Some(m); + } + cur = cur.add(V::Half::BYTES); + } + if cur < end { + cur = end.sub(V::Half::BYTES); + prev0 = V::splat(0xFF); + prev1 = V::splat(0xFF); + if let Some(m) = self.find_one(cur, end, &mut prev0, &mut prev1) { + return Some(m); + } + } + None + } + + /// See `Fat::find_one`. + #[inline(always)] + unsafe fn find_one( + &self, + cur: *const u8, + end: *const u8, + prev0: &mut V, + prev1: &mut V, + ) -> Option { + let c = self.candidate(cur, prev0, prev1); + if !c.is_zero() { + if let Some(m) = self.teddy.verify(cur.sub(2), end, c) { + return Some(m); + } + } + None + } + + /// See `Fat::candidate`. + #[inline(always)] + unsafe fn candidate( + &self, + cur: *const u8, + prev0: &mut V, + prev1: &mut V, + ) -> V { + let chunk = V::load_half_unaligned(cur); + let (res0, res1, res2) = Mask::members3(chunk, self.masks); + let res0prev0 = res0.half_shift_in_two_bytes(*prev0); + let res1prev1 = res1.half_shift_in_one_byte(*prev1); + let res = res0prev0.and(res1prev1).and(res2); + *prev0 = res0; + *prev1 = res1; + res + } +} + +impl Fat { + /// See `Fat::find`. + #[inline(always)] + pub(crate) unsafe fn find( + &self, + start: *const u8, + end: *const u8, + ) -> Option { + let len = end.distance(start); + debug_assert!(len >= self.minimum_len()); + let mut cur = start.add(3); + let mut prev0 = V::splat(0xFF); + let mut prev1 = V::splat(0xFF); + let mut prev2 = V::splat(0xFF); + while cur <= end.sub(V::Half::BYTES) { + if let Some(m) = + self.find_one(cur, end, &mut prev0, &mut prev1, &mut prev2) + { + return Some(m); + } + cur = cur.add(V::Half::BYTES); + } + if cur < end { + cur = end.sub(V::Half::BYTES); + prev0 = V::splat(0xFF); + prev1 = V::splat(0xFF); + prev2 = V::splat(0xFF); + if let Some(m) = + self.find_one(cur, end, &mut prev0, &mut prev1, &mut prev2) + { + return Some(m); + } + } + None + } + + /// See `Fat::find_one`. + #[inline(always)] + unsafe fn find_one( + &self, + cur: *const u8, + end: *const u8, + prev0: &mut V, + prev1: &mut V, + prev2: &mut V, + ) -> Option { + let c = self.candidate(cur, prev0, prev1, prev2); + if !c.is_zero() { + if let Some(m) = self.teddy.verify(cur.sub(3), end, c) { + return Some(m); + } + } + None + } + + /// See `Fat::candidate`. + #[inline(always)] + unsafe fn candidate( + &self, + cur: *const u8, + prev0: &mut V, + prev1: &mut V, + prev2: &mut V, + ) -> V { + let chunk = V::load_half_unaligned(cur); + let (res0, res1, res2, res3) = Mask::members4(chunk, self.masks); + let res0prev0 = res0.half_shift_in_three_bytes(*prev0); + let res1prev1 = res1.half_shift_in_two_bytes(*prev1); + let res2prev2 = res2.half_shift_in_one_byte(*prev2); + let res = res0prev0.and(res1prev1).and(res2prev2).and(res3); + *prev0 = res0; + *prev1 = res1; + *prev2 = res2; + res + } +} + +/// The common elements of all "slim" and "fat" Teddy search implementations. +/// +/// Essentially, this contains the patterns and the buckets. Namely, it +/// contains enough to implement the verification step after candidates are +/// identified via the shuffle masks. +/// +/// It is generic over the number of buckets used. In general, the number of +/// buckets is either 8 (for "slim" Teddy) or 16 (for "fat" Teddy). The generic +/// parameter isn't really meant to be instantiated for any value other than +/// 8 or 16, although it is technically possible. The main hiccup is that there +/// is some bit-shifting done in the critical part of verification that could +/// be quite expensive if `N` is not a multiple of 2. +#[derive(Clone, Debug)] +struct Teddy { + /// The patterns we are searching for. + /// + /// A pattern string can be found by its `PatternID`. + patterns: Arc, + /// The allocation of patterns in buckets. This only contains the IDs of + /// patterns. In order to do full verification, callers must provide the + /// actual patterns when using Teddy. + buckets: [Vec; BUCKETS], + // N.B. The above representation is very simple, but it definitely results + // in ping-ponging between different allocations during verification. I've + // tried experimenting with other representations that flatten the pattern + // strings into a single allocation, but it doesn't seem to help much. + // Probably everything is small enough to fit into cache anyway, and so the + // pointer chasing isn't a big deal? + // + // One other avenue I haven't explored is some kind of hashing trick + // that let's us do another high-confidence check before launching into + // `memcmp`. +} + +impl Teddy { + /// Create a new generic data structure for Teddy verification. + fn new(patterns: Arc) -> Teddy { + assert_ne!(0, patterns.len(), "Teddy requires at least one pattern"); + assert_ne!( + 0, + patterns.minimum_len(), + "Teddy does not support zero-length patterns" + ); + assert!( + BUCKETS == 8 || BUCKETS == 16, + "Teddy only supports 8 or 16 buckets" + ); + // MSRV(1.63): Use core::array::from_fn below instead of allocating a + // superfluous outer Vec. Not a big deal (especially given the BTreeMap + // allocation below), but nice to not do it. + let buckets = + <[Vec; BUCKETS]>::try_from(vec![vec![]; BUCKETS]) + .unwrap(); + let mut t = Teddy { patterns, buckets }; + + let mut map: BTreeMap, usize> = BTreeMap::new(); + for (id, pattern) in t.patterns.iter() { + // We try to be slightly clever in how we assign patterns into + // buckets. Generally speaking, we want patterns with the same + // prefix to be in the same bucket, since it minimizes the amount + // of time we spend churning through buckets in the verification + // step. + // + // So we could assign patterns with the same N-prefix (where N is + // the size of the mask, which is one of {1, 2, 3}) to the same + // bucket. However, case insensitive searches are fairly common, so + // we'd for example, ideally want to treat `abc` and `ABC` as if + // they shared the same prefix. ASCII has the nice property that + // the lower 4 bits of A and a are the same, so we therefore group + // patterns with the same low-nybble-N-prefix into the same bucket. + // + // MOREOVER, this is actually necessary for correctness! In + // particular, by grouping patterns with the same prefix into the + // same bucket, we ensure that we preserve correct leftmost-first + // and leftmost-longest match semantics. In addition to the fact + // that `patterns.iter()` iterates in the correct order, this + // guarantees that all possible ambiguous matches will occur in + // the same bucket. The verification routine could be adjusted to + // support correct leftmost match semantics regardless of bucket + // allocation, but that results in a performance hit. It's much + // nicer to be able to just stop as soon as a match is found. + let lonybs = pattern.low_nybbles(t.mask_len()); + if let Some(&bucket) = map.get(&lonybs) { + t.buckets[bucket].push(id); + } else { + // N.B. We assign buckets in reverse because it shouldn't have + // any influence on performance, but it does make it harder to + // get leftmost match semantics accidentally correct. + let bucket = (BUCKETS - 1) - (id.as_usize() % BUCKETS); + t.buckets[bucket].push(id); + map.insert(lonybs, bucket); + } + } + t + } + + /// Verify whether there are any matches starting at or after `cur` in the + /// haystack. The candidate chunk given should correspond to 8-bit bitsets + /// for N buckets. + /// + /// # Safety + /// + /// The given pointers representing the haystack must be valid to read + /// from. + #[inline(always)] + unsafe fn verify64( + &self, + cur: *const u8, + end: *const u8, + mut candidate_chunk: u64, + ) -> Option { + while candidate_chunk != 0 { + let bit = candidate_chunk.trailing_zeros().as_usize(); + candidate_chunk &= !(1 << bit); + + let cur = cur.add(bit / BUCKETS); + let bucket = bit % BUCKETS; + if let Some(m) = self.verify_bucket(cur, end, bucket) { + return Some(m); + } + } + None + } + + /// Verify whether there are any matches starting at `at` in the given + /// `haystack` corresponding only to patterns in the given bucket. + /// + /// # Safety + /// + /// The given pointers representing the haystack must be valid to read + /// from. + /// + /// The bucket index must be less than or equal to `self.buckets.len()`. + #[inline(always)] + unsafe fn verify_bucket( + &self, + cur: *const u8, + end: *const u8, + bucket: usize, + ) -> Option { + debug_assert!(bucket < self.buckets.len()); + // SAFETY: The caller must ensure that the bucket index is correct. + for pid in self.buckets.get_unchecked(bucket).iter().copied() { + // SAFETY: This is safe because we are guaranteed that every + // index in a Teddy bucket is a valid index into `pats`, by + // construction. + debug_assert!(pid.as_usize() < self.patterns.len()); + let pat = self.patterns.get_unchecked(pid); + if pat.is_prefix_raw(cur, end) { + let start = cur; + let end = start.add(pat.len()); + return Some(Match { pid, start, end }); + } + } + None + } + + /// Returns the total number of masks required by the patterns in this + /// Teddy searcher. + /// + /// Basically, the mask length corresponds to the type of Teddy searcher + /// to use: a 1-byte, 2-byte, 3-byte or 4-byte searcher. The bigger the + /// better, typically, since searching for longer substrings usually + /// decreases the rate of false positives. Therefore, the number of masks + /// needed is the length of the shortest pattern in this searcher. If the + /// length of the shortest pattern (in bytes) is bigger than 4, then the + /// mask length is 4 since there are no Teddy searchers for more than 4 + /// bytes. + fn mask_len(&self) -> usize { + core::cmp::min(4, self.patterns.minimum_len()) + } + + /// Returns the approximate total amount of heap used by this type, in + /// units of bytes. + fn memory_usage(&self) -> usize { + // This is an upper bound rather than a precise accounting. No + // particular reason, other than it's probably very close to actual + // memory usage in practice. + self.patterns.len() * core::mem::size_of::() + } +} + +impl Teddy<8> { + /// Runs the verification routine for "slim" Teddy. + /// + /// The candidate given should be a collection of 8-bit bitsets (one bitset + /// per lane), where the ith bit is set in the jth lane if and only if the + /// byte occurring at `at + j` in `cur` is in the bucket `i`. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + /// + /// The given pointers must be valid to read from. + #[inline(always)] + unsafe fn verify( + &self, + mut cur: *const u8, + end: *const u8, + candidate: V, + ) -> Option { + debug_assert!(!candidate.is_zero()); + // Convert the candidate into 64-bit chunks, and then verify each of + // those chunks. + candidate.for_each_64bit_lane( + #[inline(always)] + |_, chunk| { + let result = self.verify64(cur, end, chunk); + cur = cur.add(8); + result + }, + ) + } +} + +impl Teddy<16> { + /// Runs the verification routine for "fat" Teddy. + /// + /// The candidate given should be a collection of 8-bit bitsets (one bitset + /// per lane), where the ith bit is set in the jth lane if and only if the + /// byte occurring at `at + (j < 16 ? j : j - 16)` in `cur` is in the + /// bucket `j < 16 ? i : i + 8`. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + /// + /// The given pointers must be valid to read from. + #[inline(always)] + unsafe fn verify( + &self, + mut cur: *const u8, + end: *const u8, + candidate: V, + ) -> Option { + // This is a bit tricky, but we basically want to convert our + // candidate, which looks like this (assuming a 256-bit vector): + // + // a31 a30 ... a17 a16 a15 a14 ... a01 a00 + // + // where each a(i) is an 8-bit bitset corresponding to the activated + // buckets, to this + // + // a31 a15 a30 a14 a29 a13 ... a18 a02 a17 a01 a16 a00 + // + // Namely, for Fat Teddy, the high 128-bits of the candidate correspond + // to the same bytes in the haystack in the low 128-bits (so we only + // scan 16 bytes at a time), but are for buckets 8-15 instead of 0-7. + // + // The verification routine wants to look at all potentially matching + // buckets before moving on to the next lane. So for example, both + // a16 and a00 both correspond to the first byte in our window; a00 + // contains buckets 0-7 and a16 contains buckets 8-15. Specifically, + // a16 should be checked before a01. So the transformation shown above + // allows us to use our normal verification procedure with one small + // change: we treat each bitset as 16 bits instead of 8 bits. + debug_assert!(!candidate.is_zero()); + + // Swap the 128-bit lanes in the candidate vector. + let swapped = candidate.swap_halves(); + // Interleave the bytes from the low 128-bit lanes, starting with + // cand first. + let r1 = candidate.interleave_low_8bit_lanes(swapped); + // Interleave the bytes from the high 128-bit lanes, starting with + // cand first. + let r2 = candidate.interleave_high_8bit_lanes(swapped); + // Now just take the 2 low 64-bit integers from both r1 and r2. We + // can drop the high 64-bit integers because they are a mirror image + // of the low 64-bit integers. All we care about are the low 128-bit + // lanes of r1 and r2. Combined, they contain all our 16-bit bitsets + // laid out in the desired order, as described above. + r1.for_each_low_64bit_lane( + r2, + #[inline(always)] + |_, chunk| { + let result = self.verify64(cur, end, chunk); + cur = cur.add(4); + result + }, + ) + } +} + +/// A vector generic mask for the low and high nybbles in a set of patterns. +/// Each 8-bit lane `j` in a vector corresponds to a bitset where the `i`th bit +/// is set if and only if the nybble `j` is in the bucket `i` at a particular +/// position. +/// +/// This is slightly tweaked dependending on whether Slim or Fat Teddy is being +/// used. For Slim Teddy, the bitsets in the lower half are the same as the +/// bitsets in the higher half, so that we can search `V::BYTES` bytes at a +/// time. (Remember, the nybbles in the haystack are used as indices into these +/// masks, and 256-bit shuffles only operate on 128-bit lanes.) +/// +/// For Fat Teddy, the bitsets are not repeated, but instead, the high half +/// bits correspond to an addition 8 buckets. So that a bitset `00100010` has +/// buckets 1 and 5 set if it's in the lower half, but has buckets 9 and 13 set +/// if it's in the higher half. +#[derive(Clone, Copy, Debug)] +struct Mask { + lo: V, + hi: V, +} + +impl Mask { + /// Return a candidate for Teddy (fat or slim) that is searching for 1-byte + /// candidates. + /// + /// If a candidate is returned, it will be a collection of 8-bit bitsets + /// (one bitset per lane), where the ith bit is set in the jth lane if and + /// only if the byte occurring at the jth lane in `chunk` is in the bucket + /// `i`. If no candidate is found, then the vector returned will have all + /// lanes set to zero. + /// + /// `chunk` should correspond to a `V::BYTES` window of the haystack (where + /// the least significant byte corresponds to the start of the window). For + /// fat Teddy, the haystack window length should be `V::BYTES / 2`, with + /// the window repeated in each half of the vector. + /// + /// `mask1` should correspond to a low/high mask for the first byte of all + /// patterns that are being searched. + #[inline(always)] + unsafe fn members1(chunk: V, masks: [Mask; 1]) -> V { + let lomask = V::splat(0xF); + let hlo = chunk.and(lomask); + let hhi = chunk.shift_8bit_lane_right::<4>().and(lomask); + let locand = masks[0].lo.shuffle_bytes(hlo); + let hicand = masks[0].hi.shuffle_bytes(hhi); + locand.and(hicand) + } + + /// Return a candidate for Teddy (fat or slim) that is searching for 2-byte + /// candidates. + /// + /// If candidates are returned, each will be a collection of 8-bit bitsets + /// (one bitset per lane), where the ith bit is set in the jth lane if and + /// only if the byte occurring at the jth lane in `chunk` is in the bucket + /// `i`. Each candidate returned corresponds to the first and second bytes + /// of the patterns being searched. If no candidate is found, then all of + /// the lanes will be set to zero in at least one of the vectors returned. + /// + /// `chunk` should correspond to a `V::BYTES` window of the haystack (where + /// the least significant byte corresponds to the start of the window). For + /// fat Teddy, the haystack window length should be `V::BYTES / 2`, with + /// the window repeated in each half of the vector. + /// + /// The masks should correspond to the masks computed for the first and + /// second bytes of all patterns that are being searched. + #[inline(always)] + unsafe fn members2(chunk: V, masks: [Mask; 2]) -> (V, V) { + let lomask = V::splat(0xF); + let hlo = chunk.and(lomask); + let hhi = chunk.shift_8bit_lane_right::<4>().and(lomask); + + let locand1 = masks[0].lo.shuffle_bytes(hlo); + let hicand1 = masks[0].hi.shuffle_bytes(hhi); + let cand1 = locand1.and(hicand1); + + let locand2 = masks[1].lo.shuffle_bytes(hlo); + let hicand2 = masks[1].hi.shuffle_bytes(hhi); + let cand2 = locand2.and(hicand2); + + (cand1, cand2) + } + + /// Return a candidate for Teddy (fat or slim) that is searching for 3-byte + /// candidates. + /// + /// If candidates are returned, each will be a collection of 8-bit bitsets + /// (one bitset per lane), where the ith bit is set in the jth lane if and + /// only if the byte occurring at the jth lane in `chunk` is in the bucket + /// `i`. Each candidate returned corresponds to the first, second and third + /// bytes of the patterns being searched. If no candidate is found, then + /// all of the lanes will be set to zero in at least one of the vectors + /// returned. + /// + /// `chunk` should correspond to a `V::BYTES` window of the haystack (where + /// the least significant byte corresponds to the start of the window). For + /// fat Teddy, the haystack window length should be `V::BYTES / 2`, with + /// the window repeated in each half of the vector. + /// + /// The masks should correspond to the masks computed for the first, second + /// and third bytes of all patterns that are being searched. + #[inline(always)] + unsafe fn members3(chunk: V, masks: [Mask; 3]) -> (V, V, V) { + let lomask = V::splat(0xF); + let hlo = chunk.and(lomask); + let hhi = chunk.shift_8bit_lane_right::<4>().and(lomask); + + let locand1 = masks[0].lo.shuffle_bytes(hlo); + let hicand1 = masks[0].hi.shuffle_bytes(hhi); + let cand1 = locand1.and(hicand1); + + let locand2 = masks[1].lo.shuffle_bytes(hlo); + let hicand2 = masks[1].hi.shuffle_bytes(hhi); + let cand2 = locand2.and(hicand2); + + let locand3 = masks[2].lo.shuffle_bytes(hlo); + let hicand3 = masks[2].hi.shuffle_bytes(hhi); + let cand3 = locand3.and(hicand3); + + (cand1, cand2, cand3) + } + + /// Return a candidate for Teddy (fat or slim) that is searching for 4-byte + /// candidates. + /// + /// If candidates are returned, each will be a collection of 8-bit bitsets + /// (one bitset per lane), where the ith bit is set in the jth lane if and + /// only if the byte occurring at the jth lane in `chunk` is in the bucket + /// `i`. Each candidate returned corresponds to the first, second, third + /// and fourth bytes of the patterns being searched. If no candidate is + /// found, then all of the lanes will be set to zero in at least one of the + /// vectors returned. + /// + /// `chunk` should correspond to a `V::BYTES` window of the haystack (where + /// the least significant byte corresponds to the start of the window). For + /// fat Teddy, the haystack window length should be `V::BYTES / 2`, with + /// the window repeated in each half of the vector. + /// + /// The masks should correspond to the masks computed for the first, + /// second, third and fourth bytes of all patterns that are being searched. + #[inline(always)] + unsafe fn members4(chunk: V, masks: [Mask; 4]) -> (V, V, V, V) { + let lomask = V::splat(0xF); + let hlo = chunk.and(lomask); + let hhi = chunk.shift_8bit_lane_right::<4>().and(lomask); + + let locand1 = masks[0].lo.shuffle_bytes(hlo); + let hicand1 = masks[0].hi.shuffle_bytes(hhi); + let cand1 = locand1.and(hicand1); + + let locand2 = masks[1].lo.shuffle_bytes(hlo); + let hicand2 = masks[1].hi.shuffle_bytes(hhi); + let cand2 = locand2.and(hicand2); + + let locand3 = masks[2].lo.shuffle_bytes(hlo); + let hicand3 = masks[2].hi.shuffle_bytes(hhi); + let cand3 = locand3.and(hicand3); + + let locand4 = masks[3].lo.shuffle_bytes(hlo); + let hicand4 = masks[3].hi.shuffle_bytes(hhi); + let cand4 = locand4.and(hicand4); + + (cand1, cand2, cand3, cand4) + } +} + +/// Represents the low and high nybble masks that will be used during +/// search. Each mask is 32 bytes wide, although only the first 16 bytes are +/// used for 128-bit vectors. +/// +/// Each byte in the mask corresponds to a 8-bit bitset, where bit `i` is set +/// if and only if the corresponding nybble is in the ith bucket. The index of +/// the byte (0-15, inclusive) corresponds to the nybble. +/// +/// Each mask is used as the target of a shuffle, where the indices for the +/// shuffle are taken from the haystack. AND'ing the shuffles for both the +/// low and high masks together also results in 8-bit bitsets, but where bit +/// `i` is set if and only if the correspond *byte* is in the ith bucket. +#[derive(Clone, Default)] +struct SlimMaskBuilder { + lo: [u8; 32], + hi: [u8; 32], +} + +impl SlimMaskBuilder { + /// Update this mask by adding the given byte to the given bucket. The + /// given bucket must be in the range 0-7. + /// + /// # Panics + /// + /// When `bucket >= 8`. + fn add(&mut self, bucket: usize, byte: u8) { + assert!(bucket < 8); + + let bucket = u8::try_from(bucket).unwrap(); + let byte_lo = usize::from(byte & 0xF); + let byte_hi = usize::from((byte >> 4) & 0xF); + // When using 256-bit vectors, we need to set this bucket assignment in + // the low and high 128-bit portions of the mask. This allows us to + // process 32 bytes at a time. Namely, AVX2 shuffles operate on each + // of the 128-bit lanes, rather than the full 256-bit vector at once. + self.lo[byte_lo] |= 1 << bucket; + self.lo[byte_lo + 16] |= 1 << bucket; + self.hi[byte_hi] |= 1 << bucket; + self.hi[byte_hi + 16] |= 1 << bucket; + } + + /// Turn this builder into a vector mask. + /// + /// # Panics + /// + /// When `V` represents a vector bigger than what `MaskBytes` can contain. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + #[inline(always)] + unsafe fn build(&self) -> Mask { + assert!(V::BYTES <= self.lo.len()); + assert!(V::BYTES <= self.hi.len()); + Mask { + lo: V::load_unaligned(self.lo[..].as_ptr()), + hi: V::load_unaligned(self.hi[..].as_ptr()), + } + } + + /// A convenience function for building `N` vector masks from a slim + /// `Teddy` value. + /// + /// # Panics + /// + /// When `V` represents a vector bigger than what `MaskBytes` can contain. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + #[inline(always)] + unsafe fn from_teddy( + teddy: &Teddy<8>, + ) -> [Mask; BYTES] { + // MSRV(1.63): Use core::array::from_fn to just build the array here + // instead of creating a vector and turning it into an array. + let mut mask_builders = vec![SlimMaskBuilder::default(); BYTES]; + for (bucket_index, bucket) in teddy.buckets.iter().enumerate() { + for pid in bucket.iter().copied() { + let pat = teddy.patterns.get(pid); + for (i, builder) in mask_builders.iter_mut().enumerate() { + builder.add(bucket_index, pat.bytes()[i]); + } + } + } + let array = + <[SlimMaskBuilder; BYTES]>::try_from(mask_builders).unwrap(); + array.map(|builder| builder.build()) + } +} + +impl Debug for SlimMaskBuilder { + fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result { + let (mut parts_lo, mut parts_hi) = (vec![], vec![]); + for i in 0..32 { + parts_lo.push(format!("{:02}: {:08b}", i, self.lo[i])); + parts_hi.push(format!("{:02}: {:08b}", i, self.hi[i])); + } + f.debug_struct("SlimMaskBuilder") + .field("lo", &parts_lo) + .field("hi", &parts_hi) + .finish() + } +} + +/// Represents the low and high nybble masks that will be used during "fat" +/// Teddy search. +/// +/// Each mask is 32 bytes wide, and at the time of writing, only 256-bit vectors +/// support fat Teddy. +/// +/// A fat Teddy mask is like a slim Teddy mask, except that instead of +/// repeating the bitsets in the high and low 128-bits in 256-bit vectors, the +/// high and low 128-bit halves each represent distinct buckets. (Bringing the +/// total to 16 instead of 8.) This permits spreading the patterns out a bit +/// more and thus putting less pressure on verification to be fast. +/// +/// Each byte in the mask corresponds to a 8-bit bitset, where bit `i` is set +/// if and only if the corresponding nybble is in the ith bucket. The index of +/// the byte (0-15, inclusive) corresponds to the nybble. +#[derive(Clone, Copy, Default)] +struct FatMaskBuilder { + lo: [u8; 32], + hi: [u8; 32], +} + +impl FatMaskBuilder { + /// Update this mask by adding the given byte to the given bucket. The + /// given bucket must be in the range 0-15. + /// + /// # Panics + /// + /// When `bucket >= 16`. + fn add(&mut self, bucket: usize, byte: u8) { + assert!(bucket < 16); + + let bucket = u8::try_from(bucket).unwrap(); + let byte_lo = usize::from(byte & 0xF); + let byte_hi = usize::from((byte >> 4) & 0xF); + // Unlike slim teddy, fat teddy only works with AVX2. For fat teddy, + // the high 128 bits of our mask correspond to buckets 8-15, while the + // low 128 bits correspond to buckets 0-7. + if bucket < 8 { + self.lo[byte_lo] |= 1 << bucket; + self.hi[byte_hi] |= 1 << bucket; + } else { + self.lo[byte_lo + 16] |= 1 << (bucket % 8); + self.hi[byte_hi + 16] |= 1 << (bucket % 8); + } + } + + /// Turn this builder into a vector mask. + /// + /// # Panics + /// + /// When `V` represents a vector bigger than what `MaskBytes` can contain. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + #[inline(always)] + unsafe fn build(&self) -> Mask { + assert!(V::BYTES <= self.lo.len()); + assert!(V::BYTES <= self.hi.len()); + Mask { + lo: V::load_unaligned(self.lo[..].as_ptr()), + hi: V::load_unaligned(self.hi[..].as_ptr()), + } + } + + /// A convenience function for building `N` vector masks from a fat + /// `Teddy` value. + /// + /// # Panics + /// + /// When `V` represents a vector bigger than what `MaskBytes` can contain. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + #[inline(always)] + unsafe fn from_teddy( + teddy: &Teddy<16>, + ) -> [Mask; BYTES] { + // MSRV(1.63): Use core::array::from_fn to just build the array here + // instead of creating a vector and turning it into an array. + let mut mask_builders = vec![FatMaskBuilder::default(); BYTES]; + for (bucket_index, bucket) in teddy.buckets.iter().enumerate() { + for pid in bucket.iter().copied() { + let pat = teddy.patterns.get(pid); + for (i, builder) in mask_builders.iter_mut().enumerate() { + builder.add(bucket_index, pat.bytes()[i]); + } + } + } + let array = + <[FatMaskBuilder; BYTES]>::try_from(mask_builders).unwrap(); + array.map(|builder| builder.build()) + } +} + +impl Debug for FatMaskBuilder { + fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result { + let (mut parts_lo, mut parts_hi) = (vec![], vec![]); + for i in 0..32 { + parts_lo.push(format!("{:02}: {:08b}", i, self.lo[i])); + parts_hi.push(format!("{:02}: {:08b}", i, self.hi[i])); + } + f.debug_struct("FatMaskBuilder") + .field("lo", &parts_lo) + .field("hi", &parts_hi) + .finish() + } +} diff --git a/src/packed/teddy/mod.rs b/src/packed/teddy/mod.rs index fba14d4..26cfcdc 100644 --- a/src/packed/teddy/mod.rs +++ b/src/packed/teddy/mod.rs @@ -1,57 +1,9 @@ -#[cfg(not(all(feature = "std", target_arch = "x86_64")))] -pub use crate::packed::teddy::fallback::{Builder, Teddy}; -#[cfg(all(feature = "std", target_arch = "x86_64"))] -pub use crate::packed::teddy::{compile::Builder, runtime::Teddy}; +// Regrettable, but Teddy stuff just isn't used on all targets. And for some +// targets, like aarch64, only "slim" Teddy is used and so "fat" Teddy gets a +// bunch of dead-code warnings. Just not worth trying to squash them. Blech. +#![allow(dead_code)] -#[cfg(all(feature = "std", target_arch = "x86_64"))] -mod compile; -#[cfg(all(feature = "std", target_arch = "x86_64"))] -mod runtime; +pub(crate) use self::builder::{Builder, Searcher}; -#[cfg(not(all(feature = "std", target_arch = "x86_64")))] -mod fallback { - use crate::{packed::pattern::Patterns, Match}; - - #[derive(Clone, Debug, Default)] - pub struct Builder(()); - - impl Builder { - pub fn new() -> Builder { - Builder(()) - } - - pub fn build(&self, _: &Patterns) -> Option { - None - } - - pub fn fat(&mut self, _: Option) -> &mut Builder { - self - } - - pub fn avx(&mut self, _: Option) -> &mut Builder { - self - } - } - - #[derive(Clone, Debug)] - pub struct Teddy(()); - - impl Teddy { - pub fn find_at( - &self, - _: &Patterns, - _: &[u8], - _: usize, - ) -> Option { - None - } - - pub fn minimum_len(&self) -> usize { - 0 - } - - pub fn memory_usage(&self) -> usize { - 0 - } - } -} +mod builder; +mod generic; diff --git a/src/packed/teddy/runtime.rs b/src/packed/teddy/runtime.rs deleted file mode 100644 index e497cf0..0000000 --- a/src/packed/teddy/runtime.rs +++ /dev/null @@ -1,1576 +0,0 @@ -// See the README in this directory for an explanation of the Teddy algorithm. -// It is strongly recommended to peruse the README before trying to grok this -// code, as its use of SIMD is pretty opaque, although I tried to add comments -// where appropriate. -// -// Moreover, while there is a lot of code in this file, most of it is -// repeated variants of the same thing. Specifically, there are three Teddy -// variants: Slim 128-bit Teddy (8 buckets), Slim 256-bit Teddy (8 buckets) -// and Fat 256-bit Teddy (16 buckets). For each variant, there are three -// implementations, corresponding to mask lengths of 1, 2 and 3. Bringing it to -// a total of nine variants. Each one is structured roughly the same: -// -// while at <= len(haystack) - CHUNK_SIZE: -// let candidate = find_candidate_in_chunk(haystack, at) -// if not all zeroes(candidate): -// if match = verify(haystack, at, candidate): -// return match -// -// For the most part, this remains unchanged. The parts that vary are the -// verification routine (for slim vs fat Teddy) and the candidate extraction -// (based on the number of masks). -// -// In the code below, a "candidate" corresponds to a single vector with 8-bit -// lanes. Each lane is itself an 8-bit bitset, where the ith bit is set in the -// jth lane if and only if the byte occurring at position `j` is in the -// bucket `i` (where the `j`th position is the position in the current window -// of the haystack, which is always 16 or 32 bytes). Note to be careful here: -// the ith bit and the jth lane correspond to the least significant bits of the -// vector. So when visualizing how the current window of bytes is stored in a -// vector, you often need to flip it around. For example, the text `abcd` in a -// 4-byte vector would look like this: -// -// 01100100 01100011 01100010 01100001 -// d c b a -// -// When the mask length is 1, then finding the candidate is pretty straight -// forward: you just apply the shuffle indices (from the haystack window) to -// the masks, and then AND them together, as described in the README. But for -// masks of length 2 and 3, you need to keep a little state. Specifically, -// you need to store the final 1 (for mask length 2) or 2 (for mask length 3) -// bytes of the candidate for use when searching the next window. This is for -// handling matches that span two windows. -// -// With respect to the repeated code, it would likely be possible to reduce -// the number of copies of code below using polymorphism, but I find this -// formulation clearer instead of needing to reason through generics. However, -// I admit, there may be a simpler generic construction that I'm missing. -// -// All variants are fairly heavily tested in src/packed/tests.rs. - -use core::{arch::x86_64::*, mem}; - -use alloc::vec::Vec; - -use crate::{ - packed::{ - pattern::{PatternID, Patterns}, - teddy::compile, - vectorold, - }, - util::search::Match, -}; - -/// The Teddy runtime. -/// -/// A Teddy runtime can be used to quickly search for occurrences of one or -/// more patterns. While it does not scale to an arbitrary number of patterns -/// like Aho-Corasick, it does find occurrences for a small set of patterns -/// much more quickly than Aho-Corasick. -/// -/// Teddy cannot run on small haystacks below a certain size, which is -/// dependent on the type of matcher used. This size can be queried via the -/// `minimum_len` method. Violating this will result in a panic. -/// -/// Finally, when callers use a Teddy runtime, they must provide precisely the -/// patterns used to construct the Teddy matcher. Violating this will result -/// in either a panic or incorrect results, but will never sacrifice memory -/// safety. -#[derive(Clone, Debug)] -pub struct Teddy { - /// The allocation of patterns in buckets. This only contains the IDs of - /// patterns. In order to do full verification, callers must provide the - /// actual patterns when using Teddy. - pub buckets: Vec>, - /// The maximum identifier of a pattern. This is used as a sanity check to - /// ensure that the patterns provided by the caller are the same as the - /// patterns that were used to compile the matcher. This sanity check - /// permits safely eliminating bounds checks regardless of what patterns - /// are provided by the caller. - /// - /// Note that users of the aho-corasick crate cannot get this wrong. Only - /// code internal to this crate can get it wrong, since neither `Patterns` - /// type nor the Teddy runtime are public API items. - pub max_pattern_id: PatternID, - /// The actual runtime to use. - pub exec: Exec, -} - -impl Teddy { - /// Return the first occurrence of a match in the given haystack after or - /// starting at `at`. - /// - /// The patterns provided must be precisely the same patterns given to the - /// Teddy builder, otherwise this may panic or produce incorrect results. - /// - /// All matches are consistent with the match semantics (leftmost-first or - /// leftmost-longest) set on `pats`. - pub fn find_at( - &self, - pats: &Patterns, - haystack: &[u8], - at: usize, - ) -> Option { - // This assert is a bit subtle, but it's an important guarantee. - // Namely, if the maximum pattern ID seen by Teddy is the same as the - // one in the patterns given, then we are guaranteed that every pattern - // ID in all Teddy buckets are valid indices into `pats`. While this - // is nominally true, there is no guarantee that callers provide the - // same `pats` to both the Teddy builder and the searcher, which would - // otherwise make `find_at` unsafe to call. But this assert lets us - // keep this routine safe and eliminate an important bounds check in - // verification. - assert_eq!( - self.max_pattern_id, - pats.max_pattern_id(), - "teddy must be called with same patterns it was built with", - ); - // SAFETY: The haystack must have at least a minimum number of bytes - // for Teddy to be able to work. The minimum number varies depending on - // which matcher is used below. If this is violated, then it's possible - // for searching to do out-of-bounds writes. - assert!(haystack[at..].len() >= self.minimum_len()); - // SAFETY: The various Teddy matchers are always safe to call because - // the Teddy builder guarantees that a particular Exec variant is - // built only when it can be run the current CPU. That is, the Teddy - // builder will not produce a Exec::TeddySlim1Mask256 unless AVX2 is - // enabled. That is, our dynamic CPU feature detection is performed - // once in the builder, and we rely on the type system to avoid needing - // to do it again. - unsafe { - match self.exec { - Exec::TeddySlim1Mask128(ref e) => { - e.find_at(pats, self, haystack, at) - } - Exec::TeddySlim1Mask256(ref e) => { - e.find_at(pats, self, haystack, at) - } - Exec::TeddyFat1Mask256(ref e) => { - e.find_at(pats, self, haystack, at) - } - Exec::TeddySlim2Mask128(ref e) => { - e.find_at(pats, self, haystack, at) - } - Exec::TeddySlim2Mask256(ref e) => { - e.find_at(pats, self, haystack, at) - } - Exec::TeddyFat2Mask256(ref e) => { - e.find_at(pats, self, haystack, at) - } - Exec::TeddySlim3Mask128(ref e) => { - e.find_at(pats, self, haystack, at) - } - Exec::TeddySlim3Mask256(ref e) => { - e.find_at(pats, self, haystack, at) - } - Exec::TeddyFat3Mask256(ref e) => { - e.find_at(pats, self, haystack, at) - } - Exec::TeddySlim4Mask128(ref e) => { - e.find_at(pats, self, haystack, at) - } - Exec::TeddySlim4Mask256(ref e) => { - e.find_at(pats, self, haystack, at) - } - Exec::TeddyFat4Mask256(ref e) => { - e.find_at(pats, self, haystack, at) - } - } - } - } - - /// Returns the minimum length of a haystack that must be provided by - /// callers to this Teddy searcher. Providing a haystack shorter than this - /// will result in a panic, but will never violate memory safety. - pub fn minimum_len(&self) -> usize { - // SAFETY: These values must be correct in order to ensure safety. - // The Teddy runtime assumes their haystacks have at least these - // lengths. Violating this will sacrifice memory safety. - match self.exec { - Exec::TeddySlim1Mask128(_) => 16, - Exec::TeddySlim1Mask256(_) => 32, - Exec::TeddyFat1Mask256(_) => 16, - Exec::TeddySlim2Mask128(_) => 17, - Exec::TeddySlim2Mask256(_) => 33, - Exec::TeddyFat2Mask256(_) => 17, - Exec::TeddySlim3Mask128(_) => 18, - Exec::TeddySlim3Mask256(_) => 34, - Exec::TeddyFat3Mask256(_) => 18, - Exec::TeddySlim4Mask128(_) => 19, - Exec::TeddySlim4Mask256(_) => 35, - Exec::TeddyFat4Mask256(_) => 19, - } - } - - /// Returns the approximate total amount of heap used by this searcher, in - /// units of bytes. - pub fn memory_usage(&self) -> usize { - let num_patterns = self.max_pattern_id as usize + 1; - self.buckets.len() * mem::size_of::>() - + num_patterns * mem::size_of::() - } - - /// Runs the verification routine for Slim 128-bit Teddy. - /// - /// The candidate given should be a collection of 8-bit bitsets (one bitset - /// per lane), where the ith bit is set in the jth lane if and only if the - /// byte occurring at `at + j` in `haystack` is in the bucket `i`. - /// - /// This is not safe to call unless the SSSE3 target feature is enabled. - /// The `target_feature` attribute is not applied since this function is - /// always forcefully inlined. - #[inline(always)] - unsafe fn verify128( - &self, - pats: &Patterns, - haystack: &[u8], - at: usize, - cand: __m128i, - ) -> Option { - debug_assert!(!vectorold::is_all_zeroes128(cand)); - debug_assert_eq!(8, self.buckets.len()); - - // Convert the candidate into 64-bit chunks, and then verify each of - // those chunks. - let parts = vectorold::unpack64x128(cand); - for (i, &part) in parts.iter().enumerate() { - let pos = at + i * 8; - if let Some(m) = self.verify64(pats, 8, haystack, pos, part) { - return Some(m); - } - } - None - } - - /// Runs the verification routine for Slim 256-bit Teddy. - /// - /// The candidate given should be a collection of 8-bit bitsets (one bitset - /// per lane), where the ith bit is set in the jth lane if and only if the - /// byte occurring at `at + j` in `haystack` is in the bucket `i`. - /// - /// This is not safe to call unless the AVX2 target feature is enabled. - /// The `target_feature` attribute is not applied since this function is - /// always forcefully inlined. - #[inline(always)] - unsafe fn verify256( - &self, - pats: &Patterns, - haystack: &[u8], - at: usize, - cand: __m256i, - ) -> Option { - debug_assert!(!vectorold::is_all_zeroes256(cand)); - debug_assert_eq!(8, self.buckets.len()); - - // Convert the candidate into 64-bit chunks, and then verify each of - // those chunks. - let parts = vectorold::unpack64x256(cand); - let mut pos = at; - if let Some(m) = self.verify64(pats, 8, haystack, pos, parts[0]) { - return Some(m); - } - pos += 8; - if let Some(m) = self.verify64(pats, 8, haystack, pos, parts[1]) { - return Some(m); - } - pos += 8; - if let Some(m) = self.verify64(pats, 8, haystack, pos, parts[2]) { - return Some(m); - } - pos += 8; - if let Some(m) = self.verify64(pats, 8, haystack, pos, parts[3]) { - return Some(m); - } - None - } - - /// Runs the verification routine for Fat 256-bit Teddy. - /// - /// The candidate given should be a collection of 8-bit bitsets (one bitset - /// per lane), where the ith bit is set in the jth lane if and only if the - /// byte occurring at `at + (j < 16 ? j : j - 16)` in `haystack` is in the - /// bucket `j < 16 ? i : i + 8`. - /// - /// This is not safe to call unless the AVX2 target feature is enabled. - /// The `target_feature` attribute is not applied since this function is - /// always forcefully inlined. - #[inline(always)] - unsafe fn verify_fat256( - &self, - pats: &Patterns, - haystack: &[u8], - at: usize, - cand: __m256i, - ) -> Option { - debug_assert!(!vectorold::is_all_zeroes256(cand)); - debug_assert_eq!(16, self.buckets.len()); - - // This is a bit tricky, but we basically want to convert our - // candidate, which looks like this - // - // a31 a30 ... a17 a16 a15 a14 ... a01 a00 - // - // where each a(i) is an 8-bit bitset corresponding to the activated - // buckets, to this - // - // a31 a15 a30 a14 a29 a13 ... a18 a02 a17 a01 a16 a00 - // - // Namely, for Fat Teddy, the high 128-bits of the candidate correspond - // to the same bytes in the haystack in the low 128-bits (so we only - // scan 16 bytes at a time), but are for buckets 8-15 instead of 0-7. - // - // The verification routine wants to look at all potentially matching - // buckets before moving on to the next lane. So for example, both - // a16 and a00 both correspond to the first byte in our window; a00 - // contains buckets 0-7 and a16 contains buckets 8-15. Specifically, - // a16 should be checked before a01. So the transformation shown above - // allows us to use our normal verification procedure with one small - // change: we treat each bitset as 16 bits instead of 8 bits. - - // Swap the 128-bit lanes in the candidate vector. - let swap = _mm256_permute4x64_epi64(cand, 0x4E); - // Interleave the bytes from the low 128-bit lanes, starting with - // cand first. - let r1 = _mm256_unpacklo_epi8(cand, swap); - // Interleave the bytes from the high 128-bit lanes, starting with - // cand first. - let r2 = _mm256_unpackhi_epi8(cand, swap); - // Now just take the 2 low 64-bit integers from both r1 and r2. We - // can drop the high 64-bit integers because they are a mirror image - // of the low 64-bit integers. All we care about are the low 128-bit - // lanes of r1 and r2. Combined, they contain all our 16-bit bitsets - // laid out in the desired order, as described above. - let parts = vectorold::unpacklo64x256(r1, r2); - for (i, &part) in parts.iter().enumerate() { - let pos = at + i * 4; - if let Some(m) = self.verify64(pats, 16, haystack, pos, part) { - return Some(m); - } - } - None - } - - /// Verify whether there are any matches starting at or after `at` in the - /// given `haystack`. The candidate given should correspond to either 8-bit - /// (for 8 buckets) or 16-bit (16 buckets) bitsets. - #[inline(always)] - fn verify64( - &self, - pats: &Patterns, - bucket_count: usize, - haystack: &[u8], - at: usize, - mut cand: u64, - ) -> Option { - // N.B. While the bucket count is known from self.buckets.len(), - // requiring it as a parameter makes it easier for the optimizer to - // know its value, and thus produce more efficient codegen. - debug_assert!(bucket_count == 8 || bucket_count == 16); - while cand != 0 { - let bit = cand.trailing_zeros() as usize; - cand &= !(1 << bit); - - let at = at + (bit / bucket_count); - let bucket = bit % bucket_count; - if let Some(m) = self.verify_bucket(pats, haystack, bucket, at) { - return Some(m); - } - } - None - } - - /// Verify whether there are any matches starting at `at` in the given - /// `haystack` corresponding only to patterns in the given bucket. - #[inline(always)] - fn verify_bucket( - &self, - pats: &Patterns, - haystack: &[u8], - bucket: usize, - at: usize, - ) -> Option { - // Forcing this function to not inline and be "cold" seems to help - // the codegen for Teddy overall. Interestingly, this is good for a - // 16% boost in the sherlock/packed/teddy/name/alt1 benchmark (among - // others). Overall, this seems like a problem with codegen, since - // creating the Match itself is a very small amount of code. - #[cold] - #[inline(never)] - fn match_from_span( - pati: PatternID, - start: usize, - end: usize, - ) -> Match { - Match::must(pati as usize, start..end) - } - - // N.B. The bounds check for this bucket lookup *should* be elided - // since we assert the number of buckets in each `find_at` routine, - // and the compiler can prove that the `% 8` (or `% 16`) in callers - // of this routine will always be in bounds. - for &pati in &self.buckets[bucket] { - // SAFETY: This is safe because we are guaranteed that every - // index in a Teddy bucket is a valid index into `pats`. This - // guarantee is upheld by the assert checking `max_pattern_id` in - // the beginning of `find_at` above. - // - // This explicit bounds check elision is (amazingly) good for a - // 25-50% boost in some benchmarks, particularly ones with a lot - // of short literals. - let pat = unsafe { pats.get_unchecked(pati) }; - if pat.is_prefix(&haystack[at..]) { - return Some(match_from_span(pati, at, at + pat.len())); - } - } - None - } -} - -/// Exec represents the different search strategies supported by the Teddy -/// runtime. -/// -/// This enum is an important safety abstraction. Namely, callers should only -/// construct a variant in this enum if it is safe to execute its corresponding -/// target features on the current CPU. The 128-bit searchers require SSSE3, -/// while the 256-bit searchers require AVX2. -#[derive(Clone, Debug)] -pub enum Exec { - TeddySlim1Mask128(TeddySlim1Mask128), - TeddySlim1Mask256(TeddySlim1Mask256), - TeddyFat1Mask256(TeddyFat1Mask256), - TeddySlim2Mask128(TeddySlim2Mask128), - TeddySlim2Mask256(TeddySlim2Mask256), - TeddyFat2Mask256(TeddyFat2Mask256), - TeddySlim3Mask128(TeddySlim3Mask128), - TeddySlim3Mask256(TeddySlim3Mask256), - TeddyFat3Mask256(TeddyFat3Mask256), - TeddySlim4Mask128(TeddySlim4Mask128), - TeddySlim4Mask256(TeddySlim4Mask256), - TeddyFat4Mask256(TeddyFat4Mask256), -} - -// Most of the code below remains undocumented because they are effectively -// repeated versions of themselves. The general structure is described in the -// README and in the comments above. - -#[derive(Clone, Debug)] -pub struct TeddySlim1Mask128 { - pub mask1: Mask128, -} - -impl TeddySlim1Mask128 { - #[target_feature(enable = "ssse3")] - unsafe fn find_at( - &self, - pats: &Patterns, - teddy: &Teddy, - haystack: &[u8], - mut at: usize, - ) -> Option { - debug_assert!(haystack[at..].len() >= teddy.minimum_len()); - // This assert helps eliminate bounds checks for bucket lookups in - // Teddy::verify_bucket, which has a small (3-4%) performance boost. - assert_eq!(8, teddy.buckets.len()); - - let len = haystack.len(); - while at <= len - 16 { - let c = self.candidate(haystack, at); - if !vectorold::is_all_zeroes128(c) { - if let Some(m) = teddy.verify128(pats, haystack, at, c) { - return Some(m); - } - } - at += 16; - } - if at < len { - at = len - 16; - let c = self.candidate(haystack, at); - if !vectorold::is_all_zeroes128(c) { - if let Some(m) = teddy.verify128(pats, haystack, at, c) { - return Some(m); - } - } - } - None - } - - #[inline(always)] - unsafe fn candidate(&self, haystack: &[u8], at: usize) -> __m128i { - debug_assert!(haystack[at..].len() >= 16); - - let chunk = vectorold::loadu128(haystack, at); - members1m128(chunk, self.mask1) - } -} - -#[derive(Clone, Debug)] -pub struct TeddySlim1Mask256 { - pub mask1: Mask256, -} - -impl TeddySlim1Mask256 { - #[target_feature(enable = "avx2")] - unsafe fn find_at( - &self, - pats: &Patterns, - teddy: &Teddy, - haystack: &[u8], - mut at: usize, - ) -> Option { - debug_assert!(haystack[at..].len() >= teddy.minimum_len()); - // This assert helps eliminate bounds checks for bucket lookups in - // Teddy::verify_bucket, which has a small (3-4%) performance boost. - assert_eq!(8, teddy.buckets.len()); - - let len = haystack.len(); - while at <= len - 32 { - let c = self.candidate(haystack, at); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify256(pats, haystack, at, c) { - return Some(m); - } - } - at += 32; - } - if at < len { - at = len - 32; - let c = self.candidate(haystack, at); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify256(pats, haystack, at, c) { - return Some(m); - } - } - } - None - } - - #[inline(always)] - unsafe fn candidate(&self, haystack: &[u8], at: usize) -> __m256i { - debug_assert!(haystack[at..].len() >= 32); - - let chunk = vectorold::loadu256(haystack, at); - members1m256(chunk, self.mask1) - } -} - -#[derive(Clone, Debug)] -pub struct TeddyFat1Mask256 { - pub mask1: Mask256, -} - -impl TeddyFat1Mask256 { - #[target_feature(enable = "avx2")] - unsafe fn find_at( - &self, - pats: &Patterns, - teddy: &Teddy, - haystack: &[u8], - mut at: usize, - ) -> Option { - debug_assert!(haystack[at..].len() >= teddy.minimum_len()); - // This assert helps eliminate bounds checks for bucket lookups in - // Teddy::verify_bucket, which has a small (3-4%) performance boost. - assert_eq!(16, teddy.buckets.len()); - - let len = haystack.len(); - while at <= len - 16 { - let c = self.candidate(haystack, at); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify_fat256(pats, haystack, at, c) { - return Some(m); - } - } - at += 16; - } - if at < len { - at = len - 16; - let c = self.candidate(haystack, at); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify_fat256(pats, haystack, at, c) { - return Some(m); - } - } - } - None - } - - #[inline(always)] - unsafe fn candidate(&self, haystack: &[u8], at: usize) -> __m256i { - debug_assert!(haystack[at..].len() >= 16); - - let chunk = - _mm256_broadcastsi128_si256(vectorold::loadu128(haystack, at)); - members1m256(chunk, self.mask1) - } -} - -#[derive(Clone, Debug)] -pub struct TeddySlim2Mask128 { - pub mask1: Mask128, - pub mask2: Mask128, -} - -impl TeddySlim2Mask128 { - #[target_feature(enable = "ssse3")] - unsafe fn find_at( - &self, - pats: &Patterns, - teddy: &Teddy, - haystack: &[u8], - mut at: usize, - ) -> Option { - debug_assert!(haystack[at..].len() >= teddy.minimum_len()); - // This assert helps eliminate bounds checks for bucket lookups in - // Teddy::verify_bucket, which has a small (3-4%) performance boost. - assert_eq!(8, teddy.buckets.len()); - - at += 1; - let len = haystack.len(); - let mut prev0 = vectorold::ones128(); - while at <= len - 16 { - let c = self.candidate(haystack, at, &mut prev0); - if !vectorold::is_all_zeroes128(c) { - if let Some(m) = teddy.verify128(pats, haystack, at - 1, c) { - return Some(m); - } - } - at += 16; - } - if at < len { - at = len - 16; - prev0 = vectorold::ones128(); - - let c = self.candidate(haystack, at, &mut prev0); - if !vectorold::is_all_zeroes128(c) { - if let Some(m) = teddy.verify128(pats, haystack, at - 1, c) { - return Some(m); - } - } - } - None - } - - #[inline(always)] - unsafe fn candidate( - &self, - haystack: &[u8], - at: usize, - prev0: &mut __m128i, - ) -> __m128i { - debug_assert!(haystack[at..].len() >= 16); - - let chunk = vectorold::loadu128(haystack, at); - let (res0, res1) = members2m128(chunk, self.mask1, self.mask2); - let res0prev0 = _mm_alignr_epi8(res0, *prev0, 15); - _mm_and_si128(res0prev0, res1) - } -} - -#[derive(Clone, Debug)] -pub struct TeddySlim2Mask256 { - pub mask1: Mask256, - pub mask2: Mask256, -} - -impl TeddySlim2Mask256 { - #[target_feature(enable = "avx2")] - unsafe fn find_at( - &self, - pats: &Patterns, - teddy: &Teddy, - haystack: &[u8], - mut at: usize, - ) -> Option { - debug_assert!(haystack[at..].len() >= teddy.minimum_len()); - // This assert helps eliminate bounds checks for bucket lookups in - // Teddy::verify_bucket, which has a small (3-4%) performance boost. - assert_eq!(8, teddy.buckets.len()); - - at += 1; - let len = haystack.len(); - let mut prev0 = vectorold::ones256(); - while at <= len - 32 { - let c = self.candidate(haystack, at, &mut prev0); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify256(pats, haystack, at - 1, c) { - return Some(m); - } - } - at += 32; - } - if at < len { - at = len - 32; - prev0 = vectorold::ones256(); - - let c = self.candidate(haystack, at, &mut prev0); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify256(pats, haystack, at - 1, c) { - return Some(m); - } - } - } - None - } - - #[inline(always)] - unsafe fn candidate( - &self, - haystack: &[u8], - at: usize, - prev0: &mut __m256i, - ) -> __m256i { - debug_assert!(haystack[at..].len() >= 32); - - let chunk = vectorold::loadu256(haystack, at); - let (res0, res1) = members2m256(chunk, self.mask1, self.mask2); - let res0prev0 = vectorold::alignr256_15(res0, *prev0); - let res = _mm256_and_si256(res0prev0, res1); - *prev0 = res0; - res - } -} - -#[derive(Clone, Debug)] -pub struct TeddyFat2Mask256 { - pub mask1: Mask256, - pub mask2: Mask256, -} - -impl TeddyFat2Mask256 { - #[target_feature(enable = "avx2")] - unsafe fn find_at( - &self, - pats: &Patterns, - teddy: &Teddy, - haystack: &[u8], - mut at: usize, - ) -> Option { - debug_assert!(haystack[at..].len() >= teddy.minimum_len()); - // This assert helps eliminate bounds checks for bucket lookups in - // Teddy::verify_bucket, which has a small (3-4%) performance boost. - assert_eq!(16, teddy.buckets.len()); - - at += 1; - let len = haystack.len(); - let mut prev0 = vectorold::ones256(); - while at <= len - 16 { - let c = self.candidate(haystack, at, &mut prev0); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify_fat256(pats, haystack, at - 1, c) - { - return Some(m); - } - } - at += 16; - } - if at < len { - at = len - 16; - prev0 = vectorold::ones256(); - - let c = self.candidate(haystack, at, &mut prev0); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify_fat256(pats, haystack, at - 1, c) - { - return Some(m); - } - } - } - None - } - - #[inline(always)] - unsafe fn candidate( - &self, - haystack: &[u8], - at: usize, - prev0: &mut __m256i, - ) -> __m256i { - debug_assert!(haystack[at..].len() >= 16); - - let chunk = - _mm256_broadcastsi128_si256(vectorold::loadu128(haystack, at)); - let (res0, res1) = members2m256(chunk, self.mask1, self.mask2); - let res0prev0 = _mm256_alignr_epi8(res0, *prev0, 15); - let res = _mm256_and_si256(res0prev0, res1); - *prev0 = res0; - res - } -} - -#[derive(Clone, Debug)] -pub struct TeddySlim3Mask128 { - pub mask1: Mask128, - pub mask2: Mask128, - pub mask3: Mask128, -} - -impl TeddySlim3Mask128 { - #[target_feature(enable = "ssse3")] - unsafe fn find_at( - &self, - pats: &Patterns, - teddy: &Teddy, - haystack: &[u8], - mut at: usize, - ) -> Option { - debug_assert!(haystack[at..].len() >= teddy.minimum_len()); - // This assert helps eliminate bounds checks for bucket lookups in - // Teddy::verify_bucket, which has a small (3-4%) performance boost. - assert_eq!(8, teddy.buckets.len()); - - at += 2; - let len = haystack.len(); - let (mut prev0, mut prev1) = - (vectorold::ones128(), vectorold::ones128()); - while at <= len - 16 { - let c = self.candidate(haystack, at, &mut prev0, &mut prev1); - if !vectorold::is_all_zeroes128(c) { - if let Some(m) = teddy.verify128(pats, haystack, at - 2, c) { - return Some(m); - } - } - at += 16; - } - if at < len { - at = len - 16; - prev0 = vectorold::ones128(); - prev1 = vectorold::ones128(); - - let c = self.candidate(haystack, at, &mut prev0, &mut prev1); - if !vectorold::is_all_zeroes128(c) { - if let Some(m) = teddy.verify128(pats, haystack, at - 2, c) { - return Some(m); - } - } - } - None - } - - #[inline(always)] - unsafe fn candidate( - &self, - haystack: &[u8], - at: usize, - prev0: &mut __m128i, - prev1: &mut __m128i, - ) -> __m128i { - debug_assert!(haystack[at..].len() >= 16); - - let chunk = vectorold::loadu128(haystack, at); - let (res0, res1, res2) = - members3m128(chunk, self.mask1, self.mask2, self.mask3); - let res0prev0 = _mm_alignr_epi8(res0, *prev0, 14); - let res1prev1 = _mm_alignr_epi8(res1, *prev1, 15); - let res = _mm_and_si128(_mm_and_si128(res0prev0, res1prev1), res2); - *prev0 = res0; - *prev1 = res1; - res - } -} - -#[derive(Clone, Debug)] -pub struct TeddySlim3Mask256 { - pub mask1: Mask256, - pub mask2: Mask256, - pub mask3: Mask256, -} - -impl TeddySlim3Mask256 { - #[target_feature(enable = "avx2")] - unsafe fn find_at( - &self, - pats: &Patterns, - teddy: &Teddy, - haystack: &[u8], - mut at: usize, - ) -> Option { - debug_assert!(haystack[at..].len() >= teddy.minimum_len()); - // This assert helps eliminate bounds checks for bucket lookups in - // Teddy::verify_bucket, which has a small (3-4%) performance boost. - assert_eq!(8, teddy.buckets.len()); - - at += 2; - let len = haystack.len(); - let (mut prev0, mut prev1) = - (vectorold::ones256(), vectorold::ones256()); - while at <= len - 32 { - let c = self.candidate(haystack, at, &mut prev0, &mut prev1); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify256(pats, haystack, at - 2, c) { - return Some(m); - } - } - at += 32; - } - if at < len { - at = len - 32; - prev0 = vectorold::ones256(); - prev1 = vectorold::ones256(); - - let c = self.candidate(haystack, at, &mut prev0, &mut prev1); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify256(pats, haystack, at - 2, c) { - return Some(m); - } - } - } - None - } - - #[inline(always)] - unsafe fn candidate( - &self, - haystack: &[u8], - at: usize, - prev0: &mut __m256i, - prev1: &mut __m256i, - ) -> __m256i { - debug_assert!(haystack[at..].len() >= 32); - - let chunk = vectorold::loadu256(haystack, at); - let (res0, res1, res2) = - members3m256(chunk, self.mask1, self.mask2, self.mask3); - let res0prev0 = vectorold::alignr256_14(res0, *prev0); - let res1prev1 = vectorold::alignr256_15(res1, *prev1); - let res = - _mm256_and_si256(_mm256_and_si256(res0prev0, res1prev1), res2); - *prev0 = res0; - *prev1 = res1; - res - } -} - -#[derive(Clone, Debug)] -pub struct TeddyFat3Mask256 { - pub mask1: Mask256, - pub mask2: Mask256, - pub mask3: Mask256, -} - -impl TeddyFat3Mask256 { - #[target_feature(enable = "avx2")] - unsafe fn find_at( - &self, - pats: &Patterns, - teddy: &Teddy, - haystack: &[u8], - mut at: usize, - ) -> Option { - debug_assert!(haystack[at..].len() >= teddy.minimum_len()); - // This assert helps eliminate bounds checks for bucket lookups in - // Teddy::verify_bucket, which has a small (3-4%) performance boost. - assert_eq!(16, teddy.buckets.len()); - - at += 2; - let len = haystack.len(); - let (mut prev0, mut prev1) = - (vectorold::ones256(), vectorold::ones256()); - while at <= len - 16 { - let c = self.candidate(haystack, at, &mut prev0, &mut prev1); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify_fat256(pats, haystack, at - 2, c) - { - return Some(m); - } - } - at += 16; - } - if at < len { - at = len - 16; - prev0 = vectorold::ones256(); - prev1 = vectorold::ones256(); - - let c = self.candidate(haystack, at, &mut prev0, &mut prev1); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify_fat256(pats, haystack, at - 2, c) - { - return Some(m); - } - } - } - None - } - - #[inline(always)] - unsafe fn candidate( - &self, - haystack: &[u8], - at: usize, - prev0: &mut __m256i, - prev1: &mut __m256i, - ) -> __m256i { - debug_assert!(haystack[at..].len() >= 16); - - let chunk = - _mm256_broadcastsi128_si256(vectorold::loadu128(haystack, at)); - let (res0, res1, res2) = - members3m256(chunk, self.mask1, self.mask2, self.mask3); - let res0prev0 = _mm256_alignr_epi8(res0, *prev0, 14); - let res1prev1 = _mm256_alignr_epi8(res1, *prev1, 15); - let res = - _mm256_and_si256(_mm256_and_si256(res0prev0, res1prev1), res2); - *prev0 = res0; - *prev1 = res1; - res - } -} - -#[derive(Clone, Debug)] -pub struct TeddySlim4Mask128 { - pub mask1: Mask128, - pub mask2: Mask128, - pub mask3: Mask128, - pub mask4: Mask128, -} - -impl TeddySlim4Mask128 { - #[target_feature(enable = "ssse3")] - unsafe fn find_at( - &self, - pats: &Patterns, - teddy: &Teddy, - haystack: &[u8], - mut at: usize, - ) -> Option { - debug_assert!(haystack[at..].len() >= teddy.minimum_len()); - // This assert helps eliminate bounds checks for bucket lookups in - // Teddy::verify_bucket, which has a small (3-4%) performance boost. - assert_eq!(8, teddy.buckets.len()); - - at += 3; - let len = haystack.len(); - let mut prev0 = vectorold::ones128(); - let mut prev1 = vectorold::ones128(); - let mut prev2 = vectorold::ones128(); - while at <= len - 16 { - let c = self - .candidate(haystack, at, &mut prev0, &mut prev1, &mut prev2); - if !vectorold::is_all_zeroes128(c) { - if let Some(m) = teddy.verify128(pats, haystack, at - 3, c) { - return Some(m); - } - } - at += 16; - } - if at < len { - at = len - 16; - prev0 = vectorold::ones128(); - prev1 = vectorold::ones128(); - prev2 = vectorold::ones128(); - - let c = self - .candidate(haystack, at, &mut prev0, &mut prev1, &mut prev2); - if !vectorold::is_all_zeroes128(c) { - if let Some(m) = teddy.verify128(pats, haystack, at - 3, c) { - return Some(m); - } - } - } - None - } - - #[inline(always)] - unsafe fn candidate( - &self, - haystack: &[u8], - at: usize, - prev0: &mut __m128i, - prev1: &mut __m128i, - prev2: &mut __m128i, - ) -> __m128i { - debug_assert!(haystack[at..].len() >= 16); - - let chunk = vectorold::loadu128(haystack, at); - let (res0, res1, res2, res3) = members4m128( - chunk, self.mask1, self.mask2, self.mask3, self.mask4, - ); - let res0prev0 = _mm_alignr_epi8(res0, *prev0, 13); - let res1prev1 = _mm_alignr_epi8(res1, *prev1, 14); - let res2prev2 = _mm_alignr_epi8(res2, *prev2, 15); - let res = _mm_and_si128( - _mm_and_si128(_mm_and_si128(res0prev0, res1prev1), res2prev2), - res3, - ); - *prev0 = res0; - *prev1 = res1; - *prev2 = res2; - res - } -} - -#[derive(Clone, Debug)] -pub struct TeddySlim4Mask256 { - pub mask1: Mask256, - pub mask2: Mask256, - pub mask3: Mask256, - pub mask4: Mask256, -} - -impl TeddySlim4Mask256 { - #[target_feature(enable = "avx2")] - unsafe fn find_at( - &self, - pats: &Patterns, - teddy: &Teddy, - haystack: &[u8], - mut at: usize, - ) -> Option { - debug_assert!(haystack[at..].len() >= teddy.minimum_len()); - // This assert helps eliminate bounds checks for bucket lookups in - // Teddy::verify_bucket, which has a small (3-4%) performance boost. - assert_eq!(8, teddy.buckets.len()); - - at += 3; - let len = haystack.len(); - let mut prev0 = vectorold::ones256(); - let mut prev1 = vectorold::ones256(); - let mut prev2 = vectorold::ones256(); - while at <= len - 32 { - let c = self - .candidate(haystack, at, &mut prev0, &mut prev1, &mut prev2); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify256(pats, haystack, at - 3, c) { - return Some(m); - } - } - at += 32; - } - if at < len { - at = len - 32; - prev0 = vectorold::ones256(); - prev1 = vectorold::ones256(); - prev2 = vectorold::ones256(); - - let c = self - .candidate(haystack, at, &mut prev0, &mut prev1, &mut prev2); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify256(pats, haystack, at - 3, c) { - return Some(m); - } - } - } - None - } - - #[inline(always)] - unsafe fn candidate( - &self, - haystack: &[u8], - at: usize, - prev0: &mut __m256i, - prev1: &mut __m256i, - prev2: &mut __m256i, - ) -> __m256i { - debug_assert!(haystack[at..].len() >= 32); - - let chunk = vectorold::loadu256(haystack, at); - let (res0, res1, res2, res3) = members4m256( - chunk, self.mask1, self.mask2, self.mask3, self.mask4, - ); - let res0prev0 = vectorold::alignr256_13(res0, *prev0); - let res1prev1 = vectorold::alignr256_14(res1, *prev1); - let res2prev2 = vectorold::alignr256_15(res2, *prev2); - let res = _mm256_and_si256( - _mm256_and_si256( - _mm256_and_si256(res0prev0, res1prev1), - res2prev2, - ), - res3, - ); - *prev0 = res0; - *prev1 = res1; - *prev2 = res2; - res - } -} - -#[derive(Clone, Debug)] -pub struct TeddyFat4Mask256 { - pub mask1: Mask256, - pub mask2: Mask256, - pub mask3: Mask256, - pub mask4: Mask256, -} - -impl TeddyFat4Mask256 { - #[target_feature(enable = "avx2")] - unsafe fn find_at( - &self, - pats: &Patterns, - teddy: &Teddy, - haystack: &[u8], - mut at: usize, - ) -> Option { - debug_assert!(haystack[at..].len() >= teddy.minimum_len()); - // This assert helps eliminate bounds checks for bucket lookups in - // Teddy::verify_bucket, which has a small (3-4%) performance boost. - assert_eq!(16, teddy.buckets.len()); - - at += 3; - let len = haystack.len(); - let mut prev0 = vectorold::ones256(); - let mut prev1 = vectorold::ones256(); - let mut prev2 = vectorold::ones256(); - while at <= len - 16 { - let c = self - .candidate(haystack, at, &mut prev0, &mut prev1, &mut prev2); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify_fat256(pats, haystack, at - 3, c) - { - return Some(m); - } - } - at += 16; - } - if at < len { - at = len - 16; - prev0 = vectorold::ones256(); - prev1 = vectorold::ones256(); - prev2 = vectorold::ones256(); - - let c = self - .candidate(haystack, at, &mut prev0, &mut prev1, &mut prev2); - if !vectorold::is_all_zeroes256(c) { - if let Some(m) = teddy.verify_fat256(pats, haystack, at - 3, c) - { - return Some(m); - } - } - } - None - } - - #[inline(always)] - unsafe fn candidate( - &self, - haystack: &[u8], - at: usize, - prev0: &mut __m256i, - prev1: &mut __m256i, - prev2: &mut __m256i, - ) -> __m256i { - debug_assert!(haystack[at..].len() >= 16); - - let chunk = - _mm256_broadcastsi128_si256(vectorold::loadu128(haystack, at)); - let (res0, res1, res2, res3) = members4m256( - chunk, self.mask1, self.mask2, self.mask3, self.mask4, - ); - let res0prev0 = _mm256_alignr_epi8(res0, *prev0, 13); - let res1prev1 = _mm256_alignr_epi8(res1, *prev1, 14); - let res2prev2 = _mm256_alignr_epi8(res2, *prev2, 15); - let res = _mm256_and_si256( - _mm256_and_si256( - _mm256_and_si256(res0prev0, res1prev1), - res2prev2, - ), - res3, - ); - *prev0 = res0; - *prev1 = res1; - *prev2 = res2; - res - } -} - -/// A 128-bit mask for the low and high nybbles in a set of patterns. Each -/// lane `j` corresponds to a bitset where the `i`th bit is set if and only if -/// the nybble `j` is in the bucket `i` at a particular position. -#[derive(Clone, Copy, Debug)] -pub struct Mask128 { - lo: __m128i, - hi: __m128i, -} - -impl Mask128 { - /// Create a new SIMD mask from the mask produced by the Teddy builder. - pub fn new(mask: compile::Mask) -> Mask128 { - // SAFETY: This is safe since [u8; 16] has the same representation - // as __m128i. - unsafe { - Mask128 { - lo: mem::transmute(mask.lo128()), - hi: mem::transmute(mask.hi128()), - } - } - } -} - -/// A 256-bit mask for the low and high nybbles in a set of patterns. Each -/// lane `j` corresponds to a bitset where the `i`th bit is set if and only if -/// the nybble `j` is in the bucket `i` at a particular position. -/// -/// This is slightly tweaked dependending on whether Slim or Fat Teddy is being -/// used. For Slim Teddy, the bitsets in the lower 128-bits are the same as -/// the bitsets in the higher 128-bits, so that we can search 32 bytes at a -/// time. (Remember, the nybbles in the haystack are used as indices into these -/// masks, and 256-bit shuffles only operate on 128-bit lanes.) -/// -/// For Fat Teddy, the bitsets are not repeated, but instead, the high 128 -/// bits correspond to buckets 8-15. So that a bitset `00100010` has buckets -/// 1 and 5 set if it's in the lower 128 bits, but has buckets 9 and 13 set -/// if it's in the higher 128 bits. -#[derive(Clone, Copy, Debug)] -pub struct Mask256 { - lo: __m256i, - hi: __m256i, -} - -impl Mask256 { - /// Create a new SIMD mask from the mask produced by the Teddy builder. - pub fn new(mask: compile::Mask) -> Mask256 { - // SAFETY: This is safe since [u8; 32] has the same representation - // as __m256i. - unsafe { - Mask256 { - lo: mem::transmute(mask.lo256()), - hi: mem::transmute(mask.hi256()), - } - } - } -} - -// The "members" routines below are responsible for taking a chunk of bytes, -// a number of nybble masks and returning the result of using the masks to -// lookup bytes in the chunk. The results of the high and low nybble masks are -// AND'ed together, such that each candidate returned is a vector, with byte -// sized lanes, and where each lane is an 8-bit bitset corresponding to the -// buckets that contain the corresponding byte. -// -// In the case of masks of length greater than 1, callers will need to keep -// the results from the previous haystack's window, and then shift the vectors -// so that they all line up. Then they can be AND'ed together. - -/// Return a candidate for Slim 128-bit Teddy, where `chunk` corresponds to a -/// 16-byte window of the haystack (where the least significant byte -/// corresponds to the start of the window), and `mask1` corresponds to a -/// low/high mask for the first byte of all patterns that are being searched. -#[target_feature(enable = "ssse3")] -unsafe fn members1m128(chunk: __m128i, mask1: Mask128) -> __m128i { - let lomask = _mm_set1_epi8(0xF); - let hlo = _mm_and_si128(chunk, lomask); - let hhi = _mm_and_si128(_mm_srli_epi16(chunk, 4), lomask); - _mm_and_si128( - _mm_shuffle_epi8(mask1.lo, hlo), - _mm_shuffle_epi8(mask1.hi, hhi), - ) -} - -/// Return a candidate for Slim 256-bit Teddy, where `chunk` corresponds to a -/// 32-byte window of the haystack (where the least significant byte -/// corresponds to the start of the window), and `mask1` corresponds to a -/// low/high mask for the first byte of all patterns that are being searched. -/// -/// Note that this can also be used for Fat Teddy, where the high 128 bits in -/// `chunk` is the same as the low 128 bits, which corresponds to a 16 byte -/// window in the haystack. -#[target_feature(enable = "avx2")] -unsafe fn members1m256(chunk: __m256i, mask1: Mask256) -> __m256i { - let lomask = _mm256_set1_epi8(0xF); - let hlo = _mm256_and_si256(chunk, lomask); - let hhi = _mm256_and_si256(_mm256_srli_epi16(chunk, 4), lomask); - _mm256_and_si256( - _mm256_shuffle_epi8(mask1.lo, hlo), - _mm256_shuffle_epi8(mask1.hi, hhi), - ) -} - -/// Return candidates for Slim 128-bit Teddy, where `chunk` corresponds -/// to a 16-byte window of the haystack (where the least significant byte -/// corresponds to the start of the window), and the masks correspond to a -/// low/high mask for the first and second bytes of all patterns that are being -/// searched. The vectors returned correspond to candidates for the first and -/// second bytes in the patterns represented by the masks. -#[target_feature(enable = "ssse3")] -unsafe fn members2m128( - chunk: __m128i, - mask1: Mask128, - mask2: Mask128, -) -> (__m128i, __m128i) { - let lomask = _mm_set1_epi8(0xF); - let hlo = _mm_and_si128(chunk, lomask); - let hhi = _mm_and_si128(_mm_srli_epi16(chunk, 4), lomask); - let res0 = _mm_and_si128( - _mm_shuffle_epi8(mask1.lo, hlo), - _mm_shuffle_epi8(mask1.hi, hhi), - ); - let res1 = _mm_and_si128( - _mm_shuffle_epi8(mask2.lo, hlo), - _mm_shuffle_epi8(mask2.hi, hhi), - ); - (res0, res1) -} - -/// Return candidates for Slim 256-bit Teddy, where `chunk` corresponds -/// to a 32-byte window of the haystack (where the least significant byte -/// corresponds to the start of the window), and the masks correspond to a -/// low/high mask for the first and second bytes of all patterns that are being -/// searched. The vectors returned correspond to candidates for the first and -/// second bytes in the patterns represented by the masks. -/// -/// Note that this can also be used for Fat Teddy, where the high 128 bits in -/// `chunk` is the same as the low 128 bits, which corresponds to a 16 byte -/// window in the haystack. -#[target_feature(enable = "avx2")] -unsafe fn members2m256( - chunk: __m256i, - mask1: Mask256, - mask2: Mask256, -) -> (__m256i, __m256i) { - let lomask = _mm256_set1_epi8(0xF); - let hlo = _mm256_and_si256(chunk, lomask); - let hhi = _mm256_and_si256(_mm256_srli_epi16(chunk, 4), lomask); - let res0 = _mm256_and_si256( - _mm256_shuffle_epi8(mask1.lo, hlo), - _mm256_shuffle_epi8(mask1.hi, hhi), - ); - let res1 = _mm256_and_si256( - _mm256_shuffle_epi8(mask2.lo, hlo), - _mm256_shuffle_epi8(mask2.hi, hhi), - ); - (res0, res1) -} - -/// Return candidates for Slim 128-bit Teddy, where `chunk` corresponds -/// to a 16-byte window of the haystack (where the least significant byte -/// corresponds to the start of the window), and the masks correspond to a -/// low/high mask for the first, second and third bytes of all patterns that -/// are being searched. The vectors returned correspond to candidates for the -/// first, second and third bytes in the patterns represented by the masks. -#[target_feature(enable = "ssse3")] -unsafe fn members3m128( - chunk: __m128i, - mask1: Mask128, - mask2: Mask128, - mask3: Mask128, -) -> (__m128i, __m128i, __m128i) { - let lomask = _mm_set1_epi8(0xF); - let hlo = _mm_and_si128(chunk, lomask); - let hhi = _mm_and_si128(_mm_srli_epi16(chunk, 4), lomask); - let res0 = _mm_and_si128( - _mm_shuffle_epi8(mask1.lo, hlo), - _mm_shuffle_epi8(mask1.hi, hhi), - ); - let res1 = _mm_and_si128( - _mm_shuffle_epi8(mask2.lo, hlo), - _mm_shuffle_epi8(mask2.hi, hhi), - ); - let res2 = _mm_and_si128( - _mm_shuffle_epi8(mask3.lo, hlo), - _mm_shuffle_epi8(mask3.hi, hhi), - ); - (res0, res1, res2) -} - -/// Return candidates for Slim 256-bit Teddy, where `chunk` corresponds -/// to a 32-byte window of the haystack (where the least significant byte -/// corresponds to the start of the window), and the masks correspond to a -/// low/high mask for the first, second and third bytes of all patterns that -/// are being searched. The vectors returned correspond to candidates for the -/// first, second and third bytes in the patterns represented by the masks. -/// -/// Note that this can also be used for Fat Teddy, where the high 128 bits in -/// `chunk` is the same as the low 128 bits, which corresponds to a 16 byte -/// window in the haystack. -#[target_feature(enable = "avx2")] -unsafe fn members3m256( - chunk: __m256i, - mask1: Mask256, - mask2: Mask256, - mask3: Mask256, -) -> (__m256i, __m256i, __m256i) { - let lomask = _mm256_set1_epi8(0xF); - let hlo = _mm256_and_si256(chunk, lomask); - let hhi = _mm256_and_si256(_mm256_srli_epi16(chunk, 4), lomask); - let res0 = _mm256_and_si256( - _mm256_shuffle_epi8(mask1.lo, hlo), - _mm256_shuffle_epi8(mask1.hi, hhi), - ); - let res1 = _mm256_and_si256( - _mm256_shuffle_epi8(mask2.lo, hlo), - _mm256_shuffle_epi8(mask2.hi, hhi), - ); - let res2 = _mm256_and_si256( - _mm256_shuffle_epi8(mask3.lo, hlo), - _mm256_shuffle_epi8(mask3.hi, hhi), - ); - (res0, res1, res2) -} - -/// Return candidates for Slim 128-bit Teddy, where `chunk` corresponds -/// to a 16-byte window of the haystack (where the least significant byte -/// corresponds to the start of the window), and the masks correspond to a -/// low/high mask for the first, second, third and fourth bytes of all patterns -/// that are being searched. The vectors returned correspond to candidates for -/// the first, second, third and fourth bytes in the patterns represented by -/// the masks. -#[target_feature(enable = "ssse3")] -unsafe fn members4m128( - chunk: __m128i, - mask1: Mask128, - mask2: Mask128, - mask3: Mask128, - mask4: Mask128, -) -> (__m128i, __m128i, __m128i, __m128i) { - let lomask = _mm_set1_epi8(0xF); - let hlo = _mm_and_si128(chunk, lomask); - let hhi = _mm_and_si128(_mm_srli_epi16(chunk, 4), lomask); - let res0 = _mm_and_si128( - _mm_shuffle_epi8(mask1.lo, hlo), - _mm_shuffle_epi8(mask1.hi, hhi), - ); - let res1 = _mm_and_si128( - _mm_shuffle_epi8(mask2.lo, hlo), - _mm_shuffle_epi8(mask2.hi, hhi), - ); - let res2 = _mm_and_si128( - _mm_shuffle_epi8(mask3.lo, hlo), - _mm_shuffle_epi8(mask3.hi, hhi), - ); - let res3 = _mm_and_si128( - _mm_shuffle_epi8(mask4.lo, hlo), - _mm_shuffle_epi8(mask4.hi, hhi), - ); - (res0, res1, res2, res3) -} - -/// Return candidates for Slim 256-bit Teddy, where `chunk` corresponds -/// to a 32-byte window of the haystack (where the least significant byte -/// corresponds to the start of the window), and the masks correspond to a -/// low/high mask for the first, second, third and fourth bytes of all patterns -/// that are being searched. The vectors returned correspond to candidates for -/// the first, second, third and fourth bytes in the patterns represented by -/// the masks. -/// -/// Note that this can also be used for Fat Teddy, where the high 128 bits in -/// `chunk` is the same as the low 128 bits, which corresponds to a 16 byte -/// window in the haystack. -#[target_feature(enable = "avx2")] -unsafe fn members4m256( - chunk: __m256i, - mask1: Mask256, - mask2: Mask256, - mask3: Mask256, - mask4: Mask256, -) -> (__m256i, __m256i, __m256i, __m256i) { - let lomask = _mm256_set1_epi8(0xF); - let hlo = _mm256_and_si256(chunk, lomask); - let hhi = _mm256_and_si256(_mm256_srli_epi16(chunk, 4), lomask); - let res0 = _mm256_and_si256( - _mm256_shuffle_epi8(mask1.lo, hlo), - _mm256_shuffle_epi8(mask1.hi, hhi), - ); - let res1 = _mm256_and_si256( - _mm256_shuffle_epi8(mask2.lo, hlo), - _mm256_shuffle_epi8(mask2.hi, hhi), - ); - let res2 = _mm256_and_si256( - _mm256_shuffle_epi8(mask3.lo, hlo), - _mm256_shuffle_epi8(mask3.hi, hhi), - ); - let res3 = _mm256_and_si256( - _mm256_shuffle_epi8(mask4.lo, hlo), - _mm256_shuffle_epi8(mask4.hi, hhi), - ); - (res0, res1, res2, res3) -} diff --git a/src/packed/tests.rs b/src/packed/tests.rs index ea76dd0..2b0d44e 100644 --- a/src/packed/tests.rs +++ b/src/packed/tests.rs @@ -40,8 +40,9 @@ struct SearchTestOwned { impl SearchTest { fn variations(&self) -> Vec { + let count = if cfg!(miri) { 1 } else { 261 }; let mut tests = vec![]; - for i in 0..=260 { + for i in 0..count { tests.push(self.offset_prefix(i)); tests.push(self.offset_suffix(i)); tests.push(self.offset_both(i)); @@ -91,15 +92,6 @@ impl SearchTest { matches: self.matches.to_vec(), } } - - // fn to_owned(&self) -> SearchTestOwned { - // SearchTestOwned { - // name: self.name.to_string(), - // patterns: self.patterns.iter().map(|s| s.to_string()).collect(), - // haystack: self.haystack.to_string(), - // matches: self.matches.iter().cloned().collect(), - // } - // } } /// Short-hand constructor for SearchTest. We use it a lot below. @@ -392,26 +384,34 @@ macro_rules! testconfig { run_search_tests($collection, |test| { let mut config = Config::new(); $with(&mut config); - config - .builder() - .extend(test.patterns.iter().map(|p| p.as_bytes())) - .build() - .unwrap() - .find_iter(&test.haystack) - .collect() + let mut builder = config.builder(); + builder.extend(test.patterns.iter().map(|p| p.as_bytes())); + let searcher = match builder.build() { + Some(searcher) => searcher, + None => { + // For x86-64 and aarch64, not building a searcher is + // probably a bug, so be loud. + if cfg!(any( + target_arch = "x86_64", + target_arch = "aarch64" + )) { + panic!("failed to build packed searcher") + } + return None; + } + }; + Some(searcher.find_iter(&test.haystack).collect()) }); } }; } -#[cfg(target_arch = "x86_64")] testconfig!( search_default_leftmost_first, PACKED_LEFTMOST_FIRST, |_: &mut Config| {} ); -#[cfg(target_arch = "x86_64")] testconfig!( search_default_leftmost_longest, PACKED_LEFTMOST_LONGEST, @@ -420,92 +420,90 @@ testconfig!( } ); -#[cfg(target_arch = "x86_64")] testconfig!( search_teddy_leftmost_first, PACKED_LEFTMOST_FIRST, |c: &mut Config| { - c.force_teddy(true); + c.only_teddy(true); } ); -#[cfg(target_arch = "x86_64")] testconfig!( search_teddy_leftmost_longest, PACKED_LEFTMOST_LONGEST, |c: &mut Config| { - c.force_teddy(true).match_kind(MatchKind::LeftmostLongest); + c.only_teddy(true).match_kind(MatchKind::LeftmostLongest); } ); -#[cfg(target_arch = "x86_64")] testconfig!( search_teddy_ssse3_leftmost_first, PACKED_LEFTMOST_FIRST, |c: &mut Config| { - c.force_teddy(true); + c.only_teddy(true); + #[cfg(target_arch = "x86_64")] if std::is_x86_feature_detected!("ssse3") { - c.force_avx(Some(false)); + c.only_teddy_256bit(Some(false)); } } ); -#[cfg(target_arch = "x86_64")] testconfig!( search_teddy_ssse3_leftmost_longest, PACKED_LEFTMOST_LONGEST, |c: &mut Config| { - c.force_teddy(true).match_kind(MatchKind::LeftmostLongest); + c.only_teddy(true).match_kind(MatchKind::LeftmostLongest); + #[cfg(target_arch = "x86_64")] if std::is_x86_feature_detected!("ssse3") { - c.force_avx(Some(false)); + c.only_teddy_256bit(Some(false)); } } ); -#[cfg(target_arch = "x86_64")] testconfig!( search_teddy_avx2_leftmost_first, PACKED_LEFTMOST_FIRST, |c: &mut Config| { - c.force_teddy(true); + c.only_teddy(true); + #[cfg(target_arch = "x86_64")] if std::is_x86_feature_detected!("avx2") { - c.force_avx(Some(true)); + c.only_teddy_256bit(Some(true)); } } ); -#[cfg(target_arch = "x86_64")] testconfig!( search_teddy_avx2_leftmost_longest, PACKED_LEFTMOST_LONGEST, |c: &mut Config| { - c.force_teddy(true).match_kind(MatchKind::LeftmostLongest); + c.only_teddy(true).match_kind(MatchKind::LeftmostLongest); + #[cfg(target_arch = "x86_64")] if std::is_x86_feature_detected!("avx2") { - c.force_avx(Some(true)); + c.only_teddy_256bit(Some(true)); } } ); -#[cfg(target_arch = "x86_64")] testconfig!( search_teddy_fat_leftmost_first, PACKED_LEFTMOST_FIRST, |c: &mut Config| { - c.force_teddy(true); + c.only_teddy(true); + #[cfg(target_arch = "x86_64")] if std::is_x86_feature_detected!("avx2") { - c.force_teddy_fat(Some(true)); + c.only_teddy_fat(Some(true)); } } ); -#[cfg(target_arch = "x86_64")] testconfig!( search_teddy_fat_leftmost_longest, PACKED_LEFTMOST_LONGEST, |c: &mut Config| { - c.force_teddy(true).match_kind(MatchKind::LeftmostLongest); + c.only_teddy(true).match_kind(MatchKind::LeftmostLongest); + #[cfg(target_arch = "x86_64")] if std::is_x86_feature_detected!("avx2") { - c.force_teddy_fat(Some(true)); + c.only_teddy_fat(Some(true)); } } ); @@ -514,7 +512,7 @@ testconfig!( search_rabinkarp_leftmost_first, PACKED_LEFTMOST_FIRST, |c: &mut Config| { - c.force_rabin_karp(true); + c.only_rabin_karp(true); } ); @@ -522,7 +520,7 @@ testconfig!( search_rabinkarp_leftmost_longest, PACKED_LEFTMOST_LONGEST, |c: &mut Config| { - c.force_rabin_karp(true).match_kind(MatchKind::LeftmostLongest); + c.only_rabin_karp(true).match_kind(MatchKind::LeftmostLongest); } ); @@ -550,7 +548,7 @@ fn search_tests_have_unique_names() { assert("TEDDY", TEDDY); } -fn run_search_tests Vec>( +fn run_search_tests Option>>( which: TestCollection, mut f: F, ) { @@ -564,12 +562,18 @@ fn run_search_tests Vec>( for &tests in which { for spec in tests { for test in spec.variations() { + let results = match f(&test) { + None => continue, + Some(results) => results, + }; assert_eq!( test.matches, - get_match_triples(f(&test)).as_slice(), - "test: {}, patterns: {:?}, haystack: {:?}, offset: {:?}", + get_match_triples(results).as_slice(), + "test: {}, patterns: {:?}, haystack(len={:?}): {:?}, \ + offset: {:?}", test.name, test.patterns, + test.haystack.len(), test.haystack, test.offset, ); diff --git a/src/packed/vector.rs b/src/packed/vector.rs new file mode 100644 index 0000000..f19b86c --- /dev/null +++ b/src/packed/vector.rs @@ -0,0 +1,1750 @@ +// NOTE: The descriptions for each of the vector methods on the traits below +// are pretty inscrutable. For this reason, there are tests for every method +// on for every trait impl below. If you're confused about what an op does, +// consult its test. (They probably should be doc tests, but I couldn't figure +// out how to write them in a non-annoying way.) + +use core::{ + fmt::Debug, + panic::{RefUnwindSafe, UnwindSafe}, +}; + +/// A trait for describing vector operations used by vectorized searchers. +/// +/// The trait is highly constrained to low level vector operations needed for +/// the specific algorithms used in this crate. In general, it was invented +/// mostly to be generic over x86's __m128i and __m256i types. At time of +/// writing, it also supports wasm and aarch64 128-bit vector types as well. +/// +/// # Safety +/// +/// All methods are not safe since they are intended to be implemented using +/// vendor intrinsics, which are also not safe. Callers must ensure that +/// the appropriate target features are enabled in the calling function, +/// and that the current CPU supports them. All implementations should +/// avoid marking the routines with `#[target_feature]` and instead mark +/// them as `#[inline(always)]` to ensure they get appropriately inlined. +/// (`inline(always)` cannot be used with target_feature.) +pub(crate) trait Vector: + Copy + Debug + Send + Sync + UnwindSafe + RefUnwindSafe +{ + /// The number of bits in the vector. + const BITS: usize; + /// The number of bytes in the vector. That is, this is the size of the + /// vector in memory. + const BYTES: usize; + + /// Create a vector with 8-bit lanes with the given byte repeated into each + /// lane. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn splat(byte: u8) -> Self; + + /// Read a vector-size number of bytes from the given pointer. The pointer + /// does not need to be aligned. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + /// + /// Callers must guarantee that at least `BYTES` bytes are readable from + /// `data`. + unsafe fn load_unaligned(data: *const u8) -> Self; + + /// Returns true if and only if this vector has zero in all of its lanes. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn is_zero(self) -> bool; + + /// Do an 8-bit pairwise equality check. If lane `i` is equal in this + /// vector and the one given, then lane `i` in the resulting vector is set + /// to `0xFF`. Otherwise, it is set to `0x00`. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn cmpeq(self, vector2: Self) -> Self; + + /// Perform a bitwise 'and' of this vector and the one given and return + /// the result. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn and(self, vector2: Self) -> Self; + + /// Perform a bitwise 'or' of this vector and the one given and return + /// the result. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn or(self, vector2: Self) -> Self; + + /// Shift each 8-bit lane in this vector to the right by the number of + /// bits indictated by the `BITS` type parameter. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn shift_8bit_lane_right(self) -> Self; + + /// Shift this vector to the left by one byte and shift the most + /// significant byte of `vector2` into the least significant position of + /// this vector. + /// + /// Stated differently, this behaves as if `self` and `vector2` were + /// concatenated into a `2 * Self::BITS` temporary buffer and then shifted + /// right by `Self::BYTES - 1` bytes. + /// + /// With respect to the Teddy algorithm, `vector2` is usually a previous + /// `Self::BYTES` chunk from the haystack and `self` is the chunk + /// immediately following it. This permits combining the last two bytes + /// from the previous chunk (`vector2`) with the first `Self::BYTES - 1` + /// bytes from the current chunk. This permits aligning the result of + /// various shuffles so that they can be and-ed together and a possible + /// candidate discovered. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn shift_in_one_byte(self, vector2: Self) -> Self; + + /// Shift this vector to the left by two bytes and shift the two most + /// significant bytes of `vector2` into the least significant position of + /// this vector. + /// + /// Stated differently, this behaves as if `self` and `vector2` were + /// concatenated into a `2 * Self::BITS` temporary buffer and then shifted + /// right by `Self::BYTES - 2` bytes. + /// + /// With respect to the Teddy algorithm, `vector2` is usually a previous + /// `Self::BYTES` chunk from the haystack and `self` is the chunk + /// immediately following it. This permits combining the last two bytes + /// from the previous chunk (`vector2`) with the first `Self::BYTES - 2` + /// bytes from the current chunk. This permits aligning the result of + /// various shuffles so that they can be and-ed together and a possible + /// candidate discovered. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn shift_in_two_bytes(self, vector2: Self) -> Self; + + /// Shift this vector to the left by three bytes and shift the three most + /// significant bytes of `vector2` into the least significant position of + /// this vector. + /// + /// Stated differently, this behaves as if `self` and `vector2` were + /// concatenated into a `2 * Self::BITS` temporary buffer and then shifted + /// right by `Self::BYTES - 3` bytes. + /// + /// With respect to the Teddy algorithm, `vector2` is usually a previous + /// `Self::BYTES` chunk from the haystack and `self` is the chunk + /// immediately following it. This permits combining the last three bytes + /// from the previous chunk (`vector2`) with the first `Self::BYTES - 3` + /// bytes from the current chunk. This permits aligning the result of + /// various shuffles so that they can be and-ed together and a possible + /// candidate discovered. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn shift_in_three_bytes(self, vector2: Self) -> Self; + + /// Shuffles the bytes in this vector according to the indices in each of + /// the corresponding lanes in `indices`. + /// + /// If `i` is the index of corresponding lanes, `A` is this vector, `B` is + /// indices and `C` is the resulting vector, then `C = A[B[i]]`. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn shuffle_bytes(self, indices: Self) -> Self; + + /// Call the provided function for each 64-bit lane in this vector. The + /// given function is provided the lane index and lane value as a `u64`. + /// + /// If `f` returns `Some`, then iteration over the lanes is stopped and the + /// value is returned. Otherwise, this returns `None`. + /// + /// # Notes + /// + /// Conceptually it would be nice if we could have a + /// `unpack64(self) -> [u64; BITS / 64]` method, but defining that is + /// tricky given Rust's [current support for const generics][support]. + /// And even if we could, it would be tricky to write generic code over + /// it. (Not impossible. We could introduce another layer that requires + /// `AsRef<[u64]>` or something.) + /// + /// [support]: https://github.com/rust-lang/rust/issues/60551 + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn for_each_64bit_lane( + self, + f: impl FnMut(usize, u64) -> Option, + ) -> Option; +} + +/// This trait extends the `Vector` trait with additional operations to support +/// Fat Teddy. +/// +/// Fat Teddy uses 16 buckets instead of 8, but reads half as many bytes (as +/// the vector size) instead of the full size of a vector per iteration. For +/// example, when using a 256-bit vector, Slim Teddy reads 32 bytes at a timr +/// but Fat Teddy reads 16 bytes at a time. +/// +/// Fat Teddy is useful when searching for a large number of literals. +/// The extra number of buckets spreads the literals out more and reduces +/// verification time. +/// +/// Currently we only implement this for AVX on x86_64. It would be nice to +/// implement this for SSE on x86_64 and NEON on aarch64, with the latter two +/// only reading 8 bytes at a time. It's not clear how well it would work, but +/// there are some tricky things to figure out in terms of implementation. The +/// `half_shift_in_{one,two,three}_bytes` methods in particular are probably +/// the trickiest of the bunch. For AVX2, these are implemented by taking +/// advantage of the fact that `_mm256_alignr_epi8` operates on each 128-bit +/// half instead of the full 256-bit vector. (Where as `_mm_alignr_epi8` +/// operates on the full 128-bit vector and not on each 64-bit half.) I didn't +/// do a careful survey of NEON to see if it could easily support these +/// operations. +pub(crate) trait FatVector: Vector { + type Half: Vector; + + /// Read a half-vector-size number of bytes from the given pointer, and + /// broadcast it across both halfs of a full vector. The pointer does not + /// need to be aligned. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + /// + /// Callers must guarantee that at least `Self::HALF::BYTES` bytes are + /// readable from `data`. + unsafe fn load_half_unaligned(data: *const u8) -> Self; + + /// Like `Vector::shift_in_one_byte`, except this is done for each half + /// of the vector instead. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn half_shift_in_one_byte(self, vector2: Self) -> Self; + + /// Like `Vector::shift_in_two_bytes`, except this is done for each half + /// of the vector instead. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn half_shift_in_two_bytes(self, vector2: Self) -> Self; + + /// Like `Vector::shift_in_two_bytes`, except this is done for each half + /// of the vector instead. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn half_shift_in_three_bytes(self, vector2: Self) -> Self; + + /// Swap the 128-bit lanes in this vector. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn swap_halves(self) -> Self; + + /// Unpack and interleave the 8-bit lanes from the low 128 bits of each + /// vector and return the result. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn interleave_low_8bit_lanes(self, vector2: Self) -> Self; + + /// Unpack and interleave the 8-bit lanes from the high 128 bits of each + /// vector and return the result. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn interleave_high_8bit_lanes(self, vector2: Self) -> Self; + + /// Call the provided function for each 64-bit lane in the lower half + /// of this vector and then in the other vector. The given function is + /// provided the lane index and lane value as a `u64`. (The high 128-bits + /// of each vector are ignored.) + /// + /// If `f` returns `Some`, then iteration over the lanes is stopped and the + /// value is returned. Otherwise, this returns `None`. + /// + /// # Safety + /// + /// Callers must ensure that this is okay to call in the current target for + /// the current CPU. + unsafe fn for_each_low_64bit_lane( + self, + vector2: Self, + f: impl FnMut(usize, u64) -> Option, + ) -> Option; +} + +#[cfg(all(target_arch = "x86_64", target_feature = "sse2"))] +mod x86_64_ssse3 { + use core::arch::x86_64::*; + + use crate::util::int::{I32, I64, I8}; + + use super::Vector; + + impl Vector for __m128i { + const BITS: usize = 128; + const BYTES: usize = 16; + + #[inline(always)] + unsafe fn splat(byte: u8) -> __m128i { + _mm_set1_epi8(i8::from_bits(byte)) + } + + #[inline(always)] + unsafe fn load_unaligned(data: *const u8) -> __m128i { + _mm_loadu_si128(data.cast::<__m128i>()) + } + + #[inline(always)] + unsafe fn is_zero(self) -> bool { + let cmp = self.cmpeq(Self::splat(0)); + _mm_movemask_epi8(cmp).to_bits() == 0xFFFF + } + + #[inline(always)] + unsafe fn cmpeq(self, vector2: Self) -> __m128i { + _mm_cmpeq_epi8(self, vector2) + } + + #[inline(always)] + unsafe fn and(self, vector2: Self) -> __m128i { + _mm_and_si128(self, vector2) + } + + #[inline(always)] + unsafe fn or(self, vector2: Self) -> __m128i { + _mm_or_si128(self, vector2) + } + + #[inline(always)] + unsafe fn shift_8bit_lane_right(self) -> Self { + // Apparently there is no _mm_srli_epi8, so we emulate it by + // shifting 16-bit integers and masking out the high nybble of each + // 8-bit lane (since that nybble will contain bits from the low + // nybble of the previous lane). + let lomask = Self::splat(0xF); + _mm_srli_epi16(self, BITS).and(lomask) + } + + #[inline(always)] + unsafe fn shift_in_one_byte(self, vector2: Self) -> Self { + _mm_alignr_epi8(self, vector2, 15) + } + + #[inline(always)] + unsafe fn shift_in_two_bytes(self, vector2: Self) -> Self { + _mm_alignr_epi8(self, vector2, 14) + } + + #[inline(always)] + unsafe fn shift_in_three_bytes(self, vector2: Self) -> Self { + _mm_alignr_epi8(self, vector2, 13) + } + + #[inline(always)] + unsafe fn shuffle_bytes(self, indices: Self) -> Self { + _mm_shuffle_epi8(self, indices) + } + + #[inline(always)] + unsafe fn for_each_64bit_lane( + self, + mut f: impl FnMut(usize, u64) -> Option, + ) -> Option { + let lane = _mm_extract_epi64(self, 0).to_bits(); + if let Some(t) = f(0, lane) { + return Some(t); + } + let lane = _mm_extract_epi64(self, 1).to_bits(); + if let Some(t) = f(1, lane) { + return Some(t); + } + None + } + } +} + +#[cfg(all(target_arch = "x86_64", target_feature = "sse2"))] +mod x86_64_avx2 { + use core::arch::x86_64::*; + + use crate::util::int::{I32, I64, I8}; + + use super::{FatVector, Vector}; + + impl Vector for __m256i { + const BITS: usize = 256; + const BYTES: usize = 32; + + #[inline(always)] + unsafe fn splat(byte: u8) -> __m256i { + _mm256_set1_epi8(i8::from_bits(byte)) + } + + #[inline(always)] + unsafe fn load_unaligned(data: *const u8) -> __m256i { + _mm256_loadu_si256(data.cast::<__m256i>()) + } + + #[inline(always)] + unsafe fn is_zero(self) -> bool { + let cmp = self.cmpeq(Self::splat(0)); + _mm256_movemask_epi8(cmp).to_bits() == 0xFFFFFFFF + } + + #[inline(always)] + unsafe fn cmpeq(self, vector2: Self) -> __m256i { + _mm256_cmpeq_epi8(self, vector2) + } + + #[inline(always)] + unsafe fn and(self, vector2: Self) -> __m256i { + _mm256_and_si256(self, vector2) + } + + #[inline(always)] + unsafe fn or(self, vector2: Self) -> __m256i { + _mm256_or_si256(self, vector2) + } + + #[inline(always)] + unsafe fn shift_8bit_lane_right(self) -> Self { + let lomask = Self::splat(0xF); + _mm256_srli_epi16(self, BITS).and(lomask) + } + + #[inline(always)] + unsafe fn shift_in_one_byte(self, vector2: Self) -> Self { + // Credit goes to jneem for figuring this out: + // https://github.com/jneem/teddy/blob/9ab5e899ad6ef6911aecd3cf1033f1abe6e1f66c/src/x86/teddy_simd.rs#L145-L184 + // + // TL;DR avx2's PALIGNR instruction is actually just two 128-bit + // PALIGNR instructions, which is not what we want, so we need to + // do some extra shuffling. + let v = _mm256_permute2x128_si256(vector2, self, 0x21); + _mm256_alignr_epi8(self, v, 15) + } + + #[inline(always)] + unsafe fn shift_in_two_bytes(self, vector2: Self) -> Self { + // Credit goes to jneem for figuring this out: + // https://github.com/jneem/teddy/blob/9ab5e899ad6ef6911aecd3cf1033f1abe6e1f66c/src/x86/teddy_simd.rs#L145-L184 + // + // TL;DR avx2's PALIGNR instruction is actually just two 128-bit + // PALIGNR instructions, which is not what we want, so we need to + // do some extra shuffling. + let v = _mm256_permute2x128_si256(vector2, self, 0x21); + _mm256_alignr_epi8(self, v, 14) + } + + #[inline(always)] + unsafe fn shift_in_three_bytes(self, vector2: Self) -> Self { + // Credit goes to jneem for figuring this out: + // https://github.com/jneem/teddy/blob/9ab5e899ad6ef6911aecd3cf1033f1abe6e1f66c/src/x86/teddy_simd.rs#L145-L184 + // + // TL;DR avx2's PALIGNR instruction is actually just two 128-bit + // PALIGNR instructions, which is not what we want, so we need to + // do some extra shuffling. + let v = _mm256_permute2x128_si256(vector2, self, 0x21); + _mm256_alignr_epi8(self, v, 13) + } + + #[inline(always)] + unsafe fn shuffle_bytes(self, indices: Self) -> Self { + _mm256_shuffle_epi8(self, indices) + } + + #[inline(always)] + unsafe fn for_each_64bit_lane( + self, + mut f: impl FnMut(usize, u64) -> Option, + ) -> Option { + // NOTE: At one point in the past, I used transmute to this to + // get a [u64; 4], but it turned out to lead to worse codegen IIRC. + // I've tried it more recently, and it looks like that's no longer + // the case. But since there's no difference, we stick with the + // slightly more complicated but transmute-free version. + let lane = _mm256_extract_epi64(self, 0).to_bits(); + if let Some(t) = f(0, lane) { + return Some(t); + } + let lane = _mm256_extract_epi64(self, 1).to_bits(); + if let Some(t) = f(1, lane) { + return Some(t); + } + let lane = _mm256_extract_epi64(self, 2).to_bits(); + if let Some(t) = f(2, lane) { + return Some(t); + } + let lane = _mm256_extract_epi64(self, 3).to_bits(); + if let Some(t) = f(3, lane) { + return Some(t); + } + None + } + } + + impl FatVector for __m256i { + type Half = __m128i; + + #[inline(always)] + unsafe fn load_half_unaligned(data: *const u8) -> Self { + let half = Self::Half::load_unaligned(data); + _mm256_broadcastsi128_si256(half) + } + + #[inline(always)] + unsafe fn half_shift_in_one_byte(self, vector2: Self) -> Self { + _mm256_alignr_epi8(self, vector2, 15) + } + + #[inline(always)] + unsafe fn half_shift_in_two_bytes(self, vector2: Self) -> Self { + _mm256_alignr_epi8(self, vector2, 14) + } + + #[inline(always)] + unsafe fn half_shift_in_three_bytes(self, vector2: Self) -> Self { + _mm256_alignr_epi8(self, vector2, 13) + } + + #[inline(always)] + unsafe fn swap_halves(self) -> Self { + _mm256_permute4x64_epi64(self, 0x4E) + } + + #[inline(always)] + unsafe fn interleave_low_8bit_lanes(self, vector2: Self) -> Self { + _mm256_unpacklo_epi8(self, vector2) + } + + #[inline(always)] + unsafe fn interleave_high_8bit_lanes(self, vector2: Self) -> Self { + _mm256_unpackhi_epi8(self, vector2) + } + + #[inline(always)] + unsafe fn for_each_low_64bit_lane( + self, + vector2: Self, + mut f: impl FnMut(usize, u64) -> Option, + ) -> Option { + let lane = _mm256_extract_epi64(self, 0).to_bits(); + if let Some(t) = f(0, lane) { + return Some(t); + } + let lane = _mm256_extract_epi64(self, 1).to_bits(); + if let Some(t) = f(1, lane) { + return Some(t); + } + let lane = _mm256_extract_epi64(vector2, 0).to_bits(); + if let Some(t) = f(2, lane) { + return Some(t); + } + let lane = _mm256_extract_epi64(vector2, 1).to_bits(); + if let Some(t) = f(3, lane) { + return Some(t); + } + None + } + } +} + +#[cfg(target_arch = "aarch64")] +mod aarch64_neon { + use core::arch::aarch64::*; + + use super::Vector; + + impl Vector for uint8x16_t { + const BITS: usize = 128; + const BYTES: usize = 16; + + #[inline(always)] + unsafe fn splat(byte: u8) -> uint8x16_t { + vdupq_n_u8(byte) + } + + #[inline(always)] + unsafe fn load_unaligned(data: *const u8) -> uint8x16_t { + vld1q_u8(data) + } + + #[inline(always)] + unsafe fn is_zero(self) -> bool { + // Could also use vmaxvq_u8. + // ... I tried that and couldn't observe any meaningful difference + // in benchmarks. + let maxes = vreinterpretq_u64_u8(vpmaxq_u8(self, self)); + vgetq_lane_u64(maxes, 0) == 0 + } + + #[inline(always)] + unsafe fn cmpeq(self, vector2: Self) -> uint8x16_t { + vceqq_u8(self, vector2) + } + + #[inline(always)] + unsafe fn and(self, vector2: Self) -> uint8x16_t { + vandq_u8(self, vector2) + } + + #[inline(always)] + unsafe fn or(self, vector2: Self) -> uint8x16_t { + vorrq_u8(self, vector2) + } + + #[inline(always)] + unsafe fn shift_8bit_lane_right(self) -> Self { + debug_assert!(BITS <= 7); + vshrq_n_u8(self, BITS) + } + + #[inline(always)] + unsafe fn shift_in_one_byte(self, vector2: Self) -> Self { + vextq_u8(vector2, self, 15) + } + + #[inline(always)] + unsafe fn shift_in_two_bytes(self, vector2: Self) -> Self { + vextq_u8(vector2, self, 14) + } + + #[inline(always)] + unsafe fn shift_in_three_bytes(self, vector2: Self) -> Self { + vextq_u8(vector2, self, 13) + } + + #[inline(always)] + unsafe fn shuffle_bytes(self, indices: Self) -> Self { + vqtbl1q_u8(self, indices) + } + + #[inline(always)] + unsafe fn for_each_64bit_lane( + self, + mut f: impl FnMut(usize, u64) -> Option, + ) -> Option { + let this = vreinterpretq_u64_u8(self); + let lane = vgetq_lane_u64(this, 0); + if let Some(t) = f(0, lane) { + return Some(t); + } + let lane = vgetq_lane_u64(this, 1); + if let Some(t) = f(1, lane) { + return Some(t); + } + None + } + } +} + +#[cfg(all(test, target_arch = "x86_64", target_feature = "sse2"))] +mod tests_x86_64_ssse3 { + use core::arch::x86_64::*; + + use crate::util::int::{I32, U32}; + + use super::*; + + fn is_runnable() -> bool { + std::is_x86_feature_detected!("ssse3") + } + + #[target_feature(enable = "ssse3")] + unsafe fn load(lanes: [u8; 16]) -> __m128i { + __m128i::load_unaligned(&lanes as *const u8) + } + + #[target_feature(enable = "ssse3")] + unsafe fn unload(v: __m128i) -> [u8; 16] { + [ + _mm_extract_epi8(v, 0).to_bits().low_u8(), + _mm_extract_epi8(v, 1).to_bits().low_u8(), + _mm_extract_epi8(v, 2).to_bits().low_u8(), + _mm_extract_epi8(v, 3).to_bits().low_u8(), + _mm_extract_epi8(v, 4).to_bits().low_u8(), + _mm_extract_epi8(v, 5).to_bits().low_u8(), + _mm_extract_epi8(v, 6).to_bits().low_u8(), + _mm_extract_epi8(v, 7).to_bits().low_u8(), + _mm_extract_epi8(v, 8).to_bits().low_u8(), + _mm_extract_epi8(v, 9).to_bits().low_u8(), + _mm_extract_epi8(v, 10).to_bits().low_u8(), + _mm_extract_epi8(v, 11).to_bits().low_u8(), + _mm_extract_epi8(v, 12).to_bits().low_u8(), + _mm_extract_epi8(v, 13).to_bits().low_u8(), + _mm_extract_epi8(v, 14).to_bits().low_u8(), + _mm_extract_epi8(v, 15).to_bits().low_u8(), + ] + } + + #[test] + fn vector_splat() { + #[target_feature(enable = "ssse3")] + unsafe fn test() { + let v = __m128i::splat(0xAF); + assert_eq!( + unload(v), + [ + 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, + 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF + ] + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_is_zero() { + #[target_feature(enable = "ssse3")] + unsafe fn test() { + let v = load([0, 0, 0, 0, 0, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); + assert!(!v.is_zero()); + let v = load([0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); + assert!(v.is_zero()); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_cmpeq() { + #[target_feature(enable = "ssse3")] + unsafe fn test() { + let v1 = + load([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 1]); + let v2 = + load([16, 15, 14, 13, 12, 11, 10, 9, 8, 7, 6, 5, 4, 3, 2, 1]); + assert_eq!( + unload(v1.cmpeq(v2)), + [0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0xFF] + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_and() { + #[target_feature(enable = "ssse3")] + unsafe fn test() { + let v1 = + load([0, 0, 0, 0, 0, 0b1001, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); + let v2 = + load([0, 0, 0, 0, 0, 0b1010, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); + assert_eq!( + unload(v1.and(v2)), + [0, 0, 0, 0, 0, 0b1000, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0] + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_or() { + #[target_feature(enable = "ssse3")] + unsafe fn test() { + let v1 = + load([0, 0, 0, 0, 0, 0b1001, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); + let v2 = + load([0, 0, 0, 0, 0, 0b1010, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); + assert_eq!( + unload(v1.or(v2)), + [0, 0, 0, 0, 0, 0b1011, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0] + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_shift_8bit_lane_right() { + #[target_feature(enable = "ssse3")] + unsafe fn test() { + let v = load([ + 0, 0, 0, 0, 0b1011, 0b0101, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + ]); + assert_eq!( + unload(v.shift_8bit_lane_right::<2>()), + [0, 0, 0, 0, 0b0010, 0b0001, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0] + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_shift_in_one_byte() { + #[target_feature(enable = "ssse3")] + unsafe fn test() { + let v1 = + load([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16]); + let v2 = load([ + 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + assert_eq!( + unload(v1.shift_in_one_byte(v2)), + [32, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15], + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_shift_in_two_bytes() { + #[target_feature(enable = "ssse3")] + unsafe fn test() { + let v1 = + load([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16]); + let v2 = load([ + 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + assert_eq!( + unload(v1.shift_in_two_bytes(v2)), + [31, 32, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14], + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_shift_in_three_bytes() { + #[target_feature(enable = "ssse3")] + unsafe fn test() { + let v1 = + load([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16]); + let v2 = load([ + 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + assert_eq!( + unload(v1.shift_in_three_bytes(v2)), + [30, 31, 32, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13], + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_shuffle_bytes() { + #[target_feature(enable = "ssse3")] + unsafe fn test() { + let v1 = + load([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16]); + let v2 = + load([0, 0, 0, 0, 4, 4, 4, 4, 8, 8, 8, 8, 12, 12, 12, 12]); + assert_eq!( + unload(v1.shuffle_bytes(v2)), + [1, 1, 1, 1, 5, 5, 5, 5, 9, 9, 9, 9, 13, 13, 13, 13], + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_for_each_64bit_lane() { + #[target_feature(enable = "ssse3")] + unsafe fn test() { + let v = load([ + 0x01, 0x02, 0x03, 0x04, 0x05, 0x06, 0x07, 0x08, 0x09, 0x0A, + 0x0B, 0x0C, 0x0D, 0x0E, 0x0F, 0x10, + ]); + let mut lanes = [0u64; 2]; + v.for_each_64bit_lane(|i, lane| { + lanes[i] = lane; + None::<()> + }); + assert_eq!(lanes, [0x0807060504030201, 0x100F0E0D0C0B0A09],); + } + if !is_runnable() { + return; + } + unsafe { test() } + } +} + +#[cfg(all(test, target_arch = "x86_64", target_feature = "sse2"))] +mod tests_x86_64_avx2 { + use core::arch::x86_64::*; + + use crate::util::int::{I32, U32}; + + use super::*; + + fn is_runnable() -> bool { + std::is_x86_feature_detected!("avx2") + } + + #[target_feature(enable = "avx2")] + unsafe fn load(lanes: [u8; 32]) -> __m256i { + __m256i::load_unaligned(&lanes as *const u8) + } + + #[target_feature(enable = "avx2")] + unsafe fn load_half(lanes: [u8; 16]) -> __m256i { + __m256i::load_half_unaligned(&lanes as *const u8) + } + + #[target_feature(enable = "avx2")] + unsafe fn unload(v: __m256i) -> [u8; 32] { + [ + _mm256_extract_epi8(v, 0).to_bits().low_u8(), + _mm256_extract_epi8(v, 1).to_bits().low_u8(), + _mm256_extract_epi8(v, 2).to_bits().low_u8(), + _mm256_extract_epi8(v, 3).to_bits().low_u8(), + _mm256_extract_epi8(v, 4).to_bits().low_u8(), + _mm256_extract_epi8(v, 5).to_bits().low_u8(), + _mm256_extract_epi8(v, 6).to_bits().low_u8(), + _mm256_extract_epi8(v, 7).to_bits().low_u8(), + _mm256_extract_epi8(v, 8).to_bits().low_u8(), + _mm256_extract_epi8(v, 9).to_bits().low_u8(), + _mm256_extract_epi8(v, 10).to_bits().low_u8(), + _mm256_extract_epi8(v, 11).to_bits().low_u8(), + _mm256_extract_epi8(v, 12).to_bits().low_u8(), + _mm256_extract_epi8(v, 13).to_bits().low_u8(), + _mm256_extract_epi8(v, 14).to_bits().low_u8(), + _mm256_extract_epi8(v, 15).to_bits().low_u8(), + _mm256_extract_epi8(v, 16).to_bits().low_u8(), + _mm256_extract_epi8(v, 17).to_bits().low_u8(), + _mm256_extract_epi8(v, 18).to_bits().low_u8(), + _mm256_extract_epi8(v, 19).to_bits().low_u8(), + _mm256_extract_epi8(v, 20).to_bits().low_u8(), + _mm256_extract_epi8(v, 21).to_bits().low_u8(), + _mm256_extract_epi8(v, 22).to_bits().low_u8(), + _mm256_extract_epi8(v, 23).to_bits().low_u8(), + _mm256_extract_epi8(v, 24).to_bits().low_u8(), + _mm256_extract_epi8(v, 25).to_bits().low_u8(), + _mm256_extract_epi8(v, 26).to_bits().low_u8(), + _mm256_extract_epi8(v, 27).to_bits().low_u8(), + _mm256_extract_epi8(v, 28).to_bits().low_u8(), + _mm256_extract_epi8(v, 29).to_bits().low_u8(), + _mm256_extract_epi8(v, 30).to_bits().low_u8(), + _mm256_extract_epi8(v, 31).to_bits().low_u8(), + ] + } + + #[test] + fn vector_splat() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v = __m256i::splat(0xAF); + assert_eq!( + unload(v), + [ + 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, + 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, + 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, + 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, + ] + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_is_zero() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v = load([ + 0, 0, 0, 0, 0, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + ]); + assert!(!v.is_zero()); + let v = load([ + 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + ]); + assert!(v.is_zero()); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_cmpeq() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v1 = load([ + 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, + 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 1, + ]); + let v2 = load([ + 32, 31, 30, 29, 28, 27, 26, 25, 24, 23, 22, 21, 20, 19, 18, + 17, 16, 15, 14, 13, 12, 11, 10, 9, 8, 7, 6, 5, 4, 3, 2, 1, + ]); + assert_eq!( + unload(v1.cmpeq(v2)), + [ + 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0xFF + ] + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_and() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v1 = load([ + 0, 0, 0, 0, 0, 0b1001, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + ]); + let v2 = load([ + 0, 0, 0, 0, 0, 0b1010, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + ]); + assert_eq!( + unload(v1.and(v2)), + [ + 0, 0, 0, 0, 0, 0b1000, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + ] + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_or() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v1 = load([ + 0, 0, 0, 0, 0, 0b1001, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + ]); + let v2 = load([ + 0, 0, 0, 0, 0, 0b1010, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + ]); + assert_eq!( + unload(v1.or(v2)), + [ + 0, 0, 0, 0, 0, 0b1011, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + ] + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_shift_8bit_lane_right() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v = load([ + 0, 0, 0, 0, 0b1011, 0b0101, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + ]); + assert_eq!( + unload(v.shift_8bit_lane_right::<2>()), + [ + 0, 0, 0, 0, 0b0010, 0b0001, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + ] + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_shift_in_one_byte() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v1 = load([ + 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, + 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + let v2 = load([ + 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, + 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, + 63, 64, + ]); + assert_eq!( + unload(v1.shift_in_one_byte(v2)), + [ + 64, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, + 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, + 31, + ], + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_shift_in_two_bytes() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v1 = load([ + 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, + 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + let v2 = load([ + 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, + 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, + 63, 64, + ]); + assert_eq!( + unload(v1.shift_in_two_bytes(v2)), + [ + 63, 64, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, + 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, + 30, + ], + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_shift_in_three_bytes() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v1 = load([ + 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, + 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + let v2 = load([ + 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, + 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, + 63, 64, + ]); + assert_eq!( + unload(v1.shift_in_three_bytes(v2)), + [ + 62, 63, 64, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, + 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, + 29, + ], + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_shuffle_bytes() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v1 = load([ + 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, + 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + let v2 = load([ + 0, 0, 0, 0, 4, 4, 4, 4, 8, 8, 8, 8, 12, 12, 12, 12, 16, 16, + 16, 16, 20, 20, 20, 20, 24, 24, 24, 24, 28, 28, 28, 28, + ]); + assert_eq!( + unload(v1.shuffle_bytes(v2)), + [ + 1, 1, 1, 1, 5, 5, 5, 5, 9, 9, 9, 9, 13, 13, 13, 13, 17, + 17, 17, 17, 21, 21, 21, 21, 25, 25, 25, 25, 29, 29, 29, + 29 + ], + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn vector_for_each_64bit_lane() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v = load([ + 0x01, 0x02, 0x03, 0x04, 0x05, 0x06, 0x07, 0x08, 0x09, 0x0A, + 0x0B, 0x0C, 0x0D, 0x0E, 0x0F, 0x10, 0x11, 0x12, 0x13, 0x14, + 0x15, 0x16, 0x17, 0x18, 0x19, 0x1A, 0x1B, 0x1C, 0x1D, 0x1E, + 0x1F, 0x20, + ]); + let mut lanes = [0u64; 4]; + v.for_each_64bit_lane(|i, lane| { + lanes[i] = lane; + None::<()> + }); + assert_eq!( + lanes, + [ + 0x0807060504030201, + 0x100F0E0D0C0B0A09, + 0x1817161514131211, + 0x201F1E1D1C1B1A19 + ] + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn fat_vector_half_shift_in_one_byte() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v1 = load_half([ + 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, + ]); + let v2 = load_half([ + 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + assert_eq!( + unload(v1.half_shift_in_one_byte(v2)), + [ + 32, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 32, + 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15 + ], + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn fat_vector_half_shift_in_two_bytes() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v1 = load_half([ + 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, + ]); + let v2 = load_half([ + 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + assert_eq!( + unload(v1.half_shift_in_two_bytes(v2)), + [ + 31, 32, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 31, + 32, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, + ], + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn fat_vector_half_shift_in_three_bytes() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v1 = load_half([ + 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, + ]); + let v2 = load_half([ + 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + assert_eq!( + unload(v1.half_shift_in_three_bytes(v2)), + [ + 30, 31, 32, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 30, + 31, 32, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, + ], + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn fat_vector_swap_halves() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v = load([ + 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, + 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + assert_eq!( + unload(v.swap_halves()), + [ + 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, + 31, 32, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, + 16, + ], + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn fat_vector_interleave_low_8bit_lanes() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v1 = load([ + 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, + 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + let v2 = load([ + 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, + 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, + 63, 64, + ]); + assert_eq!( + unload(v1.interleave_low_8bit_lanes(v2)), + [ + 1, 33, 2, 34, 3, 35, 4, 36, 5, 37, 6, 38, 7, 39, 8, 40, + 17, 49, 18, 50, 19, 51, 20, 52, 21, 53, 22, 54, 23, 55, + 24, 56, + ], + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn fat_vector_interleave_high_8bit_lanes() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v1 = load([ + 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, + 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + let v2 = load([ + 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, + 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, + 63, 64, + ]); + assert_eq!( + unload(v1.interleave_high_8bit_lanes(v2)), + [ + 9, 41, 10, 42, 11, 43, 12, 44, 13, 45, 14, 46, 15, 47, 16, + 48, 25, 57, 26, 58, 27, 59, 28, 60, 29, 61, 30, 62, 31, + 63, 32, 64, + ], + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } + + #[test] + fn fat_vector_for_each_low_64bit_lane() { + #[target_feature(enable = "avx2")] + unsafe fn test() { + let v1 = load([ + 0x01, 0x02, 0x03, 0x04, 0x05, 0x06, 0x07, 0x08, 0x09, 0x0A, + 0x0B, 0x0C, 0x0D, 0x0E, 0x0F, 0x10, 0x11, 0x12, 0x13, 0x14, + 0x15, 0x16, 0x17, 0x18, 0x19, 0x1A, 0x1B, 0x1C, 0x1D, 0x1E, + 0x1F, 0x20, + ]); + let v2 = load([ + 0x21, 0x22, 0x23, 0x24, 0x25, 0x26, 0x27, 0x28, 0x29, 0x2A, + 0x2B, 0x2C, 0x2D, 0x2E, 0x2F, 0x30, 0x31, 0x32, 0x33, 0x34, + 0x35, 0x36, 0x37, 0x38, 0x39, 0x3A, 0x3B, 0x3C, 0x3D, 0x3E, + 0x3F, 0x40, + ]); + let mut lanes = [0u64; 4]; + v1.for_each_low_64bit_lane(v2, |i, lane| { + lanes[i] = lane; + None::<()> + }); + assert_eq!( + lanes, + [ + 0x0807060504030201, + 0x100F0E0D0C0B0A09, + 0x2827262524232221, + 0x302F2E2D2C2B2A29 + ] + ); + } + if !is_runnable() { + return; + } + unsafe { test() } + } +} + +#[cfg(all(test, target_arch = "aarch64", target_feature = "neon"))] +mod tests_aarch64_neon { + use core::arch::aarch64::*; + + use super::*; + + #[target_feature(enable = "neon")] + unsafe fn load(lanes: [u8; 16]) -> uint8x16_t { + uint8x16_t::load_unaligned(&lanes as *const u8) + } + + #[target_feature(enable = "neon")] + unsafe fn unload(v: uint8x16_t) -> [u8; 16] { + [ + vgetq_lane_u8(v, 0), + vgetq_lane_u8(v, 1), + vgetq_lane_u8(v, 2), + vgetq_lane_u8(v, 3), + vgetq_lane_u8(v, 4), + vgetq_lane_u8(v, 5), + vgetq_lane_u8(v, 6), + vgetq_lane_u8(v, 7), + vgetq_lane_u8(v, 8), + vgetq_lane_u8(v, 9), + vgetq_lane_u8(v, 10), + vgetq_lane_u8(v, 11), + vgetq_lane_u8(v, 12), + vgetq_lane_u8(v, 13), + vgetq_lane_u8(v, 14), + vgetq_lane_u8(v, 15), + ] + } + + // Example functions. These don't test the Vector traits, but rather, + // specific NEON instructions. They are basically little experiments I + // wrote to figure out what an instruction does since their descriptions + // are so dense. I decided to keep the experiments around as example tests + // in case there' useful. + + #[test] + fn example_vmaxvq_u8_non_zero() { + #[target_feature(enable = "neon")] + unsafe fn example() { + let v = load([0, 0, 0, 0, 0, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); + assert_eq!(vmaxvq_u8(v), 1); + } + unsafe { example() } + } + + #[test] + fn example_vmaxvq_u8_zero() { + #[target_feature(enable = "neon")] + unsafe fn example() { + let v = load([0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); + assert_eq!(vmaxvq_u8(v), 0); + } + unsafe { example() } + } + + #[test] + fn example_vpmaxq_u8_non_zero() { + #[target_feature(enable = "neon")] + unsafe fn example() { + let v = load([0, 0, 0, 0, 0, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); + let r = vpmaxq_u8(v, v); + assert_eq!( + unload(r), + [0, 0, 1, 0, 0, 0, 0, 0, 0, 0, 1, 0, 0, 0, 0, 0] + ); + } + unsafe { example() } + } + + #[test] + fn example_vpmaxq_u8_self() { + #[target_feature(enable = "neon")] + unsafe fn example() { + let v = + load([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16]); + let r = vpmaxq_u8(v, v); + assert_eq!( + unload(r), + [2, 4, 6, 8, 10, 12, 14, 16, 2, 4, 6, 8, 10, 12, 14, 16] + ); + } + unsafe { example() } + } + + #[test] + fn example_vpmaxq_u8_other() { + #[target_feature(enable = "neon")] + unsafe fn example() { + let v1 = + load([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16]); + let v2 = load([ + 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + let r = vpmaxq_u8(v1, v2); + assert_eq!( + unload(r), + [2, 4, 6, 8, 10, 12, 14, 16, 18, 20, 22, 24, 26, 28, 30, 32] + ); + } + unsafe { example() } + } + + // Now we test the actual methods on the Vector trait. + + #[test] + fn vector_splat() { + #[target_feature(enable = "neon")] + unsafe fn test() { + let v = uint8x16_t::splat(0xAF); + assert_eq!( + unload(v), + [ + 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, + 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF, 0xAF + ] + ); + } + unsafe { test() } + } + + #[test] + fn vector_is_zero() { + #[target_feature(enable = "neon")] + unsafe fn test() { + let v = load([0, 0, 0, 0, 0, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); + assert!(!v.is_zero()); + let v = load([0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); + assert!(v.is_zero()); + } + unsafe { test() } + } + + #[test] + fn vector_cmpeq() { + #[target_feature(enable = "neon")] + unsafe fn test() { + let v1 = + load([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 1]); + let v2 = + load([16, 15, 14, 13, 12, 11, 10, 9, 8, 7, 6, 5, 4, 3, 2, 1]); + assert_eq!( + unload(v1.cmpeq(v2)), + [0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0xFF] + ); + } + unsafe { test() } + } + + #[test] + fn vector_and() { + #[target_feature(enable = "neon")] + unsafe fn test() { + let v1 = + load([0, 0, 0, 0, 0, 0b1001, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); + let v2 = + load([0, 0, 0, 0, 0, 0b1010, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); + assert_eq!( + unload(v1.and(v2)), + [0, 0, 0, 0, 0, 0b1000, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0] + ); + } + unsafe { test() } + } + + #[test] + fn vector_or() { + #[target_feature(enable = "neon")] + unsafe fn test() { + let v1 = + load([0, 0, 0, 0, 0, 0b1001, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); + let v2 = + load([0, 0, 0, 0, 0, 0b1010, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); + assert_eq!( + unload(v1.or(v2)), + [0, 0, 0, 0, 0, 0b1011, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0] + ); + } + unsafe { test() } + } + + #[test] + fn vector_shift_8bit_lane_right() { + #[target_feature(enable = "neon")] + unsafe fn test() { + let v = load([ + 0, 0, 0, 0, 0b1011, 0b0101, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, + ]); + assert_eq!( + unload(v.shift_8bit_lane_right::<2>()), + [0, 0, 0, 0, 0b0010, 0b0001, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0] + ); + } + unsafe { test() } + } + + #[test] + fn vector_shift_in_one_byte() { + #[target_feature(enable = "neon")] + unsafe fn test() { + let v1 = + load([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16]); + let v2 = load([ + 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + assert_eq!( + unload(v1.shift_in_one_byte(v2)), + [32, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15], + ); + } + unsafe { test() } + } + + #[test] + fn vector_shift_in_two_bytes() { + #[target_feature(enable = "neon")] + unsafe fn test() { + let v1 = + load([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16]); + let v2 = load([ + 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + assert_eq!( + unload(v1.shift_in_two_bytes(v2)), + [31, 32, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14], + ); + } + unsafe { test() } + } + + #[test] + fn vector_shift_in_three_bytes() { + #[target_feature(enable = "neon")] + unsafe fn test() { + let v1 = + load([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16]); + let v2 = load([ + 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, + ]); + assert_eq!( + unload(v1.shift_in_three_bytes(v2)), + [30, 31, 32, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13], + ); + } + unsafe { test() } + } + + #[test] + fn vector_shuffle_bytes() { + #[target_feature(enable = "neon")] + unsafe fn test() { + let v1 = + load([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16]); + let v2 = + load([0, 0, 0, 0, 4, 4, 4, 4, 8, 8, 8, 8, 12, 12, 12, 12]); + assert_eq!( + unload(v1.shuffle_bytes(v2)), + [1, 1, 1, 1, 5, 5, 5, 5, 9, 9, 9, 9, 13, 13, 13, 13], + ); + } + unsafe { test() } + } + + #[test] + fn vector_for_each_64bit_lane() { + #[target_feature(enable = "neon")] + unsafe fn test() { + let v = load([ + 0x01, 0x02, 0x03, 0x04, 0x05, 0x06, 0x07, 0x08, 0x09, 0x0A, + 0x0B, 0x0C, 0x0D, 0x0E, 0x0F, 0x10, + ]); + let mut lanes = [0u64; 2]; + v.for_each_64bit_lane(|i, lane| { + lanes[i] = lane; + None::<()> + }); + assert_eq!(lanes, [0x0807060504030201, 0x100F0E0D0C0B0A09],); + } + unsafe { test() } + } +} diff --git a/src/packed/vectorold.rs b/src/packed/vectorold.rs deleted file mode 100644 index 9590a36..0000000 --- a/src/packed/vectorold.rs +++ /dev/null @@ -1,190 +0,0 @@ -// This file contains a set of fairly generic utility functions when working -// with SIMD vectors. -// -// SAFETY: All of the routines below are unsafe to call because they assume -// the necessary CPU target features in order to use particular vendor -// intrinsics. Calling these routines when the underlying CPU does not support -// the appropriate target features is NOT safe. Callers must ensure this -// themselves. -// -// Note that it may not look like this safety invariant is being upheld when -// these routines are called. Namely, the CPU feature check is typically pretty -// far away from when these routines are used. Instead, we rely on the fact -// that certain types serve as a guaranteed receipt that pertinent target -// features are enabled. For example, the only way TeddySlim3Mask256 can be -// constructed is if the AVX2 CPU feature is available. Thus, any code running -// inside of TeddySlim3Mask256 can use any of the functions below without any -// additional checks: its very existence *is* the check. - -use core::arch::x86_64::*; - -/// Shift `a` to the left by two bytes (removing its two most significant -/// bytes), and concatenate it with the the two most significant bytes of `b`. -#[target_feature(enable = "avx2")] -pub unsafe fn alignr256_14(a: __m256i, b: __m256i) -> __m256i { - // Credit goes to jneem for figuring this out: - // https://github.com/jneem/teddy/blob/9ab5e899ad6ef6911aecd3cf1033f1abe6e1f66c/src/x86/teddy_simd.rs#L145-L184 - // - // TL;DR avx2's PALIGNR instruction is actually just two 128-bit PALIGNR - // instructions, which is not what we want, so we need to do some extra - // shuffling. - - // This permute gives us the low 16 bytes of a concatenated with the high - // 16 bytes of b, in order of most significant to least significant. So - // `v = a[15:0] b[31:16]`. - let v = _mm256_permute2x128_si256(b, a, 0x21); - // This effectively does this (where we deal in terms of byte-indexing - // and byte-shifting, and use inclusive ranges): - // - // ret[15:0] := ((a[15:0] << 16) | v[15:0]) >> 14 - // = ((a[15:0] << 16) | b[31:16]) >> 14 - // ret[31:16] := ((a[31:16] << 16) | v[31:16]) >> 14 - // = ((a[31:16] << 16) | a[15:0]) >> 14 - // - // Which therefore results in: - // - // ret[31:0] := a[29:16] a[15:14] a[13:0] b[31:30] - // - // The end result is that we've effectively done this: - // - // (a << 2) | (b >> 30) - // - // When `A` and `B` are strings---where the beginning of the string is in - // the least significant bits---we effectively result in the following - // semantic operation: - // - // (A >> 2) | (B << 30) - // - // The reversal being attributed to the fact that we are in little-endian. - _mm256_alignr_epi8(a, v, 14) -} - -/// Shift `a` to the left by three byte (removing its most significant byte), -/// and concatenate it with the the most significant byte of `b`. -#[target_feature(enable = "avx2")] -pub unsafe fn alignr256_13(a: __m256i, b: __m256i) -> __m256i { - // For explanation, see alignr256_14. - let v = _mm256_permute2x128_si256(b, a, 0x21); - _mm256_alignr_epi8(a, v, 13) -} - -/// Shift `a` to the left by one byte (removing its most significant byte), and -/// concatenate it with the the most significant byte of `b`. -#[target_feature(enable = "avx2")] -pub unsafe fn alignr256_15(a: __m256i, b: __m256i) -> __m256i { - // For explanation, see alignr256_14. - let v = _mm256_permute2x128_si256(b, a, 0x21); - _mm256_alignr_epi8(a, v, 15) -} - -/// Unpack the given 128-bit vector into its 64-bit components. The first -/// element of the array returned corresponds to the least significant 64-bit -/// lane in `a`. -#[target_feature(enable = "ssse3")] -pub unsafe fn unpack64x128(a: __m128i) -> [u64; 2] { - [ - _mm_cvtsi128_si64(a) as u64, - _mm_cvtsi128_si64(_mm_srli_si128(a, 8)) as u64, - ] -} - -/// Unpack the given 256-bit vector into its 64-bit components. The first -/// element of the array returned corresponds to the least significant 64-bit -/// lane in `a`. -#[target_feature(enable = "avx2")] -pub unsafe fn unpack64x256(a: __m256i) -> [u64; 4] { - // Using transmute here is precisely equivalent, but actually slower. It's - // not quite clear why. - let lo = _mm256_extracti128_si256(a, 0); - let hi = _mm256_extracti128_si256(a, 1); - [ - _mm_cvtsi128_si64(lo) as u64, - _mm_cvtsi128_si64(_mm_srli_si128(lo, 8)) as u64, - _mm_cvtsi128_si64(hi) as u64, - _mm_cvtsi128_si64(_mm_srli_si128(hi, 8)) as u64, - ] -} - -/// Unpack the low 128-bits of `a` and `b`, and return them as 4 64-bit -/// integers. -/// -/// More precisely, if a = a4 a3 a2 a1 and b = b4 b3 b2 b1, where each element -/// is a 64-bit integer and a1/b1 correspond to the least significant 64 bits, -/// then the return value is `b2 b1 a2 a1`. -#[target_feature(enable = "avx2")] -pub unsafe fn unpacklo64x256(a: __m256i, b: __m256i) -> [u64; 4] { - let lo = _mm256_castsi256_si128(a); - let hi = _mm256_castsi256_si128(b); - [ - _mm_cvtsi128_si64(lo) as u64, - _mm_cvtsi128_si64(_mm_srli_si128(lo, 8)) as u64, - _mm_cvtsi128_si64(hi) as u64, - _mm_cvtsi128_si64(_mm_srli_si128(hi, 8)) as u64, - ] -} - -/// Returns true if and only if all bits in the given 128-bit vector are 0. -#[target_feature(enable = "ssse3")] -pub unsafe fn is_all_zeroes128(a: __m128i) -> bool { - let cmp = _mm_cmpeq_epi8(a, zeroes128()); - _mm_movemask_epi8(cmp) as u32 == 0xFFFF -} - -/// Returns true if and only if all bits in the given 256-bit vector are 0. -#[target_feature(enable = "avx2")] -pub unsafe fn is_all_zeroes256(a: __m256i) -> bool { - let cmp = _mm256_cmpeq_epi8(a, zeroes256()); - _mm256_movemask_epi8(cmp) as u32 == 0xFFFFFFFF -} - -/// Load a 128-bit vector from slice at the given position. The slice does -/// not need to be unaligned. -/// -/// Since this code assumes little-endian (there is no big-endian x86), the -/// bytes starting in `slice[at..]` will be at the least significant bits of -/// the returned vector. This is important for the surrounding code, since for -/// example, shifting the resulting vector right is equivalent to logically -/// shifting the bytes in `slice` left. -#[target_feature(enable = "sse2")] -pub unsafe fn loadu128(slice: &[u8], at: usize) -> __m128i { - let ptr = slice.get_unchecked(at..).as_ptr(); - _mm_loadu_si128(ptr as *const u8 as *const __m128i) -} - -/// Load a 256-bit vector from slice at the given position. The slice does -/// not need to be unaligned. -/// -/// Since this code assumes little-endian (there is no big-endian x86), the -/// bytes starting in `slice[at..]` will be at the least significant bits of -/// the returned vector. This is important for the surrounding code, since for -/// example, shifting the resulting vector right is equivalent to logically -/// shifting the bytes in `slice` left. -#[target_feature(enable = "avx2")] -pub unsafe fn loadu256(slice: &[u8], at: usize) -> __m256i { - let ptr = slice.get_unchecked(at..).as_ptr(); - _mm256_loadu_si256(ptr as *const u8 as *const __m256i) -} - -/// Returns a 128-bit vector with all bits set to 0. -#[target_feature(enable = "sse2")] -pub unsafe fn zeroes128() -> __m128i { - _mm_set1_epi8(0) -} - -/// Returns a 256-bit vector with all bits set to 0. -#[target_feature(enable = "avx2")] -pub unsafe fn zeroes256() -> __m256i { - _mm256_set1_epi8(0) -} - -/// Returns a 128-bit vector with all bits set to 1. -#[target_feature(enable = "sse2")] -pub unsafe fn ones128() -> __m128i { - _mm_set1_epi8(0xFF as u8 as i8) -} - -/// Returns a 256-bit vector with all bits set to 1. -#[target_feature(enable = "avx2")] -pub unsafe fn ones256() -> __m256i { - _mm256_set1_epi8(0xFF as u8 as i8) -} diff --git a/src/util/int.rs b/src/util/int.rs index 1412aa5..28ede7a 100644 --- a/src/util/int.rs +++ b/src/util/int.rs @@ -118,6 +118,33 @@ impl U64 for u64 { } } +pub(crate) trait I8 { + fn as_usize(self) -> usize; + fn to_bits(self) -> u8; + fn from_bits(n: u8) -> i8; +} + +impl I8 for i8 { + fn as_usize(self) -> usize { + #[cfg(debug_assertions)] + { + usize::try_from(self).expect("i8 overflowed usize") + } + #[cfg(not(debug_assertions))] + { + self as usize + } + } + + fn to_bits(self) -> u8 { + self as u8 + } + + fn from_bits(n: u8) -> i8 { + n as i8 + } +} + pub(crate) trait I32 { fn as_usize(self) -> usize; fn to_bits(self) -> u32; @@ -145,6 +172,33 @@ impl I32 for i32 { } } +pub(crate) trait I64 { + fn as_usize(self) -> usize; + fn to_bits(self) -> u64; + fn from_bits(n: u64) -> i64; +} + +impl I64 for i64 { + fn as_usize(self) -> usize { + #[cfg(debug_assertions)] + { + usize::try_from(self).expect("i64 overflowed usize") + } + #[cfg(not(debug_assertions))] + { + self as usize + } + } + + fn to_bits(self) -> u64 { + self as u64 + } + + fn from_bits(n: u64) -> i64 { + n as i64 + } +} + pub(crate) trait Usize { fn as_u8(self) -> u8; fn as_u16(self) -> u16; diff --git a/src/util/prefilter.rs b/src/util/prefilter.rs index fc63004..f5ddc75 100644 --- a/src/util/prefilter.rs +++ b/src/util/prefilter.rs @@ -162,6 +162,7 @@ impl Builder { /// builder before attempting to construct the prefilter. pub(crate) fn build(&self) -> Option { if !self.enabled { + debug!("prefilter not enabled, skipping"); return None; } // If we only have one pattern, then deferring to memmem is always @@ -173,15 +174,55 @@ impl Builder { // them. if !self.ascii_case_insensitive { if let Some(pre) = self.memmem.build() { + debug!("using memmem prefilter"); return Some(pre); } } + let (packed, patlen, minlen) = if self.ascii_case_insensitive { + (None, usize::MAX, 0) + } else { + let patlen = self.packed.as_ref().map_or(usize::MAX, |p| p.len()); + let minlen = self.packed.as_ref().map_or(0, |p| p.minimum_len()); + let packed = + self.packed.as_ref().and_then(|b| b.build()).map(|s| { + let memory_usage = s.memory_usage(); + debug!( + "built packed prefilter (len: {}, \ + minimum pattern len: {}, memory usage: {}) \ + for consideration", + patlen, minlen, memory_usage, + ); + Prefilter { finder: Arc::new(Packed(s)), memory_usage } + }); + (packed, patlen, minlen) + }; match (self.start_bytes.build(), self.rare_bytes.build()) { // If we could build both start and rare prefilters, then there are // a few cases in which we'd want to use the start-byte prefilter // over the rare-byte prefilter, since the former has lower // overhead. (prestart @ Some(_), prerare @ Some(_)) => { + debug!( + "both start (len={}, rank={}) and \ + rare (len={}, rank={}) byte prefilters \ + are available", + self.start_bytes.count, + self.start_bytes.rank_sum, + self.rare_bytes.count, + self.rare_bytes.rank_sum, + ); + if patlen <= 16 + && minlen >= 2 + && self.start_bytes.count >= 3 + && self.rare_bytes.count >= 3 + { + debug!( + "start and rare byte prefilters available, but \ + they're probably slower than packed so using \ + packed" + ); + return packed; + } // If the start-byte prefilter can scan for a smaller number // of bytes than the rare-byte prefilter, then it's probably // faster. @@ -196,20 +237,69 @@ impl Builder { // prefer the start-byte prefilter when we can. let has_rarer_bytes = self.start_bytes.rank_sum <= self.rare_bytes.rank_sum + 50; - if has_fewer_bytes || has_rarer_bytes { + if has_fewer_bytes { + debug!( + "using start byte prefilter because it has fewer + bytes to search for than the rare byte prefilter", + ); + prestart + } else if has_rarer_bytes { + debug!( + "using start byte prefilter because its byte \ + frequency rank was determined to be \ + \"good enough\" relative to the rare byte prefilter \ + byte frequency rank", + ); prestart } else { + debug!("using rare byte prefilter"); prerare } } - (prestart @ Some(_), None) => prestart, - (None, prerare @ Some(_)) => prerare, - (None, None) if self.ascii_case_insensitive => None, + (prestart @ Some(_), None) => { + if patlen <= 16 && minlen >= 2 && self.start_bytes.count >= 3 { + debug!( + "start byte prefilter available, but \ + it's probably slower than packed so using \ + packed" + ); + return packed; + } + debug!( + "have start byte prefilter but not rare byte prefilter, \ + so using start byte prefilter", + ); + prestart + } + (None, prerare @ Some(_)) => { + if patlen <= 16 && minlen >= 2 && self.rare_bytes.count >= 3 { + debug!( + "rare byte prefilter available, but \ + it's probably slower than packed so using \ + packed" + ); + return packed; + } + debug!( + "have rare byte prefilter but not start byte prefilter, \ + so using rare byte prefilter", + ); + prerare + } + (None, None) if self.ascii_case_insensitive => { + debug!( + "no start or rare byte prefilter and ASCII case \ + insensitivity was enabled, so skipping prefilter", + ); + None + } (None, None) => { - self.packed.as_ref().and_then(|b| b.build()).map(|s| { - let memory_usage = s.memory_usage(); - Prefilter { finder: Arc::new(Packed(s)), memory_usage } - }) + if packed.is_some() { + debug!("falling back to packed prefilter"); + } else { + debug!("no prefilter available"); + } + packed } } }